From 0b26761a27520c428f29c7d6e2ebb503f8d6c58f Mon Sep 17 00:00:00 2001 From: tiff178 Date: Thu, 20 Apr 2023 16:48:53 -0700 Subject: [PATCH 01/25] moved file --- .../graphics_v5.py | 992 +++++++++--------- 1 file changed, 496 insertions(+), 496 deletions(-) rename Intro to Pygame Graphics/{ => major league soccer animation}/graphics_v5.py (97%) diff --git a/Intro to Pygame Graphics/graphics_v5.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v5.py similarity index 97% rename from Intro to Pygame Graphics/graphics_v5.py rename to Intro to Pygame Graphics/major league soccer animation/graphics_v5.py index c9e6f7d..be87933 100644 --- a/Intro to Pygame Graphics/graphics_v5.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v5.py @@ -1,496 +1,496 @@ -# Imports -import pygame -import math -import random - -# Initialize game engine -pygame.init() - - -# Window -SIZE = (800, 600) -TITLE = "Major League Soccer" -screen = pygame.display.set_mode(SIZE) -pygame.display.set_caption(TITLE) - - -# Timer -clock = pygame.time.Clock() -refresh_rate = 60 - - -# Colors -''' add colors you use as RGB values here ''' -RED = (255, 0, 0) -GREEN = (52, 166, 36) -BLUE = (29, 116, 248) -WHITE = (255, 255, 255) -BLACK = (0, 0, 0) -ORANGE = (255, 125, 0) -DARK_BLUE = (18, 0, 91) -DARK_GREEN = (0, 94, 0) -GRAY = (130, 130, 130) -YELLOW = (255, 255, 110) -SILVER = (200, 200, 200) -DAY_GREEN = (41, 129, 29) -NIGHT_GREEN = (0, 64, 0) -BRIGHT_YELLOW = (255, 244, 47) -NIGHT_GRAY = (104, 98, 115) -ck = (127, 33, 33) - -#fonts -myfont = pygame.font.SysFont("monospace", 14) -smallerfont = pygame.font.SysFont("monospace", 10) -largefont = pygame.font.SysFont("monospace", 22) -numbersfont = pygame.font.SysFont("impact", 12) -largenumberfont = pygame.font.SysFont("impact", 30) -scorefont = pygame.font.SysFont("impact", 20) - -#images -img = pygame.image.load('goalie.png') -img_b = pygame.image.load('soccer_ball.png') - - -DARKNESS = pygame.Surface(SIZE) -DARKNESS.set_alpha(200) -DARKNESS.fill((0, 0, 0)) - -SEE_THROUGH = pygame.Surface((800, 180)) -SEE_THROUGH.set_alpha(150) -SEE_THROUGH.fill((124, 118, 135)) - -def draw_cloud(x, y): - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x, y + 8, 10, 10]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 6, y + 4, 8, 8]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 10, y, 16, 16]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 20, y + 8, 10, 10]) - pygame.draw.rect(SEE_THROUGH, cloud_color, [x + 6, y + 8, 18, 10]) - - -# Config -lights_on = True -day = True - -stars = [] -for n in range(200): - x = random.randrange(0, 800) - y = random.randrange(0, 200) - r = random.randrange(1, 2) - stars.append([x, y, r, r]) - -clouds = [] -for i in range(20): - x = random.randrange(-100, 1600) - y = random.randrange(0, 150) - clouds.append([x, y]) - - -seconds = 45 * 60 -ticks = 0 - -home_shots = 0 -guest_shots = 0 -home_saves = 0 -guest_saves = 0 -home_score = 0 -guest_score = 0 -goalie_x = 350 -goalie_y = 150 -ball_x = 400 -ball_y = 400 - -# Game loop -done = False - -while not done: - # Event processing (React to key presses, mouse clicks, etc.) - ''' for now, we'll just check to see if the X is clicked ''' - for event in pygame.event.get(): - if event.type == pygame.QUIT: - done = True - elif event.type == pygame.KEYDOWN: - if event.key == pygame.K_l: - lights_on = not lights_on - elif event.key == pygame.K_n: - day = not day - - - - - state = pygame.key.get_pressed() - - left = state[pygame.K_LEFT] - right = state[pygame.K_RIGHT] - a = state[pygame.K_a] - s = state[pygame.K_s] - d = state[pygame.K_d] - w = state[pygame.K_w] - - - # Game logic (Check for collisions, update points, etc.) - ''' leave this section alone for now ''' - if lights_on: - light_color = YELLOW - else: - light_color = SILVER - - if day: - sky_color = BLUE - field_color = GREEN - stripe_color = DAY_GREEN - cloud_color = WHITE - else: - sky_color = DARK_BLUE - field_color = DARK_GREEN - stripe_color = NIGHT_GREEN - cloud_color = NIGHT_GRAY - - for c in clouds: - c[0] -= 0.5 - - if c[0] < -100: - c[0] = random.randrange(800, 1600) - c[1] = random.randrange(0, 150) - - ticks += 1 - if ticks == 60: - seconds -= 1 - ticks = 0 - - if left == True and goalie_x >= 300: - goalie_x -= 2 - elif right == True and goalie_x <= 400: - goalie_x += 2 - - if a == True and ball_x >=0: - ball_x -= 4 - elif s == True and ball_y <= 600: - ball_y += 4 - elif d == True and ball_x <= 750: - ball_x += 4 - elif w == True and ball_y >= 200: - ball_y -= 4 - - - # Drawing code (Describe the picture. It isn't actually drawn yet.) - screen.fill(sky_color) - SEE_THROUGH.fill(ck) - SEE_THROUGH.set_colorkey(ck) - - if not day: - #stars - for s in stars: - pygame.draw.ellipse(screen, WHITE, s) - - - - - pygame.draw.rect(screen, field_color, [0, 180, 800 , 420]) - pygame.draw.rect(screen, stripe_color, [0, 180, 800, 42]) - pygame.draw.rect(screen, stripe_color, [0, 264, 800, 52]) - pygame.draw.rect(screen, stripe_color, [0, 368, 800, 62]) - pygame.draw.rect(screen, stripe_color, [0, 492, 800, 82]) - - - '''fence''' - y = 170 - for x in range(5, 800, 30): - pygame.draw.polygon(screen, NIGHT_GRAY, [[x + 2, y], [x + 2, y + 15], [x, y + 15], [x, y]]) - - y = 170 - for x in range(5, 800, 3): - pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x, y + 15], 1) - - x = 0 - for y in range(170, 185, 4): - pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x + 800, y], 1) - - if day: - pygame.draw.ellipse(screen, BRIGHT_YELLOW, [520, 50, 40, 40]) - else: - pygame.draw.ellipse(screen, WHITE, [520, 50, 40, 40]) - pygame.draw.ellipse(screen, sky_color, [530, 45, 40, 40]) - - - - for c in clouds: - draw_cloud(c[0], c[1]) - screen.blit(SEE_THROUGH, (0, 0)) - - - #banner - pygame.draw.polygon(screen, BLACK, [[300, 100], [360, 40], [360, 160]]) - - #out of bounds lines - pygame.draw.line(screen, WHITE, [0, 580], [800, 580], 5) - #left - pygame.draw.line(screen, WHITE, [0, 360], [140, 220], 5) - pygame.draw.line(screen, WHITE, [140, 220], [660, 220], 3) - #right - pygame.draw.line(screen, WHITE, [660, 220], [800, 360], 5) - - #safety circle - pygame.draw.ellipse(screen, WHITE, [240, 500, 320, 160], 5) - - #18 yard line goal box - pygame.draw.line(screen, WHITE, [260, 220], [180, 300], 5) - pygame.draw.line(screen, WHITE, [180, 300], [620, 300], 3) - pygame.draw.line(screen, WHITE, [620, 300], [540, 220], 5) - - #arc at the top of the goal box - pygame.draw.arc(screen, WHITE, [330, 280, 140, 40], math.pi, 2 * math.pi, 5) - - #score board pole - pygame.draw.rect(screen, GRAY, [390, 120, 20, 70]) - - #score board - pygame.draw.rect(screen, BLACK, [300, 40, 200, 90]) - pygame.draw.rect(screen, WHITE, [300, 40, 200, 90], 2) - pygame.draw.rect(screen, WHITE, [360, 44, 80, 35], 2) - #home score - pygame.draw.rect(screen, WHITE, [310, 60, 40, 20], 2) - #away score - pygame.draw.rect(screen, WHITE, [450, 60, 40, 20], 2) - #half box - pygame.draw.rect(screen, WHITE, [410, 82, 20, 15], 2) - #shots box - pygame.draw.rect(screen, WHITE, [312, 110, 25, 15], 1) - pygame.draw.rect(screen, WHITE, [417, 110, 25, 15], 1) - #saves box - pygame.draw.rect(screen, WHITE, [357, 110, 25, 15], 1) - pygame.draw.rect(screen, WHITE, [462, 110, 25, 15], 1) - #pygame.draw.rect(screen, WHITE, [ - - HOME = myfont.render("HOME", 1, (255, 255, 255)) - screen.blit(HOME, (313, 43)) - - - m = seconds // 60 - s = seconds % 60 - m = str(m) - if s < 10: - s = "0" + str(s) - else: - s = str(s) - time_str = m + ":" + s - - - timer = largenumberfont.render(time_str, 1, RED) - screen.blit(timer, (368, 43)) - - if m == 0: - halfnum = numbersfont.render("2", 1, RED) - else: - halfnum = numbersfont.render("1", 1, RED) - - - - if home_score == 0: - homenum = scorefont.render("0", 1, RED) - elif home_score == 1: - homenum = scorefont.render("1", 1, RED) - else: - homenum = scorefont.render("00", 1, RED) - - - if guest_score == 0: - guestnum = scorefont.render("0", 1, RED) - elif guest_score == 1: - guestnum = scorefont.render("1", 1, RED) - else: - guestnum = scorefont.render("00", 1, RED) - - homeshots = numbersfont.render(str(home_shots), 1, RED) - screen.blit(homeshots, (320, 110)) - - - - screen.blit(guestnum, (477, 57)) - screen.blit(homenum, (335, 57)) - screen.blit(halfnum, (418, 82)) - GUEST = myfont.render("GUEST", 1, (255, 255, 255,)) - screen.blit(GUEST, (450, 43)) - HALF = myfont.render("HALF", 1, WHITE) - screen.blit(HALF, (370, 82)) - SHOTS = smallerfont.render("SHOTS", 1, WHITE) - screen.blit(SHOTS, (310, 100)) - screen.blit(SHOTS, (415, 100)) - SAVES = smallerfont.render("SAVES", 1, WHITE) - screen.blit(SAVES, (355, 100)) - screen.blit(SAVES, (460, 100)) - - - #goal - pygame.draw.rect(screen, WHITE, [320, 140, 160, 80], 5) - pygame.draw.line(screen, WHITE, [340, 200], [460, 200], 3) - pygame.draw.line(screen, WHITE, [320, 220], [340, 200], 3) - pygame.draw.line(screen, WHITE, [480, 220], [460, 200], 3) - pygame.draw.line(screen, WHITE, [320, 140], [340, 200], 3) - pygame.draw.line(screen, WHITE, [480, 140], [460, 200], 3) - - - - #6 yard line goal box - pygame.draw.line(screen, WHITE, [310, 220], [270, 270], 3) - pygame.draw.line(screen, WHITE, [270, 270], [530, 270], 2) - pygame.draw.line(screen, WHITE, [530, 270], [490, 220], 3) - - #light pole 1 - pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) - pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) - - #lights - pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) - pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) - pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) - pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) - pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) - - #light pole 2 - pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) - pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) - - #lights - - - pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) - pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) - pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) - pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) - pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - - #net - pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) - - #net part 2 - pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) - pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) - pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) - pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) - pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) - pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) - pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) - pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) - - #net part 3 - pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) - pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) - pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) - pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) - pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) - pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) - pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) - pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) - - #net part 4 - pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) - pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) - pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) - pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) - pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) - pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) - pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) - pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) - pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) - pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) - pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) - pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) - pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) - pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) - - #goalie - screen.blit(img,(goalie_x, goalie_y)) - - #stands right - pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) - pygame.draw.polygon(screen, WHITE, [[680, 180], [800, 100], [800, 290]]) - - - #stands left - pygame.draw.polygon(screen, RED, [[120, 220], [0, 340], [0, 290], [120, 180]]) - pygame.draw.polygon(screen, WHITE, [[120, 180], [0, 100], [0, 290]]) - #people - - - #corner flag right - pygame.draw.line(screen, BRIGHT_YELLOW, [140, 220], [135, 190], 3) - pygame.draw.polygon(screen, RED, [[132, 190], [125, 196], [135, 205]]) - - #corner flag left - pygame.draw.line(screen, BRIGHT_YELLOW, [660, 220], [665, 190], 3) - pygame.draw.polygon(screen, RED, [[668, 190], [675, 196], [665, 205]]) - - - #soccerball - screen.blit(img_b, (ball_x, ball_y)) - # DARKNESS - if not day and not lights_on: - screen.blit(DARKNESS, (0, 0)) - - #pygame.draw.polygon(screen, BLACK, [[200, 200], [50,400], [600, 500]], 10) - - ''' angles for arcs are measured in radians (a pre-cal topic) ''' - #pygame.draw.arc(screen, ORANGE, [100, 100, 100, 100], 0, math.pi/2, 1) - #pygame.draw.arc(screen, BLACK, [100, 100, 100, 100], 0, math.pi/2, 50) - - - # Update screen (Actually draw the picture in the window.) - pygame.display.flip() - - - # Limit refresh rate of game loop - clock.tick(refresh_rate) - - -# Close window and quit -pygame.quit() +# Imports +import pygame +import math +import random + +# Initialize game engine +pygame.init() + + +# Window +SIZE = (800, 600) +TITLE = "Major League Soccer" +screen = pygame.display.set_mode(SIZE) +pygame.display.set_caption(TITLE) + + +# Timer +clock = pygame.time.Clock() +refresh_rate = 60 + + +# Colors +''' add colors you use as RGB values here ''' +RED = (255, 0, 0) +GREEN = (52, 166, 36) +BLUE = (29, 116, 248) +WHITE = (255, 255, 255) +BLACK = (0, 0, 0) +ORANGE = (255, 125, 0) +DARK_BLUE = (18, 0, 91) +DARK_GREEN = (0, 94, 0) +GRAY = (130, 130, 130) +YELLOW = (255, 255, 110) +SILVER = (200, 200, 200) +DAY_GREEN = (41, 129, 29) +NIGHT_GREEN = (0, 64, 0) +BRIGHT_YELLOW = (255, 244, 47) +NIGHT_GRAY = (104, 98, 115) +ck = (127, 33, 33) + +#fonts +myfont = pygame.font.SysFont("monospace", 14) +smallerfont = pygame.font.SysFont("monospace", 10) +largefont = pygame.font.SysFont("monospace", 22) +numbersfont = pygame.font.SysFont("impact", 12) +largenumberfont = pygame.font.SysFont("impact", 30) +scorefont = pygame.font.SysFont("impact", 20) + +#images +img = pygame.image.load('goalie.png') +img_b = pygame.image.load('soccer_ball.png') + + +DARKNESS = pygame.Surface(SIZE) +DARKNESS.set_alpha(200) +DARKNESS.fill((0, 0, 0)) + +SEE_THROUGH = pygame.Surface((800, 180)) +SEE_THROUGH.set_alpha(150) +SEE_THROUGH.fill((124, 118, 135)) + +def draw_cloud(x, y): + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x, y + 8, 10, 10]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 6, y + 4, 8, 8]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 10, y, 16, 16]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 20, y + 8, 10, 10]) + pygame.draw.rect(SEE_THROUGH, cloud_color, [x + 6, y + 8, 18, 10]) + + +# Config +lights_on = True +day = True + +stars = [] +for n in range(200): + x = random.randrange(0, 800) + y = random.randrange(0, 200) + r = random.randrange(1, 2) + stars.append([x, y, r, r]) + +clouds = [] +for i in range(20): + x = random.randrange(-100, 1600) + y = random.randrange(0, 150) + clouds.append([x, y]) + + +seconds = 45 * 60 +ticks = 0 + +home_shots = 0 +guest_shots = 0 +home_saves = 0 +guest_saves = 0 +home_score = 0 +guest_score = 0 +goalie_x = 350 +goalie_y = 150 +ball_x = 400 +ball_y = 400 + +# Game loop +done = False + +while not done: + # Event processing (React to key presses, mouse clicks, etc.) + ''' for now, we'll just check to see if the X is clicked ''' + for event in pygame.event.get(): + if event.type == pygame.QUIT: + done = True + elif event.type == pygame.KEYDOWN: + if event.key == pygame.K_l: + lights_on = not lights_on + elif event.key == pygame.K_n: + day = not day + + + + + state = pygame.key.get_pressed() + + left = state[pygame.K_LEFT] + right = state[pygame.K_RIGHT] + a = state[pygame.K_a] + s = state[pygame.K_s] + d = state[pygame.K_d] + w = state[pygame.K_w] + + + # Game logic (Check for collisions, update points, etc.) + ''' leave this section alone for now ''' + if lights_on: + light_color = YELLOW + else: + light_color = SILVER + + if day: + sky_color = BLUE + field_color = GREEN + stripe_color = DAY_GREEN + cloud_color = WHITE + else: + sky_color = DARK_BLUE + field_color = DARK_GREEN + stripe_color = NIGHT_GREEN + cloud_color = NIGHT_GRAY + + for c in clouds: + c[0] -= 0.5 + + if c[0] < -100: + c[0] = random.randrange(800, 1600) + c[1] = random.randrange(0, 150) + + ticks += 1 + if ticks == 60: + seconds -= 1 + ticks = 0 + + if left == True and goalie_x >= 300: + goalie_x -= 2 + elif right == True and goalie_x <= 400: + goalie_x += 2 + + if a == True and ball_x >=0: + ball_x -= 4 + elif s == True and ball_y <= 600: + ball_y += 4 + elif d == True and ball_x <= 750: + ball_x += 4 + elif w == True and ball_y >= 200: + ball_y -= 4 + + + # Drawing code (Describe the picture. It isn't actually drawn yet.) + screen.fill(sky_color) + SEE_THROUGH.fill(ck) + SEE_THROUGH.set_colorkey(ck) + + if not day: + #stars + for s in stars: + pygame.draw.ellipse(screen, WHITE, s) + + + + + pygame.draw.rect(screen, field_color, [0, 180, 800 , 420]) + pygame.draw.rect(screen, stripe_color, [0, 180, 800, 42]) + pygame.draw.rect(screen, stripe_color, [0, 264, 800, 52]) + pygame.draw.rect(screen, stripe_color, [0, 368, 800, 62]) + pygame.draw.rect(screen, stripe_color, [0, 492, 800, 82]) + + + '''fence''' + y = 170 + for x in range(5, 800, 30): + pygame.draw.polygon(screen, NIGHT_GRAY, [[x + 2, y], [x + 2, y + 15], [x, y + 15], [x, y]]) + + y = 170 + for x in range(5, 800, 3): + pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x, y + 15], 1) + + x = 0 + for y in range(170, 185, 4): + pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x + 800, y], 1) + + if day: + pygame.draw.ellipse(screen, BRIGHT_YELLOW, [520, 50, 40, 40]) + else: + pygame.draw.ellipse(screen, WHITE, [520, 50, 40, 40]) + pygame.draw.ellipse(screen, sky_color, [530, 45, 40, 40]) + + + + for c in clouds: + draw_cloud(c[0], c[1]) + screen.blit(SEE_THROUGH, (0, 0)) + + + #banner + pygame.draw.polygon(screen, BLACK, [[300, 100], [360, 40], [360, 160]]) + + #out of bounds lines + pygame.draw.line(screen, WHITE, [0, 580], [800, 580], 5) + #left + pygame.draw.line(screen, WHITE, [0, 360], [140, 220], 5) + pygame.draw.line(screen, WHITE, [140, 220], [660, 220], 3) + #right + pygame.draw.line(screen, WHITE, [660, 220], [800, 360], 5) + + #safety circle + pygame.draw.ellipse(screen, WHITE, [240, 500, 320, 160], 5) + + #18 yard line goal box + pygame.draw.line(screen, WHITE, [260, 220], [180, 300], 5) + pygame.draw.line(screen, WHITE, [180, 300], [620, 300], 3) + pygame.draw.line(screen, WHITE, [620, 300], [540, 220], 5) + + #arc at the top of the goal box + pygame.draw.arc(screen, WHITE, [330, 280, 140, 40], math.pi, 2 * math.pi, 5) + + #score board pole + pygame.draw.rect(screen, GRAY, [390, 120, 20, 70]) + + #score board + pygame.draw.rect(screen, BLACK, [300, 40, 200, 90]) + pygame.draw.rect(screen, WHITE, [300, 40, 200, 90], 2) + pygame.draw.rect(screen, WHITE, [360, 44, 80, 35], 2) + #home score + pygame.draw.rect(screen, WHITE, [310, 60, 40, 20], 2) + #away score + pygame.draw.rect(screen, WHITE, [450, 60, 40, 20], 2) + #half box + pygame.draw.rect(screen, WHITE, [410, 82, 20, 15], 2) + #shots box + pygame.draw.rect(screen, WHITE, [312, 110, 25, 15], 1) + pygame.draw.rect(screen, WHITE, [417, 110, 25, 15], 1) + #saves box + pygame.draw.rect(screen, WHITE, [357, 110, 25, 15], 1) + pygame.draw.rect(screen, WHITE, [462, 110, 25, 15], 1) + #pygame.draw.rect(screen, WHITE, [ + + HOME = myfont.render("HOME", 1, (255, 255, 255)) + screen.blit(HOME, (313, 43)) + + + m = seconds // 60 + s = seconds % 60 + m = str(m) + if s < 10: + s = "0" + str(s) + else: + s = str(s) + time_str = m + ":" + s + + + timer = largenumberfont.render(time_str, 1, RED) + screen.blit(timer, (368, 43)) + + if m == 0: + halfnum = numbersfont.render("2", 1, RED) + else: + halfnum = numbersfont.render("1", 1, RED) + + + + if home_score == 0: + homenum = scorefont.render("0", 1, RED) + elif home_score == 1: + homenum = scorefont.render("1", 1, RED) + else: + homenum = scorefont.render("00", 1, RED) + + + if guest_score == 0: + guestnum = scorefont.render("0", 1, RED) + elif guest_score == 1: + guestnum = scorefont.render("1", 1, RED) + else: + guestnum = scorefont.render("00", 1, RED) + + homeshots = numbersfont.render(str(home_shots), 1, RED) + screen.blit(homeshots, (320, 110)) + + + + screen.blit(guestnum, (477, 57)) + screen.blit(homenum, (335, 57)) + screen.blit(halfnum, (418, 82)) + GUEST = myfont.render("GUEST", 1, (255, 255, 255,)) + screen.blit(GUEST, (450, 43)) + HALF = myfont.render("HALF", 1, WHITE) + screen.blit(HALF, (370, 82)) + SHOTS = smallerfont.render("SHOTS", 1, WHITE) + screen.blit(SHOTS, (310, 100)) + screen.blit(SHOTS, (415, 100)) + SAVES = smallerfont.render("SAVES", 1, WHITE) + screen.blit(SAVES, (355, 100)) + screen.blit(SAVES, (460, 100)) + + + #goal + pygame.draw.rect(screen, WHITE, [320, 140, 160, 80], 5) + pygame.draw.line(screen, WHITE, [340, 200], [460, 200], 3) + pygame.draw.line(screen, WHITE, [320, 220], [340, 200], 3) + pygame.draw.line(screen, WHITE, [480, 220], [460, 200], 3) + pygame.draw.line(screen, WHITE, [320, 140], [340, 200], 3) + pygame.draw.line(screen, WHITE, [480, 140], [460, 200], 3) + + + + #6 yard line goal box + pygame.draw.line(screen, WHITE, [310, 220], [270, 270], 3) + pygame.draw.line(screen, WHITE, [270, 270], [530, 270], 2) + pygame.draw.line(screen, WHITE, [530, 270], [490, 220], 3) + + #light pole 1 + pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) + pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) + + #lights + pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) + pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) + pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) + pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) + pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) + + #light pole 2 + pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) + pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) + + #lights + + + pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) + pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) + pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) + pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) + pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) + + #net + pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) + pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) + pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) + pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) + pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) + pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) + pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) + pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) + pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) + pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) + pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) + pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) + pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) + pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) + pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) + pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) + pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) + pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) + pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) + pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) + pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) + pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) + pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) + pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) + pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) + pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) + pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) + pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) + pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) + pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) + + #net part 2 + pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) + pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) + pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) + pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) + pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) + pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) + pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) + pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) + + #net part 3 + pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) + pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) + pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) + pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) + pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) + pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) + pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) + pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) + + #net part 4 + pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) + pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) + pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) + pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) + pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) + pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) + pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) + pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) + pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) + pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) + pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) + pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) + pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) + pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + + #goalie + screen.blit(img,(goalie_x, goalie_y)) + + #stands right + pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) + pygame.draw.polygon(screen, WHITE, [[680, 180], [800, 100], [800, 290]]) + + + #stands left + pygame.draw.polygon(screen, RED, [[120, 220], [0, 340], [0, 290], [120, 180]]) + pygame.draw.polygon(screen, WHITE, [[120, 180], [0, 100], [0, 290]]) + #people + + + #corner flag right + pygame.draw.line(screen, BRIGHT_YELLOW, [140, 220], [135, 190], 3) + pygame.draw.polygon(screen, RED, [[132, 190], [125, 196], [135, 205]]) + + #corner flag left + pygame.draw.line(screen, BRIGHT_YELLOW, [660, 220], [665, 190], 3) + pygame.draw.polygon(screen, RED, [[668, 190], [675, 196], [665, 205]]) + + + #soccerball + screen.blit(img_b, (ball_x, ball_y)) + # DARKNESS + if not day and not lights_on: + screen.blit(DARKNESS, (0, 0)) + + #pygame.draw.polygon(screen, BLACK, [[200, 200], [50,400], [600, 500]], 10) + + ''' angles for arcs are measured in radians (a pre-cal topic) ''' + #pygame.draw.arc(screen, ORANGE, [100, 100, 100, 100], 0, math.pi/2, 1) + #pygame.draw.arc(screen, BLACK, [100, 100, 100, 100], 0, math.pi/2, 50) + + + # Update screen (Actually draw the picture in the window.) + pygame.display.flip() + + + # Limit refresh rate of game loop + clock.tick(refresh_rate) + + +# Close window and quit +pygame.quit() From a5aed2a45d26fb26120e3c14843de362cc74706d Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Thu, 20 Apr 2023 16:55:26 -0700 Subject: [PATCH 02/25] test if fork works --- README.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index 2b681a2..12285f4 100644 --- a/README.md +++ b/README.md @@ -1 +1,3 @@ -# stuff \ No newline at end of file +# stuff + +other stuff \ No newline at end of file From c5c19bea7421a7fa34112c8924ad4f88d5b24e69 Mon Sep 17 00:00:00 2001 From: tiff178 Date: Thu, 20 Apr 2023 17:02:37 -0700 Subject: [PATCH 03/25] create tiff branch --- test.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/test.py b/test.py index 90a7005..d4e59d6 100644 --- a/test.py +++ b/test.py @@ -1,3 +1,6 @@ pi = [3, 1, 4, 1, 5, 9] print(pi[2:5]) + + +print("Tiffany") \ No newline at end of file From 2ccd3517cc5bdd693bba9e43502e12034dacde01 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Thu, 20 Apr 2023 17:04:17 -0700 Subject: [PATCH 04/25] test random --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 12285f4..3639276 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,3 @@ # stuff -other stuff \ No newline at end of file +test again \ No newline at end of file From 6b6460b9af015600437e25aa4ce5b6789695a70d Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Thu, 20 Apr 2023 17:15:54 -0700 Subject: [PATCH 05/25] deleted some duplicate texts --- .../goalie.jpg | Bin .../graphics_v5.py | 991 +- README.md | 1 - dc_superheroes.txt | 51 - scrabble_list.txt | 84009 ---------------- 5 files changed, 495 insertions(+), 84557 deletions(-) rename Intro to Pygame Graphics/{ => major league soccer animation}/goalie.jpg (100%) rename Intro to Pygame Graphics/{ => major league soccer animation}/graphics_v5.py (97%) delete mode 100644 dc_superheroes.txt delete mode 100644 scrabble_list.txt diff --git a/Intro to Pygame Graphics/goalie.jpg b/Intro to Pygame Graphics/major league soccer animation/goalie.jpg similarity index 100% rename from Intro to Pygame Graphics/goalie.jpg rename to Intro to Pygame Graphics/major league soccer animation/goalie.jpg diff --git a/Intro to Pygame Graphics/graphics_v5.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v5.py similarity index 97% rename from Intro to Pygame Graphics/graphics_v5.py rename to Intro to Pygame Graphics/major league soccer animation/graphics_v5.py index c9e6f7d..0f093a4 100644 --- a/Intro to Pygame Graphics/graphics_v5.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v5.py @@ -1,496 +1,495 @@ -# Imports -import pygame -import math -import random - -# Initialize game engine -pygame.init() - - -# Window -SIZE = (800, 600) -TITLE = "Major League Soccer" -screen = pygame.display.set_mode(SIZE) -pygame.display.set_caption(TITLE) - - -# Timer -clock = pygame.time.Clock() -refresh_rate = 60 - - -# Colors -''' add colors you use as RGB values here ''' -RED = (255, 0, 0) -GREEN = (52, 166, 36) -BLUE = (29, 116, 248) -WHITE = (255, 255, 255) -BLACK = (0, 0, 0) -ORANGE = (255, 125, 0) -DARK_BLUE = (18, 0, 91) -DARK_GREEN = (0, 94, 0) -GRAY = (130, 130, 130) -YELLOW = (255, 255, 110) -SILVER = (200, 200, 200) -DAY_GREEN = (41, 129, 29) -NIGHT_GREEN = (0, 64, 0) -BRIGHT_YELLOW = (255, 244, 47) -NIGHT_GRAY = (104, 98, 115) -ck = (127, 33, 33) - -#fonts -myfont = pygame.font.SysFont("monospace", 14) -smallerfont = pygame.font.SysFont("monospace", 10) -largefont = pygame.font.SysFont("monospace", 22) -numbersfont = pygame.font.SysFont("impact", 12) -largenumberfont = pygame.font.SysFont("impact", 30) -scorefont = pygame.font.SysFont("impact", 20) - -#images -img = pygame.image.load('goalie.png') -img_b = pygame.image.load('soccer_ball.png') - - -DARKNESS = pygame.Surface(SIZE) -DARKNESS.set_alpha(200) -DARKNESS.fill((0, 0, 0)) - -SEE_THROUGH = pygame.Surface((800, 180)) -SEE_THROUGH.set_alpha(150) -SEE_THROUGH.fill((124, 118, 135)) - -def draw_cloud(x, y): - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x, y + 8, 10, 10]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 6, y + 4, 8, 8]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 10, y, 16, 16]) - pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 20, y + 8, 10, 10]) - pygame.draw.rect(SEE_THROUGH, cloud_color, [x + 6, y + 8, 18, 10]) - - -# Config -lights_on = True -day = True - -stars = [] -for n in range(200): - x = random.randrange(0, 800) - y = random.randrange(0, 200) - r = random.randrange(1, 2) - stars.append([x, y, r, r]) - -clouds = [] -for i in range(20): - x = random.randrange(-100, 1600) - y = random.randrange(0, 150) - clouds.append([x, y]) - - -seconds = 45 * 60 -ticks = 0 - -home_shots = 0 -guest_shots = 0 -home_saves = 0 -guest_saves = 0 -home_score = 0 -guest_score = 0 -goalie_x = 350 -goalie_y = 150 -ball_x = 400 -ball_y = 400 - -# Game loop -done = False - -while not done: - # Event processing (React to key presses, mouse clicks, etc.) - ''' for now, we'll just check to see if the X is clicked ''' - for event in pygame.event.get(): - if event.type == pygame.QUIT: - done = True - elif event.type == pygame.KEYDOWN: - if event.key == pygame.K_l: - lights_on = not lights_on - elif event.key == pygame.K_n: - day = not day - - - - - state = pygame.key.get_pressed() - - left = state[pygame.K_LEFT] - right = state[pygame.K_RIGHT] - a = state[pygame.K_a] - s = state[pygame.K_s] - d = state[pygame.K_d] - w = state[pygame.K_w] - - - # Game logic (Check for collisions, update points, etc.) - ''' leave this section alone for now ''' - if lights_on: - light_color = YELLOW - else: - light_color = SILVER - - if day: - sky_color = BLUE - field_color = GREEN - stripe_color = DAY_GREEN - cloud_color = WHITE - else: - sky_color = DARK_BLUE - field_color = DARK_GREEN - stripe_color = NIGHT_GREEN - cloud_color = NIGHT_GRAY - - for c in clouds: - c[0] -= 0.5 - - if c[0] < -100: - c[0] = random.randrange(800, 1600) - c[1] = random.randrange(0, 150) - - ticks += 1 - if ticks == 60: - seconds -= 1 - ticks = 0 - - if left == True and goalie_x >= 300: - goalie_x -= 2 - elif right == True and goalie_x <= 400: - goalie_x += 2 - - if a == True and ball_x >=0: - ball_x -= 4 - elif s == True and ball_y <= 600: - ball_y += 4 - elif d == True and ball_x <= 750: - ball_x += 4 - elif w == True and ball_y >= 200: - ball_y -= 4 - - - # Drawing code (Describe the picture. It isn't actually drawn yet.) - screen.fill(sky_color) - SEE_THROUGH.fill(ck) - SEE_THROUGH.set_colorkey(ck) - - if not day: - #stars - for s in stars: - pygame.draw.ellipse(screen, WHITE, s) - - - - - pygame.draw.rect(screen, field_color, [0, 180, 800 , 420]) - pygame.draw.rect(screen, stripe_color, [0, 180, 800, 42]) - pygame.draw.rect(screen, stripe_color, [0, 264, 800, 52]) - pygame.draw.rect(screen, stripe_color, [0, 368, 800, 62]) - pygame.draw.rect(screen, stripe_color, [0, 492, 800, 82]) - - - '''fence''' - y = 170 - for x in range(5, 800, 30): - pygame.draw.polygon(screen, NIGHT_GRAY, [[x + 2, y], [x + 2, y + 15], [x, y + 15], [x, y]]) - - y = 170 - for x in range(5, 800, 3): - pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x, y + 15], 1) - - x = 0 - for y in range(170, 185, 4): - pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x + 800, y], 1) - - if day: - pygame.draw.ellipse(screen, BRIGHT_YELLOW, [520, 50, 40, 40]) - else: - pygame.draw.ellipse(screen, WHITE, [520, 50, 40, 40]) - pygame.draw.ellipse(screen, sky_color, [530, 45, 40, 40]) - - - - for c in clouds: - draw_cloud(c[0], c[1]) - screen.blit(SEE_THROUGH, (0, 0)) - - - #banner - pygame.draw.polygon(screen, BLACK, [[300, 100], [360, 40], [360, 160]]) - - #out of bounds lines - pygame.draw.line(screen, WHITE, [0, 580], [800, 580], 5) - #left - pygame.draw.line(screen, WHITE, [0, 360], [140, 220], 5) - pygame.draw.line(screen, WHITE, [140, 220], [660, 220], 3) - #right - pygame.draw.line(screen, WHITE, [660, 220], [800, 360], 5) - - #safety circle - pygame.draw.ellipse(screen, WHITE, [240, 500, 320, 160], 5) - - #18 yard line goal box - pygame.draw.line(screen, WHITE, [260, 220], [180, 300], 5) - pygame.draw.line(screen, WHITE, [180, 300], [620, 300], 3) - pygame.draw.line(screen, WHITE, [620, 300], [540, 220], 5) - - #arc at the top of the goal box - pygame.draw.arc(screen, WHITE, [330, 280, 140, 40], math.pi, 2 * math.pi, 5) - - #score board pole - pygame.draw.rect(screen, GRAY, [390, 120, 20, 70]) - - #score board - pygame.draw.rect(screen, BLACK, [300, 40, 200, 90]) - pygame.draw.rect(screen, WHITE, [300, 40, 200, 90], 2) - pygame.draw.rect(screen, WHITE, [360, 44, 80, 35], 2) - #home score - pygame.draw.rect(screen, WHITE, [310, 60, 40, 20], 2) - #away score - pygame.draw.rect(screen, WHITE, [450, 60, 40, 20], 2) - #half box - pygame.draw.rect(screen, WHITE, [410, 82, 20, 15], 2) - #shots box - pygame.draw.rect(screen, WHITE, [312, 110, 25, 15], 1) - pygame.draw.rect(screen, WHITE, [417, 110, 25, 15], 1) - #saves box - pygame.draw.rect(screen, WHITE, [357, 110, 25, 15], 1) - pygame.draw.rect(screen, WHITE, [462, 110, 25, 15], 1) - #pygame.draw.rect(screen, WHITE, [ - - HOME = myfont.render("HOME", 1, (255, 255, 255)) - screen.blit(HOME, (313, 43)) - - - m = seconds // 60 - s = seconds % 60 - m = str(m) - if s < 10: - s = "0" + str(s) - else: - s = str(s) - time_str = m + ":" + s - - - timer = largenumberfont.render(time_str, 1, RED) - screen.blit(timer, (368, 43)) - - if m == 0: - halfnum = numbersfont.render("2", 1, RED) - else: - halfnum = numbersfont.render("1", 1, RED) - - - - if home_score == 0: - homenum = scorefont.render("0", 1, RED) - elif home_score == 1: - homenum = scorefont.render("1", 1, RED) - else: - homenum = scorefont.render("00", 1, RED) - - - if guest_score == 0: - guestnum = scorefont.render("0", 1, RED) - elif guest_score == 1: - guestnum = scorefont.render("1", 1, RED) - else: - guestnum = scorefont.render("00", 1, RED) - - homeshots = numbersfont.render(str(home_shots), 1, RED) - screen.blit(homeshots, (320, 110)) - - - - screen.blit(guestnum, (477, 57)) - screen.blit(homenum, (335, 57)) - screen.blit(halfnum, (418, 82)) - GUEST = myfont.render("GUEST", 1, (255, 255, 255,)) - screen.blit(GUEST, (450, 43)) - HALF = myfont.render("HALF", 1, WHITE) - screen.blit(HALF, (370, 82)) - SHOTS = smallerfont.render("SHOTS", 1, WHITE) - screen.blit(SHOTS, (310, 100)) - screen.blit(SHOTS, (415, 100)) - SAVES = smallerfont.render("SAVES", 1, WHITE) - screen.blit(SAVES, (355, 100)) - screen.blit(SAVES, (460, 100)) - - - #goal - pygame.draw.rect(screen, WHITE, [320, 140, 160, 80], 5) - pygame.draw.line(screen, WHITE, [340, 200], [460, 200], 3) - pygame.draw.line(screen, WHITE, [320, 220], [340, 200], 3) - pygame.draw.line(screen, WHITE, [480, 220], [460, 200], 3) - pygame.draw.line(screen, WHITE, [320, 140], [340, 200], 3) - pygame.draw.line(screen, WHITE, [480, 140], [460, 200], 3) - - - - #6 yard line goal box - pygame.draw.line(screen, WHITE, [310, 220], [270, 270], 3) - pygame.draw.line(screen, WHITE, [270, 270], [530, 270], 2) - pygame.draw.line(screen, WHITE, [530, 270], [490, 220], 3) - - #light pole 1 - pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) - pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) - - #lights - pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) - pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) - pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) - pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) - pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) - - #light pole 2 - pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) - pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) - - #lights - - - pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) - pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) - pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) - pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) - pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - - #net - pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) - - #net part 2 - pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) - pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) - pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) - pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) - pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) - pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) - pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) - pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) - - #net part 3 - pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) - pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) - pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) - pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) - pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) - pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) - pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) - pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) - - #net part 4 - pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) - pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) - pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) - pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) - pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) - pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) - pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) - pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) - pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) - pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) - pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) - pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) - pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) - pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) - - #goalie - screen.blit(img,(goalie_x, goalie_y)) - - #stands right - pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) - pygame.draw.polygon(screen, WHITE, [[680, 180], [800, 100], [800, 290]]) - - - #stands left - pygame.draw.polygon(screen, RED, [[120, 220], [0, 340], [0, 290], [120, 180]]) - pygame.draw.polygon(screen, WHITE, [[120, 180], [0, 100], [0, 290]]) - #people - - - #corner flag right - pygame.draw.line(screen, BRIGHT_YELLOW, [140, 220], [135, 190], 3) - pygame.draw.polygon(screen, RED, [[132, 190], [125, 196], [135, 205]]) - - #corner flag left - pygame.draw.line(screen, BRIGHT_YELLOW, [660, 220], [665, 190], 3) - pygame.draw.polygon(screen, RED, [[668, 190], [675, 196], [665, 205]]) - - - #soccerball - screen.blit(img_b, (ball_x, ball_y)) - # DARKNESS - if not day and not lights_on: - screen.blit(DARKNESS, (0, 0)) - - #pygame.draw.polygon(screen, BLACK, [[200, 200], [50,400], [600, 500]], 10) - - ''' angles for arcs are measured in radians (a pre-cal topic) ''' - #pygame.draw.arc(screen, ORANGE, [100, 100, 100, 100], 0, math.pi/2, 1) - #pygame.draw.arc(screen, BLACK, [100, 100, 100, 100], 0, math.pi/2, 50) - - - # Update screen (Actually draw the picture in the window.) - pygame.display.flip() - - - # Limit refresh rate of game loop - clock.tick(refresh_rate) - - -# Close window and quit -pygame.quit() +# Imports +import pygame +import math +import random + +# Initialize game engine +pygame.init() + + +# Window +SIZE = (800, 600) +TITLE = "Major League Soccer" +screen = pygame.display.set_mode(SIZE) +pygame.display.set_caption(TITLE) + + +# Timer +clock = pygame.time.Clock() +refresh_rate = 60 + + +# Colors +''' add colors you use as RGB values here ''' +RED = (255, 0, 0) +GREEN = (52, 166, 36) +BLUE = (29, 116, 248) +WHITE = (255, 255, 255) +BLACK = (0, 0, 0) +ORANGE = (255, 125, 0) +DARK_BLUE = (18, 0, 91) +DARK_GREEN = (0, 94, 0) +GRAY = (130, 130, 130) +YELLOW = (255, 255, 110) +SILVER = (200, 200, 200) +DAY_GREEN = (41, 129, 29) +NIGHT_GREEN = (0, 64, 0) +BRIGHT_YELLOW = (255, 244, 47) +NIGHT_GRAY = (104, 98, 115) +ck = (127, 33, 33) + +#fonts +myfont = pygame.font.SysFont("monospace", 14) +smallerfont = pygame.font.SysFont("monospace", 10) +largefont = pygame.font.SysFont("monospace", 22) +numbersfont = pygame.font.SysFont("impact", 12) +largenumberfont = pygame.font.SysFont("impact", 30) +scorefont = pygame.font.SysFont("impact", 20) + +#images +img = pygame.image.load('goalie.png') +img_b = pygame.image.load('soccer_ball.png') + +DARKNESS = pygame.Surface(SIZE) +DARKNESS.set_alpha(200) +DARKNESS.fill((0, 0, 0)) + +SEE_THROUGH = pygame.Surface((800, 180)) +SEE_THROUGH.set_alpha(150) +SEE_THROUGH.fill((124, 118, 135)) + +def draw_cloud(x, y): + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x, y + 8, 10, 10]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 6, y + 4, 8, 8]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 10, y, 16, 16]) + pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 20, y + 8, 10, 10]) + pygame.draw.rect(SEE_THROUGH, cloud_color, [x + 6, y + 8, 18, 10]) + + +# Config +lights_on = True +day = True + +stars = [] +for n in range(200): + x = random.randrange(0, 800) + y = random.randrange(0, 200) + r = random.randrange(1, 2) + stars.append([x, y, r, r]) + +clouds = [] +for i in range(20): + x = random.randrange(-100, 1600) + y = random.randrange(0, 150) + clouds.append([x, y]) + + +seconds = 45 * 60 +ticks = 0 + +home_shots = 0 +guest_shots = 0 +home_saves = 0 +guest_saves = 0 +home_score = 0 +guest_score = 0 +goalie_x = 350 +goalie_y = 150 +ball_x = 400 +ball_y = 400 + +# Game loop +done = False + +while not done: + # Event processing (React to key presses, mouse clicks, etc.) + ''' for now, we'll just check to see if the X is clicked ''' + for event in pygame.event.get(): + if event.type == pygame.QUIT: + done = True + elif event.type == pygame.KEYDOWN: + if event.key == pygame.K_l: + lights_on = not lights_on + elif event.key == pygame.K_n: + day = not day + + + + + state = pygame.key.get_pressed() + + left = state[pygame.K_LEFT] + right = state[pygame.K_RIGHT] + a = state[pygame.K_a] + s = state[pygame.K_s] + d = state[pygame.K_d] + w = state[pygame.K_w] + + + # Game logic (Check for collisions, update points, etc.) + ''' leave this section alone for now ''' + if lights_on: + light_color = YELLOW + else: + light_color = SILVER + + if day: + sky_color = BLUE + field_color = GREEN + stripe_color = DAY_GREEN + cloud_color = WHITE + else: + sky_color = DARK_BLUE + field_color = DARK_GREEN + stripe_color = NIGHT_GREEN + cloud_color = NIGHT_GRAY + + for c in clouds: + c[0] -= 0.5 + + if c[0] < -100: + c[0] = random.randrange(800, 1600) + c[1] = random.randrange(0, 150) + + ticks += 1 + if ticks == 60: + seconds -= 1 + ticks = 0 + + if left == True and goalie_x >= 300: + goalie_x -= 2 + elif right == True and goalie_x <= 400: + goalie_x += 2 + + if a == True and ball_x >=0: + ball_x -= 4 + elif s == True and ball_y <= 600: + ball_y += 4 + elif d == True and ball_x <= 750: + ball_x += 4 + elif w == True and ball_y >= 200: + ball_y -= 4 + + + # Drawing code (Describe the picture. It isn't actually drawn yet.) + screen.fill(sky_color) + SEE_THROUGH.fill(ck) + SEE_THROUGH.set_colorkey(ck) + + if not day: + #stars + for s in stars: + pygame.draw.ellipse(screen, WHITE, s) + + + + + pygame.draw.rect(screen, field_color, [0, 180, 800 , 420]) + pygame.draw.rect(screen, stripe_color, [0, 180, 800, 42]) + pygame.draw.rect(screen, stripe_color, [0, 264, 800, 52]) + pygame.draw.rect(screen, stripe_color, [0, 368, 800, 62]) + pygame.draw.rect(screen, stripe_color, [0, 492, 800, 82]) + + + '''fence''' + y = 170 + for x in range(5, 800, 30): + pygame.draw.polygon(screen, NIGHT_GRAY, [[x + 2, y], [x + 2, y + 15], [x, y + 15], [x, y]]) + + y = 170 + for x in range(5, 800, 3): + pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x, y + 15], 1) + + x = 0 + for y in range(170, 185, 4): + pygame.draw.line(screen, NIGHT_GRAY, [x, y], [x + 800, y], 1) + + if day: + pygame.draw.ellipse(screen, BRIGHT_YELLOW, [520, 50, 40, 40]) + else: + pygame.draw.ellipse(screen, WHITE, [520, 50, 40, 40]) + pygame.draw.ellipse(screen, sky_color, [530, 45, 40, 40]) + + + + for c in clouds: + draw_cloud(c[0], c[1]) + screen.blit(SEE_THROUGH, (0, 0)) + + + #banner + pygame.draw.polygon(screen, BLACK, [[300, 100], [360, 40], [360, 160]]) + + #out of bounds lines + pygame.draw.line(screen, WHITE, [0, 580], [800, 580], 5) + #left + pygame.draw.line(screen, WHITE, [0, 360], [140, 220], 5) + pygame.draw.line(screen, WHITE, [140, 220], [660, 220], 3) + #right + pygame.draw.line(screen, WHITE, [660, 220], [800, 360], 5) + + #safety circle + pygame.draw.ellipse(screen, WHITE, [240, 500, 320, 160], 5) + + #18 yard line goal box + pygame.draw.line(screen, WHITE, [260, 220], [180, 300], 5) + pygame.draw.line(screen, WHITE, [180, 300], [620, 300], 3) + pygame.draw.line(screen, WHITE, [620, 300], [540, 220], 5) + + #arc at the top of the goal box + pygame.draw.arc(screen, WHITE, [330, 280, 140, 40], math.pi, 2 * math.pi, 5) + + #score board pole + pygame.draw.rect(screen, GRAY, [390, 120, 20, 70]) + + #score board + pygame.draw.rect(screen, BLACK, [300, 40, 200, 90]) + pygame.draw.rect(screen, WHITE, [300, 40, 200, 90], 2) + pygame.draw.rect(screen, WHITE, [360, 44, 80, 35], 2) + #home score + pygame.draw.rect(screen, WHITE, [310, 60, 40, 20], 2) + #away score + pygame.draw.rect(screen, WHITE, [450, 60, 40, 20], 2) + #half box + pygame.draw.rect(screen, WHITE, [410, 82, 20, 15], 2) + #shots box + pygame.draw.rect(screen, WHITE, [312, 110, 25, 15], 1) + pygame.draw.rect(screen, WHITE, [417, 110, 25, 15], 1) + #saves box + pygame.draw.rect(screen, WHITE, [357, 110, 25, 15], 1) + pygame.draw.rect(screen, WHITE, [462, 110, 25, 15], 1) + #pygame.draw.rect(screen, WHITE, [ + + HOME = myfont.render("HOME", 1, (255, 255, 255)) + screen.blit(HOME, (313, 43)) + + + m = seconds // 60 + s = seconds % 60 + m = str(m) + if s < 10: + s = "0" + str(s) + else: + s = str(s) + time_str = m + ":" + s + + + timer = largenumberfont.render(time_str, 1, RED) + screen.blit(timer, (368, 43)) + + if m == 0: + halfnum = numbersfont.render("2", 1, RED) + else: + halfnum = numbersfont.render("1", 1, RED) + + + + if home_score == 0: + homenum = scorefont.render("0", 1, RED) + elif home_score == 1: + homenum = scorefont.render("1", 1, RED) + else: + homenum = scorefont.render("00", 1, RED) + + + if guest_score == 0: + guestnum = scorefont.render("0", 1, RED) + elif guest_score == 1: + guestnum = scorefont.render("1", 1, RED) + else: + guestnum = scorefont.render("00", 1, RED) + + homeshots = numbersfont.render(str(home_shots), 1, RED) + screen.blit(homeshots, (320, 110)) + + + + screen.blit(guestnum, (477, 57)) + screen.blit(homenum, (335, 57)) + screen.blit(halfnum, (418, 82)) + GUEST = myfont.render("GUEST", 1, (255, 255, 255,)) + screen.blit(GUEST, (450, 43)) + HALF = myfont.render("HALF", 1, WHITE) + screen.blit(HALF, (370, 82)) + SHOTS = smallerfont.render("SHOTS", 1, WHITE) + screen.blit(SHOTS, (310, 100)) + screen.blit(SHOTS, (415, 100)) + SAVES = smallerfont.render("SAVES", 1, WHITE) + screen.blit(SAVES, (355, 100)) + screen.blit(SAVES, (460, 100)) + + + #goal + pygame.draw.rect(screen, WHITE, [320, 140, 160, 80], 5) + pygame.draw.line(screen, WHITE, [340, 200], [460, 200], 3) + pygame.draw.line(screen, WHITE, [320, 220], [340, 200], 3) + pygame.draw.line(screen, WHITE, [480, 220], [460, 200], 3) + pygame.draw.line(screen, WHITE, [320, 140], [340, 200], 3) + pygame.draw.line(screen, WHITE, [480, 140], [460, 200], 3) + + + + #6 yard line goal box + pygame.draw.line(screen, WHITE, [310, 220], [270, 270], 3) + pygame.draw.line(screen, WHITE, [270, 270], [530, 270], 2) + pygame.draw.line(screen, WHITE, [530, 270], [490, 220], 3) + + #light pole 1 + pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) + pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) + + #lights + pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) + pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) + pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) + pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) + pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) + + #light pole 2 + pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) + pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) + + #lights + + + pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) + pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) + pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) + pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) + pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) + pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) + pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) + + #net + pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) + pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) + pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) + pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) + pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) + pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) + pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) + pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) + pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) + pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) + pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) + pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) + pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) + pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) + pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) + pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) + pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) + pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) + pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) + pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) + pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) + pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) + pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) + pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) + pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) + pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) + pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) + pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) + pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) + pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) + + #net part 2 + pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) + pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) + pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) + pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) + pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) + pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) + pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) + pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) + + #net part 3 + pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) + pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) + pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) + pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) + pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) + pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) + pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) + pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) + + #net part 4 + pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) + pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) + pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) + pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) + pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) + pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) + pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) + pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) + pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) + pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) + pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) + pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) + pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) + pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + + #goalie + screen.blit(img,(goalie_x, goalie_y)) + + #stands right + pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) + pygame.draw.polygon(screen, WHITE, [[680, 180], [800, 100], [800, 290]]) + + + #stands left + pygame.draw.polygon(screen, RED, [[120, 220], [0, 340], [0, 290], [120, 180]]) + pygame.draw.polygon(screen, WHITE, [[120, 180], [0, 100], [0, 290]]) + #people + + + #corner flag right + pygame.draw.line(screen, BRIGHT_YELLOW, [140, 220], [135, 190], 3) + pygame.draw.polygon(screen, RED, [[132, 190], [125, 196], [135, 205]]) + + #corner flag left + pygame.draw.line(screen, BRIGHT_YELLOW, [660, 220], [665, 190], 3) + pygame.draw.polygon(screen, RED, [[668, 190], [675, 196], [665, 205]]) + + + #soccerball + screen.blit(img_b, (ball_x, ball_y)) + # DARKNESS + if not day and not lights_on: + screen.blit(DARKNESS, (0, 0)) + + #pygame.draw.polygon(screen, BLACK, [[200, 200], [50,400], [600, 500]], 10) + + ''' angles for arcs are measured in radians (a pre-cal topic) ''' + #pygame.draw.arc(screen, ORANGE, [100, 100, 100, 100], 0, math.pi/2, 1) + #pygame.draw.arc(screen, BLACK, [100, 100, 100, 100], 0, math.pi/2, 50) + + + # Update screen (Actually draw the picture in the window.) + pygame.display.flip() + + + # Limit refresh rate of game loop + clock.tick(refresh_rate) + + +# Close window and quit +pygame.quit() diff --git a/README.md b/README.md index 3639276..6282364 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,2 @@ # stuff -test again \ No newline at end of file diff --git a/dc_superheroes.txt b/dc_superheroes.txt deleted file mode 100644 index 4fae1f9..0000000 --- a/dc_superheroes.txt +++ /dev/null @@ -1,51 +0,0 @@ -Alfred Pennyworth -Amethyst -Aquaman -Arsenal -Atom -Batgirl -Batman -Batwoman -Beast Boy -Big Barda -Black Canary -Blue Beetle -Booster Gold -Commissioner James Gordon -Cyborg -Damian Wayne -Deadman -Firestorm -Green Arrow -Green Lantern -Green Lantern Corps -Harvey Bullock -Hawkgirl -Hawkman -Jay Garrick -Jimmy Olsen -Justice League -Krypto -Lucius Fox -Martian Manhunter -Mera -Midnighter -Mister Miracle -Nightwing -Pandora -Plastic Man -Raven -Rick Flag -Rip Hunter -Robin -SHAZAM! -Starfire -Superboy -Supergirl -Superman -Swamp Thing -The Flash -Titans -Vixen -Wonder Woman -Zatanna \ No newline at end of file diff --git a/scrabble_list.txt b/scrabble_list.txt deleted file mode 100644 index b15086f..0000000 --- a/scrabble_list.txt +++ /dev/null @@ -1,84009 +0,0 @@ -aa -aah -aahed -aahing -aahs -aal -aalii -aaliis -aals -aardvark -aardwolf -aargh -aarrgh -aarrghh -aas -aasvogel -ab -aba -abaca -abacas -abaci -aback -abacus -abacuses -abaft -abaka -abakas -abalone -abalones -abamp -abampere -abamps -abandon -abandons -abapical -abas -abase -abased -abasedly -abaser -abasers -abases -abash -abashed -abashes -abashing -abasia -abasias -abasing -abatable -abate -abated -abater -abaters -abates -abating -abatis -abatises -abator -abators -abattis -abattoir -abaxial -abaxile -abaya -abayas -abba -abbacies -abbacy -abbas -abbatial -abbe -abbes -abbess -abbesses -abbey -abbeys -abbot -abbotcy -abbots -abdicate -abdomen -abdomens -abdomina -abduce -abduced -abducens -abducent -abduces -abducing -abduct -abducted -abductee -abductor -abducts -abeam -abed -abegging -abele -abeles -abelia -abelian -abelias -abelmosk -aberrant -abet -abetment -abets -abettal -abettals -abetted -abetter -abetters -abetting -abettor -abettors -abeyance -abeyancy -abeyant -abfarad -abfarads -abhenry -abhenrys -abhor -abhorred -abhorrer -abhors -abidance -abide -abided -abider -abiders -abides -abiding -abigail -abigails -ability -abioses -abiosis -abiotic -abject -abjectly -abjure -abjured -abjurer -abjurers -abjures -abjuring -ablate -ablated -ablates -ablating -ablation -ablative -ablator -ablators -ablaut -ablauts -ablaze -able -abled -ablegate -ableism -ableisms -ableist -ableists -abler -ables -ablest -ablings -ablins -abloom -abluent -abluents -ablush -abluted -ablution -ably -abmho -abmhos -abnegate -abnormal -abo -aboard -abode -aboded -abodes -aboding -abohm -abohms -aboideau -aboil -aboiteau -abolish -abolla -abollae -aboma -abomas -abomasa -abomasal -abomasi -abomasum -abomasus -aboon -aboral -aborally -aborning -abort -aborted -aborter -aborters -aborting -abortion -abortive -aborts -abortus -abos -abought -aboulia -aboulias -aboulic -abound -abounded -abounds -about -above -aboves -abrachia -abradant -abrade -abraded -abrader -abraders -abrades -abrading -abrasion -abrasive -abreact -abreacts -abreast -abri -abridge -abridged -abridger -abridges -abris -abroach -abroad -abrogate -abrosia -abrosias -abrupt -abrupter -abruptly -abs -abscess -abscise -abscised -abscises -abscisin -abscissa -abscond -absconds -abseil -abseiled -abseils -absence -absences -absent -absented -absentee -absenter -absently -absents -absinth -absinthe -absinths -absolute -absolve -absolved -absolver -absolves -absonant -absorb -absorbed -absorber -absorbs -abstain -abstains -absterge -abstract -abstrict -abstruse -absurd -absurder -absurdly -absurds -abubble -abulia -abulias -abulic -abundant -abusable -abuse -abused -abuser -abusers -abuses -abusing -abusive -abut -abutilon -abutment -abuts -abuttal -abuttals -abutted -abutter -abutters -abutting -abuzz -abvolt -abvolts -abwatt -abwatts -aby -abye -abyes -abying -abys -abysm -abysmal -abysms -abyss -abyssal -abysses -acacia -acacias -academe -academes -academia -academic -academy -acajou -acajous -acaleph -acalephe -acalephs -acantha -acanthae -acanthi -acanthus -acapnia -acapnias -acarbose -acari -acarid -acaridan -acarids -acarine -acarines -acaroid -acarpous -acarus -acaudal -acaudate -acauline -acaulose -acaulous -accede -acceded -acceder -acceders -accedes -acceding -accent -accented -accentor -accents -accept -accepted -acceptee -accepter -acceptor -accepts -access -accessed -accesses -accident -accidia -accidias -accidie -accidies -acclaim -acclaims -accolade -accord -accorded -accorder -accords -accost -accosted -accosts -account -accounts -accouter -accoutre -accredit -accrete -accreted -accretes -accrual -accruals -accrue -accrued -accrues -accruing -accuracy -accurate -accursed -accurst -accusal -accusals -accusant -accuse -accused -accuser -accusers -accuses -accusing -accustom -ace -aced -acedia -acedias -aceldama -acentric -acequia -acequias -acerate -acerated -acerb -acerbate -acerber -acerbest -acerbic -acerbity -acerola -acerolas -acerose -acerous -acervate -acervuli -aces -acescent -aceta -acetal -acetals -acetamid -acetate -acetated -acetates -acetic -acetify -acetin -acetins -acetone -acetones -acetonic -acetose -acetous -acetoxyl -acetum -acetyl -acetylic -acetyls -ache -ached -achene -achenes -achenial -aches -achier -achiest -achieve -achieved -achiever -achieves -achillea -achiness -aching -achingly -achiote -achiotes -achiral -acholia -acholias -achoo -achromat -achromic -achy -acicula -aciculae -acicular -aciculas -aciculum -acid -acidemia -acidhead -acidic -acidify -acidity -acidly -acidness -acidoses -acidosis -acidotic -acids -aciduria -acidy -acierate -aciform -acinar -acing -acini -acinic -acinose -acinous -acinus -ackee -ackees -aclinic -acmatic -acme -acmes -acmic -acne -acned -acnes -acnode -acnodes -acock -acoelous -acold -acolyte -acolytes -aconite -aconites -aconitic -aconitum -acorn -acorned -acorns -acoustic -acquaint -acquest -acquests -acquire -acquired -acquiree -acquirer -acquires -acquit -acquits -acrasia -acrasias -acrasin -acrasins -acre -acreage -acreages -acred -acres -acrid -acrider -acridest -acridine -acridity -acridly -acrimony -acrobat -acrobats -acrodont -acrogen -acrogens -acrolect -acrolects -acrolein -acrolith -acromia -acromial -acromion -acronic -acronym -acronyms -acrosome -across -acrostic -acrotic -acrotism -acrylate -acrylic -acrylics -act -acta -actable -acted -actin -actinal -acting -actings -actinia -actiniae -actinian -actinias -actinic -actinide -actinism -actinium -actinoid -actinon -actinons -actins -action -actioner -actions -activate -active -actively -actives -activism -activist -activity -activize -actor -actorish -actorly -actors -actress -actressy -acts -actual -actually -actuary -actuate -actuated -actuates -actuator -acuate -acuities -acuity -aculeate -aculei -aculeus -acumen -acumens -acutance -acute -acutely -acuter -acutes -acutest -acyclic -acyl -acylate -acylated -acylates -acyloin -acyloins -acyls -ad -adage -adages -adagial -adagio -adagios -adamance -adamancy -adamant -adamants -adamsite -adapt -adapted -adapter -adapters -adapting -adaption -adaptive -adaptor -adaptors -adapts -adaxial -add -addable -addax -addaxes -added -addedly -addend -addenda -addends -addendum -adder -adders -addible -addict -addicted -addicts -adding -addition -additive -additory -addle -addled -addles -addling -address -addrest -adds -adduce -adduced -adducent -adducer -adducers -adduces -adducing -adduct -adducted -adductor -adducts -adeem -adeemed -adeeming -adeems -adenine -adenines -adenitis -adenoid -adenoids -adenoma -adenomas -adenoses -adenosis -adenyl -adenyls -adept -adepter -adeptest -adeptly -adepts -adequacy -adequate -adhere -adhered -adherend -adherent -adherer -adherers -adheres -adhering -adhesion -adhesive -adhibit -adhibits -adieu -adieus -adieux -adios -adipic -adipose -adiposes -adiposis -adipous -adit -adits -adjacent -adjoin -adjoined -adjoins -adjoint -adjoints -adjourn -adjourns -adjudge -adjudged -adjudges -adjunct -adjuncts -adjure -adjured -adjurer -adjurers -adjures -adjuring -adjuror -adjurors -adjust -adjusted -adjuster -adjustor -adjusts -adjutant -adjuvant -adman -admass -admasses -admen -admiral -admirals -admire -admired -admirer -admirers -admires -admiring -admit -admits -admitted -admittee -admitter -admix -admixed -admixes -admixing -admixt -admonish -adnate -adnation -adnexa -adnexal -adnoun -adnouns -ado -adobe -adobes -adobo -adobos -adonis -adonises -adopt -adopted -adoptee -adoptees -adopter -adopters -adopting -adoption -adoptive -adopts -adorable -adorably -adore -adored -adorer -adorers -adores -adoring -adorn -adorned -adorner -adorners -adorning -adorns -ados -adown -adoze -adrenal -adrenals -adrift -adroit -adroiter -adroitly -ads -adscript -adsorb -adsorbed -adsorber -adsorbers -adsorbs -adularia -adulate -adulated -adulates -adulator -adult -adultery -adultly -adults -adumbral -adunc -aduncate -aduncous -adust -advance -advanced -advancer -advances -advect -advected -advects -advent -advents -adverb -adverbs -adverse -advert -adverted -adverts -advice -advices -advise -advised -advisee -advisees -adviser -advisers -advises -advising -advisor -advisors -advisory -advocacy -advocate -advowson -adwoman -adwomen -adynamia -adynamic -adyta -adytum -adz -adze -adzed -adzes -adzing -adzuki -adzukis -ae -aecia -aecial -aecidia -aecidial -aecidium -aecium -aedes -aedile -aediles -aedine -aegis -aegises -aeneous -aeneus -aeolian -aeon -aeonian -aeonic -aeons -aequorin -aerate -aerated -aerates -aerating -aeration -aerator -aerators -aerial -aerially -aerials -aerie -aeried -aerier -aeries -aeriest -aerified -aerifies -aeriform -aerify -aerily -aero -aerobat -aerobats -aerobe -aerobes -aerobia -aerobic -aerobics -aerobium -aeroduct -aerodyne -aerofoil -aerogel -aerogels -aerogram -aerolite -aerolith -aerology -aeronaut -aeronomy -aerosat -aerosats -aerosol -aerosols -aerostat -aerugo -aerugos -aery -aesthete -aestival -aether -aetheric -aethers -afar -afars -afeard -afeared -afebrile -aff -affable -affably -affair -affaire -affaires -affairs -affect -affected -affecter -affects -afferent -affiance -affiant -affiants -affiche -affiches -affinal -affine -affined -affinely -affines -affinity -affirm -affirmed -affirmer -affirms -affix -affixal -affixed -affixer -affixers -affixes -affixial -affixing -afflatus -afflict -afflicts -affluent -afflux -affluxes -afford -afforded -affords -afforest -affray -affrayed -affrayer -affrays -affright -affront -affronts -affusion -afghan -afghani -afghanis -afghans -afield -afire -aflame -afloat -aflutter -afoot -afore -afoul -afraid -afreet -afreets -afresh -afrit -afrits -aft -after -afters -aftertax -aftmost -aftosa -aftosas -ag -aga -again -against -agalloch -agalwood -agama -agamas -agamete -agametes -agamic -agamid -agamids -agamous -agapae -agapai -agape -agapeic -agapes -agar -agaric -agarics -agarose -agaroses -agars -agas -agate -agates -agatize -agatized -agatizes -agatoid -agave -agaves -agaze -age -aged -agedly -agedness -agee -ageing -ageings -ageism -ageisms -ageist -ageists -ageless -agelong -agemate -agemates -agencies -agency -agenda -agendas -agendum -agendums -agene -agenes -ageneses -agenesia -agenesis -agenetic -agenize -agenized -agenizes -agent -agented -agential -agenting -agentings -agentive -agentry -agents -ager -ageratum -agers -ages -aggada -aggadah -aggadahs -aggadas -aggadic -aggadot -aggadoth -agger -aggers -aggie -aggies -aggrade -aggraded -aggrades -aggress -aggrieve -aggro -aggros -agha -aghas -aghast -agile -agilely -agility -agin -aging -agings -aginner -aginners -agio -agios -agiotage -agism -agisms -agist -agisted -agisting -agists -agita -agitable -agitas -agitate -agitated -agitates -agitato -agitator -agitprop -aglare -agleam -aglee -aglet -aglets -agley -aglimmer -aglitter -aglow -agly -aglycon -aglycone -aglycons -agma -agmas -agminate -agnail -agnails -agnate -agnates -agnatic -agnation -agnize -agnized -agnizes -agnizing -agnomen -agnomens -agnomina -agnosia -agnosias -agnostic -ago -agog -agon -agonal -agone -agones -agonic -agonies -agonise -agonised -agonises -agonist -agonists -agonize -agonized -agonizes -agons -agony -agora -agorae -agoras -agorot -agoroth -agouti -agouties -agoutis -agouty -agrafe -agrafes -agraffe -agraffes -agrapha -agraphia -agraphic -agrarian -agravic -agree -agreed -agreeing -agrees -agrestal -agrestic -agria -agrias -agrimony -agrology -agronomy -aground -agrypnia -ags -aguacate -ague -aguelike -agues -agueweed -aguish -aguishly -ah -aha -ahchoo -ahead -ahed -ahem -ahi -ahimsa -ahimsas -ahing -ahis -ahold -aholds -ahorse -ahoy -ahs -ahull -ai -aiblins -aid -aide -aided -aider -aiders -aides -aidful -aiding -aidless -aidman -aidmen -aids -aiglet -aiglets -aigret -aigrets -aigrette -aiguille -aikido -aikidos -ail -ailed -aileron -ailerons -ailing -ailment -ailments -ails -aim -aimed -aimer -aimers -aimful -aimfully -aiming -aimless -aims -ain -ains -ainsell -ainsells -aioli -aiolis -air -airbag -airbags -airboat -airboats -airborne -airbound -airbrush -airburst -airbus -airbuses -aircheck -aircoach -aircraft -aircrew -aircrews -airdate -airdates -airdrome -airdrop -airdrops -aired -airer -airers -airest -airfare -airfares -airfield -airflow -airflows -airfoil -airfoils -airframe -airglow -airglows -airhead -airheads -airhole -airholes -airier -airiest -airily -airiness -airing -airings -airless -airlift -airlifts -airlike -airline -airliner -airlines -airmail -airmails -airman -airmen -airn -airns -airpark -airparks -airplane -airplay -airplays -airport -airports -airpost -airposts -airpower -airpowers -airproof -airs -airscape -airscrew -airshed -airsheds -airship -airships -airshot -airshots -airshow -airshows -airsick -airspace -airspeed -airstrip -airt -airted -airth -airthed -airthing -airths -airtight -airtime -airtimes -airting -airts -airward -airwave -airwaves -airway -airways -airwise -airwoman -airwomen -airy -ais -aisle -aisled -aisles -aisleway -aisleways -ait -aitch -aitches -aits -aiver -aivers -ajar -ajee -ajiva -ajivas -ajowan -ajowans -ajuga -ajugas -akee -akees -akela -akelas -akene -akenes -akimbo -akin -akinesia -akinetic -akvavit -akvavits -al -ala -alachlor -alack -alacrity -alae -alameda -alamedas -alamo -alamode -alamodes -alamos -alan -aland -alands -alane -alang -alanin -alanine -alanines -alanins -alans -alant -alants -alanyl -alanyls -alar -alarm -alarmed -alarming -alarmism -alarmist -alarms -alarum -alarumed -alarums -alary -alas -alaska -alaskas -alastor -alastors -alate -alated -alates -alation -alations -alb -alba -albacore -albas -albata -albatas -albedo -albedoes -albedos -albeit -albicore -albinal -albinic -albinism -albino -albinos -albite -albites -albitic -albizia -albizias -albizzia -albs -album -albumen -albumens -albumin -albumins -albumose -albums -alburnum -alcade -alcades -alcahest -alcaic -alcaics -alcaide -alcaides -alcalde -alcaldes -alcayde -alcaydes -alcazar -alcazars -alchemic -alchemy -alchymy -alcid -alcidine -alcids -alcohol -alcohols -alcove -alcoved -alcoves -aldehyde -alder -alderfly -alderman -aldermen -alders -aldicarb -aldol -aldolase -aldols -aldose -aldoses -aldrin -aldrins -ale -aleatory -alec -alecs -alee -alef -alefs -alegar -alegars -alehouse -alembic -alembics -alencon -alencons -aleph -alephs -alert -alerted -alerter -alertest -alerting -alertly -alerts -ales -aleuron -aleurone -aleurons -alevin -alevins -alewife -alewives -alexia -alexias -alexin -alexine -alexines -alexins -alfa -alfaki -alfakis -alfalfa -alfalfas -alfaqui -alfaquin -alfaquis -alfas -alforja -alforjas -alfredo -alfresco -alga -algae -algal -algaroba -algas -algebra -algebras -algerine -algicide -algid -algidity -algin -alginate -algins -algoid -algology -algor -algorism -algors -algum -algums -alias -aliases -aliasing -alibi -alibied -alibies -alibiing -alibis -alible -alidad -alidade -alidades -alidads -alien -alienage -alienate -aliened -alienee -alienees -aliener -alieners -aliening -alienism -alienist -alienly -alienor -alienors -aliens -alif -aliform -alifs -alight -alighted -alights -align -aligned -aligner -aligners -aligning -aligns -alike -aliment -aliments -alimony -aline -alined -aliner -aliners -alines -alining -aliped -alipeds -aliquant -aliquot -aliquots -alist -alit -aliunde -alive -aliya -aliyah -aliyahs -aliyas -aliyos -aliyot -alizarin -alkahest -alkali -alkalic -alkalies -alkalify -alkalin -alkaline -alkalis -alkalise -alkalize -alkaloid -alkane -alkanes -alkanet -alkanets -alkene -alkenes -alkie -alkies -alkine -alkines -alkoxide -alkoxides -alkoxy -alky -alkyd -alkyds -alkyl -alkylate -alkylic -alkyls -alkyne -alkynes -all -allanite -allay -allayed -allayer -allayers -allaying -allays -allee -allees -allege -alleged -alleger -allegers -alleges -alleging -allegory -allegro -allegros -allele -alleles -allelic -allelism -alleluia -allergen -allergic -allergin -allergy -alley -alleys -alleyway -allheal -allheals -alliable -alliance -allicin -allicins -allied -allies -allium -alliums -allobar -allobars -allocate -allod -allodia -allodial -allodium -allods -allogamy -allonge -allonges -allonym -allonyms -allopath -allosaur -allot -allots -allotted -allottee -allotter -allotype -allotypy -allover -allovers -allow -allowed -allowing -allows -alloxan -alloxans -alloy -alloyed -alloying -alloys -alls -allseed -allseeds -allsorts -allspice -allude -alluded -alludes -alluding -allure -allured -allurer -allurers -allures -alluring -allusion -allusive -alluvia -alluvial -alluvion -alluvium -ally -allying -allyl -allylic -allyls -alma -almagest -almah -almahs -almanac -almanack -almanacs -almas -alme -almeh -almehs -almemar -almemars -almes -almighty -almner -almners -almond -almonds -almondy -almoner -almoners -almonry -almost -alms -almsman -almsmen -almuce -almuces -almud -almude -almudes -almuds -almug -almugs -alnico -alnicos -alodia -alodial -alodium -aloe -aloes -aloetic -aloft -alogical -aloha -alohas -aloin -aloins -alone -along -aloof -aloofly -alopecia -alopecic -aloud -alow -alp -alpaca -alpacas -alpha -alphabet -alphas -alphorn -alphorns -alphosis -alphyl -alphyls -alpine -alpinely -alpines -alpinism -alpinist -alps -already -alright -als -alsike -alsikes -also -alt -altar -altars -alter -alterant -altered -alterer -alterers -altering -alterity -alters -althaea -althaeas -althea -altheas -altho -althorn -althorns -although -altitude -alto -altoist -altoists -altos -altruism -altruist -alts -aludel -aludels -alula -alulae -alular -alum -alumin -alumina -aluminas -alumine -alumines -aluminic -alumins -aluminum -alumna -alumnae -alumni -alumnus -alumroot -alums -alunite -alunites -alveolar -alveoli -alveolus -alvine -alway -always -alyssum -alyssums -am -ama -amadavat -amadou -amadous -amah -amahs -amain -amalgam -amalgams -amandine -amanita -amanitas -amanitin -amaranth -amarelle -amaretti -amaretto -amarna -amarone -amarones -amas -amass -amassed -amasser -amassers -amasses -amassing -amateur -amateurs -amative -amatol -amatols -amatory -amaze -amazed -amazedly -amazes -amazing -amazon -amazons -ambage -ambages -ambari -ambaries -ambaris -ambary -ambeer -ambeers -amber -amberies -amberina -amberinas -amberoid -ambers -ambery -ambiance -ambience -ambient -ambients -ambit -ambition -ambits -ambivert -amble -ambled -ambler -amblers -ambles -ambling -ambo -amboina -amboinas -ambones -ambos -amboyna -amboynas -ambries -ambroid -ambroids -ambrosia -ambry -ambsace -ambsaces -ambulant -ambulate -ambush -ambushed -ambusher -ambushes -ameba -amebae -ameban -amebas -amebean -amebic -ameboid -ameer -ameerate -ameers -amelcorn -amen -amenable -amenably -amend -amended -amender -amenders -amending -amends -amenity -amens -ament -amentia -amentias -aments -amerce -amerced -amercer -amercers -amerces -amercing -amesace -amesaces -amethyst -ami -amia -amiable -amiably -amiantus -amias -amicable -amicably -amice -amices -amici -amicus -amid -amidase -amidases -amide -amides -amidic -amidin -amidine -amidines -amidins -amido -amidogen -amidol -amidols -amidone -amidones -amids -amidship -amidst -amie -amies -amiga -amigas -amigo -amigos -amin -amine -amines -aminic -aminity -amino -amins -amir -amirate -amirates -amirs -amis -amiss -amities -amitoses -amitosis -amitotic -amitrole -amity -ammeter -ammeters -ammine -ammines -ammino -ammo -ammocete -ammonal -ammonals -ammonia -ammoniac -ammonias -ammonic -ammonify -ammonite -ammonium -ammono -ammonoid -ammos -amnesia -amnesiac -amnesias -amnesic -amnesics -amnestic -amnesty -amnia -amnic -amnio -amnion -amnionic -amnions -amnios -amniote -amniotes -amniotic -amoeba -amoebae -amoeban -amoebas -amoebean -amoebic -amoeboid -amok -amoks -amole -amoles -among -amongst -amoral -amorally -amoretti -amoretto -amorini -amorino -amorist -amorists -amoroso -amorous -amort -amortise -amortize -amosite -amosites -amotion -amotions -amount -amounted -amounts -amour -amours -amp -amped -amperage -ampere -amperes -amphibia -amphioxi -amphipod -amphora -amphorae -amphoral -amphoras -amping -ample -ampler -amplest -amplexus -amplify -amply -ampoule -ampoules -amps -ampul -ampule -ampules -ampulla -ampullae -ampullar -ampuls -amputate -amputee -amputees -amreeta -amreetas -amrita -amritas -amtrac -amtrack -amtracks -amtracs -amu -amuck -amucks -amulet -amulets -amus -amusable -amuse -amused -amusedly -amuser -amusers -amuses -amusia -amusias -amusing -amusive -amygdala -amygdale -amygdule -amyl -amylase -amylases -amylene -amylenes -amylic -amylogen -amyloid -amyloids -amylose -amyloses -amyls -amylum -amylums -an -ana -anabaena -anabas -anabases -anabasis -anabatic -anableps -anabolic -anaconda -anadem -anadems -anaemia -anaemias -anaemic -anaerobe -anaglyph -anagoge -anagoges -anagogic -anagogy -anagram -anagrams -anal -analcime -analcite -analecta -analects -analemma -analgia -analgias -anality -anally -analog -analogic -analogs -analogue -analogy -analyse -analysed -analyser -analyses -analysis -analyst -analysts -analyte -analytes -analytic -analyze -analyzed -analyzer -analyzes -ananke -anankes -anapaest -anapest -anapests -anaphase -anaphor -anaphora -anaphors -anarch -anarchic -anarchs -anarchy -anas -anasarca -anatase -anatases -anathema -anatomic -anatomy -anatoxin -anatto -anattos -ancestor -ancestry -ancho -anchor -anchored -anchoret -anchors -anchos -anchovy -anchusa -anchusas -anchusin -ancient -ancients -ancilla -ancillae -ancillas -ancon -anconal -ancone -anconeal -ancones -anconoid -ancress -and -andante -andantes -andesite -andesyte -andiron -andirons -andro -androgen -android -androids -andros -ands -ane -anear -aneared -anearing -anears -anecdota -anecdote -anechoic -anele -aneled -aneles -aneling -anemia -anemias -anemic -anemone -anemones -anemoses -anemosis -anenst -anent -anergia -anergias -anergic -anergies -anergy -aneroid -aneroids -anes -anestri -anestrus -anethol -anethole -anethols -aneurin -aneurins -aneurism -aneurysm -anew -anga -angakok -angakoks -angaria -angarias -angaries -angary -angas -angel -angeled -angelic -angelica -angeling -angels -angelus -anger -angered -angering -angerly -angers -angina -anginal -anginas -anginose -anginous -angioma -angiomas -angle -angled -anglepod -angler -anglers -angles -anglice -angling -anglings -anglo -anglos -angora -angoras -angrier -angriest -angrily -angry -angst -angstrom -angsts -anguine -anguish -angular -angulate -angulose -angulous -anhinga -anhingas -ani -anil -anile -anilin -aniline -anilines -anilins -anility -anils -anima -animacy -animal -animalic -animally -animals -animas -animate -animated -animater -animates -animato -animator -anime -animes -animi -animis -animism -animisms -animist -animists -animus -animuses -anion -anionic -anions -anis -anise -aniseed -aniseeds -anises -anisette -anisic -anisole -anisoles -ankerite -ankh -ankhs -ankle -ankled -ankles -anklet -anklets -ankling -ankus -ankuses -ankush -ankushes -ankylose -anlace -anlaces -anlage -anlagen -anlages -anlas -anlases -anna -annal -annalist -annals -annas -annates -annatto -annattos -anneal -annealed -annealer -anneals -annelid -annelids -annex -annexe -annexed -annexes -annexing -annona -annonas -annotate -announce -annoy -annoyed -annoyer -annoyers -annoying -annoys -annual -annually -annuals -annuity -annul -annular -annulate -annulet -annulets -annuli -annulled -annulose -annuls -annulus -anoa -anoas -anodal -anodally -anode -anodes -anodic -anodize -anodized -anodizes -anodyne -anodynes -anodynic -anoint -anointed -anointer -anoints -anole -anoles -anolyte -anolytes -anomaly -anomic -anomie -anomies -anomy -anon -anonym -anonyms -anoopsia -anopia -anopias -anopsia -anopsias -anorak -anoraks -anoretic -anorexia -anorexic -anorexy -anorthic -anosmia -anosmias -anosmic -another -anovular -anoxemia -anoxemic -anoxia -anoxias -anoxic -ansa -ansae -ansate -ansated -anserine -anserous -answer -answered -answerer -answers -ant -anta -antacid -antacids -antae -antalgic -antas -antbear -antbears -ante -anteater -antecede -anted -antedate -anteed -antefix -antefixa -anteing -antelope -antenna -antennae -antennal -antennas -antepast -anterior -anteroom -antes -antetype -antevert -anthelia -anthelix -anthem -anthemed -anthemia -anthemic -anthems -anther -antheral -antherid -anthers -antheses -anthesis -anthill -anthills -anthodia -anthoid -anthrax -anti -antiacne -antiair -antiar -antiarin -antiars -antiatom -antibias -antibody -antiboss -antibug -antic -anticar -anticity -antick -anticked -anticks -anticly -anticold -antics -anticult -antidora -antidote -antidrug -antifat -antiflu -antifoam -antifog -antifur -antigang -antigay -antigen -antigene -antigens -antigun -antihero -antijam -antiking -antileak -antileft -antilife -antilock -antilog -antilogs -antilogy -antimale -antiman -antimask -antimere -antimine -antimony -anting -antings -antinode -antinome -antinomy -antinuke -antiphon -antipill -antipode -antipole -antipope -antiporn -antipot -antipyic -antique -antiqued -antiquer -antiques -antirape -antired -antiriot -antirock -antiroll -antirust -antis -antisag -antisera -antisex -antiship -antiskid -antislip -antismog -antismut -antisnob -antispam -antistat -antitank -antitax -antitype -antiwar -antiwear -antiweed -antler -antlered -antlers -antlike -antlion -antlions -antonym -antonyms -antonymy -antra -antral -antre -antres -antrorse -antrum -antrums -ants -antsier -antsiest -antsy -anural -anuran -anurans -anureses -anuresis -anuretic -anuria -anurias -anuric -anurous -anus -anuses -anvil -anviled -anviling -anvilled -anvils -anviltop -anxiety -anxious -any -anybody -anyhow -anymore -anyon -anyone -anyons -anyplace -anything -anytime -anyway -anyways -anywhere -anywise -aorist -aoristic -aorists -aorta -aortae -aortal -aortas -aortic -aoudad -aoudads -apace -apache -apaches -apagoge -apagoges -apagogic -apanage -apanages -aparejo -aparejos -apart -apatetic -apathies -apathy -apatite -apatites -ape -apeak -aped -apeek -apelike -aper -apercu -apercus -aperient -aperies -aperitif -apers -aperture -apery -apes -apetaly -apex -apexes -aphagia -aphagias -aphanite -aphasia -aphasiac -aphasias -aphasic -aphasics -aphelia -aphelian -aphelion -apheses -aphesis -aphetic -aphid -aphides -aphidian -aphids -aphis -apholate -aphonia -aphonias -aphonic -aphonics -aphorise -aphorism -aphorist -aphorize -aphotic -aphtha -aphthae -aphthous -aphylly -apian -apiarian -apiaries -apiarist -apiary -apical -apically -apicals -apices -apiculi -apiculus -apiece -apimania -aping -apiology -apish -apishly -aplasia -aplasias -aplastic -aplenty -aplite -aplites -aplitic -aplomb -aplombs -apnea -apneal -apneas -apneic -apnoea -apnoeal -apnoeas -apnoeic -apo -apoapses -apoapsis -apocarp -apocarps -apocarpy -apocope -apocopes -apocopic -apocrine -apod -apodal -apodoses -apodosis -apodous -apods -apogamic -apogamy -apogeal -apogean -apogee -apogees -apogeic -apollo -apollos -apolog -apologal -apologia -apologs -apologue -apology -apolune -apolunes -apomict -apomicts -apomixes -apomixis -apophony -apophyge -apoplexy -aporia -aporias -aport -apos -apospory -apostacy -apostasy -apostate -apostil -apostils -apostle -apostles -apothece -apothegm -apothem -apothems -app -appal -appall -appalled -appalls -appals -appanage -apparat -apparats -apparel -apparels -apparent -appeal -appealed -appealer -appeals -appear -appeared -appears -appease -appeased -appeaser -appeases -appel -appellee -appellor -appels -append -appended -appendix -appends -appestat -appetent -appetite -applaud -applauds -applause -apple -apples -applet -applets -applied -applier -appliers -applies -applique -apply -applying -appoint -appoints -appose -apposed -apposer -apposers -apposes -apposing -apposite -appraise -apprise -apprised -appriser -apprises -apprize -apprized -apprizer -apprizes -approach -approval -approve -approved -approver -approves -apps -appulse -appulses -apractic -apraxia -apraxias -apraxic -apres -apricot -apricots -apron -aproned -aproning -aprons -apropos -aprotic -apse -apses -apsidal -apsides -apsis -apt -apter -apteral -apteria -apterium -apterous -apteryx -aptest -aptitude -aptly -aptness -apyrase -apyrases -apyretic -aqua -aquacade -aquae -aquafarm -aqualung -aqualung -aqualungs -aquanaut -aquaria -aquarial -aquarian -aquarist -aquarium -aquas -aquatic -aquatics -aquatint -aquatone -aquavit -aquavits -aqueduct -aqueous -aquifer -aquifers -aquiline -aquiver -ar -arabesk -arabesks -arabic -arabica -arabicas -arabize -arabized -arabizes -arable -arables -araceous -arachnid -arak -araks -arame -arames -aramid -aramids -araneid -araneids -arapaima -araroba -ararobas -arb -arbalest -arbalist -arbelest -arbiter -arbiters -arbitral -arbor -arboreal -arbored -arbores -arboreta -arborist -arborize -arborous -arbors -arbour -arboured -arbours -arbs -arbuscle -arbute -arbutean -arbutes -arbutus -arc -arcade -arcaded -arcades -arcadia -arcadian -arcadias -arcading -arcana -arcane -arcanum -arcanums -arcature -arced -arch -archaea -archaeal -archaean -archaeon -archaic -archaise -archaism -archaist -archaize -archduke -archean -archean -arched -archer -archers -archery -arches -archfoe -archfoes -archil -archils -archine -archines -arching -archings -archival -archive -archived -archives -archly -archness -archon -archons -archway -archways -arciform -arcing -arcked -arcking -arco -arcs -arcsine -arcsines -arctic -arctics -arcuate -arcuated -arcus -arcuses -ardeb -ardebs -ardency -ardent -ardently -ardor -ardors -ardour -ardours -arduous -are -area -areae -areal -areally -areas -areaway -areaways -areca -arecas -areic -arena -arenas -arene -arenes -arenite -arenites -arenose -arenous -areola -areolae -areolar -areolas -areolate -areole -areoles -areology -arepa -arepas -ares -arete -aretes -arethusa -arf -arfs -argal -argala -argalas -argali -argalis -argals -argent -argental -argentic -argents -argentum -argil -argils -arginase -arginine -argle -argled -argles -argling -argol -argols -argon -argonaut -argons -argosies -argosy -argot -argotic -argots -arguable -arguably -argue -argued -arguer -arguers -argues -argufied -argufier -argufies -argufy -arguing -argument -argus -arguses -argyle -argyles -argyll -argylls -arhat -arhats -aria -ariary -arias -arid -arider -aridest -aridity -aridly -aridness -ariel -ariels -arietta -ariettas -ariette -ariettes -aright -aril -ariled -arillate -arillode -arilloid -arils -ariose -ariosi -arioso -ariosos -arise -arisen -arises -arising -arista -aristae -aristas -aristate -aristo -aristos -ark -arkose -arkoses -arkosic -arks -arles -arm -armada -armadas -armagnac -armament -armature -armband -armbands -armchair -armed -armer -armers -armet -armets -armful -armfuls -armhole -armholes -armies -armiger -armigero -armigers -armilla -armillae -armillas -arming -armings -armless -armlet -armlets -armlike -armload -armloads -armlock -armlocks -armoire -armoires -armonica -armor -armored -armorer -armorers -armorial -armories -armoring -armors -armory -armour -armoured -armourer -armours -armoury -armpit -armpits -armrest -armrests -arms -armsful -armure -armures -army -armyworm -arnatto -arnattos -arnica -arnicas -arnotto -arnottos -aroid -aroids -aroint -arointed -aroints -aroma -aromas -aromatic -arose -around -arousal -arousals -arouse -aroused -arouser -arousers -arouses -arousing -aroynt -aroynted -aroynts -arpeggio -arpen -arpens -arpent -arpents -arquebus -arrack -arracks -arraign -arraigns -arrange -arranged -arranger -arranges -arrant -arrantly -arras -arrased -arrases -array -arrayal -arrayals -arrayed -arrayer -arrayers -arraying -arrays -arrear -arrears -arrest -arrested -arrestee -arrester -arrestor -arrests -arrhizal -arriba -arris -arrises -arrival -arrivals -arrive -arrived -arriver -arrivers -arrives -arriving -arroba -arrobas -arrogant -arrogate -arrow -arrowed -arrowing -arrows -arrowy -arroyo -arroyos -ars -arse -arsenal -arsenals -arsenate -arsenic -arsenics -arsenide -arsenite -arseno -arsenous -arses -arshin -arshins -arsine -arsines -arsino -arsis -arson -arsonist -arsonous -arsons -art -artal -artefact -artel -artels -arterial -arteries -artery -artful -artfully -article -articled -articles -artier -artiest -artifact -artifice -artily -artiness -artisan -artisans -artist -artiste -artistes -artistic -artistry -artists -artless -arts -artsier -artsiest -artsy -artwork -artworks -arty -arugola -arugolas -arugula -arugulas -arum -arums -aruspex -arval -arvo -arvos -aryl -aryls -arythmia -arythmic -as -asana -asanas -asarum -asarums -asbestic -asbestos -asbestus -ascared -ascarid -ascarids -ascaris -ascend -ascended -ascender -ascends -ascent -ascents -asceses -ascesis -ascetic -ascetics -asci -ascidia -ascidian -ascidium -ascites -ascitic -ascocarp -ascorbic -ascot -ascots -ascribe -ascribed -ascribes -ascus -asdic -asdics -asea -asepses -asepsis -aseptic -asexual -ash -ashamed -ashcake -ashcakes -ashcan -ashcans -ashed -ashen -ashes -ashfall -ashfalls -ashier -ashiest -ashiness -ashing -ashlar -ashlared -ashlars -ashler -ashlered -ashlers -ashless -ashman -ashmen -ashore -ashplant -ashram -ashrams -ashtray -ashtrays -ashy -aside -asides -asinine -ask -askance -askant -asked -asker -askers -askeses -askesis -askew -asking -askings -askoi -askos -asks -aslant -asleep -aslope -aslosh -asocial -asocials -asp -asparkle -aspect -aspects -aspen -aspens -asper -asperate -asperges -asperity -aspers -asperse -aspersed -asperser -asperses -aspersor -asphalt -asphalts -aspheric -asphodel -asphyxia -asphyxy -aspic -aspics -aspirant -aspirata -aspirate -aspire -aspired -aspirer -aspirers -aspires -aspirin -aspiring -aspirins -aspis -aspises -aspish -asps -asquint -asrama -asramas -ass -assagai -assagais -assai -assail -assailed -assailer -assails -assais -assassin -assault -assaults -assay -assayed -assayer -assayers -assaying -assays -assegai -assegais -assemble -assembly -assent -assented -assenter -assentor -assents -assert -asserted -asserter -assertor -asserts -asses -assess -assessed -assesses -assessor -asset -assets -asshole -assholes -assign -assignat -assigned -assignee -assigner -assignor -assigns -assist -assisted -assister -assistor -assists -assize -assizes -asslike -assoil -assoiled -assoils -assonant -assort -assorted -assorter -assorts -assuage -assuaged -assuager -assuages -assume -assumed -assumer -assumers -assumes -assuming -assure -assured -assureds -assurer -assurers -assures -assuring -assuror -assurors -asswage -asswaged -asswages -astasia -astasias -astatic -astatine -aster -asteria -asterias -asterisk -asterism -astern -asternal -asteroid -asters -asthenia -asthenic -astheny -asthma -asthmas -astigmia -astilbe -astilbes -astir -astomous -astonied -astonies -astonish -astony -astound -astounds -astragal -astral -astrally -astrals -astray -astrict -astricts -astride -astringe -astute -astutely -astylar -asunder -aswarm -aswirl -aswoon -asyla -asylum -asylums -asyndeta -at -atabal -atabals -atabrine -atactic -ataghan -ataghans -atalaya -atalayas -ataman -atamans -atamasco -atap -ataps -ataraxia -ataraxic -ataraxy -atavic -atavism -atavisms -atavist -atavists -ataxia -ataxias -ataxic -ataxics -ataxies -ataxy -ate -atechnic -atelic -atelier -ateliers -atemoya -atemoyas -atenolol -ates -athanasy -atheism -atheisms -atheist -atheists -atheling -atheneum -atheroma -athetoid -athirst -athlete -athletes -athletic -athodyd -athodyds -athwart -atilt -atingle -atlantes -atlas -atlases -atlatl -atlatls -atma -atman -atmans -atmas -atoll -atolls -atom -atomic -atomical -atomics -atomies -atomise -atomised -atomiser -atomisers -atomises -atomism -atomisms -atomist -atomists -atomize -atomized -atomizer -atomizes -atoms -atomy -atonable -atonal -atonally -atone -atoned -atoner -atoners -atones -atonia -atonias -atonic -atonics -atonies -atoning -atony -atop -atopic -atopies -atopy -atrazine -atremble -atresia -atresias -atresic -atretic -atria -atrial -atrip -atrium -atriums -atrocity -atrophia -atrophic -atrophy -atropin -atropine -atropins -atropism -att -attaboy -attach -attache -attached -attacher -attaches -attack -attacked -attacker -attacks -attagirl -attain -attained -attainer -attains -attaint -attaints -attar -attars -attemper -attempt -attempts -attend -attended -attendee -attender -attends -attent -attest -attested -attester -attestor -attests -attic -atticism -atticist -atticize -attics -attire -attired -attires -attiring -attitude -attorn -attorned -attorney -attorns -attract -attracts -attrit -attrite -attrited -attrites -attrits -attune -attuned -attunes -attuning -atwain -atween -atwitter -atypic -atypical -aubade -aubades -auberge -auberges -aubretia -aubrieta -auburn -auburns -auction -auctions -aucuba -aucubas -audacity -audad -audads -audial -audible -audibled -audibles -audibly -audience -audient -audients -audile -audiles -auding -audings -audio -audios -audit -audited -auditee -auditees -auditing -audition -auditive -auditor -auditors -auditory -audits -augend -augends -auger -augers -aught -aughts -augite -augites -augitic -augment -augments -augur -augural -augured -augurer -augurers -auguries -auguring -augurs -augury -august -auguster -augustly -auk -auklet -auklets -auks -auld -aulder -auldest -aulic -aunt -aunthood -auntie -aunties -auntlier -auntlike -auntly -aunts -aunty -aura -aurae -aural -aurality -aurally -aurar -auras -aurate -aurated -aureate -aurei -aureola -aureolae -aureolas -aureole -aureoled -aureoles -aures -aureus -auric -auricle -auricled -auricles -auricula -auriform -auris -aurist -aurists -aurochs -aurora -aurorae -auroral -auroras -aurorean -aurous -aurum -aurums -ausform -ausforms -auspex -auspice -auspices -austere -austerer -austral -australs -ausubo -ausubos -autacoid -autarch -autarchs -autarchy -autarkic -autarky -autecism -auteur -auteurs -author -authored -authors -autism -autisms -autist -autistic -autistics -autists -auto -autobahn -autobus -autocade -autocoid -autocrat -autodyne -autoed -autogamy -autogeny -autogiro -autogyro -autoharp -autoing -autolyse -autolysed -autolyses -autolysing -autolyze -automan -automat -automata -automate -automats -automen -autonomy -autonym -autonyms -autopen -autopens -autopsic -autopsy -autos -autosome -autotomy -autotype -autotypy -autumn -autumnal -autumns -autunite -auxeses -auxesis -auxetic -auxetics -auxin -auxinic -auxins -ava -avadavat -avail -availed -availing -avails -avant -avarice -avarices -avast -avatar -avatars -avaunt -ave -avellan -avellane -avenge -avenged -avenger -avengers -avenges -avenging -avens -avenses -aventail -avenue -avenues -aver -average -averaged -averages -averment -averred -averring -avers -averse -aversely -aversion -aversive -avert -averted -averter -averters -averting -averts -aves -avgas -avgases -avgasses -avian -avianize -avians -aviaries -aviarist -aviary -aviate -aviated -aviates -aviatic -aviating -aviation -aviator -aviators -aviatrix -avicular -avid -avidin -avidins -avidity -avidly -avidness -avifauna -avigator -avion -avionic -avionics -avions -aviso -avisos -avo -avocado -avocados -avocet -avocets -avodire -avodires -avoid -avoided -avoider -avoiders -avoiding -avoids -avos -avoset -avosets -avouch -avouched -avoucher -avouches -avow -avowable -avowably -avowal -avowals -avowed -avowedly -avower -avowers -avowing -avows -avulse -avulsed -avulses -avulsing -avulsion -aw -awa -await -awaited -awaiter -awaiters -awaiting -awaits -awake -awaked -awaken -awakened -awakener -awakens -awakes -awaking -award -awarded -awardee -awardees -awarder -awarders -awarding -awards -aware -awash -away -awayness -awe -aweary -aweather -awed -awee -aweigh -aweing -aweless -awes -awesome -awful -awfuller -awfully -awhile -awhirl -awing -awkward -awl -awless -awls -awlwort -awlworts -awmous -awn -awned -awning -awninged -awnings -awnless -awns -awny -awoke -awoken -awol -awols -awry -ax -axal -axe -axed -axel -axels -axeman -axemen -axenic -axes -axial -axiality -axially -axil -axile -axilla -axillae -axillar -axillars -axillary -axillas -axils -axing -axiology -axiom -axioms -axion -axions -axis -axised -axises -axite -axites -axle -axled -axles -axletree -axlike -axman -axmen -axolotl -axolotls -axon -axonal -axone -axonemal -axoneme -axonemes -axones -axonic -axons -axoplasm -axseed -axseeds -ay -ayah -ayahs -aye -ayes -ayin -ayins -ays -ayurveda -azalea -azaleas -azan -azans -azide -azides -azido -azimuth -azimuths -azine -azines -azlon -azlons -azo -azoic -azole -azoles -azon -azonal -azonic -azons -azote -azoted -azotemia -azotemic -azotes -azoth -azoths -azotic -azotise -azotised -azotises -azotize -azotized -azotizes -azoturia -azuki -azukis -azulejo -azulejos -azure -azures -azurite -azurites -azygos -azygoses -azygous -ba -baa -baaed -baaing -baal -baalim -baalism -baalisms -baals -baas -baases -baaskaap -baaskap -baaskaps -baasskap -baba -babas -babassu -babassus -babbitry -babbitt -babbitts -babble -babbled -babbler -babblers -babbles -babbling -babe -babel -babels -babes -babesia -babesias -babiche -babiches -babied -babier -babies -babiest -babirusa -babka -babkas -baboo -babool -babools -baboon -baboons -baboos -babu -babul -babuls -babus -babushka -baby -babydoll -babyhood -babying -babyish -babysat -babysit -babysits -bacalao -bacalaos -bacca -baccae -baccara -baccaras -baccarat -baccate -baccated -bacchant -bacchic -bacchii -bacchius -bach -bached -bachelor -baches -baching -bacillar -bacilli -bacillus -back -backache -backbeat -backbend -backbit -backbite -backbone -backcast -backchat -backdate -backdoor -backdrop -backdropped -backdropping -backed -backer -backers -backfill -backfire -backfit -backfits -backfitted -backfitting -backflip -backflow -backflows -backhand -backhaul -backhoe -backhoed -backhoes -backing -backings -backland -backlands -backlash -backless -backlist -backlit -backload -backlog -backlogs -backmost -backout -backouts -backpack -backrest -backroom -backrush -backs -backsaw -backsaws -backseat -backset -backsets -backside -backslap -backslid -backspin -backstay -backstop -backup -backups -backward -backwash -backwood -backwrap -backyard -baclofen -bacon -bacons -bacteria -bacterias -bacterin -bacula -baculine -baculum -baculums -bad -badass -badassed -badasses -badder -baddest -baddie -baddies -baddy -bade -badge -badged -badger -badgered -badgerly -badgers -badges -badging -badinage -badland -badlands -badly -badman -badmen -badmouth -badness -bads -baff -baffed -baffies -baffing -baffle -baffled -baffler -bafflers -baffles -baffling -baffs -baffy -bag -bagass -bagasse -bagasses -bagel -bagels -bagful -bagfuls -baggage -baggages -bagged -bagger -baggers -baggie -baggier -baggies -baggiest -baggily -bagging -baggings -baggy -baghouse -baghouses -baglike -bagman -bagmen -bagnio -bagnios -bagpipe -bagpiped -bagpiper -bagpipes -bags -bagsful -baguet -baguets -baguette -bagwig -bagwigs -bagworm -bagworms -bah -bahadur -bahadurs -baht -bahts -baidarka -bail -bailable -bailed -bailee -bailees -bailer -bailers -bailey -baileys -bailie -bailies -bailiff -bailiffs -bailing -bailment -bailor -bailors -bailout -bailouts -bails -bailsman -bailsmen -bairn -bairnish -bairnly -bairns -bait -baited -baiter -baiters -baitfish -baith -baiting -baits -baiza -baizas -baize -baizes -bake -baked -bakelite -bakelite -bakelites -bakemeat -baker -bakeries -bakers -bakery -bakes -bakeshop -bakeware -baking -bakings -baklava -baklavas -baklawa -baklawas -bakshish -bal -balance -balanced -balancer -balances -balas -balases -balata -balatas -balboa -balboas -balcony -bald -balded -balder -baldest -baldhead -baldies -balding -baldish -baldly -baldness -baldpate -baldric -baldrick -baldrics -balds -baldy -bale -baled -baleen -baleens -balefire -baleful -baler -balers -bales -baling -balisaur -balk -balked -balker -balkers -balkier -balkiest -balkily -balking -balkline -balks -balky -ball -ballad -ballade -ballades -balladic -balladry -ballads -ballast -ballasts -balled -baller -ballers -ballet -balletic -ballets -ballgame -ballhawk -ballies -balling -ballista -ballon -ballonet -ballonne -ballons -balloon -balloons -ballot -balloted -balloter -ballots -ballpark -ballroom -balls -ballsier -ballsy -ballute -ballutes -bally -ballyard -ballyhoo -ballyrag -balm -balmier -balmiest -balmily -balmlike -balmoral -balms -balmy -balneal -baloney -baloneys -bals -balsa -balsam -balsamed -balsamic -balsams -balsas -baluster -bam -bambini -bambino -bambinos -bamboo -bamboos -bammed -bamming -bams -ban -banal -banality -banalize -banally -banana -bananas -banausic -banco -bancos -band -banda -bandage -bandaged -bandager -bandages -bandaid -bandana -bandanas -bandanna -bandas -bandbox -bandeau -bandeaus -bandeaux -banded -bander -banderol -banders -bandied -bandies -banding -bandit -bandito -banditos -banditry -bandits -banditti -bandmate -bandog -bandogs -bandora -bandoras -bandore -bandores -bands -bandsaw -bandsaws -bandsman -bandsmen -bandy -bandying -bane -baned -baneful -banes -bang -banged -banger -bangers -banging -bangkok -bangkoks -bangle -bangles -bangs -bangtail -bani -banian -banians -baning -banish -banished -banisher -banishes -banister -banjax -banjaxed -banjaxes -banjaxing -banjo -banjoes -banjoist -banjos -bank -bankable -bankbook -bankcard -banked -banker -bankerly -bankers -banking -bankings -bankit -bankits -banknote -bankroll -bankrupt -banks -banksia -banksias -bankside -bannable -banned -banner -bannered -banneret -bannering -bannerol -banners -bannet -bannets -banning -bannock -bannocks -banns -banquet -banquets -bans -banshee -banshees -banshie -banshies -bantam -bantams -banteng -bantengs -banter -bantered -banterer -banters -banties -bantling -banty -banyan -banyans -banzai -banzais -baobab -baobabs -bap -baps -baptise -baptised -baptises -baptisia -baptism -baptisms -baptist -baptists -baptize -baptized -baptizer -baptizes -bar -barathea -barb -barbal -barbaric -barbasco -barbate -barbe -barbecue -barbed -barbel -barbell -barbells -barbels -barbeque -barber -barbered -barberry -barbers -barbes -barbet -barbets -barbette -barbican -barbicel -barbie -barbies -barbing -barbital -barbless -barbs -barbule -barbules -barbut -barbuts -barbwire -barca -barcas -barchan -barchans -bard -barde -barded -bardes -bardic -barding -bards -bare -bareback -bareboat -bared -barefit -barefoot -barege -bareges -barehand -barehead -barely -bareness -barer -bares -baresark -barest -barf -barfed -barfing -barflies -barfly -barfs -bargain -bargains -barge -barged -bargee -bargees -bargello -bargeman -bargemen -barges -barghest -barging -barguest -barhop -barhops -baric -barilla -barillas -baring -barista -baristas -barite -barites -baritone -barium -bariums -bark -barked -barkeep -barkeeps -barker -barkers -barkier -barkiest -barking -barkless -barks -barky -barleduc -barless -barley -barleys -barlow -barlows -barm -barmaid -barmaids -barman -barmen -barmie -barmier -barmiest -barms -barmy -barn -barnacle -barned -barney -barneys -barnier -barniest -barning -barnlike -barns -barny -barnyard -barogram -baron -baronage -baroness -baronet -baronets -barong -barongs -baronial -baronies -baronne -baronnes -barons -barony -baroque -baroques -barosaur -barouche -barque -barques -barrable -barrack -barracks -barrage -barraged -barrages -barranca -barranco -barrater -barrator -barratry -barre -barred -barrel -barreled -barrels -barren -barrener -barrenly -barrens -barres -barret -barretor -barretry -barrets -barrette -barrier -barriers -barring -barrio -barrios -barroom -barrooms -barrow -barrows -bars -barstool -bartend -bartends -barter -bartered -barterer -barters -bartisan -bartizan -barware -barwares -barye -baryes -baryon -baryonic -baryons -baryta -barytas -baryte -barytes -barytic -baryton -barytone -barytons -bas -basal -basally -basalt -basaltes -basaltic -basalts -bascule -bascules -base -baseball -baseborn -based -baseless -baseline -basely -baseman -basemen -basement -baseness -basenji -basenjis -baser -bases -basest -bash -bashaw -bashaws -bashed -basher -bashers -bashes -bashful -bashing -bashings -bashlyk -bashlyks -basic -basicity -basics -basidia -basidial -basidium -basified -basifier -basifies -basify -basil -basilar -basilary -basilect -basilic -basilica -basilisk -basils -basin -basinal -basined -basinet -basinets -basinful -basinfuls -basing -basins -basion -basions -basis -bask -basked -basket -basketry -baskets -basking -basks -basmati -basmatis -basophil -basque -basques -bass -basses -basset -basseted -bassets -bassi -bassinet -bassist -bassists -bassly -bassness -basso -bassoon -bassoons -bassos -basswood -bassy -bast -bastard -bastards -bastardy -baste -basted -baster -basters -bastes -bastile -bastiles -bastille -basting -bastings -bastion -bastions -basts -bat -batboy -batboys -batch -batched -batcher -batchers -batches -batching -bate -bateau -bateaux -bated -bates -batfish -batfowl -batfowls -batgirl -batgirls -bath -bathe -bathed -bather -bathers -bathes -bathetic -bathing -bathless -bathmat -bathmats -bathos -bathoses -bathrobe -bathroom -baths -bathtub -bathtubs -bathyal -batik -batiked -batiking -batiks -bating -batiste -batistes -batlike -batman -batmen -baton -batons -bats -batsman -batsmen -batt -battalia -batteau -batteaux -batted -batten -battened -battener -battens -batter -battered -batterer -batterie -batters -battery -battier -battiest -battik -battiks -batting -battings -battle -battled -battler -battlers -battles -battling -batts -battu -battue -battues -batty -batwing -baubee -baubees -bauble -baubles -baud -baudekin -baudrons -bauds -bauhinia -baulk -baulked -baulkier -baulking -baulks -baulky -bausond -bauxite -bauxites -bauxitic -bawbee -bawbees -bawcock -bawcocks -bawd -bawdier -bawdies -bawdiest -bawdily -bawdric -bawdrics -bawdries -bawdry -bawds -bawdy -bawl -bawled -bawler -bawlers -bawling -bawls -bawsunt -bawtie -bawties -bawty -bay -bayadeer -bayadere -bayamo -bayamos -bayard -bayards -bayberry -bayed -baying -bayman -baymen -bayonet -bayonets -bayou -bayous -bays -baywood -baywoods -bazaar -bazaars -bazar -bazars -bazoo -bazooka -bazookas -bazooms -bazoos -bdellium -be -beach -beachboy -beached -beaches -beachier -beaching -beachy -beacon -beaconed -beacons -bead -beaded -beader -beaders -beadier -beadiest -beadily -beading -beadings -beadle -beadles -beadlike -beadman -beadmen -beadroll -beads -beadsman -beadsmen -beadwork -beady -beagle -beagles -beak -beaked -beaker -beakers -beakier -beakiest -beakless -beaklike -beaks -beaky -beam -beamed -beamier -beamiest -beamily -beaming -beamish -beamless -beamlike -beams -beamy -bean -beanbag -beanbags -beanball -beaned -beanery -beanie -beanies -beaning -beanlike -beano -beanos -beanpole -beans -bear -bearable -bearably -bearcat -bearcats -beard -bearded -bearding -beards -bearer -bearers -bearhug -bearhugs -bearing -bearings -bearish -bearlike -bears -bearskin -bearwood -beast -beastie -beasties -beastly -beasts -beat -beatable -beaten -beater -beaters -beatific -beatify -beating -beatings -beatless -beatnik -beatniks -beats -beau -beaucoup -beauish -beaus -beaut -beauties -beautify -beauts -beauty -beaux -beaver -beavered -beavers -bebeeru -bebeerus -beblood -bebloods -bebop -bebopper -bebops -becalm -becalmed -becalms -became -becap -becapped -becaps -becarpet -because -bechalk -bechalks -bechamel -bechance -becharm -becharms -beck -becked -becket -beckets -becking -beckon -beckoned -beckoner -beckons -becks -beclamor -beclasp -beclasps -becloak -becloaks -beclog -beclogs -beclothe -becloud -beclouds -beclown -beclowns -become -becomes -becoming -becoward -becrawl -becrawls -becrime -becrimed -becrimes -becrowd -becrowds -becrust -becrusts -becudgel -becurse -becursed -becurses -becurst -bed -bedabble -bedamn -bedamned -bedamns -bedarken -bedaub -bedaubed -bedaubs -bedazzle -bedboard -bedbug -bedbugs -bedchair -bedcover -beddable -bedded -bedder -bedders -bedding -beddings -bedeafen -bedeck -bedecked -bedecks -bedel -bedell -bedells -bedels -bedeman -bedemen -bedesman -bedesmen -bedevil -bedevils -bedew -bedewed -bedewing -bedews -bedfast -bedframe -bedgown -bedgowns -bediaper -bedight -bedights -bedim -bedimmed -bedimple -bedims -bedirty -bedizen -bedizens -bedlam -bedlamp -bedlamps -bedlams -bedless -bedlike -bedmaker -bedmate -bedmates -bedotted -bedouin -bedouins -bedpan -bedpans -bedplate -bedpost -bedposts -bedquilt -bedrail -bedrails -bedrape -bedraped -bedrapes -bedrench -bedrid -bedrivel -bedrock -bedrocks -bedroll -bedrolls -bedroom -bedrooms -bedrug -bedrugs -beds -bedsheet -bedside -bedsides -bedsonia -bedsore -bedsores -bedstand -bedstead -bedstraw -bedtick -bedticks -bedtime -bedtimes -bedu -beduin -beduins -bedumb -bedumbed -bedumbs -bedunce -bedunced -bedunces -bedward -bedwards -bedwarf -bedwarfs -bee -beebee -beebees -beebread -beech -beechen -beeches -beechier -beechnut -beechy -beedi -beedies -beef -beefalo -beefalos -beefcake -beefed -beefier -beefiest -beefily -beefing -beefless -beefs -beefwood -beefy -beehive -beehives -beelike -beeline -beelined -beelines -beelining -been -beep -beeped -beeper -beepers -beeping -beeps -beer -beerier -beeriest -beers -beery -bees -beeswax -beeswing -beet -beetle -beetled -beetler -beetlers -beetles -beetling -beetroot -beets -beeves -beeyard -beeyards -beezer -beezers -befall -befallen -befalls -befell -befinger -befit -befits -befitted -beflag -beflags -beflea -befleaed -befleas -befleck -beflecks -beflower -befog -befogged -befogs -befool -befooled -befools -before -befoul -befouled -befouler -befouls -befret -befrets -befriend -befringe -befuddle -beg -begall -begalled -begalls -began -begat -begaze -begazed -begazes -begazing -beget -begets -begetter -beggar -beggared -beggarly -beggars -beggary -begged -begging -begin -beginner -begins -begird -begirded -begirdle -begirds -begirt -beglad -beglads -beglamor -beglamored -beglamoring -beglamors -begloom -beglooms -begone -begonia -begonias -begorah -begorra -begorrah -begot -begotten -begrim -begrime -begrimed -begrimes -begrims -begroan -begroans -begrudge -begs -beguile -beguiled -beguiler -beguiles -beguine -beguines -begulf -begulfed -begulfs -begum -begums -begun -behalf -behalves -behave -behaved -behaver -behavers -behaves -behaving -behavior -behead -beheadal -beheaded -beheader -beheads -beheld -behemoth -behest -behests -behind -behinds -behold -beholden -beholder -beholds -behoof -behoove -behooved -behooves -behove -behoved -behoves -behoving -behowl -behowled -behowls -beige -beiges -beigne -beignes -beignet -beignets -beigy -being -beings -bejabers -bejeezus -bejesus -bejewel -bejewels -bejumble -bekiss -bekissed -bekisses -beknight -beknot -beknots -bel -belabor -belabors -belabour -belaced -beladied -beladies -belady -belated -belaud -belauded -belauds -belay -belayed -belayer -belayers -belaying -belays -belch -belched -belcher -belchers -belches -belching -beldam -beldame -beldames -beldams -beleap -beleaped -beleaps -beleapt -belfried -belfries -belfry -belga -belgas -belie -belied -belief -beliefs -belier -beliers -belies -believe -believed -believer -believes -belike -beliquor -belittle -belive -bell -bellbird -bellboy -bellboys -belle -belled -belleek -belleeks -belles -bellhop -bellhops -bellied -bellies -belling -bellings -bellman -bellmen -bellow -bellowed -bellower -bellows -bellpull -bells -bellwort -belly -bellyful -bellying -belon -belong -belonged -belongs -belons -beloved -beloveds -below -belows -bels -belt -belted -belter -belters -belting -beltings -beltless -beltline -belts -beltway -beltways -beluga -belugas -belying -bema -bemadam -bemadams -bemadden -bemas -bemata -bemean -bemeaned -bemeans -bemingle -bemire -bemired -bemires -bemiring -bemist -bemisted -bemists -bemix -bemixed -bemixes -bemixing -bemixt -bemoan -bemoaned -bemoans -bemock -bemocked -bemocks -bemuddle -bemurmur -bemuse -bemused -bemuses -bemusing -bemuzzle -ben -benadryl -benadryl -benadryls -bename -benamed -benames -benaming -bench -benched -bencher -benchers -benches -benching -benchtop -bend -bendable -benday -bendayed -bendays -bended -bendee -bendees -bender -benders -bendier -bendiest -bending -bends -bendways -bendwise -bendy -bendys -bene -beneath -benedick -benedict -benefic -benefice -benefit -benefits -benempt -benes -benign -benignly -benison -benisons -benjamin -benne -bennes -bennet -bennets -benni -bennies -bennis -benny -benomyl -benomyls -bens -bent -benthal -benthic -benthon -benthons -benthos -bento -bentos -bents -bentwood -benumb -benumbed -benumbs -benzal -benzene -benzenes -benzidin -benzin -benzine -benzines -benzins -benzoate -benzoic -benzoin -benzoins -benzol -benzole -benzoles -benzols -benzoyl -benzoyls -benzyl -benzylic -benzyls -bepaint -bepaints -bepimple -bequeath -bequest -bequests -berake -beraked -berakes -beraking -berascal -berate -berated -berates -berating -berberin -berberis -berberises -berceuse -berdache -bereave -bereaved -bereaver -bereaves -bereft -beret -berets -beretta -berettas -berg -bergamot -bergere -bergeres -bergs -berhyme -berhymed -berhymes -beriberi -berimbau -berime -berimed -berimes -beriming -beringed -berk -berks -berlin -berline -berlines -berlins -berm -berme -bermed -bermes -berming -berms -bermudas -bernicle -berobed -berouged -berretta -berried -berries -berry -berrying -berseem -berseems -berserk -berserks -berth -bertha -berthas -berthed -berthing -berths -beryl -beryline -beryls -bes -bescorch -bescour -bescours -bescreen -beseech -beseem -beseemed -beseems -beses -beset -besets -besetter -beshadow -beshame -beshamed -beshames -beshiver -beshout -beshouts -beshrew -beshrews -beshroud -beside -besides -besiege -besieged -besieger -besieges -beslaved -beslime -beslimed -beslimes -besmear -besmears -besmile -besmiled -besmiles -besmirch -besmoke -besmoked -besmokes -besmooth -besmudge -besmut -besmuts -besnow -besnowed -besnows -besom -besoms -besoothe -besot -besots -besotted -besought -bespake -bespeak -bespeaks -bespoke -bespoken -bespouse -bespread -besprent -best -bestead -besteads -bested -bestial -bestiary -besting -bestir -bestirs -bestow -bestowal -bestowed -bestower -bestows -bestrew -bestrewn -bestrews -bestrid -bestride -bestrode -bestrow -bestrown -bestrows -bests -bestud -bestuds -beswarm -beswarms -bet -beta -betaine -betaines -betake -betaken -betakes -betaking -betas -betatron -betatter -betaxed -betel -betelnut -betels -beth -bethank -bethanks -bethel -bethels -bethesda -bethink -bethinks -bethorn -bethorns -beths -bethump -bethumps -betide -betided -betides -betiding -betime -betimes -betise -betises -betoken -betokens -beton -betonies -betons -betony -betook -betray -betrayal -betrayed -betrayer -betrays -betroth -betroths -bets -betta -bettas -betted -better -bettered -betters -betting -bettor -bettors -between -betwixt -beuncled -bevatron -bevel -beveled -beveler -bevelers -beveling -bevelled -beveller -bevels -beverage -bevies -bevomit -bevomits -bevor -bevors -bevy -bewail -bewailed -bewailer -bewails -beware -bewared -bewares -bewaring -beweary -beweep -beweeps -bewept -bewig -bewigged -bewigs -bewilder -bewinged -bewitch -beworm -bewormed -beworms -beworry -bewrap -bewraps -bewrapt -bewray -bewrayed -bewrayer -bewrays -bey -beylic -beylics -beylik -beyliks -beyond -beyonds -beys -bezant -bezants -bezazz -bezazzes -bezel -bezels -bezil -bezils -bezique -beziques -bezoar -bezoars -bezzant -bezzants -bhakta -bhaktas -bhakti -bhaktis -bhang -bhangra -bhangras -bhangs -bharal -bharals -bheestie -bheesty -bhistie -bhisties -bhoot -bhoots -bhut -bhuts -bi -biacetyl -biali -bialies -bialies -bialis -bialy -bialys -biannual -bias -biased -biasedly -biases -biasing -biasness -biassed -biasses -biassing -biathlon -biaxal -biaxial -bib -bibasic -bibb -bibbed -bibber -bibbers -bibbery -bibbing -bibbs -bibcock -bibcocks -bibelot -bibelots -bible -bibles -bibless -biblical -biblike -biblist -biblists -bibs -bibulous -bicarb -bicarbs -bicaudal -bice -bicep -biceps -bicepses -bices -bichrome -bicker -bickered -bickerer -bickers -bicolor -bicolors -bicolour -biconvex -bicorn -bicorne -bicornes -bicorns -bicron -bicrons -bicuspid -bicycle -bicycled -bicycler -bicycles -bicyclic -bid -bidarka -bidarkas -bidarkee -biddable -biddably -bidden -bidder -bidders -biddies -bidding -biddings -biddy -bide -bided -bidental -bider -biders -bides -bidet -bidets -bidi -biding -bidis -bids -bield -bielded -bielding -bields -biennale -biennia -biennial -biennium -bier -biers -biface -bifaces -bifacial -biff -biffed -biffies -biffin -biffing -biffins -biffs -biffy -bifid -bifidity -bifidly -bifilar -biflex -bifocal -bifocals -bifold -biforate -biforked -biform -biformed -big -bigamies -bigamist -bigamous -bigamy -bigarade -bigaroon -bigeminy -bigeye -bigeyes -bigfeet -bigfoot -bigfoots -bigger -biggest -biggety -biggie -biggies -biggin -bigging -biggings -biggins -biggish -biggity -biggy -bighead -bigheads -bighorn -bighorns -bight -bighted -bighting -bights -bigly -bigmouth -bigness -bignonia -bigos -bigoses -bigot -bigoted -bigotry -bigots -bigs -bigstick -bigtime -bigwig -bigwigs -bihourly -bijou -bijous -bijoux -bijugate -bijugous -bike -biked -biker -bikers -bikes -bikeway -bikeways -bikie -bikies -biking -bikini -bikinied -bikinis -bilabial -bilander -bilayer -bilayers -bilberry -bilbies -bilbo -bilboa -bilboas -bilboes -bilbos -bilby -bile -biles -bilevel -bilevels -bilge -bilged -bilges -bilgier -bilgiest -bilging -bilgy -biliary -bilinear -bilious -bilk -bilked -bilker -bilkers -bilking -bilks -bill -billable -billbug -billbugs -billed -biller -billers -billet -billeted -billeter -billets -billfish -billfold -billhead -billhook -billiard -billie -billies -billing -billings -billion -billions -billon -billons -billow -billowed -billows -billowy -bills -billy -billycan -bilobate -bilobed -bilsted -bilsteds -biltong -biltongs -bima -bimah -bimahs -bimanous -bimanual -bimas -bimbette -bimbo -bimboes -bimbos -bimensal -bimester -bimetal -bimetals -bimethyl -bimodal -bimorph -bimorphs -bin -binal -binaries -binarism -binary -binate -binately -binaural -bind -bindable -binder -binders -bindery -bindi -binding -bindings -bindis -bindle -bindles -binds -bindweed -bine -biner -biners -bines -binge -binged -bingeing -binger -bingers -binges -binging -bingo -bingoes -bingos -binit -binits -binnacle -binned -binning -binocle -binocles -binocs -binomial -bins -bint -bints -bio -bioassay -biochip -biochips -biocidal -biocide -biocides -bioclean -biocycle -bioethic -biofilm -biofilms -biofuel -biofuels -biog -biogas -biogases -biogen -biogenic -biogens -biogeny -biogs -bioherm -bioherms -biologic -biology -biolyses -biolysis -biolytic -biomass -biome -biomes -biometer -biometry -biomorph -bionic -bionics -bionomic -bionomy -biont -biontic -bionts -biopic -biopics -bioplasm -biopsic -biopsied -biopsies -biopsy -biopsying -bioptic -bios -bioscope -bioscopy -biosolid -biota -biotas -biotech -biotechs -biotic -biotical -biotics -biotin -biotins -biotite -biotites -biotitic -biotope -biotopes -biotoxin -biotron -biotrons -biotype -biotypes -biotypic -biovular -bipack -bipacks -biparous -biparted -biparty -biped -bipedal -bipeds -biphasic -biphenyl -biplane -biplanes -bipod -bipods -bipolar -biracial -biradial -biramose -biramous -birch -birched -birchen -birches -birching -bird -birdbath -birdcage -birdcall -birddog -birddogs -birded -birder -birders -birdfarm -birdfeed -birdie -birdied -birdies -birding -birdings -birdlife -birdlike -birdlime -birdman -birdmen -birds -birdseed -birdseye -birdshot -birdsong -birdsongs -bireme -biremes -biretta -birettas -biriani -birianis -birk -birkie -birkies -birks -birl -birle -birled -birler -birlers -birles -birling -birlings -birls -biro -biro -biros -biros -birr -birred -birretta -birring -birrotch -birrs -birse -birses -birth -birthday -birthed -birthing -births -biryani -biryanis -bis -biscotti -biscotto -biscuit -biscuits -biscuity -bise -bisect -bisected -bisector -bisects -bises -bisexual -bishop -bishoped -bishops -bisk -bisks -bismuth -bismuths -bisnaga -bisnagas -bison -bisons -bisque -bisques -bistate -bister -bistered -bisters -bistort -bistorts -bistoury -bistre -bistred -bistres -bistro -bistroic -bistros -bit -bitable -bitch -bitched -bitchen -bitchery -bitches -bitchier -bitchily -bitching -bitchy -bite -biteable -biter -biters -bites -bitewing -biting -bitingly -bitmap -bitmaps -bits -bitsier -bitsiest -bitstock -bitsy -bitt -bitted -bitten -bitter -bittered -bitterer -bitterly -bittern -bitterns -bitters -bittier -bittiest -bitting -bittings -bittock -bittocks -bitts -bitty -bitumen -bitumens -biunique -bivalent -bivalve -bivalved -bivalves -bivinyl -bivinyls -bivouac -bivouacs -biweekly -biyearly -biz -bizarre -bizarres -bizarro -bizarros -bize -bizes -biznaga -biznagas -bizonal -bizone -bizones -bizzes -blab -blabbed -blabber -blabbers -blabbing -blabby -blabs -black -blackboy -blackcap -blacked -blacken -blackens -blacker -blackest -blackfin -blackfly -blackgum -blacking -blackish -blackleg -blackly -blackout -blacks -blacktop -bladder -bladders -bladdery -blade -bladed -blader -bladers -blades -blading -bladings -blae -blaff -blaffs -blagging -blah -blahs -blain -blains -blam -blamable -blamably -blame -blamed -blameful -blamer -blamers -blames -blaming -blams -blanch -blanched -blancher -blanches -bland -blander -blandest -blandish -blandly -blank -blanked -blanker -blankest -blanket -blankets -blanking -blankly -blanks -blare -blared -blares -blaring -blarney -blarneys -blase -blast -blasted -blastema -blaster -blasters -blastie -blastier -blasties -blasting -blastoff -blastoma -blasts -blastula -blasty -blat -blatancy -blatant -blate -blather -blathers -blats -blatted -blatter -blatters -blatting -blaubok -blauboks -blaw -blawed -blawing -blawn -blaws -blaze -blazed -blazer -blazered -blazers -blazes -blazing -blazon -blazoned -blazoner -blazonry -blazons -bleach -bleached -bleacher -bleaches -bleak -bleaker -bleakest -bleakish -bleakly -bleaks -blear -bleared -blearier -blearily -blearing -blears -bleary -bleat -bleated -bleater -bleaters -bleating -bleats -bleb -blebbing -blebby -blebs -bled -bleed -bleeder -bleeders -bleeding -bleeds -bleep -bleeped -bleeper -bleepers -bleeping -bleeps -blellum -blellums -blemish -blench -blenched -blencher -blenches -blend -blende -blended -blender -blenders -blendes -blending -blends -blennies -blenny -blent -blesbok -blesboks -blesbuck -bless -blessed -blesser -blessers -blesses -blessing -blest -blet -blether -blethers -blets -blew -blight -blighted -blighter -blights -blighty -blimey -blimp -blimpish -blimps -blimy -blin -blind -blindage -blinded -blinder -blinders -blindest -blindgut -blinding -blindly -blinds -blini -blinis -blink -blinkard -blinked -blinker -blinkers -blinking -blinks -blintz -blintze -blintzes -blip -blipped -blipping -blips -bliss -blissed -blisses -blissful -blissing -blister -blisters -blistery -blite -blites -blithe -blithely -blither -blithers -blithest -blitz -blitzed -blitzer -blitzers -blitzes -blitzing -blizzard -bloat -bloated -bloater -bloaters -bloating -bloats -blob -blobbed -blobbing -blobs -bloc -block -blockade -blockage -blocked -blocker -blockers -blockier -blocking -blockish -blocks -blocky -blocs -blog -blogger -bloggers -blogging -blogs -bloke -blokes -blond -blonde -blonder -blondes -blondest -blondine -blondish -blonds -blood -blooded -bloodfin -bloodied -bloodier -bloodies -bloodily -blooding -bloodred -bloods -bloody -blooey -blooie -bloom -bloomed -bloomer -bloomers -bloomery -bloomier -blooming -blooms -bloomy -bloop -blooped -blooper -bloopers -blooping -bloops -blossom -blossoms -blossomy -blot -blotch -blotched -blotches -blotchy -blotless -blots -blotted -blotter -blotters -blottier -blotting -blotto -blotty -blouse -bloused -blouses -blousier -blousily -blousing -blouson -blousons -blousy -bloviate -blow -blowback -blowball -blowby -blowbys -blowdown -blowdowns -blowed -blower -blowers -blowfish -blowfly -blowgun -blowguns -blowhard -blowhole -blowier -blowiest -blowing -blowjob -blowjobs -blown -blowoff -blowoffs -blowout -blowouts -blowpipe -blows -blowsed -blowsier -blowsily -blowsy -blowtube -blowup -blowups -blowy -blowzed -blowzier -blowzily -blowzy -blub -blubbed -blubber -blubbers -blubbery -blubbing -blubs -blucher -bluchers -bludge -bludged -bludgeon -bludger -bludgers -bludges -bludging -blue -blueball -bluebeat -bluebell -bluebill -bluebird -bluebook -bluecap -bluecaps -bluecoat -blued -bluefin -bluefins -bluefish -bluegill -bluegum -bluegums -bluehead -blueing -blueings -blueish -bluejack -bluejay -bluejays -blueline -bluely -blueness -bluenose -bluer -blues -bluesier -bluesman -bluesmen -bluest -bluestem -bluesy -bluet -bluetick -blueticks -bluets -blueweed -bluewood -bluey -blueys -bluff -bluffed -bluffer -bluffers -bluffest -bluffing -bluffly -bluffs -bluing -bluings -bluish -blume -blumed -blumes -bluming -blunder -blunders -blunge -blunged -blunger -blungers -blunges -blunging -blunt -blunted -blunter -bluntest -blunting -bluntly -blunts -blur -blurb -blurbed -blurbing -blurbist -blurbs -blurred -blurrier -blurrily -blurring -blurry -blurs -blurt -blurted -blurter -blurters -blurting -blurts -blush -blushed -blusher -blushers -blushes -blushful -blushing -bluster -blusters -blustery -blype -blypes -bo -boa -boar -board -boarded -boarder -boarders -boarding -boardman -boardmen -boards -boarfish -boarish -boars -boart -boarts -boas -boast -boasted -boaster -boasters -boastful -boasting -boasts -boat -boatable -boatbill -boated -boatel -boatels -boater -boaters -boatful -boatfuls -boathook -boating -boatings -boatlift -boatlike -boatload -boatman -boatmen -boatneck -boats -boatsman -boatsmen -boatyard -bob -bobbed -bobber -bobbers -bobbery -bobbies -bobbin -bobbinet -bobbing -bobbins -bobble -bobbled -bobbles -bobbling -bobby -bobbysox -bobcat -bobcats -bobeche -bobeches -bobolink -bobs -bobsled -bobsleds -bobstay -bobstays -bobtail -bobtails -bobwhite -bocaccio -bocce -bocces -bocci -boccia -boccias -boccie -boccies -boccis -boche -boches -bock -bocks -bod -bode -boded -bodega -bodegas -bodement -bodes -bodhran -bodhrans -bodice -bodices -bodied -bodies -bodiless -bodily -boding -bodingly -bodings -bodkin -bodkins -bods -body -bodying -bodysuit -bodysurf -bodywork -boehmite -boff -boffin -boffins -boffo -boffola -boffolas -boffos -boffs -bog -bogan -bogans -bogart -bogarted -bogarts -bogbean -bogbeans -bogey -bogeyed -bogeying -bogeyman -bogeymen -bogeys -bogged -boggier -boggiest -bogging -boggish -boggle -boggled -boggler -bogglers -boggles -boggling -boggy -bogie -bogies -bogle -bogles -bogs -bogus -bogusly -bogwood -bogwoods -bogy -bogyism -bogyisms -bogyman -bogymen -bohea -boheas -bohemia -bohemian -bohemias -boho -bohos -bohrium -bohriums -bohunk -bohunks -boil -boilable -boiled -boiler -boilers -boiling -boiloff -boiloffs -boilover -boils -boing -boings -boiserie -boite -boites -bola -bolar -bolas -bolases -bold -bolder -boldest -boldface -boldly -boldness -bolds -bole -bolero -boleros -boles -bolete -boletes -boleti -boletus -bolide -bolides -bolivar -bolivars -bolivia -bolivias -boll -bollard -bollards -bolled -bolling -bollix -bollixed -bollixes -bollocks -bollox -bolloxed -bolloxes -bolls -bollworm -bolo -bologna -bolognas -boloney -boloneys -bolos -bolshie -bolshies -bolshy -bolson -bolsons -bolster -bolsters -bolt -bolted -bolter -bolters -bolthead -bolthole -bolting -boltless -boltlike -boltonia -boltrope -bolts -bolus -boluses -bomb -bombable -bombard -bombards -bombast -bombasts -bombax -bombe -bombed -bomber -bombers -bombes -bombesin -bombing -bombings -bomblet -bomblets -bombload -bombs -bombycid -bombyx -bombyxes -bonaci -bonacis -bonanza -bonanzas -bonbon -bonbons -bond -bondable -bondage -bondages -bonded -bonder -bonders -bonding -bondings -bondless -bondmaid -bondman -bondmen -bonds -bondsman -bondsmen -bonduc -bonducs -bone -boned -bonefish -bonehead -boneless -bonemeal -boner -boners -bones -boneset -bonesets -boney -boneyard -boneyer -boneyest -bonfire -bonfires -bong -bonged -bonging -bongo -bongoes -bongoist -bongos -bongs -bonhomie -boniato -boniatos -bonier -boniest -boniface -boniness -boning -bonita -bonitas -bonito -bonitoes -bonitos -bonk -bonked -bonkers -bonking -bonks -bonne -bonnes -bonnet -bonneted -bonnets -bonnie -bonnier -bonniest -bonnily -bonnock -bonnocks -bonny -bonobo -bonobos -bonsai -bonspell -bonspiel -bontebok -bonus -bonuses -bony -bonze -bonzer -bonzes -boo -boob -boobed -boobie -boobies -boobing -boobird -boobirds -boobish -booboo -booboos -boobs -booby -boocoo -boocoos -boodle -boodled -boodler -boodlers -boodles -boodling -booed -booger -boogers -boogey -boogeyed -boogeying -boogeys -boogie -boogied -boogies -boogy -boogying -boogyman -boogymen -boohoo -boohooed -boohoos -booing -boojum -boojums -book -bookable -bookcase -booked -bookend -bookends -booker -bookers -bookful -bookfuls -bookie -bookies -booking -bookings -bookish -booklet -booklets -booklice -booklore -bookman -bookmark -bookmen -bookoo -bookoos -bookrack -bookrest -books -bookshop -bookworm -boom -boombox -boomed -boomer -boomers -boomier -boomiest -booming -boomkin -boomkins -boomlet -boomlets -booms -boomtown -boomy -boon -boondock -boonies -boonless -boons -boor -boorish -boors -boos -boost -boosted -booster -boosters -boosting -boosts -boot -bootable -booted -bootee -bootees -bootery -booth -booths -bootie -booties -booting -bootjack -bootlace -bootleg -bootlegs -bootless -bootlick -boots -booty -booze -boozed -boozer -boozers -boozes -boozier -booziest -boozily -boozing -boozy -bop -bopeep -bopeeps -bopped -bopper -boppers -bopping -bops -bora -boraces -boracic -boracite -borage -borages -boral -borals -borane -boranes -boras -borate -borated -borates -borating -borax -boraxes -bordeaux -bordel -bordello -bordels -border -bordered -borderer -borders -bordure -bordures -bore -boreal -boreas -boreases -borecole -bored -boredom -boredoms -boreen -boreens -borehole -borer -borers -bores -boresome -boric -boride -borides -boring -boringly -borings -bork -borked -borking -borks -born -borne -borneol -borneols -bornite -bornites -bornitic -boron -boronic -borons -borough -boroughs -borrelia -borrow -borrowed -borrower -borrows -borsch -borsches -borscht -borschts -borsht -borshts -borstal -borstals -bort -borts -borty -bortz -bortzes -borzoi -borzois -bos -boscage -boscages -boschbok -bosh -boshbok -boshboks -boshes -boshvark -bosk -boskage -boskages -bosker -bosket -boskets -boskier -boskiest -bosks -bosky -bosom -bosomed -bosoming -bosoms -bosomy -boson -bosonic -bosons -bosque -bosques -bosquet -bosquets -boss -bossdom -bossdoms -bossed -bosses -bossier -bossies -bossiest -bossily -bossing -bossism -bossisms -bossy -boston -bostons -bosun -bosuns -bot -bota -botanic -botanica -botanies -botanise -botanist -botanize -botany -botas -botch -botched -botcher -botchers -botchery -botches -botchier -botchily -botching -botchy -botel -botels -botflies -botfly -both -bother -bothered -bothers -bothies -bothria -bothrium -bothy -botonee -botonnee -botryoid -botryose -botrytis -bots -bott -bottle -bottled -bottler -bottlers -bottles -bottling -bottom -bottomed -bottomer -bottomry -bottoms -botts -botulin -botulins -botulism -boubou -boubous -bouchee -bouchees -boucle -boucles -boudin -boudins -boudoir -boudoirs -bouffant -bouffe -bouffes -bough -boughed -boughpot -boughs -bought -boughten -bougie -bougies -bouillon -boulder -boulders -bouldery -boule -boules -boulle -boulles -bounce -bounced -bouncer -bouncers -bounces -bouncier -bouncily -bouncing -bouncy -bound -boundary -bounded -bounden -bounder -bounders -bounding -bounds -bountied -bounties -bounty -bouquet -bouquets -bourbon -bourbons -bourdon -bourdons -bourg -bourgeon -bourgs -bourn -bourne -bournes -bourns -bourree -bourrees -bourride -bourse -bourses -boursin -boursin -boursins -boursins -bourtree -bouse -boused -bouses -bousing -bousouki -bousy -bout -boutique -bouton -boutons -bouts -bouvier -bouviers -bouzouki -bovid -bovids -bovine -bovinely -bovines -bovinity -bow -bowed -bowel -boweled -boweling -bowelled -bowels -bower -bowered -boweries -bowering -bowers -bowery -bowfin -bowfins -bowfront -bowhead -bowheads -bowing -bowingly -bowings -bowknot -bowknots -bowl -bowlder -bowlders -bowled -bowleg -bowlegs -bowler -bowlers -bowless -bowlful -bowlfuls -bowlike -bowline -bowlines -bowling -bowlings -bowllike -bowls -bowman -bowmen -bowpot -bowpots -bows -bowse -bowsed -bowses -bowshot -bowshots -bowsing -bowsprit -bowwow -bowwowed -bowwows -bowyer -bowyers -box -boxball -boxballs -boxberry -boxboard -boxcar -boxcars -boxed -boxer -boxers -boxes -boxfish -boxful -boxfuls -boxhaul -boxhauls -boxier -boxiest -boxily -boxiness -boxing -boxings -boxlike -boxthorn -boxwood -boxwoods -boxy -boy -boyar -boyard -boyards -boyarism -boyars -boychick -boychik -boychiks -boycott -boycotts -boyhood -boyhoods -boyish -boyishly -boyla -boylas -boyo -boyos -boys -bozo -bozos -bra -brabble -brabbled -brabbler -brabbles -brace -braced -bracelet -bracer -bracero -braceros -bracers -braces -brach -braches -brachet -brachets -brachia -brachial -brachium -brachs -bracing -bracings -braciola -braciole -bracken -brackens -bracket -brackets -brackish -braconid -bract -bracteal -bracted -bractlet -bracts -brad -bradawl -bradawls -bradded -bradding -bradoon -bradoons -brads -brae -braes -brag -braggart -bragged -bragger -braggers -braggers -braggest -braggier -bragging -braggy -brags -brahma -brahmas -braid -braided -braider -braiders -braiding -braids -brail -brailed -brailing -braille -brailled -brailler -brailles -brails -brain -brained -brainiac -brainier -brainily -braining -brainish -brainpan -brains -brainy -braise -braised -braises -braising -braize -braizes -brake -brakeage -braked -brakeman -brakemen -brakes -brakier -brakiest -braking -braky -braless -bramble -brambled -brambles -brambly -bran -branch -branched -branches -branchia -branchy -brand -branded -brander -branders -brandied -brandies -branding -brandish -brands -brandy -brank -branks -branned -branner -branners -brannier -branning -branny -brans -brant -brantail -brants -bras -brash -brasher -brashes -brashest -brashier -brashly -brashy -brasier -brasiers -brasil -brasilin -brasils -brass -brassage -brassard -brassart -brassed -brasses -brassica -brassie -brassier -brassies -brassily -brassing -brassish -brassy -brat -brats -brattice -brattier -brattish -brattle -brattled -brattles -bratty -braunite -brava -bravado -bravados -bravas -brave -braved -bravely -braver -bravers -bravery -braves -bravest -bravi -braving -bravo -bravoed -bravoes -bravoing -bravos -bravura -bravuras -bravure -braw -brawer -brawest -brawl -brawled -brawler -brawlers -brawlie -brawlier -brawling -brawls -brawly -brawn -brawnier -brawnily -brawns -brawny -braws -braxies -braxy -bray -brayed -brayer -brayers -braying -brays -braza -brazas -braze -brazed -brazen -brazened -brazenly -brazens -brazer -brazers -brazes -brazier -braziers -brazil -brazilin -brazils -brazing -breach -breached -breacher -breaches -bread -breadbox -breaded -breading -breadnut -breads -breadth -breadths -bready -break -breakage -breaker -breakers -breaking -breakout -breaks -breakup -breakups -bream -breamed -breaming -breams -breast -breasted -breasts -breath -breathe -breathed -breather -breathes -breaths -breathy -breccia -breccial -breccias -brecham -brechams -brechan -brechans -bred -brede -bredes -bree -breech -breeched -breeches -breed -breeder -breeders -breeding -breeds -breeks -brees -breeze -breezed -breezes -breezier -breezily -breezing -breezy -bregma -bregmata -bregmate -bren -brens -brent -brents -brethren -breve -breves -brevet -brevetcy -breveted -brevets -breviary -brevier -breviers -brevity -brew -brewage -brewages -brewed -brewer -brewers -brewery -brewing -brewings -brewis -brewises -brewpub -brewpubs -brews -brewski -brewskis -briar -briard -briards -briars -briary -bribable -bribe -bribed -bribee -bribees -briber -bribers -bribery -bribes -bribing -brick -brickbat -bricked -brickier -bricking -brickle -brickles -bricks -bricky -bricole -bricoles -bridal -bridally -bridals -bride -brides -bridge -bridged -bridges -bridging -bridle -bridled -bridler -bridlers -bridles -bridling -bridoon -bridoons -brie -brief -briefed -briefer -briefers -briefest -briefing -briefly -briefs -brier -briers -briery -bries -brig -brigade -brigaded -brigades -brigand -brigands -bright -brighten -brighter -brightly -brights -brigs -brill -brillo -brillo -brillos -brillos -brills -brim -brimful -brimfull -brimless -brimmed -brimmer -brimmers -brimming -brims -brin -brinded -brindle -brindled -brindles -brine -brined -briner -briners -brines -bring -bringer -bringers -bringing -brings -brinier -brinies -briniest -brining -brinish -brink -brinks -brins -briny -brio -brioche -brioches -brionies -briony -brios -briquet -briquets -bris -brisance -brisant -brises -brisk -brisked -brisker -briskest -brisket -briskets -brisking -briskly -brisks -brisling -briss -brisses -bristle -bristled -bristles -bristly -bristol -bristols -brit -britches -brith -briths -brits -britska -britskas -britt -brittle -brittled -brittler -brittles -brittly -britts -britzka -britzkas -britzska -bro -broach -broached -broacher -broaches -broad -broadax -broadaxe -broaden -broadens -broader -broadest -broadish -broadly -broads -brocade -brocaded -brocades -brocatel -broccoli -broche -brochure -brock -brockage -brocket -brockets -brocks -brocoli -brocolis -brogan -brogans -brogue -broguery -brogues -broguish -broider -broiders -broidery -broil -broiled -broiler -broilers -broiling -broils -brokage -brokages -broke -broken -brokenly -broker -brokered -brokers -broking -brokings -brollies -brolly -bromal -bromals -bromate -bromated -bromates -brome -bromelin -bromes -bromic -bromid -bromide -bromides -bromidic -bromids -bromin -bromine -bromines -bromins -bromism -bromisms -bromize -bromized -bromizes -bromo -bromos -bronc -bronchi -bronchia -broncho -bronchos -bronchus -bronco -broncos -broncs -bronze -bronzed -bronzer -bronzers -bronzes -bronzier -bronzing -bronzy -broo -brooch -brooches -brood -brooded -brooder -brooders -broodier -broodily -brooding -broods -broody -brook -brooked -brookie -brookies -brooking -brookite -brooklet -brooks -broom -broomed -broomier -brooming -brooms -broomy -broos -bros -brose -broses -brosy -broth -brothel -brothels -brother -brothers -broths -brothy -brougham -brought -brouhaha -brow -browband -browbeat -browed -browless -brown -browned -browner -brownest -brownie -brownier -brownies -browning -brownish -brownout -browns -browny -brows -browse -browsed -browser -browsers -browses -browsing -brr -brrr -brucella -brucin -brucine -brucines -brucins -brugh -brughs -bruin -bruins -bruise -bruised -bruiser -bruisers -bruises -bruising -bruit -bruited -bruiter -bruiters -bruiting -bruits -brulot -brulots -brulyie -brulyies -brulzie -brulzies -brumal -brumbies -brumby -brume -brumes -brumous -brunch -brunched -bruncher -brunches -brunet -brunets -brunette -brung -brunizem -brunt -brunts -brush -brushed -brusher -brushers -brushes -brushier -brushing -brushoff -brushup -brushups -brushy -brusk -brusker -bruskest -brusque -brusquer -brut -brutal -brutally -brute -bruted -brutely -brutes -brutify -bruting -brutish -brutism -brutisms -bruts -brux -bruxed -bruxes -bruxing -bruxism -bruxisms -bryology -bryonies -bryony -bryozoan -bub -bubal -bubale -bubales -bubaline -bubalis -bubals -bubbies -bubble -bubbled -bubbler -bubblers -bubbles -bubblier -bubblies -bubbling -bubbly -bubby -bubinga -bubingas -bubkes -bubo -buboed -buboes -bubonic -bubs -bubu -bubus -buccal -buccally -buck -buckaroo -buckayro -buckbean -bucked -buckeen -buckeens -bucker -buckeroo -buckers -bucket -bucketed -buckets -buckeye -buckeyes -bucking -buckish -buckle -buckled -buckler -bucklers -buckles -buckling -bucko -buckoes -buckos -buckra -buckram -buckrams -buckras -bucks -bucksaw -bucksaws -buckshee -buckshot -buckskin -bucktail -bucolic -bucolics -bud -budded -budder -budders -buddha -buddha -buddhas -buddhas -buddied -buddies -budding -buddings -buddle -buddleia -buddles -buddy -buddying -budge -budged -budger -budgers -budges -budget -budgeted -budgeter -budgets -budgie -budgies -budging -budless -budlike -buds -budworm -budworms -buff -buffable -buffalo -buffalos -buffed -buffer -buffered -buffers -buffest -buffet -buffeted -buffeter -buffets -buffi -buffier -buffiest -buffing -buffo -buffoon -buffoons -buffos -buffs -buffy -bug -bugaboo -bugaboos -bugbane -bugbanes -bugbear -bugbears -bugeye -bugeyes -bugged -bugger -buggered -buggers -buggery -buggier -buggies -buggiest -bugging -buggy -bughouse -bugle -bugled -bugler -buglers -bugles -bugling -bugloss -bugout -bugouts -bugs -bugseed -bugseeds -bugsha -bugshas -buhl -buhls -buhlwork -buhr -buhrs -build -builded -builder -builders -building -builds -buildup -buildups -built -buirdly -bulb -bulbar -bulbed -bulbel -bulbels -bulbil -bulbils -bulblet -bulblets -bulbous -bulbs -bulbul -bulbuls -bulge -bulged -bulger -bulgers -bulges -bulghur -bulghurs -bulgier -bulgiest -bulging -bulgur -bulgurs -bulgy -bulimia -bulimiac -bulimias -bulimic -bulimics -bulk -bulkage -bulkages -bulked -bulkhead -bulkier -bulkiest -bulkily -bulking -bulks -bulky -bull -bulla -bullace -bullaces -bullae -bullate -bullbat -bullbats -bulldog -bulldogs -bulldoze -bulled -bullet -bulleted -bulletin -bullets -bullfrog -bullhead -bullhorn -bullied -bullier -bullies -bulliest -bulling -bullion -bullions -bullish -bullneck -bullnose -bullock -bullocks -bullocky -bullous -bullpen -bullpens -bullpout -bullring -bullrush -bulls -bullshit -bullshot -bullweed -bullwhip -bully -bullyboy -bullying -bullyrag -bulrush -bulwark -bulwarks -bum -bumble -bumbled -bumbler -bumblers -bumbles -bumbling -bumboat -bumboats -bumelia -bumelias -bumf -bumfs -bumkin -bumkins -bummalo -bummalos -bummed -bummer -bummers -bummest -bumming -bump -bumped -bumper -bumpered -bumpers -bumph -bumphs -bumpier -bumpiest -bumpily -bumping -bumpkin -bumpkins -bumps -bumpy -bums -bun -buna -bunas -bunch -bunched -bunches -bunchier -bunchily -bunching -bunchy -bunco -buncoed -buncoing -buncombe -buncos -bund -bundist -bundists -bundle -bundled -bundler -bundlers -bundles -bundling -bunds -bundt -bundts -bung -bungalow -bunged -bungee -bungees -bunghole -bunging -bungle -bungled -bungler -bunglers -bungles -bungling -bungs -bunion -bunions -bunk -bunked -bunker -bunkered -bunkers -bunking -bunkmate -bunko -bunkoed -bunkoing -bunkos -bunks -bunkum -bunkums -bunn -bunnies -bunns -bunny -bunraku -bunrakus -buns -bunt -bunted -bunter -bunters -bunting -buntings -buntline -bunts -bunya -bunyas -buoy -buoyage -buoyages -buoyance -buoyancy -buoyant -buoyed -buoying -buoys -bupkes -bupkus -buppie -buppies -buppy -buqsha -buqshas -bur -bura -buran -burans -buras -burb -burble -burbled -burbler -burblers -burbles -burblier -burbling -burbly -burbot -burbots -burbs -burd -burden -burdened -burdener -burdens -burdie -burdies -burdock -burdocks -burds -bureau -bureaus -bureaux -buret -burets -burette -burettes -burg -burgage -burgages -burgee -burgees -burgeon -burgeons -burger -burgers -burgess -burgh -burghal -burgher -burghers -burghs -burglar -burglars -burglary -burgle -burgled -burgles -burgling -burgonet -burgoo -burgoos -burgout -burgouts -burgrave -burgs -burgundy -burial -burials -buried -burier -buriers -buries -burin -burins -burka -burkas -burke -burked -burker -burkers -burkes -burking -burkite -burkites -burl -burlap -burlaps -burled -burler -burlers -burlesk -burlesks -burley -burleys -burlier -burliest -burlily -burling -burls -burly -burn -burnable -burned -burner -burners -burnet -burnets -burnie -burnies -burning -burnings -burnish -burnoose -burnous -burnout -burnouts -burns -burnt -burp -burped -burping -burps -burqa -burqas -burr -burred -burrer -burrers -burrier -burriest -burring -burrito -burritos -burro -burros -burrow -burrowed -burrower -burrows -burrs -burry -burs -bursa -bursae -bursal -bursar -bursars -bursary -bursas -bursate -burse -burseed -burseeds -bursera -burses -bursitis -burst -bursted -burster -bursters -bursting -burstone -bursts -burthen -burthens -burton -burtons -burweed -burweeds -bury -burying -bus -busbar -busbars -busbies -busboy -busboys -busby -bused -buses -busgirl -busgirls -bush -bushbuck -bushed -bushel -busheled -busheler -bushels -busher -bushers -bushes -bushfire -bushgoat -bushido -bushidos -bushier -bushiest -bushily -bushing -bushings -bushland -bushless -bushlike -bushman -bushmen -bushpig -bushpigs -bushtit -bushtits -bushveld -bushwa -bushwah -bushwahs -bushwas -bushy -busied -busier -busies -busiest -busily -business -busing -busings -busk -busked -busker -buskers -buskin -buskined -busking -buskins -busks -busload -busloads -busman -busmen -buss -bussed -busses -bussing -bussings -bust -bustard -bustards -busted -buster -busters -bustic -bustics -bustier -bustiers -bustiest -busting -bustle -bustled -bustler -bustlers -bustles -bustline -bustlines -bustling -busts -busty -busulfan -busy -busybody -busying -busyness -busywork -but -butane -butanes -butanol -butanols -butanone -butch -butcher -butchers -butchery -butches -bute -butene -butenes -buteo -buteos -butes -butle -butled -butler -butlers -butlery -butles -butling -buts -butt -buttals -butte -butted -butter -buttered -butters -buttery -buttes -butthead -butties -butting -buttock -buttocks -button -buttoned -buttoner -buttons -buttony -buttress -butts -butty -butut -bututs -butyl -butylate -butylene -butyls -butyral -butyrals -butyrate -butyric -butyrin -butyrins -butyrous -butyryl -butyryls -buxom -buxomer -buxomest -buxomly -buy -buyable -buyback -buybacks -buyer -buyers -buying -buyoff -buyoffs -buyout -buyouts -buys -buzuki -buzukia -buzukis -buzz -buzzard -buzzards -buzzcut -buzzcuts -buzzed -buzzer -buzzers -buzzes -buzzing -buzzwig -buzzwigs -buzzword -bwana -bwanas -by -bycatch -bye -byelaw -byelaws -byes -bygone -bygones -bylaw -bylaws -byline -bylined -byliner -byliners -bylines -bylining -byname -bynames -bypass -bypassed -bypasses -bypast -bypath -bypaths -byplay -byplays -byre -byres -byrl -byrled -byrling -byrls -byrnie -byrnies -byroad -byroads -bys -byssal -byssi -byssus -byssuses -bystreet -bytalk -bytalks -byte -bytes -byway -byways -byword -bywords -bywork -byworks -byzant -byzants -cab -cabal -cabala -cabalas -cabalism -cabalist -caballed -cabals -cabana -cabanas -cabaret -cabarets -cabbage -cabbaged -cabbages -cabbagey -cabbagy -cabbala -cabbalah -cabbalas -cabbed -cabbie -cabbies -cabbing -cabby -caber -cabernet -cabers -cabestro -cabezon -cabezone -cabezons -cabildo -cabildos -cabin -cabined -cabinet -cabinets -cabining -cabins -cable -cabled -cabler -cablers -cables -cablet -cablets -cableway -cabling -cabman -cabmen -cabob -cabobs -caboched -cabochon -cabomba -cabombas -caboodle -caboose -cabooses -caboshed -cabotage -cabresta -cabresto -cabretta -cabrilla -cabriole -cabs -cabstand -caca -cacao -cacaos -cacas -cachalot -cache -cached -cachepot -caches -cachet -cacheted -cachets -cachexia -cachexic -cachexy -caching -cachou -cachous -cachucha -cacique -caciques -cackle -cackled -cackler -cacklers -cackles -cackling -cacodyl -cacodyls -cacomixl -caconym -caconyms -caconymy -cacti -cactoid -cactus -cactuses -cad -cadaster -cadastre -cadaver -cadavers -caddice -caddices -caddie -caddied -caddies -caddis -caddised -caddises -caddish -caddy -caddying -cade -cadelle -cadelles -cadence -cadenced -cadences -cadency -cadent -cadenza -cadenzas -cades -cadet -cadets -cadge -cadged -cadger -cadgers -cadges -cadging -cadgy -cadi -cadis -cadmic -cadmium -cadmiums -cadre -cadres -cads -caducean -caducei -caduceus -caducity -caducous -caeca -caecal -caecally -caecum -caeoma -caeomas -caesar -caesars -caesium -caesiums -caestus -caesura -caesurae -caesural -caesuras -caesuric -cafe -cafes -caff -caffein -caffeine -caffeins -caffs -caftan -caftaned -caftans -cage -caged -cageful -cagefuls -cagelike -cageling -cager -cagers -cages -cagey -cagier -cagiest -cagily -caginess -caging -cagy -cahier -cahiers -cahoot -cahoots -cahow -cahows -caid -caids -caiman -caimans -cain -cains -caique -caiques -caird -cairds -cairn -cairned -cairns -cairny -caisson -caissons -caitiff -caitiffs -cajaput -cajaputs -cajeput -cajeputs -cajole -cajoled -cajoler -cajolers -cajolery -cajoles -cajoling -cajon -cajones -cajuput -cajuputs -cake -caked -cakes -cakewalk -cakey -cakier -cakiest -cakiness -caking -caky -calabash -calabaza -caladium -calamar -calamari -calamars -calamary -calamata -calami -calamine -calamint -calamite -calamity -calamus -calando -calash -calashes -calathi -calathos -calathus -calcanea -calcanei -calcar -calcaria -calcars -calceate -calces -calcic -calcific -calcify -calcine -calcined -calcines -calcite -calcites -calcitic -calcium -calciums -calcspar -calctufa -calctuff -calculi -calculus -caldaria -caldera -calderas -caldron -caldrons -caleche -caleches -calendal -calendar -calender -calends -calesa -calesas -calf -calflike -calfs -calfskin -caliber -calibers -calibre -calibred -calibres -calices -caliche -caliches -calicle -calicles -calico -calicoes -calicos -calif -califate -califs -calipash -calipee -calipees -caliper -calipers -caliph -caliphal -caliphs -calisaya -calix -calk -calked -calker -calkers -calkin -calking -calkings -calkins -calks -call -calla -callable -callaloo -callan -callans -callant -callants -callas -callback -callboy -callboys -called -callee -callees -caller -callers -callet -callets -calling -callings -calliope -callipee -calliper -callose -calloses -callous -callow -callower -calls -callus -callused -calluses -calm -calmed -calmer -calmest -calming -calmly -calmness -calms -calo -calomel -calomels -caloric -calorics -calorie -calories -calorize -calory -calos -calotte -calottes -calotype -calotypes -caloyer -caloyers -calpac -calpack -calpacks -calpacs -calpain -calpains -calque -calqued -calques -calquing -calthrop -caltrap -caltraps -caltrop -caltrops -calumet -calumets -calumny -calutron -calvados -calvaria -calvary -calve -calved -calves -calving -calx -calxes -calycate -calyceal -calyces -calycine -calycle -calycles -calyculi -calypso -calypsos -calypter -calyptra -calyx -calyxes -calzone -calzones -cam -camail -camailed -camails -camas -camases -camass -camasses -camber -cambered -cambers -cambia -cambial -cambism -cambisms -cambist -cambists -cambium -cambiums -cambogia -cambric -cambrics -came -camel -cameleer -camelia -camelias -camelid -camelids -camellia -camels -cameo -cameoed -cameoing -cameos -camera -camerae -cameral -cameras -cames -camion -camions -camisa -camisade -camisado -camisas -camise -camises -camisia -camisias -camisole -camlet -camlets -cammie -cammies -camo -camomile -camorra -camorras -camos -camp -campagna -campagne -campaign -camped -camper -campers -campfire -camphene -camphine -camphire -camphol -camphols -camphor -camphors -campi -campier -campiest -campily -camping -campings -campion -campions -campo -campong -campongs -camporee -campos -campout -campouts -camps -campsite -campus -campused -campuses -campy -cams -camshaft -can -canaille -canakin -canakins -canal -canaled -canaling -canalise -canalize -canalled -canaller -canals -canape -canapes -canard -canards -canaries -canary -canasta -canastas -cancan -cancans -cancel -canceled -canceler -cancels -cancer -cancered -cancers -cancha -canchas -cancroid -candela -candelas -candent -candid -candida -candidal -candidas -candider -candidly -candids -candied -candies -candle -candled -candler -candlers -candles -candling -candor -candors -candour -candours -candy -candying -cane -caned -canella -canellas -canephor -caner -caners -canes -caneware -canfield -canful -canfuls -cangue -cangues -canid -canids -canikin -canikins -canine -canines -caning -caninity -canistel -canister -canities -canker -cankered -cankers -canna -cannabic -cannabin -cannabis -cannas -canned -cannel -cannelon -cannels -canner -canners -cannery -cannibal -cannie -cannier -canniest -cannikin -cannily -canning -cannings -cannoli -cannolis -cannon -cannoned -cannonry -cannons -cannot -cannula -cannulae -cannular -cannulas -canny -canoe -canoed -canoeing -canoeist -canoer -canoers -canoes -canola -canolas -canon -canoness -canonic -canonise -canonist -canonize -canonry -canons -canoodle -canopic -canopied -canopies -canopy -canorous -cans -cansful -canso -cansos -canst -cant -cantal -cantala -cantalas -cantals -cantata -cantatas -cantdog -cantdogs -canted -canteen -canteens -canter -cantered -canters -canthal -canthi -canthus -cantic -canticle -cantina -cantinas -canting -cantle -cantles -canto -canton -cantonal -cantoned -cantons -cantor -cantors -cantos -cantraip -cantrap -cantraps -cantrip -cantrips -cants -cantus -canty -canula -canulae -canular -canulas -canulate -canvas -canvased -canvaser -canvases -canvass -canyon -canyons -canzona -canzonas -canzone -canzones -canzonet -canzoni -cap -capable -capabler -capably -capacity -cape -caped -capelan -capelans -capelet -capelets -capelin -capelins -caper -capered -caperer -caperers -capering -capers -capes -capeskin -capework -capful -capfuls -caph -caphs -capias -capiases -capita -capital -capitals -capitate -capitol -capitols -capitula -capiz -capizes -capless -caplet -caplets -caplin -caplins -capmaker -capo -capoeira -capon -caponata -caponier -caponize -capons -caporal -caporals -capos -capote -capotes -capouch -capped -capper -cappers -capping -cappings -capric -capricci -caprice -caprices -caprifig -caprine -capriole -capris -caprock -caprocks -caps -capsicin -capsicum -capsid -capsidal -capsids -capsize -capsized -capsizes -capsomer -capstan -capstans -capstone -capsular -capsule -capsuled -capsules -captain -captains -captan -captans -caption -captions -captious -captive -captives -captor -captors -capture -captured -capturer -captures -capuche -capuched -capuches -capuchin -caput -capybara -car -carabao -carabaos -carabid -carabids -carabin -carabine -carabins -caracal -caracals -caracara -carack -caracks -caracol -caracole -caracols -caracul -caraculs -carafe -carafes -caragana -carageen -caramba -caramel -caramels -carangid -carapace -carapax -carassow -carat -carate -carates -carats -caravan -caravans -caravel -caravels -caraway -caraways -carb -carbamic -carbamyl -carbarn -carbarns -carbaryl -carbide -carbides -carbine -carbines -carbinol -carbo -carbolic -carbon -carbonic -carbons -carbonyl -carbora -carboras -carbos -carboxyl -carboy -carboyed -carboys -carbs -carburet -carcajou -carcanet -carcase -carcases -carcass -carcel -carcels -carceral -card -cardamom -cardamon -cardamum -cardcase -carded -carder -carders -cardia -cardiac -cardiacs -cardiae -cardias -cardigan -cardinal -carding -cardings -cardio -cardioid -carditic -carditis -cardon -cardons -cardoon -cardoons -cards -care -cared -careen -careened -careener -careens -career -careered -careerer -careers -carefree -careful -careless -carer -carers -cares -caress -caressed -caresser -caresses -caret -caretake -caretook -carets -careworn -carex -carfare -carfares -carful -carfuls -cargo -cargoes -cargos -carhop -carhops -caribe -caribes -caribou -caribous -carices -caried -caries -carillon -carina -carinae -carinal -carinas -carinate -caring -carioca -cariocas -cariole -carioles -carious -caritas -carjack -carjacks -cark -carked -carking -carks -carl -carle -carles -carless -carlin -carline -carlines -carling -carlings -carlins -carlish -carload -carloads -carls -carmaker -carman -carmen -carmine -carmines -carn -carnage -carnages -carnal -carnally -carnauba -carnet -carnets -carney -carneys -carnie -carnies -carnify -carnival -carns -carny -caroach -carob -carobs -caroch -caroche -caroches -carol -caroled -caroler -carolers -caroli -caroling -carolled -caroller -carols -carolus -carom -caromed -caroming -caroms -carotene -carotid -carotids -carotin -carotins -carousal -carouse -caroused -carousel -carouser -carouses -carp -carpal -carpale -carpalia -carpals -carped -carpel -carpels -carper -carpers -carpet -carpeted -carpets -carpi -carping -carpings -carpool -carpools -carport -carports -carps -carpus -carr -carrack -carracks -carrel -carrell -carrells -carrels -carriage -carried -carrier -carriers -carries -carriole -carrion -carrions -carritch -carroch -carrom -carromed -carroms -carrot -carrotin -carrots -carroty -carrs -carry -carryall -carrying -carryon -carryons -carryout -cars -carse -carses -carsick -cart -cartable -cartage -cartages -carte -carted -cartel -cartels -carter -carters -cartes -carting -cartload -carton -cartoned -cartons -cartoon -cartoons -cartoony -cartop -cartouch -carts -caruncle -carve -carved -carvel -carvels -carven -carver -carvers -carves -carving -carvings -carwash -caryatic -caryatid -caryotin -casa -casaba -casabas -casas -casava -casavas -casbah -casbahs -cascabel -cascable -cascade -cascaded -cascades -cascara -cascaras -case -casease -caseases -caseate -caseated -caseates -casebook -cased -casefied -casefies -casefy -caseic -casein -caseins -caseload -casemate -casement -caseose -caseoses -caseous -casern -caserne -casernes -caserns -cases -casette -casettes -casework -caseworm -cash -cashable -cashaw -cashaws -cashbook -cashbox -cashed -cashes -cashew -cashews -cashier -cashiers -cashing -cashless -cashmere -cashoo -cashoos -casimere -casimire -casing -casings -casini -casino -casinos -casita -casitas -cask -casked -casket -casketed -caskets -casking -casks -casky -casque -casqued -casques -cassaba -cassabas -cassata -cassatas -cassava -cassavas -cassena -cassenas -cassene -cassenes -cassette -cassia -cassias -cassina -cassinas -cassine -cassines -cassino -cassinos -cassis -cassises -cassock -cassocks -cast -castable -castanet -castaway -caste -casteism -caster -casters -castes -casting -castings -castle -castled -castles -castling -castoff -castoffs -castor -castors -castrate -castrati -castrato -casts -casual -casually -casuals -casualty -casuist -casuists -casus -cat -catacomb -catalase -catalo -cataloes -catalog -catalogs -catalos -catalpa -catalpas -catalyst -catalyze -catamite -catapult -cataract -catarrh -catarrhs -catawba -catawbas -catbird -catbirds -catboat -catboats -catbrier -catcall -catcalls -catch -catchall -catcher -catchers -catches -catchfly -catchier -catching -catchup -catchups -catchy -catclaw -catclaws -cate -catechin -catechol -catechu -catechus -category -catena -catenae -catenary -catenas -catenate -catenoid -cater -cateran -caterans -catered -caterer -caterers -cateress -catering -caters -cates -catface -catfaces -catfall -catfalls -catfight -catfights -catfish -catgut -catguts -cathead -catheads -cathect -cathects -cathedra -catheter -cathexes -cathexis -cathodal -cathode -cathodes -cathodic -catholic -catholics -cathouse -cation -cationic -cations -catjang -catjangs -catkin -catkins -catlike -catlin -catling -catlings -catlins -catmint -catmints -catnap -catnaper -catnaps -catnip -catnips -cats -catspaw -catspaws -catsuit -catsuits -catsup -catsups -cattail -cattails -cattalo -cattalos -catted -cattery -cattie -cattier -catties -cattiest -cattily -catting -cattish -cattle -cattleya -catty -catwalk -catwalks -caucus -caucused -caucuses -caudad -caudal -caudally -caudate -caudated -caudates -caudex -caudexes -caudices -caudillo -caudle -caudles -caught -caul -cauld -cauldron -caulds -caules -caulicle -cauline -caulis -caulk -caulked -caulker -caulkers -caulking -caulks -cauls -causable -causal -causally -causals -cause -caused -causer -causerie -causers -causes -causeway -causey -causeys -causing -caustic -caustics -cautery -caution -cautions -cautious -cavalero -cavalier -cavalla -cavallas -cavally -cavalry -cavatina -cavatine -cave -caveat -caveated -caveator -caveats -caved -cavefish -cavelike -caveman -cavemen -caver -cavern -caverned -caverns -cavers -caves -cavetti -cavetto -cavettos -caviar -caviare -caviares -caviars -cavicorn -cavie -cavies -cavil -caviled -caviler -cavilers -caviling -cavilled -caviller -cavils -caving -cavings -cavitary -cavitate -cavitied -cavities -cavity -cavort -cavorted -cavorter -cavorts -cavy -caw -cawed -cawing -caws -cay -cayenne -cayenned -cayennes -cayman -caymans -cays -cayuse -cayuses -cazique -caziques -cease -ceased -ceases -ceasing -cebid -cebids -ceboid -ceboids -ceca -cecal -cecally -cecities -cecity -cecropia -cecum -cedar -cedarn -cedars -cedary -cede -ceded -ceder -ceders -cedes -cedi -cedilla -cedillas -ceding -cedis -cedula -cedulas -cee -cees -ceiba -ceibas -ceil -ceiled -ceiler -ceilers -ceili -ceilidh -ceilidhs -ceiling -ceilings -ceilis -ceils -ceinture -cel -celadon -celadons -celeb -celebs -celeriac -celeries -celerity -celery -celesta -celestas -celeste -celestes -celiac -celiacs -celibacy -celibate -cell -cella -cellae -cellar -cellared -cellarer -cellaret -cellars -celled -celli -celling -cellist -cellists -cellmate -cello -cellos -cells -cellular -cellule -cellules -celom -celomata -celoms -celosia -celosias -celotex -celotex -celotexes -cels -celt -celts -cembali -cembalo -cembalos -cement -cementa -cemented -cementer -cements -cementum -cemetery -cenacle -cenacles -cenobite -cenotaph -cenote -cenotes -cenozoic -cenozoic -cense -censed -censer -censers -censes -censing -censor -censored -censors -censual -censure -censured -censurer -censures -census -censused -censuses -cent -centai -cental -centals -centare -centares -centas -centaur -centaurs -centaury -centavo -centavos -center -centered -centers -centeses -centesis -centiare -centile -centiles -centime -centimes -centimo -centimos -centner -centners -cento -centones -centos -centra -central -centrals -centre -centred -centres -centric -centring -centrism -centrist -centroid -centrum -centrums -cents -centu -centum -centums -centuple -century -ceorl -ceorlish -ceorls -cep -cepe -cepes -cephalad -cephalic -cephalin -cepheid -cepheids -ceps -ceramal -ceramals -ceramic -ceramics -ceramide -ceramist -cerastes -cerate -cerated -cerates -ceratin -ceratins -ceratoid -cercal -cercaria -cerci -cercis -cercises -cercus -cere -cereal -cereals -cerebra -cerebral -cerebric -cerebrum -cered -cerement -ceremony -ceres -cereus -cereuses -ceria -cerias -ceric -cering -ceriph -ceriphs -cerise -cerises -cerite -cerites -cerium -ceriums -cermet -cermets -cernuous -cero -ceros -cerotic -cerotype -cerous -certain -certes -certify -cerulean -cerumen -cerumens -ceruse -ceruses -cerusite -cervelas -cervelat -cerveza -cervezas -cervical -cervices -cervid -cervine -cervix -cervixes -cesarean -cesarian -cesium -cesiums -cess -cessed -cesses -cessing -cession -cessions -cesspit -cesspits -cesspool -cesta -cestas -cesti -cestode -cestodes -cestoi -cestoid -cestoids -cestos -cestus -cestuses -cesura -cesurae -cesuras -cetacean -cetane -cetanes -cete -cetes -cetology -ceviche -ceviches -chablis -chabouk -chabouks -chabuk -chabuks -chachka -chachkas -chacma -chacmas -chaconne -chad -chadar -chadarim -chadars -chadless -chador -chadors -chadri -chads -chaebol -chaebols -chaeta -chaetae -chaetal -chafe -chafed -chafer -chafers -chafes -chaff -chaffed -chaffer -chaffers -chaffier -chaffing -chaffs -chaffy -chafing -chagrin -chagrins -chai -chain -chaine -chained -chaines -chaining -chainman -chainmen -chains -chainsaw -chainsawed -chainsawing -chainsaws -chair -chaired -chairing -chairman -chairmen -chairs -chais -chaise -chaises -chakra -chakras -chalah -chalahs -chalaza -chalazae -chalazal -chalazas -chalazia -chalcid -chalcids -chaldron -chaleh -chalehs -chalet -chalets -chalice -chaliced -chalices -chalk -chalked -chalkier -chalking -chalks -chalky -challa -challah -challahs -challas -challie -challies -challis -challot -challoth -chally -chalone -chalones -chalot -chaloth -chalupa -chalupas -chalutz -cham -chamade -chamades -chamber -chambers -chambray -chamfer -chamfers -chamfron -chamisa -chamisas -chamise -chamises -chamiso -chamisos -chammied -chammies -chammy -chamois -chamoix -champ -champac -champaca -champacs -champak -champaks -champed -champer -champers -champing -champion -champs -champy -chams -chance -chanced -chancel -chancels -chancer -chancers -chancery -chances -chancier -chancily -chancing -chancre -chancres -chancy -chandler -chanfron -chang -change -changed -changer -changers -changes -changeup -changing -changs -channel -channels -chanoyu -chanoyus -chanson -chansons -chant -chantage -chanted -chanter -chanters -chantey -chanteys -chanties -chanting -chantor -chantors -chantry -chants -chanty -chao -chaos -chaoses -chaotic -chap -chapati -chapatis -chapatti -chapbook -chape -chapeau -chapeaus -chapeaux -chapel -chapels -chaperon -chapes -chapiter -chaplain -chaplet -chaplets -chapman -chapmen -chappati -chappatis -chapped -chappie -chappies -chapping -chaps -chapt -chapter -chapters -chaqueta -char -characid -characin -charade -charades -charas -charases -charcoal -chard -chards -chare -chared -chares -charge -charged -charger -chargers -charges -charging -charier -chariest -charily -charing -chariot -chariots -charism -charisma -charisms -charity -chark -charka -charkas -charked -charkha -charkhas -charking -charks -charlady -charley -charleys -charlie -charlies -charlock -charm -charmed -charmer -charmers -charming -charms -charnel -charnels -charpai -charpais -charpoy -charpoys -charqui -charquid -charquis -charr -charred -charrier -charring -charro -charros -charrs -charry -chars -chart -charted -charter -charters -charting -chartist -charts -chary -chase -chased -chaser -chasers -chases -chasing -chasings -chasm -chasmal -chasmed -chasmic -chasms -chasmy -chasse -chassed -chasses -chasseur -chassis -chaste -chastely -chasten -chastens -chaster -chastest -chastise -chastity -chasuble -chat -chatchka -chatchke -chateau -chateaus -chateaux -chatroom -chats -chatted -chattel -chattels -chatter -chatters -chattery -chattier -chattily -chatting -chatty -chaufer -chaufers -chauffer -chaunt -chaunted -chaunter -chaunts -chausses -chaw -chawed -chawer -chawers -chawing -chaws -chay -chayote -chayotes -chays -chazan -chazanim -chazans -chazzan -chazzans -chazzen -chazzens -cheap -cheapen -cheapens -cheaper -cheapest -cheapie -cheapies -cheapish -cheaply -cheapo -cheapos -cheaps -cheat -cheated -cheater -cheaters -cheating -cheats -chebec -chebecs -chechako -check -checked -checker -checkers -checking -checkoff -checkout -checkrow -checks -checksum -checkup -checkups -cheddar -cheddars -cheddary -cheddite -cheder -cheders -chedite -chedites -cheek -cheeked -cheekful -cheekier -cheekily -cheeking -cheeks -cheeky -cheep -cheeped -cheeper -cheepers -cheeping -cheeps -cheer -cheered -cheerer -cheerers -cheerful -cheerier -cheerily -cheering -cheerio -cheerios -cheerled -cheerly -cheero -cheeros -cheers -cheery -cheese -cheesed -cheeses -cheesier -cheesily -cheesing -cheesy -cheetah -cheetahs -chef -chefdom -chefdoms -chefed -cheffed -cheffing -chefing -chefs -chegoe -chegoes -chela -chelae -chelas -chelate -chelated -chelates -chelator -cheliped -chelipeds -cheloid -cheloids -chemic -chemical -chemics -chemise -chemises -chemism -chemisms -chemist -chemists -chemurgy -chenille -chenopod -cheque -chequer -chequers -cheques -cherish -cheroot -cheroots -cherries -cherry -chert -chertier -cherts -cherty -cherub -cherubic -cherubim -cherubs -chervil -chervils -cheshire -chess -chesses -chessman -chessmen -chest -chested -chestful -chestier -chestily -chestnut -chests -chesty -chetah -chetahs -cheth -cheths -chetrum -chetrums -chevalet -cheveron -chevied -chevies -cheviot -cheviots -chevre -chevres -chevret -chevrets -chevron -chevrons -chevy -chevying -chew -chewable -chewed -chewer -chewers -chewier -chewiest -chewing -chewink -chewinks -chews -chewy -chez -chi -chia -chianti -chiantis -chiao -chias -chiasm -chiasma -chiasmal -chiasmas -chiasmi -chiasmic -chiasms -chiasmus -chiastic -chiaus -chiauses -chibouk -chibouks -chic -chica -chicane -chicaned -chicaner -chicanes -chicano -chicanos -chicas -chiccory -chicer -chicest -chichi -chichier -chichis -chick -chickee -chickees -chicken -chickens -chickory -chickpea -chicks -chicle -chicles -chicly -chicness -chico -chicory -chicos -chics -chid -chidden -chide -chided -chider -chiders -chides -chiding -chief -chiefdom -chiefer -chiefest -chiefly -chiefs -chiel -chield -chields -chiels -chiffon -chiffons -chigetai -chigger -chiggers -chignon -chignons -chigoe -chigoes -child -childbed -childe -childes -childing -childish -childly -children -chile -chiles -chili -chiliad -chiliads -chiliasm -chiliast -chilidog -chilies -chilis -chill -chilled -chiller -chillers -chillest -chilli -chillier -chillies -chillily -chilling -chillis -chills -chillum -chillums -chilly -chilopod -chimaera -chimar -chimars -chimb -chimbley -chimbly -chimbs -chime -chimed -chimer -chimera -chimeras -chimere -chimeres -chimeric -chimers -chimes -chiming -chimla -chimlas -chimley -chimleys -chimney -chimneys -chimp -chimps -chin -china -chinas -chinbone -chinch -chinches -chinchy -chine -chined -chines -chining -chink -chinked -chinkier -chinking -chinks -chinky -chinless -chinned -chinning -chino -chinone -chinones -chinook -chinooks -chinos -chins -chints -chintses -chintz -chintzes -chintzy -chinwag -chinwags -chip -chipmuck -chipmunk -chipotle -chipped -chipper -chippers -chippie -chippier -chippies -chippiest -chipping -chippy -chips -chiral -chirk -chirked -chirker -chirkest -chirking -chirks -chirm -chirmed -chirming -chirms -chiro -chiros -chirp -chirped -chirper -chirpers -chirpier -chirpily -chirping -chirps -chirpy -chirr -chirre -chirred -chirren -chirres -chirring -chirrs -chirrup -chirrups -chirrupy -chiru -chirus -chis -chisel -chiseled -chiseler -chisels -chit -chital -chitchat -chitin -chitins -chitlin -chitling -chitlins -chiton -chitons -chitosan -chits -chitter -chitters -chitties -chitty -chivalry -chivaree -chivari -chive -chives -chivied -chivies -chivvied -chivvies -chivvy -chivy -chivying -chlamys -chloasma -chloral -chlorals -chlorate -chlordan -chloric -chlorid -chloride -chlorids -chlorin -chlorine -chlorins -chlorite -chlorous -choana -choanae -chock -chocked -chockful -chocking -chocks -choice -choicely -choicer -choices -choicest -choir -choirboy -choired -choiring -choirs -choke -choked -choker -chokers -chokes -chokey -chokier -chokiest -choking -choky -chola -cholas -cholate -cholates -cholent -cholents -choler -cholera -choleras -choleric -cholers -choline -cholines -cholla -chollas -cholo -cholos -chomp -chomped -chomper -chompers -chomping -chomps -chon -chook -chooks -choose -chooser -choosers -chooses -choosey -choosier -choosing -choosy -chop -chopin -chopine -chopines -chopins -chopped -chopper -choppers -choppier -choppily -chopping -choppy -chops -choragi -choragic -choragus -choral -chorale -chorales -chorally -chorals -chord -chordal -chordate -chorded -chording -chords -chore -chorea -choreal -choreas -chored -choregi -choregus -choreic -choreman -choremen -choreoid -chores -chorial -choriamb -choric -chorine -chorines -choring -chorioid -chorion -chorions -chorizo -chorizos -choroid -choroids -chorten -chortens -chortle -chortled -chortler -chortles -chorus -chorused -choruses -chose -chosen -choses -chott -chotts -chough -choughs -chouse -choused -chouser -chousers -chouses -choush -choushes -chousing -chow -chowchow -chowder -chowders -chowed -chowing -chows -chowse -chowsed -chowses -chowsing -chowtime -chresard -chrism -chrisma -chrismal -chrismon -chrisms -chrisom -chrisoms -christen -christie -christy -chroma -chromas -chromate -chrome -chromed -chromes -chromic -chromide -chromier -chroming -chromite -chromium -chromize -chromo -chromos -chromous -chromy -chromyl -chromyls -chronaxy -chronic -chronics -chronon -chronons -chthonic -chub -chubasco -chubbier -chubbily -chubby -chubs -chuck -chucked -chuckies -chucking -chuckle -chuckled -chuckler -chuckles -chucks -chucky -chuddah -chuddahs -chuddar -chuddars -chudder -chudders -chufa -chufas -chuff -chuffed -chuffer -chuffest -chuffier -chuffing -chuffs -chuffy -chug -chugalug -chugged -chugger -chuggers -chugging -chugs -chukar -chukars -chukka -chukkar -chukkars -chukkas -chukker -chukkers -chum -chummed -chummier -chummily -chumming -chummy -chump -chumped -chumping -chumps -chums -chumship -chunk -chunked -chunkier -chunkily -chunking -chunks -chunky -chunnel -chunnels -chunter -chunters -chuppa -chuppah -chuppahs -chuppas -church -churched -churches -churchly -churchy -churl -churlish -churls -churn -churned -churner -churners -churning -churns -churr -churred -churring -churro -churros -churrs -chute -chuted -chutes -chuting -chutist -chutists -chutnee -chutnees -chutney -chutneys -chutzpa -chutzpah -chutzpas -chyle -chyles -chylous -chyme -chymes -chymic -chymics -chymist -chymists -chymosin -chymous -chytrid -chytrids -ciao -cibol -cibols -ciboria -ciborium -ciboule -ciboules -cicada -cicadae -cicadas -cicala -cicalas -cicale -cicatrix -cicelies -cicely -cicero -cicerone -ciceroni -ciceros -cichlid -cichlids -cicisbei -cicisbeo -cicoree -cicorees -cider -ciders -cig -cigar -cigaret -cigarets -cigars -cigs -cilantro -cilia -ciliary -ciliate -ciliated -ciliates -cilice -cilices -cilium -cimbalom -cimex -cimices -cinch -cinched -cinches -cinching -cinchona -cincture -cinder -cindered -cinders -cindery -cine -cineast -cineaste -cineasts -cinema -cinemas -cineol -cineole -cineoles -cineols -cinerary -cinerin -cinerins -cines -cingula -cingular -cingulum -cinnabar -cinnamic -cinnamon -cinnamyl -cinquain -cinque -cinques -cion -cions -cioppino -cipher -ciphered -cipherer -ciphers -ciphony -cipolin -cipolins -circa -circle -circled -circler -circlers -circles -circlet -circlets -circling -circuit -circuits -circuity -circular -circus -circuses -circusy -cire -cires -cirque -cirques -cirrate -cirri -cirriped -cirrose -cirrous -cirrus -cirsoid -cis -cisco -ciscoes -ciscos -cislunar -cissies -cissoid -cissoids -cissy -cist -cisted -cistern -cisterna -cisterns -cistron -cistrons -cists -cistus -cistuses -citable -citadel -citadels -citation -citator -citators -citatory -cite -citeable -cited -citer -citers -cites -cithara -citharas -cither -cithern -citherns -cithers -cithren -cithrens -citied -cities -citified -citifies -citify -citing -citizen -citizens -citola -citolas -citole -citoles -citral -citrals -citrate -citrated -citrates -citreous -citric -citrin -citrine -citrines -citrinin -citrins -citron -citrons -citrous -citrus -citruses -citrusy -cittern -citterns -city -cityfied -cityward -citywide -civet -civets -civic -civicism -civics -civie -civies -civil -civilian -civilise -civility -civilize -civilly -civism -civisms -civvies -civvy -clabber -clabbers -clach -clachan -clachans -clachs -clack -clacked -clacker -clackers -clacking -clacks -clad -claddagh -cladded -cladding -clade -clades -cladism -cladisms -cladist -cladists -cladode -cladodes -clads -clafouti -clag -clagged -clagging -clags -claim -claimant -claimed -claimer -claimers -claiming -claims -clam -clamant -clambake -clamber -clambers -clamlike -clammed -clammer -clammers -clammier -clammily -clamming -clammy -clamor -clamored -clamorer -clamors -clamour -clamours -clamp -clamped -clamper -clampers -clamping -clamps -clams -clamworm -clan -clang -clanged -clanger -clangers -clanging -clangor -clangors -clangour -clangs -clank -clanked -clankier -clanking -clanks -clanky -clannish -clans -clansman -clansmen -clap -clapped -clapper -clappers -clapping -claps -clapt -claptrap -claque -claquer -claquers -claques -claqueur -clarence -claret -clarets -claries -clarify -clarinet -clarion -clarions -clarity -clarkia -clarkias -claro -claroes -claros -clary -clash -clashed -clasher -clashers -clashes -clashing -clasp -clasped -clasper -claspers -clasping -clasps -claspt -class -classed -classer -classers -classes -classic -classico -classics -classier -classify -classily -classing -classis -classism -classist -classon -classons -classy -clast -clastic -clastics -clasts -clatter -clatters -clattery -claucht -claught -claughts -clausal -clause -clauses -claustra -clavate -clave -claver -clavered -clavers -claves -clavi -clavicle -clavier -claviers -clavus -claw -clawback -clawed -clawer -clawers -clawing -clawless -clawlike -claws -claxon -claxons -clay -claybank -clayed -clayey -clayier -clayiest -claying -clayish -claylike -claymore -claypan -claypans -clays -clayware -clean -cleaned -cleaner -cleaners -cleanest -cleaning -cleanly -cleans -cleanse -cleansed -cleanser -cleanses -cleanup -cleanups -clear -clearcut -cleared -clearer -clearers -clearest -clearing -clearly -clears -cleat -cleated -cleating -cleats -cleavage -cleave -cleaved -cleaver -cleavers -cleaves -cleaving -cleek -cleeked -cleeking -cleeks -clef -clefs -cleft -clefted -clefting -clefts -cleidoic -clematis -clemency -clement -clench -clenched -clencher -clenches -cleome -cleomes -clepe -cleped -clepes -cleping -clept -clergies -clergy -cleric -clerical -clerics -clerid -clerids -clerihew -clerisy -clerk -clerkdom -clerked -clerking -clerkish -clerkly -clerks -cleveite -clever -cleverer -cleverly -clevis -clevises -clew -clewed -clewing -clews -cliche -cliched -cliches -click -clicked -clicker -clickers -clicking -clicks -client -cliental -clients -cliff -cliffier -cliffs -cliffy -clift -clifts -climatal -climate -climates -climatic -climax -climaxed -climaxes -climb -climbed -climber -climbers -climbing -climbs -clime -climes -clinal -clinally -clinch -clinched -clincher -clinches -cline -clines -cling -clinged -clinger -clingers -clingier -clinging -clings -clingy -clinic -clinical -clinics -clink -clinked -clinker -clinkers -clinking -clinks -clip -clipped -clipper -clippers -clipping -clips -clipt -clique -cliqued -cliques -cliquey -cliquier -cliquing -cliquish -cliquy -clitella -clitic -clitics -clitoral -clitoric -clitoris -clivers -clivia -clivias -cloaca -cloacae -cloacal -cloacas -cloak -cloaked -cloaking -cloaks -clobber -clobbers -clochard -cloche -cloches -clock -clocked -clocker -clockers -clocking -clocks -clod -cloddier -cloddish -cloddy -clodpate -clodpole -clodpoll -clods -clog -clogged -clogger -cloggers -cloggier -cloggily -clogging -cloggy -clogs -cloister -clomb -clomp -clomped -clomping -clomps -clon -clonal -clonally -clone -cloned -cloner -cloners -clones -clonic -cloning -clonings -clonism -clonisms -clonk -clonked -clonking -clonks -clons -clonus -clonuses -cloot -cloots -clop -clopped -clopping -clops -cloque -cloques -closable -close -closed -closely -closeout -closer -closers -closes -closest -closet -closeted -closets -closeup -closeups -closing -closings -closure -closured -closures -clot -cloth -clothe -clothed -clothes -clothier -clothing -cloths -clots -clotted -clotting -clotty -cloture -clotured -clotures -cloud -clouded -cloudier -cloudily -clouding -cloudlet -clouds -cloudy -clough -cloughs -clour -cloured -clouring -clours -clout -clouted -clouter -clouters -clouting -clouts -clove -cloven -clover -clovered -clovers -clovery -cloves -clowder -clowders -clown -clowned -clownery -clowning -clownish -clowns -cloy -cloyed -cloying -cloys -cloze -clozes -club -clubable -clubbed -clubber -clubbers -clubbier -clubbing -clubbish -clubby -clubface -clubfeet -clubfoot -clubhand -clubhaul -clubhead -clubman -clubmen -clubroom -clubroot -clubs -cluck -clucked -clucking -clucks -clue -clued -clueing -clueless -clues -cluing -clumber -clumbers -clump -clumped -clumpier -clumping -clumpish -clumps -clumpy -clumsier -clumsily -clumsy -clung -clunk -clunked -clunker -clunkers -clunkier -clunking -clunks -clunky -clupeid -clupeids -clupeoid -cluster -clusters -clustery -clutch -clutched -clutches -clutchy -clutter -clutters -cluttery -clypeal -clypeate -clypei -clypeus -clyster -clysters -cnida -cnidae -coach -coached -coacher -coachers -coaches -coaching -coachman -coachmen -coact -coacted -coacting -coaction -coactive -coactor -coactors -coacts -coadmire -coadmit -coadmits -coaeval -coaevals -coagency -coagent -coagents -coagula -coagulum -coal -coala -coalas -coalbin -coalbins -coalbox -coaled -coaler -coalers -coalesce -coalfish -coalhole -coalier -coaliest -coalify -coaling -coalless -coalpit -coalpits -coals -coalsack -coalshed -coaly -coalyard -coaming -coamings -coanchor -coanchored -coanchoring -coanchors -coannex -coappear -coapt -coapted -coapting -coapts -coarse -coarsely -coarsen -coarsens -coarser -coarsest -coassist -coassume -coast -coastal -coasted -coaster -coasters -coasting -coasts -coat -coated -coatee -coatees -coater -coaters -coati -coating -coatings -coatis -coatless -coatrack -coatroom -coats -coattail -coattend -coattest -coauthor -coax -coaxal -coaxed -coaxer -coaxers -coaxes -coaxial -coaxing -cob -cobalt -cobaltic -cobalts -cobb -cobber -cobbers -cobbier -cobbiest -cobble -cobbled -cobbler -cobblers -cobbles -cobbling -cobbs -cobby -cobia -cobias -coble -cobles -cobnut -cobnuts -cobra -cobras -cobs -cobweb -cobwebby -cobwebs -coca -cocain -cocaine -cocaines -cocains -cocas -coccal -cocci -coccic -coccid -coccidia -coccids -coccoid -coccoids -coccous -coccus -coccyges -coccyx -coccyxes -cochair -cochairs -cochin -cochins -cochlea -cochleae -cochlear -cochleas -cocinera -cock -cockade -cockaded -cockades -cockapoo -cockatoo -cockbill -cockboat -cockcrow -cocked -cocker -cockered -cockerel -cockers -cockeye -cockeyed -cockeyes -cockier -cockiest -cockily -cocking -cockish -cockle -cockled -cockles -cocklike -cockling -cockloft -cockney -cockneys -cockpit -cockpits -cocks -cockshut -cockshy -cockspur -cocksure -cocktail -cockup -cockups -cocky -coco -cocoa -cocoanut -cocoas -cocobola -cocobolo -cocomat -cocomats -coconut -coconuts -cocoon -cocooned -cocoons -cocoplum -cocos -cocotte -cocottes -cocoyam -cocoyams -cocreate -cod -coda -codable -codas -codded -codder -codders -codding -coddle -coddled -coddler -coddlers -coddles -coddling -code -codebook -codebtor -codec -codecs -coded -codeia -codeias -codein -codeina -codeinas -codeine -codeines -codeins -codeless -coden -codens -coder -coderive -coders -codes -codesign -codex -codfish -codger -codgers -codices -codicil -codicils -codified -codifier -codifies -codify -coding -codirect -codlin -codling -codlings -codlins -codon -codons -codpiece -codrive -codriven -codriver -codrives -codrove -cods -coed -coedit -coedited -coeditor -coedits -coeds -coeffect -coeliac -coelom -coelome -coelomes -coelomic -coeloms -coembody -coemploy -coempt -coempted -coempts -coenact -coenacts -coenamor -coendure -coenure -coenures -coenuri -coenurus -coenzyme -coequal -coequals -coequate -coerce -coerced -coercer -coercers -coerces -coercing -coercion -coercive -coerect -coerects -coesite -coesites -coeval -coevally -coevals -coevolve -coexert -coexerts -coexist -coexists -coextend -cofactor -coff -coffee -coffees -coffer -coffered -coffers -coffin -coffined -coffing -coffins -coffle -coffled -coffles -coffling -coffret -coffrets -coffs -cofound -cofounds -coft -cog -cogency -cogent -cogently -cogged -cogging -cogitate -cogito -cogitos -cognac -cognacs -cognate -cognates -cognise -cognised -cognises -cognize -cognized -cognizer -cognizes -cognomen -cognovit -cogon -cogons -cogs -cogway -cogways -cogwheel -cohabit -cohabits -cohead -coheaded -coheads -coheir -coheirs -cohere -cohered -coherent -coherer -coherers -coheres -cohering -cohesion -cohesive -coho -cohobate -cohog -cohogs -coholder -cohort -cohorts -cohos -cohosh -cohoshes -cohost -cohosted -cohosts -cohune -cohunes -coif -coifed -coiffe -coiffed -coiffes -coiffeur -coiffing -coiffure -coifing -coifs -coign -coigne -coigned -coignes -coigning -coigns -coil -coiled -coiler -coilers -coiling -coils -coin -coinable -coinage -coinages -coincide -coined -coiner -coiners -coinfect -coinfer -coinfers -coinhere -coining -coinmate -coins -coinsure -cointer -cointers -coinvent -coir -coirs -coistrel -coistril -coital -coitally -coition -coitions -coitus -coituses -cojoin -cojoined -cojoins -coke -coked -cokehead -cokeheads -cokelike -cokes -coking -coky -col -cola -colander -colas -colby -colbys -cold -coldcock -colder -coldest -coldish -coldly -coldness -colds -cole -colead -coleader -coleads -coled -coles -coleseed -coleslaw -colessee -colessor -coleus -coleuses -colewort -colic -colicin -colicine -colicins -colickier -colickiest -colicky -colics -colies -coliform -colin -colinear -colins -coliseum -colistin -colitic -colitis -collage -collaged -collagen -collages -collapse -collar -collard -collards -collared -collaret -collars -collate -collated -collates -collator -collect -collects -colleen -colleens -college -colleger -colleges -collegia -collet -colleted -collets -collide -collided -collider -colliders -collides -collie -collied -collier -colliers -colliery -collies -collins -collogue -colloid -colloids -collop -collops -colloquy -collude -colluded -colluder -colludes -colluvia -colly -collying -collyria -colobi -coloboma -colobus -colocate -colog -cologne -cologned -colognes -cologs -colon -colone -colonel -colonels -colones -coloni -colonial -colonic -colonics -colonies -colonise -colonist -colonize -colons -colonus -colony -colophon -color -colorado -colorant -colored -coloreds -colorer -colorers -colorful -coloring -colorism -colorist -colorize -colorized -colorizes -colorizing -colorman -colormen -colors -colorway -colossal -colossi -colossus -colotomy -colour -coloured -colourer -colours -colpitis -cols -colt -colter -colters -coltish -colts -colubrid -colugo -colugos -columbic -columel -columels -column -columnal -columnar -columnea -columned -columns -colure -colures -coly -colza -colzas -coma -comade -comae -comake -comaker -comakers -comakes -comaking -comal -comanage -comas -comate -comates -comatic -comatik -comatiks -comatose -comatula -comb -combat -combated -combater -combats -combe -combed -comber -combers -combes -combine -combined -combiner -combines -combing -combings -comblike -combo -combos -combs -combust -combusts -come -comeback -comedian -comedic -comedies -comedo -comedos -comedown -comedy -comelier -comelily -comely -comember -comembers -comer -comers -comes -comet -cometary -cometh -comether -cometic -comets -comfier -comfiest -comfit -comfits -comfort -comforts -comfrey -comfreys -comfy -comic -comical -comics -coming -comingle -comings -comitia -comitial -comities -comity -comix -comma -command -commando -commands -commas -commata -commence -commend -commends -comment -comments -commerce -commie -commies -commit -commits -commix -commixed -commixes -commixt -commode -commodes -common -commoner -commonly -commons -commove -commoved -commoves -communal -commune -communed -communer -communes -commute -commuted -commuter -commutes -commy -comorbid -comose -comous -comp -compact -compacts -compadre -company -compare -compared -comparer -compares -compart -comparts -compas -compass -comped -compeer -compeers -compel -compels -compend -compends -compere -compered -comperes -compete -competed -competes -compile -compiled -compiler -compiles -comping -complain -compleat -complect -complete -complex -complice -complied -complier -complies -complin -compline -complins -complot -complots -comply -compo -compone -compony -comport -comports -compos -compose -composed -composer -composes -compost -composts -compote -compotes -compound -compress -comprise -comprize -comps -compt -compted -compting -compts -compute -computed -computer -computes -comrade -comrades -comsymp -comsymps -comte -comtes -con -conation -conative -conatus -concave -concaved -concaves -conceal -conceals -concede -conceded -conceder -concedes -conceit -conceits -conceive -concent -concents -concept -concepti -concepts -concern -concerns -concert -concerti -concerto -concerts -conch -concha -conchae -conchal -conchas -conches -conchie -conchies -concho -conchoid -conchos -conchs -conchy -concise -conciser -conclave -conclude -concoct -concocts -concord -concords -concours -concrete -concur -concurs -concuss -condemn -condemns -condense -condign -condo -condoes -condole -condoled -condoler -condoles -condom -condoms -condone -condoned -condoner -condones -condor -condores -condors -condos -conduce -conduced -conducer -conduces -conduct -conducts -conduit -conduits -condylar -condyle -condyles -cone -coned -conelrad -conenose -conepate -conepatl -cones -coney -coneys -confab -confabs -confect -confects -confer -conferee -confers -conferva -confess -confetti -confetto -confide -confided -confider -confides -confine -confined -confiner -confines -confirm -confirms -confit -confits -conflate -conflict -conflux -confocal -conform -conforms -confound -confrere -confront -confuse -confused -confuses -confute -confuted -confuter -confutes -conga -congaed -congaing -congas -conge -congeal -congeals -congee -congeed -congees -congener -conger -congers -conges -congest -congests -congii -congius -conglobe -congo -congoes -congos -congou -congous -congrats -congress -coni -conic -conical -conicity -conics -conidia -conidial -conidian -conidium -conies -conifer -conifers -coniine -coniines -conin -conine -conines -coning -conins -conioses -coniosis -conium -coniums -conjoin -conjoins -conjoint -conjugal -conjunct -conjunto -conjure -conjured -conjurer -conjures -conjuror -conk -conked -conker -conkers -conking -conks -conky -conn -connate -connect -connects -conned -conner -conners -conning -connive -connived -conniver -connives -connote -connoted -connotes -conns -conodont -conoid -conoidal -conoids -conquer -conquers -conquest -conquian -cons -consent -consents -conserve -consider -consign -consigns -consist -consists -consol -console -consoled -consoler -consoles -consols -consomme -consort -consorts -conspire -constant -construe -consul -consular -consuls -consult -consults -consume -consumed -consumer -consumes -contact -contacts -contagia -contain -contains -conte -contemn -contemns -contempo -contempt -contend -contends -content -contents -contes -contessa -contest -contests -context -contexts -continua -continue -continuo -conto -contort -contorts -contos -contour -contours -contra -contract -contrail -contrary -contras -contrast -contrite -contrive -control -controls -contuse -contused -contuses -conus -convect -convects -convene -convened -convener -convenes -convenor -convent -convents -converge -converse -converso -convert -converts -convex -convexes -convexly -convey -conveyed -conveyer -conveyor -conveys -convict -convicts -convince -convoke -convoked -convoker -convokes -convolve -convoy -convoyed -convoys -convulse -cony -coo -cooch -cooches -coocoo -cooed -cooee -cooeed -cooeeing -cooees -cooer -cooers -cooey -cooeyed -cooeying -cooeys -coof -coofs -cooing -cooingly -cook -cookable -cookbook -cooked -cooker -cookers -cookery -cookey -cookeys -cookie -cookies -cooking -cookings -cookless -cookoff -cookoffs -cookout -cookouts -cooks -cookshop -cooktop -cooktops -cookware -cooky -cool -coolant -coolants -cooldown -cooldowns -cooled -cooler -coolers -coolest -coolie -coolies -cooling -coolish -coolly -coolness -cools -coolth -coolths -cooly -coomb -coombe -coombes -coombs -coon -cooncan -cooncans -coons -coonskin -coontie -coonties -coop -cooped -cooper -coopered -coopers -coopery -cooping -coops -coopt -coopted -coopting -cooption -coopts -coos -coot -cooter -cooters -cootie -cooties -coots -cop -copaiba -copaibas -copal -copalm -copalms -copals -coparent -copastor -copatron -copay -copays -cope -copeck -copecks -coped -copemate -copen -copens -copepod -copepods -coper -copers -copes -copied -copier -copiers -copies -copihue -copihues -copilot -copilots -coping -copings -copious -coplanar -coplot -coplots -copout -copouts -copped -copper -copperah -copperas -coppered -coppers -coppery -coppice -coppiced -coppices -copping -coppra -coppras -copra -coprah -coprahs -copras -copremia -copremic -coprince -cops -copse -copses -copter -copters -copula -copulae -copular -copulas -copulate -copurify -copy -copyable -copybook -copyboy -copyboys -copycat -copycats -copydesk -copyedit -copygirl -copyhold -copying -copyist -copyists -copyleft -copyread -coquet -coquetry -coquets -coquette -coquille -coquina -coquinas -coquito -coquitos -cor -coracle -coracles -coracoid -coral -corals -coranto -corantos -corban -corbans -corbeil -corbeils -corbel -corbeled -corbels -corbie -corbies -corbina -corbinas -corby -cord -cordage -cordages -cordate -corded -cordelle -corder -corders -cordial -cordials -cording -cordings -cordite -cordites -cordless -cordlike -cordoba -cordobas -cordon -cordoned -cordons -cordovan -cords -corduroy -cordwain -cordwood -core -cored -coredeem -coreign -coreigns -corelate -coreless -coremia -coremium -corer -corers -cores -corf -corgi -corgis -coria -coring -corium -cork -corkage -corkages -corked -corker -corkers -corkier -corkiest -corking -corklike -corks -corkwood -corky -corm -cormel -cormels -cormlike -cormoid -cormous -corms -corn -cornball -corncake -corncob -corncobs -corncrib -cornea -corneal -corneas -corned -cornel -cornels -corneous -corner -cornered -corners -cornet -cornetcy -cornets -cornfed -cornhusk -cornice -corniced -cornices -corniche -cornicle -cornier -corniest -cornify -cornily -corning -cornmeal -cornpone -cornpones -cornrow -cornrows -corns -cornu -cornua -cornual -cornus -cornuses -cornute -cornuted -cornuto -cornutos -corny -corodies -corody -corolla -corollas -corona -coronach -coronae -coronal -coronals -coronary -coronas -coronate -coronated -coronates -coronating -coronel -coronels -coroner -coroners -coronet -coronets -coronoid -corotate -corpora -corporal -corps -corpse -corpses -corpsman -corpsmen -corpus -corpuses -corrade -corraded -corrades -corral -corrals -correct -corrects -corrida -corridas -corridor -corrie -corries -corrival -corrode -corroded -corrodes -corrody -corrupt -corrupts -cors -corsac -corsacs -corsage -corsages -corsair -corsairs -corse -corselet -corses -corset -corseted -corsetry -corsets -corslet -corslets -cortege -corteges -cortex -cortexes -cortical -cortices -cortin -cortina -cortinas -cortins -cortisol -coruler -corulers -corundum -corvee -corvees -corves -corvet -corvets -corvette -corvid -corvids -corvina -corvinas -corvine -cory -corybant -corymb -corymbed -corymbs -coryphee -coryza -coryzal -coryzas -cos -coscript -cosec -cosecant -cosecs -coses -coset -cosets -cosey -coseys -cosh -coshed -cosher -coshered -coshers -coshes -coshing -cosie -cosied -cosier -cosies -cosiest -cosign -cosigned -cosigner -cosigns -cosily -cosine -cosines -cosiness -cosmetic -cosmic -cosmical -cosmid -cosmids -cosmism -cosmisms -cosmist -cosmists -cosmos -cosmoses -coss -cossack -cossacks -cosset -cosseted -cossets -cost -costa -costae -costal -costally -costar -costard -costards -costars -costate -costed -coster -costers -costing -costive -costless -costlier -costly -costmary -costrel -costrels -costs -costume -costumed -costumer -costumes -costumey -cosy -cosying -cot -cotan -cotans -cote -coteau -coteaux -coted -cotenant -coterie -coteries -cotes -cothurn -cothurni -cothurns -cotidal -cotillon -coting -cotinga -cotingas -cotinine -cotquean -cots -cotta -cottae -cottage -cottager -cottages -cottagey -cottar -cottars -cottas -cotter -cottered -cotters -cottier -cottiers -cotton -cottoned -cottons -cottony -coturnix -cotyloid -cotype -cotypes -couch -couchant -couched -coucher -couchers -couches -couching -coude -cougar -cougars -cough -coughed -cougher -coughers -coughing -coughs -could -couldest -couldst -coulee -coulees -coulis -coulisse -couloir -couloirs -coulomb -coulombs -coulter -coulters -coumaric -coumarin -coumarou -council -councils -counsel -counsels -count -counted -counter -counters -countess -countian -counties -counting -country -counts -county -coup -coupe -couped -coupes -couping -couple -coupled -coupler -couplers -couples -couplet -couplets -coupling -coupon -coupons -coups -courage -courages -courant -courante -couranto -courants -courier -couriers -courlan -courlans -course -coursed -courser -coursers -courses -coursing -court -courted -courter -courters -courtesy -courtier -courting -courtly -courts -couscous -cousin -cousinly -cousinry -cousins -couteau -couteaux -couter -couters -couth -couther -couthest -couthie -couthier -couths -couture -coutures -couvade -couvades -covalent -covaried -covaries -covary -cove -coved -coven -covenant -covens -cover -coverage -coverall -covered -coverer -coverers -covering -coverlet -coverlid -covers -covert -covertly -coverts -coverup -coverups -coves -covet -coveted -coveter -coveters -coveting -covetous -covets -covey -coveys -covin -coving -covings -covins -cow -cowage -cowages -coward -cowardly -cowards -cowbane -cowbanes -cowbell -cowbells -cowberry -cowbind -cowbinds -cowbird -cowbirds -cowboy -cowboyed -cowboys -cowed -cowedly -cower -cowered -cowering -cowers -cowfish -cowflap -cowflaps -cowflop -cowflops -cowgirl -cowgirls -cowhage -cowhages -cowhand -cowhands -cowherb -cowherbs -cowherd -cowherds -cowhide -cowhided -cowhides -cowier -cowiest -cowing -cowinner -cowl -cowled -cowlick -cowlicks -cowling -cowlings -cowls -cowman -cowmen -coworker -cowpat -cowpats -cowpea -cowpeas -cowpie -cowpies -cowplop -cowplops -cowpoke -cowpokes -cowpox -cowpoxes -cowrie -cowries -cowrite -cowriter -cowrites -cowrote -cowry -cows -cowshed -cowsheds -cowskin -cowskins -cowslip -cowslips -cowy -cox -coxa -coxae -coxal -coxalgia -coxalgic -coxalgy -coxcomb -coxcombs -coxed -coxes -coxing -coxitis -coxless -coxswain -coy -coydog -coydogs -coyed -coyer -coyest -coying -coyish -coyly -coyness -coyote -coyotes -coypou -coypous -coypu -coypus -coys -coz -cozen -cozenage -cozened -cozener -cozeners -cozening -cozens -cozes -cozey -cozeys -cozie -cozied -cozier -cozies -coziest -cozily -coziness -cozy -cozying -cozzes -craal -craaled -craaling -craals -crab -crabbed -crabber -crabbers -crabbier -crabbily -crabbing -crabby -crablike -crabmeat -crabs -crabwise -crack -cracked -cracker -crackers -cracking -crackle -crackled -crackles -crackly -cracknel -crackpot -cracks -crackup -crackups -cracky -cradle -cradled -cradler -cradlers -cradles -cradling -craft -crafted -crafter -crafters -craftier -craftily -crafting -crafts -crafty -crag -cragged -craggier -craggily -craggy -crags -cragsman -cragsmen -crake -crakes -cram -crambe -crambes -crambo -cramboes -crambos -crammed -crammer -crammers -cramming -cramoisy -cramp -cramped -crampier -cramping -crampit -crampits -crampon -crampons -crampoon -cramps -crampy -crams -cranch -cranched -cranches -crane -craned -cranes -crania -cranial -craniate -craning -cranium -craniums -crank -cranked -cranker -crankest -crankier -crankily -cranking -crankish -crankle -crankled -crankles -crankly -crankous -crankpin -cranks -cranky -crannied -crannies -crannog -crannoge -crannogs -cranny -crap -crape -craped -crapes -craping -crapola -crapolas -crapped -crapper -crappers -crappie -crappier -crappies -crapping -crappy -craps -crases -crash -crashed -crasher -crashers -crashes -crashing -crasis -crass -crasser -crassest -crassly -cratch -cratches -crate -crated -crater -cratered -craters -crates -crating -craton -cratonic -cratons -craunch -cravat -cravats -crave -craved -craven -cravened -cravenly -cravens -craver -cravers -craves -craving -cravings -craw -crawdad -crawdads -crawfish -crawl -crawled -crawler -crawlers -crawlier -crawling -crawls -crawlway -crawly -craws -crayfish -crayon -crayoned -crayoner -crayons -craze -crazed -crazes -crazier -crazies -craziest -crazily -crazing -crazy -creak -creaked -creakier -creakily -creaking -creaks -creaky -cream -creamed -creamer -creamers -creamery -creamier -creamily -creaming -creams -creamy -crease -creased -creaser -creasers -creases -creasier -creasing -creasy -create -created -creates -creatin -creatine -creating -creatins -creation -creative -creator -creators -creature -creche -creches -cred -credal -credence -credenda -credent -credenza -credible -credibly -credit -credited -creditor -credits -credo -credos -creds -creed -creedal -creeds -creek -creeks -creel -creeled -creeling -creels -creep -creepage -creeped -creeper -creepers -creepie -creepier -creepies -creepily -creeping -creeps -creepy -creese -creeses -creesh -creeshed -creeshes -cremains -cremate -cremated -cremates -cremator -creme -cremes -cremini -creminis -crenate -crenated -crenel -creneled -crenelle -crenels -crenshaw -creodont -creole -creoles -creolise -creolised -creolises -creolising -creolize -creolized -creolizes -creolizing -creosol -creosols -creosote -crepe -creped -crepes -crepey -crepier -crepiest -creping -crepon -crepons -crept -crepy -crescent -crescive -cresol -cresols -cress -cresses -cresset -cressets -cressy -crest -crestal -crested -cresting -crests -cresyl -cresylic -cresyls -cretic -cretics -cretin -cretins -cretonne -crevalle -crevasse -crevice -creviced -crevices -crew -crewcut -crewcuts -crewed -crewel -crewels -crewing -crewless -crewman -crewmate -crewmates -crewmen -crewneck -crews -crib -cribbage -cribbed -cribber -cribbers -cribbing -cribbled -cribrous -cribs -cribwork -cricetid -crick -cricked -cricket -crickets -crickey -cricking -cricks -cricoid -cricoids -cried -crier -criers -cries -crikey -crime -crimes -criminal -crimine -crimini -criminis -criminy -crimmer -crimmers -crimp -crimped -crimper -crimpers -crimpier -crimping -crimple -crimpled -crimples -crimps -crimpy -crimson -crimsons -cringe -cringed -cringer -cringers -cringes -cringing -cringle -cringles -crinite -crinites -crinkle -crinkled -crinkles -crinkly -crinoid -crinoids -crinum -crinums -criollo -criollos -cripe -cripes -cripple -crippled -crippler -cripples -cris -crises -crisic -crisis -crisp -crispate -crisped -crispen -crispens -crisper -crispers -crispest -crispier -crispily -crisping -crisply -crisps -crispy -crissa -crissal -crissum -crista -cristae -cristate -crit -criteria -critic -critical -critics -critique -crits -critter -critters -crittur -critturs -croak -croaked -croaker -croakers -croakier -croakily -croaking -croaks -croaky -croc -crocein -croceine -croceins -crochet -crochets -croci -crocine -crock -crocked -crockery -crocket -crockets -crocking -crockpot -crockpot -crockpots -crocks -crocoite -crocs -crocus -crocuses -croft -crofter -crofters -crofts -crojik -crojiks -cromlech -crone -crones -cronies -cronish -crony -cronyism -crook -crooked -crooker -crookery -crookest -crooking -crooks -croon -crooned -crooner -crooners -crooning -croons -crop -cropland -cropless -cropped -cropper -croppers -croppie -croppies -cropping -crops -croquet -croquets -croquis -crore -crores -crosier -crosiers -cross -crossarm -crossbar -crossbow -crosscut -crosse -crossed -crosser -crossers -crosses -crossest -crossing -crosslet -crossly -crosstie -crossway -crostini -crostino -crotch -crotched -crotches -crotchet -croton -crotons -crouch -crouched -crouches -croup -croupe -croupes -croupier -croupily -croupous -croups -croupy -crouse -crousely -croute -croutes -crouton -croutons -crow -crowbar -crowbars -crowd -crowded -crowder -crowders -crowdie -crowdies -crowding -crowds -crowdy -crowed -crower -crowers -crowfeet -crowfoot -crowing -crown -crowned -crowner -crowners -crownet -crownets -crowning -crowns -crows -crowstep -croze -crozer -crozers -crozes -crozier -croziers -cru -cruces -crucial -crucian -crucians -cruciate -crucible -crucifer -crucifix -crucify -cruck -crucks -crud -crudded -cruddier -crudding -cruddy -crude -crudely -cruder -crudes -crudest -crudites -crudity -cruds -cruel -crueler -cruelest -crueller -cruelly -cruelty -cruet -cruets -cruise -cruised -cruiser -cruisers -cruises -cruising -cruller -crullers -crumb -crumbed -crumber -crumbers -crumbier -crumbing -crumble -crumbled -crumbles -crumbly -crumbs -crumbum -crumbums -crumby -crumhorn -crummie -crummier -crummies -crummy -crump -crumped -crumpet -crumpets -crumping -crumple -crumpled -crumples -crumply -crumps -crunch -crunched -cruncher -crunches -crunchy -crunodal -crunode -crunodes -cruor -cruors -crupper -cruppers -crura -crural -crus -crusade -crusaded -crusader -crusades -crusado -crusados -cruse -cruses -cruset -crusets -crush -crushed -crusher -crushers -crushes -crushing -crusily -crust -crustal -crusted -crustier -crustily -crusting -crustose -crusts -crusty -crutch -crutched -crutches -crux -cruxes -cruzado -cruzados -cruzeiro -crwth -crwths -cry -crybaby -crying -cryingly -cryobank -cryogen -cryogens -cryogeny -cryolite -cryonic -cryonics -cryostat -cryotron -crypt -cryptal -cryptic -crypto -cryptos -crypts -crystal -crystals -ctenidia -ctenoid -cuatro -cuatros -cub -cubage -cubages -cubature -cubbies -cubbish -cubby -cube -cubeb -cubebs -cubed -cuber -cubers -cubes -cubic -cubical -cubicity -cubicle -cubicles -cubicly -cubics -cubicula -cubiform -cubing -cubism -cubisms -cubist -cubistic -cubists -cubit -cubital -cubiti -cubits -cubitus -cuboid -cuboidal -cuboids -cubs -cuckold -cuckolds -cuckoo -cuckooed -cuckoos -cucumber -cucurbit -cud -cudbear -cudbears -cuddie -cuddies -cuddle -cuddled -cuddler -cuddlers -cuddles -cuddlier -cuddling -cuddly -cuddy -cudgel -cudgeled -cudgeler -cudgels -cuds -cudweed -cudweeds -cue -cued -cueing -cues -cuesta -cuestas -cuff -cuffed -cuffing -cuffless -cufflink -cuffs -cuif -cuifs -cuing -cuirass -cuish -cuishes -cuisine -cuisines -cuisse -cuisses -cuittle -cuittled -cuittles -cuke -cukes -culch -culches -culet -culets -culex -culexes -culices -culicid -culicids -culicine -culinary -cull -cullay -cullays -culled -culler -cullers -cullet -cullets -cullied -cullies -culling -cullion -cullions -cullis -cullises -culls -cully -cullying -culm -culmed -culming -culms -culotte -culottes -culpa -culpable -culpably -culpae -culprit -culprits -cult -cultch -cultches -culti -cultic -cultigen -cultish -cultism -cultisms -cultist -cultists -cultivar -cultlike -cultrate -cults -cultural -culture -cultured -cultures -cultus -cultuses -culver -culverin -culvers -culvert -culverts -cum -cumarin -cumarins -cumber -cumbered -cumberer -cumbers -cumbia -cumbias -cumbrous -cumin -cumins -cummer -cummers -cummin -cummins -cumquat -cumquats -cumshaw -cumshaws -cumulate -cumuli -cumulous -cumulus -cundum -cundums -cuneal -cuneate -cuneated -cuneatic -cuniform -cunner -cunners -cunning -cunnings -cunt -cunts -cup -cupboard -cupcake -cupcakes -cupel -cupeled -cupeler -cupelers -cupeling -cupelled -cupeller -cupels -cupful -cupfuls -cupid -cupidity -cupids -cuplike -cupola -cupolaed -cupolas -cuppa -cuppas -cupped -cupper -cuppers -cuppier -cuppiest -cupping -cuppings -cuppy -cupreous -cupric -cuprite -cuprites -cuprous -cuprum -cuprums -cups -cupsful -cupula -cupulae -cupular -cupulate -cupule -cupules -cur -curable -curably -curacao -curacaos -curacies -curacoa -curacoas -curacy -curagh -curaghs -curara -curaras -curare -curares -curari -curarine -curaris -curarize -curassow -curate -curated -curates -curating -curative -curator -curators -curb -curbable -curbed -curber -curbers -curbing -curbings -curbs -curbside -curch -curches -curculio -curcuma -curcumas -curd -curded -curdier -curdiest -curding -curdle -curdled -curdler -curdlers -curdles -curdling -curds -curdy -cure -cured -cureless -curer -curers -cures -curet -curets -curette -curetted -curettes -curf -curfew -curfews -curfs -curia -curiae -curial -curie -curies -curing -curio -curios -curiosa -curious -curite -curites -curium -curiums -curl -curled -curler -curlers -curlew -curlews -curlicue -curlier -curliest -curlily -curling -curlings -curls -curly -curlycue -curn -curns -curr -currach -currachs -curragh -curraghs -curran -currans -currant -currants -curred -currency -current -currents -curricle -currie -curried -currier -curriers -curriery -curries -curring -currish -currs -curry -currying -curs -curse -cursed -curseder -cursedly -curser -cursers -curses -cursing -cursive -cursives -cursor -cursors -cursory -curst -curt -curtail -curtails -curtain -curtains -curtal -curtalax -curtals -curtate -curter -curtest -curtesy -curtly -curtness -curtsey -curtseys -curtsied -curtsies -curtsy -curule -curve -curved -curvedly -curves -curvet -curveted -curvets -curvey -curvier -curviest -curving -curvy -cuscus -cuscuses -cusec -cusecs -cushat -cushats -cushaw -cushaws -cushier -cushiest -cushily -cushion -cushions -cushiony -cushy -cusk -cusks -cusp -cuspal -cuspate -cuspated -cusped -cuspid -cuspidal -cuspides -cuspidor -cuspids -cuspis -cusps -cuss -cussed -cussedly -cusser -cussers -cusses -cussing -cusso -cussos -cussword -custard -custards -custardy -custodes -custody -custom -customer -customs -custos -custumal -cut -cutaway -cutaways -cutback -cutbacks -cutbank -cutbanks -cutch -cutchery -cutches -cutdown -cutdowns -cute -cutely -cuteness -cuter -cutes -cutesie -cutesier -cutest -cutesy -cutey -cuteys -cutgrass -cuticle -cuticles -cuticula -cutie -cuties -cutin -cutinise -cutinize -cutins -cutis -cutises -cutlas -cutlases -cutlass -cutler -cutlers -cutlery -cutlet -cutlets -cutline -cutlines -cutoff -cutoffs -cutout -cutouts -cutover -cutovers -cutpurse -cuts -cuttable -cuttage -cuttages -cutter -cutters -cutties -cutting -cuttings -cuttle -cuttled -cuttles -cuttling -cutty -cutup -cutups -cutwater -cutwork -cutworks -cutworm -cutworms -cuvee -cuvees -cuvette -cuvettes -cwm -cwms -cyan -cyanamid -cyanate -cyanates -cyanic -cyanid -cyanide -cyanided -cyanides -cyanids -cyanin -cyanine -cyanines -cyanins -cyanite -cyanites -cyanitic -cyano -cyanogen -cyanosed -cyanoses -cyanosis -cyanotic -cyans -cyber -cybersex -cyborg -cyborgs -cycad -cycads -cycas -cycases -cycasin -cycasins -cyclamen -cyclase -cyclases -cycle -cyclecar -cycled -cycler -cyclers -cyclery -cycles -cycleway -cyclic -cyclical -cyclicly -cyclin -cycling -cyclings -cyclins -cyclist -cyclists -cyclitol -cyclize -cyclized -cyclizes -cyclo -cycloid -cycloids -cyclonal -cyclone -cyclones -cyclonic -cyclopes -cyclopes -cyclops -cyclos -cycloses -cyclosis -cyder -cyders -cyeses -cyesis -cygnet -cygnets -cylices -cylinder -cylix -cyma -cymae -cymar -cymars -cymas -cymatia -cymatium -cymbal -cymbaler -cymbalom -cymbals -cymbidia -cymbling -cyme -cymene -cymenes -cymes -cymlin -cymling -cymlings -cymlins -cymogene -cymoid -cymol -cymols -cymose -cymosely -cymous -cynic -cynical -cynicism -cynics -cynosure -cypher -cyphered -cyphers -cypres -cypreses -cypress -cyprian -cyprians -cyprinid -cyprus -cypruses -cypsela -cypselae -cyst -cystein -cysteine -cysteins -cystic -cystine -cystines -cystitis -cystoid -cystoids -cysts -cytaster -cytidine -cytogeny -cytokine -cytokines -cytology -cyton -cytons -cytosine -cytosol -cytosols -czar -czardas -czardom -czardoms -czarevna -czarina -czarinas -czarism -czarisms -czarist -czarists -czaritza -czars -da -dab -dabbed -dabber -dabbers -dabbing -dabble -dabbled -dabbler -dabblers -dabbles -dabbling -dabchick -dabs -dabster -dabsters -dace -daces -dacha -dachas -dacite -dacites -dacker -dackered -dackers -dacoit -dacoits -dacoity -dacron -dacron -dacrons -dacrons -dactyl -dactyli -dactylic -dactyls -dactylus -dad -dada -dadaism -dadaisms -dadaist -dadaists -dadas -daddies -daddle -daddled -daddles -daddling -daddy -dadgum -dado -dadoed -dadoes -dadoing -dados -dads -daedal -daemon -daemones -daemonic -daemons -daff -daffed -daffier -daffiest -daffily -daffing -daffodil -daffs -daffy -daft -dafter -daftest -daftly -daftness -dag -dagga -daggas -dagger -daggered -daggers -daggle -daggled -daggles -daggling -daglock -daglocks -dago -dagoba -dagobas -dagoes -dagos -dags -dagwood -dagwoods -dah -dahabeah -dahabiah -dahabieh -dahabiya -dahl -dahlia -dahlias -dahls -dahoon -dahoons -dahs -daidzein -daiker -daikered -daikers -daikon -daikons -dailies -daily -daimen -daimio -daimios -daimon -daimones -daimonic -daimons -daimyo -daimyos -daintier -dainties -daintily -dainty -daiquiri -dairies -dairy -dairying -dairyman -dairymen -dais -daises -daishiki -daisied -daisies -daisy -dak -dakerhen -dakoit -dakoits -dakoity -daks -dal -dalapon -dalapons -dalasi -dalasis -dale -daledh -daledhs -dales -dalesman -dalesmen -daleth -daleths -dalles -dallied -dallier -dalliers -dallies -dally -dallying -dalmatic -dals -dalton -daltonic -daltons -dam -damage -damaged -damager -damagers -damages -damaging -daman -damans -damar -damars -damask -damasked -damasks -dame -dames -damewort -damiana -damianas -dammar -dammars -dammed -dammer -dammers -damming -dammit -damn -damnable -damnably -damndest -damned -damneder -damner -damners -damnify -damning -damns -damosel -damosels -damozel -damozels -damp -damped -dampen -dampened -dampener -dampens -damper -dampers -dampest -damping -dampings -dampish -damply -dampness -damps -dams -damsel -damsels -damson -damsons -dan -danazol -danazols -dance -danced -dancer -dancers -dances -dancing -dander -dandered -danders -dandier -dandies -dandiest -dandify -dandily -dandle -dandled -dandler -dandlers -dandles -dandling -dandriff -dandruff -dandy -dandyish -dandyism -danegeld -danegelt -daneweed -danewort -dang -danged -danger -dangered -dangers -danging -dangle -dangled -dangler -danglers -dangles -danglier -dangling -dangly -dangs -danio -danios -danish -danishes -dank -danker -dankest -dankly -dankness -dans -danseur -danseurs -danseuse -dap -daphne -daphnes -daphnia -daphnias -dapped -dapper -dapperer -dapperly -dapping -dapple -dappled -dapples -dappling -daps -dapsone -dapsones -darb -darbar -darbars -darbies -darbs -dare -dared -dareful -darer -darers -dares -daresay -daric -darics -daring -daringly -darings -dariole -darioles -dark -darked -darken -darkened -darkener -darkens -darker -darkest -darkey -darkeys -darkie -darkies -darking -darkish -darkle -darkled -darkles -darklier -darkling -darkly -darkness -darkroom -darks -darksome -darky -darling -darlings -darn -darndest -darned -darneder -darnel -darnels -darner -darners -darning -darnings -darns -darshan -darshans -dart -darted -darter -darters -darting -dartle -dartled -dartles -dartling -darts -dash -dashed -dasheen -dasheens -dasher -dashers -dashes -dashi -dashier -dashiest -dashiki -dashikis -dashing -dashis -dashpot -dashpots -dashy -dassie -dassies -dastard -dastards -dasyure -dasyures -data -databank -database -datable -dataries -datary -datcha -datchas -date -dateable -datebook -dated -datedly -dateless -dateline -dater -daters -dates -dating -datival -dative -datively -datives -dato -datos -datto -dattos -datum -datums -datura -daturas -daturic -daub -daube -daubed -dauber -daubers -daubery -daubes -daubier -daubiest -daubing -daubries -daubry -daubs -dauby -daughter -daunder -daunders -daunt -daunted -daunter -daunters -daunting -daunts -dauphin -dauphine -dauphins -daut -dauted -dautie -dauties -dauting -dauts -daven -davened -davening -davens -davies -davit -davits -davy -daw -dawdle -dawdled -dawdler -dawdlers -dawdles -dawdling -dawed -dawen -dawing -dawk -dawks -dawn -dawned -dawning -dawnlike -dawns -daws -dawt -dawted -dawtie -dawties -dawting -dawts -day -daybed -daybeds -daybook -daybooks -daybreak -daycare -daycares -daydream -dayflies -dayfly -dayglow -dayglows -daylight -daylily -daylit -daylong -daymare -daymares -dayroom -dayrooms -days -dayside -daysides -daysman -daysmen -daystar -daystars -daytime -daytimes -daywork -dayworks -daze -dazed -dazedly -dazes -dazing -dazzle -dazzled -dazzler -dazzlers -dazzles -dazzling -de -deacon -deaconed -deaconry -deacons -dead -deadbeat -deadbolt -deaden -deadened -deadener -deadens -deader -deadest -deadeye -deadeyes -deadfall -deadhead -deadlier -deadlift -deadlifted -deadlifting -deadlifts -deadline -deadlock -deadly -deadman -deadmen -deadness -deadpan -deadpans -deads -deadwood -deaerate -deaf -deafen -deafened -deafens -deafer -deafest -deafish -deafly -deafness -deair -deaired -deairing -deairs -deal -dealate -dealated -dealates -dealer -dealers -dealfish -dealing -dealings -deals -dealt -dean -deaned -deanery -deaning -deans -deanship -dear -dearer -dearest -dearie -dearies -dearly -dearness -dears -dearth -dearths -deary -deash -deashed -deashes -deashing -deasil -death -deathbed -deathcup -deathful -deathly -deaths -deathy -deave -deaved -deaves -deaving -deb -debacle -debacles -debag -debagged -debags -debar -debark -debarked -debarker -debarks -debarred -debars -debase -debased -debaser -debasers -debases -debasing -debate -debated -debater -debaters -debates -debating -debauch -debeak -debeaked -debeaking -debeaks -debeard -debeards -debility -debit -debited -debiting -debits -debonair -debone -deboned -deboner -deboners -debones -deboning -debouch -debouche -debride -debrided -debrides -debrief -debriefs -debris -debruise -debs -debt -debtless -debtor -debtors -debts -debug -debugged -debugger -debuggers -debugs -debunk -debunked -debunker -debunks -debut -debutant -debuted -debuting -debuts -debye -debyes -decadal -decade -decadent -decades -decaf -decafs -decagon -decagons -decagram -decal -decalog -decalogs -decals -decamp -decamped -decamps -decanal -decane -decanes -decant -decanted -decanter -decants -decapod -decapods -decare -decares -decay -decayed -decayer -decayers -decaying -decays -decease -deceased -deceases -decedent -deceit -deceits -deceive -deceived -deceiver -deceives -decemvir -decenary -decency -decennia -decent -decenter -decently -decentre -decern -decerned -decerns -deciare -deciares -decibel -decibels -decide -decided -decider -deciders -decides -deciding -decidua -deciduae -decidual -deciduas -decigram -decile -deciles -decimal -decimals -decimate -decipher -decision -decisioned -decisioning -decisive -deck -decked -deckel -deckels -decker -deckers -deckhand -decking -deckings -deckle -deckles -decks -declaim -declaims -declare -declared -declarer -declares -declass -declasse -decline -declined -decliner -declines -deco -decoct -decocted -decocts -decode -decoded -decoder -decoders -decodes -decoding -decolor -decolors -decolour -decor -decorate -decorous -decors -decorum -decorums -decos -decouple -decoy -decoyed -decoyer -decoyers -decoying -decoys -decrease -decree -decreed -decreer -decreers -decrees -decrepit -decretal -decrial -decrials -decried -decrier -decriers -decries -decrown -decrowns -decry -decrying -decrypt -decrypts -decuman -decuple -decupled -decuples -decuries -decurion -decurve -decurved -decurves -decury -dedal -dedans -dedicate -deduce -deduced -deduces -deducing -deduct -deducted -deducts -dee -deed -deeded -deedier -deediest -deeding -deedless -deeds -deedy -deejay -deejayed -deejays -deem -deemed -deeming -deems -deemster -deep -deepen -deepened -deepener -deepens -deeper -deepest -deeply -deepness -deeps -deer -deerfly -deerlike -deers -deerskin -deerweed -deeryard -dees -deet -deets -deewan -deewans -def -deface -defaced -defacer -defacers -defaces -defacing -defame -defamed -defamer -defamers -defames -defaming -defang -defanged -defangs -defat -defats -defatted -default -defaults -defeat -defeated -defeater -defeats -defecate -defect -defected -defector -defects -defence -defenced -defences -defend -defended -defender -defends -defense -defensed -defenses -defer -deferent -deferral -deferred -deferrer -defers -deffer -deffest -defi -defiance -defiant -deficit -deficits -defied -defier -defiers -defies -defilade -defile -defiled -defiler -defilers -defiles -defiling -define -defined -definer -definers -defines -defining -definite -defis -deflate -deflated -deflater -deflaters -deflates -deflator -deflea -defleaed -defleas -deflect -deflects -deflexed -deflower -defoam -defoamed -defoamer -defoams -defocus -defog -defogged -defogger -defogs -deforce -deforced -deforcer -deforces -deforest -deform -deformed -deformer -deforms -defrag -defrags -defraud -defrauds -defray -defrayal -defrayed -defrayer -defrays -defrock -defrocks -defrost -defrosts -deft -defter -deftest -deftly -deftness -defuel -defueled -defuels -defunct -defund -defunded -defunding -defunds -defuse -defused -defuser -defusers -defuses -defusing -defuze -defuzed -defuzes -defuzing -defy -defying -degage -degame -degames -degami -degamis -degas -degases -degassed -degasser -degasses -degauss -degender -degerm -degermed -degerms -deglaze -deglazed -deglazes -degrade -degraded -degrader -degrades -degrease -degree -degreed -degrees -degum -degummed -degums -degust -degusted -degusts -dehisce -dehisced -dehisces -dehorn -dehorned -dehorner -dehorns -dehort -dehorted -dehorts -dei -deice -deiced -deicer -deicers -deices -deicidal -deicide -deicides -deicing -deictic -deictics -deific -deifical -deified -deifier -deifiers -deifies -deiform -deify -deifying -deign -deigned -deigning -deigns -deil -deils -deionize -deism -deisms -deist -deistic -deists -deities -deity -deixis -deixises -deject -dejecta -dejected -dejects -dejeuner -dekagram -dekare -dekares -deke -deked -dekeing -dekes -deking -dekko -dekkos -del -delaine -delaines -delate -delated -delates -delating -delation -delator -delators -delay -delayed -delayer -delayers -delaying -delays -dele -delead -deleaded -deleads -deleave -deleaved -deleaves -deled -delegacy -delegate -deleing -deles -delete -deleted -deletes -deleting -deletion -delf -delfs -delft -delfts -deli -delicacy -delicate -delict -delicts -delight -delights -delime -delimed -delimes -deliming -delimit -delimits -deliria -delirium -delis -delish -delist -delisted -delists -deliver -delivers -delivery -dell -dellies -dells -delly -delouse -deloused -delouser -delouses -delphic -dels -delt -delta -deltaic -deltas -deltic -deltoid -deltoids -delts -delude -deluded -deluder -deluders -deludes -deluding -deluge -deluged -deluges -deluging -delusion -delusive -delusory -deluster -deluxe -delve -delved -delver -delvers -delves -delving -demagog -demagogs -demagogy -demand -demanded -demander -demands -demarche -demark -demarked -demarks -demast -demasted -demasts -deme -demean -demeaned -demeanor -demeans -dement -demented -dementia -dements -demerara -demerge -demerged -demerger -demerges -demerit -demerits -demersal -demes -demesne -demesnes -demeton -demetons -demic -demies -demigod -demigods -demijohn -demilune -demirep -demireps -demise -demised -demises -demising -demister -demit -demits -demitted -demiurge -demivolt -demo -demob -demobbed -demobs -democrat -demode -demoded -demoed -demoing -demolish -demon -demoness -demoniac -demonian -demonic -demonise -demonism -demonist -demonize -demons -demos -demoses -demote -demoted -demotes -demotic -demotics -demoting -demotion -demotist -demount -demounts -dempster -demur -demure -demurely -demurer -demurest -demurral -demurred -demurrer -demurs -demy -den -denar -denari -denarii -denarius -denars -denary -denature -denazify -dendrite -dendroid -dendron -dendrons -dene -denes -dengue -dengues -deni -deniable -deniably -denial -denials -denied -denier -deniers -denies -denim -denimed -denims -denizen -denizens -denned -denning -denote -denoted -denotes -denoting -denotive -denounce -dens -dense -densely -denser -densest -densify -density -dent -dental -dentalia -dentally -dentals -dentate -dentated -dented -denticle -dentil -dentiled -dentils -dentin -dentinal -dentine -dentines -denting -dentins -dentist -dentists -dentoid -dents -dentural -denture -dentures -denudate -denude -denuded -denuder -denuders -denudes -denuding -deny -denying -deodand -deodands -deodar -deodara -deodaras -deodars -deontic -deorbit -deorbits -deoxy -depaint -depaints -depart -departed -departee -departs -depend -depended -depends -depeople -deperm -depermed -deperms -depict -depicted -depicter -depictor -depicts -depilate -deplane -deplaned -deplanes -deplete -depleted -depleter -depletes -deplore -deplored -deplorer -deplores -deploy -deployed -deployer -deploys -deplume -deplumed -deplumes -depolish -depone -deponed -deponent -depones -deponing -deport -deported -deportee -deporter -deports -deposal -deposals -depose -deposed -deposer -deposers -deposes -deposing -deposit -deposits -depot -depots -deprave -depraved -depraver -depraves -deprenyl -depress -deprival -deprive -deprived -depriver -deprives -depside -depsides -depth -depths -depurate -depute -deputed -deputes -deputies -deputing -deputize -deputy -deraign -deraigns -derail -derailed -derails -derange -deranged -deranger -deranges -derat -derate -derated -derates -derating -derats -deratted -deray -derays -derbies -derby -dere -derelict -deride -derided -derider -deriders -derides -deriding -deringer -derision -derisive -derisory -derivate -derive -derived -deriver -derivers -derives -deriving -derm -derma -dermal -dermas -dermic -dermis -dermises -dermoid -dermoids -derms -dernier -derogate -derrick -derricks -derriere -derries -derris -derrises -derry -dervish -des -desalt -desalted -desalter -desalts -desand -desanded -desands -descant -descants -descend -descends -descent -descents -describe -descried -descrier -descries -descry -deselect -desert -deserted -deserter -desertic -deserts -deserve -deserved -deserver -deserves -desex -desexed -desexes -desexing -design -designed -designee -designer -designs -desilver -desinent -desire -desired -desirer -desirers -desires -desiring -desirous -desist -desisted -desists -desk -deskman -deskmen -desks -desktop -desktops -desman -desmans -desmid -desmids -desmoid -desmoids -desolate -desorb -desorbed -desorbs -desoxy -despair -despairs -despatch -despisal -despise -despised -despiser -despises -despite -despited -despites -despoil -despoils -despond -desponds -despot -despotic -despots -dessert -desserts -destain -destains -destine -destined -destines -destiny -destrier -destroy -destroys -destruct -desugar -desugars -desulfur -detach -detached -detacher -detaches -detail -detailed -detailer -details -detain -detained -detainee -detainer -detains -detassel -detect -detected -detecter -detector -detects -detent -detente -detentes -detents -deter -deterge -deterged -deterger -deterges -deterred -deterrer -deters -detest -detested -detester -detests -dethatch -dethrone -detick -deticked -deticker -deticks -detinue -detinues -detonate -detour -detoured -detours -detox -detoxed -detoxes -detoxify -detoxing -detract -detracts -detrain -detrains -detrital -detritus -detrude -detruded -detrudes -deuce -deuced -deucedly -deuces -deucing -deuteric -deuteron -deutzia -deutzias -dev -deva -devalue -devalued -devalues -devas -devein -deveined -deveins -devel -develed -develing -develop -develope -develops -devels -deverbal -devest -devested -devests -deviance -deviancy -deviant -deviants -deviate -deviated -deviates -deviator -device -devices -devil -deviled -deviling -devilish -devilkin -devilled -devilry -devils -deviltry -devious -devisal -devisals -devise -devised -devisee -devisees -deviser -devisers -devises -devising -devisor -devisors -devoice -devoiced -devoices -devoid -devoir -devoirs -devolve -devolved -devolves -devon -devonian -devonian -devons -devote -devoted -devotee -devotees -devotes -devoting -devotion -devour -devoured -devourer -devours -devout -devouter -devoutly -devs -dew -dewan -dewans -dewar -dewars -dewater -dewaters -dewax -dewaxed -dewaxes -dewaxing -dewberry -dewclaw -dewclaws -dewdrop -dewdrops -dewed -dewfall -dewfalls -dewier -dewiest -dewily -dewiness -dewing -dewlap -dewlaps -dewless -dewool -dewooled -dewools -deworm -dewormed -dewormer -dewormers -deworms -dews -dewy -dex -dexes -dexie -dexies -dexter -dextral -dextran -dextrans -dextrin -dextrine -dextrins -dextro -dextrose -dextrous -dexy -dey -deys -dezinc -dezinced -dezincs -dhak -dhaks -dhal -dhals -dharma -dharmas -dharmic -dharna -dharnas -dhobi -dhobis -dhole -dholes -dhoolies -dhooly -dhoora -dhooras -dhooti -dhootie -dhooties -dhootis -dhoti -dhotis -dhourra -dhourras -dhow -dhows -dhurna -dhurnas -dhurrie -dhurries -dhuti -dhutis -diabase -diabases -diabasic -diabetes -diabetic -diablery -diabolic -diabolo -diabolos -diacetyl -diacid -diacidic -diacids -diaconal -diadem -diademed -diadems -diagnose -diagonal -diagram -diagrams -diagraph -dial -dialect -dialects -dialed -dialer -dialers -dialing -dialings -dialist -dialists -diallage -dialled -diallel -dialler -diallers -dialling -diallist -dialog -dialoged -dialoger -dialogic -dialogs -dialogue -dials -dialyse -dialysed -dialyser -dialyses -dialysis -dialytic -dialyze -dialyzed -dialyzer -dialyzes -diamante -diameter -diamide -diamides -diamin -diamine -diamines -diamins -diamond -diamonds -dianthus -diapason -diapause -diaper -diapered -diapers -diaphone -diaphony -diapir -diapiric -diapirs -diapsid -diapsids -diarchic -diarchy -diaries -diarist -diarists -diarrhea -diary -diaspora -diaspore -diastase -diastem -diastema -diastems -diaster -diasters -diastole -diastral -diatom -diatomic -diatoms -diatonic -diatribe -diatron -diatrons -diazepam -diazin -diazine -diazines -diazinon -diazins -diazo -diazole -diazoles -dib -dibasic -dibbed -dibber -dibbers -dibbing -dibble -dibbled -dibbler -dibblers -dibbles -dibbling -dibbuk -dibbukim -dibbuks -dibs -dicamba -dicambas -dicast -dicastic -dicasts -dice -diced -dicentra -dicer -dicers -dices -dicey -dichasia -dichotic -dichroic -dicier -diciest -dicing -dick -dicked -dickens -dicker -dickered -dickers -dickey -dickeys -dickie -dickier -dickies -dickiest -dicking -dicks -dicky -dicliny -dicot -dicots -dicotyl -dicotyls -dicrotal -dicrotic -dicta -dictate -dictated -dictates -dictator -dictier -dictiest -diction -dictions -dictum -dictums -dicty -dicyclic -dicycly -did -didact -didactic -didacts -didactyl -didapper -diddle -diddled -diddler -diddlers -diddles -diddley -diddlies -diddling -diddly -didie -didies -dido -didoes -didos -didst -didy -didymium -didymous -didynamy -die -dieback -diebacks -diecious -died -diehard -diehards -dieing -diel -dieldrin -diemaker -diene -dienes -dieoff -dieoffs -diereses -dieresis -dieretic -dies -diesel -dieseled -diesels -dieses -diesis -diester -diesters -diestock -diestrum -diestrus -diet -dietary -dieted -dieter -dieters -dietetic -diether -diethers -dieting -diets -dif -diff -differ -differed -differs -diffract -diffs -diffuse -diffused -diffuser -diffuses -diffusor -difs -dig -digamies -digamist -digamma -digammas -digamous -digamy -digerati -digest -digested -digester -digestif -digestor -digests -digged -digger -diggers -digging -diggings -dight -dighted -dighting -dights -digit -digital -digitals -digitate -digitize -digits -diglot -diglots -dignify -dignity -digoxin -digoxins -digraph -digraphs -digress -digs -dihedral -dihedron -dihybrid -dihydric -dikdik -dikdiks -dike -diked -diker -dikers -dikes -dikey -diking -diktat -diktats -dilatant -dilatate -dilate -dilated -dilater -dilaters -dilates -dilating -dilation -dilative -dilator -dilators -dilatory -dildo -dildoe -dildoes -dildos -dilemma -dilemmas -dilemmic -diligent -dill -dilled -dillies -dills -dilly -diluent -diluents -dilute -diluted -diluter -diluters -dilutes -diluting -dilution -dilutive -dilutor -dilutors -diluvia -diluvial -diluvian -diluvion -diluvium -dim -dime -dimer -dimeric -dimerism -dimerize -dimerous -dimers -dimes -dimeter -dimeters -dimethyl -dimetric -diminish -dimities -dimity -dimly -dimmable -dimmed -dimmer -dimmers -dimmest -dimming -dimness -dimorph -dimorphs -dimout -dimouts -dimple -dimpled -dimples -dimplier -dimpling -dimply -dims -dimwit -dimwits -din -dinar -dinars -dindle -dindled -dindles -dindling -dine -dined -diner -dineric -dinero -dineros -diners -dines -dinette -dinettes -ding -dingbat -dingbats -dingdong -dinge -dinged -dinger -dingers -dinges -dingey -dingeys -dinghies -dinghy -dingier -dingies -dingiest -dingily -dinging -dingle -dingles -dingo -dingoes -dings -dingus -dinguses -dingy -dining -dinitro -dink -dinked -dinkey -dinkeys -dinkier -dinkies -dinkiest -dinking -dinkly -dinks -dinkum -dinkums -dinky -dinned -dinner -dinners -dinning -dino -dinos -dinosaur -dins -dint -dinted -dinting -dints -diobol -diobolon -diobols -diocesan -diocese -dioceses -diode -diodes -dioecies -dioecism -dioecy -dioicous -diol -diolefin -diols -diopside -dioptase -diopter -diopters -dioptral -dioptre -dioptres -dioptric -diorama -dioramas -dioramic -diorite -diorites -dioritic -dioxan -dioxane -dioxanes -dioxans -dioxid -dioxide -dioxides -dioxids -dioxin -dioxins -dip -diphase -diphasic -diphenyl -diplegia -diplegic -diplex -diplexer -diploe -diploes -diploic -diploid -diploids -diploidy -diploma -diplomas -diplomat -diplont -diplonts -diplopia -diplopic -diplopod -diploses -diplosis -dipnet -dipnets -dipnetted -dipnetting -dipnoan -dipnoans -dipodic -dipodies -dipody -dipolar -dipole -dipoles -dippable -dipped -dipper -dippers -dippier -dippiest -dipping -dippy -diprotic -dips -dipsades -dipsas -dipso -dipsos -dipstick -dipt -diptera -dipteral -dipteran -dipteron -diptyca -diptycas -diptych -diptychs -diquat -diquats -diram -dirams -dirdum -dirdums -dire -direct -directed -directer -directly -director -directs -direful -direly -direness -direr -direst -dirge -dirgeful -dirges -dirham -dirhams -diriment -dirk -dirked -dirking -dirks -dirl -dirled -dirling -dirls -dirndl -dirndls -dirt -dirtbag -dirtbags -dirtied -dirtier -dirties -dirtiest -dirtily -dirts -dirty -dirtying -dis -disable -disabled -disabler -disables -disabuse -disagree -disallow -disannul -disarm -disarmed -disarmer -disarms -disarray -disaster -disavow -disavows -disband -disbands -disbar -disbars -disbosom -disbound -disbowel -disbud -disbuds -disburse -disc -discant -discants -discard -discards -discase -discased -discases -disced -discept -discepts -discern -discerns -disci -discing -disciple -disclaim -disclike -disclose -disco -discoed -discoid -discoids -discoing -discolor -discord -discords -discos -discount -discover -discreet -discrete -discrown -discs -discus -discuses -discuss -disdain -disdains -disease -diseased -diseases -disendow -diseur -diseurs -diseuse -diseuses -disfavor -disfrock -disgorge -disgrace -disguise -disgust -disgusts -dish -dished -dishelm -dishelms -disherit -dishes -dishevel -dishful -dishfuls -dishier -dishiest -dishing -dishlike -dishonor -dishpan -dishpans -dishrag -dishrags -dishware -dishy -disinter -disject -disjects -disjoin -disjoins -disjoint -disjunct -disk -disked -diskette -disking -disklike -disks -dislike -disliked -disliker -dislikes -dislimn -dislimns -dislodge -disloyal -dismal -dismaler -dismally -dismals -dismast -dismasts -dismay -dismayed -dismays -disme -dismes -dismiss -dismount -disobey -disobeys -disomic -disorder -disown -disowned -disowns -dispart -disparts -dispatch -dispel -dispels -dispend -dispends -dispense -disperse -dispirit -displace -displant -display -displays -displode -displume -disport -disports -disposal -dispose -disposed -disposer -disposes -dispread -disprize -disproof -disprove -dispute -disputed -disputer -disputes -disquiet -disrate -disrated -disrates -disrobe -disrobed -disrober -disrobes -disroot -disroots -disrupt -disrupts -diss -dissave -dissaved -dissaves -disseat -disseats -dissect -dissects -dissed -disseise -disseize -dissent -dissents -dissert -disserts -disserve -disses -dissever -dissing -dissolve -dissuade -distaff -distaffs -distain -distains -distal -distally -distance -distant -distaste -distaves -distend -distends -distent -distich -distichs -distil -distill -distills -distils -distinct -distome -distomes -distort -distorts -distract -distrain -distrait -distress -district -distrust -disturb -disturbs -disulfid -disunion -disunite -disunity -disuse -disused -disuses -disusing -disvalue -disyoke -disyoked -disyokes -dit -dita -ditas -ditch -ditched -ditcher -ditchers -ditches -ditching -dite -dites -ditheism -ditheist -dither -dithered -ditherer -dithers -dithery -dithiol -dits -ditsier -ditsiest -ditsy -dittany -ditties -ditto -dittoed -dittoing -dittos -ditty -ditz -ditzes -ditzier -ditziest -ditzy -diureses -diuresis -diuretic -diurnal -diurnals -diuron -diurons -diva -divagate -divalent -divan -divans -divas -dive -divebomb -dived -diver -diverge -diverged -diverges -divers -diverse -divert -diverted -diverter -diverts -dives -divest -divested -divests -divide -divided -dividend -divider -dividers -divides -dividing -dividual -divine -divined -divinely -diviner -diviners -divines -divinest -diving -divining -divinise -divinity -divinize -division -divisive -divisor -divisors -divorce -divorced -divorcee -divorcer -divorces -divot -divots -divulge -divulged -divulger -divulges -divulse -divulsed -divulses -divvied -divvies -divvy -divvying -diwan -diwans -dixit -dixits -dizen -dizened -dizening -dizens -dizygous -dizzied -dizzier -dizzies -dizziest -dizzily -dizzy -dizzying -djebel -djebels -djellaba -djin -djinn -djinni -djinns -djinny -djins -dna -do -doable -doat -doated -doating -doats -dobber -dobbers -dobbies -dobbin -dobbins -dobby -dobie -dobies -dobla -doblas -doblon -doblones -doblons -dobra -dobras -dobro -dobro -dobros -dobros -dobson -dobsons -doby -doc -docent -docents -docetic -docile -docilely -docility -dock -dockage -dockages -docked -docker -dockers -docket -docketed -dockets -dockhand -docking -dockland -docks -dockside -dockyard -docs -doctor -doctoral -doctored -doctorly -doctors -doctrine -document -dodder -doddered -dodderer -dodders -doddery -dodge -dodged -dodgem -dodgems -dodger -dodgers -dodgery -dodges -dodgier -dodgiest -dodging -dodgy -dodo -dodoes -dodoism -dodoisms -dodos -doe -doer -doers -does -doeskin -doeskins -doest -doeth -doff -doffed -doffer -doffers -doffing -doffs -dog -dogbane -dogbanes -dogberry -dogcart -dogcarts -dogdom -dogdoms -doge -dogear -dogeared -dogears -dogedom -dogedoms -doges -dogeship -dogey -dogeys -dogface -dogfaces -dogfight -dogfish -dogged -doggedly -dogger -doggerel -doggers -doggery -doggie -doggier -doggies -doggiest -dogging -doggish -doggo -doggone -doggoned -doggoner -doggones -doggrel -doggrels -doggy -doghouse -dogie -dogies -dogleg -doglegs -doglike -dogma -dogmas -dogmata -dogmatic -dognap -dognaped -dognaper -dognaps -dogs -dogsbody -dogsled -dogsledded -dogsledding -dogsleds -dogteeth -dogtooth -dogtrot -dogtrots -dogvane -dogvanes -dogwatch -dogwood -dogwoods -dogy -doiled -doilies -doily -doing -doings -doit -doited -doits -dojo -dojos -dol -dolce -dolcetto -dolci -doldrums -dole -doled -doleful -dolerite -doles -dolesome -doling -doll -dollar -dollars -dolled -dollied -dollies -dolling -dollish -dollop -dolloped -dollops -dolls -dolly -dollying -dolma -dolmades -dolman -dolmans -dolmas -dolmen -dolmenic -dolmens -dolomite -dolor -doloroso -dolorous -dolors -dolour -dolours -dolphin -dolphins -dols -dolt -doltish -dolts -dom -domain -domaine -domaines -domains -domal -dome -domed -domelike -domes -domesday -domestic -domic -domical -domicil -domicile -domicils -dominant -dominate -domine -domineer -domines -doming -dominick -dominie -dominies -dominion -dominium -domino -dominoes -dominos -doms -don -dona -donas -donate -donated -donates -donating -donation -donative -donator -donators -done -donee -donees -doneness -dong -donga -dongas -dongle -dongles -dongola -dongolas -dongs -donjon -donjons -donkey -donkeys -donna -donnas -donne -donned -donnee -donnees -donnerd -donnered -donnert -donniker -donnikers -donning -donnish -donor -donors -dons -donsie -donsy -donut -donuts -donzel -donzels -doobie -doobies -doodad -doodads -doodies -doodle -doodled -doodler -doodlers -doodles -doodling -doodoo -doodoos -doody -doofus -doofuses -doolee -doolees -doolie -doolies -dooly -doom -doomed -doomful -doomier -doomiest -doomily -dooming -dooms -doomsday -doomster -doomy -door -doorbell -doorjamb -doorknob -doorless -doorman -doormat -doormats -doormen -doornail -doorpost -doors -doorsill -doorstep -doorstop -doorway -doorways -dooryard -doowop -doowops -doozer -doozers -doozie -doozies -doozy -dopa -dopamine -dopant -dopants -dopas -dope -doped -dopehead -dopeheads -doper -dopers -dopes -dopester -dopey -dopier -dopiest -dopily -dopiness -doping -dopings -dopy -dor -dorado -dorados -dorbug -dorbugs -dore -dorhawk -dorhawks -dories -dork -dorkier -dorkiest -dorks -dorky -dorm -dormancy -dormant -dormer -dormered -dormers -dormice -dormie -dormient -dormin -dormins -dormouse -dorms -dormy -dorneck -dornecks -dornick -dornicks -dornock -dornocks -dorp -dorper -dorpers -dorps -dorr -dorrs -dors -dorsa -dorsad -dorsal -dorsally -dorsals -dorsel -dorsels -dorser -dorsers -dorsum -dorty -dory -dos -dosage -dosages -dose -dosed -doser -dosers -doses -dosing -doss -dossal -dossals -dossed -dossel -dossels -dosser -dosseret -dossers -dosses -dossier -dossiers -dossil -dossils -dossing -dost -dot -dotage -dotages -dotal -dotard -dotardly -dotards -dotation -dote -doted -doter -doters -dotes -doth -dotier -dotiest -doting -dotingly -dots -dotted -dottel -dottels -dotter -dotterel -dotters -dottier -dottiest -dottily -dotting -dottle -dottles -dottrel -dottrels -dotty -doty -double -doubled -doubler -doublers -doubles -doublet -doublets -doubling -doubloon -doublure -doubly -doubt -doubted -doubter -doubters -doubtful -doubting -doubts -douce -doucely -douceur -douceurs -douche -douched -douches -douching -dough -doughboy -doughier -doughnut -doughs -dought -doughty -doughy -doula -doulas -doum -douma -doumas -doums -doupioni -dour -doura -dourah -dourahs -douras -dourer -dourest -dourine -dourines -dourly -dourness -douse -doused -douser -dousers -douses -dousing -doux -douzeper -dove -dovecot -dovecote -dovecots -dovekey -dovekeys -dovekie -dovekies -dovelike -doven -dovened -dovening -dovens -doves -dovetail -dovish -dow -dowable -dowager -dowagers -dowdier -dowdies -dowdiest -dowdily -dowdy -dowdyish -dowed -dowel -doweled -doweling -dowelled -dowels -dower -dowered -doweries -dowering -dowers -dowery -dowie -dowing -down -downbeat -downbow -downbows -downcast -downcome -downed -downer -downers -downfall -downhaul -downhill -downier -downiest -downing -downland -downlands -downless -downlike -downlink -downlinks -download -downpipe -downpipes -downplay -downpour -downs -downside -downsize -downspin -downtick -downtime -downtown -downtrod -downturn -downward -downwash -downwind -downy -downzone -dowries -dowry -dows -dowsabel -dowse -dowsed -dowser -dowsers -dowses -dowsing -doxie -doxies -doxology -doxy -doyen -doyenne -doyennes -doyens -doyley -doyleys -doylies -doyly -doze -dozed -dozen -dozened -dozening -dozens -dozenth -dozenths -dozer -dozers -dozes -dozier -doziest -dozily -doziness -dozing -dozy -drab -drabbed -drabber -drabbest -drabbet -drabbets -drabbing -drabble -drabbled -drabbles -drably -drabness -drabs -dracaena -dracena -dracenas -drachm -drachma -drachmae -drachmai -drachmas -drachms -draconic -draff -draffier -draffish -draffs -draffy -draft -drafted -draftee -draftees -drafter -drafters -draftier -draftily -drafting -drafts -drafty -drag -dragee -dragees -dragged -dragger -draggers -draggier -dragging -draggle -draggled -draggles -draggy -dragline -dragnet -dragnets -dragoman -dragomen -dragon -dragonet -dragons -dragoon -dragoons -dragrope -drags -dragster -drail -drails -drain -drainage -drained -drainer -drainers -draining -drains -drake -drakes -dram -drama -dramady -dramas -dramatic -dramedies -dramedy -drammed -dramming -drammock -drams -dramshop -drank -drapable -drape -draped -draper -drapers -drapery -drapes -drapey -draping -drastic -drat -drats -dratted -dratting -draught -draughts -draughty -drave -draw -drawable -drawback -drawbar -drawbars -drawbore -drawdown -drawee -drawees -drawer -drawers -drawing -drawings -drawl -drawled -drawler -drawlers -drawlier -drawling -drawls -drawly -drawn -draws -drawtube -dray -drayage -drayages -drayed -draying -drayman -draymen -drays -dread -dreaded -dreadful -dreading -dreads -dream -dreamed -dreamer -dreamers -dreamful -dreamier -dreamily -dreaming -dreams -dreamt -dreamy -drear -drearier -drearies -drearily -drears -dreary -dreck -drecks -drecky -dredge -dredged -dredger -dredgers -dredges -dredging -dree -dreed -dreeing -drees -dreg -dreggier -dreggish -dreggy -dregs -dreich -dreidel -dreidels -dreidl -dreidls -dreigh -drek -dreks -drench -drenched -drencher -drenches -dress -dressage -dressed -dresser -dressers -dresses -dressier -dressily -dressing -dressy -drest -drew -drib -dribbed -dribbing -dribble -dribbled -dribbler -dribbles -dribblet -dribbly -driblet -driblets -dribs -dried -driegh -drier -driers -dries -driest -drift -driftage -drifted -drifter -drifters -driftier -drifting -driftpin -drifts -drifty -drill -drilled -driller -drillers -drilling -drills -drily -drink -drinker -drinkers -drinking -drinks -drip -dripless -dripped -dripper -drippers -drippier -drippily -dripping -drippy -drips -dript -drivable -drive -drivel -driveled -driveler -drivels -driven -driver -drivers -drives -driveway -driving -drivings -drizzle -drizzled -drizzles -drizzly -drogue -drogues -droid -droids -droit -droits -droll -drolled -droller -drollery -drollest -drolling -drolls -drolly -dromon -dromond -dromonds -dromons -drone -droned -droner -droners -drones -drongo -drongos -droning -dronish -drool -drooled -droolier -drooling -drools -drooly -droop -drooped -droopier -droopily -drooping -droops -droopy -drop -drophead -dropkick -droplet -droplets -dropout -dropouts -dropped -dropper -droppers -dropping -drops -dropshot -dropsied -dropsies -dropsy -dropt -dropwort -drosera -droseras -droshky -droskies -drosky -dross -drosses -drossier -drossy -drought -droughts -droughty -drouk -drouked -drouking -drouks -drouth -drouths -drouthy -drove -droved -drover -drovers -droves -droving -drown -drownd -drownded -drownds -drowned -drowner -drowners -drowning -drowns -drowse -drowsed -drowses -drowsier -drowsily -drowsing -drowsy -drub -drubbed -drubber -drubbers -drubbing -drubs -drudge -drudged -drudger -drudgers -drudgery -drudges -drudging -drug -drugged -drugget -druggets -druggie -druggier -druggies -drugging -druggist -druggy -drugs -druid -druidess -druidic -druidism -druids -drum -drumbeat -drumble -drumbled -drumbles -drumfire -drumfish -drumhead -drumlier -drumlike -drumlin -drumlins -drumly -drummed -drummer -drummers -drumming -drumroll -drums -drunk -drunkard -drunken -drunker -drunkest -drunks -drupe -drupelet -drupes -druse -druses -druthers -dry -dryable -dryad -dryades -dryadic -dryads -dryer -dryers -dryest -drying -dryish -dryland -drylot -drylots -dryly -dryness -drypoint -drys -drystone -drywall -drywalls -drywell -drywells -duad -duads -dual -dualism -dualisms -dualist -dualists -duality -dualize -dualized -dualizes -dually -duals -dub -dubbed -dubber -dubbers -dubbin -dubbing -dubbings -dubbins -dubiety -dubious -dubnium -dubniums -dubonnet -dubs -ducal -ducally -ducat -ducats -duce -duces -duchess -duchies -duchy -duci -duck -duckbill -ducked -ducker -duckers -duckie -duckier -duckies -duckiest -ducking -duckling -duckpin -duckpins -ducks -ducktail -duckwalk -duckweed -ducky -duct -ductal -ducted -ductile -ducting -ductings -ductless -ducts -ductule -ductules -ductwork -ductworks -dud -duddie -duddy -dude -duded -dudeen -dudeens -dudes -dudgeon -dudgeons -duding -dudish -dudishly -duds -due -duecento -duel -dueled -dueler -duelers -dueling -duelist -duelists -duelled -dueller -duellers -duelli -duelling -duellist -duello -duellos -duels -duende -duendes -dueness -duenna -duennas -dues -duet -dueted -dueting -duets -duetted -duetting -duettist -duff -duffel -duffels -duffer -duffers -duffle -duffles -duffs -dufus -dufuses -dug -dugong -dugongs -dugout -dugouts -dugs -duh -dui -duiker -duikers -duit -duits -duke -duked -dukedom -dukedoms -dukes -duking -dulcet -dulcetly -dulcets -dulciana -dulcify -dulcimer -dulcinea -dulia -dulias -dull -dullard -dullards -dulled -duller -dullest -dulling -dullish -dullness -dulls -dully -dulness -dulse -dulses -duly -duma -dumas -dumb -dumbbell -dumbcane -dumbcanes -dumbed -dumber -dumbest -dumbhead -dumbing -dumbly -dumbness -dumbo -dumbos -dumbs -dumdum -dumdums -dumfound -dumka -dumky -dummied -dummies -dummkopf -dummy -dummying -dump -dumpcart -dumped -dumper -dumpers -dumpier -dumpiest -dumpily -dumping -dumpings -dumpish -dumpling -dumps -dumpsite -dumpster -dumpster -dumpsters -dumpy -dun -dunam -dunams -dunce -dunces -dunch -dunches -duncical -duncish -dune -duneland -dunelike -dunes -dung -dungaree -dunged -dungeon -dungeons -dunghill -dungier -dungiest -dunging -dungs -dungy -dunite -dunites -dunitic -dunk -dunked -dunker -dunkers -dunking -dunks -dunlin -dunlins -dunnage -dunnages -dunned -dunner -dunness -dunnest -dunning -dunnite -dunnites -duns -dunt -dunted -dunting -dunts -duo -duodena -duodenal -duodenum -duolog -duologs -duologue -duomi -duomo -duomos -duopoly -duopsony -duos -duotone -duotones -dup -dupable -dupe -duped -duper -duperies -dupers -dupery -dupes -duping -duple -duplex -duplexed -duplexer -duplexes -dupped -dupping -dups -dura -durable -durables -durably -dural -duramen -duramens -durance -durances -duras -duration -durative -durbar -durbars -dure -dured -dures -duress -duresses -durian -durians -during -durion -durions -durmast -durmasts -durn -durndest -durned -durneder -durning -durns -duro -duroc -durocs -duros -durr -durra -durras -durrie -durries -durrs -durst -durum -durums -dusk -dusked -duskier -duskiest -duskily -dusking -duskish -dusks -dusky -dust -dustbin -dustbins -dusted -duster -dusters -dustheap -dustier -dustiest -dustily -dusting -dustings -dustless -dustlike -dustman -dustmen -dustoff -dustoffs -dustpan -dustpans -dustrag -dustrags -dusts -dustup -dustups -dusty -dutch -dutchman -dutchmen -duteous -dutiable -duties -dutiful -duty -duumvir -duumviri -duumvirs -duvet -duvetine -duvets -duvetyn -duvetyne -duvetyns -duxelles -dwarf -dwarfed -dwarfer -dwarfest -dwarfing -dwarfish -dwarfism -dwarfs -dwarves -dweeb -dweebier -dweebish -dweebs -dweeby -dwell -dwelled -dweller -dwellers -dwelling -dwells -dwelt -dwindle -dwindled -dwindles -dwine -dwined -dwines -dwining -dyable -dyad -dyadic -dyadics -dyads -dyarchic -dyarchy -dybbuk -dybbukim -dybbuks -dye -dyeable -dyed -dyeing -dyeings -dyer -dyers -dyes -dyestuff -dyeweed -dyeweeds -dyewood -dyewoods -dying -dyings -dyke -dyked -dykes -dykey -dyking -dynamic -dynamics -dynamism -dynamist -dynamite -dynamo -dynamos -dynast -dynastic -dynasts -dynasty -dynatron -dyne -dynein -dyneins -dynel -dynels -dynes -dynode -dynodes -dysgenic -dyslexia -dyslexic -dyspepsy -dyspnea -dyspneal -dyspneas -dyspneic -dyspnoea -dyspnoic -dystaxia -dystocia -dystonia -dystonic -dystopia -dysuria -dysurias -dysuric -dyvour -dyvours -each -eager -eagerer -eagerest -eagerly -eagers -eagle -eagled -eagles -eaglet -eaglets -eagling -eagre -eagres -eanling -eanlings -ear -earache -earaches -earbud -earbuds -eardrop -eardrops -eardrum -eardrums -eared -earflap -earflaps -earful -earfuls -earing -earings -earl -earlap -earlaps -earldom -earldoms -earless -earlier -earliest -earlobe -earlobes -earlock -earlocks -earls -earlship -early -earmark -earmarks -earmuff -earmuffs -earn -earned -earner -earners -earnest -earnests -earning -earnings -earns -earphone -earpiece -earplug -earplugs -earring -earrings -ears -earshot -earshots -earstone -earth -earthed -earthen -earthier -earthily -earthing -earthly -earthman -earthmen -earthnut -earthpea -earths -earthset -earthy -earwax -earwaxes -earwig -earwigs -earworm -earworms -ease -eased -easeful -easel -easeled -easels -easement -eases -easier -easies -easiest -easily -easiness -easing -east -easter -easterly -eastern -easters -easting -eastings -easts -eastward -easy -eat -eatable -eatables -eaten -eater -eateries -eaters -eatery -eath -eating -eatings -eats -eau -eaux -eave -eaved -eaves -ebb -ebbed -ebbet -ebbets -ebbing -ebbs -ebon -ebonics -ebonies -ebonise -ebonised -ebonises -ebonite -ebonites -ebonize -ebonized -ebonizes -ebons -ebony -ebook -ebooks -ecarte -ecartes -ecaudate -ecbolic -ecbolics -ecclesia -eccrine -ecdyses -ecdysial -ecdysis -ecdyson -ecdysone -ecdysons -ecesic -ecesis -ecesises -echard -echards -eche -eched -echelle -echelles -echelon -echelons -eches -echidna -echidnae -echidnas -echinate -eching -echini -echinoid -echinus -echo -echoed -echoer -echoers -echoes -echoey -echogram -echoic -echoing -echoism -echoisms -echoless -echos -echt -eclair -eclairs -eclat -eclats -eclectic -eclipse -eclipsed -eclipser -eclipses -eclipsis -ecliptic -eclogite -eclogue -eclogues -eclosion -ecocidal -ecocide -ecocides -ecofreak -ecologic -ecology -econobox -econoboxes -economic -economy -ecotage -ecotages -ecotonal -ecotone -ecotones -ecotour -ecotours -ecotype -ecotypes -ecotypic -ecraseur -ecru -ecrus -ecstasy -ecstatic -ectases -ectasis -ectatic -ecthyma -ectoderm -ectomere -ectopia -ectopias -ectopic -ectosarc -ectozoa -ectozoan -ectozoon -ectypal -ectype -ectypes -ecu -ecumenic -ecus -eczema -eczemas -ed -edacious -edacity -edaphic -eddied -eddies -eddo -eddoes -eddy -eddying -edema -edemas -edemata -edenic -edentate -edge -edged -edgeless -edger -edgers -edges -edgeways -edgewise -edgier -edgiest -edgily -edginess -edging -edgings -edgy -edh -edhs -edible -edibles -edict -edictal -edicts -edifice -edifices -edified -edifier -edifiers -edifies -edify -edifying -edile -ediles -edit -editable -edited -editing -edition -editions -editor -editors -editress -editrix -edits -eds -educable -educate -educated -educates -educator -educe -educed -educes -educible -educing -educt -eduction -eductive -eductor -eductors -educts -eek -eel -eelgrass -eelier -eeliest -eellike -eelpout -eelpouts -eels -eelworm -eelworms -eely -eerie -eerier -eeriest -eerily -eeriness -eery -ef -eff -effable -efface -effaced -effacer -effacers -effaces -effacing -effect -effected -effecter -effector -effects -effendi -effendis -efferent -effete -effetely -efficacy -effigial -effigies -effigy -effluent -effluvia -efflux -effluxes -effort -efforts -effs -effulge -effulged -effulges -effuse -effused -effuses -effusing -effusion -effusive -efs -eft -efts -eftsoon -eftsoons -egad -egads -egal -egalite -egalites -eger -egers -egest -egesta -egested -egesting -egestion -egestive -egests -egg -eggar -eggars -eggcup -eggcups -egged -egger -eggers -eggfruit -egghead -eggheads -egging -eggless -eggnog -eggnogs -eggplant -eggs -eggshell -eggy -egis -egises -eglatere -eglomise -ego -egoism -egoisms -egoist -egoistic -egoists -egoless -egomania -egos -egotism -egotisms -egotist -egotists -egress -egressed -egresses -egret -egrets -egyptian -eh -eide -eider -eiders -eidetic -eidola -eidolic -eidolon -eidolons -eidos -eight -eighteen -eighth -eighthly -eighths -eighties -eights -eightvo -eightvos -eighty -eikon -eikones -eikons -einkorn -einkorns -einstein -eirenic -eiswein -eisweins -either -eject -ejecta -ejected -ejecting -ejection -ejective -ejector -ejectors -ejects -eke -eked -ekes -eking -ekistic -ekistics -ekpwele -ekpweles -ektexine -ekuele -el -elain -elains -elan -eland -elands -elans -elaphine -elapid -elapids -elapine -elapse -elapsed -elapses -elapsing -elastase -elastic -elastics -elastin -elastins -elate -elated -elatedly -elater -elaterid -elaterin -elaters -elates -elating -elation -elations -elative -elatives -elbow -elbowed -elbowing -elbows -eld -elder -elderly -elders -eldest -eldress -eldresses -eldrich -eldritch -elds -elect -elected -electee -electees -electing -election -elective -elector -electors -electret -electric -electro -electron -electros -electrum -elects -elegance -elegancy -elegant -elegiac -elegiacs -elegies -elegise -elegised -elegises -elegist -elegists -elegit -elegits -elegize -elegized -elegizes -elegy -element -elements -elemi -elemis -elenchi -elenchic -elenchus -elenctic -elephant -elevate -elevated -elevates -elevator -eleven -elevens -eleventh -elevon -elevons -elf -elfin -elfins -elfish -elfishly -elflike -elflock -elflocks -elhi -elicit -elicited -elicitor -elicits -elide -elided -elides -elidible -eliding -eligible -eligibly -elint -elints -elision -elisions -elite -elites -elitism -elitisms -elitist -elitists -elixir -elixirs -elk -elkhound -elks -ell -ellipse -ellipses -ellipsis -elliptic -ells -elm -elmier -elmiest -elms -elmy -elodea -elodeas -eloign -eloigned -eloigner -eloigns -eloin -eloined -eloiner -eloiners -eloining -eloins -elongate -elope -eloped -eloper -elopers -elopes -eloping -eloquent -els -else -eluant -eluants -eluate -eluates -elude -eluded -eluder -eluders -eludes -eluding -eluent -eluents -elusion -elusions -elusive -elusory -elute -eluted -elutes -eluting -elution -elutions -eluvia -eluvial -eluviate -eluvium -eluviums -elver -elvers -elves -elvish -elvishly -elysian -elytra -elytroid -elytron -elytrous -elytrum -em -emaciate -email -emailed -emailing -emails -emanant -emanate -emanated -emanates -emanator -embalm -embalmed -embalmer -embalms -embank -embanked -embanks -embar -embargo -embark -embarked -embarks -embarred -embars -embassy -embattle -embay -embayed -embaying -embays -embed -embedded -embeds -ember -embers -embezzle -embitter -emblaze -emblazed -emblazer -emblazes -emblazon -emblem -emblemed -emblems -embodied -embodier -embodies -embody -embolden -emboli -embolic -embolies -embolism -embolus -emboly -emborder -embosk -embosked -embosks -embosom -embosoms -emboss -embossed -embosser -embosses -embow -embowed -embowel -embowels -embower -embowers -embowing -embows -embrace -embraced -embracer -embraces -embroil -embroils -embrown -embrowns -embrue -embrued -embrues -embruing -embrute -embruted -embrutes -embryo -embryoid -embryon -embryons -embryos -emcee -emceed -emceeing -emcees -emdash -emdashes -eme -emeer -emeerate -emeers -emend -emendate -emended -emender -emenders -emending -emends -emerald -emeralds -emerge -emerged -emergent -emerges -emerging -emeries -emerita -emeritae -emeritas -emeriti -emeritus -emerod -emerods -emeroid -emeroids -emersed -emersion -emery -emes -emeses -emesis -emetic -emetics -emetin -emetine -emetines -emetins -emeu -emeus -emeute -emeutes -emf -emfs -emic -emigrant -emigrate -emigre -emigres -eminence -eminency -eminent -emir -emirate -emirates -emirs -emissary -emission -emissive -emit -emits -emitted -emitter -emitters -emitting -emmer -emmers -emmet -emmets -emmy -emmy -emmys -emmys -emodin -emodins -emote -emoted -emoter -emoters -emotes -emoticon -emoting -emotion -emotions -emotive -empale -empaled -empaler -empalers -empales -empaling -empanada -empanel -empanels -empathic -empathy -emperies -emperor -emperors -empery -emphases -emphasis -emphatic -empire -empires -empiric -empirics -emplace -emplaced -emplaces -emplane -emplaned -emplanes -employ -employe -employed -employee -employer -employes -employs -empoison -emporia -emporium -empower -empowers -empress -emprise -emprises -emprize -emprizes -emptied -emptier -emptiers -empties -emptiest -emptily -emptings -emptins -empty -emptying -empurple -empyema -empyemas -empyemic -empyreal -empyrean -ems -emu -emulate -emulated -emulates -emulator -emulous -emulsify -emulsion -emulsive -emulsoid -emus -emyd -emyde -emydes -emyds -en -enable -enabled -enabler -enablers -enables -enabling -enact -enacted -enacting -enactive -enactor -enactors -enactory -enacts -enamel -enameled -enameler -enamels -enamine -enamines -enamor -enamored -enamors -enamour -enamours -enate -enates -enatic -enation -enations -encaenia -encage -encaged -encages -encaging -encamp -encamped -encamps -encase -encased -encases -encash -encashed -encashes -encasing -enceinte -enchain -enchains -enchant -enchants -enchase -enchased -enchaser -enchases -enchoric -encina -encinal -encinas -encipher -encircle -enclasp -enclasps -enclave -enclaved -enclaves -enclitic -enclose -enclosed -encloser -encloses -encode -encoded -encoder -encoders -encodes -encoding -encomia -encomium -encore -encored -encores -encoring -encroach -encrust -encrusts -encrypt -encrypts -encumber -encyclic -encyst -encysted -encysts -end -endamage -endameba -endanger -endarch -endarchy -endash -endashes -endbrain -endear -endeared -endears -endeavor -ended -endemial -endemic -endemics -endemism -ender -endermic -enders -endexine -endgame -endgames -ending -endings -endite -endited -endites -enditing -endive -endives -endleaf -endleafs -endless -endlong -endmost -endnote -endnotes -endocarp -endocast -endoderm -endogamy -endogen -endogens -endogeny -endopod -endopods -endorse -endorsed -endorsee -endorser -endorses -endorsor -endosarc -endosmos -endosome -endostea -endow -endowed -endower -endowers -endowing -endows -endozoic -endpaper -endplate -endplay -endplays -endpoint -endrin -endrins -ends -endue -endued -endues -enduing -endure -endured -endurer -endurers -endures -enduring -enduro -enduros -endways -endwise -enema -enemas -enemata -enemies -enemy -energid -energids -energies -energise -energize -energy -enervate -enface -enfaced -enfaces -enfacing -enfeeble -enfeoff -enfeoffs -enfetter -enfever -enfevers -enfilade -enflame -enflamed -enflames -enfold -enfolded -enfolder -enfolds -enforce -enforced -enforcer -enforces -enframe -enframed -enframes -eng -engage -engaged -engager -engagers -engages -engaging -engender -engild -engilded -engilds -engine -engined -engineer -enginery -engines -engining -enginous -engird -engirded -engirdle -engirds -engirt -english -englut -engluts -engorge -engorged -engorges -engraft -engrafts -engrail -engrails -engrain -engrains -engram -engramme -engrams -engrave -engraved -engraver -engraves -engross -engs -engulf -engulfed -engulfs -enhalo -enhaloed -enhaloes -enhalos -enhance -enhanced -enhancer -enhances -enigma -enigmas -enigmata -enisle -enisled -enisles -enisling -enjambed -enjoin -enjoined -enjoiner -enjoins -enjoy -enjoyed -enjoyer -enjoyers -enjoying -enjoys -enkindle -enlace -enlaced -enlaces -enlacing -enlarge -enlarged -enlarger -enlarges -enlist -enlisted -enlistee -enlister -enlists -enliven -enlivens -enmesh -enmeshed -enmeshes -enmities -enmity -ennead -enneadic -enneads -enneagon -ennoble -ennobled -ennobler -ennobles -ennui -ennuis -ennuye -ennuyee -enoki -enokis -enol -enolase -enolases -enolic -enology -enols -enophile -enorm -enormity -enormous -enosis -enosises -enough -enoughs -enounce -enounced -enounces -enow -enows -enplane -enplaned -enplanes -enquire -enquired -enquires -enquiry -enrage -enraged -enrages -enraging -enrapt -enravish -enrich -enriched -enricher -enriches -enrobe -enrobed -enrober -enrobers -enrobes -enrobing -enrol -enroll -enrolled -enrollee -enroller -enrolls -enrols -enroot -enrooted -enroots -ens -ensample -ensconce -enscroll -ensemble -enserf -enserfed -enserfs -ensheath -enshrine -enshroud -ensiform -ensign -ensigncy -ensigns -ensilage -ensile -ensiled -ensiles -ensiling -enskied -enskies -ensky -enskyed -enskying -enslave -enslaved -enslaver -enslaves -ensnare -ensnared -ensnarer -ensnares -ensnarl -ensnarls -ensorcel -ensoul -ensouled -ensouls -ensphere -ensue -ensued -ensues -ensuing -ensure -ensured -ensurer -ensurers -ensures -ensuring -enswathe -entail -entailed -entailer -entails -entameba -entangle -entases -entasia -entasias -entasis -entastic -entellus -entente -ententes -enter -entera -enteral -entered -enterer -enterers -enteric -enterics -entering -enteron -enterons -enters -enthalpy -enthetic -enthral -enthrall -enthrals -enthrone -enthuse -enthused -enthuses -entia -entice -enticed -enticer -enticers -entices -enticing -entire -entirely -entires -entirety -entities -entitle -entitled -entitles -entity -entoderm -entoil -entoiled -entoils -entomb -entombed -entombs -entopic -entozoa -entozoal -entozoan -entozoic -entozoon -entrails -entrain -entrains -entrance -entrant -entrants -entrap -entraps -entreat -entreats -entreaty -entree -entrees -entrench -entrepot -entresol -entries -entropic -entropy -entrust -entrusts -entry -entryway -entwine -entwined -entwines -entwist -entwists -enuf -enuf -enure -enured -enures -enureses -enuresis -enuresises -enuretic -enuring -envelop -envelope -envelops -envenom -envenoms -enviable -enviably -envied -envier -enviers -envies -envious -enviro -environ -environs -enviros -envisage -envision -envoi -envois -envoy -envoys -envy -envying -enwheel -enwheels -enwind -enwinds -enwomb -enwombed -enwombs -enwound -enwrap -enwraps -enzootic -enzym -enzyme -enzymes -enzymic -enzyms -eobiont -eobionts -eocene -eocene -eohippus -eolian -eolipile -eolith -eolithic -eoliths -eolopile -eon -eonian -eonism -eonisms -eons -eosin -eosine -eosines -eosinic -eosins -epact -epacts -eparch -eparchs -eparchy -epaulet -epaulets -epazote -epazotes -epee -epeeist -epeeists -epees -epeiric -ependyma -epergne -epergnes -epha -ephah -ephahs -ephas -ephebe -ephebes -ephebi -ephebic -epheboi -ephebos -ephebus -ephedra -ephedras -ephedrin -ephemera -ephod -ephods -ephor -ephoral -ephorate -ephori -ephors -epiblast -epibolic -epiboly -epic -epical -epically -epicalyx -epicarp -epicarps -epicedia -epicene -epicenes -epiclike -epicotyl -epics -epicure -epicures -epicycle -epidemic -epiderm -epiderms -epidote -epidotes -epidotic -epidural -epifauna -epifocal -epigeal -epigean -epigeic -epigene -epigenic -epigeous -epigon -epigone -epigones -epigoni -epigonic -epigons -epigonus -epigram -epigrams -epigraph -epigyny -epilate -epilated -epilates -epilator -epilepsy -epilog -epilogs -epilogue -epimer -epimere -epimeres -epimeric -epimers -epimysia -epinaoi -epinaos -epinasty -epiphany -epiphyte -episcia -episcias -episcope -episode -episodes -episodic -episomal -episome -episomes -epistasy -epistle -epistler -epistles -epistome -epistyle -epitaph -epitaphs -epitases -epitasis -epitaxic -epitaxy -epithet -epithets -epitome -epitomes -epitomic -epitope -epitopes -epizoa -epizoic -epizoism -epizoite -epizoon -epizooty -epoch -epochal -epochs -epode -epodes -eponym -eponymic -eponyms -eponymy -epopee -epopees -epopoeia -epos -eposes -epoxide -epoxides -epoxied -epoxies -epoxy -epoxyed -epoxying -epsilon -epsilons -equable -equably -equal -equaled -equaling -equalise -equality -equalize -equalled -equally -equals -equate -equated -equates -equating -equation -equator -equators -equerry -equid -equids -equine -equinely -equines -equinity -equinox -equip -equipage -equipped -equipper -equips -equiseta -equitant -equites -equities -equity -equivoke -er -era -eradiate -eras -erasable -erase -erased -eraser -erasers -erases -erasing -erasion -erasions -erasure -erasures -erbium -erbiums -ere -erect -erected -erecter -erecters -erectile -erecting -erection -erective -erectly -erector -erectors -erects -erelong -eremite -eremites -eremitic -eremuri -eremurus -erenow -erepsin -erepsins -erethic -erethism -erewhile -erg -ergastic -ergate -ergates -ergative -ergo -ergodic -ergot -ergotic -ergotism -ergots -ergs -erica -ericas -ericoid -erigeron -eringo -eringoes -eringos -eristic -eristics -erlking -erlkings -ermine -ermined -ermines -ern -erne -ernes -erns -erodable -erode -eroded -erodent -erodes -erodible -eroding -erogenic -eros -erose -erosely -eroses -erosible -erosion -erosions -erosive -erotic -erotica -erotical -erotics -erotism -erotisms -erotize -erotized -erotizes -err -errable -errancy -errand -errands -errant -errantly -errantry -errants -errata -erratas -erratic -erratics -erratum -erred -errhine -errhines -erring -erringly -error -errors -errs -ers -ersatz -ersatzes -erses -erst -eruct -eructate -eructed -eructing -eructs -erudite -erugo -erugos -erumpent -erupt -erupted -erupting -eruption -eruptive -erupts -ervil -ervils -eryngo -eryngoes -eryngos -erythema -erythron -es -escalade -escalate -escallop -escalop -escalope -escalops -escapade -escape -escaped -escapee -escapees -escaper -escapers -escapes -escaping -escapism -escapist -escar -escargot -escarole -escarp -escarped -escarps -escars -eschalot -eschar -eschars -escheat -escheats -eschew -eschewal -eschewed -eschewer -eschews -escolar -escolars -escort -escorted -escorts -escot -escoted -escoting -escots -escrow -escrowed -escrows -escuage -escuages -escudo -escudos -esculent -eserine -eserines -eses -eskar -eskars -esker -eskers -esne -esnes -esophagi -esoteric -espalier -espanol -esparto -espartos -especial -espial -espials -espied -espiegle -espies -espousal -espouse -espoused -espouser -espouses -espresso -esprit -esprits -espy -espying -esquire -esquired -esquires -ess -essay -essayed -essayer -essayers -essaying -essayist -essays -essence -essences -esses -essoin -essoins -essonite -estancia -estate -estated -estates -estating -esteem -esteemed -esteems -ester -esterase -esterify -esters -estheses -esthesia -esthesis -esthete -esthetes -esthetic -estimate -estival -estivate -estop -estopped -estoppel -estops -estovers -estragon -estral -estrange -estray -estrayed -estrays -estreat -estreats -estrin -estrins -estriol -estriols -estrogen -estrone -estrones -estrous -estrual -estrum -estrums -estrus -estruses -estuary -esurient -et -eta -etagere -etageres -etalon -etalons -etamin -etamine -etamines -etamins -etape -etapes -etas -etatism -etatisms -etatist -etcetera -etch -etchant -etchants -etched -etcher -etchers -etches -etching -etchings -eternal -eternals -eterne -eternise -eternity -eternize -etesian -etesians -eth -ethane -ethanes -ethanol -ethanols -ethene -ethenes -ethephon -ether -ethereal -etheric -etherify -etherish -etherize -ethers -ethic -ethical -ethicals -ethician -ethicist -ethicize -ethics -ethinyl -ethinyls -ethion -ethions -ethmoid -ethmoids -ethnarch -ethnic -ethnical -ethnics -ethnonym -ethnos -ethnoses -ethogram -ethology -ethos -ethoses -ethoxies -ethoxy -ethoxyl -ethoxyls -eths -ethyl -ethylate -ethylene -ethylic -ethyls -ethyne -ethynes -ethynyl -ethynyls -etic -etiolate -etiology -etna -etnas -etoile -etoiles -etouffee -etouffees -etude -etudes -etui -etuis -etwee -etwees -etyma -etymon -etymons -eucaine -eucaines -eucalypt -eucharis -euchre -euchred -euchres -euchring -euclase -euclases -eucrite -eucrites -eucritic -eudaemon -eudaimon -eudemon -eudemons -eugenia -eugenias -eugenic -eugenics -eugenist -eugenol -eugenols -euglena -euglenas -euglenid -eulachan -eulachon -eulogia -eulogiae -eulogias -eulogies -eulogise -eulogist -eulogium -eulogize -eulogy -eunuch -eunuchs -euonymus -eupatrid -eupepsia -eupepsy -eupeptic -euphenic -euphonic -euphony -euphoria -euphoric -euphotic -euphrasy -euphroe -euphroes -euphuism -euphuist -euploid -euploids -euploidy -eupnea -eupneas -eupneic -eupnoea -eupnoeas -eupnoeic -eureka -euripi -euripus -euro -eurokies -eurokous -euroky -europium -euros -eurybath -euryoky -eurythmy -eusocial -eustacy -eustasy -eustatic -eustele -eusteles -eutaxies -eutaxy -eutectic -eutrophy -euxenite -evacuant -evacuate -evacuee -evacuees -evadable -evade -evaded -evader -evaders -evades -evadible -evading -evaluate -evanesce -evangel -evangels -evanish -evasion -evasions -evasive -eve -evection -even -evened -evener -eveners -evenest -evenfall -evening -evenings -evenly -evenness -evens -evensong -event -eventful -eventide -events -eventual -ever -evermore -eversion -evert -everted -everting -evertor -evertors -everts -every -everyday -everyman -everymen -everyone -everyway -eves -evict -evicted -evictee -evictees -evicting -eviction -evictor -evictors -evicts -evidence -evident -evil -evildoer -eviler -evilest -eviller -evillest -evilly -evilness -evils -evince -evinced -evinces -evincing -evincive -evitable -evite -evited -evites -eviting -evocable -evocator -evoke -evoked -evoker -evokers -evokes -evoking -evolute -evolutes -evolve -evolved -evolver -evolvers -evolves -evolving -evonymus -evulse -evulsed -evulses -evulsing -evulsion -evzone -evzones -ewe -ewer -ewers -ewes -ex -exabyte -exabytes -exact -exacta -exactas -exacted -exacter -exacters -exactest -exacting -exaction -exactly -exactor -exactors -exacts -exahertz -exahertzes -exalt -exalted -exalter -exalters -exalting -exalts -exam -examen -examens -examine -examined -examinee -examiner -examines -example -exampled -examples -exams -exanthem -exapted -exaptive -exarch -exarchal -exarchs -exarchy -excavate -exceed -exceeded -exceeder -exceeds -excel -excelled -excels -except -excepted -excepts -excerpt -excerpts -excess -excessed -excesses -exchange -excide -excided -excides -exciding -excimer -excimers -exciple -exciples -excise -excised -excises -excising -excision -excitant -excite -excited -exciter -exciters -excites -exciting -exciton -excitons -excitor -excitors -exclaim -exclaims -exclave -exclaves -exclude -excluded -excluder -excludes -excreta -excretal -excrete -excreted -excreter -excretes -excursus -excuse -excused -excuser -excusers -excuses -excusing -exec -execrate -execs -execute -executed -executer -executes -executor -exed -exedra -exedrae -exegeses -exegesis -exegete -exegetes -exegetic -exempla -exemplar -exemplum -exempt -exempted -exempts -exequial -exequies -exequy -exercise -exergual -exergue -exergues -exert -exerted -exerting -exertion -exertive -exerts -exes -exeunt -exhalant -exhale -exhaled -exhalent -exhales -exhaling -exhaust -exhausts -exhedra -exhedrae -exhibit -exhibits -exhort -exhorted -exhorter -exhorts -exhume -exhumed -exhumer -exhumers -exhumes -exhuming -exigence -exigency -exigent -exigible -exiguity -exiguous -exilable -exile -exiled -exiler -exilers -exiles -exilian -exilic -exiling -eximious -exine -exines -exing -exist -existed -existent -existing -exists -exit -exited -exiting -exitless -exits -exocarp -exocarps -exocrine -exocytic -exoderm -exoderms -exodoi -exodos -exodus -exoduses -exoergic -exogamic -exogamy -exogen -exogens -exon -exonic -exons -exonumia -exonym -exonyms -exorable -exorcise -exorcism -exorcist -exorcize -exordia -exordial -exordium -exosmic -exosmose -exospore -exoteric -exotic -exotica -exotics -exotism -exotisms -exotoxic -exotoxin -expand -expanded -expander -expandor -expands -expanse -expanses -expat -expats -expect -expected -expecter -expects -expedite -expel -expelled -expellee -expeller -expels -expend -expended -expender -expends -expense -expensed -expenses -expert -experted -expertly -experts -expiable -expiate -expiated -expiates -expiator -expire -expired -expirer -expirers -expires -expiries -expiring -expiry -explain -explains -explant -explants -explicit -explode -exploded -exploder -explodes -exploit -exploits -explore -explored -explorer -explores -expo -exponent -export -exported -exporter -exports -expos -exposal -exposals -expose -exposed -exposer -exposers -exposes -exposing -exposit -exposits -exposure -expound -expounds -express -expresso -expulse -expulsed -expulses -expunge -expunged -expunger -expunges -exscind -exscinds -exsecant -exsect -exsected -exsects -exsert -exserted -exserts -extant -extend -extended -extender -extends -extensor -extent -extents -exterior -extern -external -externe -externes -externs -extinct -extincts -extol -extoll -extolled -extoller -extolls -extols -extort -extorted -extorter -extorts -extra -extract -extracts -extrados -extranet -extras -extrema -extreme -extremer -extremes -extremum -extrorse -extrude -extruded -extruder -extrudes -extubate -exudate -exudates -exude -exuded -exudes -exuding -exult -exultant -exulted -exulting -exults -exurb -exurban -exurbia -exurbias -exurbs -exuvia -exuviae -exuvial -exuviate -exuvium -eyas -eyases -eyass -eyasses -eye -eyeable -eyeball -eyeballs -eyebar -eyebars -eyebeam -eyebeams -eyeblack -eyeblink -eyebolt -eyebolts -eyebrow -eyebrows -eyecup -eyecups -eyed -eyedness -eyedrops -eyefold -eyefolds -eyeful -eyefuls -eyeglass -eyehole -eyeholes -eyehook -eyehooks -eyeing -eyelash -eyeless -eyelet -eyelets -eyelid -eyelids -eyelift -eyelifts -eyelike -eyeliner -eyen -eyepiece -eyepoint -eyer -eyers -eyes -eyeshade -eyeshine -eyeshot -eyeshots -eyesight -eyesome -eyesore -eyesores -eyespot -eyespots -eyestalk -eyestone -eyeteeth -eyetooth -eyewash -eyewater -eyewear -eyewink -eyewinks -eying -eyne -eyra -eyras -eyre -eyres -eyrie -eyries -eyrir -eyry -fa -fab -fabber -fabbest -fable -fabled -fabler -fablers -fables -fabliau -fabliaux -fabling -fabric -fabrics -fabs -fabular -fabulate -fabulist -fabulous -facade -facades -face -faceable -faced -facedown -faceless -facelift -facemask -facer -facers -faces -facet -facete -faceted -facetely -facetiae -faceting -facets -facetted -faceup -facia -faciae -facial -facially -facials -facias -faciend -faciends -facies -facile -facilely -facility -facing -facings -fact -factful -faction -factions -factious -factoid -factoids -factor -factored -factors -factory -factotum -facts -factual -facture -factures -facula -faculae -facular -faculty -fad -fadable -faddier -faddiest -faddish -faddism -faddisms -faddist -faddists -faddy -fade -fadeaway -faded -fadedly -fadein -fadeins -fadeless -fadeout -fadeouts -fader -faders -fades -fadge -fadged -fadges -fadging -fading -fadings -fadlike -fado -fados -fads -faecal -faeces -faena -faenas -faerie -faeries -faery -fag -fagged -fagging -faggot -faggoted -faggotry -faggots -faggoty -faggy -fagin -fagins -fagot -fagoted -fagoter -fagoters -fagoting -fagots -fags -fahlband -faience -faiences -fail -failed -failing -failings -faille -failles -fails -failure -failures -fain -faineant -fainer -fainest -faint -fainted -fainter -fainters -faintest -fainting -faintish -faintly -faints -fair -faired -fairer -fairest -fairgoer -fairies -fairing -fairings -fairish -fairlead -fairly -fairness -fairs -fairway -fairways -fairy -fairyism -faith -faithed -faithful -faithing -faiths -faitour -faitours -fajita -fajitas -fake -faked -fakeer -fakeers -faker -fakeries -fakers -fakery -fakes -fakey -faking -fakir -fakirs -falafel -falafels -falbala -falbalas -falcate -falcated -falces -falchion -falcon -falconer -falconet -falconry -falcons -falderal -falderol -fall -fallacy -fallal -fallals -fallaway -fallaways -fallback -fallen -faller -fallers -fallfish -fallible -fallibly -falling -falloff -falloffs -fallout -fallouts -fallow -fallowed -fallows -falls -false -falsely -falser -falsest -falsetto -falsie -falsies -falsify -falsity -faltboat -falter -faltered -falterer -falters -falx -fame -famed -fameless -fames -familial -familiar -families -familism -family -famine -famines -faming -famish -famished -famishes -famous -famously -famuli -famulus -fan -fanatic -fanatics -fancied -fancier -fanciers -fancies -fanciest -fancified -fancifies -fanciful -fancify -fancifying -fancily -fancy -fancying -fandango -fandom -fandoms -fane -fanega -fanegada -fanegas -fanes -fanfare -fanfares -fanfaron -fanfic -fanfics -fanfold -fanfolds -fang -fanga -fangas -fanged -fangless -fanglike -fangs -fanion -fanions -fanjet -fanjets -fanlight -fanlike -fanned -fanner -fanners -fannies -fanning -fanny -fano -fanon -fanons -fanos -fans -fantail -fantails -fantasia -fantasie -fantasm -fantasms -fantast -fantasts -fantasy -fantod -fantods -fantom -fantoms -fanum -fanums -fanwise -fanwort -fanworts -fanzine -fanzines -faqir -faqirs -faquir -faquirs -far -farad -faradaic -faraday -faradays -faradic -faradise -faradism -faradize -farads -faraway -farce -farced -farcer -farcers -farces -farceur -farceurs -farci -farcical -farcie -farcies -farcing -farcy -fard -farded -fardel -fardels -farding -fards -fare -farebox -fared -farer -farers -fares -farewell -farfal -farfalle -farfals -farfel -farfels -farina -farinas -faring -farinha -farinhas -farinose -farl -farle -farles -farls -farm -farmable -farmed -farmer -farmers -farmhand -farming -farmings -farmland -farms -farmwife -farmwives -farmwork -farmworks -farmyard -farnesol -farness -faro -farolito -faros -farouche -farrago -farrier -farriers -farriery -farrow -farrowed -farrows -farside -farsides -fart -farted -farther -farthest -farthing -farting -fartlek -fartleks -farts -fas -fasces -fascia -fasciae -fascial -fascias -fasciate -fascicle -fascine -fascines -fascism -fascisms -fascist -fascists -fascitis -fash -fashed -fashes -fashing -fashion -fashions -fashious -fast -fastback -fastball -fasted -fasten -fastened -fastener -fastens -faster -fastest -fasting -fastings -fastness -fasts -fastuous -fat -fatal -fatalism -fatalist -fatality -fatally -fatback -fatbacks -fatbird -fatbirds -fate -fated -fateful -fates -fathead -fatheads -father -fathered -fatherly -fathers -fathom -fathomed -fathomer -fathoms -fatidic -fatigue -fatigued -fatigues -fating -fatless -fatlike -fatling -fatlings -fatly -fatness -fats -fatso -fatsoes -fatsos -fatstock -fatted -fatten -fattened -fattener -fattens -fatter -fattest -fattier -fatties -fattiest -fattily -fatting -fattish -fatty -fatuity -fatuous -fatwa -fatwas -fatwood -fatwoods -faubourg -faucal -faucals -fauces -faucet -faucets -faucial -faugh -fauld -faulds -fault -faulted -faultier -faultily -faulting -faults -faulty -faun -fauna -faunae -faunal -faunally -faunas -faunlike -fauns -fauteuil -fauve -fauves -fauvism -fauvisms -fauvist -fauvists -faux -fava -favas -fave -favela -favelas -favella -favellas -faves -favism -favisms -favonian -favor -favored -favorer -favorers -favoring -favorite -favors -favour -favoured -favourer -favours -favus -favuses -fawn -fawned -fawner -fawners -fawnier -fawniest -fawning -fawnlike -fawns -fawny -fax -faxed -faxes -faxing -fay -fayalite -fayed -faying -fays -faze -fazed -fazenda -fazendas -fazes -fazing -fe -feal -fealties -fealty -fear -feared -fearer -fearers -fearful -fearing -fearless -fears -fearsome -feasance -fease -feased -feases -feasible -feasibly -feasing -feast -feasted -feaster -feasters -feastful -feasting -feasts -feat -feater -featest -feather -feathers -feathery -featlier -featly -feats -feature -featured -features -feaze -feazed -feazes -feazing -febrific -febrile -fecal -feces -fecial -fecials -feck -feckless -feckly -fecks -fecula -feculae -feculent -fecund -fed -fedayee -fedayeen -federacy -federal -federals -federate -fedex -fedexed -fedexes -fedexing -fedora -fedoras -feds -fee -feeb -feeble -feebler -feeblest -feeblish -feebly -feebs -feed -feedable -feedback -feedbag -feedbags -feedbox -feeder -feeders -feedhole -feeding -feedlot -feedlots -feeds -feedyard -feeing -feel -feeler -feelers -feeless -feeling -feelings -feels -fees -feet -feetless -feeze -feezed -feezes -feezing -feh -fehs -feign -feigned -feigner -feigners -feigning -feigns -feijoa -feijoas -feint -feinted -feinting -feints -feirie -feist -feistier -feistily -feists -feisty -felafel -felafels -feldsher -feldspar -felicity -felid -felids -feline -felinely -felines -felinity -fell -fella -fellable -fellah -fellahin -fellahs -fellas -fellate -fellated -fellates -fellatio -fellator -felled -feller -fellers -fellest -fellies -felling -fellness -felloe -felloes -fellow -fellowed -fellowly -fellows -fells -felly -felon -felonies -felonry -felons -felony -felsic -felsite -felsites -felsitic -felspar -felspars -felstone -felt -felted -felting -feltings -feltlike -felts -felucca -feluccas -felwort -felworts -fem -female -females -feme -femes -feminacy -feminie -feminine -feminise -feminism -feminist -feminity -feminize -femme -femmes -femora -femoral -fems -femur -femurs -fen -fenagle -fenagled -fenagles -fence -fenced -fencer -fencerow -fencers -fences -fencible -fencing -fencings -fend -fended -fender -fendered -fenders -fending -fends -fenestra -fenland -fenlands -fennec -fennecs -fennel -fennels -fennier -fenniest -fenny -fens -fentanyl -fenthion -fenuron -fenurons -feod -feodary -feods -feoff -feoffed -feoffee -feoffees -feoffer -feoffers -feoffing -feoffor -feoffors -feoffs -fer -feracity -feral -ferals -ferbam -ferbams -fere -feres -feretory -feria -feriae -ferial -ferias -ferine -ferities -ferity -ferlie -ferlies -ferly -fermata -fermatas -fermate -ferment -ferments -fermi -fermion -fermions -fermis -fermium -fermiums -fern -fernery -fernier -ferniest -ferninst -fernless -fernlike -ferns -ferny -ferocity -ferrate -ferrates -ferrel -ferreled -ferrels -ferreous -ferret -ferreted -ferreter -ferrets -ferrety -ferriage -ferric -ferried -ferries -ferrite -ferrites -ferritic -ferritin -ferrous -ferrule -ferruled -ferrules -ferrum -ferrums -ferry -ferrying -ferryman -ferrymen -fertile -ferula -ferulae -ferulas -ferule -feruled -ferules -feruling -fervency -fervent -fervid -fervidly -fervor -fervors -fervour -fervours -fes -fescue -fescues -fess -fesse -fessed -fesses -fessing -fesswise -fest -festal -festally -fester -festered -festers -festival -festive -festoon -festoons -fests -fet -feta -fetal -fetas -fetation -fetch -fetched -fetcher -fetchers -fetches -fetching -fete -feted -feterita -fetes -fetial -fetiales -fetialis -fetials -fetich -fetiches -feticide -fetid -fetidity -fetidly -feting -fetish -fetishes -fetlock -fetlocks -fetology -fetor -fetors -fets -fetted -fetter -fettered -fetterer -fetters -fetting -fettle -fettled -fettles -fettling -fetus -fetuses -feu -feuar -feuars -feud -feudal -feudally -feudary -feuded -feuding -feudist -feudists -feuds -feued -feuing -feus -fever -fevered -feverfew -fevering -feverish -feverous -fevers -few -fewer -fewest -fewness -fewtrils -fey -feyer -feyest -feyly -feyness -fez -fezes -fezzed -fezzes -fezzy -fiacre -fiacres -fiance -fiancee -fiancees -fiances -fiar -fiars -fiaschi -fiasco -fiascoes -fiascos -fiat -fiats -fib -fibbed -fibber -fibbers -fibbing -fiber -fibered -fiberize -fibers -fibranne -fibre -fibres -fibril -fibrilla -fibrils -fibrin -fibrins -fibroid -fibroids -fibroin -fibroins -fibroma -fibromas -fibroses -fibrosis -fibrotic -fibrous -fibs -fibster -fibsters -fibula -fibulae -fibular -fibulas -fice -fices -fiche -fiches -fichu -fichus -ficin -ficins -fickle -fickler -ficklest -fickly -fico -ficoes -fictile -fiction -fictions -fictive -ficus -ficuses -fid -fiddle -fiddled -fiddler -fiddlers -fiddles -fiddling -fiddly -fideism -fideisms -fideist -fideists -fidelity -fidge -fidged -fidges -fidget -fidgeted -fidgeter -fidgets -fidgety -fidging -fido -fidos -fids -fiducial -fie -fief -fiefdom -fiefdoms -fiefs -field -fielded -fielder -fielders -fielding -fields -fiend -fiendish -fiends -fierce -fiercely -fiercer -fiercest -fierier -fieriest -fierily -fiery -fiesta -fiestas -fife -fifed -fifer -fifers -fifes -fifing -fifteen -fifteens -fifth -fifthly -fifths -fifties -fiftieth -fifty -fiftyish -fig -figeater -figged -figging -fight -fighter -fighters -fighting -fights -figment -figments -figs -figuline -figural -figurant -figurate -figure -figured -figurer -figurers -figures -figurine -figuring -figwort -figworts -fil -fila -filagree -filament -filar -filaree -filarees -filaria -filariae -filarial -filarian -filariid -filature -filbert -filberts -filch -filched -filcher -filchers -filches -filching -file -fileable -filed -filefish -filemot -filename -filer -filers -files -filet -fileted -fileting -filets -filial -filially -filiate -filiated -filiates -filibeg -filibegs -filicide -filiform -filigree -filing -filings -filister -fill -fillable -fille -filled -filler -fillers -filles -fillet -filleted -fillets -fillies -filling -fillings -fillip -filliped -fillips -fillo -fillos -fills -filly -film -filmable -filmcard -filmdom -filmdoms -filmed -filmer -filmers -filmgoer -filmi -filmic -filmier -filmiest -filmily -filming -filmis -filmland -filmless -filmlike -films -filmset -filmsets -filmy -filo -filos -filose -fils -filter -filtered -filterer -filters -filth -filthier -filthily -filths -filthy -filtrate -filum -fimble -fimbles -fimbria -fimbriae -fimbrial -fin -finable -finagle -finagled -finagler -finagles -final -finale -finales -finalis -finalism -finalist -finality -finalize -finally -finals -finance -financed -finances -finback -finbacks -finca -fincas -finch -finches -find -findable -finder -finders -finding -findings -finds -fine -fineable -fined -finely -fineness -finer -fineries -finery -fines -finespun -finesse -finessed -finesses -finest -finfish -finfoot -finfoots -finger -fingered -fingerer -fingers -finial -finialed -finials -finical -finickin -finicky -finikin -finiking -fining -finings -finis -finises -finish -finished -finisher -finishes -finite -finitely -finites -finito -finitude -fink -finked -finking -finks -finless -finlike -finmark -finmarks -finned -finnicky -finnier -finniest -finning -finnmark -finny -fino -finochio -finos -fins -fiord -fiords -fipple -fipples -fique -fiques -fir -fire -fireable -firearm -firearms -fireback -firebacks -fireball -firebase -firebird -fireboat -firebomb -firebox -firebrat -firebug -firebugs -fireclay -fired -firedamp -firedog -firedogs -firefang -firefly -firehall -fireless -firelit -firelock -fireman -firemen -firepan -firepans -firepink -fireplug -firepot -firepots -firer -fireroom -firers -fires -fireship -fireside -firetrap -firewall -fireweed -firewood -firework -fireworm -firing -firings -firkin -firkins -firm -firman -firmans -firmed -firmer -firmers -firmest -firming -firmly -firmness -firms -firmware -firn -firns -firrier -firriest -firry -firs -first -firstly -firsts -firth -firths -fisc -fiscal -fiscally -fiscals -fiscs -fish -fishable -fishbolt -fishbone -fishbowl -fished -fisher -fishers -fishery -fishes -fisheye -fisheyes -fishgig -fishgigs -fishhook -fishier -fishiest -fishily -fishing -fishings -fishkill -fishless -fishlike -fishline -fishmeal -fishnet -fishnets -fishpole -fishpond -fishtail -fishway -fishways -fishwife -fishworm -fishy -fissate -fissile -fission -fissions -fissiped -fissural -fissure -fissured -fissures -fist -fisted -fistful -fistfuls -fistic -fisting -fistnote -fists -fistula -fistulae -fistular -fistulas -fit -fitch -fitchee -fitches -fitchet -fitchets -fitchew -fitchews -fitchy -fitful -fitfully -fitly -fitment -fitments -fitness -fits -fittable -fitted -fitter -fitters -fittest -fitting -fittings -five -fivefold -fivepins -fiver -fivers -fives -fix -fixable -fixate -fixated -fixates -fixatif -fixatifs -fixating -fixation -fixative -fixed -fixedly -fixer -fixers -fixes -fixing -fixings -fixit -fixities -fixity -fixt -fixture -fixtures -fixure -fixures -fiz -fizgig -fizgigs -fizz -fizzed -fizzer -fizzers -fizzes -fizzier -fizziest -fizzing -fizzle -fizzled -fizzles -fizzling -fizzy -fjeld -fjelds -fjord -fjordic -fjords -flab -flabbier -flabbily -flabby -flabella -flabs -flaccid -flack -flacked -flackery -flacking -flacks -flacon -flacons -flag -flagella -flagged -flagger -flaggers -flaggier -flagging -flaggy -flagless -flagman -flagmen -flagon -flagons -flagpole -flagrant -flags -flagship -flail -flailed -flailing -flails -flair -flairs -flak -flake -flaked -flaker -flakers -flakes -flakey -flakier -flakiest -flakily -flaking -flaky -flam -flambe -flambeau -flambee -flambeed -flambes -flame -flamed -flamen -flamenco -flamens -flameout -flamer -flamers -flames -flamier -flamiest -flamines -flaming -flamingo -flammed -flamming -flams -flamy -flan -flancard -flanerie -flanes -flaneur -flaneurs -flange -flanged -flanger -flangers -flanges -flanging -flank -flanked -flanken -flanker -flankers -flanking -flanks -flannel -flannels -flans -flap -flaperon -flapjack -flapless -flapped -flapper -flappers -flappier -flapping -flappy -flaps -flare -flared -flares -flareup -flareups -flaring -flash -flashed -flasher -flashers -flashes -flashgun -flashier -flashily -flashing -flashy -flask -flasket -flaskets -flasks -flat -flatbed -flatbeds -flatboat -flatcap -flatcaps -flatcar -flatcars -flatfeet -flatfish -flatfoot -flathead -flatiron -flatland -flatlet -flatlets -flatline -flatling -flatlong -flatly -flatmate -flatmates -flatness -flats -flatted -flatten -flattens -flatter -flatters -flattery -flattest -flatting -flattish -flattop -flattops -flatus -flatuses -flatware -flatwash -flatways -flatwise -flatwork -flatworm -flaunt -flaunted -flaunter -flaunts -flaunty -flauta -flautas -flautist -flavanol -flavin -flavine -flavines -flavins -flavone -flavones -flavonol -flavor -flavored -flavorer -flavors -flavory -flavour -flavours -flavoury -flaw -flawed -flawier -flawiest -flawing -flawless -flaws -flawy -flax -flaxen -flaxes -flaxier -flaxiest -flaxseed -flaxy -flay -flayed -flayer -flayers -flaying -flays -flea -fleabag -fleabags -fleabane -fleabite -fleam -fleams -fleapit -fleapits -fleas -fleawort -fleche -fleches -fleck -flecked -flecking -flecks -flecky -flection -fled -fledge -fledged -fledges -fledgier -fledging -fledgy -flee -fleece -fleeced -fleecer -fleecers -fleeces -fleech -fleeched -fleeches -fleecier -fleecily -fleecing -fleecy -fleeing -fleer -fleered -fleering -fleers -flees -fleet -fleeted -fleeter -fleetest -fleeting -fleetly -fleets -flehmen -flehmens -fleishig -flemish -flench -flenched -flenches -flense -flensed -flenser -flensers -flenses -flensing -flesh -fleshed -flesher -fleshers -fleshes -fleshier -fleshily -fleshing -fleshly -fleshpot -fleshy -fletch -fletched -fletcher -fletches -fleuron -fleurons -fleury -flew -flews -flex -flexagon -flexed -flexes -flexible -flexibly -flexile -flexing -flexion -flexions -flexor -flexors -flextime -flexuose -flexuous -flexural -flexure -flexures -fley -fleyed -fleying -fleys -flic -flichter -flick -flicked -flicker -flickers -flickery -flicking -flicks -flics -flied -flier -fliers -flies -fliest -flight -flighted -flights -flighty -flimflam -flimsier -flimsies -flimsily -flimsy -flinch -flinched -flincher -flinches -flinder -flinders -fling -flinger -flingers -flinging -flings -flinkite -flint -flinted -flintier -flintily -flinting -flints -flinty -flip -flipbook -flipflop -flippant -flipped -flipper -flippers -flippest -flipping -flippy -flips -flir -flirs -flirt -flirted -flirter -flirters -flirtier -flirting -flirts -flirty -flit -flitch -flitched -flitches -flite -flited -flites -fliting -flits -flitted -flitter -flitters -flitting -flivver -flivvers -float -floatage -floated -floatel -floatels -floater -floaters -floatier -floating -floats -floaty -floc -flocced -flocci -floccing -floccose -floccule -flocculi -floccus -flock -flocked -flockier -flocking -flocks -flocky -flocs -floe -floes -flog -flogged -flogger -floggers -flogging -flogs -flokati -flokatis -flong -flongs -flood -flooded -flooder -flooders -flooding -floodlit -floods -floodway -flooey -flooie -floor -floorage -floored -floorer -floorers -flooring -floors -floosie -floosies -floosy -floozie -floozies -floozy -flop -flopover -flopped -flopper -floppers -floppier -floppies -floppily -flopping -floppy -flops -flora -florae -floral -florally -florals -floras -florence -floret -florets -florid -floridly -florigen -florin -florins -florist -florists -floruit -floruits -floss -flossed -flosser -flossers -flosses -flossie -flossier -flossies -flossily -flossing -flossy -flota -flotage -flotages -flotas -flotilla -flotsam -flotsams -flounce -flounced -flounces -flouncy -flounder -flour -floured -flouring -flourish -flours -floury -flout -flouted -flouter -flouters -flouting -flouts -flow -flowage -flowages -flowed -flower -flowered -flowerer -floweret -flowers -flowery -flowing -flown -flows -flu -flub -flubbed -flubber -flubbers -flubbing -flubdub -flubdubs -flubs -flue -flued -fluency -fluent -fluently -flueric -fluerics -flues -fluff -fluffed -fluffer -fluffers -fluffier -fluffily -fluffing -fluffs -fluffy -fluid -fluidal -fluidic -fluidics -fluidise -fluidity -fluidize -fluidly -fluidram -fluids -fluish -fluke -fluked -flukes -flukey -flukier -flukiest -flukily -fluking -fluky -flume -flumed -flumes -fluming -flummery -flummox -flump -flumped -flumping -flumps -flung -flunk -flunked -flunker -flunkers -flunkey -flunkeys -flunkie -flunkies -flunking -flunks -flunky -fluor -fluorene -fluoric -fluorid -fluoride -fluorids -fluorin -fluorine -fluorins -fluorite -fluors -flurried -flurries -flurry -flus -flush -flushed -flusher -flushers -flushes -flushest -flushing -fluster -flusters -flute -fluted -fluter -fluters -flutes -flutey -flutier -flutiest -fluting -flutings -flutist -flutists -flutter -flutters -fluttery -fluty -fluvial -flux -fluxed -fluxes -fluxgate -fluxgates -fluxing -fluxion -fluxions -fluyt -fluyts -fly -flyable -flyaway -flyaways -flybelt -flybelts -flyblew -flyblow -flyblown -flyblows -flyboat -flyboats -flyboy -flyboys -flyby -flybys -flyer -flyers -flying -flyings -flyleaf -flyless -flyman -flymen -flyoff -flyoffs -flyover -flyovers -flypaper -flypast -flypasts -flysch -flysches -flysheet -flyspeck -flyte -flyted -flytes -flytier -flytiers -flyting -flytings -flytrap -flytraps -flyway -flyways -flywheel -foal -foaled -foaling -foals -foam -foamable -foamed -foamer -foamers -foamier -foamiest -foamily -foaming -foamless -foamlike -foams -foamy -fob -fobbed -fobbing -fobs -focaccia -focaccias -focal -focalise -focalize -focally -foci -focus -focused -focuser -focusers -focuses -focusing -focussed -focusses -fodder -foddered -fodders -fodgel -foe -foehn -foehns -foeman -foemen -foes -foetal -foetid -foetor -foetors -foetus -foetuses -fog -fogbound -fogbow -fogbows -fogdog -fogdogs -fogey -fogeyish -fogeyism -fogeys -fogfruit -foggage -foggages -fogged -fogger -foggers -foggier -foggiest -foggily -fogging -foggy -foghorn -foghorns -fogie -fogies -fogless -fogs -fogy -fogyish -fogyism -fogyisms -foh -fohn -fohns -foible -foibles -foil -foilable -foiled -foiling -foils -foilsman -foilsmen -foin -foined -foining -foins -foison -foisons -foist -foisted -foisting -foists -folacin -folacins -folate -folates -fold -foldable -foldaway -foldboat -folded -folder -folderol -folders -folding -foldout -foldouts -folds -foldup -foldups -foley -foleys -folia -foliage -foliaged -foliages -foliar -foliate -foliated -foliates -folic -folio -folioed -folioing -folios -foliose -folious -folium -foliums -folk -folkie -folkier -folkies -folkiest -folkish -folklife -folklike -folklives -folklore -folkmoot -folkmot -folkmote -folkmots -folks -folksier -folksily -folksong -folksy -folktale -folkway -folkways -folky -folles -follicle -follies -follis -follow -followed -follower -follows -followup -folly -foment -fomented -fomenter -foments -fomite -fomites -fon -fond -fondant -fondants -fonded -fonder -fondest -fonding -fondle -fondled -fondler -fondlers -fondles -fondling -fondly -fondness -fonds -fondu -fondue -fondued -fondues -fonduing -fondus -fons -font -fontal -fontanel -fontina -fontinas -fonts -food -foodie -foodies -foodless -foods -foodways -foofaraw -fool -fooled -foolery -foolfish -fooling -foolish -fools -foolscap -foosball -foot -footage -footages -footbag -footbags -football -footbath -footboy -footboys -footed -footer -footers -footfall -footgear -foothill -foothold -footie -footier -footies -footiest -footing -footings -footle -footled -footler -footlers -footles -footless -footlike -footling -footman -footmark -footmen -footnote -footpace -footpad -footpads -footpath -footrace -footrest -footrope -foots -footsie -footsies -footslog -footsore -footstep -footsy -footwall -footway -footways -footwear -footwork -footworn -footy -foozle -foozled -foozler -foozlers -foozles -foozling -fop -fopped -foppery -fopping -foppish -fops -for -fora -forage -foraged -forager -foragers -forages -foraging -foram -foramen -foramens -foramina -forams -foray -forayed -forayer -forayers -foraying -forays -forb -forbad -forbade -forbare -forbear -forbears -forbid -forbidal -forbids -forbode -forboded -forbodes -forbore -forborne -forbs -forby -forbye -force -forced -forcedly -forceful -forceps -forcer -forcers -forces -forcible -forcibly -forcing -forcipes -ford -fordable -forded -fordid -fording -fordless -fordo -fordoes -fordoing -fordone -fords -fore -forearm -forearms -forebay -forebays -forebear -forebode -forebody -foreboom -foreby -forebye -forecast -foredate -foredeck -foredid -foredo -foredoes -foredone -foredoom -foreface -forefeel -forefeet -forefelt -forefend -forefoot -forego -foregoer -foregoes -foregone -foregut -foreguts -forehand -forehead -forehoof -foreign -foreknew -foreknow -forelady -foreland -foreleg -forelegs -forelimb -forelock -foreman -foremast -foremen -foremilk -foremost -forename -forenoon -forensic -forepart -forepast -forepaw -forepaws -forepeak -foreplay -foreran -forerank -forerun -foreruns -fores -foresaid -foresail -foresaw -foresee -foreseen -foreseer -foresees -foreshow -foreside -foreskin -forest -forestal -forestay -forested -forester -forestry -forests -foretell -foretime -foretold -foretop -foretops -forever -forevers -forewarn -forewent -forewing -foreword -foreworn -foreyard -forfeit -forfeits -forfend -forfends -forgat -forgave -forge -forged -forger -forgers -forgery -forges -forget -forgets -forging -forgings -forgive -forgiven -forgiver -forgives -forgo -forgoer -forgoers -forgoes -forgoing -forgone -forgot -forint -forints -forjudge -fork -forkball -forked -forkedly -forker -forkers -forkful -forkfuls -forkier -forkiest -forking -forkless -forklift -forklike -forks -forksful -forky -forlorn -form -formable -formably -formal -formalin -formally -formals -formant -formants -format -formate -formates -formats -forme -formed -formee -former -formerly -formers -formes -formful -formic -formica -formica -formicas -formicas -forming -formless -formol -formols -forms -formula -formulae -formulas -formwork -formworks -formyl -formyls -fornent -fornical -fornices -fornix -forrader -forrit -forsake -forsaken -forsaker -forsakes -forsook -forsooth -forspent -forswear -forswore -forsworn -fort -forte -fortes -forth -forties -fortieth -fortify -fortis -fortress -forts -fortuity -fortune -fortuned -fortunes -forty -fortyish -forum -forums -forward -forwards -forwent -forwhy -forworn -forzandi -forzandi -forzando -foss -fossa -fossae -fossas -fossate -fosse -fosses -fossette -fossick -fossicks -fossil -fossils -foster -fostered -fosterer -fosters -fou -fouette -fouettes -fought -foughten -foul -foulard -foulards -fouled -fouler -foulest -fouling -foulings -foully -foulness -fouls -found -founded -founder -founders -founding -foundry -founds -fount -fountain -founts -four -fourchee -foureyed -fourfold -fourgon -fourgons -fourplex -fours -foursome -fourteen -fourth -fourthly -fourths -fovea -foveae -foveal -foveas -foveate -foveated -foveola -foveolae -foveolar -foveolas -foveole -foveoles -foveolet -fowl -fowled -fowler -fowlers -fowling -fowlings -fowlpox -fowls -fox -foxed -foxes -foxfire -foxfires -foxfish -foxglove -foxhole -foxholes -foxhound -foxhunt -foxhunted -foxhunting -foxhunts -foxier -foxiest -foxily -foxiness -foxing -foxings -foxlike -foxskin -foxskins -foxtail -foxtails -foxtrot -foxtrots -foxy -foy -foyer -foyers -foys -fozier -foziest -foziness -fozy -frabjous -fracas -fracases -fractal -fractals -fracted -fracti -fraction -fractur -fracture -fracturs -fractus -frae -fraena -fraenum -fraenums -frag -fragged -fragging -fragile -fragment -fragrant -frags -frail -frailer -frailest -frailly -frails -frailty -fraise -fraises -fraktur -frakturs -framable -frame -framed -framer -framers -frames -framing -framings -franc -francium -francize -francs -frank -franked -franker -frankers -frankest -franking -franklin -frankly -franks -frantic -frap -frappe -frapped -frappes -frapping -fraps -frass -frasses -frat -frater -fraters -frats -fraud -frauds -fraught -fraughts -fraulein -fray -frayed -fraying -frayings -frays -frazil -frazils -frazzle -frazzled -frazzles -freak -freaked -freakier -freakily -freaking -freakish -freakout -freaks -freaky -freckle -freckled -freckles -freckly -free -freebase -freebee -freebees -freebie -freebies -freeboot -freeborn -freed -freedman -freedmen -freedom -freedoms -freeform -freehand -freehold -freeing -freeload -freely -freeman -freemen -freeness -freer -freers -frees -freesia -freesias -freest -freeware -freeway -freeways -freewill -freeze -freezer -freezers -freezes -freezing -freight -freights -fremd -fremitus -frena -french -frenched -frenches -frenetic -frenula -frenular -frenulum -frenum -frenums -frenzied -frenzies -frenzily -frenzy -frequent -frere -freres -fresco -frescoed -frescoer -frescoes -frescos -fresh -freshed -freshen -freshens -fresher -freshes -freshest -freshet -freshets -freshing -freshly -freshman -freshmen -fresnel -fresnels -fret -fretful -fretless -frets -fretsaw -fretsaws -fretsome -fretted -fretter -fretters -frettier -fretting -fretty -fretwork -friable -friar -friaries -friarly -friars -friary -fribble -fribbled -fribbler -fribbles -fricando -friction -fridge -fridges -fried -friend -friended -friendly -friends -frier -friers -fries -frieze -friezes -frig -frigate -frigates -friges -frigged -frigging -fright -frighted -frighten -frights -frigid -frigidly -frigs -frijol -frijole -frijoles -frill -frilled -friller -frillers -frillier -frilling -frills -frilly -fringe -fringed -fringes -fringier -fringing -fringy -frippery -frisbee -frisbee -frisbees -frisbees -frise -frisee -frisees -frises -frisette -friseur -friseurs -frisk -frisked -frisker -friskers -frisket -friskets -friskier -friskily -frisking -frisks -frisky -frisson -frissons -frit -frites -frith -friths -frits -fritt -frittata -fritted -fritter -fritters -fritting -fritts -fritz -fritzes -frivol -frivoled -frivoler -frivols -friz -frized -frizer -frizers -frizes -frizette -frizing -frizz -frizzed -frizzer -frizzers -frizzes -frizzier -frizzies -frizzily -frizzing -frizzle -frizzled -frizzler -frizzles -frizzly -frizzy -fro -frock -frocked -frocking -frocks -froe -froes -frog -frogeye -frogeyed -frogeyes -frogfish -frogged -froggier -frogging -froggy -froglet -froglets -froglike -frogman -frogmen -frogs -frolic -frolicky -frolics -from -fromage -fromages -fromenty -frond -fronded -frondeur -frondose -fronds -frons -front -frontage -frontal -frontals -fronted -fronter -frontes -frontier -fronting -frontlet -frontman -frontmen -fronton -frontons -fronts -frore -frosh -frost -frostbit -frosted -frosteds -frostier -frostily -frosting -frostnip -frosts -frosty -froth -frothed -frother -frothers -frothier -frothily -frothing -froths -frothy -frottage -frotteur -froufrou -frounce -frounced -frounces -frouzier -frouzy -frow -froward -frown -frowned -frowner -frowners -frowning -frowns -frows -frowsier -frowst -frowsted -frowsts -frowsty -frowsy -frowzier -frowzily -frowzy -froze -frozen -frozenly -fructify -fructose -frug -frugal -frugally -frugged -frugging -frugs -fruit -fruitage -fruited -fruiter -fruiters -fruitful -fruitier -fruitily -fruiting -fruition -fruitlet -fruits -fruity -frumenty -frump -frumpier -frumpily -frumpish -frumps -frumpy -frusta -frustule -frustum -frustums -fry -fryable -frybread -fryer -fryers -frying -frypan -frypans -fub -fubbed -fubbing -fubs -fubsier -fubsiest -fubsy -fuchsia -fuchsias -fuchsin -fuchsine -fuchsins -fuci -fuck -fucked -fucker -fuckers -fucking -fucks -fuckup -fuckups -fucoid -fucoidal -fucoids -fucose -fucoses -fucous -fucus -fucuses -fud -fuddies -fuddle -fuddled -fuddles -fuddling -fuddy -fudge -fudged -fudges -fudging -fuds -fuehrer -fuehrers -fuel -fueled -fueler -fuelers -fueling -fuelled -fueller -fuellers -fuelling -fuels -fuelwood -fug -fugacity -fugal -fugally -fugato -fugatos -fugged -fuggier -fuggiest -fuggily -fugging -fuggy -fugio -fugios -fugitive -fugle -fugled -fugleman -fuglemen -fugles -fugling -fugs -fugu -fugue -fugued -fugues -fuguing -fuguist -fuguists -fugus -fuhrer -fuhrers -fuji -fujis -fulcra -fulcrum -fulcrums -fulfil -fulfill -fulfills -fulfils -fulgent -fulgid -fulham -fulhams -full -fullam -fullams -fullback -fulled -fuller -fullered -fullers -fullery -fullest -fullface -fulling -fullness -fulls -fully -fulmar -fulmars -fulmine -fulmined -fulmines -fulminic -fulness -fulsome -fulvous -fumarase -fumarate -fumaric -fumarole -fumatory -fumble -fumbled -fumbler -fumblers -fumbles -fumbling -fume -fumed -fumeless -fumelike -fumer -fumers -fumes -fumet -fumets -fumette -fumettes -fumier -fumiest -fumigant -fumigate -fuming -fumingly -fumitory -fumuli -fumulus -fumy -fun -function -functor -functors -fund -funded -funder -funders -fundi -fundic -funding -funds -fundus -funeral -funerals -funerary -funereal -funest -funfair -funfairs -funfest -funfests -fungal -fungals -fungi -fungible -fungic -fungo -fungoes -fungoid -fungoids -fungous -fungus -funguses -funhouse -funicle -funicles -funiculi -funk -funked -funker -funkers -funkia -funkias -funkier -funkiest -funkily -funking -funks -funky -funned -funnel -funneled -funnels -funner -funnest -funnier -funnies -funniest -funnily -funning -funny -funnyman -funnymen -funplex -funs -fur -furan -furane -furanes -furanose -furans -furbelow -furbish -furcate -furcated -furcates -furcraea -furcula -furculae -furcular -furculum -furfur -furfural -furfuran -furfures -furibund -furies -furioso -furious -furl -furlable -furled -furler -furlers -furless -furling -furlong -furlongs -furlough -furls -furmenty -furmety -furmity -furnace -furnaced -furnaces -furnish -furor -furore -furores -furors -furred -furrier -furriers -furriery -furriest -furrily -furriner -furring -furrings -furrow -furrowed -furrower -furrows -furrowy -furry -furs -further -furthers -furthest -furtive -furuncle -fury -furze -furzes -furzier -furziest -furzy -fusain -fusains -fusaria -fusarium -fuscous -fuse -fused -fusee -fusees -fusel -fuselage -fuseless -fuselike -fusels -fuses -fusible -fusibly -fusiform -fusil -fusile -fusileer -fusilier -fusilli -fusillis -fusils -fusing -fusion -fusional -fusions -fuss -fussed -fusser -fussers -fusses -fussier -fussiest -fussily -fussing -fusspot -fusspots -fussy -fustian -fustians -fustic -fustics -fustier -fustiest -fustily -fusty -fusuma -futharc -futharcs -futhark -futharks -futhorc -futhorcs -futhork -futhorks -futile -futilely -futility -futon -futons -futtock -futtocks -futural -future -futures -futurism -futurist -futurity -futz -futzed -futzes -futzing -fuze -fuzed -fuzee -fuzees -fuzes -fuzil -fuzils -fuzing -fuzz -fuzzed -fuzzes -fuzzier -fuzziest -fuzzily -fuzzing -fuzztone -fuzzy -fyce -fyces -fyke -fykes -fylfot -fylfots -fynbos -fytte -fyttes -gab -gabbard -gabbards -gabbart -gabbarts -gabbed -gabber -gabbers -gabbier -gabbiest -gabbing -gabble -gabbled -gabbler -gabblers -gabbles -gabbling -gabbro -gabbroic -gabbroid -gabbros -gabby -gabelle -gabelled -gabelles -gabfest -gabfests -gabies -gabion -gabions -gable -gabled -gables -gabling -gaboon -gaboons -gabs -gaby -gad -gadabout -gadarene -gadded -gadder -gadders -gaddi -gadding -gaddis -gadflies -gadfly -gadget -gadgetry -gadgets -gadgety -gadi -gadid -gadids -gadis -gadoid -gadoids -gadroon -gadroons -gads -gadwall -gadwalls -gadzooks -gae -gaed -gaeing -gaen -gaes -gaff -gaffe -gaffed -gaffer -gaffers -gaffes -gaffing -gaffs -gag -gaga -gagaku -gagakus -gage -gaged -gager -gagers -gages -gagged -gagger -gaggers -gagging -gaggle -gaggled -gaggles -gaggling -gaging -gagman -gagmen -gags -gagster -gagsters -gahnite -gahnites -gaieties -gaiety -gaijin -gaily -gain -gainable -gained -gainer -gainers -gainful -gaining -gainless -gainlier -gainly -gains -gainsaid -gainsay -gainsays -gainst -gait -gaited -gaiter -gaiters -gaiting -gaits -gal -gala -galabia -galabias -galabieh -galabiya -galactic -galago -galagos -galah -galahs -galanga -galangal -galangas -galas -galatea -galateas -galavant -galax -galaxes -galaxies -galaxy -galbanum -gale -galea -galeae -galeas -galeate -galeated -galena -galenas -galenic -galenite -galere -galeres -gales -galette -galettes -galilee -galilees -galiot -galiots -galipot -galipots -galivant -gall -gallant -gallants -gallate -gallates -galleass -galled -gallein -galleins -galleon -galleons -galleria -gallery -gallet -galleta -galletas -galleted -gallets -galley -galleys -gallfly -galliard -galliass -gallic -gallica -gallican -gallicas -gallied -gallies -galling -galliot -galliots -gallipot -gallium -galliums -gallnut -gallnuts -gallon -gallons -galloon -galloons -galloot -galloots -gallop -galloped -galloper -gallops -gallous -gallows -galls -gallus -gallused -galluses -gally -gallying -galoot -galoots -galop -galopade -galoped -galoping -galops -galore -galores -galosh -galoshe -galoshed -galoshes -gals -galumph -galumphs -galvanic -galyac -galyacs -galyak -galyaks -gam -gama -gamas -gamashes -gamay -gamays -gamb -gamba -gambade -gambades -gambado -gambados -gambas -gambe -gambes -gambeson -gambia -gambias -gambier -gambiers -gambir -gambirs -gambit -gambits -gamble -gambled -gambler -gamblers -gambles -gambling -gamboge -gamboges -gambol -gamboled -gambols -gambrel -gambrels -gambs -gambusia -game -gamecock -gamed -gamelan -gamelans -gamelike -gamely -gameness -gamer -gamers -games -gamesman -gamesmen -gamesome -gamest -gamester -gametal -gamete -gametes -gametic -gamey -gamic -gamier -gamiest -gamily -gamin -gamine -gamines -gaminess -gaming -gamings -gamins -gamma -gammadia -gammas -gammed -gammer -gammers -gammier -gammiest -gamming -gammon -gammoned -gammoner -gammons -gammy -gamodeme -gamp -gamps -gams -gamut -gamuts -gamy -gan -ganache -ganaches -gander -gandered -ganders -gane -ganef -ganefs -ganev -ganevs -gang -gangbang -ganged -ganger -gangers -ganging -gangland -ganglia -ganglial -gangliar -ganglier -gangling -ganglion -gangly -gangplow -gangrel -gangrels -gangrene -gangs -gangsta -gangstas -gangster -gangue -gangues -gangway -gangways -ganister -ganja -ganjah -ganjahs -ganjas -gannet -gannets -ganof -ganofs -ganoid -ganoids -gantlet -gantlets -gantline -gantlope -gantries -gantry -ganymede -gaol -gaoled -gaoler -gaolers -gaoling -gaols -gap -gape -gaped -gaper -gapers -gapes -gapeseed -gapeworm -gaping -gapingly -gapless -gaposis -gapped -gappier -gappiest -gapping -gappy -gaps -gapy -gar -garage -garaged -garages -garaging -garb -garbage -garbages -garbagey -garbagy -garbanzo -garbed -garbing -garble -garbled -garbler -garblers -garbles -garbless -garbling -garboard -garboil -garboils -garbs -garcon -garcons -garda -gardai -gardant -garden -gardened -gardener -gardenia -gardens -gardyloo -garfish -garganey -garget -gargets -gargety -gargle -gargled -gargler -garglers -gargles -gargling -gargoyle -garigue -garigues -garish -garishly -garland -garlands -garlic -garlicky -garlics -garment -garments -garner -garnered -garners -garnet -garnets -garni -garnish -garote -garoted -garotes -garoting -garotte -garotted -garotter -garottes -garpike -garpikes -garred -garret -garreted -garrets -garring -garrison -garron -garrons -garrote -garroted -garroter -garrotes -garrotte -gars -garter -gartered -garters -garth -garths -garvey -garveys -gas -gasalier -gasbag -gasbags -gascon -gascons -gaseity -gaselier -gaseous -gases -gash -gashed -gasher -gashes -gashest -gashing -gashouse -gasified -gasifier -gasifies -gasiform -gasify -gasket -gaskets -gaskin -gasking -gaskings -gaskins -gasless -gaslight -gaslit -gasman -gasmen -gasogene -gasohol -gasohols -gasolene -gasolier -gasoline -gasp -gasped -gasper -gaspers -gasping -gasps -gassed -gasser -gassers -gasses -gassier -gassiest -gassily -gassing -gassings -gassy -gast -gasted -gaster -gasters -gastight -gasting -gastness -gastraea -gastral -gastrea -gastreas -gastric -gastrin -gastrins -gastrula -gasts -gasworks -gat -gate -gateau -gateaus -gateaux -gated -gatefold -gateless -gatelike -gateman -gatemen -gatepost -gater -gaters -gates -gateway -gateways -gather -gathered -gatherer -gathers -gating -gatings -gator -gators -gats -gauche -gauchely -gaucher -gauchest -gaucho -gauchos -gaud -gaudery -gaudier -gaudies -gaudiest -gaudily -gauds -gaudy -gauffer -gauffers -gauge -gauged -gauger -gaugers -gauges -gauging -gault -gaults -gaum -gaumed -gauming -gaums -gaun -gaunt -gaunter -gauntest -gauntlet -gauntly -gauntry -gaur -gaurs -gauss -gausses -gauze -gauzes -gauzier -gauziest -gauzily -gauzy -gavage -gavages -gave -gavel -gaveled -gaveling -gavelled -gavelock -gavels -gavial -gavials -gavot -gavots -gavotte -gavotted -gavottes -gawk -gawked -gawker -gawkers -gawkier -gawkies -gawkiest -gawkily -gawking -gawkish -gawks -gawky -gawp -gawped -gawper -gawpers -gawping -gawps -gawsie -gawsy -gay -gayal -gayals -gaydar -gaydars -gayer -gayest -gayeties -gayety -gayly -gayness -gays -gaywings -gazabo -gazaboes -gazabos -gazania -gazanias -gazar -gazars -gaze -gazebo -gazeboes -gazebos -gazed -gazelle -gazelles -gazer -gazers -gazes -gazette -gazetted -gazettes -gazing -gazogene -gazpacho -gazump -gazumped -gazumper -gazumps -gear -gearbox -gearcase -geared -gearhead -gearing -gearings -gearless -gears -geck -gecked -gecking -gecko -geckoes -geckos -gecks -ged -geds -gee -geed -geegaw -geegaws -geeing -geek -geekdom -geekdoms -geeked -geekier -geekiest -geeks -geeky -geepound -gees -geese -geest -geests -geez -geezer -geezers -geisha -geishas -gel -gelable -gelada -geladas -gelant -gelants -gelate -gelated -gelates -gelati -gelatin -gelatine -gelating -gelatins -gelation -gelatis -gelato -gelatos -gelcap -gelcaps -geld -gelded -gelder -gelders -gelding -geldings -gelds -gelee -gelees -gelid -gelidity -gelidly -gellant -gellants -gelled -gelling -gels -gelsemia -gelt -gelts -gem -gematria -geminal -geminate -gemlike -gemma -gemmae -gemmate -gemmated -gemmates -gemmed -gemmier -gemmiest -gemmily -gemming -gemmule -gemmules -gemmy -gemology -gemot -gemote -gemotes -gemots -gems -gemsbok -gemsboks -gemsbuck -gemstone -gen -gendarme -gender -gendered -genders -gene -genera -general -generals -generate -generic -generics -generous -genes -geneses -genesis -genet -genetic -genetics -genets -genette -genettes -geneva -genevas -genial -genially -genic -genie -genies -genii -genip -genipap -genipaps -genips -genital -genitals -genitive -genitor -genitors -geniture -genius -geniuses -gennaker -genoa -genoas -genocide -genogram -genoise -genoises -genom -genome -genomes -genomic -genomics -genoms -genotype -genre -genres -genro -genros -gens -genseng -gensengs -gent -genteel -gentes -gentian -gentians -gentil -gentile -gentiles -gentle -gentled -gentler -gentles -gentlest -gentling -gently -gentoo -gentoos -gentrice -gentries -gentrify -gentry -gents -genu -genua -genuine -genus -genuses -geode -geodes -geodesic -geodesy -geodetic -geodic -geoduck -geoducks -geognosy -geoid -geoidal -geoids -geologer -geologic -geology -geomancy -geometer -geometry -geophagy -geophone -geophyte -geoponic -geoprobe -georgic -georgics -geotaxes -geotaxis -gerah -gerahs -geranial -geraniol -geranium -gerardia -gerbera -gerberas -gerbil -gerbille -gerbils -gerent -gerents -gerenuk -gerenuks -germ -german -germane -germanic -germans -germen -germens -germfree -germier -germiest -germina -germinal -germlike -germs -germy -gerontic -gerund -gerunds -gesneria -gesso -gessoed -gessoes -gest -gestalt -gestalts -gestapo -gestapos -gestate -gestated -gestates -geste -gestes -gestic -gestical -gests -gestural -gesture -gestured -gesturer -gestures -get -geta -getable -getas -getaway -getaways -gets -gettable -getter -gettered -getters -getting -getup -getups -geum -geums -gewgaw -gewgawed -gewgaws -gey -geyser -geysers -gharial -gharials -gharri -gharries -gharris -gharry -ghast -ghastful -ghastly -ghat -ghats -ghaut -ghauts -ghazi -ghazies -ghazis -ghee -ghees -gherao -gheraoed -gheraoes -gherkin -gherkins -ghetto -ghettoed -ghettoes -ghettos -ghi -ghibli -ghiblis -ghillie -ghillies -ghis -ghost -ghosted -ghostier -ghosting -ghostly -ghosts -ghosty -ghoul -ghoulie -ghoulies -ghoulish -ghouls -ghyll -ghylls -giant -giantess -giantism -giants -giaour -giaours -giardia -giardias -gib -gibbed -gibber -gibbered -gibbers -gibbet -gibbeted -gibbets -gibbing -gibbon -gibbons -gibbose -gibbous -gibbsite -gibe -gibed -giber -gibers -gibes -gibing -gibingly -giblet -giblets -gibs -gibson -gibsons -gid -giddap -giddied -giddier -giddies -giddiest -giddily -giddy -giddyap -giddying -giddyup -gids -gie -gied -gieing -gien -gies -gift -giftable -gifted -giftedly -giftee -giftees -gifting -giftless -gifts -giftware -giftwrap -gig -giga -gigabit -gigabits -gigabyte -gigabytes -gigaflop -gigantic -gigas -gigaton -gigatons -gigawatt -gigged -gigging -giggle -giggled -giggler -gigglers -giggles -gigglier -giggling -giggly -gighe -giglet -giglets -giglot -giglots -gigolo -gigolos -gigot -gigots -gigs -gigue -gigues -gilbert -gilberts -gild -gilded -gilder -gilders -gildhall -gilding -gildings -gilds -gill -gilled -giller -gillers -gillie -gillied -gillies -gilling -gillnet -gillnets -gills -gilly -gillying -gilt -gilthead -gilts -gimbal -gimbaled -gimbals -gimcrack -gimel -gimels -gimlet -gimleted -gimlets -gimmal -gimmals -gimme -gimmes -gimmick -gimmicks -gimmicky -gimmie -gimmies -gimp -gimped -gimpier -gimpiest -gimping -gimps -gimpy -gin -gingal -gingall -gingalls -gingals -gingeley -gingeli -gingelis -gingelli -gingelly -gingely -ginger -gingered -gingerly -gingers -gingery -gingham -ginghams -gingili -gingilis -gingilli -gingiva -gingivae -gingival -gingko -gingkoes -gingkos -gink -ginkgo -ginkgoes -ginkgos -ginks -ginned -ginner -ginners -ginnier -ginniest -ginning -ginnings -ginny -gins -ginseng -ginsengs -gip -gipon -gipons -gipped -gipper -gippers -gipping -gips -gipsied -gipsies -gipsy -gipsying -giraffe -giraffes -girasol -girasole -girasols -gird -girded -girder -girders -girding -girdle -girdled -girdler -girdlers -girdles -girdling -girds -girl -girlhood -girlie -girlier -girlies -girliest -girlish -girls -girly -girn -girned -girning -girns -giro -girolle -girolles -giron -girons -giros -girosol -girosols -girsh -girshes -girt -girted -girth -girthed -girthing -girths -girting -girts -gisarme -gisarmes -gismo -gismos -gist -gists -git -gitano -gitanos -gite -gites -gits -gitted -gittern -gitterns -gittin -gitting -give -giveable -giveaway -giveback -given -givens -giver -givers -gives -giving -gizmo -gizmos -gizzard -gizzards -gjetost -gjetosts -glabella -glabrate -glabrous -glace -glaceed -glaceing -glaces -glacial -glaciate -glacier -glaciers -glacis -glacises -glad -gladded -gladden -gladdens -gladder -gladdest -gladding -glade -glades -gladiate -gladier -gladiest -gladiola -gladioli -gladlier -gladly -gladness -glads -gladsome -glady -glaiket -glaikit -glair -glaire -glaired -glaires -glairier -glairing -glairs -glairy -glaive -glaived -glaives -glam -glamor -glamors -glamour -glamours -glams -glance -glanced -glancer -glancers -glances -glancing -gland -glanders -glandes -glands -glandule -glans -glare -glared -glares -glarier -glariest -glaring -glary -glasnost -glasnosts -glass -glassed -glasses -glassful -glassie -glassier -glassies -glassily -glassine -glassing -glassman -glassmen -glassy -glaucoma -glaucous -glaze -glazed -glazer -glazers -glazes -glazier -glaziers -glaziery -glaziest -glazily -glazing -glazings -glazy -gleam -gleamed -gleamer -gleamers -gleamier -gleaming -gleams -gleamy -glean -gleaned -gleaner -gleaners -gleaning -gleans -gleba -glebae -glebe -glebes -gled -glede -gledes -gleds -glee -gleed -gleeds -gleeful -gleek -gleeked -gleeking -gleeks -gleeman -gleemen -glees -gleesome -gleet -gleeted -gleetier -gleeting -gleets -gleety -gleg -glegly -glegness -glen -glenlike -glenoid -glens -gley -gleyed -gleying -gleyings -gleys -glia -gliadin -gliadine -gliadins -glial -glias -glib -glibber -glibbest -glibly -glibness -glide -glided -glider -gliders -glides -gliding -gliff -gliffs -glim -glime -glimed -glimes -gliming -glimmer -glimmers -glimpse -glimpsed -glimpser -glimpses -glims -glint -glinted -glintier -glinting -glints -glinty -glioma -gliomas -gliomata -glissade -glisten -glistens -glister -glisters -glitch -glitches -glitchy -glitter -glitters -glittery -glitz -glitzed -glitzes -glitzier -glitzing -glitzy -gloam -gloaming -gloams -gloat -gloated -gloater -gloaters -gloating -gloats -glob -global -globally -globate -globated -globbier -globby -globe -globed -globes -globin -globing -globins -globoid -globoids -globose -globous -globs -globular -globule -globules -globulin -glochid -glochids -glogg -gloggs -glom -glomera -glommed -glomming -gloms -glomus -glonoin -glonoins -gloom -gloomed -gloomful -gloomier -gloomily -glooming -glooms -gloomy -glop -glopped -gloppier -glopping -gloppy -glops -gloria -glorias -gloried -glories -glorify -gloriole -glorious -glory -glorying -gloss -glossa -glossae -glossal -glossary -glossas -glossed -glosseme -glosser -glossers -glosses -glossier -glossies -glossily -glossina -glossing -glossy -glost -glosts -glottal -glottic -glottis -glout -glouted -glouting -glouts -glove -gloved -glover -glovers -gloves -gloving -glow -glowed -glower -glowered -glowers -glowfly -glowing -glows -glowworm -gloxinia -gloze -glozed -glozes -glozing -glucagon -glucan -glucans -glucinic -glucinum -glucose -glucoses -glucosic -glue -glued -glueing -gluelike -gluepot -gluepots -gluer -gluers -glues -gluey -glug -glugged -glugging -glugs -gluhwein -gluier -gluiest -gluily -gluiness -gluing -glum -glume -glumes -glumly -glummer -glummest -glumness -glumpier -glumpily -glumpy -glums -glunch -glunched -glunches -gluon -gluons -glut -glute -gluteal -glutei -glutelin -gluten -glutenin -glutens -glutes -gluteus -gluts -glutted -glutting -glutton -gluttons -gluttony -glycan -glycans -glyceric -glycerin -glycerol -glyceryl -glycin -glycine -glycines -glycins -glycogen -glycol -glycolic -glycols -glyconic -glycosyl -glycyl -glycyls -glyph -glyphic -glyphs -glyptic -glyptics -gnar -gnarl -gnarled -gnarlier -gnarling -gnarls -gnarly -gnarr -gnarred -gnarring -gnarrs -gnars -gnash -gnashed -gnashes -gnashing -gnat -gnathal -gnathic -gnathion -gnathite -gnatlike -gnats -gnattier -gnatty -gnaw -gnawable -gnawed -gnawer -gnawers -gnawing -gnawings -gnawn -gnaws -gneiss -gneisses -gneissic -gnocchi -gnome -gnomes -gnomic -gnomical -gnomish -gnomist -gnomists -gnomon -gnomonic -gnomons -gnoses -gnosis -gnostic -gnostics -gnu -gnus -go -goa -goad -goaded -goading -goadlike -goads -goal -goaled -goalie -goalies -goaling -goalless -goalpost -goals -goalward -goanna -goannas -goas -goat -goatee -goateed -goatees -goatfish -goatherd -goatish -goatlike -goats -goatskin -gob -goban -gobang -gobangs -gobans -gobbed -gobbet -gobbets -gobbing -gobble -gobbled -gobbler -gobblers -gobbles -gobbling -gobies -gobioid -gobioids -goblet -goblets -goblin -goblins -gobo -goboes -gobonee -gobony -gobos -gobs -gobshite -goby -god -godchild -goddam -goddamn -goddamns -goddams -godded -goddess -godding -godet -godetia -godetias -godets -godhead -godheads -godhood -godhoods -godless -godlier -godliest -godlike -godlily -godling -godlings -godly -godown -godowns -godroon -godroons -gods -godsend -godsends -godship -godships -godson -godsons -godwit -godwits -goer -goers -goes -goethite -gofer -gofers -goffer -goffered -goffers -goggle -goggled -goggler -gogglers -goggles -gogglier -goggling -goggly -goglet -goglets -gogo -gogos -going -goings -goiter -goiters -goitre -goitres -goitrous -golconda -gold -goldarn -goldarns -goldbug -goldbugs -golden -goldener -goldenly -golder -goldest -goldeye -goldeyes -goldfish -golds -goldtone -goldurn -goldurns -golem -golems -golf -golfed -golfer -golfers -golfing -golfings -golfs -golgotha -goliard -goliards -goliath -goliaths -golliwog -golly -gollywog -gollywogs -golosh -goloshe -goloshes -gombeen -gombeens -gombo -gombos -gombroon -gomer -gomeral -gomerals -gomerel -gomerels -gomeril -gomerils -gomers -gomuti -gomutis -gonad -gonadal -gonadial -gonadic -gonads -gondola -gondolas -gone -gonef -gonefs -goneness -goner -goners -gonfalon -gonfanon -gong -gonged -gonging -gonglike -gongs -gonia -gonidia -gonidial -gonidic -gonidium -gonif -goniff -goniffs -gonifs -gonion -gonium -gonocyte -gonof -gonofs -gonoph -gonophs -gonopore -gonzo -goo -goober -goobers -good -goodby -goodbye -goodbyes -goodbys -goodie -goodies -goodish -goodlier -goodly -goodman -goodmen -goodness -goods -goodwife -goodwill -goody -gooey -goof -goofball -goofed -goofier -goofiest -goofily -goofing -goofs -goofy -googlies -googly -googol -googols -gooier -gooiest -gook -gooks -gooky -goombah -goombahs -goombay -goombays -goon -gooney -gooneys -goonie -goonier -goonies -gooniest -goons -goony -goop -goopier -goopiest -goops -goopy -gooral -goorals -goos -goose -goosed -gooses -goosey -goosier -goosiest -goosing -goosy -gopher -gophers -gopik -gor -goral -gorals -gorbelly -gorblimy -gorcock -gorcocks -gordita -gorditas -gore -gored -gores -gorge -gorged -gorgedly -gorgeous -gorger -gorgerin -gorgers -gorges -gorget -gorgeted -gorgets -gorging -gorgon -gorgons -gorhen -gorhens -gorier -goriest -gorilla -gorillas -gorily -goriness -goring -gorm -gormand -gormands -gormed -gorming -gormless -gorms -gorp -gorps -gorse -gorses -gorsier -gorsiest -gorsy -gory -gos -gosh -goshawk -goshawks -gosling -goslings -gospel -gospeler -gospelly -gospels -gosport -gosports -gossamer -gossan -gossans -gossip -gossiped -gossiper -gossipry -gossips -gossipy -gossoon -gossoons -gossypol -got -gotcha -gotchas -goth -gothic -gothics -gothite -gothites -goths -gotten -gouache -gouaches -gouge -gouged -gouger -gougers -gouges -gouging -goulash -gourami -gouramis -gourd -gourde -gourdes -gourds -gourmand -gourmet -gourmets -gout -goutier -goutiest -goutily -gouts -gouty -govern -governed -governor -governs -gowan -gowaned -gowans -gowany -gowd -gowds -gowk -gowks -gown -gowned -gowning -gowns -gownsman -gownsmen -gox -goxes -goy -goyim -goyish -goys -graal -graals -grab -grabbed -grabber -grabbers -grabbier -grabbing -grabble -grabbled -grabbler -grabbles -grabby -graben -grabens -grabs -grace -graced -graceful -graces -gracile -graciles -gracilis -gracing -gracioso -gracious -grackle -grackles -grad -gradable -gradate -gradated -gradates -grade -graded -grader -graders -grades -gradient -gradin -gradine -gradines -grading -gradins -grads -gradual -graduals -graduand -graduate -gradus -graduses -graecize -graffiti -graffito -graft -graftage -grafted -grafter -grafters -grafting -grafts -graham -grahams -grail -grails -grain -grained -grainer -grainers -grainier -graining -grains -grainy -gram -grama -gramary -gramarye -gramas -gramercy -gramma -grammar -grammars -grammas -gramme -grammes -gramp -grampa -grampas -gramps -grampus -grams -gran -grana -granary -grand -grandad -grandads -grandam -grandame -grandams -granddad -granddam -granddams -grandee -grandees -grander -grandest -grandeur -grandkid -grandkids -grandly -grandma -grandmas -grandpa -grandpas -grands -grandsir -grandson -grange -granger -grangers -granges -granita -granitas -granite -granites -granitic -grannie -grannies -granny -granola -granolas -grans -grant -granted -grantee -grantees -granter -granters -granting -grantor -grantors -grants -granular -granule -granules -granum -grape -grapery -grapes -grapey -graph -graphed -grapheme -graphic -graphics -graphing -graphite -graphs -grapier -grapiest -graplin -grapline -graplins -grapnel -grapnels -grappa -grappas -grapple -grappled -grappler -grapples -grapy -grasp -grasped -grasper -graspers -grasping -grasps -grass -grassed -grasses -grassier -grassily -grassing -grassy -grat -grate -grated -grateful -grater -graters -grates -gratify -gratin -gratine -gratinee -gratineed -gratineeing -gratinees -grating -gratings -gratins -gratis -gratuity -graupel -graupels -gravamen -grave -graved -gravel -graveled -gravelly -gravels -gravely -graven -graver -gravers -graves -gravest -gravid -gravida -gravidae -gravidas -gravidly -gravies -graving -gravitas -graviton -gravity -gravlaks -gravlax -gravure -gravures -gravy -gray -grayback -grayed -grayer -grayest -grayfish -graying -grayish -graylag -graylags -grayling -grayly -graymail -grayness -grayout -grayouts -grays -grazable -graze -grazed -grazer -grazers -grazes -grazier -graziers -grazing -grazings -grazioso -grease -greased -greaser -greasers -greases -greasier -greasily -greasing -greasy -great -greaten -greatens -greater -greatest -greatly -greats -greave -greaved -greaves -grebe -grebes -grecize -grecized -grecizes -gree -greed -greedier -greedily -greeds -greedy -greegree -greeing -greek -green -greenbug -greened -greener -greenery -greenest -greenfly -greenie -greenier -greenies -greening -greenish -greenlet -greenlit -greenly -greens -greenth -greenths -greenway -greenways -greeny -grees -greet -greeted -greeter -greeters -greeting -greets -grego -gregos -greige -greiges -greisen -greisens -gremial -gremials -gremlin -gremlins -gremmie -gremmies -gremmy -grenade -grenades -grew -grewsome -grey -greyed -greyer -greyest -greyhen -greyhens -greying -greyish -greylag -greylags -greyly -greyness -greys -gribble -gribbles -grid -gridded -gridder -gridders -griddle -griddled -griddles -gride -grided -grides -griding -gridiron -gridlock -gridlocked -gridlocking -grids -grief -griefs -grievant -grieve -grieved -griever -grievers -grieves -grieving -grievous -griff -griffe -griffes -griffin -griffins -griffon -griffons -griffs -grift -grifted -grifter -grifters -grifting -grifts -grig -grigri -grigris -grigs -grill -grillade -grillage -grille -grilled -griller -grillers -grillery -grilles -grilling -grills -grilse -grilses -grim -grimace -grimaced -grimacer -grimaces -grime -grimed -grimes -grimier -grimiest -grimily -griming -grimly -grimmer -grimmest -grimness -grimy -grin -grinch -grinches -grind -grinded -grinder -grinders -grindery -grinding -grinds -gringo -gringos -grinned -grinner -grinners -grinning -grins -griot -griots -grip -gripe -griped -griper -gripers -gripes -gripey -gripier -gripiest -griping -gripman -gripmen -grippe -gripped -gripper -grippers -grippes -grippier -gripping -gripple -grippy -grips -gripsack -gript -gripy -griseous -grisette -griskin -griskins -grislier -grisly -grison -grisons -grist -grister -gristers -gristle -gristles -gristly -grists -grit -grith -griths -grits -gritted -gritter -gritters -grittier -grittily -gritting -gritty -grivet -grivets -grizzle -grizzled -grizzler -grizzles -grizzly -groan -groaned -groaner -groaners -groaning -groans -groat -groats -grocer -grocers -grocery -grodier -grodiest -grody -grog -groggery -groggier -groggily -groggy -grogram -grograms -grogs -grogshop -groin -groined -groining -groins -grok -grokked -grokking -groks -grommet -grommets -gromwell -groom -groomed -groomer -groomers -grooming -grooms -groove -grooved -groover -groovers -grooves -groovier -grooving -groovy -grope -groped -groper -gropers -gropes -groping -grosbeak -groschen -gross -grossed -grosser -grossers -grosses -grossest -grossing -grossly -grosz -grosze -groszy -grot -grots -grottier -grotto -grottoed -grottoes -grottos -grotty -grouch -grouched -grouches -grouchy -ground -grounded -grounder -grounds -group -grouped -grouper -groupers -groupie -groupies -grouping -groupoid -groups -grouse -groused -grouser -grousers -grouses -grousing -grout -grouted -grouter -grouters -groutier -grouting -grouts -grouty -grove -groved -grovel -groveled -groveler -grovels -groves -grow -growable -grower -growers -growing -growl -growled -growler -growlers -growlier -growling -growls -growly -grown -grownup -grownups -grows -growth -growthier -growthiest -growths -growthy -groyne -groynes -grub -grubbed -grubber -grubbers -grubbier -grubbily -grubbing -grubby -grubs -grubworm -grudge -grudged -grudger -grudgers -grudges -grudging -grue -gruel -grueled -grueler -gruelers -grueling -gruelled -grueller -gruels -grues -gruesome -gruff -gruffed -gruffer -gruffest -gruffier -gruffily -gruffing -gruffish -gruffly -gruffs -gruffy -grugru -grugrus -gruiform -grum -grumble -grumbled -grumbler -grumbles -grumbly -grume -grumes -grummer -grummest -grummet -grummeted -grummeting -grummets -grumose -grumous -grump -grumped -grumphie -grumphy -grumpier -grumpily -grumping -grumpish -grumps -grumpy -grunge -grunger -grungers -grunges -grungier -grungy -grunion -grunions -grunt -grunted -grunter -grunters -grunting -gruntle -gruntled -gruntles -grunts -grushie -grutch -grutched -grutches -grutten -gruyere -gruyeres -gryphon -gryphons -guacharo -guaco -guacos -guaiac -guaiacol -guaiacs -guaiacum -guaiocum -guan -guanaco -guanacos -guanase -guanases -guanay -guanays -guanidin -guanin -guanine -guanines -guanins -guano -guanos -guans -guar -guarana -guaranas -guarani -guaranis -guaranty -guard -guardant -guarddog -guarded -guarder -guarders -guardian -guarding -guards -guars -guava -guavas -guayule -guayules -guck -gucks -gude -gudes -gudgeon -gudgeons -guenon -guenons -guerdon -guerdons -gueridon -gueridons -guerilla -guernsey -guess -guessed -guesser -guessers -guesses -guessing -guest -guested -guesting -guests -guff -guffaw -guffawed -guffaws -guffs -guggle -guggled -guggles -guggling -guglet -guglets -guid -guidable -guidance -guide -guided -guider -guiders -guides -guideway -guiding -guidon -guidons -guids -guild -guilder -guilders -guilds -guile -guiled -guileful -guiles -guiling -guilt -guiltier -guiltily -guilts -guilty -guimpe -guimpes -guinea -guineas -guipure -guipures -guiro -guiros -guisard -guisards -guise -guised -guises -guising -guitar -guitars -guitguit -gul -gulag -gulags -gular -gulch -gulches -gulden -guldens -gules -gulf -gulfed -gulfier -gulfiest -gulfing -gulflike -gulfs -gulfweed -gulfy -gull -gullable -gullably -gulled -gullet -gullets -gulley -gulleys -gullible -gullibly -gullied -gullies -gulling -gulls -gullwing -gully -gullying -gulosity -gulp -gulped -gulper -gulpers -gulpier -gulpiest -gulping -gulps -gulpy -guls -gum -gumball -gumballs -gumbo -gumboil -gumboils -gumboot -gumboots -gumbos -gumbotil -gumdrop -gumdrops -gumless -gumlike -gumline -gumlines -gumma -gummas -gummata -gummed -gummer -gummers -gummier -gummiest -gumming -gummite -gummites -gummose -gummoses -gummosis -gummous -gummy -gumption -gums -gumshoe -gumshoed -gumshoes -gumtree -gumtrees -gumweed -gumweeds -gumwood -gumwoods -gun -gunboat -gunboats -gundog -gundogs -gunfight -gunfire -gunfires -gunflint -gunite -gunites -gunk -gunkhole -gunkier -gunkiest -gunks -gunky -gunless -gunlock -gunlocks -gunman -gunmen -gunmetal -gunned -gunnel -gunnels -gunnen -gunner -gunners -gunnery -gunnies -gunning -gunnings -gunny -gunnybag -gunpaper -gunplay -gunplays -gunpoint -gunroom -gunrooms -guns -gunsel -gunsels -gunship -gunships -gunshot -gunshots -gunsmith -gunstock -gunwale -gunwales -guppies -guppy -gurge -gurged -gurges -gurging -gurgle -gurgled -gurgles -gurglet -gurglets -gurgling -gurnard -gurnards -gurnet -gurnets -gurney -gurneys -gurries -gurry -gursh -gurshes -guru -gurus -guruship -gush -gushed -gusher -gushers -gushes -gushier -gushiest -gushily -gushing -gushy -gusset -gusseted -gussets -gussie -gussied -gussies -gussy -gussying -gust -gustable -gusted -gustier -gustiest -gustily -gusting -gustless -gusto -gustoes -gusts -gusty -gut -gutless -gutlike -guts -gutsier -gutsiest -gutsily -gutsy -gutta -guttae -guttate -guttated -gutted -gutter -guttered -gutters -guttery -guttier -guttiest -gutting -guttle -guttled -guttler -guttlers -guttles -guttling -guttural -gutty -guv -guvs -guy -guyed -guying -guyline -guylines -guyot -guyots -guys -guzzle -guzzled -guzzler -guzzlers -guzzles -guzzling -gweduc -gweduck -gweducks -gweducs -gwine -gybe -gybed -gybes -gybing -gym -gymkhana -gymnasia -gymnast -gymnasts -gyms -gynaecea -gynaecia -gynandry -gynarchy -gynecia -gynecic -gynecium -gynecoid -gyniatry -gynoecia -gyoza -gyozas -gyp -gyplure -gyplures -gypped -gypper -gyppers -gypping -gyps -gypseian -gypseous -gypsied -gypsies -gypster -gypsters -gypsum -gypsums -gypsy -gypsydom -gypsying -gypsyish -gypsyism -gyral -gyrally -gyrase -gyrases -gyrate -gyrated -gyrates -gyrating -gyration -gyrator -gyrators -gyratory -gyre -gyred -gyrene -gyrenes -gyres -gyri -gyring -gyro -gyroidal -gyron -gyrons -gyros -gyrose -gyrostat -gyrus -gyttja -gyttjas -gyve -gyved -gyves -gyving -ha -haaf -haafs -haar -haars -habanera -habanero -habdalah -habile -habit -habitan -habitans -habitant -habitat -habitats -habited -habiting -habits -habitual -habitude -habitue -habitues -habitus -haboob -haboobs -habu -habus -hacek -haceks -hachure -hachured -hachures -hacienda -hack -hackable -hackbut -hackbuts -hacked -hackee -hackees -hacker -hackers -hackie -hackies -hacking -hackle -hackled -hackler -hacklers -hackles -hacklier -hackling -hackly -hackman -hackmen -hackney -hackneys -hacks -hacksaw -hacksawn -hacksaws -hackwork -had -hadal -hadarim -haddest -haddock -haddocks -hade -haded -hades -hading -hadith -hadiths -hadj -hadjee -hadjees -hadjes -hadji -hadjis -hadron -hadronic -hadrons -hadst -hae -haed -haeing -haem -haemal -haematal -haematic -haematin -haemic -haemin -haemins -haemoid -haems -haen -haeredes -haeres -haes -haet -haets -haffet -haffets -haffit -haffits -hafiz -hafizes -hafnium -hafniums -haft -haftara -haftarah -haftaras -haftarot -hafted -hafter -hafters -hafting -haftorah -haftoros -haftoros -haftorot -hafts -hag -hagadic -hagadist -hagberry -hagborn -hagbush -hagbut -hagbuts -hagdon -hagdons -hagfish -haggada -haggadah -haggadas -haggadic -haggadot -haggard -haggards -hagged -hagging -haggis -haggises -haggish -haggle -haggled -haggler -hagglers -haggles -haggling -hagride -hagrider -hagrides -hagrode -hags -hah -haha -hahas -hahnium -hahniums -hahs -haik -haika -haiks -haiku -haikus -hail -hailed -hailer -hailers -hailing -hails -haimish -haint -haints -hair -hairball -hairband -haircap -haircaps -haircut -haircuts -hairdo -hairdos -haired -hairier -hairiest -hairless -hairlike -hairline -hairlock -hairnet -hairnets -hairpin -hairpins -hairs -hairwork -hairworm -hairy -haj -hajes -haji -hajis -hajj -hajjes -hajji -hajjis -hake -hakeem -hakeems -hakes -hakim -hakims -haku -hakus -halacha -halachas -halachic -halachot -halakah -halakahs -halakha -halakhah -halakhas -halakhic -halakhot -halakic -halakist -halakoth -halal -halala -halalah -halalahs -halalas -halals -halation -halavah -halavahs -halazone -halberd -halberds -halbert -halberts -halcyon -halcyons -hale -haled -haleness -haler -halers -haleru -hales -halest -half -halfback -halfbeak -halflife -halfness -halfpipe -halftime -halftone -halfway -halibut -halibuts -halid -halide -halides -halidom -halidome -halidoms -halids -haling -halite -halites -halitus -hall -hallah -hallahs -hallal -hallel -hallels -halliard -hallmark -hallo -halloa -halloaed -halloas -halloed -halloes -halloing -halloo -hallooed -halloos -hallos -hallot -halloth -hallow -hallowed -hallower -hallows -halls -hallucal -halluces -hallux -hallway -hallways -halm -halma -halmas -halms -halo -haloed -haloes -halogen -halogens -haloid -haloids -haloing -halolike -halon -halons -halos -halt -halted -halter -haltere -haltered -halteres -halters -halting -haltless -halts -halutz -halutzim -halva -halvah -halvahs -halvas -halve -halved -halvers -halves -halving -halyard -halyards -ham -hamada -hamadas -hamal -hamals -hamartia -hamate -hamates -hamaul -hamauls -hambone -hamboned -hambones -hamburg -hamburgs -hame -hames -hamlet -hamlets -hammada -hammadas -hammal -hammals -hammam -hammams -hammed -hammer -hammered -hammerer -hammers -hammier -hammiest -hammily -hamming -hammock -hammocks -hammy -hamper -hampered -hamperer -hampers -hams -hamster -hamsters -hamular -hamulate -hamuli -hamulose -hamulous -hamulus -hamza -hamzah -hamzahs -hamzas -hanaper -hanapers -hance -hances -hand -handax -handaxes -handbag -handbags -handball -handbell -handbells -handbill -handbook -handcar -handcars -handcart -handclap -handcuff -handed -hander -handers -handfast -handful -handfuls -handgrip -handgun -handguns -handheld -handhelds -handhold -handicap -handier -handiest -handily -handing -handle -handled -handler -handlers -handles -handless -handlike -handling -handlist -handloom -handmade -handmaid -handoff -handoffs -handout -handouts -handover -handovers -handpick -handrail -hands -handsaw -handsaws -handsel -handsels -handset -handsets -handsewn -handsful -handsome -handwork -handwrit -handy -handyman -handymen -hang -hangable -hangar -hangared -hangars -hangbird -hangdog -hangdogs -hanged -hanger -hangers -hangfire -hanging -hangings -hangman -hangmen -hangnail -hangnest -hangout -hangouts -hangover -hangs -hangtag -hangtags -hangul -hanguls -hangup -hangups -haniwa -hank -hanked -hanker -hankered -hankerer -hankers -hankie -hankies -hanking -hanks -hanky -hansa -hansas -hanse -hansel -hanseled -hansels -hanses -hansom -hansoms -hant -hanted -hanting -hantle -hantles -hants -hanuman -hanumans -hao -haole -haoles -hap -hapax -hapaxes -haphtara -hapkido -hapkidos -hapless -haplite -haplites -haploid -haploids -haploidy -haplont -haplonts -haplopia -haploses -haplosis -haply -happed -happen -happened -happens -happier -happiest -happily -happing -happy -haps -hapten -haptene -haptenes -haptenic -haptens -haptic -haptical -harangue -harass -harassed -harasser -harasses -harbor -harbored -harborer -harbors -harbour -harbours -hard -hardback -hardball -hardboot -hardcase -hardcore -hardedge -harden -hardened -hardener -hardens -harder -hardest -hardhack -hardhat -hardhats -hardhead -hardier -hardies -hardiest -hardily -hardline -hardly -hardness -hardnose -hardpack -hardpan -hardpans -hards -hardset -hardship -hardtack -hardtop -hardtops -hardware -hardwire -hardwood -hardy -hare -harebell -hared -hareem -hareems -harelike -harelip -harelips -harem -harems -hares -hariana -harianas -haricot -haricots -harijan -harijans -haring -harissa -harissas -hark -harked -harken -harkened -harkener -harkens -harking -harks -harl -harlot -harlotry -harlots -harls -harm -harmed -harmer -harmers -harmful -harmin -harmine -harmines -harming -harmins -harmless -harmonic -harmony -harms -harness -harp -harped -harper -harpers -harpies -harpin -harping -harpings -harpins -harpist -harpists -harpoon -harpoons -harps -harpy -harridan -harried -harrier -harriers -harries -harrow -harrowed -harrower -harrows -harrumph -harry -harrying -harsh -harshen -harshens -harsher -harshest -harshly -harslet -harslets -hart -hartal -hartals -harts -harumph -harumphs -haruspex -harvest -harvests -has -hash -hashed -hasheesh -hashes -hashhead -hashing -hashish -haslet -haslets -hasp -hasped -hasping -hasps -hassel -hassels -hassium -hassiums -hassle -hassled -hassles -hassling -hassock -hassocks -hast -hastate -haste -hasted -hasteful -hasten -hastened -hastener -hastens -hastes -hastier -hastiest -hastily -hasting -hasty -hat -hatable -hatband -hatbands -hatbox -hatboxes -hatch -hatcheck -hatched -hatchel -hatchels -hatcher -hatchers -hatchery -hatches -hatchet -hatchets -hatching -hatchway -hate -hateable -hated -hateful -hater -haters -hates -hatful -hatfuls -hath -hating -hatless -hatlike -hatmaker -hatpin -hatpins -hatrack -hatracks -hatred -hatreds -hats -hatsful -hatted -hatter -hatteria -hatters -hatting -hauberk -hauberks -haugh -haughs -haughty -haul -haulage -haulages -hauled -hauler -haulers -haulier -hauliers -hauling -haulm -haulmier -haulms -haulmy -hauls -haulyard -haunch -haunched -haunches -haunt -haunted -haunter -haunters -haunting -haunts -hausen -hausens -hausfrau -haut -hautbois -hautboy -hautboys -haute -hauteur -hauteurs -havarti -havartis -havdalah -have -havelock -haven -havened -havening -havens -haver -havered -haverel -haverels -havering -havers -haves -having -havior -haviors -haviour -haviours -havoc -havocked -havocker -havocs -haw -hawala -hawalas -hawed -hawfinch -hawing -hawk -hawkbill -hawked -hawker -hawkers -hawkey -hawkeyed -hawkeys -hawkie -hawkies -hawking -hawkings -hawkish -hawklike -hawkmoth -hawknose -hawks -hawkshaw -hawkweed -haws -hawse -hawser -hawsers -hawses -hawthorn -hay -haycock -haycocks -hayed -hayer -hayers -hayey -hayfield -hayfork -hayforks -haying -hayings -haylage -haylages -hayloft -haylofts -haymaker -haymow -haymows -hayrack -hayracks -hayrick -hayricks -hayride -hayrides -hays -hayseed -hayseeds -haystack -hayward -haywards -haywire -haywires -hazan -hazanim -hazans -hazard -hazarded -hazarder -hazards -haze -hazed -hazel -hazelhen -hazelly -hazelnut -hazels -hazer -hazers -hazes -hazier -haziest -hazily -haziness -hazing -hazings -hazmat -hazmats -hazy -hazzan -hazzanim -hazzans -he -head -headache -headachy -headband -headed -headend -headends -header -headers -headfish -headful -headfuls -headgate -headgear -headhunt -headier -headiest -headily -heading -headings -headlamp -headland -headless -headline -headlock -headlong -headman -headmen -headmost -headnote -headpin -headpins -headrace -headrest -headroom -heads -headsail -headset -headsets -headship -headsman -headsmen -headstay -headway -headways -headwind -headword -headwork -heady -heal -healable -healed -healer -healers -healing -heals -health -healths -healthy -heap -heaped -heaper -heapers -heaping -heaps -heapy -hear -hearable -heard -hearer -hearers -hearing -hearings -hearken -hearkens -hears -hearsay -hearsays -hearse -hearsed -hearses -hearsing -heart -hearted -hearten -heartens -hearth -hearths -heartier -hearties -heartily -hearting -hearts -hearty -heat -heatable -heated -heatedly -heater -heaters -heath -heathen -heathens -heather -heathers -heathery -heathier -heaths -heathy -heating -heatless -heats -heaume -heaumes -heave -heaved -heaven -heavenly -heavens -heaver -heavers -heaves -heavier -heavies -heaviest -heavily -heaving -heavy -heavyset -hebdomad -hebe -hebes -hebetate -hebetic -hebetude -hebraize -hecatomb -heck -heckle -heckled -heckler -hecklers -heckles -heckling -hecks -hectare -hectares -hectic -hectical -hecticly -hector -hectored -hectors -heddle -heddles -heder -heders -hedge -hedged -hedgehog -hedgehop -hedgepig -hedger -hedgerow -hedgers -hedges -hedgier -hedgiest -hedging -hedgy -hedonic -hedonics -hedonism -hedonist -heed -heeded -heeder -heeders -heedful -heeding -heedless -heeds -heehaw -heehawed -heehaws -heel -heelball -heeled -heeler -heelers -heeling -heelings -heelless -heelpost -heels -heeltap -heeltaps -heeze -heezed -heezes -heezing -heft -hefted -hefter -hefters -heftier -heftiest -heftily -hefting -hefts -hefty -hegari -hegaris -hegemon -hegemons -hegemony -hegira -hegiras -hegumen -hegumene -hegumens -hegumeny -heh -hehs -heifer -heifers -heigh -height -heighten -heighth -heighths -heights -heil -heiled -heiling -heils -heimish -heinie -heinies -heinous -heir -heirdom -heirdoms -heired -heiress -heiring -heirless -heirloom -heirs -heirship -heishi -heist -heisted -heister -heisters -heisting -heists -hejira -hejiras -hektare -hektares -held -heliac -heliacal -heliast -heliasts -helical -helices -helicity -helicoid -helicon -helicons -helicopt -helilift -helio -helios -helipad -helipads -heliport -helistop -helium -heliums -helix -helixes -hell -hellbent -hellbox -hellcat -hellcats -helled -heller -helleri -helleris -hellers -hellery -hellfire -hellhole -helling -hellion -hellions -hellish -hellkite -hello -helloed -helloes -helloing -hellos -hells -helluva -helm -helmed -helmet -helmeted -helmets -helming -helminth -helmless -helms -helmsman -helmsmen -helo -helos -helot -helotage -helotism -helotry -helots -help -helpable -helped -helper -helpers -helpful -helping -helpings -helpless -helpmate -helpmeet -helps -helve -helved -helves -helving -hem -hemagog -hemagogs -hemal -hematal -hematein -hematic -hematics -hematin -hematine -hematins -hematite -hematoid -hematoma -heme -hemes -hemic -hemin -hemins -hemiola -hemiolas -hemiolia -hemipter -hemline -hemlines -hemlock -hemlocks -hemmed -hemmer -hemmers -hemming -hemocoel -hemocyte -hemoid -hemolyze -hemostat -hemp -hempen -hempie -hempier -hempiest -hemplike -hemps -hempseed -hempweed -hempy -hems -hen -henbane -henbanes -henbit -henbits -hence -henchman -henchmen -hencoop -hencoops -henequen -henequin -henge -henges -henhouse -heniquen -henley -henleys -henlike -henna -hennaed -hennaing -hennas -hennery -hennish -henpeck -henpecks -henries -henry -henrys -hens -hent -hented -henting -hents -hep -heparin -heparins -hepatic -hepatica -hepatics -hepatize -hepatoma -hepcat -hepcats -hepper -heppest -heptad -heptads -heptagon -heptane -heptanes -heptarch -heptose -heptoses -her -herald -heralded -heraldic -heraldry -heralds -herb -herbage -herbaged -herbages -herbal -herbals -herbaria -herbed -herbier -herbiest -herbless -herblike -herbs -herby -hercules -herd -herded -herder -herders -herdic -herdics -herding -herdlike -herdman -herdmen -herds -herdsman -herdsmen -here -hereat -hereaway -hereby -heredes -heredity -herein -hereinto -hereof -hereon -heres -heresies -heresy -heretic -heretics -hereto -heretrix -hereunto -hereupon -herewith -heriot -heriots -heritage -heritor -heritors -heritrix -herl -herls -herm -herma -hermae -hermaean -hermai -hermetic -hermit -hermitic -hermitry -hermits -herms -hern -hernia -herniae -hernial -hernias -herniate -herns -hero -heroes -heroic -heroical -heroics -heroin -heroine -heroines -heroins -heroism -heroisms -heroize -heroized -heroizes -heron -heronry -herons -heros -herpes -herpeses -herpetic -herried -herries -herring -herrings -herry -herrying -hers -herself -herstories -herstory -hertz -hertzes -hertzes -hes -hesitant -hesitate -hessian -hessians -hessite -hessites -hest -hests -het -hetaera -hetaerae -hetaeras -hetaeric -hetaira -hetairai -hetairas -hetero -heteros -heth -heths -hetman -hetmans -hets -heuch -heuchs -heugh -heughs -hew -hewable -hewed -hewer -hewers -hewing -hewn -hews -hex -hexad -hexade -hexades -hexadic -hexads -hexagon -hexagons -hexagram -hexamine -hexane -hexanes -hexapla -hexaplar -hexaplas -hexapod -hexapods -hexapody -hexarchy -hexed -hexer -hexerei -hexereis -hexers -hexes -hexing -hexone -hexones -hexosan -hexosans -hexose -hexoses -hexyl -hexylic -hexyls -hey -heyday -heydays -heydey -heydeys -hi -hiatal -hiatus -hiatuses -hibachi -hibachis -hibernal -hibiscus -hic -hiccough -hiccup -hiccuped -hiccups -hick -hickey -hickeys -hickie -hickies -hickish -hickory -hicks -hid -hidable -hidalgo -hidalgos -hidden -hiddenly -hide -hideaway -hided -hideless -hideous -hideout -hideouts -hider -hiders -hides -hiding -hidings -hidroses -hidrosis -hidrotic -hie -hied -hieing -hiemal -hierarch -hieratic -hierurgy -hies -higgle -higgled -higgler -higglers -higgles -higgling -high -highball -highborn -highboy -highboys -highbred -highbrow -highbush -higher -highest -highjack -highland -highlife -highly -highness -highrise -highroad -highs -highspot -highspots -hight -hightail -highted -highth -highths -highting -hightop -hightops -hights -highway -highways -hijab -hijabs -hijack -hijacked -hijacker -hijacks -hijinks -hijra -hijrah -hijrahs -hijras -hike -hiked -hiker -hikers -hikes -hiking -hila -hilar -hilarity -hilding -hildings -hili -hill -hilled -hiller -hillers -hillier -hilliest -hilling -hillo -hilloa -hilloaed -hilloas -hillock -hillocks -hillocky -hilloed -hilloes -hilloing -hillos -hills -hillside -hilltop -hilltops -hilly -hilt -hilted -hilting -hiltless -hilts -hilum -hilus -him -himatia -himation -hims -himself -hin -hind -hinder -hindered -hinderer -hinders -hindgut -hindguts -hindmost -hinds -hinge -hinged -hinger -hingers -hinges -hinging -hinkier -hinkiest -hinky -hinnied -hinnies -hinny -hinnying -hins -hint -hinted -hinter -hinters -hinting -hints -hip -hipbone -hipbones -hipless -hiplike -hipline -hiplines -hiply -hipness -hipparch -hipped -hipper -hippest -hippie -hippier -hippies -hippiest -hipping -hippish -hippo -hippos -hippy -hips -hipshot -hipster -hipsters -hirable -hiragana -hircine -hire -hireable -hired -hiree -hirees -hireling -hirer -hirers -hires -hiring -hirple -hirpled -hirples -hirpling -hirsel -hirseled -hirsels -hirsle -hirsled -hirsles -hirsling -hirsute -hirudin -hirudins -his -hisn -hispid -hiss -hissed -hisself -hisser -hissers -hisses -hissier -hissies -hissiest -hissing -hissings -hissy -hist -histamin -histed -histidin -histing -histogen -histoid -histone -histones -historic -history -hists -hit -hitch -hitched -hitcher -hitchers -hitches -hitching -hither -hitherto -hitless -hitman -hitmen -hits -hittable -hitter -hitters -hitting -hive -hived -hiveless -hives -hiving -hizzoner -hm -hmm -ho -hoactzin -hoagie -hoagies -hoagy -hoar -hoard -hoarded -hoarder -hoarders -hoarding -hoards -hoarier -hoariest -hoarily -hoars -hoarse -hoarsely -hoarsen -hoarsens -hoarser -hoarsest -hoary -hoatzin -hoatzins -hoax -hoaxed -hoaxer -hoaxers -hoaxes -hoaxing -hob -hobbed -hobber -hobbers -hobbies -hobbing -hobbit -hobbits -hobble -hobbled -hobbler -hobblers -hobbles -hobbling -hobby -hobbyist -hoblike -hobnail -hobnails -hobnob -hobnobs -hobo -hoboed -hoboes -hoboing -hoboism -hoboisms -hobos -hobs -hock -hocked -hocker -hockers -hockey -hockeys -hocking -hocks -hockshop -hocus -hocused -hocuses -hocusing -hocussed -hocusses -hod -hodad -hodaddy -hodads -hodden -hoddens -hoddin -hoddins -hods -hoe -hoecake -hoecakes -hoed -hoedown -hoedowns -hoeing -hoelike -hoer -hoers -hoes -hog -hogan -hogans -hogback -hogbacks -hogfish -hogg -hogged -hogger -hoggers -hogget -hoggets -hogging -hoggish -hoggs -hoglike -hogmanay -hogmane -hogmanes -hogmenay -hognose -hognoses -hognut -hognuts -hogs -hogshead -hogtie -hogtied -hogties -hogtying -hogwash -hogweed -hogweeds -hoick -hoicked -hoicking -hoicks -hoiden -hoidened -hoidens -hoise -hoised -hoises -hoising -hoist -hoisted -hoister -hoisters -hoisting -hoists -hoke -hoked -hokes -hokey -hokier -hokiest -hokily -hokiness -hoking -hokku -hokum -hokums -hokypoky -holard -holards -hold -holdable -holdall -holdalls -holdback -holddown -holden -holder -holders -holdfast -holding -holdings -holdout -holdouts -holdover -holds -holdup -holdups -hole -holed -holeless -holes -holey -holibut -holibuts -holiday -holidays -holier -holies -holiest -holily -holiness -holing -holism -holisms -holist -holistic -holists -holk -holked -holking -holks -holla -hollaed -hollaing -holland -hollands -hollas -holler -hollered -hollers -hollies -hollo -holloa -holloaed -holloas -holloed -holloes -holloing -holloo -hollooed -holloos -hollos -hollow -hollowed -hollower -hollowly -hollows -holly -holm -holmic -holmium -holmiums -holms -holocene -holocene -hologamy -hologram -hologyny -holotype -holozoic -holp -holpen -hols -holstein -holster -holsters -holt -holts -holy -holyday -holydays -holytide -homage -homaged -homager -homagers -homages -homaging -hombre -hombres -homburg -homburgs -home -homebody -homeboy -homeboys -homebred -homebrew -homed -homegirl -homeland -homeless -homelier -homelike -homely -homemade -homeobox -homeoboxes -homeotic -homepage -homeport -homeported -homeporting -homeports -homer -homered -homeric -homering -homeroom -homers -homes -homesick -homesite -homespun -homestay -hometown -homeward -homework -homey -homeys -homicide -homie -homier -homies -homiest -homilies -homilist -homily -homines -hominess -homing -hominian -hominid -hominids -hominies -hominine -hominize -hominoid -hominy -hommock -hommocks -hommos -hommoses -homo -homogamy -homogeny -homogony -homolog -homologs -homology -homonym -homonyms -homonymy -homos -homosex -homy -hon -honan -honans -honcho -honchoed -honchos -honda -hondas -hondle -hondled -hondles -hondling -hone -honed -honer -honers -hones -honest -honester -honestly -honesty -honewort -honey -honeybee -honeybun -honeydew -honeyed -honeyful -honeying -honeypot -honeys -hong -hongi -hongied -hongies -hongiing -hongs -honied -honing -honk -honked -honker -honkers -honkey -honkeys -honkie -honkies -honking -honks -honky -honor -honorand -honorary -honored -honoree -honorees -honorer -honorers -honoring -honors -honour -honoured -honourer -honours -hons -hooch -hooches -hoochie -hoochies -hood -hooded -hoodie -hoodier -hoodies -hoodiest -hooding -hoodless -hoodlike -hoodlum -hoodlums -hoodmold -hoodoo -hoodooed -hoodoos -hoods -hoodwink -hoody -hooey -hooeys -hoof -hoofbeat -hoofed -hoofer -hoofers -hoofing -hoofless -hooflike -hoofs -hook -hooka -hookah -hookahs -hookas -hooked -hooker -hookers -hookey -hookeys -hookier -hookies -hookiest -hooking -hookless -hooklet -hooklets -hooklike -hooknose -hooks -hookup -hookups -hookworm -hooky -hoolie -hooligan -hooly -hoop -hooped -hooper -hoopers -hooping -hoopla -hooplas -hoopless -hooplike -hoopoe -hoopoes -hoopoo -hoopoos -hoops -hoopster -hoorah -hoorahed -hoorahs -hooray -hoorayed -hoorays -hoosegow -hoosgow -hoosgows -hoot -hootch -hootches -hooted -hooter -hooters -hootier -hootiest -hooting -hoots -hooty -hooved -hoover -hoovered -hoovers -hooves -hop -hope -hoped -hopeful -hopefuls -hopeless -hoper -hopers -hopes -hophead -hopheads -hoping -hopingly -hoplite -hoplites -hoplitic -hopped -hopper -hoppers -hoppier -hoppiest -hopping -hoppings -hopple -hoppled -hopples -hoppling -hoppy -hops -hopsack -hopsacks -hoptoad -hoptoads -hora -horah -horahs -horal -horary -horas -horde -horded -hordein -hordeins -hordeola -hordes -hording -horizon -horizons -hormonal -hormone -hormones -hormonic -horn -hornbeam -hornbill -hornbook -horned -hornet -hornets -hornfels -hornier -horniest -hornily -horning -hornings -hornist -hornists -hornito -hornitos -hornless -hornlike -hornpipe -hornpout -horns -horntail -hornworm -hornwort -horny -horologe -horology -horrent -horrible -horribly -horrid -horrider -horridly -horrific -horrify -horror -horrors -horse -horsecar -horsed -horsefly -horseman -horsemen -horsepox -horses -horsey -horsier -horsiest -horsily -horsing -horst -horste -horstes -horsts -horsy -hosanna -hosannah -hosannas -hose -hosed -hosel -hoselike -hosels -hosen -hosepipe -hosepipes -hoser -hosers -hoses -hosey -hoseyed -hoseying -hoseys -hosier -hosiers -hosiery -hosing -hospice -hospices -hospital -hospitia -hospodar -host -hosta -hostage -hostages -hostas -hosted -hostel -hosteled -hosteler -hostelled -hostelling -hostelry -hostels -hostess -hostile -hostiles -hosting -hostler -hostlers -hostly -hosts -hot -hotbed -hotbeds -hotblood -hotbox -hotboxes -hotcake -hotcakes -hotch -hotched -hotches -hotching -hotchpot -hotdog -hotdogs -hotel -hoteldom -hotelier -hotelman -hotelmen -hotels -hotfoot -hotfoots -hothead -hotheads -hothouse -hotline -hotlines -hotlink -hotlinks -hotly -hotness -hotpress -hotrod -hotrods -hots -hotshot -hotshots -hotspot -hotspots -hotspur -hotspurs -hotted -hotter -hottest -hottie -hotties -hotting -hottish -houdah -houdahs -hound -hounded -hounder -hounders -hounding -hounds -hour -houri -houris -hourlies -hourlong -hourly -hours -house -houseboy -housed -housefly -houseful -housel -houseled -housels -houseman -housemen -houser -housers -houses -housesat -housesit -housetop -housing -housings -hove -hovel -hoveled -hoveling -hovelled -hovels -hover -hovered -hoverer -hoverers -hoverfly -hovering -hovers -how -howbeit -howdah -howdahs -howdie -howdied -howdies -howdy -howdying -howe -howes -however -howf -howff -howffs -howfs -howitzer -howk -howked -howking -howks -howl -howled -howler -howlers -howlet -howlets -howling -howls -hows -hoy -hoya -hoyas -hoyden -hoydened -hoydens -hoyle -hoyles -hoys -hryvna -hryvnas -hryvnia -hryvnias -huarache -huaracho -hub -hubbies -hubbly -hubbub -hubbubs -hubby -hubcap -hubcaps -hubris -hubrises -hubs -huck -huckle -huckles -hucks -huckster -huddle -huddled -huddler -huddlers -huddles -huddling -hue -hued -hueless -hues -huff -huffed -huffier -huffiest -huffily -huffing -huffish -huffs -huffy -hug -huge -hugely -hugeness -hugeous -huger -hugest -huggable -hugged -hugger -huggers -hugging -hugs -huh -huic -huipil -huipiles -huipils -huisache -hula -hulas -hulk -hulked -hulkier -hulkiest -hulking -hulks -hulky -hull -hulled -huller -hullers -hulling -hullo -hulloa -hulloaed -hulloas -hulloed -hulloes -hulloing -hulloo -hullooed -hulloos -hullos -hulls -hum -human -humane -humanely -humaner -humanest -humanise -humanism -humanist -humanity -humanize -humanly -humanoid -humans -humate -humates -humble -humbled -humbler -humblers -humbles -humblest -humbling -humbly -humbug -humbugs -humdrum -humdrums -humeral -humerals -humeri -humerus -humic -humid -humidex -humidify -humidity -humidly -humidor -humidors -humified -humility -humiture -hummable -hummed -hummer -hummers -humming -hummock -hummocks -hummocky -hummus -hummuses -humor -humoral -humored -humorful -humoring -humorist -humorous -humors -humour -humoured -humours -hump -humpback -humped -humper -humpers -humph -humphed -humphing -humphs -humpier -humpiest -humping -humpless -humps -humpy -hums -humus -humuses -humvee -humvees -hun -hunch -hunched -hunches -hunching -hundred -hundreds -hung -hunger -hungered -hungers -hungover -hungrier -hungrily -hungry -hunh -hunk -hunker -hunkered -hunkers -hunkier -hunkies -hunkiest -hunks -hunky -hunnish -huns -hunt -huntable -hunted -huntedly -hunter -hunters -hunting -huntings -huntress -hunts -huntsman -huntsmen -hup -huppah -huppahs -hurdies -hurdle -hurdled -hurdler -hurdlers -hurdles -hurdling -hurds -hurl -hurled -hurler -hurlers -hurley -hurleys -hurlies -hurling -hurlings -hurls -hurly -hurrah -hurrahed -hurrahs -hurray -hurrayed -hurrays -hurried -hurrier -hurriers -hurries -hurry -hurrying -hurst -hursts -hurt -hurter -hurters -hurtful -hurting -hurtle -hurtled -hurtles -hurtless -hurtling -hurts -husband -husbands -hush -hushaby -hushed -hushedly -hushes -hushful -hushing -husk -husked -husker -huskers -huskier -huskies -huskiest -huskily -husking -huskings -husklike -husks -husky -hussar -hussars -hussies -hussy -hustings -hustle -hustled -hustler -hustlers -hustles -hustling -huswife -huswifes -huswives -hut -hutch -hutched -hutches -hutching -hutlike -hutment -hutments -huts -hutted -hutting -hutzpa -hutzpah -hutzpahs -hutzpas -huzza -huzzaed -huzzah -huzzahed -huzzahs -huzzaing -huzzas -hwan -hyacinth -hyaena -hyaenas -hyaenic -hyalin -hyaline -hyalines -hyalins -hyalite -hyalites -hyalogen -hyaloid -hyaloids -hybrid -hybrids -hybris -hybrises -hydatid -hydatids -hydra -hydracid -hydrae -hydragog -hydrant -hydranth -hydrants -hydras -hydrase -hydrases -hydrate -hydrated -hydrates -hydrator -hydria -hydriae -hydric -hydrid -hydride -hydrides -hydrids -hydrilla -hydro -hydrogel -hydrogen -hydroid -hydroids -hydromel -hydronic -hydropic -hydrops -hydropsy -hydros -hydroski -hydrosol -hydrous -hydroxy -hydroxyl -hyena -hyenas -hyenic -hyenine -hyenoid -hyetal -hygeist -hygeists -hygieist -hygiene -hygienes -hygienic -hying -hyla -hylas -hylozoic -hymen -hymenal -hymeneal -hymenia -hymenial -hymenium -hymens -hymn -hymnal -hymnals -hymnary -hymnbook -hymned -hymning -hymnist -hymnists -hymnless -hymnlike -hymnody -hymns -hyoid -hyoidal -hyoidean -hyoids -hyoscine -hyp -hype -hyped -hyper -hypergol -hyperon -hyperons -hyperope -hypers -hypes -hypha -hyphae -hyphal -hyphemia -hyphen -hyphened -hyphenic -hyphens -hyping -hypnic -hypnoid -hypnoses -hypnosis -hypnotic -hypo -hypoacid -hypoderm -hypoed -hypogea -hypogeal -hypogean -hypogene -hypogeum -hypogyny -hypoing -hyponea -hyponeas -hyponoia -hyponym -hyponyms -hyponymy -hypopnea -hypopyon -hypos -hypothec -hypoxia -hypoxias -hypoxic -hyps -hyraces -hyracoid -hyrax -hyraxes -hyson -hysons -hyssop -hyssops -hysteria -hysteric -hyte -iamb -iambi -iambic -iambics -iambs -iambus -iambuses -iatric -iatrical -ibex -ibexes -ibices -ibidem -ibis -ibises -ibogaine -ice -iceberg -icebergs -iceblink -iceboat -iceboats -icebound -icebox -iceboxes -icecap -icecaps -iced -icefall -icefalls -icehouse -icekhana -iceless -icelike -icemaker -iceman -icemen -ices -ich -ichnite -ichnites -ichor -ichorous -ichors -ichs -ichthyic -icicle -icicled -icicles -icier -iciest -icily -iciness -icing -icings -ick -icker -ickers -ickier -ickiest -ickily -ickiness -icky -icon -icones -iconic -iconical -icons -icteric -icterics -icterus -ictic -ictus -ictuses -icy -id -idea -ideal -idealess -idealise -idealism -idealist -ideality -idealize -ideally -idealogy -ideals -ideas -ideate -ideated -ideates -ideating -ideation -ideative -idem -identic -identify -identity -ideogram -ideology -ides -idiocies -idiocy -idiolect -idiom -idioms -idiot -idiotic -idiotism -idiots -idiotype -idle -idled -idleness -idler -idlers -idles -idlesse -idlesses -idlest -idling -idly -idocrase -idol -idolater -idolator -idolatry -idolise -idolised -idoliser -idolises -idolism -idolisms -idolize -idolized -idolizer -idolizes -idols -idoneity -idoneous -ids -idyl -idylist -idylists -idyll -idyllic -idyllist -idylls -idyls -if -iff -iffier -iffiest -iffiness -iffy -ifs -igg -igged -igging -iggs -igloo -igloos -iglu -iglus -ignatia -ignatias -igneous -ignified -ignifies -ignify -ignite -ignited -igniter -igniters -ignites -igniting -ignition -ignitor -ignitors -ignitron -ignoble -ignobly -ignominy -ignorant -ignore -ignored -ignorer -ignorers -ignores -ignoring -iguana -iguanas -iguanian -iguanid -iguanids -ihram -ihrams -ikat -ikats -ikebana -ikebanas -ikon -ikons -ilea -ileac -ileal -ileitis -ileum -ileus -ileuses -ilex -ilexes -ilia -iliac -iliad -iliads -ilial -ilium -ilk -ilka -ilks -ill -illation -illative -illegal -illegals -illicit -illinium -illiquid -illite -illites -illitic -illness -illogic -illogics -ills -illude -illuded -illudes -illuding -illume -illumed -illumes -illumine -illuming -illusion -illusive -illusory -illuvia -illuvial -illuvium -illy -ilmenite -image -imaged -imager -imagers -imagery -images -imaginal -imagine -imagined -imaginer -imagines -imaging -imagings -imagism -imagisms -imagist -imagists -imago -imagoes -imagos -imam -imamate -imamates -imams -imaret -imarets -imaum -imaums -imbalm -imbalmed -imbalmer -imbalms -imbark -imbarked -imbarks -imbecile -imbed -imbedded -imbeds -imbibe -imbibed -imbiber -imbibers -imbibes -imbibing -imbitter -imblaze -imblazed -imblazes -imbodied -imbodies -imbody -imbolden -imbosom -imbosoms -imbower -imbowers -imbrown -imbrowns -imbrue -imbrued -imbrues -imbruing -imbrute -imbruted -imbrutes -imbue -imbued -imbues -imbuing -imid -imide -imides -imidic -imido -imids -imine -imines -imino -imitable -imitate -imitated -imitates -imitator -immane -immanent -immature -immense -immenser -immerge -immerged -immerges -immerse -immersed -immerses -immesh -immeshed -immeshes -immies -imminent -immingle -immix -immixed -immixes -immixing -immobile -immodest -immolate -immoral -immortal -immotile -immune -immunes -immunise -immunity -immunize -immure -immured -immures -immuring -immy -imp -impact -impacted -impacter -impactor -impacts -impaint -impaints -impair -impaired -impairer -impairs -impala -impalas -impale -impaled -impaler -impalers -impales -impaling -impanel -impanels -imparity -impark -imparked -imparks -impart -imparted -imparter -imparts -impasse -impasses -impaste -impasted -impastes -impasto -impastos -impavid -impawn -impawned -impawns -impeach -impearl -impearls -imped -impede -impeded -impeder -impeders -impedes -impeding -impel -impelled -impeller -impellor -impels -impend -impended -impends -imperia -imperial -imperil -imperils -imperium -impetigo -impetus -imphee -imphees -impi -impiety -imping -impinge -impinged -impinger -impinges -impings -impious -impis -impish -impishly -implant -implants -implead -impleads -impled -impledge -implicit -implied -implies -implode -imploded -implodes -implore -implored -implorer -implores -imply -implying -impolicy -impolite -impone -imponed -impones -imponing -imporous -import -imported -importer -imports -impose -imposed -imposer -imposers -imposes -imposing -impost -imposted -imposter -impostor -imposts -impotent -impound -impounds -impower -impowers -impregn -impregns -impresa -impresas -imprese -impreses -impress -imprest -imprests -imprimis -imprint -imprints -imprison -improper -improv -improve -improved -improver -improves -improvs -imps -impudent -impugn -impugned -impugner -impugns -impulse -impulsed -impulses -impunity -impure -impurely -impurer -impurest -impurity -impute -imputed -imputer -imputers -imputes -imputing -in -inaction -inactive -inane -inanely -inaner -inanes -inanest -inanity -inapt -inaptly -inarable -inarch -inarched -inarches -inarm -inarmed -inarming -inarms -inbeing -inbeings -inboard -inboards -inborn -inbound -inbounds -inbred -inbreds -inbreed -inbreeds -inbuilt -inburst -inbursts -inby -inbye -incage -incaged -incages -incaging -incant -incanted -incants -incase -incased -incases -incasing -incense -incensed -incenses -incent -incented -incenter -incenters -incents -incept -incepted -inceptor -incepts -incest -incests -inch -inched -incher -inchers -inches -inching -inchmeal -inchoate -inchworm -incident -incipit -incipits -incisal -incise -incised -incises -incising -incision -incisive -incisor -incisors -incisory -incisure -incitant -incite -incited -inciter -inciters -incites -inciting -incivil -inclasp -inclasps -incline -inclined -incliner -inclines -inclip -inclips -inclose -inclosed -incloser -incloses -include -included -includes -incog -incogs -income -incomer -incomers -incomes -incoming -inconnu -inconnus -incony -incorpse -increase -increate -incross -incrust -incrusts -incubate -incubi -incubus -incudal -incudate -incudes -incult -incumber -incur -incurred -incurs -incurve -incurved -incurves -incus -incuse -incused -incuses -incusing -indaba -indabas -indagate -indamin -indamine -indamins -indebted -indecent -indeed -indene -indenes -indent -indented -indenter -indentor -indents -indevout -index -indexed -indexer -indexers -indexes -indexing -indican -indicans -indicant -indicate -indices -indicia -indicias -indicium -indict -indicted -indictee -indicter -indictor -indicts -indie -indies -indigen -indigene -indigens -indigent -indign -indignly -indigo -indigoes -indigoid -indigos -indirect -indite -indited -inditer -inditers -indites -inditing -indium -indiums -indocile -indol -indole -indolent -indoles -indols -indoor -indoors -indorse -indorsed -indorsee -indorser -indorses -indorsor -indow -indowed -indowing -indows -indoxyl -indoxyls -indraft -indrafts -indrawn -indri -indris -induce -induced -inducer -inducers -induces -inducing -induct -inducted -inductee -inductor -inducts -indue -indued -indues -induing -indulge -indulged -indulger -indulges -indulin -induline -indulins -indult -indults -indurate -indusia -indusial -indusium -industry -indwell -indwells -indwelt -inearth -inearths -inedible -inedibly -inedita -inedited -inept -ineptly -inequity -inerrant -inert -inertia -inertiae -inertial -inertias -inertly -inerts -inexact -inexpert -infall -infalls -infamies -infamous -infamy -infancy -infant -infanta -infantas -infante -infantes -infantry -infants -infarct -infarcts -infare -infares -infauna -infaunae -infaunal -infaunas -infect -infected -infecter -infector -infects -infecund -infeoff -infeoffs -infer -inferior -infernal -inferno -infernos -inferred -inferrer -infers -infest -infested -infester -infests -infidel -infidels -infield -infields -infight -infights -infill -infinite -infinity -infirm -infirmed -infirmly -infirms -infix -infixed -infixes -infixing -infixion -inflame -inflamed -inflamer -inflames -inflate -inflated -inflater -inflates -inflator -inflect -inflects -inflexed -inflict -inflicts -inflight -inflow -inflows -influent -influx -influxes -info -infobahn -infold -infolded -infolder -infolds -inform -informal -informed -informer -informs -infos -infought -infra -infract -infracts -infrared -infringe -infrugal -infuse -infused -infuser -infusers -infuses -infusing -infusion -infusive -ingate -ingates -ingather -ingenue -ingenues -ingest -ingesta -ingested -ingests -ingle -ingles -ingoing -ingot -ingoted -ingoting -ingots -ingraft -ingrafts -ingrain -ingrains -ingrate -ingrates -ingress -inground -ingroup -ingroups -ingrown -ingrowth -inguinal -ingulf -ingulfed -ingulfs -inhabit -inhabits -inhalant -inhale -inhaled -inhaler -inhalers -inhales -inhaling -inhaul -inhauler -inhauls -inhere -inhered -inherent -inheres -inhering -inherit -inherits -inhesion -inhibin -inhibins -inhibit -inhibits -inholder -inhuman -inhumane -inhume -inhumed -inhumer -inhumers -inhumes -inhuming -inia -inimical -inion -inions -inions -iniquity -initial -initials -initiate -inject -injected -injector -injects -injure -injured -injurer -injurers -injures -injuries -injuring -injury -ink -inkberry -inkblot -inkblots -inked -inker -inkers -inkhorn -inkhorns -inkier -inkiest -inkiness -inking -inkjet -inkle -inkles -inkless -inklike -inkling -inklings -inkpot -inkpots -inks -inkstand -inkstone -inkstones -inkwell -inkwells -inkwood -inkwoods -inky -inlace -inlaced -inlaces -inlacing -inlaid -inland -inlander -inlands -inlay -inlayer -inlayers -inlaying -inlays -inlet -inlets -inlier -inliers -inly -inlying -inmate -inmates -inmesh -inmeshed -inmeshes -inmost -inn -innage -innages -innards -innate -innately -inned -inner -innerly -inners -innerve -innerved -innerves -inning -innings -innless -innocent -innovate -inns -innuendo -inocula -inoculum -inosine -inosines -inosite -inosites -inositol -inphase -inpour -inpoured -inpours -input -inputs -inputted -inputter -inquest -inquests -inquiet -inquiets -inquire -inquired -inquirer -inquires -inquiry -inro -inroad -inroads -inrun -inruns -inrush -inrushes -ins -insane -insanely -insaner -insanest -insanity -inscape -inscapes -inscribe -inscroll -insculp -insculps -inseam -inseams -insect -insectan -insects -insecure -insert -inserted -inserter -inserts -inset -insets -insetted -insetter -insheath -inshore -inshrine -inside -insider -insiders -insides -insight -insights -insigne -insignia -insipid -insist -insisted -insister -insists -insnare -insnared -insnarer -insnares -insofar -insolate -insole -insolent -insoles -insomnia -insomuch -insoul -insouled -insouls -inspan -inspans -inspect -inspects -insphere -inspire -inspired -inspirer -inspires -inspirit -instable -instal -install -installs -instals -instance -instancy -instant -instants -instar -instars -instate -instated -instates -instead -instep -insteps -instil -instill -instills -instils -instinct -instroke -instruct -insulant -insular -insulars -insulate -insulin -insulins -insult -insulted -insulter -insults -insurant -insure -insured -insureds -insurer -insurers -insures -insuring -inswathe -inswept -intact -intactly -intagli -intaglio -intake -intakes -intarsia -integer -integers -integral -intend -intended -intender -intends -intense -intenser -intent -intently -intents -inter -interact -interage -interbed -intercom -intercut -interest -interim -interims -interior -interlap -interlay -intermat -intermit -intermix -intern -internal -interne -interned -internee -internes -interns -interred -interrex -interrow -inters -intersex -intertie -interval -interwar -inthral -inthrall -inthrals -inthrone -inti -intifada -intima -intimacy -intimae -intimal -intimas -intimate -intime -intimist -intine -intines -intis -intitle -intitled -intitles -intitule -into -intomb -intombed -intombs -intonate -intone -intoned -intoner -intoners -intones -intoning -intort -intorted -intorts -intown -intraday -intrados -intranet -intrant -intrants -intreat -intreats -intrench -intrepid -intrigue -intro -introfy -introit -introits -intromit -intron -introns -introrse -intros -intrude -intruded -intruder -intrudes -intrust -intrusts -intubate -intuit -intuited -intuits -inturn -inturned -inturns -intwine -intwined -intwines -intwist -intwists -inulase -inulases -inulin -inulins -inundant -inundate -inurbane -inure -inured -inures -inuring -inurn -inurned -inurning -inurns -inutile -invade -invaded -invader -invaders -invades -invading -invalid -invalids -invar -invars -invasion -invasive -invected -inveigh -inveighs -inveigle -invent -invented -inventer -inventor -invents -inverity -inverse -inversed -inverses -invert -inverted -inverter -invertin -invertor -inverts -invest -invested -investor -invests -inviable -inviably -invirile -inviscid -invital -invite -invited -invitee -invitees -inviter -inviters -invites -inviting -invocate -invoice -invoiced -invoices -invoke -invoked -invoker -invokers -invokes -invoking -involute -involve -involved -involver -involves -inwall -inwalled -inwalls -inward -inwardly -inwards -inweave -inweaved -inweaves -inwind -inwinds -inwound -inwove -inwoven -inwrap -inwraps -iodate -iodated -iodates -iodating -iodation -iodic -iodid -iodide -iodides -iodids -iodin -iodinate -iodine -iodines -iodins -iodise -iodised -iodises -iodising -iodism -iodisms -iodize -iodized -iodizer -iodizers -iodizes -iodizing -iodoform -iodophor -iodopsin -iodous -iolite -iolites -ion -ionic -ionicity -ionics -ionise -ionised -ionises -ionising -ionium -ioniums -ionize -ionized -ionizer -ionizers -ionizes -ionizing -ionogen -ionogens -ionomer -ionomers -ionone -ionones -ions -iota -iotacism -iotas -ipecac -ipecacs -ipomoea -ipomoeas -iracund -irade -irades -irate -irately -irater -iratest -ire -ired -ireful -irefully -ireless -irenic -irenical -irenics -ires -irid -irides -iridic -iridium -iridiums -irids -iring -iris -irised -irises -irising -iritic -iritis -iritises -irk -irked -irking -irks -irksome -iroko -irokos -iron -ironbark -ironclad -irone -ironed -ironer -ironers -irones -ironic -ironical -ironies -ironing -ironings -ironist -ironists -ironize -ironized -ironizes -ironlike -ironman -ironmen -ironness -irons -ironside -ironware -ironweed -ironwood -ironwork -irony -irreal -irrigate -irritant -irritate -irrupt -irrupted -irrupts -is -isagoge -isagoges -isagogic -isarithm -isatin -isatine -isatines -isatinic -isatins -isba -isbas -ischemia -ischemic -ischia -ischial -ischium -island -islanded -islander -islands -isle -isled -isleless -isles -islet -isleted -islets -isling -ism -isms -isobar -isobare -isobares -isobaric -isobars -isobath -isobaths -isobutyl -isocheim -isochime -isochor -isochore -isochors -isochron -isocline -isocracy -isodose -isoform -isoforms -isogamy -isogenic -isogeny -isogloss -isogon -isogonal -isogone -isogones -isogonic -isogons -isogony -isograft -isogram -isograms -isograph -isogriv -isogrivs -isohel -isohels -isohyet -isohyets -isolable -isolate -isolated -isolates -isolator -isolead -isoleads -isoline -isolines -isolog -isologs -isologue -isomer -isomeric -isomers -isometry -isomorph -isonomic -isonomy -isopach -isopachs -isophote -isopleth -isopod -isopodan -isopods -isoprene -isospin -isospins -isospory -isostacy -isostasy -isotach -isotachs -isothere -isotherm -isotone -isotones -isotonic -isotope -isotopes -isotopic -isotopy -isotropy -isotype -isotypes -isotypic -isozyme -isozymes -isozymic -issei -isseis -issuable -issuably -issuance -issuant -issue -issued -issuer -issuers -issues -issuing -isthmi -isthmian -isthmic -isthmoid -isthmus -istle -istles -it -italic -italics -itch -itched -itches -itchier -itchiest -itchily -itching -itchings -itchy -item -itemed -iteming -itemise -itemised -itemises -itemising -itemize -itemized -itemizer -itemizes -items -iterance -iterant -iterate -iterated -iterates -iterum -ither -its -itself -ivied -ivies -ivories -ivory -ivy -ivylike -iwis -ixia -ixias -ixodid -ixodids -ixora -ixoras -ixtle -ixtles -izar -izars -izzard -izzards -jab -jabbed -jabber -jabbered -jabberer -jabbers -jabbing -jabiru -jabirus -jabot -jabots -jabs -jacal -jacales -jacals -jacamar -jacamars -jacana -jacanas -jacinth -jacinthe -jacinths -jack -jackal -jackals -jackaroo -jackass -jackboot -jackdaw -jackdaws -jacked -jacker -jackeroo -jackers -jacket -jacketed -jackets -jackfish -jackies -jacking -jackleg -jacklegs -jackpot -jackpots -jackroll -jacks -jackstay -jacky -jacobin -jacobins -jacobus -jaconet -jaconets -jacquard -jaculate -jacuzzi -jacuzzi -jacuzzis -jacuzzis -jade -jaded -jadedly -jadeite -jadeites -jadelike -jades -jading -jadish -jadishly -jaditic -jaeger -jaegers -jag -jager -jagers -jagg -jaggary -jagged -jaggeder -jaggedly -jagger -jaggers -jaggery -jagghery -jaggier -jaggies -jaggiest -jagging -jaggs -jaggy -jagless -jagra -jagras -jags -jaguar -jaguars -jail -jailable -jailbait -jailbird -jailed -jailer -jailers -jailing -jailor -jailors -jails -jake -jakes -jalap -jalapeno -jalapic -jalapin -jalapins -jalaps -jalop -jalopies -jaloppy -jalops -jalopy -jalousie -jam -jamb -jambe -jambeau -jambeaux -jambed -jambes -jambing -jamboree -jambs -jamlike -jammable -jammed -jammer -jammers -jammier -jammies -jammiest -jamming -jammy -jams -jane -janes -jangle -jangled -jangler -janglers -jangles -janglier -jangliest -jangling -jangly -janiform -janisary -janitor -janitors -janizary -janty -japan -japanize -japanned -japanner -japans -jape -japed -japer -japeries -japers -japery -japes -japing -japingly -japonica -jar -jarful -jarfuls -jargon -jargoned -jargonel -jargons -jargony -jargoon -jargoons -jarhead -jarheads -jarina -jarinas -jarl -jarldom -jarldoms -jarls -jarosite -jarovize -jarrah -jarrahs -jarred -jarring -jars -jarsful -jarvey -jarveys -jasmin -jasmine -jasmines -jasmins -jasper -jaspers -jaspery -jassid -jassids -jato -jatos -jauk -jauked -jauking -jauks -jaunce -jaunced -jaunces -jauncing -jaundice -jaunt -jaunted -jauntier -jauntily -jaunting -jaunts -jaunty -jaup -jauped -jauping -jaups -java -javas -javelin -javelina -javelins -jaw -jawan -jawans -jawbone -jawboned -jawboner -jawbones -jawed -jawing -jawless -jawlike -jawline -jawlines -jaws -jay -jaybird -jaybirds -jaygee -jaygees -jays -jayvee -jayvees -jaywalk -jaywalks -jazz -jazzbo -jazzbos -jazzed -jazzer -jazzers -jazzes -jazzier -jazziest -jazzily -jazzing -jazzlike -jazzman -jazzmen -jazzy -jealous -jealousy -jean -jeaned -jeans -jebel -jebels -jee -jeed -jeeing -jeep -jeeped -jeepers -jeeping -jeepney -jeepneys -jeeps -jeer -jeered -jeerer -jeerers -jeering -jeers -jees -jeez -jefe -jefes -jehad -jehads -jehu -jehus -jejuna -jejunal -jejune -jejunely -jejunity -jejunum -jell -jellaba -jellabas -jelled -jellied -jellies -jellify -jelling -jello -jello -jellos -jellos -jells -jelly -jellying -jelutong -jemadar -jemadars -jemidar -jemidars -jemmied -jemmies -jemmy -jemmying -jennet -jennets -jennies -jenny -jeon -jeopard -jeopards -jeopardy -jerboa -jerboas -jereed -jereeds -jeremiad -jerid -jerids -jerk -jerked -jerker -jerkers -jerkier -jerkies -jerkiest -jerkily -jerkin -jerking -jerkins -jerks -jerky -jeroboam -jerreed -jerreeds -jerrican -jerrid -jerrids -jerries -jerry -jerrycan -jersey -jerseyed -jerseys -jess -jessant -jesse -jessed -jesses -jessing -jest -jested -jester -jesters -jestful -jesting -jestings -jests -jesuit -jesuitic -jesuitry -jesuits -jet -jetbead -jetbeads -jete -jetes -jetfoil -jetfoils -jetlag -jetlags -jetlike -jetliner -jeton -jetons -jetport -jetports -jets -jetsam -jetsams -jetsom -jetsoms -jetted -jettied -jettier -jetties -jettiest -jetting -jettison -jetton -jettons -jetty -jettying -jetway -jetway -jetways -jetways -jeu -jeux -jew -jewed -jewel -jeweled -jeweler -jewelers -jeweling -jewelled -jeweller -jewelry -jewels -jewfish -jewing -jews -jezail -jezails -jezebel -jezebels -jiao -jib -jibb -jibbed -jibber -jibbers -jibbing -jibboom -jibbooms -jibbs -jibe -jibed -jiber -jibers -jibes -jibing -jibingly -jibs -jicama -jicamas -jiff -jiffies -jiffs -jiffy -jig -jigaboo -jigaboos -jigged -jigger -jiggered -jiggers -jiggier -jiggiest -jigging -jiggish -jiggle -jiggled -jiggles -jigglier -jiggling -jiggly -jiggy -jiglike -jigs -jigsaw -jigsawed -jigsawn -jigsaws -jihad -jihads -jill -jillion -jillions -jills -jilt -jilted -jilter -jilters -jilting -jilts -jiminy -jimjams -jimmie -jimmied -jimmies -jimminy -jimmy -jimmying -jimp -jimper -jimpest -jimply -jimpy -jin -jingal -jingall -jingalls -jingals -jingko -jingkoes -jingle -jingled -jingler -jinglers -jingles -jinglier -jingling -jingly -jingo -jingoes -jingoish -jingoism -jingoist -jink -jinked -jinker -jinkers -jinking -jinks -jinn -jinnee -jinni -jinnis -jinns -jins -jinx -jinxed -jinxes -jinxing -jipijapa -jism -jisms -jitney -jitneys -jitter -jittered -jitters -jittery -jiujitsu -jiujutsu -jive -jiveass -jived -jiver -jivers -jives -jivey -jivier -jiviest -jiving -jivy -jnana -jnanas -jo -joannes -job -jobbed -jobber -jobbers -jobbery -jobbing -jobless -jobname -jobnames -jobs -jock -jockette -jockey -jockeyed -jockeys -jocko -jockos -jocks -jocose -jocosely -jocosity -jocular -jocund -jocundly -jodhpur -jodhpurs -joe -joes -joey -joeys -jog -jogged -jogger -joggers -jogging -joggings -joggle -joggled -joggler -jogglers -joggles -joggling -jogs -johannes -john -johnboat -johnnie -johnnies -johnny -johns -join -joinable -joinder -joinders -joined -joiner -joiners -joinery -joining -joinings -joins -joint -jointed -jointer -jointers -jointing -jointly -joints -jointure -joist -joisted -joisting -joists -jojoba -jojobas -joke -joked -joker -jokers -jokes -jokester -jokey -jokier -jokiest -jokily -jokiness -jokinesses -joking -jokingly -joky -jole -joles -jollied -jollier -jolliers -jollies -jolliest -jollify -jollily -jollity -jolly -jollying -jolt -jolted -jolter -jolters -joltier -joltiest -joltily -jolting -jolts -jolty -jomon -jones -jonesed -joneses -jonesing -jongleur -jonquil -jonquils -joram -jorams -jordan -jordans -jorum -jorums -joseph -josephs -josh -joshed -josher -joshers -joshes -joshing -joss -josses -jostle -jostled -jostler -jostlers -jostles -jostling -jot -jota -jotas -jots -jotted -jotter -jotters -jotting -jottings -jotty -joual -jouals -jouk -jouked -jouking -jouks -joule -joules -jounce -jounced -jounces -jouncier -jouncing -jouncy -journal -journals -journey -journeys -journo -journos -joust -jousted -jouster -jousters -jousting -jousts -jovial -jovially -jovialty -jow -jowar -jowars -jowed -jowing -jowl -jowled -jowlier -jowliest -jowls -jowly -jows -joy -joyance -joyances -joyed -joyful -joyfully -joying -joyless -joyous -joyously -joypop -joypops -joyride -joyrider -joyrides -joyrode -joys -joystick -juba -jubas -jubbah -jubbahs -jube -jubes -jubhah -jubhahs -jubilant -jubilate -jubile -jubilee -jubilees -jubiles -juco -jucos -judas -judases -judder -juddered -judders -judge -judged -judger -judgers -judges -judging -judgment -judicial -judo -judoist -judoists -judoka -judokas -judos -jug -juga -jugal -jugate -jugful -jugfuls -jugged -jugging -juggle -juggled -juggler -jugglers -jugglery -juggles -juggling -jughead -jugheads -jugs -jugsful -jugula -jugular -jugulars -jugulate -jugulum -jugum -jugums -juice -juiced -juicer -juicers -juices -juicier -juiciest -juicily -juicing -juicy -jujitsu -jujitsus -juju -jujube -jujubes -jujuism -jujuisms -jujuist -jujuists -jujus -jujutsu -jujutsus -juke -jukebox -juked -jukes -juking -juku -jukus -julep -juleps -julienne -jumbal -jumbals -jumble -jumbled -jumbler -jumblers -jumbles -jumbling -jumbo -jumbos -jumbuck -jumbucks -jump -jumpable -jumped -jumper -jumpers -jumpier -jumpiest -jumpily -jumping -jumpoff -jumpoffs -jumps -jumpsuit -jumpy -jun -junco -juncoes -juncos -junction -juncture -jungle -jungled -jungles -junglier -jungly -junior -juniors -juniper -junipers -junk -junked -junker -junkers -junket -junketed -junketer -junkets -junkie -junkier -junkies -junkiest -junking -junkman -junkmen -junks -junky -junkyard -junta -juntas -junto -juntos -jupe -jupes -jupon -jupons -jura -jural -jurally -jurant -jurants -jurassic -jurassic -jurat -juratory -jurats -jurel -jurels -juridic -juried -juries -jurist -juristic -jurists -juror -jurors -jury -jurying -juryless -juryman -jurymen -jus -jussive -jussives -just -justed -juster -justers -justest -justice -justices -justify -justing -justle -justled -justles -justling -justly -justness -justs -jut -jute -jutelike -jutes -juts -jutted -juttied -jutties -jutting -jutty -juttying -juvenal -juvenals -juvenile -ka -kaas -kab -kabab -kababs -kabaka -kabakas -kabala -kabalas -kabalism -kabalist -kabar -kabars -kabaya -kabayas -kabbala -kabbalah -kabbalas -kabeljou -kabiki -kabikis -kabob -kabobs -kabs -kabuki -kabukis -kachina -kachinas -kaddish -kadi -kadis -kae -kaes -kaf -kaffir -kaffirs -kaffiyah -kaffiyeh -kafir -kafirs -kafs -kaftan -kaftans -kagu -kagus -kahuna -kahunas -kaiak -kaiaks -kaif -kaifs -kail -kails -kailyard -kain -kainit -kainite -kainites -kainits -kains -kaiser -kaiserin -kaisers -kajeput -kajeputs -kaka -kakapo -kakapos -kakas -kakemono -kaki -kakiemon -kakiemons -kakis -kalam -kalamata -kalams -kale -kalends -kales -kalewife -kaleyard -kalian -kalians -kalif -kalifate -kalifs -kalimba -kalimbas -kaliph -kaliphs -kalium -kaliums -kallidin -kalmia -kalmias -kalong -kalongs -kalpa -kalpac -kalpacs -kalpak -kalpaks -kalpas -kalyptra -kamaaina -kamacite -kamala -kamalas -kame -kames -kami -kamik -kamikaze -kamiks -kampong -kampongs -kamseen -kamseens -kamsin -kamsins -kana -kanas -kanban -kanbans -kane -kanes -kangaroo -kanji -kanjis -kantar -kantars -kantele -kanteles -kanzu -kanzus -kaoliang -kaolin -kaoline -kaolines -kaolinic -kaolins -kaon -kaonic -kaons -kapa -kapas -kaph -kaphs -kapok -kapoks -kappa -kappas -kaput -kaputt -karakul -karakuls -karaoke -karaokes -karat -karate -karates -karats -karma -karmas -karmic -karn -karns -karoo -karoos -kaross -karosses -karroo -karroos -karst -karstic -karsts -kart -karting -kartings -karts -karyotin -kas -kasbah -kasbahs -kasha -kashas -kasher -kashered -kashers -kashmir -kashmirs -kashrut -kashruth -kashruts -kat -kata -katakana -katas -katchina -katcina -katcinas -kathodal -kathode -kathodes -kathodic -kation -kations -kats -katsura -katsuras -katydid -katydids -kauri -kauries -kauris -kaury -kava -kavakava -kavas -kavass -kavasses -kay -kayak -kayaked -kayaker -kayakers -kayaking -kayaks -kayles -kayo -kayoed -kayoes -kayoing -kayos -kays -kazachki -kazachok -kazatski -kazatsky -kazoo -kazoos -kbar -kbars -kea -keas -kebab -kebabs -kebar -kebars -kebbie -kebbies -kebbock -kebbocks -kebbuck -kebbucks -keblah -keblahs -kebob -kebobs -keck -kecked -kecking -keckle -keckled -keckles -keckling -kecks -keddah -keddahs -kedge -kedged -kedgeree -kedges -kedging -keef -keefs -keek -keeked -keeking -keeks -keel -keelage -keelages -keelboat -keeled -keelhale -keelhaul -keeling -keelless -keels -keelson -keelsons -keen -keened -keener -keeners -keenest -keening -keenly -keenness -keens -keep -keepable -keeper -keepers -keeping -keepings -keeps -keepsake -keeshond -keester -keesters -keet -keets -keeve -keeves -kef -keffiyah -keffiyeh -keffiyehs -kefir -kefirs -kefs -keg -kegeler -kegelers -kegged -kegger -keggers -kegging -kegler -keglers -kegling -keglings -kegs -keir -keiretsu -keirs -keister -keisters -keitloa -keitloas -kelep -keleps -kelim -kelims -kellies -kelly -keloid -keloidal -keloids -kelp -kelped -kelpie -kelpies -kelping -kelps -kelpy -kelson -kelsons -kelt -kelter -kelters -kelts -kelvin -kelvins -kemp -kemps -kempt -ken -kenaf -kenafs -kench -kenches -kendo -kendos -kenned -kennel -kenneled -kennels -kenning -kennings -keno -kenos -kenosis -kenotic -kenotron -kens -kent -kente -kentes -kep -kephalin -kepi -kepis -kepped -keppen -kepping -keps -kept -keramic -keramics -keratin -keratins -keratoid -keratoma -keratose -kerb -kerbed -kerbing -kerbs -kerchief -kerchoo -kerf -kerfed -kerfing -kerfs -kermes -kermess -kermesse -kermis -kermises -kern -kerne -kerned -kernel -kerneled -kernelly -kernels -kernes -kerning -kernite -kernites -kerns -kerogen -kerogens -kerosene -kerosine -kerplunk -kerria -kerrias -kerries -kerry -kersey -kerseys -kerygma -kerygmas -kestrel -kestrels -ketamine -ketch -ketches -ketchup -ketchups -ketene -ketenes -keto -ketol -ketols -ketone -ketones -ketonic -ketose -ketoses -ketosis -ketotic -kettle -kettles -kev -kevel -kevels -kevil -kevils -kewpie -kewpie -kewpies -kewpies -kex -kexes -key -keyboard -keycard -keycards -keyed -keyhole -keyholes -keying -keyless -keynote -keynoted -keynoter -keynotes -keypad -keypads -keypal -keypals -keypunch -keys -keyset -keysets -keyster -keysters -keystone -keyway -keyways -keyword -keywords -khaddar -khaddars -khadi -khadis -khaf -khafs -khaki -khakis -khalif -khalifa -khalifas -khalifs -khamseen -khamsin -khamsins -khan -khanate -khanates -khans -khaph -khaphs -khat -khats -khazen -khazenim -khazens -kheda -khedah -khedahs -khedas -khedival -khedive -khedives -khet -kheth -kheths -khets -khi -khirkah -khirkahs -khis -khoum -khoums -ki -kiang -kiangs -kiaugh -kiaughs -kibbe -kibbeh -kibbehs -kibbes -kibbi -kibbis -kibbitz -kibbitzed -kibbitzes -kibbitzing -kibble -kibbled -kibbles -kibbling -kibbutz -kibe -kibei -kibeis -kibes -kibitz -kibitzed -kibitzer -kibitzes -kibla -kiblah -kiblahs -kiblas -kibosh -kiboshed -kiboshes -kick -kickable -kickback -kickball -kickbox -kicked -kicker -kickers -kickier -kickiest -kicking -kickoff -kickoffs -kicks -kickshaw -kickup -kickups -kicky -kid -kidded -kidder -kidders -kiddie -kiddies -kidding -kiddish -kiddo -kiddoes -kiddos -kiddush -kiddy -kidlike -kidnap -kidnaped -kidnapee -kidnaper -kidnaps -kidney -kidneys -kids -kidskin -kidskins -kidvid -kidvids -kief -kiefs -kielbasa -kielbasi -kielbasy -kier -kiers -kiester -kiesters -kif -kifs -kike -kikes -kilim -kilims -kill -killable -killdee -killdeer -killdees -killed -killer -killers -killick -killicks -killie -killies -killing -killings -killjoy -killjoys -killock -killocks -kills -kiln -kilned -kilning -kilns -kilo -kilobar -kilobars -kilobase -kilobases -kilobaud -kilobit -kilobits -kilobyte -kilogram -kilomole -kilorad -kilorads -kilos -kiloton -kilotons -kilovolt -kilowatt -kilt -kilted -kilter -kilters -kiltie -kilties -kilting -kiltings -kiltlike -kilts -kilty -kimchee -kimchees -kimchi -kimchis -kimono -kimonoed -kimonos -kin -kina -kinara -kinaras -kinas -kinase -kinases -kind -kinder -kindest -kindle -kindled -kindler -kindlers -kindles -kindless -kindlier -kindling -kindly -kindness -kindred -kindreds -kinds -kine -kinema -kinemas -kines -kineses -kinesic -kinesics -kinesis -kinetic -kinetics -kinetin -kinetins -kinfolk -kinfolks -king -kingbird -kingbolt -kingcup -kingcups -kingdom -kingdoms -kinged -kingfish -kinghood -kinging -kingless -kinglet -kinglets -kinglier -kinglike -kingly -kingpin -kingpins -kingpost -kings -kingship -kingside -kingwood -kinin -kinins -kink -kinkajou -kinked -kinkier -kinkiest -kinkily -kinking -kinks -kinky -kinless -kino -kinos -kins -kinsfolk -kinship -kinships -kinsman -kinsmen -kiosk -kiosks -kip -kipped -kippen -kipper -kippered -kipperer -kippers -kipping -kips -kipskin -kipskins -kir -kirigami -kirk -kirkman -kirkmen -kirks -kirmess -kirn -kirned -kirning -kirns -kirs -kirsch -kirsches -kirtle -kirtled -kirtles -kis -kishka -kishkas -kishke -kishkes -kismat -kismats -kismet -kismetic -kismets -kiss -kissable -kissably -kissed -kisser -kissers -kisses -kissing -kissy -kist -kistful -kistfuls -kists -kit -kitbag -kitbags -kitchen -kitchens -kite -kited -kitelike -kiter -kiters -kites -kith -kithara -kitharas -kithe -kithed -kithes -kithing -kiths -kiting -kitling -kitlings -kits -kitsch -kitsches -kitschy -kitted -kittel -kitten -kittened -kittens -kitties -kitting -kittle -kittled -kittler -kittles -kittlest -kittling -kitty -kiva -kivas -kiwi -kiwis -klatch -klatches -klatsch -klavern -klaverns -klaxon -klaxons -kleagle -kleagles -kleenex -kleenex -kleenexes -klepht -klephtic -klephts -klepto -kleptos -klezmer -klezmers -klick -klicks -klik -kliks -klister -klisters -klondike -klong -klongs -kloof -kloofs -kludge -kludged -kludges -kludgey -kludgier -kludging -kludgy -kluge -kluged -kluges -kluging -klutz -klutzes -klutzier -klutzy -klystron -knack -knacked -knacker -knackers -knackery -knacking -knacks -knap -knapped -knapper -knappers -knapping -knaps -knapsack -knapweed -knar -knarred -knarry -knars -knaur -knaurs -knave -knavery -knaves -knavish -knawe -knawel -knawels -knawes -knead -kneaded -kneader -kneaders -kneading -kneads -knee -kneecap -kneecaps -kneed -kneehole -kneeing -kneel -kneeled -kneeler -kneelers -kneeling -kneels -kneepad -kneepads -kneepan -kneepans -knees -kneesies -kneesock -kneesocks -knell -knelled -knelling -knells -knelt -knesset -knessets -knew -knickers -knife -knifed -knifer -knifers -knifes -knifing -knight -knighted -knightly -knights -knish -knishes -knit -knits -knitted -knitter -knitters -knitting -knitwear -knives -knob -knobbed -knobbier -knobbly -knobby -knoblike -knobs -knock -knocked -knocker -knockers -knocking -knockoff -knockout -knocks -knoll -knolled -knoller -knollers -knolling -knolls -knolly -knop -knopped -knops -knosp -knosps -knot -knothole -knotless -knotlike -knots -knotted -knotter -knotters -knottier -knottily -knotting -knotty -knotweed -knout -knouted -knouting -knouts -know -knowable -knower -knowers -knowing -knowings -known -knowns -knows -knubbier -knubby -knuckle -knuckled -knuckler -knuckles -knuckly -knur -knurl -knurled -knurlier -knurling -knurls -knurly -knurs -koa -koala -koalas -koan -koans -koas -kob -kobo -kobold -kobolds -kobos -kobs -koel -koels -kohl -kohlrabi -kohls -koi -koine -koines -kois -koji -kojis -kokanee -kokanees -kola -kolacky -kolas -kolbasi -kolbasis -kolbassi -kolhoz -kolhozes -kolhozy -kolinski -kolinsky -kolkhos -kolkhosy -kolkhoz -kolkhozy -kolkoz -kolkozes -kolkozy -kolo -kolos -komatik -komatiks -kombu -kombus -komondor -konk -konked -konking -konks -koodoo -koodoos -kook -kookie -kookier -kookiest -kooks -kooky -kop -kopeck -kopecks -kopek -kopeks -koph -kophs -kopiyka -kopiykas -kopje -kopjes -koppa -koppas -koppie -koppies -kops -kor -kora -korai -koras -korat -korats -kore -korma -kormas -kors -korun -koruna -korunas -koruny -kos -kosher -koshered -koshers -koss -koto -kotos -kotow -kotowed -kotower -kotowers -kotowing -kotows -koumis -koumises -koumiss -koumys -koumyses -koumyss -kouprey -koupreys -kouroi -kouros -kousso -koussos -kowtow -kowtowed -kowtower -kowtows -kraal -kraaled -kraaling -kraals -kraft -krafts -krait -kraits -kraken -krakens -krater -kraters -kraut -krauts -kreep -kreeps -kremlin -kremlins -kreplach -kreplech -kreutzer -kreuzer -kreuzers -krewe -krewes -krill -krills -krimmer -krimmers -kris -krises -krona -krone -kronen -kroner -kronor -kronur -kroon -krooni -kroons -krubi -krubis -krubut -krubuts -kruller -krullers -krumhorn -krumkake -kryolite -kryolith -krypton -kryptons -kuchen -kuchens -kudo -kudos -kudu -kudus -kudzu -kudzus -kue -kues -kufi -kufis -kugel -kugels -kukri -kukris -kulak -kulaki -kulaks -kultur -kulturs -kumiss -kumisses -kummel -kummels -kumquat -kumquats -kumys -kumyses -kuna -kune -kunzite -kunzites -kurbash -kurgan -kurgans -kurta -kurtas -kurtoses -kurtosis -kurtosises -kuru -kurus -kusso -kussos -kuvasz -kuvaszok -kvas -kvases -kvass -kvasses -kvell -kvelled -kvelling -kvells -kvetch -kvetched -kvetcher -kvetches -kvetchier -kvetchiest -kvetchy -kwacha -kwachas -kwanza -kwanzas -kyack -kyacks -kyak -kyaks -kyanise -kyanised -kyanises -kyanite -kyanites -kyanize -kyanized -kyanizes -kyar -kyars -kyat -kyats -kybosh -kyboshed -kyboshes -kyboshing -kye -kyes -kylikes -kylix -kymogram -kyphoses -kyphosis -kyphotic -kyrie -kyries -kyte -kytes -kythe -kythed -kythes -kything -la -laager -laagered -laagers -laari -lab -labara -labarum -labarums -labdanum -label -labeled -labeler -labelers -labeling -labella -labelled -labeller -labellum -labels -labia -labial -labially -labials -labiate -labiated -labiates -labile -lability -labium -labor -labored -laborer -laborers -laboring -laborite -labors -labour -laboured -labourer -labours -labra -labrador -labret -labrets -labroid -labroids -labrum -labrums -labrusca -labs -laburnum -lac -lace -laced -laceless -lacelike -lacer -lacerate -lacers -lacertid -laces -lacewing -lacewood -lacework -lacey -laches -lacier -laciest -lacily -laciness -lacing -lacings -lack -lackaday -lacked -lacker -lackered -lackers -lackey -lackeyed -lackeys -lacking -lacks -laconic -laconism -lacquer -lacquers -lacquey -lacqueys -lacrimal -lacrosse -lacs -lactam -lactams -lactary -lactase -lactases -lactate -lactated -lactates -lacteal -lacteals -lactean -lacteous -lactic -lactone -lactones -lactonic -lactose -lactoses -lacuna -lacunae -lacunal -lacunar -lacunars -lacunary -lacunas -lacunate -lacune -lacunes -lacunose -lacy -lad -ladanum -ladanums -ladder -laddered -ladders -laddie -laddies -laddish -lade -laded -laden -ladened -ladening -ladens -lader -laders -lades -ladhood -ladhoods -ladies -lading -ladings -ladino -ladinos -ladle -ladled -ladleful -ladler -ladlers -ladles -ladling -ladron -ladrone -ladrones -ladrons -lads -lady -ladybird -ladybug -ladybugs -ladyfish -ladyhood -ladyish -ladykin -ladykins -ladylike -ladylove -ladypalm -ladyship -laetrile -laevo -lag -lagan -lagans -lagend -lagends -lager -lagered -lagering -lagers -laggard -laggards -lagged -lagger -laggers -lagging -laggings -lagnappe -lagoon -lagoonal -lagoons -lags -laguna -lagunas -lagune -lagunes -lahar -lahars -laic -laical -laically -laich -laichs -laicise -laicised -laicises -laicism -laicisms -laicize -laicized -laicizes -laics -laid -laigh -laighs -lain -lair -laird -lairdly -lairds -laired -lairing -lairs -laitance -laith -laithly -laities -laity -lake -lakebed -lakebeds -laked -lakelike -lakeport -laker -lakers -lakes -lakeside -lakh -lakhs -lakier -lakiest -laking -lakings -laky -lalique -laliques -lall -lallan -lalland -lallands -lallans -lalled -lalling -lalls -lallygag -lam -lama -lamas -lamasery -lamb -lambada -lambadas -lambast -lambaste -lambasts -lambda -lambdas -lambdoid -lambed -lambency -lambent -lamber -lambers -lambert -lamberts -lambie -lambier -lambies -lambiest -lambing -lambkill -lambkin -lambkins -lamblike -lambs -lambskin -lamby -lame -lamed -lamedh -lamedhs -lameds -lamella -lamellae -lamellar -lamellas -lamely -lameness -lament -lamented -lamenter -laments -lamer -lames -lamest -lamia -lamiae -lamias -lamina -laminae -laminal -laminals -laminar -laminary -laminas -laminate -laming -laminin -laminins -laminose -laminous -lamister -lammed -lamming -lamp -lampad -lampads -lampas -lampases -lamped -lampers -lamping -lampion -lampions -lampoon -lampoons -lamppost -lamprey -lampreys -lamps -lampyrid -lams -lamster -lamsters -lanai -lanais -lanate -lanated -lance -lanced -lancelet -lancer -lancers -lances -lancet -lanceted -lancets -lanciers -lancing -land -landau -landaus -landed -lander -landers -landfall -landfill -landform -landgrab -landgrabs -landing -landings -landlady -landler -landlers -landless -landline -landlines -landlord -landman -landmark -landmass -landmen -lands -landside -landskip -landslid -landslip -landsman -landsmen -landward -lane -lanely -lanes -laneway -laneways -lang -langlauf -langley -langleys -langrage -langrel -langrels -langshan -langsyne -language -langue -langues -languet -languets -languid -languish -languor -languors -langur -langurs -laniard -laniards -laniary -lanital -lanitals -lank -lanker -lankest -lankier -lankiest -lankily -lankly -lankness -lanky -lanner -lanneret -lanners -lanolin -lanoline -lanolins -lanose -lanosity -lantana -lantanas -lantern -lanterns -lanthorn -lanugo -lanugos -lanyard -lanyards -laogai -laogais -lap -lapboard -lapdog -lapdogs -lapel -lapeled -lapelled -lapels -lapful -lapfuls -lapidary -lapidate -lapides -lapides -lapidify -lapidist -lapilli -lapillus -lapin -lapins -lapis -lapises -lapped -lapper -lappered -lappers -lappet -lappeted -lappets -lapping -laps -lapsable -lapse -lapsed -lapser -lapsers -lapses -lapsible -lapsing -lapsus -laptop -laptops -lapwing -lapwings -lar -larboard -larcener -larceny -larch -larchen -larches -lard -larded -larder -larders -lardier -lardiest -larding -lardlike -lardon -lardons -lardoon -lardoons -lards -lardy -laree -larees -lares -largando -large -largely -larger -larges -largess -largesse -largest -largish -largo -largos -lari -lariat -lariated -lariats -larine -laris -lark -larked -larker -larkers -larkier -larkiest -larking -larkish -larks -larksome -larkspur -larky -larrigan -larrikin -larrup -larruped -larruper -larrups -lars -larum -larums -larva -larvae -larval -larvas -laryngal -larynges -larynx -larynxes -las -lasagna -lasagnas -lasagne -lasagnes -lascar -lascars -lase -lased -laser -lasers -lases -lash -lashed -lasher -lashers -lashes -lashing -lashings -lashins -lashkar -lashkars -lasing -lass -lasses -lassi -lassie -lassies -lassis -lasso -lassoed -lassoer -lassoers -lassoes -lassoing -lassos -last -lastborn -lasted -laster -lasters -lasting -lastings -lastly -lasts -lat -latakia -latakias -latch -latched -latches -latchet -latchets -latching -latchkey -late -lated -lateen -lateener -lateens -lately -laten -latency -latened -lateness -latening -latens -latent -latently -latents -later -laterad -lateral -laterals -laterite -laterize -latest -latests -latewood -latex -latexes -lath -lathe -lathed -lather -lathered -latherer -lathers -lathery -lathes -lathi -lathier -lathiest -lathing -lathings -lathis -laths -lathwork -lathy -lati -latices -latigo -latigoes -latigos -latilla -latillas -latina -latina -latinas -latinas -latinity -latinize -latino -latinos -latish -latitude -latke -latkes -latosol -latosols -latria -latrias -latrine -latrines -lats -latten -lattens -latter -latterly -lattice -latticed -lattices -lattin -lattins -latu -lauan -lauans -laud -laudable -laudably -laudanum -laudator -lauded -lauder -lauders -lauding -lauds -laugh -laughed -laugher -laughers -laughing -laughs -laughter -launce -launces -launch -launched -launcher -launches -launder -launders -laundry -laura -laurae -lauras -laureate -laurel -laureled -laurels -lauwine -lauwines -lav -lava -lavabo -lavaboes -lavabos -lavage -lavages -lavalava -lavalier -lavalike -lavas -lavash -lavashes -lavation -lavatory -lave -laved -laveer -laveered -laveers -lavender -laver -laverock -lavers -laves -laving -lavish -lavished -lavisher -lavishes -lavishly -lavrock -lavrocks -lavs -law -lawbook -lawbooks -lawed -lawful -lawfully -lawgiver -lawine -lawines -lawing -lawings -lawless -lawlike -lawmaker -lawman -lawmen -lawn -lawns -lawny -laws -lawsuit -lawsuits -lawyer -lawyered -lawyerly -lawyers -lax -laxation -laxative -laxer -laxes -laxest -laxities -laxity -laxly -laxness -lay -layabout -layaway -layaways -layed -layer -layerage -layered -layering -layers -layette -layettes -layin -laying -layins -layman -laymen -layoff -layoffs -layout -layouts -layover -layovers -lays -layup -layups -laywoman -laywomen -lazar -lazaret -lazarets -lazars -laze -lazed -lazes -lazied -lazier -lazies -laziest -lazily -laziness -lazing -lazuli -lazulis -lazulite -lazurite -lazy -lazying -lazyish -lea -leach -leachate -leached -leacher -leachers -leaches -leachier -leaching -leachy -lead -leaded -leaden -leadened -leadenly -leadens -leader -leaders -leadier -leadiest -leading -leadings -leadless -leadman -leadmen -leadoff -leadoffs -leads -leadsman -leadsmen -leadwork -leadwort -leady -leaf -leafage -leafages -leafed -leafier -leafiest -leafing -leafless -leaflet -leaflets -leaflike -leafs -leafworm -leafy -league -leagued -leaguer -leaguers -leagues -leaguing -leak -leakage -leakages -leaked -leaker -leakers -leakier -leakiest -leakily -leaking -leakless -leaks -leaky -leal -leally -lealties -lealty -lean -leaned -leaner -leaners -leanest -leaning -leanings -leanly -leanness -leans -leant -leap -leaped -leaper -leapers -leapfrog -leaping -leaps -leapt -lear -learier -leariest -learn -learned -learner -learners -learning -learns -learnt -lears -leary -leas -leasable -lease -leased -leaser -leasers -leases -leash -leashed -leashes -leashing -leasing -leasings -least -leasts -leather -leathern -leathers -leathery -leave -leaved -leaven -leavened -leavens -leaver -leavers -leaves -leavier -leaviest -leaving -leavings -leavy -leben -lebens -lech -lechayim -leched -lecher -lechered -lechers -lechery -leches -leching -lechwe -lechwes -lecithin -lectern -lecterns -lectin -lectins -lection -lections -lector -lectors -lecture -lectured -lecturer -lectures -lecythi -lecythis -lecythus -led -ledge -ledger -ledgers -ledges -ledgier -ledgiest -ledgy -lee -leeboard -leech -leeched -leeches -leeching -leek -leeks -leer -leered -leerier -leeriest -leerily -leering -leers -leery -lees -leet -leets -leeward -leewards -leeway -leeways -left -lefter -leftest -lefties -leftish -leftism -leftisms -leftist -leftists -leftmost -leftmosts -leftover -lefts -leftward -leftwing -lefty -leg -legacies -legacy -legal -legalese -legalise -legalism -legalist -legality -legalize -legally -legals -legate -legated -legatee -legatees -legates -legatine -legating -legation -legato -legator -legators -legatos -legend -legendry -legends -leger -legerity -legers -leges -legged -leggier -leggiero -leggiest -leggin -legging -leggings -leggins -leggy -leghorn -leghorns -legible -legibly -legion -legions -legist -legists -legit -legits -legless -leglike -legman -legmen -legong -legongs -legroom -legrooms -legs -legume -legumes -legumin -legumins -legwork -legworks -lehayim -lehayims -lehr -lehrs -lehua -lehuas -lei -leis -leister -leisters -leisure -leisured -leisures -lek -leke -lekked -lekking -leks -leku -lekvar -lekvars -lekythi -lekythoi -lekythos -lekythus -leman -lemans -lemma -lemmas -lemmata -lemming -lemmings -lemnisci -lemon -lemonade -lemonish -lemons -lemony -lempira -lempiras -lemur -lemures -lemurine -lemuroid -lemurs -lend -lendable -lender -lenders -lending -lends -lenes -length -lengthen -lengths -lengthy -lenience -leniency -lenient -lenis -lenite -lenited -lenites -lenities -leniting -lenition -lenitions -lenitive -lenity -leno -lenos -lens -lense -lensed -lenses -lensing -lensless -lensman -lensmen -lent -lentando -lenten -lentic -lenticel -lentigo -lentil -lentils -lentisk -lentisks -lento -lentoid -lentoids -lentos -leone -leones -leonine -leopard -leopards -leotard -leotards -leper -lepers -lepidote -leporid -leporids -leporine -leprose -leprosy -leprotic -leprous -lept -lepta -leptin -leptins -lepton -leptonic -leptons -lesbian -lesbians -lesion -lesioned -lesions -less -lessee -lessees -lessen -lessened -lessens -lesser -lesson -lessoned -lessons -lessor -lessors -lest -let -letch -letched -letches -letching -letdown -letdowns -lethal -lethally -lethals -lethargy -lethe -lethean -lethes -lets -letted -letter -lettered -letterer -letters -letting -lettuce -lettuces -letup -letups -leu -leucemia -leucemic -leucin -leucine -leucines -leucins -leucite -leucites -leucitic -leucoma -leucomas -leud -leudes -leuds -leukemia -leukemic -leukoma -leukomas -leukon -leukons -leukoses -leukosis -leukotic -lev -leva -levant -levanted -levanter -levants -levator -levators -levee -leveed -leveeing -levees -level -leveled -leveler -levelers -leveling -levelled -leveller -levelly -levels -lever -leverage -levered -leveret -leverets -levering -levers -leviable -levied -levier -leviers -levies -levigate -levin -levins -levirate -levis -levis -levitate -levities -levity -levo -levodopa -levogyre -levulin -levulins -levulose -levy -levying -lewd -lewder -lewdest -lewdly -lewdness -lewis -lewises -lewisite -lewisson -lex -lexeme -lexemes -lexemic -lexes -lexica -lexical -lexicon -lexicons -lexis -ley -leys -lez -lezes -lezzie -lezzies -lezzy -li -liable -liaise -liaised -liaises -liaising -liaison -liaisons -liana -lianas -liane -lianes -liang -liangs -lianoid -liar -liard -liards -liars -lib -libation -libber -libbers -libeccio -libel -libelant -libeled -libelee -libelees -libeler -libelers -libeling -libelist -libelled -libellee -libeller -libelous -libels -liber -liberal -liberals -liberate -libers -liberty -libido -libidos -liblab -liblabs -libra -librae -library -libras -librate -librated -librates -libretti -libretto -libri -libs -lice -licence -licenced -licencee -licencer -licences -license -licensed -licensee -licenser -licenses -licensor -licente -licenti -lich -lichee -lichees -lichen -lichened -lichenin -lichens -liches -lichi -lichis -licht -lichted -lichting -lichtly -lichts -licit -licitly -lick -licked -licker -lickers -licking -lickings -licks -lickspit -licorice -lictor -lictors -lid -lidar -lidars -lidded -lidding -lidless -lido -lidos -lids -lie -lied -lieder -lief -liefer -liefest -liefly -liege -liegeman -liegemen -lieges -lien -lienable -lienal -liens -lientery -lier -lierne -liernes -liers -lies -lieu -lieus -lieve -liever -lievest -life -lifeboat -lifecare -lifeful -lifeless -lifelike -lifeline -lifelong -lifer -lifers -lifespan -lifetime -lifeway -lifeways -lifework -lift -liftable -lifted -lifter -lifters -liftgate -lifting -liftman -liftmen -liftoff -liftoffs -lifts -ligament -ligan -ligand -ligands -ligans -ligase -ligases -ligate -ligated -ligates -ligating -ligation -ligative -ligature -liger -ligers -light -lighted -lighten -lightens -lighter -lighters -lightest -lightful -lighting -lightish -lightly -lights -lignan -lignans -ligneous -lignify -lignin -lignins -lignite -lignites -lignitic -ligroin -ligroine -ligroins -ligula -ligulae -ligular -ligulas -ligulate -ligule -ligules -liguloid -ligure -ligures -likable -like -likeable -liked -likelier -likely -liken -likened -likeness -likening -likens -liker -likers -likes -likest -likewise -liking -likings -likuta -lilac -lilacs -lilied -lilies -lilliput -lilo -lilo -lilos -lilos -lilt -lilted -lilting -lilts -lily -lilylike -lima -limacine -limacon -limacons -liman -limans -limas -limb -limba -limbas -limbate -limbeck -limbecks -limbed -limber -limbered -limberer -limberly -limbers -limbi -limbic -limbier -limbiest -limbing -limbless -limbo -limbos -limbs -limbus -limbuses -limby -lime -limeade -limeades -limed -limekiln -limeless -limen -limens -limerick -limes -limey -limeys -limier -limiest -limina -liminal -liminess -liming -limit -limitary -limited -limiteds -limiter -limiters -limites -limiting -limits -limmer -limmers -limn -limned -limner -limners -limnetic -limnic -limning -limns -limo -limonene -limonite -limos -limp -limpa -limpas -limped -limper -limpers -limpest -limpet -limpets -limpid -limpidly -limping -limpkin -limpkins -limply -limpness -limps -limpsey -limpsier -limpsy -limuli -limuloid -limulus -limy -lin -linable -linac -linacs -linage -linages -linalol -linalols -linalool -linchpin -lindane -lindanes -linden -lindens -lindies -lindy -line -lineable -lineage -lineages -lineal -lineally -linear -linearly -lineate -lineated -linebred -linecut -linecuts -lined -lineless -linelike -lineman -linemen -linen -linens -lineny -liner -liners -lines -linesman -linesmen -lineup -lineups -liney -ling -linga -lingam -lingams -lingas -lingcod -lingcods -linger -lingered -lingerer -lingerie -lingers -lingier -lingiest -lingo -lingoes -lings -lingua -linguae -lingual -linguals -linguica -linguine -linguini -linguisa -linguist -lingula -lingulae -lingular -lingy -linier -liniest -liniment -linin -lining -linings -linins -link -linkable -linkage -linkages -linkboy -linkboys -linked -linker -linkers -linking -linkman -linkmen -links -linksman -linksmen -linkup -linkups -linkwork -linky -linn -linnet -linnets -linns -lino -linocut -linocuts -linoleum -linos -linotype -lins -linsang -linsangs -linseed -linseeds -linsey -linseys -linstock -lint -linted -lintel -lintels -linter -linters -lintier -lintiest -linting -lintless -lintol -lintols -lints -linty -linum -linums -linuron -linurons -liny -lion -lioness -lionfish -lionise -lionised -lioniser -lionises -lionize -lionized -lionizer -lionizes -lionlike -lions -lip -lipa -lipase -lipases -lipe -lipid -lipide -lipides -lipidic -lipids -lipin -lipins -lipless -liplike -lipocyte -lipoid -lipoidal -lipoids -lipoma -lipomas -lipomata -liposome -lipped -lippen -lippened -lippens -lipper -lippered -lippers -lippier -lippiest -lipping -lippings -lippy -lipread -lipreads -lips -lipstick -liquate -liquated -liquates -liquefy -liqueur -liqueurs -liquid -liquidly -liquids -liquify -liquor -liquored -liquors -lira -liras -lire -liri -liriope -liriopes -liripipe -lirot -liroth -lis -lisente -lisle -lisles -lisp -lisped -lisper -lispers -lisping -lisps -lissom -lissome -lissomly -list -listable -listed -listee -listees -listel -listels -listen -listened -listener -listens -lister -listeria -listers -listing -listings -listless -lists -lit -litai -litanies -litany -litas -litchi -litchis -lite -liteness -liter -literacy -literal -literals -literary -literate -literati -liters -litharge -lithe -lithely -lithemia -lithemic -lither -lithest -lithia -lithias -lithic -lithified -lithifies -lithify -lithifying -lithium -lithiums -litho -lithoed -lithoid -lithoing -lithops -lithos -lithosol -litigant -litigate -litmus -litmuses -litoral -litotes -litotic -litre -litres -lits -litten -litter -littered -litterer -litters -littery -little -littler -littles -littlest -littlish -littoral -litu -liturgic -liturgy -livable -live -liveable -lived -livelier -livelily -livelong -lively -liven -livened -livener -liveners -liveness -livening -livens -liver -livered -liveried -liveries -livering -liverish -livers -livery -lives -livest -livetrap -livid -lividity -lividly -livier -liviers -living -livingly -livings -livre -livres -livyer -livyers -lixivia -lixivial -lixivium -lizard -lizards -llama -llamas -llano -llanos -lo -loach -loaches -load -loaded -loader -loaders -loading -loadings -loads -loadstar -loaf -loafed -loafer -loafers -loafing -loafs -loam -loamed -loamier -loamiest -loaming -loamless -loams -loamy -loan -loanable -loaned -loaner -loaners -loaning -loanings -loans -loanword -loath -loathe -loathed -loather -loathers -loathes -loathful -loathing -loathly -loaves -lob -lobar -lobate -lobated -lobately -lobation -lobbed -lobber -lobbers -lobbied -lobbies -lobbing -lobby -lobbyer -lobbyers -lobbygow -lobbying -lobbyism -lobbyist -lobe -lobed -lobefin -lobefins -lobelia -lobelias -lobeline -lobes -loblolly -lobo -lobos -lobotomy -lobs -lobster -lobsters -lobstick -lobular -lobulate -lobule -lobules -lobulose -lobworm -lobworms -loca -local -locale -locales -localise -localism -localist -localite -locality -localize -locally -locals -locate -located -locater -locaters -locates -locating -location -locative -locator -locators -loch -lochan -lochans -lochia -lochial -lochs -loci -lock -lockable -lockage -lockages -lockbox -lockdown -lockdowns -locked -locker -lockers -locket -lockets -locking -lockjaw -lockjaws -locknut -locknuts -lockout -lockouts -lockram -lockrams -locks -lockset -locksets -lockstep -lockup -lockups -loco -locoed -locoes -locofoco -locoing -locoism -locoisms -locomote -locos -locoweed -locular -loculate -locule -loculed -locules -loculi -loculus -locum -locums -locus -locust -locusta -locustae -locustal -locusts -locution -locutory -lode -loden -lodens -lodes -lodestar -lodge -lodged -lodger -lodgers -lodges -lodging -lodgings -lodgment -lodicule -loess -loessal -loesses -loessial -loft -lofted -lofter -lofters -loftier -loftiest -loftily -lofting -loftless -loftlike -lofts -lofty -log -logan -logania -logans -logbook -logbooks -loge -loges -loggats -logged -logger -loggers -loggets -loggia -loggias -loggie -loggier -loggiest -logging -loggings -loggish -loggy -logia -logic -logical -logician -logicise -logicize -logics -logier -logiest -logily -login -loginess -logins -logion -logions -logistic -logjam -logjams -logo -logogram -logoi -logomach -logon -logons -logos -logotype -logotypy -logroll -logrolls -logs -logway -logways -logwood -logwoods -logy -loid -loided -loiding -loids -loin -loins -loiter -loitered -loiterer -loiters -loll -lolled -loller -lollers -lollies -lolling -lollipop -lollop -lolloped -lollops -lollopy -lolls -lolly -lollygag -lollypop -lomein -lomeins -loment -lomenta -loments -lomentum -lone -lonelier -lonelily -lonely -loneness -loner -loners -lonesome -long -longan -longans -longboat -longbow -longbows -longe -longed -longeing -longer -longeron -longers -longes -longest -longhair -longhand -longhead -longhorn -longies -longing -longings -longish -longjump -longleaf -longline -longly -longneck -longness -longs -longship -longsome -longspur -longtime -longueur -longways -longwise -loo -loobies -looby -looed -looey -looeys -loof -loofa -loofah -loofahs -loofas -loofs -looie -looies -looing -look -lookdown -looked -looker -lookers -looking -lookism -lookisms -lookist -lookists -lookout -lookouts -looks -looksism -lookup -lookups -loom -loomed -looming -looms -loon -looney -looneys -loonie -loonier -loonies -looniest -loonily -loons -loony -loop -looped -looper -loopers -loophole -loopier -loopiest -loopily -looping -loops -loopy -loos -loose -loosed -loosely -loosen -loosened -loosener -loosens -looser -looses -loosest -loosing -loot -looted -looter -looters -looting -loots -lop -lope -loped -loper -lopers -lopes -loping -lopped -lopper -loppered -loppers -loppier -loppiest -lopping -loppy -lops -lopsided -lopstick -loquat -loquats -loral -loran -lorans -lord -lorded -lording -lordings -lordless -lordlier -lordlike -lordling -lordly -lordoma -lordomas -lordoses -lordosis -lordotic -lords -lordship -lore -loreal -lores -lorgnon -lorgnons -lorica -loricae -loricate -lories -lorikeet -lorimer -lorimers -loriner -loriners -loris -lorises -lorn -lornness -lorries -lorry -lory -losable -lose -losel -losels -loser -losers -loses -losing -losingly -losings -loss -losses -lossless -lossy -lost -lostness -lot -lota -lotah -lotahs -lotas -loth -lothario -lothsome -loti -lotic -lotion -lotions -lotos -lotoses -lots -lotte -lotted -lotter -lotters -lottery -lottes -lotting -lotto -lottos -lotus -lotuses -louche -loud -louden -loudened -loudens -louder -loudest -loudish -loudlier -loudly -loudness -lough -loughs -louie -louies -louis -louma -loumas -lounge -lounged -lounger -loungers -lounges -lounging -loungy -loup -loupe -louped -loupen -loupes -louping -loups -lour -loured -louring -lours -loury -louse -loused -louses -lousier -lousiest -lousily -lousing -lousy -lout -louted -louting -loutish -louts -louver -louvered -louvers -louvre -louvres -lovable -lovably -lovage -lovages -lovat -lovats -love -loveable -loveably -lovebird -lovebug -lovebugs -loved -lovefest -loveless -lovelier -lovelies -lovelily -lovelock -lovelorn -lovely -lover -loverly -lovers -loves -loveseat -lovesick -lovesome -lovevine -loving -lovingly -low -lowball -lowballs -lowborn -lowboy -lowboys -lowbred -lowbrow -lowbrows -lowdown -lowdowns -lowe -lowed -lower -lowered -lowering -lowers -lowery -lowes -lowest -lowing -lowings -lowish -lowland -lowlands -lowlier -lowliest -lowlife -lowlifer -lowlifes -lowlight -lowlights -lowlily -lowlives -lowly -lown -lowness -lowrider -lows -lowse -lox -loxed -loxes -loxing -loyal -loyaler -loyalest -loyalism -loyalist -loyally -loyalty -lozenge -lozenges -luau -luaus -lubber -lubberly -lubbers -lube -lubed -lubes -lubing -lubric -lubrical -lucarne -lucarnes -luce -lucence -lucences -lucency -lucent -lucently -lucern -lucerne -lucernes -lucerns -luces -lucid -lucidity -lucidly -lucifer -lucifers -lucite -lucite -lucites -lucites -luck -lucked -luckie -luckier -luckies -luckiest -luckily -lucking -luckless -lucks -lucky -lucre -lucres -luculent -lude -ludes -ludic -lues -luetic -luetics -luff -luffa -luffas -luffed -luffing -luffs -lug -luge -luged -lugeing -luger -lugers -luges -luggage -luggages -lugged -lugger -luggers -luggie -luggies -lugging -luging -lugs -lugsail -lugsails -lugworm -lugworms -lukewarm -lull -lullaby -lulled -luller -lullers -lulling -lulls -lulu -lulus -lum -luma -lumas -lumbago -lumbagos -lumbar -lumbars -lumber -lumbered -lumberer -lumberly -lumbers -lumen -lumenal -lumens -lumina -luminal -luminary -luminism -luminisms -luminist -luminous -lummox -lummoxes -lump -lumped -lumpen -lumpens -lumper -lumpers -lumpfish -lumpier -lumpiest -lumpily -lumping -lumpish -lumps -lumpy -lums -luna -lunacies -lunacy -lunar -lunarian -lunars -lunas -lunate -lunated -lunately -lunatic -lunatics -lunation -lunch -lunchbox -lunched -luncheon -luncher -lunchers -lunches -lunching -lune -lunes -lunet -lunets -lunette -lunettes -lung -lungan -lungans -lunge -lunged -lungee -lungees -lunger -lungers -lunges -lungfish -lungful -lungfuls -lungi -lunging -lungis -lungs -lungworm -lungwort -lungyi -lungyis -lunier -lunies -luniest -lunk -lunker -lunkers -lunkhead -lunks -lunt -lunted -lunting -lunts -lunula -lunulae -lunular -lunulate -lunule -lunules -luny -lupanar -lupanars -lupin -lupine -lupines -lupins -lupous -lupulin -lupulins -lupus -lupuses -lurch -lurched -lurcher -lurchers -lurches -lurching -lurdan -lurdane -lurdanes -lurdans -lure -lured -lurer -lurers -lures -lurex -lurex -lurexes -lurexes -lurid -luridly -luring -luringly -lurk -lurked -lurker -lurkers -lurking -lurks -luscious -lush -lushed -lusher -lushes -lushest -lushing -lushly -lushness -lust -lusted -luster -lustered -lusters -lustful -lustier -lustiest -lustily -lusting -lustra -lustral -lustrate -lustre -lustred -lustres -lustring -lustrous -lustrum -lustrums -lusts -lusty -lusus -lususes -lutanist -lute -lutea -luteal -lutecium -luted -lutefisk -lutefisks -lutein -luteins -lutenist -luteolin -luteous -lutes -lutetium -luteum -lutfisk -lutfisks -luthern -lutherns -luthier -luthiers -luting -lutings -lutist -lutists -lutz -lutzes -luv -luvs -lux -luxate -luxated -luxates -luxating -luxation -luxe -luxes -luxuries -luxury -lwei -lweis -lyard -lyart -lyase -lyases -lycea -lycee -lycees -lyceum -lyceums -lych -lychee -lychees -lyches -lychnis -lycopene -lycopod -lycopods -lycra -lycra -lycras -lycras -lyddite -lyddites -lye -lyes -lying -lyingly -lyings -lymph -lymphoid -lymphoma -lymphs -lyncean -lynch -lynched -lyncher -lynchers -lynches -lynching -lynchpin -lynx -lynxes -lyophile -lyrate -lyrated -lyrately -lyre -lyrebird -lyres -lyric -lyrical -lyricise -lyricism -lyricist -lyricize -lyricon -lyricons -lyrics -lyriform -lyrism -lyrisms -lyrist -lyrists -lysate -lysates -lyse -lysed -lyses -lysin -lysine -lysines -lysing -lysins -lysis -lysogen -lysogens -lysogeny -lysosome -lysozyme -lyssa -lyssas -lytic -lytta -lyttae -lyttas -ma -maar -maars -mabe -mabes -mac -macaber -macabre -macaco -macacos -macadam -macadams -macaque -macaques -macaroni -macaroon -macaw -macaws -maccabaw -maccaboy -macchia -macchie -maccoboy -mace -maced -macer -macerate -macers -maces -mach -mache -maches -machete -machetes -machine -machined -machines -machismo -macho -machoism -machos -machree -machrees -machs -machzor -machzors -macing -mack -mackerel -mackinaw -mackle -mackled -mackles -mackling -macks -macle -macled -macles -macon -macons -macrame -macrames -macro -macron -macrons -macros -macrural -macruran -macs -macula -maculae -macular -maculas -maculate -macule -maculed -macules -maculing -macumba -macumbas -mad -madam -madame -madames -madams -madcap -madcaps -madded -madden -maddened -maddens -madder -madders -maddest -madding -maddish -made -madeira -madeiras -maderize -madhouse -madly -madman -madmen -madness -madonna -madonnas -madras -madrasa -madrasah -madrasas -madrases -madrassa -madre -madres -madrigal -madrona -madronas -madrone -madrones -madrono -madronos -mads -madtom -madtoms -maduro -maduros -madwoman -madwomen -madwort -madworts -madzoon -madzoons -mae -maenad -maenades -maenadic -maenads -maes -maestoso -maestri -maestro -maestros -maffia -maffias -maffick -mafficks -mafia -mafias -mafic -mafiosi -mafioso -mafiosos -maftir -maftirs -mag -magalog -magalogs -magazine -magdalen -mage -magenta -magentas -mages -maggot -maggots -maggoty -magi -magian -magians -magic -magical -magician -magicked -magics -magilp -magilps -magister -maglev -magma -magmas -magmata -magmatic -magnate -magnates -magnesia -magnesic -magnet -magnetic -magneto -magneton -magnetos -magnets -magnific -magnify -magnolia -magnum -magnums -magot -magots -magpie -magpies -mags -maguey -magueys -magus -maharaja -maharani -mahatma -mahatmas -mahimahi -mahjong -mahjongg -mahjongs -mahoe -mahoes -mahogany -mahonia -mahonias -mahout -mahouts -mahuang -mahuangs -mahzor -mahzorim -mahzors -maiasaur -maid -maiden -maidenly -maidens -maidhood -maidish -maids -maieutic -maigre -maihem -maihems -mail -mailable -mailbag -mailbags -mailbox -maile -mailed -mailer -mailers -mailes -mailgram -mailgram -mailgrams -mailing -mailings -maill -mailless -maillot -maillots -maills -mailman -mailmen -mailroom -mails -maim -maimed -maimer -maimers -maiming -maims -main -mainland -mainline -mainly -mainmast -mains -mainsail -mainstay -maintain -maintop -maintops -maiolica -mair -mairs -maist -maists -maize -maizes -majagua -majaguas -majestic -majesty -majolica -major -majored -majoring -majority -majorly -majors -makable -makar -makars -make -makeable -makebate -makefast -makeover -makeovers -maker -makers -makes -makeup -makeups -makimono -making -makings -mako -makos -makuta -malacca -malaccas -maladies -malady -malaise -malaises -malamute -malanga -malangas -malapert -malaprop -malar -malaria -malarial -malarian -malarias -malarkey -malarky -malaroma -malars -malate -malates -male -maleate -maleates -maledict -malefic -malemiut -malemute -maleness -males -malfed -malgre -malic -malice -malices -malign -maligned -maligner -malignly -maligns -malihini -maline -malines -malinger -malison -malisons -malkin -malkins -mall -mallard -mallards -malled -mallee -mallees -mallei -malleoli -mallet -mallets -malleus -malling -mallings -mallow -mallows -malls -malm -malmier -malmiest -malms -malmsey -malmseys -malmy -malodor -malodors -maloti -malposed -malt -maltase -maltases -malted -malteds -maltha -malthas -maltier -maltiest -malting -maltol -maltols -maltose -maltoses -maltreat -malts -maltster -malty -malvasia -mama -mamaliga -mamas -mamba -mambas -mambo -mamboed -mamboes -mamboing -mambos -mameluke -mamey -mameyes -mameys -mamie -mamies -mamluk -mamluks -mamma -mammae -mammal -mammals -mammary -mammas -mammate -mammati -mammatus -mammee -mammees -mammer -mammered -mammers -mammet -mammets -mammey -mammeys -mammie -mammies -mammilla -mammitis -mammock -mammocks -mammon -mammons -mammoth -mammoths -mammy -mamzer -mamzers -man -mana -manacle -manacled -manacles -manage -managed -manager -managers -manages -managing -manakin -manakins -manana -mananas -manas -manat -manatee -manatees -manatoid -manats -manche -manches -manchet -manchets -manciple -mandala -mandalas -mandalic -mandamus -mandarin -mandate -mandated -mandates -mandator -mandible -mandioca -mandola -mandolas -mandolin -mandrake -mandrel -mandrels -mandril -mandrill -mandrils -mane -maned -manege -maneges -maneless -manes -maneuver -manful -manfully -manga -mangabey -mangaby -manganic -manganin -mangas -mange -mangel -mangels -manger -mangers -manges -mangey -mangier -mangiest -mangily -mangle -mangled -mangler -manglers -mangles -mangling -mango -mangoes -mangold -mangolds -mangonel -mangos -mangrove -mangy -manhole -manholes -manhood -manhoods -manhunt -manhunts -mania -maniac -maniacal -maniacs -manias -manic -manics -manicure -manifest -manifold -manihot -manihots -manikin -manikins -manila -manilas -manilla -manillas -manille -manilles -manioc -manioca -maniocas -maniocs -maniple -maniples -manito -manitos -manitou -manitous -manitu -manitus -mankind -manless -manlier -manliest -manlike -manlily -manly -manmade -manna -mannan -mannans -mannas -manned -manner -mannered -mannerly -manners -mannikin -manning -mannish -mannite -mannites -mannitic -mannitol -mannose -mannoses -mano -manor -manorial -manors -manos -manpack -manpower -manque -manrope -manropes -mans -mansard -mansards -manse -manses -mansion -mansions -manta -mantas -manteau -manteaus -manteaux -mantel -mantelet -mantels -mantes -mantic -mantid -mantids -mantilla -mantis -mantises -mantissa -mantle -mantled -mantles -mantlet -mantlets -mantling -mantra -mantram -mantrams -mantrap -mantraps -mantras -mantric -mantua -mantuas -manual -manually -manuals -manuary -manubria -manumit -manumits -manure -manured -manurer -manurers -manures -manurial -manuring -manus -manward -manwards -manwise -many -manyfold -map -maple -maples -maplike -mapmaker -mappable -mapped -mapper -mappers -mapping -mappings -maps -maquette -maqui -maquila -maquilas -maquis -mar -mara -marabou -marabous -marabout -maraca -maracas -maranta -marantas -maras -marasca -marascas -marasmic -marasmus -marathon -maraud -marauded -marauder -marauds -maravedi -marble -marbled -marbler -marblers -marbles -marblier -marbling -marbly -marc -marcato -marcatos -marcel -marcels -march -marched -marchen -marcher -marchers -marches -marchesa -marchese -marchesi -marching -marcs -mare -maremma -maremme -marengo -mares -margaric -margarin -margay -margays -marge -margent -margents -marges -margin -marginal -margined -margins -margrave -maria -mariachi -marigold -marimba -marimbas -marina -marinade -marinara -marinas -marinate -marine -mariner -mariners -marines -mariposa -marish -marishes -marital -maritime -marjoram -mark -marka -markas -markdown -marked -markedly -marker -markers -market -marketed -marketer -markets -markhoor -markhor -markhors -marking -markings -markka -markkaa -markkas -marks -marksman -marksmen -markup -markups -marl -marled -marlier -marliest -marlin -marline -marlines -marling -marlings -marlins -marlite -marlites -marlitic -marls -marly -marmite -marmites -marmoset -marmot -marmots -marocain -marocains -maroon -marooned -maroons -marplot -marplots -marque -marquee -marquees -marques -marquess -marquis -marquise -marram -marrams -marrano -marranos -marred -marrer -marrers -marriage -married -marrieds -marrier -marriers -marries -marring -marron -marrons -marrow -marrowed -marrows -marrowy -marry -marrying -mars -marsala -marsalas -marse -marses -marsh -marshal -marshall -marshals -marshes -marshier -marshy -marsupia -mart -martagon -marted -martello -marten -martens -martial -martian -martians -martin -martinet -marting -martini -martinis -martins -martlet -martlets -marts -martyr -martyred -martyrly -martyrs -martyry -marvel -marveled -marvels -marvy -maryjane -marzipan -mas -masa -masala -masalas -masas -mascara -mascaras -mascon -mascons -mascot -mascots -maser -masers -mash -mashed -masher -mashers -mashes -mashgiah -mashie -mashies -mashing -mashy -masjid -masjids -mask -maskable -masked -maskeg -maskegs -masker -maskers -masking -maskings -masklike -masks -mason -masoned -masonic -masoning -masonite -masonite -masonites -masonry -masons -masque -masquer -masquers -masques -mass -massa -massacre -massage -massaged -massager -massages -massas -masscult -masse -massed -massedly -masses -masseter -masseur -masseurs -masseuse -massicot -massier -massiest -massif -massifs -massing -massive -massless -massy -mast -mastaba -mastabah -mastabas -masted -master -mastered -masterly -masters -mastery -masthead -mastic -mastiche -mastics -mastiff -mastiffs -masting -mastitic -mastitis -mastix -mastixes -mastless -mastlike -mastodon -mastoid -mastoids -masts -masurium -mat -matador -matadors -match -matchbox -matched -matcher -matchers -matches -matching -matchup -matchups -mate -mated -mateless -matelot -matelote -matelots -mater -material -materiel -maternal -maters -mates -mateship -matey -mateys -math -maths -matier -matiest -matilda -matildas -matin -matinal -matinee -matinees -matiness -mating -matings -matins -matless -matrass -matres -matrices -matrix -matrixes -matron -matronal -matronly -matrons -mats -matsah -matsahs -matt -matte -matted -mattedly -matter -mattered -matters -mattery -mattes -mattin -matting -mattings -mattins -mattock -mattocks -mattoid -mattoids -mattrass -mattress -matts -maturate -mature -matured -maturely -maturer -maturers -matures -maturest -maturing -maturity -matza -matzah -matzahs -matzas -matzo -matzoh -matzohs -matzoon -matzoons -matzos -matzot -matzoth -maud -maudlin -mauds -mauger -maugre -maul -mauled -mauler -maulers -mauling -mauls -maumet -maumetry -maumets -maun -maund -maunder -maunders -maundies -maunds -maundy -mausolea -maut -mauts -mauve -mauves -maven -mavens -maverick -mavie -mavies -mavin -mavins -mavis -mavises -maw -mawed -mawing -mawkish -mawn -maws -max -maxed -maxes -maxi -maxicoat -maxilla -maxillae -maxillas -maxim -maxima -maximal -maximals -maximin -maximins -maximise -maximite -maximize -maxims -maximum -maximums -maxing -maxis -maxixe -maxixes -maxwell -maxwells -may -maya -mayan -mayapple -mayas -maybe -maybes -maybird -maybirds -maybush -mayday -maydays -mayed -mayest -mayflies -mayfly -mayhap -mayhem -mayhems -maying -mayings -mayo -mayor -mayoral -mayoress -mayors -mayos -maypole -maypoles -maypop -maypops -mays -mayst -mayvin -mayvins -mayweed -mayweeds -mazaedia -mazard -mazards -maze -mazed -mazedly -mazelike -mazeltov -mazer -mazers -mazes -mazier -maziest -mazily -maziness -mazing -mazourka -mazuma -mazumas -mazurka -mazurkas -mazy -mazzard -mazzards -mbaqanga -mbira -mbiras -me -mead -meadow -meadows -meadowy -meads -meager -meagerly -meagre -meagrely -meal -mealie -mealier -mealies -mealiest -mealless -meals -mealtime -mealworm -mealy -mealybug -mean -meander -meanders -meaner -meaners -meanest -meanie -meanies -meaning -meanings -meanly -meanness -means -meant -meantime -meany -measle -measled -measles -measlier -measly -measure -measured -measurer -measures -meat -meatal -meatball -meated -meathead -meatier -meatiest -meatily -meatless -meatloaf -meatman -meatmen -meats -meatus -meatuses -meaty -mecca -meccas -mechanic -mechitza -meconium -med -medaka -medakas -medal -medaled -medaling -medalist -medalled -medallic -medals -meddle -meddled -meddler -meddlers -meddles -meddling -medevac -medevacs -medflies -medfly -media -mediacy -mediad -mediae -medial -medially -medials -median -medianly -medians -mediant -mediants -medias -mediate -mediated -mediates -mediator -medic -medicaid -medical -medicals -medicant -medicare -medicate -medicide -medicine -medick -medicks -medico -medicos -medics -medieval -medigap -medigaps -medii -medina -medinas -mediocre -meditate -medium -mediums -medius -medivac -medivacs -medlar -medlars -medley -medleys -meds -medulla -medullae -medullar -medullas -medusa -medusae -medusal -medusan -medusans -medusas -medusoid -meed -meeds -meek -meeker -meekest -meekly -meekness -meerkat -meerkats -meet -meeter -meeters -meeting -meetings -meetly -meetness -meets -meg -mega -megabar -megabars -megabit -megabits -megabuck -megabyte -megacities -megacity -megadeal -megadeals -megadose -megadyne -megaflop -megahit -megahits -megalith -megalops -megaplex -megapod -megapode -megapods -megara -megaron -megass -megasse -megasses -megastar -megastars -megaton -megatons -megavolt -megawatt -megilla -megillah -megillas -megilp -megilph -megilphs -megilps -megohm -megohms -megrim -megrims -megs -mehndi -mehndis -meikle -meinie -meinies -meiny -meioses -meiosis -meiotic -meister -meisters -mel -melamdim -melamed -melamine -melange -melanges -melanian -melanic -melanics -melanin -melanins -melanism -melanist -melanite -melanize -melanoid -melanoma -melanous -meld -melded -melder -melders -melding -melds -melee -melees -melena -melenas -melic -melilite -melilot -melilots -melinite -melisma -melismas -mell -melled -mellific -melling -mellow -mellowed -mellower -mellowly -mellows -mells -melodeon -melodia -melodias -melodic -melodica -melodies -melodise -melodist -melodize -melody -meloid -meloids -melon -melons -mels -melt -meltable -meltage -meltages -meltdown -melted -melter -melters -melting -melton -meltons -melts -melty -mem -member -membered -members -membrane -meme -memento -mementos -memes -memetics -memo -memoir -memoirs -memorial -memories -memorise -memorised -memorises -memorising -memorize -memory -memos -mems -memsahib -men -menace -menaced -menacer -menacers -menaces -menacing -menad -menads -menage -menages -menarche -menazon -menazons -mend -mendable -mended -mender -menders -mendigo -mendigos -mending -mendings -mends -menfolk -menfolks -menhaden -menhir -menhirs -menial -menially -menials -meninges -meninx -meniscal -menisci -meniscus -meno -menology -menorah -menorahs -mensa -mensae -mensal -mensas -mensch -menschen -mensches -menschy -mense -mensed -menseful -menses -mensh -menshen -menshes -mensing -menstrua -mensural -menswear -menta -mental -mentally -mentee -mentees -menthene -menthol -menthols -mention -mentions -mentor -mentored -mentors -mentum -menu -menudo -menudos -menus -meou -meoued -meouing -meous -meow -meowed -meowing -meows -mephitic -mephitis -merc -mercapto -mercer -mercers -mercery -merces -merces -merch -merchant -merches -mercies -merciful -mercs -mercuric -mercury -mercy -merde -merdes -mere -merely -merengue -merer -meres -merest -merge -merged -mergee -mergees -mergence -merger -mergers -merges -merging -meridian -meringue -merino -merinos -merises -merisis -meristem -meristic -merit -merited -meriting -merits -merk -merks -merl -merle -merles -merlin -merlins -merlon -merlons -merlot -merlots -merls -mermaid -mermaids -merman -mermen -meropia -meropias -meropic -merrier -merriest -merrily -merry -mesa -mesally -mesarch -mesas -mescal -mescals -mesclun -mescluns -mesdames -meseemed -meseems -mesh -meshed -meshes -meshier -meshiest -meshing -meshuga -meshugah -meshugga -meshugge -meshwork -meshy -mesial -mesially -mesian -mesic -mesmeric -mesnalty -mesne -mesnes -mesocarp -mesoderm -mesoglea -mesomere -meson -mesonic -mesons -mesophyl -mesosome -mesotron -mesozoan -mesozoic -mesozoic -mesquit -mesquite -mesquits -mess -message -messaged -messages -messan -messans -messed -messes -messiah -messiahs -messier -messiest -messily -messing -messman -messmate -messmen -messuage -messy -mestee -mestees -mesteso -mestesos -mestino -mestinos -mestiza -mestizas -mestizo -mestizos -met -meta -metage -metages -metal -metaled -metaling -metalise -metalist -metalize -metalled -metallic -metals -metamer -metamere -metamers -metaphor -metatag -metatags -metate -metates -metazoa -metazoal -metazoan -metazoic -metazoon -mete -meted -meteor -meteoric -meteors -metepa -metepas -meter -meterage -metered -metering -meters -metes -meth -methadon -methane -methanes -methanol -methinks -method -methodic -methods -methoxy -methoxyl -meths -methyl -methylal -methylic -methyls -meticais -metical -meticals -metier -metiers -meting -metis -metisse -metisses -metol -metols -metonym -metonyms -metonymy -metopae -metope -metopes -metopic -metopon -metopons -metrazol -metre -metred -metres -metric -metrical -metrics -metrify -metring -metrist -metrists -metritis -metro -metros -mettle -mettled -mettles -metump -metumps -meuniere -mew -mewed -mewing -mewl -mewled -mewler -mewlers -mewling -mewls -mews -mezcal -mezcals -meze -mezereon -mezereum -mezes -mezquit -mezquite -mezquits -mezuza -mezuzah -mezuzahs -mezuzas -mezuzot -mezuzoth -mezzo -mezzos -mho -mhos -mi -miaou -miaoued -miaouing -miaous -miaow -miaowed -miaowing -miaows -miasm -miasma -miasmal -miasmas -miasmata -miasmic -miasms -miaul -miauled -miauling -miauls -mib -mibs -mic -mica -micas -micawber -mice -micell -micella -micellae -micellar -micelle -micelles -micells -miche -miched -miches -miching -mick -mickey -mickeys -mickle -mickler -mickles -micklest -micks -micra -micrify -micro -microbar -microbe -microbes -microbic -microbus -microcap -microdot -microhm -microhms -microlux -micromho -micron -microns -micros -micrurgy -mics -mid -midair -midairs -midbrain -midcap -midcult -midcults -midday -middays -midden -middens -middies -middle -middled -middler -middlers -middles -middling -middy -midfield -midge -midges -midget -midgets -midgut -midguts -midi -midiron -midirons -midis -midland -midlands -midleg -midlegs -midlife -midlifer -midline -midlines -midlist -midlists -midlives -midmonth -midmost -midmosts -midnight -midnoon -midnoons -midpoint -midrange -midrash -midrib -midribs -midriff -midriffs -mids -midship -midships -midsize -midsized -midsole -midsoles -midspace -midst -midstory -midsts -midterm -midterms -midtown -midtowns -midwatch -midway -midways -midweek -midweeks -midwife -midwifed -midwifes -midwived -midwives -midyear -midyears -mien -miens -miff -miffed -miffier -miffiest -miffing -miffs -miffy -mig -migg -miggle -miggles -miggs -might -mightier -mightily -mights -mighty -mignon -mignonne -mignons -migraine -migrant -migrants -migrate -migrated -migrates -migrator -migs -mihrab -mihrabs -mijnheer -mikado -mikados -mike -miked -mikes -miking -mikra -mikron -mikrons -mikvah -mikvahs -mikveh -mikvehs -mikvos -mikvot -mikvoth -mil -miladi -miladies -miladis -milady -milage -milages -milch -milchig -mild -milded -milden -mildened -mildens -milder -mildest -mildew -mildewed -mildews -mildewy -milding -mildly -mildness -milds -mile -mileage -mileages -milepost -miler -milers -miles -milesian -milesimo -milfoil -milfoils -milia -miliaria -miliary -milieu -milieus -milieux -militant -military -militate -militia -militias -milium -milk -milked -milker -milkers -milkfish -milkier -milkiest -milkily -milking -milkless -milkmaid -milkman -milkmen -milks -milkshed -milksop -milksops -milkweed -milkwood -milkwort -milky -mill -millable -millage -millages -millcake -milldam -milldams -mille -milled -milleped -miller -millers -milles -millet -millets -milliard -milliare -milliary -millibar -millieme -millier -milliers -milligal -millilux -millime -millimes -millimho -milline -milliner -millines -milling -millings -milliohm -million -millions -milliped -millirem -millpond -millrace -millrun -millruns -mills -millwork -milneb -milnebs -milo -milord -milords -milos -milpa -milpas -milreis -mils -milt -milted -milter -milters -miltier -miltiest -milting -milts -milty -mim -mimbar -mimbars -mime -mimed -mimeo -mimeoed -mimeoing -mimeos -mimer -mimers -mimes -mimeses -mimesis -mimetic -mimetite -mimic -mimical -mimicked -mimicker -mimicry -mimics -miming -mimosa -mimosas -mina -minable -minacity -minae -minaret -minarets -minas -minatory -mince -minced -mincer -mincers -minces -mincier -minciest -mincing -mincy -mind -minded -minder -minders -mindful -minding -mindless -minds -mindset -mindsets -mine -mineable -mined -miner -mineral -minerals -miners -mines -mingier -mingiest -mingle -mingled -mingler -minglers -mingles -mingling -mingy -mini -minibar -minibars -minibike -minibus -minicab -minicabs -minicam -minicamp -minicamps -minicams -minicar -minicars -minidisc -minified -minifies -minify -minikin -minikins -minilab -minilabs -minim -minima -minimal -minimals -minimax -minimill -minimills -minimise -minimize -minims -minimum -minimums -mining -minings -minion -minions -minipark -minipill -minis -minish -minished -minishes -miniski -miniskis -minister -ministry -minium -miniums -minivan -minivans -miniver -minivers -mink -minke -minkes -minks -minnies -minnow -minnows -minny -minor -minorca -minorcas -minored -minoring -minority -minors -minster -minsters -minstrel -mint -mintage -mintages -minted -minter -minters -mintier -mintiest -minting -mints -minty -minuend -minuends -minuet -minuets -minus -minuses -minute -minuted -minutely -minuter -minutes -minutest -minutia -minutiae -minutial -minuting -minx -minxes -minxish -minyan -minyanim -minyans -miocene -miocene -mioses -miosis -miotic -miotics -mips -mips -miquelet -mir -miracle -miracles -mirador -miradors -mirage -mirages -mire -mired -mirepoix -mires -mirex -mirexes -miri -mirier -miriest -mirin -miriness -miring -mirins -mirk -mirker -mirkest -mirkier -mirkiest -mirkily -mirks -mirky -mirliton -mirror -mirrored -mirrors -mirs -mirth -mirthful -mirths -miry -mirza -mirzas -mis -misact -misacted -misacts -misadapt -misadd -misadded -misadds -misagent -misaim -misaimed -misaims -misalign -misallot -misally -misalter -misandry -misapply -misassay -misate -misatone -misaver -misavers -misaward -misbegan -misbegin -misbegot -misbegun -misbias -misbill -misbills -misbind -misbinds -misbound -misbrand -misbuild -misbuilt -miscall -miscalls -miscarry -miscast -miscasts -mischief -mischose -miscible -miscite -miscited -miscites -misclaim -misclass -miscode -miscoded -miscodes -miscoin -miscoins -miscolor -miscook -miscooks -miscopy -miscount -miscue -miscued -miscues -miscuing -miscut -miscuts -misdate -misdated -misdates -misdeal -misdeals -misdealt -misdeed -misdeeds -misdeem -misdeems -misdial -misdials -misdid -misdo -misdoer -misdoers -misdoes -misdoing -misdone -misdoubt -misdraw -misdrawn -misdraws -misdrew -misdrive -misdrove -mise -misease -miseases -miseat -miseaten -miseats -misedit -misedits -misenrol -misenter -misentry -miser -miserere -miseries -miserly -misers -misery -mises -misevent -misfaith -misfed -misfeed -misfeeds -misfield -misfile -misfiled -misfiles -misfire -misfired -misfires -misfit -misfits -misfocus -misform -misforms -misframe -misgauge -misgave -misgive -misgiven -misgives -misgrade -misgraft -misgrew -misgrow -misgrown -misgrows -misguess -misguide -mishap -mishaps -mishear -misheard -mishears -mishit -mishits -mishmash -mishmosh -misinfer -misinter -misjoin -misjoins -misjudge -miskal -miskals -miskeep -miskeeps -miskept -miskick -miskicks -misknew -misknow -misknown -misknows -mislabel -mislabor -mislaid -mislain -mislay -mislayer -mislays -mislead -misleads -mislearn -misled -mislie -mislies -mislight -mislike -misliked -misliker -mislikes -mislit -mislive -mislived -mislives -mislodge -mislying -mismade -mismake -mismakes -mismark -mismarks -mismatch -mismate -mismated -mismates -mismeet -mismeets -mismet -mismove -mismoved -mismoves -misname -misnamed -misnames -misnomer -miso -misogamy -misogyny -misology -misorder -misos -mispage -mispaged -mispages -mispaint -misparse -mispart -misparts -mispatch -mispen -mispens -misplace -misplan -misplans -misplant -misplay -misplays -misplead -mispled -mispoint -mispoise -misprice -misprint -misprize -misquote -misraise -misrate -misrated -misrates -misread -misreads -misrefer -misrely -misroute -misrule -misruled -misrules -miss -missable -missaid -missal -missals -missay -missays -misseat -misseats -missed -missel -missels -missend -missends -missense -missent -misses -misset -missets -misshape -misshod -missies -missile -missiles -missilry -missing -mission -missions -missis -missises -missive -missives -missort -missorts -missound -missout -missouts -misspace -misspeak -misspell -misspelt -misspend -misspent -misspoke -misstamp -misstart -misstate -missteer -misstep -missteps -misstop -misstops -misstyle -missuit -missuits -missus -missuses -missy -mist -mistake -mistaken -mistaker -mistakes -mistbow -mistbows -misteach -misted -mistend -mistends -mister -misterm -misterms -misters -misteuk -misthink -misthrew -misthrow -mistier -mistiest -mistily -mistime -mistimed -mistimes -misting -mistitle -mistook -mistouch -mistrace -mistrain -mistral -mistrals -mistreat -mistress -mistrial -mistrust -mistruth -mistryst -mists -mistune -mistuned -mistunes -mistutor -misty -mistype -mistyped -mistypes -misunion -misusage -misuse -misused -misuser -misusers -misuses -misusing -misvalue -misword -miswords -miswrit -miswrite -miswrote -misyoke -misyoked -misyokes -mite -miter -mitered -miterer -miterers -mitering -miters -mites -mither -mithers -miticide -mitier -mitiest -mitigate -mitis -mitises -mitogen -mitogens -mitoses -mitosis -mitotic -mitral -mitre -mitred -mitres -mitring -mitsvah -mitsvahs -mitsvoth -mitt -mitten -mittened -mittens -mittimus -mitts -mity -mitzvah -mitzvahs -mitzvoth -mix -mixable -mixed -mixedly -mixer -mixers -mixes -mixible -mixing -mixology -mixt -mixture -mixtures -mixup -mixups -mizen -mizens -mizuna -mizunas -mizzen -mizzens -mizzle -mizzled -mizzles -mizzling -mizzly -mm -mnemonic -mo -moa -moan -moaned -moaner -moaners -moanful -moaning -moans -moas -moat -moated -moating -moatlike -moats -mob -mobbed -mobber -mobbers -mobbing -mobbish -mobbism -mobbisms -mobcap -mobcaps -mobile -mobiles -mobilise -mobility -mobilize -mobled -mobocrat -mobs -mobster -mobsters -moc -moccasin -mocha -mochas -mochila -mochilas -mock -mockable -mocked -mocker -mockers -mockery -mocking -mocks -mocktail -mockup -mockups -mocs -mod -modal -modality -modally -modals -mode -model -modeled -modeler -modelers -modeling -modelist -modelled -modeller -models -modem -modemed -modeming -modems -moderate -moderato -modern -moderne -moderner -modernes -modernly -moderns -modes -modest -modester -modestly -modesty -modi -modica -modicum -modicums -modified -modifier -modifies -modify -modioli -modiolus -modish -modishly -modiste -modistes -mods -modular -modulars -modulate -module -modules -moduli -modulo -modulus -modus -mofette -mofettes -moffette -mog -mogged -moggie -moggies -mogging -moggy -moghul -moghuls -mogs -mogul -moguled -moguls -mohair -mohairs -mohalim -mohawk -mohawks -mohel -mohelim -mohels -mohur -mohurs -moidore -moidores -moieties -moiety -moil -moiled -moiler -moilers -moiling -moils -moira -moirai -moire -moires -moist -moisten -moistens -moister -moistest -moistful -moistly -moisture -mojarra -mojarras -mojo -mojoes -mojos -moke -mokes -mol -mola -molal -molality -molar -molarity -molars -molas -molasses -mold -moldable -molded -molder -moldered -molders -moldier -moldiest -molding -moldings -molds -moldwarp -moldy -mole -molecule -molehill -moles -moleskin -molest -molested -molester -molests -molies -moline -moll -mollah -mollahs -mollie -mollies -mollify -molls -mollusc -mollusca -molluscs -mollusk -mollusks -molly -moloch -molochs -mols -molt -molted -molten -moltenly -molter -molters -molting -molto -molts -moly -molybdic -mom -mome -moment -momenta -momently -momento -momentos -moments -momentum -momes -momi -momism -momisms -momma -mommas -mommies -mommy -moms -momser -momsers -momus -momuses -momzer -momzers -mon -monachal -monacid -monacids -monad -monadal -monades -monadic -monadism -monads -monandry -monarch -monarchs -monarchy -monarda -monardas -monas -monastic -monaural -monaxial -monaxon -monaxons -monazite -monde -mondes -mondo -mondos -monecian -monellin -moneran -monerans -monetary -monetise -monetize -money -moneybag -moneyed -moneyer -moneyers -moneyman -moneymen -moneys -mongeese -monger -mongered -mongers -mongo -mongoe -mongoes -mongol -mongols -mongoose -mongos -mongrel -mongrels -mongst -monicker -monie -monied -monies -moniker -monikers -monish -monished -monishes -monism -monisms -monist -monistic -monists -monition -monitive -monitor -monitors -monitory -monk -monkery -monkey -monkeyed -monkeys -monkfish -monkhood -monkish -monks -mono -monoacid -monocarp -monocle -monocled -monocles -monocot -monocots -monocrat -monocyte -monodic -monodies -monodist -monody -monoecy -monofil -monofils -monofuel -monogamy -monogeny -monogerm -monoglot -monogram -monogyny -monohull -monohulls -monokine -monolith -monolog -monologs -monology -monomer -monomers -monomial -monopod -monopode -monopods -monopody -monopole -monopoly -monorail -monos -monosome -monosomy -monotint -monotone -monotony -monotype -monoxide -mons -monsieur -monsoon -monsoons -monster -monstera -monsters -montage -montaged -montages -montane -montanes -monte -monteith -montero -monteros -montes -month -monthly -months -monument -monuron -monurons -mony -moo -mooch -mooched -moocher -moochers -mooches -mooching -mood -moodier -moodiest -moodily -moods -moody -mooed -mooing -mool -moola -moolah -moolahs -moolas -mooley -mooleys -mools -moon -moonbeam -moonbow -moonbows -mooncalf -moondust -moondusts -mooned -mooner -mooners -mooneye -mooneyes -moonfish -moonier -mooniest -moonily -mooning -moonish -moonless -moonlet -moonlets -moonlike -moonlit -moonport -moonrise -moonroof -moons -moonsail -moonseed -moonset -moonsets -moonshot -moonwalk -moonward -moonwort -moony -moor -moorage -moorages -moorcock -moored -moorfowl -moorhen -moorhens -moorier -mooriest -mooring -moorings -moorish -moorland -moors -moorwort -moory -moos -moose -moot -mooted -mooter -mooters -mooting -mootness -moots -mop -mopboard -mope -moped -mopeds -moper -moperies -mopers -mopery -mopes -mopey -mopier -mopiest -mopiness -moping -mopingly -mopish -mopishly -mopoke -mopokes -mopped -mopper -moppers -moppet -moppets -mopping -mops -mopy -moquette -mor -mora -morae -morainal -moraine -moraines -morainic -moral -morale -morales -moralise -moralism -moralist -morality -moralize -morally -morals -moras -morass -morasses -morassy -moratory -moray -morays -morbid -morbidly -morbific -morbilli -morceau -morceaux -mordancy -mordant -mordants -mordent -mordents -more -moreen -moreens -morel -morelle -morelles -morello -morellos -morels -moreness -moreover -mores -moresque -morgan -morgans -morgen -morgens -morgue -morgues -moribund -morion -morions -morn -morning -mornings -morns -morocco -moroccos -moron -moronic -moronism -moronity -morons -morose -morosely -morosity -morph -morphed -morpheme -morphia -morphias -morphic -morphin -morphine -morphing -morphins -morpho -morphos -morphs -morrion -morrions -morris -morrises -morro -morros -morrow -morrows -mors -morse -morsel -morseled -morsels -mort -mortal -mortally -mortals -mortar -mortared -mortars -mortary -mortgage -mortice -morticed -mortices -mortify -mortise -mortised -mortiser -mortises -mortmain -morts -mortuary -morula -morulae -morular -morulas -mos -mosaic -mosaics -mosasaur -moschate -mosey -moseyed -moseying -moseys -mosh -moshav -moshavim -moshed -mosher -moshers -moshes -moshing -moshings -mosk -mosks -mosque -mosques -mosquito -moss -mossback -mossed -mosser -mossers -mosses -mossier -mossiest -mossing -mosslike -mosso -mossy -most -moste -mostest -mostests -mostly -mosts -mot -mote -motel -motels -motes -motet -motets -motey -moth -mothball -mother -mothered -motherly -mothers -mothery -mothier -mothiest -mothlike -moths -mothy -motif -motific -motifs -motile -motiles -motility -motion -motional -motioned -motioner -motions -motivate -motive -motived -motives -motivic -motiving -motivity -motley -motleyer -motleys -motlier -motliest -motmot -motmots -motor -motorbus -motorcar -motordom -motored -motoric -motoring -motorise -motorist -motorize -motorman -motormen -motors -motorway -mots -mott -motte -mottes -mottle -mottled -mottler -mottlers -mottles -mottling -motto -mottoes -mottos -motts -mouch -mouched -mouches -mouching -mouchoir -moue -moues -moufflon -mouflon -mouflons -mouille -moujik -moujiks -moulage -moulages -mould -moulded -moulder -moulders -mouldier -moulding -moulds -mouldy -moulin -moulins -moult -moulted -moulter -moulters -moulting -moults -mound -mounded -mounding -mounds -mount -mountain -mounted -mounter -mounters -mounting -mounts -mourn -mourned -mourner -mourners -mournful -mourning -mourns -mousaka -mousakas -mouse -moused -mousepad -mouser -mousers -mouses -mousey -mousier -mousiest -mousily -mousing -mousings -moussaka -mousse -moussed -mousses -moussing -mousy -mouth -mouthed -mouther -mouthers -mouthful -mouthier -mouthily -mouthing -mouths -mouthy -mouton -moutons -movable -movables -movably -move -moveable -moveably -moved -moveless -movement -mover -movers -moves -movie -moviedom -movieola -movies -moving -movingly -moviola -moviolas -mow -mowed -mower -mowers -mowing -mowings -mown -mows -moxa -moxas -moxie -moxies -mozetta -mozettas -mozette -mozo -mozos -mozzetta -mozzette -mridanga -mu -much -muchacho -muches -muchly -muchness -mucho -mucid -mucidity -mucilage -mucin -mucinoid -mucinous -mucins -muck -mucked -mucker -muckers -muckier -muckiest -muckily -mucking -muckle -muckles -muckluck -muckrake -mucks -muckworm -mucky -mucluc -muclucs -mucoid -mucoidal -mucoids -mucor -mucors -mucosa -mucosae -mucosal -mucosas -mucose -mucosity -mucous -mucro -mucrones -mucus -mucuses -mud -mudbug -mudbugs -mudcap -mudcaps -mudcat -mudcats -mudded -mudder -mudders -muddied -muddier -muddies -muddiest -muddily -mudding -muddle -muddled -muddler -muddlers -muddles -muddling -muddly -muddy -muddying -mudfish -mudflap -mudflaps -mudflat -mudflats -mudflow -mudflows -mudguard -mudhen -mudhens -mudhole -mudholes -mudlark -mudlarks -mudpack -mudpacks -mudpuppy -mudra -mudras -mudrock -mudrocks -mudroom -mudrooms -muds -mudsill -mudsills -mudslide -mudstone -mueddin -mueddins -muenster -muesli -mueslis -muezzin -muezzins -muff -muffed -muffin -muffing -muffins -muffle -muffled -muffler -mufflers -muffles -muffling -muffs -mufti -muftis -mug -mugful -mugfuls -mugg -muggar -muggars -mugged -muggee -muggees -mugger -muggers -muggier -muggiest -muggily -mugging -muggings -muggins -muggs -muggur -muggurs -muggy -mughal -mughals -mugs -mugwort -mugworts -mugwump -mugwumps -muhlies -muhly -mujik -mujiks -mukluk -mukluks -muktuk -muktuks -mulatto -mulattos -mulberry -mulch -mulched -mulches -mulching -mulct -mulcted -mulcting -mulcts -mule -muled -mules -muleta -muletas -muleteer -muley -muleys -muling -mulish -mulishly -mull -mulla -mullah -mullahs -mullas -mulled -mullein -mulleins -mullen -mullens -muller -mullers -mullet -mullets -mulley -mulleys -mulligan -mulling -mullion -mullions -mullite -mullites -mullock -mullocks -mullocky -mulls -multiage -multicar -multiday -multifid -multijet -multiped -multiple -multiply -multiton -multiuse -multure -multures -mum -mumble -mumbled -mumbler -mumblers -mumbles -mumbling -mumbly -mumm -mummed -mummer -mummers -mummery -mummied -mummies -mummify -mumming -mumms -mummy -mummying -mump -mumped -mumper -mumpers -mumping -mumps -mums -mumu -mumus -mun -munch -munched -muncher -munchers -munches -munchies -munching -munchkin -mundane -mundungo -mungo -mungoes -mungoose -mungos -muni -muniment -munis -munition -munnion -munnions -muns -munster -munsters -muntin -munting -muntings -muntins -muntjac -muntjacs -muntjak -muntjaks -muon -muonic -muonium -muoniums -muons -mura -muraenid -mural -muraled -muralist -muralled -murals -muras -murder -murdered -murderee -murderer -murders -mure -mured -murein -mureins -mures -murex -murexes -muriate -muriated -muriates -muricate -murices -murid -murids -murine -murines -muring -murk -murker -murkest -murkier -murkiest -murkily -murkly -murks -murky -murmur -murmured -murmurer -murmurs -murphies -murphy -murr -murra -murrain -murrains -murras -murre -murrelet -murres -murrey -murreys -murrha -murrhas -murrhine -murries -murrine -murrs -murry -murther -murthers -mus -musca -muscadel -muscadet -muscae -muscat -muscatel -muscats -muscid -muscids -muscle -muscled -muscles -muscling -muscly -muscular -muse -mused -museful -muser -musers -muses -musette -musettes -museum -museums -mush -mushed -musher -mushers -mushes -mushier -mushiest -mushily -mushing -mushroom -mushy -music -musical -musicale -musicals -musician -musick -musicked -musicks -musics -musing -musingly -musings -musjid -musjids -musk -muskeg -muskegs -musket -musketry -muskets -muskie -muskier -muskies -muskiest -muskily -muskit -muskits -muskox -muskoxen -muskrat -muskrats -muskroot -musks -musky -muslin -muslins -muspike -muspikes -musquash -muss -mussed -mussel -mussels -musses -mussier -mussiest -mussily -mussing -mussy -must -mustache -mustang -mustangs -mustard -mustards -mustardy -musted -mustee -mustees -mustelid -muster -mustered -musters -musth -musths -mustier -mustiest -mustily -musting -musts -musty -mut -mutable -mutably -mutagen -mutagens -mutant -mutants -mutase -mutases -mutate -mutated -mutates -mutating -mutation -mutative -mutch -mutches -mutchkin -mute -muted -mutedly -mutely -muteness -muter -mutes -mutest -muticous -mutilate -mutine -mutined -mutineer -mutines -muting -mutinied -mutinies -mutining -mutinous -mutiny -mutism -mutisms -muton -mutons -muts -mutt -mutter -muttered -mutterer -mutters -mutton -muttons -muttony -mutts -mutual -mutually -mutuals -mutuel -mutuels -mutular -mutule -mutules -muumuu -muumuus -muzhik -muzhiks -muzjik -muzjiks -muzzier -muzziest -muzzily -muzzle -muzzled -muzzler -muzzlers -muzzles -muzzling -muzzy -my -myalgia -myalgias -myalgic -myases -myasis -myc -mycele -myceles -mycelia -mycelial -mycelian -mycelium -myceloid -mycetoma -mycology -mycoses -mycosis -mycotic -mycs -myelin -myeline -myelines -myelinic -myelins -myelitis -myeloid -myeloma -myelomas -myiases -myiasis -mylar -mylar -mylars -mylars -mylonite -myna -mynah -mynahs -mynas -mynheer -mynheers -myoblast -myogenic -myograph -myoid -myologic -myology -myoma -myomas -myomata -myopathy -myope -myopes -myopia -myopias -myopic -myopies -myopy -myoscope -myoses -myosin -myosins -myosis -myositis -myosote -myosotes -myosotis -myotic -myotics -myotome -myotomes -myotonia -myotonic -myriad -myriads -myriapod -myrica -myricas -myriopod -myrmidon -myrrh -myrrhic -myrrhs -myrtle -myrtles -myself -mysid -mysids -mysost -mysosts -mystagog -mystery -mystic -mystical -mysticly -mystics -mystify -mystique -myth -mythic -mythical -mythier -mythiest -mythoi -mythos -myths -mythy -myxameba -myxedema -myxocyte -myxoid -myxoma -myxomas -myxomata -na -naan -naans -nab -nabbed -nabber -nabbers -nabbing -nabe -nabes -nabis -nabob -nabobery -nabobess -nabobish -nabobism -nabobs -nabs -nacelle -nacelles -nachas -naches -nacho -nachos -nacre -nacred -nacreous -nacres -nada -nadas -nadir -nadiral -nadirs -nae -naething -naevi -naevoid -naevus -naff -naffed -naffing -naffs -nag -nagana -naganas -nagged -nagger -naggers -naggier -naggiest -nagging -naggy -nags -nah -naiad -naiades -naiads -naif -naifs -nail -nailed -nailer -nailers -nailfold -nailhead -nailing -nails -nailset -nailsets -nainsook -naira -nairas -nairu -nairus -naive -naively -naiver -naives -naivest -naivete -naivetes -naivety -naked -nakeder -nakedest -nakedly -nakfa -nakfas -nala -nalas -naled -naleds -naloxone -nam -namable -name -nameable -named -nameless -namely -namer -namers -names -namesake -nametag -nametags -naming -nan -nana -nanas -nance -nances -nancies -nancy -nandin -nandina -nandinas -nandins -nanism -nanisms -nankeen -nankeens -nankin -nankins -nannie -nannies -nanny -nannyish -nanogram -nanotech -nanotube -nanowatt -nans -naoi -naos -nap -napa -napalm -napalmed -napalms -napas -nape -naperies -napery -napes -naphtha -naphthas -naphthol -naphthyl -naphtol -naphtols -napiform -napkin -napkins -napless -napoleon -nappa -nappas -nappe -napped -napper -nappers -nappes -nappie -nappier -nappies -nappiest -napping -nappy -naproxen -naps -narc -narcein -narceine -narceins -narcism -narcisms -narcissi -narcist -narcists -narco -narcoma -narcomas -narcos -narcose -narcoses -narcosis -narcotic -narcs -nard -nardine -nards -nares -narghile -nargile -nargileh -nargiles -narial -naric -narine -naris -nark -narked -narking -narks -narky -narrate -narrated -narrater -narrates -narrator -narrow -narrowed -narrower -narrowly -narrows -narthex -narwal -narwals -narwhal -narwhale -narwhals -nary -nasal -nasalise -nasalism -nasality -nasalize -nasally -nasals -nascence -nascency -nascent -nasial -nasion -nasions -nastic -nastier -nasties -nastiest -nastily -nasty -natal -natality -natant -natantly -natation -natatory -natch -nates -nathless -nation -national -nations -native -natively -natives -nativism -nativist -nativity -natrium -natriums -natron -natrons -natter -nattered -natters -nattier -nattiest -nattily -natty -natural -naturals -nature -natured -natures -naturism -naturist -naught -naughts -naughty -naumachy -nauplial -nauplii -nauplius -nausea -nauseant -nauseas -nauseate -nauseous -nautch -nautches -nautical -nautili -nautilus -navaid -navaids -naval -navally -navar -navars -nave -navel -navels -naves -navette -navettes -navicert -navies -navigate -navvies -navvy -navy -naw -nawab -nawabs -nay -nays -naysaid -naysay -naysayer -naysays -nazi -nazified -nazifies -nazify -nazis -ne -neap -neaps -near -nearby -neared -nearer -nearest -nearing -nearlier -nearly -nearness -nears -nearside -nearsides -neat -neaten -neatened -neatens -neater -neatest -neath -neatherd -neatly -neatness -neatnik -neatniks -neats -neb -nebbish -nebbishy -nebs -nebula -nebulae -nebular -nebulas -nebule -nebulise -nebulize -nebulose -nebulous -nebuly -neck -neckband -necked -necker -neckers -necking -neckings -necklace -neckless -necklike -neckline -necks -necktie -neckties -neckwear -necropsy -necrose -necrosed -necroses -necrosis -necrotic -nectar -nectars -nectary -neddies -neddy -nee -need -needed -needer -needers -needful -needfuls -needier -neediest -needily -needing -needle -needled -needler -needlers -needles -needless -needling -needs -needy -neem -neems -neep -neeps -neg -negate -negated -negater -negaters -negates -negating -negation -negative -negaton -negatons -negator -negators -negatron -neglect -neglects -neglige -negligee -negliges -negroid -negroids -negroni -negronis -negs -negus -neguses -neif -neifs -neigh -neighbor -neighed -neighing -neighs -neist -neither -nekton -nektonic -nektons -nellie -nellies -nelly -nelson -nelsons -nelumbo -nelumbos -nema -nemas -nematic -nematode -nemeses -nemesis -nene -nenes -neocon -neocons -neogene -neogene -neolith -neoliths -neologic -neology -neomorph -neomycin -neon -neonatal -neonate -neonates -neoned -neons -neophyte -neoplasm -neoprene -neotenic -neoteny -neoteric -neotype -neotypes -nepenthe -nepeta -nepetas -nephew -nephews -nephric -nephrism -nephrite -nephron -nephrons -nepotic -nepotism -nepotist -nerd -nerdier -nerdiest -nerdish -nerds -nerdy -nereid -nereides -nereids -nereis -neritic -nerol -neroli -nerolis -nerols -nerts -nertz -nervate -nerve -nerved -nerves -nervier -nerviest -nervily -nervine -nervines -nerving -nervings -nervous -nervule -nervules -nervure -nervures -nervy -nescient -ness -nesses -nest -nestable -nested -nester -nesters -nesting -nestle -nestled -nestler -nestlers -nestles -nestlike -nestling -nestor -nestors -nests -net -nether -netizen -netizens -netless -netlike -netop -netops -nets -netsuke -netsukes -nett -nettable -netted -netter -netters -nettier -nettiest -netting -nettings -nettle -nettled -nettler -nettlers -nettles -nettlier -nettling -nettly -netts -netty -network -networks -neuk -neuks -neum -neumatic -neume -neumes -neumic -neums -neural -neurally -neuraxon -neurine -neurines -neuritic -neuritis -neuroid -neuroma -neuromas -neuron -neuronal -neurone -neurones -neuronic -neurons -neurosal -neuroses -neurosis -neurotic -neurula -neurulae -neurular -neurulas -neustic -neuston -neustons -neuter -neutered -neuters -neutral -neutrals -neutrino -neutron -neutrons -neve -never -neves -nevi -nevoid -nevus -new -newbie -newbies -newborn -newborns -newcomer -newel -newels -newer -newest -newfound -newie -newies -newish -newly -newlywed -newmown -newness -news -newsbeat -newsboy -newsboys -newscast -newsdesk -newsgirl -newshawk -newsie -newsier -newsies -newsiest -newsless -newsman -newsmen -newspeak -newsreel -newsroom -newswire -newsy -newt -newton -newtons -newts -newwaver -next -nextdoor -nexus -nexuses -ngultrum -ngwee -niacin -niacins -nib -nibbed -nibbing -nibble -nibbled -nibbler -nibblers -nibbles -nibbling -niblick -niblicks -niblike -nibs -nicad -nicads -nice -nicely -niceness -nicer -nicest -niceties -nicety -niche -niched -niches -niching -nick -nicked -nickel -nickeled -nickelic -nickels -nicker -nickered -nickers -nicking -nickle -nickled -nickles -nickling -nicknack -nickname -nicks -nicoise -nicol -nicols -nicotin -nicotine -nicotins -nictate -nictated -nictates -nidal -nidate -nidated -nidates -nidating -nidation -nide -nided -nidering -nides -nidget -nidgets -nidi -nidified -nidifies -nidify -niding -nidus -niduses -niece -nieces -nielli -niellist -niello -nielloed -niellos -nieve -nieves -niffer -niffered -niffers -niftier -nifties -niftiest -niftily -nifty -nigella -nigellas -niggard -niggards -nigger -niggers -niggle -niggled -niggler -nigglers -niggles -nigglier -niggling -niggly -nigh -nighed -nigher -nighest -nighing -nighness -nighs -night -nightcap -nightie -nighties -nightjar -nightly -nights -nighty -nigrify -nigrosin -nihil -nihilism -nihilist -nihility -nihils -nil -nilgai -nilgais -nilgau -nilgaus -nilghai -nilghais -nilghau -nilghaus -nill -nilled -nilling -nills -nils -nim -nimbi -nimble -nimbler -nimblest -nimbly -nimbus -nimbused -nimbuses -nimiety -nimious -nimmed -nimming -nimrod -nimrods -nims -nine -ninebark -ninefold -ninepin -ninepins -nines -nineteen -nineties -ninety -ninja -ninjas -ninnies -ninny -ninnyish -ninon -ninons -ninth -ninthly -ninths -niobate -niobates -niobic -niobite -niobites -niobium -niobiums -niobous -nip -nipa -nipas -nipped -nipper -nippers -nippier -nippiest -nippily -nipping -nipple -nippled -nipples -nippy -nips -nirvana -nirvanas -nirvanic -nisei -niseis -nisi -nisus -nit -nitchie -nitchies -nite -niter -niterie -niteries -niters -nitery -nites -nitid -nitinol -nitinols -niton -nitons -nitpick -nitpickier -nitpickiest -nitpicks -nitpicky -nitrate -nitrated -nitrates -nitrator -nitre -nitres -nitric -nitrid -nitride -nitrided -nitrides -nitrids -nitrify -nitril -nitrile -nitriles -nitrils -nitrite -nitrites -nitro -nitrogen -nitrolic -nitros -nitroso -nitrosyl -nitrous -nits -nittier -nittiest -nitty -nitwit -nitwits -nival -niveous -nix -nixe -nixed -nixes -nixie -nixies -nixing -nixy -nizam -nizamate -nizams -no -nob -nobbier -nobbiest -nobbily -nobble -nobbled -nobbler -nobblers -nobbles -nobbling -nobby -nobelium -nobility -noble -nobleman -noblemen -nobler -nobles -noblesse -noblest -nobly -nobodies -nobody -nobs -nocent -nock -nocked -nocking -nocks -noctuid -noctuids -noctule -noctules -noctuoid -nocturn -nocturne -nocturns -nocuous -nod -nodal -nodality -nodally -nodded -nodder -nodders -noddies -nodding -noddle -noddled -noddles -noddling -noddy -node -nodes -nodi -nodical -nodose -nodosity -nodous -nods -nodular -nodule -nodules -nodulose -nodulous -nodus -noel -noels -noes -noesis -noesises -noetic -nog -nogg -nogged -noggin -nogging -noggings -noggins -noggs -nogs -noh -nohow -noil -noils -noily -noir -noirish -noirs -noise -noised -noises -noisette -noisier -noisiest -noisily -noising -noisome -noisy -nolo -nolos -nom -noma -nomad -nomadic -nomadism -nomads -nomarch -nomarchs -nomarchy -nomas -nombles -nombril -nombrils -nome -nomen -nomes -nomina -nominal -nominals -nominate -nominee -nominees -nomism -nomisms -nomistic -nomogram -nomoi -nomology -nomos -noms -nona -nonacid -nonacids -nonactor -nonadult -nonage -nonages -nonagon -nonagons -nonart -nonarts -nonas -nonbank -nonbanks -nonbasic -nonbeing -nonblack -nonbody -nonbook -nonbooks -nonbrand -noncash -nonce -nonces -nonclass -noncling -noncola -noncolas -noncolor -noncom -noncoms -noncore -noncrime -nondairy -nondance -nondrip -nondrug -none -nonego -nonegos -nonelect -nonelite -nonempty -nonentry -nonequal -nones -nonesuch -nonet -nonets -nonevent -nonfact -nonfacts -nonfan -nonfans -nonfarm -nonfat -nonfatal -nonfatty -nonfinal -nonfluid -nonfocal -nonfood -nonfuel -nongame -nongay -nongays -nonglare -nonglares -nongreen -nonguest -nonguests -nonguilt -nonhardy -nonheme -nonhero -nonhome -nonhuman -nonideal -nonimage -noninert -nonionic -noniron -nonissue -nonjuror -nonjury -nonlabor -nonleafy -nonlegal -nonlevel -nonlife -nonlives -nonlocal -nonloyal -nonlyric -nonmajor -nonman -nonmeat -nonmen -nonmetal -nonmetro -nonmodal -nonmoney -nonmoral -nonmusic -nonnasal -nonnaval -nonnews -nonnoble -nonnovel -nonobese -nonohmic -nonoily -nonoral -nonowner -nonpagan -nonpaid -nonpapal -nonpar -nonparty -nonpast -nonpasts -nonpeak -nonplay -nonplays -nonplus -nonpoint -nonpolar -nonpoor -nonprint -nonpros -nonquota -nonrated -nonrigid -nonrival -nonroyal -nonrural -nonself -nonsense -nonsked -nonskeds -nonskid -nonskier -nonslip -nonsolar -nonsolid -nonstick -nonstop -nonstops -nonstory -nonstyle -nonstyles -nonsuch -nonsugar -nonsuit -nonsuits -nontax -nontaxes -nontidal -nontitle -nontonal -nontonic -nontoxic -nontrump -nontruth -nonunion -nonuple -nonuples -nonurban -nonuse -nonuser -nonusers -nonuses -nonusing -nonvalid -nonviral -nonvital -nonvocal -nonvoter -nonwage -nonwar -nonwars -nonwhite -nonwoody -nonwool -nonword -nonwords -nonwork -nonwoven -nonyl -nonyls -nonzero -noo -noodge -noodged -noodges -noodging -noodle -noodled -noodles -noodling -noogie -noogies -nook -nookies -nooklike -nooks -nooky -noon -noonday -noondays -nooning -noonings -noons -noontide -noontime -noose -noosed -nooser -noosers -nooses -noosing -nopal -nopales -nopalito -nopals -nope -noplace -nor -nordic -nori -noria -norias -noris -norite -norites -noritic -norland -norlands -norm -normal -normalcy -normally -normals -normande -normed -normless -norms -north -norther -northern -northers -northing -norths -nos -nose -nosebag -nosebags -noseband -nosed -nosedive -nosedove -nosegay -nosegays -noseless -noselike -noses -nosey -nosh -noshed -nosher -noshers -noshes -noshing -nosier -nosiest -nosily -nosiness -nosing -nosings -nosology -nostoc -nostocs -nostril -nostrils -nostrum -nostrums -nosy -not -nota -notable -notables -notably -notal -notarial -notaries -notarize -notary -notate -notated -notates -notating -notation -notch -notched -notcher -notchers -notches -notching -note -notebook -notecard -notecase -noted -notedly -noteless -notepad -notepads -noter -noters -notes -nother -nothing -nothings -notice -noticed -noticer -noticers -notices -noticing -notified -notifier -notifies -notify -noting -notion -notional -notions -notornis -notturni -notturno -notum -nougat -nougats -nought -noughts -noumena -noumenal -noumenon -noun -nounal -nounally -nounless -nouns -nourish -nous -nouses -nouveau -nouvelle -nova -novae -novalike -novas -novation -novel -novelise -novelist -novelize -novella -novellas -novelle -novelly -novels -novelty -novena -novenae -novenas -novercal -novice -novices -now -nowadays -noway -noways -nowhere -nowheres -nowise -nowness -nows -nowt -nowts -noxious -noyade -noyades -nozzle -nozzles -nth -nu -nuance -nuanced -nuances -nub -nubbier -nubbiest -nubbin -nubbins -nubble -nubbles -nubblier -nubbly -nubby -nubia -nubias -nubile -nubility -nubilose -nubilous -nubs -nubuck -nubucks -nucellar -nucelli -nucellus -nucha -nuchae -nuchal -nuchals -nucleal -nuclear -nuclease -nucleate -nuclei -nuclein -nucleins -nucleoid -nucleole -nucleoli -nucleon -nucleons -nucleus -nuclide -nuclides -nuclidic -nude -nudely -nudeness -nuder -nudes -nudest -nudge -nudged -nudger -nudgers -nudges -nudging -nudicaul -nudie -nudies -nudism -nudisms -nudist -nudists -nudities -nudity -nudnick -nudnicks -nudnik -nudniks -nudzh -nudzhed -nudzhes -nudzhing -nugatory -nugget -nuggets -nuggety -nuisance -nuke -nuked -nukes -nuking -null -nullah -nullahs -nulled -nullify -nulling -nullity -nulls -numb -numbat -numbats -numbed -number -numbered -numberer -numbers -numbest -numbfish -numbing -numbles -numbly -numbness -numbs -numchuck -numen -numeracy -numeral -numerals -numerary -numerate -numeric -numerics -numerous -numina -numinous -nummary -nummular -numskull -nun -nunatak -nunataks -nunchaku -nuncio -nuncios -nuncle -nuncles -nunlike -nunnery -nunnish -nuns -nuptial -nuptials -nurd -nurds -nurl -nurled -nurling -nurls -nurse -nursed -nurser -nursers -nursery -nurses -nursing -nursings -nursling -nurtural -nurture -nurtured -nurturer -nurtures -nus -nut -nutant -nutate -nutated -nutates -nutating -nutation -nutbrown -nutcase -nutcases -nutgall -nutgalls -nutgrass -nuthatch -nuthouse -nutlet -nutlets -nutlike -nutmeat -nutmeats -nutmeg -nutmegs -nutpick -nutpicks -nutria -nutrias -nutrient -nuts -nutsedge -nutshell -nutsier -nutsiest -nutsy -nutted -nutter -nutters -nuttier -nuttiest -nuttily -nutting -nuttings -nutty -nutwood -nutwoods -nuzzle -nuzzled -nuzzler -nuzzlers -nuzzles -nuzzling -nyala -nyalas -nylghai -nylghais -nylghau -nylghaus -nylon -nylons -nymph -nympha -nymphae -nymphal -nymphean -nymphet -nymphets -nympho -nymphos -nymphs -nystatin -oaf -oafish -oafishly -oafs -oak -oaken -oakier -oakiest -oaklike -oakmoss -oaks -oakum -oakums -oaky -oar -oared -oarfish -oaring -oarless -oarlike -oarlock -oarlocks -oars -oarsman -oarsmen -oases -oasis -oast -oasts -oat -oatcake -oatcakes -oaten -oater -oaters -oath -oaths -oatlike -oatmeal -oatmeals -oats -oaves -oba -obas -obconic -obduracy -obdurate -obe -obeah -obeahism -obeahs -obedient -obeisant -obeli -obelia -obelias -obelise -obelised -obelises -obelisk -obelisks -obelism -obelisms -obelize -obelized -obelizes -obelus -obento -obentos -obes -obese -obesely -obesity -obey -obeyable -obeyed -obeyer -obeyers -obeying -obeys -obi -obia -obias -obiism -obiisms -obis -obit -obits -obituary -object -objected -objector -objects -objet -objets -oblast -oblasti -oblasts -oblate -oblately -oblates -oblation -oblatory -obligate -obligati -obligato -oblige -obliged -obligee -obligees -obliger -obligers -obliges -obliging -obligor -obligors -oblique -obliqued -obliques -oblivion -oblong -oblongly -oblongs -obloquy -oboe -oboes -oboist -oboists -obol -obole -oboles -oboli -obols -obolus -obovate -obovoid -obscene -obscener -obscure -obscured -obscurer -obscures -obsequy -observe -observed -observer -observes -obsess -obsessed -obsesses -obsessor -obsidian -obsolete -obstacle -obstruct -obtain -obtained -obtainer -obtains -obtect -obtected -obtest -obtested -obtests -obtrude -obtruded -obtruder -obtrudes -obtund -obtunded -obtunds -obturate -obtuse -obtusely -obtuser -obtusest -obtusity -obverse -obverses -obvert -obverted -obverts -obviable -obviate -obviated -obviates -obviator -obvious -obvolute -oca -ocarina -ocarinas -ocas -occasion -occident -occipita -occiput -occiputs -occlude -occluded -occludes -occlusal -occult -occulted -occulter -occultly -occults -occupant -occupied -occupier -occupies -occupy -occur -occurred -occurs -ocean -oceanaut -oceanic -oceans -ocellar -ocellate -ocelli -ocellus -oceloid -ocelot -ocelots -ocher -ochered -ochering -ocherous -ochers -ochery -ochone -ochre -ochrea -ochreae -ochred -ochreous -ochres -ochring -ochroid -ochrous -ochry -ocicat -ocicats -ocker -ockers -ocotillo -ocrea -ocreae -ocreate -octad -octadic -octads -octagon -octagons -octal -octan -octane -octanes -octangle -octanol -octanols -octans -octant -octantal -octants -octarchy -octaval -octave -octaves -octavo -octavos -octet -octets -octette -octettes -octonary -octopi -octopod -octopods -octopus -octoroon -octroi -octrois -octuple -octupled -octuples -octuplet -octuplex -octuply -octyl -octyls -ocular -ocularly -oculars -oculi -oculist -oculists -oculus -od -oda -odah -odahs -odalisk -odalisks -odas -odd -oddball -oddballs -odder -oddest -oddish -oddities -oddity -oddly -oddment -oddments -oddness -odds -ode -odea -odeon -odeons -odes -odeum -odeums -odic -odious -odiously -odist -odists -odium -odiums -odograph -odometer -odometry -odonate -odonates -odontoid -odor -odorant -odorants -odored -odorful -odorize -odorized -odorizes -odorless -odorous -odors -odour -odourful -odours -ods -odyl -odyle -odyles -odyls -odyssey -odysseys -oe -oecology -oedema -oedemas -oedemata -oedipal -oedipean -oeillade -oenology -oenomel -oenomels -oersted -oersteds -oes -oestrin -oestrins -oestriol -oestrone -oestrous -oestrum -oestrums -oestrus -oeuvre -oeuvres -of -ofay -ofays -off -offal -offals -offbeat -offbeats -offcast -offcasts -offcut -offcuts -offed -offence -offences -offend -offended -offender -offends -offense -offenses -offer -offered -offerer -offerers -offering -offeror -offerors -offers -offhand -office -officer -officers -offices -official -offing -offings -offish -offishly -offkey -offline -offload -offloads -offprint -offramp -offramps -offs -offset -offsets -offshoot -offshore -offside -offsides -offstage -offtrack -oft -often -oftener -oftenest -ofter -oftest -ofttimes -ogam -ogams -ogdoad -ogdoads -ogee -ogees -ogham -oghamic -oghamist -oghams -ogival -ogive -ogives -ogle -ogled -ogler -oglers -ogles -ogling -ogre -ogreish -ogreism -ogreisms -ogres -ogress -ogresses -ogrish -ogrishly -ogrism -ogrisms -oh -ohed -ohia -ohias -ohing -ohm -ohmage -ohmages -ohmic -ohmmeter -ohms -oho -ohs -oi -oidia -oidioid -oidium -oil -oilbird -oilbirds -oilcamp -oilcamps -oilcan -oilcans -oilcloth -oilcup -oilcups -oiled -oiler -oilers -oilhole -oilholes -oilier -oiliest -oilily -oiliness -oiling -oilman -oilmen -oilpaper -oilproof -oils -oilseed -oilseeds -oilskin -oilskins -oilstone -oiltight -oilway -oilways -oily -oink -oinked -oinking -oinks -oinology -oinomel -oinomels -ointment -oiticica -oka -okapi -okapis -okas -okay -okayed -okaying -okays -oke -okeh -okehs -okes -okeydoke -okra -okras -old -olden -older -oldest -oldie -oldies -oldish -oldness -olds -oldsquaw -oldster -oldsters -oldstyle -oldwife -oldwives -oldy -ole -olea -oleander -oleaster -oleate -oleates -olefin -olefine -olefines -olefinic -olefins -oleic -olein -oleine -oleines -oleins -oleo -oleos -oles -olestra -olestras -oleum -oleums -olibanum -olicook -olicooks -oligarch -oligomer -oliguria -olingo -olingos -olio -olios -olivary -olive -olives -olivine -olivines -olivinic -olla -ollas -ologies -ologist -ologists -ology -oloroso -olorosos -olympiad -om -omasa -omasum -omber -ombers -ombre -ombres -omega -omegas -omelet -omelets -omelette -omen -omened -omening -omens -omenta -omental -omentum -omentums -omer -omers -omicron -omicrons -omikron -omikrons -ominous -omission -omissive -omit -omits -omitted -omitter -omitters -omitting -omniarch -omnibus -omnific -omniform -omnimode -omnivora -omnivore -omophagy -omphali -omphalos -oms -on -onager -onagers -onagri -onanism -onanisms -onanist -onanists -onboard -once -oncet -oncidium -oncogene -oncology -oncoming -ondogram -one -onefold -oneiric -oneness -onerier -oneriest -onerous -onery -ones -oneself -onetime -ongoing -onion -onions -oniony -onium -onlay -onlays -online -onload -onloaded -onloads -onlooker -only -ono -onos -onrush -onrushes -ons -onscreen -onset -onsets -onshore -onside -onstage -onstream -ontic -onto -ontogeny -ontology -onus -onuses -onward -onwards -onyx -onyxes -oocyst -oocysts -oocyte -oocytes -oodles -oodlins -oogamete -oogamies -oogamous -oogamy -oogenies -oogeny -oogonia -oogonial -oogonium -ooh -oohed -oohing -oohs -oolachan -oolite -oolites -oolith -ooliths -oolitic -oologic -oologies -oologist -oology -oolong -oolongs -oomiac -oomiack -oomiacks -oomiacs -oomiak -oomiaks -oompah -oompahed -oompahs -oomph -oomphs -oophyte -oophytes -oophytic -oops -oorali -ooralis -oorie -oosperm -oosperms -oosphere -oospore -oospores -oosporic -oot -ootheca -oothecae -oothecal -ootid -ootids -oots -ooze -oozed -oozes -oozier -ooziest -oozily -ooziness -oozing -oozy -op -opacify -opacity -opah -opahs -opal -opalesce -opaline -opalines -opals -opaque -opaqued -opaquely -opaquer -opaques -opaquest -opaquing -ope -oped -open -openable -opencast -opened -opener -openers -openest -opening -openings -openly -openness -opens -openwork -opera -operable -operably -operand -operands -operant -operants -operas -operate -operated -operates -operatic -operator -opercele -opercula -opercule -operetta -operon -operons -operose -opes -ophidian -ophite -ophites -ophitic -opiate -opiated -opiates -opiating -opine -opined -opines -oping -opining -opinion -opinions -opioid -opioids -opium -opiumism -opiums -opossum -opossums -oppidan -oppidans -oppilant -oppilate -opponent -oppose -opposed -opposer -opposers -opposes -opposing -opposite -oppress -oppugn -oppugned -oppugner -oppugns -ops -opsin -opsins -opsonic -opsonify -opsonin -opsonins -opsonize -opt -optative -opted -optic -optical -optician -opticist -optics -optima -optimal -optime -optimes -optimise -optimism -optimist -optimize -optimum -optimums -opting -option -optional -optioned -optionee -options -opts -opulence -opulency -opulent -opuntia -opuntias -opus -opuscula -opuscule -opuses -oquassa -oquassas -or -ora -orach -orache -oraches -oracle -oracles -oracular -orad -oral -oralism -oralisms -oralist -oralists -orality -orally -orals -orang -orange -orangery -oranges -orangey -orangier -orangish -orangs -orangy -orate -orated -orates -orating -oration -orations -orator -oratorio -orators -oratory -oratress -oratrix -orb -orbed -orbier -orbiest -orbing -orbit -orbital -orbitals -orbited -orbiter -orbiters -orbiting -orbits -orbless -orbs -orby -orc -orca -orcas -orcein -orceins -orchard -orchards -orchid -orchids -orchil -orchils -orchis -orchises -orchitic -orchitis -orcin -orcinol -orcinols -orcins -orcs -ordain -ordained -ordainer -ordains -ordeal -ordeals -order -ordered -orderer -orderers -ordering -orderly -orders -ordinal -ordinals -ordinand -ordinary -ordinate -ordines -ordnance -ordo -ordos -ordure -ordures -ordurous -ore -oread -oreads -orectic -orective -oregano -oreganos -oreide -oreides -oreodont -ores -orfray -orfrays -organ -organa -organdie -organdy -organic -organics -organise -organism -organist -organize -organon -organons -organs -organum -organums -organza -organzas -orgasm -orgasmed -orgasmic -orgasms -orgastic -orgeat -orgeats -orgiac -orgiast -orgiasts -orgic -orgies -orgone -orgones -orgulous -orgy -oribatid -oribi -oribis -oriel -oriels -orient -oriental -oriented -orienter -orients -orifice -orifices -origami -origamis -origan -origans -origanum -origin -original -origins -orinasal -oriole -orioles -orisha -orishas -orison -orisons -orle -orles -orlon -orlon -orlons -orlons -orlop -orlops -ormer -ormers -ormolu -ormolus -ornament -ornate -ornately -ornerier -ornery -ornis -ornithes -ornithic -orogenic -orogeny -oroide -oroides -orology -orometer -orotund -orphan -orphaned -orphans -orphic -orphical -orphism -orphisms -orphrey -orphreys -orpiment -orpin -orpine -orpines -orpins -orra -orreries -orrery -orrice -orrices -orris -orrises -ors -ort -orthicon -ortho -orthodox -orthoepy -orthoses -orthosis -orthotic -ortolan -ortolans -orts -oryx -oryxes -orzo -orzos -os -osar -oscine -oscines -oscinine -oscitant -oscula -osculant -oscular -osculate -oscule -oscules -osculum -ose -oses -osetra -osetras -osier -osiered -osiers -osmatic -osmic -osmics -osmious -osmium -osmiums -osmol -osmolal -osmolar -osmole -osmoles -osmols -osmose -osmosed -osmoses -osmosing -osmosis -osmotic -osmous -osmund -osmunda -osmundas -osmunds -osnaburg -osprey -ospreys -ossa -ossature -ossein -osseins -osseous -ossetra -ossetras -ossia -ossicle -ossicles -ossific -ossified -ossifier -ossifies -ossify -ossuary -osteal -osteitic -osteitis -osteoid -osteoids -osteoma -osteomas -osteoses -osteosis -ostia -ostiary -ostinati -ostinato -ostiolar -ostiole -ostioles -ostium -ostler -ostlers -ostmark -ostmarks -ostomate -ostomies -ostomy -ostoses -ostosis -ostraca -ostracod -ostracon -ostraka -ostrakon -ostrich -otalgia -otalgias -otalgic -otalgies -otalgy -other -others -otic -otiose -otiosely -otiosity -otitic -otitides -otitis -otitises -otocyst -otocysts -otolith -otoliths -otology -otoscope -otoscopy -ototoxic -ottar -ottars -ottava -ottavas -otter -otters -otto -ottoman -ottomans -ottos -ouabain -ouabains -ouch -ouched -ouches -ouching -oud -ouds -ought -oughted -oughting -oughts -ouguiya -ouguiyas -ouistiti -ounce -ounces -ouph -ouphe -ouphes -ouphs -our -ourang -ourangs -ourari -ouraris -ourebi -ourebis -ourie -ours -ourself -ousel -ousels -oust -ousted -ouster -ousters -ousting -ousts -out -outact -outacted -outacts -outadd -outadded -outadds -outage -outages -outargue -outask -outasked -outasks -outate -outback -outbacks -outbake -outbaked -outbakes -outbark -outbarks -outbawl -outbawls -outbeam -outbeams -outbeg -outbegs -outbid -outbids -outbitch -outblaze -outbleat -outbless -outbloom -outbluff -outblush -outboard -outboast -outbought -outbound -outbox -outboxed -outboxes -outbrag -outbrags -outbrave -outbrawl -outbreak -outbred -outbreed -outbribe -outbuild -outbuilt -outbulge -outbulk -outbulks -outbully -outburn -outburns -outburnt -outburst -outbuy -outbuying -outbuys -outby -outbye -outcall -outcalls -outcaper -outcast -outcaste -outcasts -outcatch -outcavil -outcharm -outcheat -outchid -outchide -outcity -outclass -outclimb -outclomb -outcoach -outcome -outcomes -outcook -outcooks -outcount -outcrawl -outcried -outcries -outcrop -outcrops -outcross -outcrow -outcrowd -outcrows -outcry -outcurse -outcurve -outdance -outdare -outdared -outdares -outdate -outdated -outdates -outdid -outdo -outdodge -outdoer -outdoers -outdoes -outdoing -outdone -outdoor -outdoors -outdrag -outdrags -outdrank -outdraw -outdrawn -outdraws -outdream -outdress -outdrew -outdrink -outdrive -outdrop -outdrops -outdrove -outdrunk -outduel -outduels -outearn -outearns -outeat -outeaten -outeats -outecho -outed -outer -outers -outfable -outface -outfaced -outfaces -outfall -outfalls -outfast -outfasts -outfawn -outfawns -outfeast -outfeel -outfeels -outfelt -outfence -outfield -outfight -outfind -outfinds -outfire -outfired -outfires -outfish -outfit -outfits -outflank -outflew -outflies -outfloat -outflow -outflown -outflows -outfly -outfool -outfools -outfoot -outfoots -outfound -outfox -outfoxed -outfoxes -outfrown -outgain -outgains -outgas -outgave -outgaze -outgazed -outgazes -outgive -outgiven -outgives -outglare -outgleam -outglow -outglows -outgnaw -outgnawn -outgnaws -outgo -outgoes -outgoing -outgone -outgrew -outgrin -outgrins -outgross -outgroup -outgrow -outgrown -outgrows -outguess -outguide -outgun -outguns -outgush -outhaul -outhauls -outhear -outheard -outhears -outhit -outhits -outhomer -outhouse -outhowl -outhowls -outhumor -outhunt -outhunts -outing -outings -outjinx -outjump -outjumps -outjut -outjuts -outkeep -outkeeps -outkept -outkick -outkicks -outkill -outkills -outkiss -outlaid -outlain -outland -outlands -outlast -outlasts -outlaugh -outlaw -outlawed -outlawry -outlaws -outlay -outlays -outlead -outleads -outleap -outleaps -outleapt -outlearn -outled -outlet -outlets -outlie -outlier -outliers -outlies -outline -outlined -outliner -outlines -outlive -outlived -outliver -outlives -outlook -outlooks -outlove -outloved -outloves -outlying -outman -outmans -outmarch -outmatch -outmode -outmoded -outmodes -outmost -outmove -outmoved -outmoves -outpace -outpaced -outpaces -outpaint -outpass -outpitch -outpity -outplace -outplan -outplans -outplay -outplays -outplod -outplods -outplot -outplots -outpoint -outpoll -outpolls -outport -outports -outpost -outposts -outpour -outpours -outpower -outpowered -outpowering -outpowers -outpray -outprays -outpreen -outpress -outprice -outpull -outpulls -outpunch -outpupil -outpush -output -outputs -outquote -outrace -outraced -outraces -outrage -outraged -outrages -outraise -outran -outrance -outrang -outrange -outrank -outranks -outrate -outrated -outrates -outrave -outraved -outraves -outre -outreach -outread -outreads -outride -outrider -outrides -outrig -outright -outrigs -outring -outrings -outrival -outroar -outroars -outrock -outrocks -outrode -outroll -outrolls -outroot -outroots -outrow -outrowed -outrows -outrun -outrung -outruns -outrush -outs -outsaid -outsail -outsails -outsang -outsat -outsavor -outsaw -outsay -outsays -outscold -outscoop -outscore -outscorn -outsee -outseen -outsees -outsell -outsells -outsert -outserts -outserve -outset -outsets -outshame -outshine -outshone -outshoot -outshot -outshout -outside -outsider -outsides -outsight -outsin -outsing -outsings -outsins -outsit -outsits -outsize -outsized -outsizes -outskate -outskirt -outsleep -outslept -outslick -outslicked -outslicking -outslicks -outsmart -outsmell -outsmelt -outsmile -outsmoke -outsnore -outsoar -outsoars -outsold -outsole -outsoles -outspan -outspans -outspeak -outsped -outspeed -outspell -outspelt -outspend -outspent -outspoke -outstand -outstare -outstart -outstate -outstay -outstays -outsteer -outstood -outstrip -outstudy -outstunt -outsulk -outsulks -outsung -outswam -outsware -outswear -outsweep -outswept -outswim -outswims -outswing -outswore -outsworn -outswum -outswung -outtake -outtakes -outtalk -outtalks -outtask -outtasks -outtell -outtells -outthank -outthink -outthrew -outthrob -outthrow -outtold -outtower -outtrade -outtrick -outtrot -outtrots -outtrump -outturn -outturns -outvalue -outvaunt -outvie -outvied -outvies -outvoice -outvote -outvoted -outvotes -outvying -outwait -outwaits -outwalk -outwalks -outwar -outward -outwards -outwars -outwash -outwaste -outwatch -outwear -outwears -outweary -outweep -outweeps -outweigh -outwent -outwept -outwhirl -outwile -outwiled -outwiles -outwill -outwills -outwind -outwinds -outwish -outwit -outwith -outwits -outwore -outwork -outworks -outworn -outwrit -outwrite -outwrote -outyell -outyells -outyelp -outyelps -outyield -ouzel -ouzels -ouzo -ouzos -ova -oval -ovality -ovally -ovalness -ovals -ovarial -ovarian -ovaries -ovariole -ovaritis -ovary -ovate -ovately -ovation -ovations -oven -ovenbird -ovenlike -ovens -ovenware -over -overable -overact -overacts -overage -overaged -overages -overall -overalls -overapt -overarch -overarm -overarms -overate -overawe -overawed -overawes -overbake -overbear -overbeat -overbed -overbet -overbets -overbid -overbids -overbig -overbill -overbite -overblew -overblow -overboil -overbold -overbook -overbore -overborn -overbred -overburn -overbusy -overbuy -overbuys -overcall -overcame -overcast -overcoat -overcold -overcome -overcook -overcool -overcoy -overcram -overcrop -overcure -overcut -overcuts -overcutting -overdare -overdear -overdeck -overdid -overdo -overdoer -overdoes -overdog -overdogs -overdone -overdose -overdraw -overdrew -overdry -overdub -overdubs -overdue -overdye -overdyed -overdyer -overdyes -overeasy -overeat -overeats -overed -overedit -overfar -overfast -overfat -overfear -overfed -overfeed -overfill -overfish -overfit -overflew -overflow -overfly -overfond -overfoul -overfree -overfull -overfund -overgild -overgilt -overgird -overgirt -overglad -overgoad -overgrew -overgrow -overhand -overhang -overhard -overhate -overhaul -overhead -overheap -overhear -overheat -overheld -overhigh -overhold -overholy -overhope -overhot -overhung -overhunt -overhype -overidle -overing -overjoy -overjoys -overjust -overkeen -overkill -overkind -overlade -overlaid -overlain -overland -overlap -overlaps -overlate -overlax -overlay -overlays -overleaf -overleap -overlend -overlent -overlet -overlets -overlewd -overlie -overlies -overlit -overlive -overload -overlong -overlook -overlord -overloud -overlove -overlush -overly -overman -overmans -overmany -overmeek -overmelt -overmen -overmild -overmilk -overmine -overmix -overmuch -overnear -overneat -overnew -overnice -overpack -overpaid -overpass -overpast -overpay -overpays -overpert -overplan -overplay -overplot -overplus -overply -overpump -overran -overrank -overrash -overrate -overrich -override -overrife -overripe -overrode -overrude -overruff -overrule -overrun -overruns -overs -oversad -oversale -oversalt -oversave -oversaw -oversea -overseas -oversee -overseed -overseen -overseer -oversees -oversell -overset -oversets -oversew -oversewn -oversews -overshoe -overshot -oversick -overside -oversize -overslip -overslow -oversoak -oversoft -oversold -oversoon -oversoul -overspin -overstay -overstep -overstir -oversuds -oversup -oversups -oversure -overt -overtake -overtalk -overtame -overtart -overtask -overtax -overthin -overtime -overtip -overtips -overtire -overtly -overtoil -overtone -overtook -overtop -overtops -overtrim -overture -overturn -overurge -overuse -overused -overuses -overview -overvote -overwarm -overwary -overweak -overwear -overween -overwet -overwets -overwide -overwily -overwind -overwise -overword -overwore -overwork -overworn -overzeal -ovibos -ovicidal -ovicide -ovicides -oviducal -oviducal -oviduct -oviducts -oviform -ovine -ovines -ovipara -oviposit -ovisac -ovisacs -ovoid -ovoidal -ovoidals -ovoidals -ovoids -ovoli -ovolo -ovolos -ovonic -ovonics -ovular -ovulary -ovulate -ovulated -ovulates -ovule -ovules -ovum -ow -owe -owed -owes -owing -owl -owlet -owlets -owlish -owlishly -owllike -owls -own -ownable -owned -owner -owners -owning -owns -owse -owsen -ox -oxalate -oxalated -oxalates -oxalic -oxalis -oxalises -oxazepam -oxazine -oxazines -oxblood -oxbloods -oxbow -oxbows -oxcart -oxcarts -oxen -oxes -oxeye -oxeyes -oxford -oxfords -oxheart -oxhearts -oxid -oxidable -oxidant -oxidants -oxidase -oxidases -oxidasic -oxidate -oxidated -oxidates -oxide -oxides -oxidic -oxidise -oxidised -oxidiser -oxidises -oxidize -oxidized -oxidizer -oxidizes -oxids -oxim -oxime -oximes -oximeter -oximetry -oxims -oxlike -oxlip -oxlips -oxo -oxpecker -oxtail -oxtails -oxter -oxters -oxtongue -oxy -oxyacid -oxyacids -oxygen -oxygenic -oxygens -oxymora -oxymoron -oxyphil -oxyphile -oxyphils -oxysalt -oxysalts -oxysome -oxysomes -oxytocic -oxytocin -oxytone -oxytones -oy -oyer -oyers -oyes -oyesses -oyez -oyezes -oyster -oystered -oysterer -oysters -ozalid -ozalid -ozalids -ozalids -ozonate -ozonated -ozonates -ozonating -ozone -ozones -ozonic -ozonide -ozonides -ozonise -ozonised -ozonises -ozonize -ozonized -ozonizer -ozonizes -ozonous -pa -pablum -pablums -pabular -pabulum -pabulums -pac -paca -pacas -pace -paced -pacer -pacers -paces -pacey -pacha -pachadom -pachalic -pachas -pachinko -pachisi -pachisis -pachouli -pachuco -pachucos -pacier -paciest -pacific -pacified -pacifier -pacifies -pacifism -pacifist -pacify -pacing -pack -packable -package -packaged -packager -packages -packed -packer -packers -packet -packeted -packets -packing -packings -packly -packman -packmen -packness -packs -packsack -packwax -pacs -pact -paction -pactions -pacts -pacy -pad -padauk -padauks -padded -padder -padders -paddies -padding -paddings -paddle -paddled -paddler -paddlers -paddles -paddling -paddock -paddocks -paddy -padi -padis -padishah -padle -padles -padlock -padlocks -padnag -padnags -padouk -padouks -padre -padres -padri -padrone -padrones -padroni -pads -padshah -padshahs -paduasoy -paean -paeanism -paeans -paella -paellas -paeon -paeons -paesan -paesani -paesano -paesanos -paesans -pagan -pagandom -paganise -paganish -paganism -paganist -paganize -pagans -page -pageant -pageants -pageboy -pageboys -paged -pageful -pagefuls -pager -pagers -pages -paginal -paginate -paging -pagings -pagod -pagoda -pagodas -pagods -pagurian -pagurid -pagurids -pah -pahlavi -pahlavis -pahoehoe -paid -paik -paiked -paiking -paiks -pail -pailful -pailfuls -paillard -pails -pailsful -pain -painch -painches -pained -painful -paining -painless -pains -paint -painted -painter -painters -paintier -painting -paints -painty -pair -paired -pairing -pairings -pairs -paisa -paisan -paisana -paisanas -paisano -paisanos -paisans -paisas -paise -paisley -paisleys -pajama -pajamaed -pajamas -pakeha -pakehas -pakora -pakoras -pal -palabra -palabras -palace -palaced -palaces -paladin -paladins -palais -palapa -palapas -palatal -palatals -palate -palates -palatial -palatine -palaver -palavers -palazzi -palazzo -palazzos -pale -palea -paleae -paleal -paleate -paled -paleface -palely -paleness -paleosol -paler -pales -palest -palestra -palet -paletot -paletots -palets -palette -palettes -paleways -palewise -palfrey -palfreys -palier -paliest -palikar -palikars -palimony -paling -palings -palinode -palisade -palish -pall -palladia -palladic -palled -pallet -palleted -pallets -pallette -pallia -pallial -palliate -pallid -pallidly -pallier -palliest -palling -pallium -palliums -pallor -pallors -palls -pally -palm -palmar -palmary -palmate -palmated -palmed -palmer -palmers -palmette -palmetto -palmful -palmfuls -palmier -palmiest -palming -palmist -palmists -palmitin -palmlike -palms -palmtop -palmtops -palmy -palmyra -palmyras -palomino -palooka -palookas -palp -palpable -palpably -palpal -palpate -palpated -palpates -palpator -palpebra -palped -palpi -palping -palps -palpus -pals -palship -palships -palsied -palsies -palsy -palsying -palter -paltered -palterer -palters -paltrier -paltrily -paltry -paludal -paludism -paly -pam -pampa -pampas -pampean -pampeans -pamper -pampered -pamperer -pampero -pamperos -pampers -pamphlet -pams -pan -panacea -panacean -panaceas -panache -panaches -panada -panadas -panama -panamas -panatela -panbroil -pancake -pancaked -pancakes -pancetta -pancettas -panchax -pancreas -panda -pandani -pandanus -pandas -pandect -pandects -pandemic -pander -pandered -panderer -panders -pandied -pandies -pandit -pandits -pandoor -pandoors -pandora -pandoras -pandore -pandores -pandour -pandours -pandowdy -pandura -panduras -pandy -pandying -pane -paned -panel -paneled -paneless -paneling -panelist -panelled -panels -panes -panetela -panfish -panfried -panfries -panfry -panful -panfuls -pang -panga -pangas -panged -pangen -pangene -pangenes -pangens -panging -pangolin -pangram -pangrams -pangs -panhuman -panic -panicked -panicky -panicle -panicled -panicles -panics -panicum -panicums -panier -paniers -panini -panino -panmixes -panmixia -panmixis -panne -panned -panner -panners -pannes -pannier -panniers -pannikin -panning -panocha -panochas -panoche -panoches -panoply -panoptic -panorama -panpipe -panpipes -pans -pansies -pansophy -pansy -pant -pantalet -panted -pantheon -panther -panthers -pantie -panties -pantile -pantiled -pantiles -panting -panto -pantofle -pantos -pantoum -pantoums -pantries -pantry -pants -pantsuit -panty -panzer -panzers -pap -papa -papacies -papacy -papadam -papadams -papadom -papadoms -papadum -papadums -papain -papains -papal -papally -papas -papaw -papaws -papaya -papayan -papayas -paper -paperboy -papered -paperer -paperers -papering -papers -papery -paphian -paphians -papilla -papillae -papillar -papillon -papist -papistic -papistry -papists -papoose -papooses -pappadam -pappi -pappier -pappies -pappiest -pappoose -pappose -pappous -pappus -pappy -paprica -papricas -paprika -paprikas -paps -papula -papulae -papular -papule -papules -papulose -papyral -papyri -papyrian -papyrine -papyrus -par -para -parable -parables -parabola -parachor -parade -paraded -parader -paraders -parades -paradigm -parading -paradise -parador -paradors -parados -paradox -paradrop -parae -paraffin -parafoil -paraform -paragoge -paragon -paragons -parakeet -parakite -parallax -parallel -paralyse -paralyze -parament -paramo -paramos -paramour -parang -parangs -paranoea -paranoia -paranoic -paranoid -parapet -parapets -paraph -paraphs -paraquat -paraquet -paras -parasail -parasang -parashah -parashioth -parashot -parasite -parasol -parasols -paravane -parawing -parazoan -parbake -parbaked -parbakes -parboil -parboils -parcel -parceled -parcels -parcener -parch -parched -parches -parchesi -parching -parchisi -parclose -pard -pardah -pardahs -pardee -pardi -pardie -pardine -pardner -pardners -pardon -pardoned -pardoner -pardons -pards -pardy -pare -parecism -pared -pareira -pareiras -parent -parental -parented -parents -pareo -pareos -parer -parerga -parergon -parers -pares -pareses -paresis -paretic -paretics -pareu -pareus -pareve -parfait -parfaits -parflesh -parfocal -parge -parged -parges -parget -pargeted -pargets -parging -pargings -pargo -pargos -parhelia -parhelic -pariah -pariahs -parian -parians -paries -parietal -parietes -paring -parings -paris -parises -parish -parishes -parities -parity -park -parka -parkade -parkades -parkas -parked -parker -parkers -parkette -parking -parkings -parkland -parklike -parks -parkway -parkways -parlance -parlando -parlante -parlay -parlayed -parlays -parle -parled -parles -parley -parleyed -parleyer -parleys -parling -parlor -parlors -parlour -parlours -parlous -parmesan -parodic -parodied -parodies -parodist -parodoi -parodos -parody -parol -parole -paroled -parolee -parolees -paroles -paroling -parols -paronym -paronyms -paroquet -parosmia -parotic -parotid -parotids -parotoid -parous -paroxysm -parquet -parquets -parr -parral -parrals -parred -parrel -parrels -parridge -parried -parrier -parriers -parries -parring -parritch -parroket -parrot -parroted -parroter -parrots -parroty -parrs -parry -parrying -pars -parsable -parse -parsec -parsecs -parsed -parser -parsers -parses -parsing -parsley -parsleyed -parsleys -parslied -parsnip -parsnips -parson -parsonic -parsons -part -partake -partaken -partaker -partakes -partan -partans -parted -parterre -partial -partials -partible -particle -partied -partier -partiers -parties -parting -partings -partisan -partita -partitas -partite -partizan -partlet -partlets -partly -partner -partners -parton -partons -partook -parts -partway -party -partyer -partyers -partying -parura -paruras -parure -parures -parve -parvenu -parvenue -parvenus -parvis -parvise -parvises -parvo -parvolin -parvos -pas -pascal -pascals -paschal -paschals -pase -paseo -paseos -pases -pash -pasha -pashadom -pashalic -pashalik -pashas -pashed -pashes -pashing -pashmina -pasquil -pasquils -pass -passable -passably -passade -passades -passado -passados -passage -passaged -passages -passant -passband -passbook -passe -passed -passee -passel -passels -passer -passerby -passers -passes -passible -passim -passing -passings -passion -passions -passive -passives -passkey -passkeys -passless -passover -passport -passus -passuses -password -past -pasta -pastas -paste -pasted -pastel -pastels -paster -pastern -pasterns -pasters -pastes -pasteup -pasteups -pasticci -pastiche -pastie -pastier -pasties -pastiest -pastil -pastille -pastils -pastime -pastimes -pastina -pastinas -pasting -pastis -pastises -pastitso -pastless -pastness -pastor -pastoral -pastored -pastorly -pastors -pastrami -pastries -pastromi -pastry -pasts -pastural -pasture -pastured -pasturer -pastures -pasty -pat -pataca -patacas -patagia -patagial -patagium -patamar -patamars -patch -patched -patcher -patchers -patches -patchier -patchily -patching -patchy -pate -pated -patella -patellae -patellar -patellas -paten -patency -patens -patent -patented -patentee -patently -patentor -patents -pater -paternal -paters -pates -path -pathetic -pathless -pathogen -pathos -pathoses -paths -pathway -pathways -patience -patient -patients -patin -patina -patinae -patinaed -patinas -patinate -patine -patined -patines -patining -patinize -patins -patio -patios -patly -patness -patois -patootie -patriate -patriot -patriots -patrol -patrols -patron -patronal -patronly -patrons -patroon -patroons -pats -patsies -patsy -pattamar -patted -pattee -patten -pattened -pattens -patter -pattered -patterer -pattern -patterns -patters -pattie -patties -patting -patty -pattypan -patulent -patulous -paty -patzer -patzers -paucity -paughty -pauldron -paulin -paulins -paunch -paunched -paunches -paunchy -pauper -paupered -paupers -pausal -pause -paused -pauser -pausers -pauses -pausing -pavan -pavane -pavanes -pavans -pave -paved -paveed -pavement -paver -pavers -paves -pavid -pavilion -pavillon -pavin -paving -pavings -pavins -pavior -paviors -paviour -paviours -pavis -pavise -paviser -pavisers -pavises -pavisse -pavisses -pavlova -pavlovas -pavonine -paw -pawed -pawer -pawers -pawing -pawkier -pawkiest -pawkily -pawky -pawl -pawls -pawn -pawnable -pawnage -pawnages -pawned -pawnee -pawnees -pawner -pawners -pawning -pawnor -pawnors -pawns -pawnshop -pawpaw -pawpaws -paws -pax -paxes -paxwax -paxwaxes -pay -payable -payables -payably -payback -paybacks -paycheck -payday -paydays -payed -payee -payees -payer -payers -paygrade -paying -payload -payloads -payment -payments -paynim -paynims -payoff -payoffs -payola -payolas -payor -payors -payout -payouts -payroll -payrolls -pays -pazazz -pazazzes -pe -pea -peace -peaced -peaceful -peacenik -peaces -peach -peached -peacher -peachers -peaches -peachier -peaching -peachy -peacing -peacoat -peacoats -peacock -peacocks -peacocky -peafowl -peafowls -peag -peage -peages -peags -peahen -peahens -peak -peaked -peakier -peakiest -peaking -peakish -peakless -peaklike -peaks -peaky -peal -pealed -pealike -pealing -peals -pean -peans -peanut -peanuts -pear -pearl -pearlash -pearled -pearler -pearlers -pearlier -pearling -pearlite -pearls -pearly -pearmain -pears -peart -pearter -peartest -peartly -pearwood -peas -peasant -peasants -peascod -peascods -pease -peasecod -peasen -peases -peat -peatier -peatiest -peats -peaty -peavey -peaveys -peavies -peavy -pebble -pebbled -pebbles -pebblier -pebbling -pebbly -pec -pecan -pecans -peccable -peccancy -peccant -peccary -peccavi -peccavis -pech -pechan -pechans -peched -peching -pechs -peck -pecked -pecker -peckers -peckier -peckiest -pecking -peckish -pecks -pecky -pecorini -pecorino -pecs -pectase -pectases -pectate -pectates -pecten -pectens -pectic -pectin -pectines -pectins -pectize -pectized -pectizes -pectoral -peculate -peculia -peculiar -peculium -ped -pedagog -pedagogs -pedagogy -pedal -pedaled -pedaler -pedalers -pedalfer -pedalier -pedaling -pedalled -pedaller -pedalo -pedalos -pedals -pedant -pedantic -pedantry -pedants -pedate -pedately -peddle -peddled -peddler -peddlers -peddlery -peddles -peddling -pederast -pedes -pedestal -pedicab -pedicabs -pedicel -pedicels -pedicle -pedicled -pedicles -pedicure -pediform -pedigree -pediment -pedipalp -pedlar -pedlars -pedlary -pedler -pedlers -pedlery -pedocal -pedocals -pedology -pedro -pedros -peds -peduncle -pee -peebeen -peebeens -peed -peeing -peek -peekaboo -peekapoo -peeked -peeking -peeks -peel -peelable -peeled -peeler -peelers -peeling -peelings -peels -peen -peened -peening -peens -peep -peeped -peeper -peepers -peephole -peeping -peeps -peepshow -peepul -peepuls -peer -peerage -peerages -peered -peeress -peerie -peeries -peering -peerless -peers -peery -pees -peesweep -peetweet -peeve -peeved -peeves -peeving -peevish -peewee -peewees -peewit -peewits -peg -pegboard -pegbox -pegboxes -pegged -pegging -pegless -peglike -pegs -peh -pehs -peignoir -pein -peined -peining -peins -peise -peised -peises -peising -pekan -pekans -peke -pekepoo -pekepoos -pekes -pekin -pekins -pekoe -pekoes -pelage -pelages -pelagial -pelagic -pelagics -pele -pelerine -peles -pelf -pelfs -pelican -pelicans -pelisse -pelisses -pelite -pelites -pelitic -pellagra -pellet -pelletal -pelleted -pellets -pellicle -pellmell -pellucid -pelmet -pelmets -pelon -peloria -pelorian -pelorias -peloric -pelorus -pelota -pelotas -peloton -pelotons -pelt -peltast -peltasts -peltate -pelted -pelter -peltered -pelters -pelting -peltless -peltries -peltry -pelts -pelves -pelvic -pelvics -pelvis -pelvises -pembina -pembinas -pemican -pemicans -pemmican -pemoline -pemphix -pen -penal -penalise -penality -penalize -penally -penalty -penance -penanced -penances -penang -penangs -penates -pence -pencel -pencels -penchant -pencil -penciled -penciler -pencils -pend -pendant -pendants -pended -pendency -pendent -pendents -pending -pends -pendular -pendulum -penes -pengo -pengos -penguin -penguins -penial -penicil -penicils -penile -penis -penises -penitent -penknife -penlight -penlite -penlites -penman -penmen -penna -pennae -penname -pennames -pennant -pennants -pennate -pennated -penne -penned -penner -penners -penni -pennia -pennies -pennine -pennines -penning -pennis -pennon -pennoned -pennons -penny -penoche -penoches -penology -penoncel -penpoint -pens -pensee -pensees -pensil -pensile -pensils -pension -pensione -pensions -pensive -penster -pensters -penstock -pent -pentacle -pentad -pentads -pentagon -pentane -pentanes -pentanol -pentarch -pentene -pentenes -pentode -pentodes -pentomic -pentosan -pentose -pentoses -pentyl -pentyls -penuche -penuches -penuchi -penuchis -penuchle -penuckle -penult -penults -penumbra -penuries -penury -peon -peonage -peonages -peones -peonies -peonism -peonisms -peons -peony -people -peopled -peopler -peoplers -peoples -peopling -pep -peperoni -pepino -pepinos -pepla -peplos -peploses -peplum -peplumed -peplums -peplus -pepluses -pepo -peponida -peponium -pepos -pepped -pepper -peppered -pepperer -peppers -peppery -peppier -peppiest -peppily -pepping -peppy -peps -pepsin -pepsine -pepsines -pepsins -peptalk -peptalks -peptic -peptics -peptid -peptide -peptides -peptidic -peptids -peptize -peptized -peptizer -peptizes -peptone -peptones -peptonic -per -peracid -peracids -percale -percales -perceive -percent -percents -percept -percepts -perch -perched -percher -perchers -perches -perching -percoid -percoids -percuss -perdie -perdu -perdue -perdues -perdure -perdured -perdures -perdus -perdy -pere -perea -peregrin -pereia -pereion -pereions -pereon -pereons -pereopod -peres -perfect -perfecta -perfecto -perfects -perfidy -perforce -perform -performs -perfume -perfumed -perfumer -perfumes -perfumy -perfuse -perfused -perfuses -pergola -pergolas -perhaps -peri -perianth -periapt -periapts -periblem -pericarp -pericope -periderm -peridia -peridial -peridium -peridot -peridots -perigeal -perigean -perigee -perigees -perigon -perigons -perigyny -peril -periled -periling -perilla -perillas -perilled -perilous -perils -perilune -perinea -perineal -perineum -period -periodic -periodid -periods -periotic -peripety -peripter -perique -periques -peris -perisarc -perish -perished -perishes -periti -peritus -periwig -periwigs -perjure -perjured -perjurer -perjures -perjury -perk -perked -perkier -perkiest -perkily -perking -perkish -perks -perky -perlite -perlites -perlitic -perm -permeant -permease -permeate -permed -permian -permian -perming -permit -permits -perms -permute -permuted -permutes -pernio -pernod -pernod -pernods -pernods -peroneal -peroral -perorate -peroxid -peroxide -peroxids -peroxy -perp -perpend -perpends -perpent -perpents -perplex -perps -perries -perron -perrons -perry -persalt -persalts -perse -perses -persist -persists -person -persona -personae -personal -personas -persons -perspex -perspex -perspexes -perspire -perspiry -persuade -pert -pertain -pertains -perter -pertest -pertly -pertness -perturb -perturbs -peruke -peruked -perukes -perusal -perusals -peruse -perused -peruser -perusers -peruses -perusing -perv -pervade -pervaded -pervader -pervades -perverse -pervert -perverts -pervious -pervs -pes -pesade -pesades -peseta -pesetas -pesewa -pesewas -peskier -peskiest -peskily -pesky -peso -pesos -pessary -pest -pester -pestered -pesterer -pesters -pesthole -pestier -pestiest -pestle -pestled -pestles -pestling -pesto -pestos -pests -pesty -pet -petabyte -petal -petaled -petaline -petalled -petalody -petaloid -petalous -petals -petard -petards -petasos -petasus -petcock -petcocks -petechia -peter -petered -petering -peters -petiolar -petiole -petioled -petioles -petit -petite -petites -petition -petnap -petnaper -petnaps -petrel -petrels -petrify -petrol -petrolic -petrols -petronel -petrosal -petrous -pets -petsai -petsais -pettable -petted -pettedly -petter -petters -petti -pettier -pettiest -pettifog -pettily -petting -pettings -pettish -pettle -pettled -pettles -pettling -petto -petty -petulant -petunia -petunias -petuntse -petuntze -pew -pewee -pewees -pewit -pewits -pews -pewter -pewterer -pewters -peyote -peyotes -peyotl -peyotls -peytral -peytrals -peytrel -peytrels -pfennig -pfennige -pfennigs -pfft -pfui -phaeton -phaetons -phage -phages -phalange -phalanx -phalli -phallic -phallism -phallist -phallus -phantasm -phantast -phantasy -phantom -phantoms -pharaoh -pharaohs -pharisee -pharmacy -pharming -pharos -pharoses -pharynx -phase -phaseal -phased -phaseout -phases -phasic -phasing -phasis -phasmid -phasmids -phat -phatic -phatter -phattest -pheasant -phellem -phellems -phelonia -phenate -phenates -phenazin -phenetic -phenetol -phenix -phenixes -phenol -phenolic -phenols -phenom -phenoms -phenoxy -phenyl -phenylic -phenyls -phereses -pheresis -phew -phi -phial -phials -philabeg -philibeg -philomel -philter -philters -philtra -philtre -philtred -philtres -philtrum -phimoses -phimosis -phimotic -phis -phiz -phizes -phlegm -phlegms -phlegmy -phloem -phloems -phlox -phloxes -phobia -phobias -phobic -phobics -phocine -phoebe -phoebes -phoebus -phoenix -phon -phonal -phonate -phonated -phonates -phone -phoned -phoneme -phonemes -phonemic -phones -phonetic -phoney -phoneyed -phoneys -phonic -phonics -phonied -phonier -phonies -phoniest -phonily -phoning -phono -phonon -phonons -phonos -phons -phony -phonying -phooey -phorate -phorates -phoresy -phoronid -phosgene -phosphid -phosphin -phosphor -phot -photic -photics -photo -photoed -photog -photogs -photoing -photomap -photon -photonic -photons -photopia -photopic -photos -photoset -phots -phpht -phrasal -phrase -phrased -phrases -phrasing -phratral -phratric -phratry -phreak -phreaked -phreaker -phreaks -phreatic -phrenic -phrensy -pht -phthalic -phthalin -phthises -phthisic -phthisis -phut -phuts -phyla -phylae -phylar -phylaxis -phyle -phyleses -phylesis -phyletic -phylic -phyllary -phyllite -phyllo -phyllode -phylloid -phyllome -phyllos -phylon -phylum -physed -physeds -physes -physic -physical -physics -physique -physis -phytane -phytanes -phytin -phytins -phytoid -phytol -phytols -phyton -phytonic -phytons -pi -pia -piacular -piaffe -piaffed -piaffer -piaffers -piaffes -piaffing -pial -pian -pianic -pianism -pianisms -pianist -pianists -piano -pianos -pians -pias -piasaba -piasabas -piasava -piasavas -piassaba -piassava -piaster -piasters -piastre -piastres -piazza -piazzas -piazze -pibal -pibals -pibroch -pibrochs -pic -pica -picacho -picachos -picador -picadors -pical -picante -picara -picaras -picaro -picaroon -picaros -picas -picayune -piccata -piccolo -piccolos -pice -piceous -piciform -pick -pickadil -pickax -pickaxe -pickaxed -pickaxes -picked -pickeer -pickeers -picker -pickerel -pickers -picket -picketed -picketer -pickets -pickier -pickiest -picking -pickings -pickle -pickled -pickles -pickling -picklock -pickoff -pickoffs -picks -pickup -pickups -pickwick -picky -picloram -picnic -picnicky -picnics -picogram -picolin -picoline -picolins -picomole -picot -picoted -picotee -picotees -picoting -picots -picowave -picquet -picquets -picrate -picrated -picrates -picric -picrite -picrites -picritic -pics -picture -pictured -pictures -picul -piculs -piddle -piddled -piddler -piddlers -piddles -piddling -piddly -piddock -piddocks -pidgin -pidgins -pie -piebald -piebalds -piece -pieced -piecer -piecers -pieces -piecing -piecings -piecrust -pied -piedfort -piedmont -piefort -pieforts -piehole -pieholes -pieing -pieplant -pier -pierce -pierced -piercer -piercers -pierces -piercing -pierogi -pierrot -pierrots -piers -pies -pieta -pietas -pieties -pietism -pietisms -pietist -pietists -piety -piffle -piffled -piffles -piffling -pig -pigboat -pigboats -pigeon -pigeons -pigfish -pigged -piggery -piggie -piggier -piggies -piggiest -piggin -pigging -piggins -piggish -piggy -piglet -piglets -piglike -pigment -pigments -pigmies -pigmy -pignoli -pignolia -pignolis -pignora -pignus -pignut -pignuts -pigout -pigouts -pigpen -pigpens -pigs -pigskin -pigskins -pigsney -pigsneys -pigstick -pigsties -pigsty -pigtail -pigtails -pigweed -pigweeds -piing -pika -pikake -pikakes -pikas -pike -piked -pikeman -pikemen -piker -pikers -pikes -piki -piking -pikis -pilaf -pilaff -pilaffs -pilafs -pilar -pilaster -pilau -pilaus -pilaw -pilaws -pilchard -pile -pilea -pileate -pileated -piled -pilei -pileless -pileous -piles -pileum -pileup -pileups -pileus -pilewort -pilfer -pilfered -pilferer -pilfers -pilgrim -pilgrims -pili -piliform -piling -pilings -pilis -pill -pillage -pillaged -pillager -pillages -pillar -pillared -pillars -pillbox -pilled -pilling -pillion -pillions -pillory -pillow -pillowed -pillows -pillowy -pills -pilose -pilosity -pilot -pilotage -piloted -piloting -pilots -pilous -pilsener -pilsner -pilsners -pilular -pilule -pilules -pilus -pily -pima -pimas -pimento -pimentos -pimiento -pimp -pimped -pimping -pimple -pimpled -pimples -pimplier -pimply -pimps -pin -pina -pinafore -pinang -pinangs -pinas -pinaster -pinata -pinatas -pinball -pinballs -pinbone -pinbones -pincer -pincers -pinch -pinchbug -pincheck -pinched -pincher -pinchers -pinches -pinching -pinder -pinders -pindling -pine -pineal -pinecone -pined -pineland -pinelike -pinene -pinenes -pineries -pinery -pines -pinesap -pinesaps -pineta -pinetum -pinewood -piney -pinfish -pinfold -pinfolds -ping -pinged -pinger -pingers -pinging -pingo -pingoes -pingos -pingrass -pings -pinguid -pinhead -pinheads -pinhole -pinholes -pinier -piniest -pining -pinion -pinioned -pinions -pinite -pinites -pinitol -pinitols -pink -pinked -pinken -pinkened -pinkens -pinker -pinkers -pinkest -pinkey -pinkeye -pinkeyes -pinkeys -pinkie -pinkies -pinking -pinkings -pinkish -pinkly -pinkness -pinko -pinkoes -pinkos -pinkroot -pinks -pinky -pinna -pinnace -pinnaces -pinnacle -pinnae -pinnal -pinnas -pinnate -pinnated -pinned -pinner -pinners -pinnies -pinning -pinniped -pinnula -pinnulae -pinnular -pinnule -pinnules -pinny -pinochle -pinocle -pinocles -pinole -pinoles -pinon -pinones -pinons -pinot -pinots -pinpoint -pinprick -pins -pinscher -pint -pinta -pintada -pintadas -pintado -pintados -pintail -pintails -pintano -pintanos -pintas -pintle -pintles -pinto -pintoes -pintos -pints -pintsize -pinup -pinups -pinwale -pinwales -pinweed -pinweeds -pinwheel -pinwheeled -pinwheeling -pinwork -pinworks -pinworm -pinworms -piny -pinyin -pinyon -pinyons -piolet -piolets -pion -pioneer -pioneers -pionic -pions -piosity -pious -piously -pip -pipage -pipages -pipal -pipals -pipe -pipeage -pipeages -piped -pipefish -pipeful -pipefuls -pipeless -pipelike -pipeline -piper -piperine -pipers -pipes -pipestem -pipet -pipets -pipette -pipetted -pipettes -pipier -pipiest -pipiness -piping -pipingly -pipings -pipit -pipits -pipkin -pipkins -pipped -pippin -pipping -pippins -pips -pipy -piquance -piquances -piquancy -piquant -pique -piqued -piques -piquet -piquets -piquing -piracies -piracy -piragua -piraguas -pirana -piranas -piranha -piranhas -pirarucu -pirate -pirated -pirates -piratic -pirating -piraya -pirayas -piriform -pirn -pirns -pirog -pirogen -piroghi -pirogi -pirogies -pirogue -pirogues -pirojki -piroque -piroques -piroshki -pirozhki -pirozhok -pis -piscary -piscator -piscina -piscinae -piscinal -piscinas -piscine -pisco -piscos -pish -pished -pisher -pishers -pishes -pishing -pishoge -pishoges -pishogue -pisiform -pismire -pismires -piso -pisolite -pisolith -pisos -piss -pissant -pissants -pissed -pisser -pissers -pisses -pissing -pissoir -pissoirs -pistache -piste -pistes -pistil -pistils -pistol -pistole -pistoled -pistoles -pistols -piston -pistons -pistou -pistous -pit -pita -pitahaya -pitapat -pitapats -pitas -pitaya -pitayas -pitch -pitched -pitcher -pitchers -pitches -pitchier -pitchily -pitching -pitchman -pitchmen -pitchout -pitchy -piteous -pitfall -pitfalls -pith -pithead -pitheads -pithed -pithier -pithiest -pithily -pithing -pithless -piths -pithy -pitiable -pitiably -pitied -pitier -pitiers -pities -pitiful -pitiless -pitman -pitmans -pitmen -piton -pitons -pits -pitsaw -pitsaws -pitta -pittance -pittas -pitted -pitting -pittings -pity -pitying -piu -pivot -pivotal -pivoted -pivoting -pivotman -pivotmen -pivots -pix -pixel -pixels -pixes -pixie -pixieish -pixies -pixiness -pixy -pixyish -pizazz -pizazzes -pizazzy -pizza -pizzas -pizzaz -pizzazes -pizzazz -pizzazz -pizzazzes -pizzazzy -pizzazzy -pizzelle -pizzeria -pizzle -pizzles -placable -placably -placard -placards -placate -placated -placater -placates -place -placebo -placebos -placed -placeman -placemen -placenta -placer -placers -places -placet -placets -placid -placidly -placing -plack -placket -plackets -placks -placoid -placoids -plafond -plafonds -plagal -plage -plages -plagiary -plague -plagued -plaguer -plaguers -plagues -plaguey -plaguily -plaguing -plaguy -plaice -plaices -plaid -plaided -plaids -plain -plained -plainer -plainest -plaining -plainly -plains -plaint -plaints -plaister -plait -plaited -plaiter -plaiters -plaiting -plaits -plan -planar -planaria -planate -planch -planche -planches -planchet -plane -planed -planer -planers -planes -planet -planets -planform -plangent -planing -planish -plank -planked -planking -planks -plankter -plankton -planless -planned -planner -planners -planning -planosol -plans -plant -plantain -plantar -planted -planter -planters -planting -plantlet -plants -planula -planulae -planular -plaque -plaques -plash -plashed -plasher -plashers -plashes -plashier -plashing -plashy -plasm -plasma -plasmas -plasmic -plasmid -plasmids -plasmin -plasmins -plasmoid -plasmon -plasmons -plasms -plaster -plasters -plastery -plastic -plastics -plastid -plastids -plastral -plastron -plastrum -plat -platan -platane -platanes -platans -plate -plateau -plateaus -plateaux -plated -plateful -platelet -platen -platens -plater -platers -plates -platform -platier -platies -platiest -platina -platinas -plating -platings -platinic -platinum -platonic -platoon -platoons -plats -platted -platter -platters -platting -platy -platypi -platypus -platys -plaudit -plaudits -plausive -play -playa -playable -playact -playacts -playas -playback -playbill -playbook -playboy -playboys -playdate -playday -playdays -playdown -played -player -players -playful -playgirl -playgoer -playing -playland -playless -playlet -playlets -playlike -playlist -playmate -playoff -playoffs -playpen -playpens -playroom -plays -playsuit -playtime -playwear -plaza -plazas -plea -pleach -pleached -pleaches -plead -pleaded -pleader -pleaders -pleading -pleads -pleas -pleasant -please -pleased -pleaser -pleasers -pleases -pleasing -pleasure -pleat -pleated -pleater -pleaters -pleather -pleating -pleats -pleb -plebe -plebeian -plebes -plebs -plectra -plectron -plectrum -pled -pledge -pledged -pledgee -pledgees -pledgeor -pledger -pledgers -pledges -pledget -pledgets -pledging -pledgor -pledgors -pleiad -pleiades -pleiads -plena -plenary -plench -plenches -plenish -plenism -plenisms -plenist -plenists -plenties -plenty -plenum -plenums -pleon -pleonal -pleonasm -pleonic -pleons -pleopod -pleopods -plessor -plessors -plethora -pleura -pleurae -pleural -pleuras -pleurisy -pleuron -pleuston -plew -plews -plex -plexal -plexes -plexor -plexors -plexus -plexuses -pliable -pliably -pliancy -pliant -pliantly -plica -plicae -plical -plicate -plicated -plie -plied -plier -pliers -plies -plight -plighted -plighter -plights -plimsol -plimsole -plimsoll -plimsols -plink -plinked -plinker -plinkers -plinking -plinks -plinth -plinths -pliocene -pliocene -pliofilm -pliotron -pliskie -pliskies -plisky -plisse -plisses -plod -plodded -plodder -plodders -plodding -plods -ploidies -ploidy -plonk -plonked -plonking -plonks -plop -plopped -plopping -plops -plosion -plosions -plosive -plosives -plot -plotless -plotline -plotlines -plots -plottage -plotted -plotter -plotters -plottier -plotties -plotting -plotty -plotz -plotzed -plotzes -plotzing -plough -ploughed -plougher -ploughs -plover -plovers -plow -plowable -plowback -plowboy -plowboys -plowed -plower -plowers -plowhead -plowing -plowland -plowman -plowmen -plows -ploy -ployed -ploying -ploys -pluck -plucked -plucker -pluckers -pluckier -pluckily -plucking -plucks -plucky -plug -plugged -plugger -pluggers -plugging -plugless -plugola -plugolas -plugs -plugugly -plum -plumage -plumaged -plumages -plumate -plumb -plumbago -plumbed -plumber -plumbers -plumbery -plumbic -plumbing -plumbism -plumbous -plumbs -plumbum -plumbums -plume -plumed -plumelet -plumeria -plumerias -plumes -plumier -plumiest -pluming -plumiped -plumlike -plummer -plummest -plummet -plummets -plummier -plummy -plumose -plump -plumped -plumpen -plumpens -plumper -plumpers -plumpest -plumping -plumpish -plumply -plumps -plums -plumular -plumule -plumules -plumy -plunder -plunders -plunge -plunged -plunger -plungers -plunges -plunging -plunk -plunked -plunker -plunkers -plunkier -plunking -plunks -plunky -plural -plurally -plurals -plus -pluses -plush -plusher -plushes -plushest -plushier -plushily -plushly -plushy -plussage -plusses -plutei -pluteus -pluton -plutonic -plutons -pluvial -pluvials -pluvian -pluviose -pluvious -ply -plyer -plyers -plying -plyingly -plywood -plywoods -pneuma -pneumas -poaceous -poach -poached -poacher -poachers -poaches -poachier -poaching -poachy -poblano -poblanos -poboy -poboys -pochard -pochards -pock -pocked -pocket -pocketed -pocketer -pockets -pockier -pockiest -pockily -pocking -pockmark -pocks -pocky -poco -pocosen -pocosens -pocosin -pocosins -pocoson -pocosons -pod -podagra -podagral -podagras -podagric -podded -podding -podesta -podestas -podgier -podgiest -podgily -podgy -podia -podiatry -podite -podites -poditic -podium -podiums -podlike -podocarp -podomere -pods -podsol -podsolic -podsols -podzol -podzolic -podzols -poechore -poem -poems -poesies -poesy -poet -poetess -poetic -poetical -poetics -poetise -poetised -poetiser -poetises -poetize -poetized -poetizer -poetizes -poetless -poetlike -poetries -poetry -poets -pogey -pogeys -pogies -pogonia -pogonias -pogonip -pogonips -pogrom -pogromed -pogroms -pogy -poh -poi -poignant -poilu -poilus -poind -poinded -poinding -poinds -point -pointe -pointed -pointer -pointers -pointes -pointier -pointing -pointman -pointmen -points -pointy -pois -poise -poised -poiser -poisers -poises -poisha -poising -poison -poisoned -poisoner -poisons -poitrel -poitrels -pokable -poke -poked -poker -pokeroot -pokers -pokes -pokeweed -pokey -pokeys -pokier -pokies -pokiest -pokily -pokiness -poking -poky -pol -polar -polarise -polarity -polarize -polaron -polarons -polars -polder -polders -pole -poleax -poleaxe -poleaxed -poleaxes -polecat -polecats -poled -poleis -poleless -polemic -polemics -polemist -polemize -polenta -polentas -poler -polers -poles -polestar -poleward -poleyn -poleyns -police -policed -policer -policers -polices -policies -policing -policy -polies -poling -polio -polios -polis -polish -polished -polisher -polishes -polite -politely -politer -politest -politic -politick -politico -politics -polities -polity -polka -polkaed -polkaing -polkas -poll -pollack -pollacks -pollard -pollards -polled -pollee -pollees -pollen -pollened -pollens -poller -pollers -pollex -pollical -pollices -polling -pollinia -pollinic -pollist -pollists -polliwog -pollock -pollocks -polls -pollster -pollute -polluted -polluter -pollutes -pollywog -polo -poloist -poloists -polonium -polos -pols -poltroon -poly -polybrid -polycot -polycots -polyene -polyenes -polyenic -polygala -polygamy -polygene -polyglot -polygon -polygons -polygony -polygyny -polymath -polymer -polymers -polynya -polynyas -polynyi -polyol -polyols -polyoma -polyomas -polyp -polypary -polyped -polypeds -polypi -polypide -polypnea -polypod -polypods -polypody -polypoid -polypore -polypous -polyps -polypus -polys -polysemy -polysome -polytene -polyteny -polytype -polyuria -polyuric -polyzoan -polyzoic -pom -pomace -pomaces -pomade -pomaded -pomades -pomading -pomander -pomatum -pomatums -pome -pomelo -pomelos -pomes -pomfret -pomfrets -pommee -pommel -pommeled -pommels -pommie -pommies -pommy -pomo -pomology -pomos -pomp -pompano -pompanos -pompom -pompoms -pompon -pompons -pompous -pomps -poms -ponce -ponced -ponces -poncho -ponchoed -ponchos -poncing -pond -ponded -ponder -pondered -ponderer -ponders -ponding -ponds -pondweed -pone -ponent -pones -pong -ponged -pongee -pongees -pongid -pongids -ponging -pongs -poniard -poniards -ponied -ponies -pons -pontes -pontifex -pontiff -pontiffs -pontific -pontil -pontils -pontine -ponton -pontons -pontoon -pontoons -pony -ponying -ponytail -pooch -pooched -pooches -pooching -pood -poodle -poodles -poods -poof -poofs -pooftah -pooftahs -poofter -poofters -poofy -pooh -poohed -poohing -poohs -pool -pooled -pooler -poolers -poolhall -pooling -poolroom -pools -poolside -poon -poons -poop -pooped -pooping -poops -poor -poorer -poorest -poori -pooris -poorish -poorly -poorness -poortith -poove -pooves -pop -popcorn -popcorns -pope -popedom -popedoms -popeless -popelike -poperies -popery -popes -popeyed -popgun -popguns -popinjay -popish -popishly -poplar -poplars -poplin -poplins -poplitei -poplitic -popover -popovers -poppa -poppadom -poppadum -poppas -popped -popper -poppers -poppet -poppets -poppied -poppies -popping -popple -poppled -popples -poppling -poppy -pops -popsicle -popsicle -popsicles -popsie -popsies -popsy -populace -popular -populate -populism -populist -populous -porch -porches -porcine -porcini -porcinis -porcino -pore -pored -pores -porgies -porgy -poring -porism -porisms -pork -porked -porker -porkers -porkier -porkies -porkiest -porking -porkpie -porkpies -porks -porkwood -porky -porn -pornier -porniest -porno -pornos -porns -porny -porose -porosity -porous -porously -porphyry -porpoise -porrect -porridge -porridgy -port -portable -portably -portage -portaged -portages -portal -portaled -portals -portance -portapak -ported -portend -portends -portent -portents -porter -portered -portering -porters -porthole -portico -porticos -portiere -porting -portion -portions -portless -portlier -portly -portrait -portray -portrays -portress -ports -portside -posable -posada -posadas -pose -posed -poser -posers -poses -poseur -poseurs -posh -posher -poshest -poshly -poshness -posies -posing -posingly -posit -posited -positing -position -positive -positron -posits -posole -posoles -posology -posse -posses -possess -posset -possets -possible -possibly -possum -possums -post -postage -postages -postal -postally -postals -postanal -postbag -postbags -postbase -postbox -postboy -postboys -postburn -postcard -postcava -postcavas -postcode -postcoup -postdate -postdive -postdoc -postdocs -postdrug -posted -posteen -posteens -poster -postern -posterns -posters -postface -postfire -postfix -postform -postgame -postgrad -postheat -posthole -postiche -postie -posties -postin -posting -postings -postins -postique -postlude -postman -postmark -postmen -postop -postops -postoral -postpaid -postpone -postpose -postpunk -postrace -postriot -posts -postshow -postsync -posttax -postteen -posttest -postural -posture -postured -posturer -postures -postwar -posy -pot -potable -potables -potage -potages -potamic -potash -potashes -potassic -potation -potato -potatoes -potatory -potbelly -potboil -potboils -potbound -potboy -potboys -poteen -poteens -potence -potences -potency -potent -potently -potful -potfuls -pothead -potheads -potheen -potheens -pother -potherb -potherbs -pothered -pothers -pothole -potholed -potholes -pothook -pothooks -pothos -pothouse -potiche -potiches -potion -potions -potlach -potlache -potlatch -potlike -potline -potlines -potluck -potlucks -potman -potmen -potpie -potpies -pots -potshard -potsherd -potshot -potshots -potsie -potsies -potstone -potsy -pottage -pottages -potted -potteen -potteens -potter -pottered -potterer -potters -pottery -pottier -potties -pottiest -potting -pottle -pottles -potto -pottos -potty -potzer -potzers -pouch -pouched -pouches -pouchier -pouching -pouchy -pouf -poufed -pouff -pouffe -pouffed -pouffes -pouffs -pouffy -poufs -poulard -poularde -poulards -poult -poulter -poulters -poultice -poultry -poults -pounce -pounced -pouncer -pouncers -pounces -pouncing -pound -poundage -poundal -poundals -pounded -pounder -pounders -pounding -pounds -pour -pourable -poured -pourer -pourers -pouring -pours -poussie -poussies -pout -pouted -pouter -pouters -poutful -poutier -poutiest -poutine -poutines -pouting -pouts -pouty -poverty -pow -powder -powdered -powderer -powders -powdery -power -powered -powerful -powering -powers -pows -powter -powters -powwow -powwowed -powwows -pox -poxed -poxes -poxier -poxiest -poxing -poxvirus -poxy -poyou -poyous -pozole -pozoles -pozzolan -praam -praams -practic -practice -practise -praecipe -praedial -praefect -praelect -praetor -praetors -prahu -prahus -prairie -prairies -praise -praised -praiser -praisers -praises -praising -prajna -prajnas -praline -pralines -pram -prams -prance -pranced -prancer -prancers -prances -prancing -prandial -prang -pranged -pranging -prangs -prank -pranked -pranking -prankish -pranks -prao -praos -prase -prases -prat -prate -prated -prater -praters -prates -pratfall -prating -pratique -prats -prattle -prattled -prattler -prattles -prau -praus -prawn -prawned -prawner -prawners -prawning -prawns -praxes -praxis -praxises -pray -prayed -prayer -prayers -praying -prays -preach -preached -preacher -preaches -preachy -preact -preacted -preacts -preadapt -preadmit -preadopt -preadult -preaged -preallot -prealter -preamble -preamp -preamps -preanal -preapply -prearm -prearmed -prearms -preaudit -preaver -preavers -preaxial -prebade -prebake -prebaked -prebakes -prebaking -prebasal -prebend -prebends -prebid -prebids -prebill -prebills -prebind -prebinds -prebirth -prebless -preboard -preboil -preboils -prebook -prebooked -prebooking -prebooks -preboom -prebound -prebuild -prebuilt -prebuy -prebuys -precast -precasts -precava -precavae -precaval -precede -preceded -precedes -precent -precents -precept -precepts -precess -precheck -prechill -prechose -precieux -precinct -precious -precipe -precipes -precis -precise -precised -preciser -precises -precited -preclean -preclear -preclude -precode -precoded -precodes -precook -precooks -precool -precools -precoup -precrash -precure -precured -precures -precut -precuts -predate -predated -predates -predator -predawn -predawns -predeath -predella -predial -predict -predicts -predive -predraft -predried -predries -predrill -predry -predusk -predusks -pree -preed -preedit -preedits -preeing -preelect -preemie -preemies -preempt -preempts -preen -preenact -preened -preener -preeners -preening -preens -preerect -prees -preexist -prefab -prefabs -preface -prefaced -prefacer -prefaces -prefade -prefaded -prefades -prefect -prefects -prefer -prefers -prefight -prefile -prefiled -prefiles -prefire -prefired -prefires -prefix -prefixal -prefixed -prefixes -preflame -prefocus -preform -preforms -prefrank -prefroze -prefund -prefunds -pregame -pregames -preggers -pregnant -preguide -preheat -preheats -prehuman -prejudge -prelacy -prelate -prelates -prelatic -prelaw -prelect -prelects -prelegal -prelife -prelim -prelimit -prelims -prelives -preload -preloads -prelude -preluded -preluder -preludes -prelunch -premade -preman -premeal -premed -premedic -premeds -premeet -premen -premie -premier -premiere -premiers -premies -premise -premised -premises -premiss -premium -premiums -premix -premixed -premixes -premolar -premold -premolds -premolt -premoral -premorse -premune -prename -prenames -prenatal -prenomen -prenoon -prentice -preop -preops -preoral -preorder -preowned -prep -prepack -prepacks -prepaid -prepare -prepared -preparer -prepares -prepaste -prepave -prepaved -prepaves -prepay -prepays -prepense -prepill -preplace -preplan -preplans -preplant -prepped -preppie -preppier -preppies -preppily -prepping -preppy -prepreg -prepregs -prepress -preprice -preprint -preps -prepubes -prepubis -prepuce -prepuces -prepunch -prepupa -prepupae -prepupal -prepupas -prequel -prequels -prerace -preradio -prerenal -prerinse -preriot -prerock -presa -presage -presaged -presager -presages -presale -presales -prescind -prescore -prese -presell -presells -presence -present -presents -preserve -preset -presets -preshape -preship -preships -preshow -preshown -preshows -preside -presided -presider -presides -presidia -presidio -presift -presifts -presleep -preslice -presoak -presoaks -presold -presolve -presong -presort -presorts -presplit -press -pressed -presser -pressers -presses -pressing -pressman -pressmen -pressor -pressors -pressrun -pressure -prest -prestamp -prester -presters -prestige -presto -prestore -prestos -prests -presume -presumed -presumer -presumes -pretape -pretaped -pretapes -pretaste -pretax -preteen -preteens -pretell -pretells -pretence -pretend -pretends -pretense -preterit -preterm -preterms -pretest -pretests -pretext -pretexts -pretold -pretor -pretors -pretrain -pretreat -pretrial -pretrim -pretrims -prettied -prettier -pretties -prettify -prettily -pretty -pretype -pretyped -pretypes -pretzel -pretzels -preunion -preunite -prevail -prevails -prevalue -prevent -prevents -preverb -preverbs -preview -previews -previous -previse -prevised -previses -previsit -previsor -prevue -prevued -prevues -prevuing -prewar -prewarm -prewarms -prewarn -prewarns -prewash -preweigh -prewire -prewired -prewires -prework -preworks -preworn -prewrap -prewraps -prex -prexes -prexies -prexy -prey -preyed -preyer -preyers -preying -preys -prez -prezes -priapean -priapi -priapic -priapism -priapus -price -priced -pricer -pricers -prices -pricey -pricier -priciest -pricily -pricing -prick -pricked -pricker -prickers -pricket -prickets -prickier -pricking -prickle -prickled -prickles -prickly -pricks -pricky -pricy -pride -prided -prideful -prides -priding -pried -priedieu -prier -priers -pries -priest -priested -priestly -priests -prig -prigged -priggery -prigging -priggish -priggism -prigs -prill -prilled -prilling -prills -prim -prima -primacy -primage -primages -primal -primary -primas -primatal -primate -primates -prime -primed -primely -primer -primero -primeros -primers -primes -primeval -primi -primine -primines -priming -primings -primly -primmed -primmer -primmest -primming -primness -primo -primos -primp -primped -primping -primps -primrose -prims -primsie -primula -primulas -primus -primuses -prince -princely -princes -princess -principe -principi -princock -princox -prink -prinked -prinker -prinkers -prinking -prinks -print -printed -printer -printers -printery -printing -printout -prints -prion -prions -prior -priorate -prioress -priories -priority -priorly -priors -priory -prise -prised -prisere -priseres -prises -prising -prism -prismoid -prisms -prison -prisoned -prisoner -prisons -priss -prissed -prisses -prissier -prissies -prissily -prissing -prissy -pristane -pristine -prithee -privacy -private -privater -privates -privet -privets -privier -privies -priviest -privily -privity -privy -prize -prized -prizer -prizers -prizes -prizing -pro -proa -proas -probable -probables -probably -proband -probands -probang -probangs -probate -probated -probates -probe -probed -prober -probers -probes -probing -probit -probits -probity -problem -problems -procaine -procarp -procarps -proceed -proceeds -process -prochain -prochein -proclaim -proctor -proctors -procural -procure -procured -procurer -procures -prod -prodded -prodder -prodders -prodding -prodigal -prodigy -prodrome -prodrug -prodrugs -prods -produce -produced -producer -produces -product -products -proem -proemial -proems -proette -proettes -prof -profane -profaned -profaner -profanes -profess -proffer -proffers -profile -profiled -profiler -profiles -profit -profited -profiter -profits -proforma -profound -profs -profuse -prog -progeny -progeria -progged -progger -proggers -progging -prognose -prograde -program -programs -progress -progs -progun -prohibit -project -projects -projet -projets -prolabor -prolamin -prolan -prolans -prolapse -prolate -prole -proleg -prolegs -proles -prolific -proline -prolines -prolix -prolixly -prolog -prologed -prologs -prologue -prolong -prolonge -prolongs -prom -promine -promines -promise -promised -promisee -promiser -promises -promisor -promo -promoed -promoing -promos -promote -promoted -promoter -promotes -prompt -prompted -prompter -promptly -prompts -proms -promulge -pronate -pronated -pronates -pronator -prone -pronely -prong -pronged -pronging -prongs -pronota -pronotum -pronoun -pronouns -pronto -proof -proofed -proofer -proofers -proofing -proofs -prop -propane -propanes -propel -propels -propend -propends -propene -propenes -propenol -propense -propenyl -proper -properer -properly -propers -property -prophage -prophase -prophecy -prophesy -prophet -prophets -propine -propined -propines -propjet -propjets -propman -propmen -propolis -propone -proponed -propones -proposal -propose -proposed -proposer -proposes -propound -propped -propping -propria -proprium -props -propyl -propyla -propylic -propylon -propyls -prorate -prorated -prorates -prorogue -pros -prosaic -prosaism -prosaist -prose -prosect -prosects -prosed -proser -prosers -proses -prosier -prosiest -prosily -prosing -prosit -proso -prosodic -prosody -prosoma -prosomal -prosomas -prosos -prospect -prosper -prospers -pross -prosses -prossie -prossies -prost -prostate -prostie -prosties -prostyle -prosy -protamin -protases -protasis -protatic -protea -protean -proteans -proteas -protease -protect -protects -protege -protegee -proteges -protei -proteid -proteide -proteids -protein -proteins -protend -protends -proteome -proteose -protest -protests -proteus -protist -protists -protium -protiums -protocol -proton -protonic -protons -protopod -protoxid -protozoa -protract -protrade -protrude -protyl -protyle -protyles -protyls -proud -prouder -proudest -proudful -proudly -prounion -provable -provably -prove -proved -proven -provenly -prover -proverb -proverbs -provers -proves -provide -provided -provider -provides -province -proving -proviral -provirus -proviso -provisos -provoke -provoked -provoker -provokes -provost -provosts -prow -prowar -prower -prowess -prowest -prowl -prowled -prowler -prowlers -prowling -prowls -prows -proxemic -proxies -proximal -proximo -proxy -prude -prudence -prudent -prudery -prudes -prudish -pruinose -prunable -prune -pruned -prunella -prunelle -prunello -pruner -pruners -prunes -pruning -prunus -prunuses -prurient -prurigo -prurigos -pruritic -pruritus -prussic -pruta -prutah -prutot -prutoth -pry -pryer -pryers -prying -pryingly -prythee -psalm -psalmed -psalmic -psalming -psalmist -psalmody -psalms -psalter -psalters -psaltery -psaltry -psammite -psammon -psammons -pschent -pschents -psephite -pseud -pseudo -pseudos -pseuds -pshaw -pshawed -pshawing -pshaws -psi -psilocin -psiloses -psilosis -psilotic -psis -psoae -psoai -psoas -psoatic -psocid -psocids -psoralea -psoralen -psst -pst -psych -psyche -psyched -psyches -psychic -psychics -psyching -psycho -psychos -psychs -psylla -psyllas -psyllid -psyllids -psyllium -psyops -psywar -psywars -pterin -pterins -pteropod -pterygia -pteryla -pterylae -ptisan -ptisans -ptomain -ptomaine -ptomains -ptooey -ptoses -ptosis -ptotic -ptui -ptyalin -ptyalins -ptyalism -pub -puberal -pubertal -puberty -pubes -pubic -pubis -public -publican -publicly -publics -publish -pubs -puccoon -puccoons -puce -puces -puck -pucka -pucker -puckered -puckerer -puckers -puckery -puckish -pucks -pud -pudding -puddings -puddle -puddled -puddler -puddlers -puddles -puddlier -puddling -puddly -pudency -pudenda -pudendal -pudendum -pudgier -pudgiest -pudgily -pudgy -pudibund -pudic -puds -pueblo -pueblos -puerile -puerpera -puff -puffball -puffed -puffer -puffers -puffery -puffier -puffiest -puffily -puffin -puffing -puffins -puffs -puffy -pug -pugaree -pugarees -puggaree -pugged -puggier -puggiest -pugging -puggish -puggree -puggrees -puggries -puggry -puggy -pugh -pugilism -pugilist -pugmark -pugmarks -pugree -pugrees -pugs -puisne -puisnes -puissant -puja -pujah -pujahs -pujas -puke -puked -pukes -puking -pukka -pul -pula -pule -puled -puler -pulers -pules -puli -pulicene -pulicide -pulik -puling -pulingly -pulings -pulis -pull -pullback -pulled -puller -pullers -pullet -pullets -pulley -pulleys -pulling -pullman -pullmans -pullout -pullouts -pullover -pulls -pullup -pullups -pulmonic -pulmotor -pulp -pulpal -pulpally -pulped -pulper -pulpers -pulpier -pulpiest -pulpily -pulping -pulpit -pulpital -pulpits -pulpless -pulpous -pulps -pulpwood -pulpy -pulque -pulques -puls -pulsant -pulsar -pulsars -pulsate -pulsated -pulsates -pulsator -pulse -pulsed -pulsejet -pulser -pulsers -pulses -pulsing -pulsion -pulsions -pulsojet -pulvilli -pulvinar -pulvini -pulvinus -puma -pumas -pumelo -pumelos -pumice -pumiced -pumicer -pumicers -pumices -pumicing -pumicite -pummel -pummeled -pummelo -pummelos -pummels -pump -pumped -pumper -pumpers -pumping -pumpkin -pumpkins -pumpless -pumplike -pumps -pun -puna -punas -punch -punched -puncheon -puncher -punchers -punches -punchier -punchily -punching -punchy -punctate -punctual -puncture -pundit -punditic -punditry -pundits -pung -pungency -pungent -pungle -pungled -pungles -pungling -pungs -punier -puniest -punily -puniness -punish -punished -punisher -punishes -punition -punitive -punitory -punji -punjis -punk -punka -punkah -punkahs -punkas -punker -punkers -punkest -punkey -punkeys -punkie -punkier -punkies -punkiest -punkin -punkins -punkish -punks -punky -punned -punner -punners -punnet -punnets -punnier -punniest -punning -punny -puns -punster -punsters -punt -punted -punter -punters -punties -punting -punto -puntos -punts -punty -puny -pup -pupa -pupae -pupal -puparia -puparial -puparium -pupas -pupate -pupated -pupates -pupating -pupation -pupfish -pupil -pupilage -pupilar -pupilary -pupils -pupped -puppet -puppetry -puppets -puppies -pupping -puppy -puppydom -puppyish -pups -pupu -pupus -pur -purana -puranas -puranic -purblind -purchase -purda -purdah -purdahs -purdas -pure -purebred -puree -pureed -pureeing -purees -purely -pureness -purer -purest -purfle -purfled -purfler -purflers -purfles -purfling -purge -purged -purger -purgers -purges -purging -purgings -puri -purified -purifier -purifies -purify -purin -purine -purines -purins -puris -purism -purisms -purist -puristic -purists -puritan -puritans -purities -purity -purl -purled -purlieu -purlieus -purlin -purline -purlines -purling -purlings -purlins -purloin -purloins -purls -purple -purpled -purpler -purples -purplest -purpling -purplish -purply -purport -purports -purpose -purposed -purposes -purpura -purpuras -purpure -purpures -purpuric -purpurin -purr -purred -purring -purrs -purs -purse -pursed -purser -pursers -purses -pursier -pursiest -pursily -pursing -purslane -pursuant -pursue -pursued -pursuer -pursuers -pursues -pursuing -pursuit -pursuits -pursy -purtier -purtiest -purty -purulent -purvey -purveyed -purveyor -purveys -purview -purviews -pus -puses -push -pushball -pushcart -pushdown -pushed -pusher -pushers -pushes -pushful -pushier -pushiest -pushily -pushing -pushover -pushpin -pushpins -pushrod -pushrods -pushup -pushups -pushy -pusley -pusleys -puslike -puss -pusses -pussier -pussies -pussiest -pussley -pussleys -pusslies -pusslike -pussly -pussy -pussycat -pustular -pustule -pustuled -pustules -put -putamen -putamina -putative -putdown -putdowns -putlog -putlogs -putoff -putoffs -puton -putons -putout -putouts -putrefy -putrid -putridly -puts -putsch -putsches -putt -putted -puttee -puttees -putter -puttered -putterer -putters -putti -puttie -puttied -puttier -puttiers -putties -putting -putto -putts -putty -puttying -putz -putzed -putzes -putzing -puzzle -puzzled -puzzler -puzzlers -puzzles -puzzling -pya -pyaemia -pyaemias -pyaemic -pyas -pycnidia -pycnoses -pycnosis -pycnotic -pye -pyelitic -pyelitis -pyemia -pyemias -pyemic -pyes -pygidia -pygidial -pygidium -pygmaean -pygmean -pygmies -pygmoid -pygmy -pygmyish -pygmyism -pyic -pyin -pyins -pyjama -pyjamas -pyknic -pyknics -pyknoses -pyknosis -pyknotic -pylon -pylons -pylori -pyloric -pylorus -pyoderma -pyogenic -pyoid -pyorrhea -pyoses -pyosis -pyralid -pyralids -pyramid -pyramids -pyran -pyranoid -pyranose -pyrans -pyre -pyrene -pyrenes -pyrenoid -pyres -pyretic -pyrex -pyrex -pyrexes -pyrexes -pyrexia -pyrexial -pyrexias -pyrexic -pyric -pyridic -pyridine -pyriform -pyrite -pyrites -pyritic -pyritous -pyro -pyrogen -pyrogens -pyrola -pyrolas -pyrology -pyrolyze -pyrone -pyrones -pyronine -pyrope -pyropes -pyros -pyrosis -pyrostat -pyroxene -pyrrhic -pyrrhics -pyrrol -pyrrole -pyrroles -pyrrolic -pyrrols -pyruvate -python -pythonic -pythons -pyuria -pyurias -pyx -pyxes -pyxides -pyxidia -pyxidium -pyxie -pyxies -pyxis -qabala -qabalah -qabalahs -qabalas -qadi -qadis -qaid -qaids -qanat -qanats -qat -qats -qi -qindar -qindarka -qindars -qintar -qintars -qis -qiviut -qiviuts -qoph -qophs -qua -quaalude -quaaludes -quack -quacked -quackery -quackier -quacking -quackish -quackism -quacks -quacky -quad -quadded -quadding -quadplex -quadrans -quadrant -quadrat -quadrate -quadrats -quadric -quadrics -quadriga -quadroon -quads -quaere -quaeres -quaestor -quaff -quaffed -quaffer -quaffers -quaffing -quaffs -quag -quagga -quaggas -quaggier -quaggy -quagmire -quagmiry -quags -quahaug -quahaugs -quahog -quahogs -quai -quaich -quaiches -quaichs -quaigh -quaighs -quail -quailed -quailing -quails -quaint -quainter -quaintly -quais -quake -quaked -quaker -quakers -quakes -quakier -quakiest -quakily -quaking -quaky -quale -qualia -qualify -quality -qualm -qualmier -qualmish -qualms -qualmy -quamash -quandang -quandary -quandong -quango -quangos -quant -quanta -quantal -quanted -quantic -quantics -quantify -quantile -quanting -quantity -quantize -quantong -quants -quantum -quare -quark -quarks -quarrel -quarrels -quarried -quarrier -quarries -quarry -quart -quartan -quartans -quarte -quarter -quartern -quarters -quartes -quartet -quartets -quartic -quartics -quartier -quartile -quarto -quartos -quarts -quartz -quartzes -quasar -quasars -quash -quashed -quasher -quashers -quashes -quashing -quasi -quass -quasses -quassia -quassias -quassin -quassins -quate -quatorze -quatrain -quatre -quatres -quaver -quavered -quaverer -quavers -quavery -quay -quayage -quayages -quaylike -quays -quayside -qubit -qubits -qubyte -qubytes -quean -queans -queasier -queasily -queasy -queazier -queazy -queen -queendom -queened -queening -queenly -queens -queer -queered -queerer -queerest -queering -queerish -queerly -queers -quelea -queleas -quell -quelled -queller -quellers -quelling -quells -quench -quenched -quencher -quenches -quenelle -quercine -querida -queridas -queried -querier -queriers -queries -querist -querists -quern -querns -query -querying -quest -quested -quester -questers -questing -question -questor -questors -quests -quetzal -quetzals -queue -queued -queueing -queuer -queuers -queues -queuing -quey -queys -quezal -quezales -quezals -quibble -quibbled -quibbler -quibbles -quiche -quiches -quick -quicken -quickens -quicker -quickest -quickie -quickies -quickly -quicks -quickset -quid -quiddity -quidnunc -quids -quiet -quieted -quieten -quietens -quieter -quieters -quietest -quieting -quietism -quietist -quietly -quiets -quietude -quietus -quiff -quiffs -quill -quillai -quillaia -quillais -quillaja -quilled -quillet -quillets -quilling -quills -quilt -quilted -quilter -quilters -quilting -quilts -quin -quinary -quinate -quince -quinces -quincunx -quinela -quinelas -quinella -quinic -quiniela -quinin -quinina -quininas -quinine -quinines -quinins -quinnat -quinnats -quinoa -quinoas -quinoid -quinoids -quinol -quinolin -quinols -quinone -quinones -quins -quinsied -quinsies -quinsy -quint -quinta -quintain -quintal -quintals -quintan -quintans -quintar -quintars -quintas -quinte -quintes -quintet -quintets -quintic -quintics -quintile -quintin -quintins -quints -quip -quipped -quipper -quippers -quippier -quipping -quippish -quippu -quippus -quippy -quips -quipster -quipu -quipus -quire -quired -quires -quiring -quirk -quirked -quirkier -quirkily -quirking -quirkish -quirks -quirky -quirt -quirted -quirting -quirts -quisling -quit -quitch -quitches -quite -quitrent -quits -quitted -quitter -quitters -quitting -quittor -quittors -quiver -quivered -quiverer -quivers -quivery -quixote -quixotes -quixotic -quixotry -quiz -quizzed -quizzer -quizzers -quizzes -quizzing -quod -quods -quohog -quohogs -quoin -quoined -quoining -quoins -quoit -quoited -quoiting -quoits -quokka -quokkas -quoll -quolls -quomodo -quomodos -quondam -quorum -quorums -quota -quotable -quotably -quotas -quote -quoted -quoter -quoters -quotes -quoth -quotha -quotient -quoting -qursh -qurshes -qurush -qurushes -qwerty -qwertys -rabat -rabato -rabatos -rabats -rabbet -rabbeted -rabbets -rabbi -rabbies -rabbin -rabbinic -rabbins -rabbis -rabbit -rabbited -rabbiter -rabbitry -rabbits -rabbity -rabble -rabbled -rabbler -rabblers -rabbles -rabbling -rabboni -rabbonis -rabic -rabid -rabidity -rabidly -rabies -rabietic -raccoon -raccoons -race -raced -racemate -raceme -racemed -racemes -racemic -racemism -racemize -racemoid -racemose -racemous -racer -racers -races -racewalk -raceway -raceways -rachet -racheted -rachets -rachial -rachides -rachilla -rachis -rachises -rachitic -rachitis -racial -racially -racier -raciest -racily -raciness -racing -racings -racism -racisms -racist -racists -rack -racked -racker -rackers -racket -racketed -rackets -rackety -rackful -rackfuls -racking -rackle -racks -rackwork -raclette -racon -racons -racoon -racoons -racquet -racquets -racy -rad -radar -radars -radded -radding -raddle -raddled -raddles -raddling -radiable -radial -radiale -radialia -radially -radials -radian -radiance -radiancy -radians -radiant -radiants -radiate -radiated -radiates -radiator -radical -radicals -radicand -radicate -radicel -radicels -radices -radicle -radicles -radii -radio -radioed -radioing -radioman -radiomen -radios -radish -radishes -radium -radiums -radius -radiuses -radix -radixes -radome -radomes -radon -radons -rads -radula -radulae -radular -radulas -radwaste -radwastes -raff -raffia -raffias -raffish -raffle -raffled -raffler -rafflers -raffles -raffling -raffs -raft -rafted -rafter -raftered -rafters -rafting -rafts -raftsman -raftsmen -rag -raga -ragas -ragbag -ragbags -rage -raged -ragee -ragees -rages -ragg -ragged -raggeder -raggedly -raggedy -raggee -raggees -raggies -ragging -raggle -raggles -raggs -raggy -ragi -raging -ragingly -ragis -raglan -raglans -ragman -ragmen -ragout -ragouted -ragouts -rags -ragtag -ragtags -ragtime -ragtimes -ragtop -ragtops -ragweed -ragweeds -ragwort -ragworts -rah -rai -raia -raias -raid -raided -raider -raiders -raiding -raids -rail -railbird -railbus -railcar -railcars -railed -railer -railers -railhead -railing -railings -raillery -railroad -rails -railway -railways -raiment -raiments -rain -rainband -rainbird -rainbow -rainbows -raincoat -raindrop -rained -rainfall -rainier -rainiest -rainily -raining -rainless -rainout -rainouts -rains -rainwash -rainwear -rainy -rais -raisable -raise -raised -raiser -raisers -raises -raisin -raising -raisings -raisins -raisiny -raisonne -raita -raitas -raj -raja -rajah -rajahs -rajas -rajes -rake -raked -rakee -rakees -rakehell -rakeoff -rakeoffs -raker -rakers -rakes -raki -raking -rakis -rakish -rakishly -raku -rakus -rale -rales -rallied -rallier -ralliers -rallies -ralline -rally -rallye -rallyes -rallying -rallyist -ralph -ralphed -ralphing -ralphs -ram -ramada -ramadas -ramal -ramate -rambla -ramblas -ramble -rambled -rambler -ramblers -rambles -rambling -rambutan -ramee -ramees -ramekin -ramekins -ramen -ramenta -ramentum -ramequin -ramet -ramets -rami -ramie -ramies -ramified -ramifies -ramiform -ramify -ramilie -ramilies -ramillie -ramjet -ramjets -rammed -rammer -rammers -rammier -rammiest -ramming -rammish -rammy -ramona -ramonas -ramose -ramosely -ramosity -ramous -ramp -rampage -rampaged -rampager -rampages -rampancy -rampant -rampart -ramparts -ramped -rampike -rampikes -ramping -rampion -rampions -rampole -rampoles -ramps -ramrod -ramrods -rams -ramshorn -ramson -ramsons -ramtil -ramtilla -ramtils -ramulose -ramulous -ramus -ran -rance -rances -ranch -ranched -rancher -ranchero -ranchers -ranches -ranching -ranchman -ranchmen -rancho -ranchos -rancid -rancidly -rancor -rancored -rancors -rancour -rancours -rand -randan -randans -randier -randies -randiest -random -randomly -randoms -rands -randy -ranee -ranees -rang -range -ranged -ranger -rangers -ranges -rangier -rangiest -ranging -rangy -rani -ranid -ranids -ranis -rank -ranked -ranker -rankers -rankest -ranking -rankings -rankish -rankle -rankled -rankles -rankless -rankling -rankly -rankness -ranks -ranpike -ranpikes -ransack -ransacks -ransom -ransomed -ransomer -ransoms -rant -ranted -ranter -ranters -ranting -rants -ranula -ranular -ranulas -rap -rapacity -rape -raped -raper -rapers -rapes -rapeseed -raphae -raphe -raphes -raphia -raphias -raphide -raphides -raphis -rapid -rapider -rapidest -rapidity -rapidly -rapids -rapier -rapiered -rapiers -rapine -rapines -raping -rapini -rapist -rapists -rapparee -rapped -rappee -rappees -rappel -rappeled -rappeling -rappels -rappen -rapper -rappers -rapping -rappini -rapport -rapports -raps -rapt -raptly -raptness -raptor -raptors -rapture -raptured -raptures -rare -rarebit -rarebits -rared -rarefied -rarefier -rarefies -rarefy -rarely -rareness -rarer -rareripe -rares -rarest -rarified -rarifies -rarify -raring -rarities -rarity -ras -rasbora -rasboras -rascal -rascally -rascals -rase -rased -raser -rasers -rases -rash -rasher -rashers -rashes -rashest -rashlike -rashly -rashness -rasing -rasorial -rasp -rasped -rasper -raspers -raspier -raspiest -rasping -raspings -raspish -rasps -raspy -rassle -rassled -rassles -rassling -raster -rasters -rasure -rasures -rat -ratable -ratables -ratably -ratafee -ratafees -ratafia -ratafias -ratal -ratals -ratan -ratanies -ratans -ratany -rataplan -ratatat -ratatats -ratbag -ratbags -ratch -ratches -ratchet -ratcheted -ratcheting -ratchets -rate -rateable -rateably -rated -ratel -ratels -rater -raters -rates -ratfink -ratfinks -ratfish -rath -rathe -rather -rathole -ratholes -raticide -ratified -ratifier -ratifies -ratify -ratine -ratines -rating -ratings -ratio -ration -rational -rationed -rations -ratios -ratite -ratites -ratlike -ratlin -ratline -ratlines -ratlins -rato -ratoon -ratooned -ratooner -ratoons -ratos -rats -ratsbane -rattail -rattails -rattan -rattans -ratted -ratteen -ratteens -ratten -rattened -rattener -rattens -ratter -ratters -rattier -rattiest -ratting -rattish -rattle -rattled -rattler -rattlers -rattles -rattling -rattly -ratton -rattons -rattoon -rattoons -rattrap -rattraps -ratty -raucity -raucous -raunch -raunches -raunchy -ravage -ravaged -ravager -ravagers -ravages -ravaging -rave -raved -ravel -raveled -raveler -ravelers -ravelin -raveling -ravelins -ravelled -raveller -ravelly -ravels -raven -ravened -ravener -raveners -ravening -ravenous -ravens -raver -ravers -raves -ravigote -ravin -ravine -ravined -ravines -raving -ravingly -ravings -ravining -ravins -ravioli -raviolis -ravish -ravished -ravisher -ravishes -raw -rawboned -rawer -rawest -rawhide -rawhided -rawhides -rawin -rawins -rawish -rawly -rawness -raws -rax -raxed -raxes -raxing -ray -raya -rayah -rayahs -rayas -rayed -raygrass -raying -rayless -raylike -rayon -rayons -rays -raze -razed -razee -razeed -razeeing -razees -razer -razers -razes -razing -razor -razored -razoring -razors -razz -razzed -razzes -razzing -re -reabsorb -reaccede -reaccent -reaccept -reaccuse -reach -reached -reacher -reachers -reaches -reaching -react -reactant -reacted -reacting -reaction -reactive -reactor -reactors -reacts -read -readable -readably -readapt -readapts -readd -readded -readdict -readding -readds -reader -readerly -readers -readied -readier -readies -readiest -readily -reading -readings -readjust -readmit -readmits -readopt -readopts -readorn -readorns -readout -readouts -reads -ready -readying -reaffirm -reaffix -reagent -reagents -reagin -reaginic -reagins -real -realer -reales -realest -realgar -realgars -realia -realign -realigns -realise -realised -realiser -realises -realism -realisms -realist -realists -reality -realize -realized -realizer -realizes -reallot -reallots -really -realm -realms -realness -reals -realter -realters -realties -realtor -realtor -realtors -realtors -realty -ream -reamed -reamer -reamers -reaming -reams -reannex -reanoint -reap -reapable -reaped -reaper -reapers -reaphook -reaping -reappear -reapply -reaps -rear -reared -rearer -rearers -reargue -reargued -reargues -rearing -rearm -rearmed -rearmice -rearming -rearmost -rearms -rearouse -rearrest -rears -rearward -reascend -reascent -reason -reasoned -reasoner -reasons -reassail -reassert -reassess -reassign -reassort -reassume -reassure -reata -reatas -reattach -reattack -reattain -reavail -reavails -reave -reaved -reaver -reavers -reaves -reaving -reavow -reavowed -reavows -reawake -reawaked -reawaken -reawakes -reawoke -reawoken -reb -rebait -rebaited -rebaits -rebar -rebars -rebate -rebated -rebater -rebaters -rebates -rebating -rebato -rebatos -rebbe -rebbes -rebec -rebeck -rebecks -rebecs -rebegan -rebegin -rebeginning -rebegins -rebegun -rebel -rebeldom -rebelled -rebels -rebid -rebidden -rebids -rebill -rebilled -rebills -rebind -rebinds -rebirth -rebirths -reblend -reblends -reblent -rebloom -reblooms -reboant -reboard -reboards -rebodied -rebodies -rebody -reboil -reboiled -reboils -rebook -rebooked -rebooks -reboot -rebooted -rebooting -reboots -rebop -rebops -rebore -rebored -rebores -reboring -reborn -rebottle -rebought -rebound -rebounds -rebozo -rebozos -rebranch -rebred -rebreed -rebreeding -rebreeds -rebs -rebuff -rebuffed -rebuffs -rebuild -rebuilds -rebuilt -rebuke -rebuked -rebuker -rebukers -rebukes -rebuking -reburial -reburied -reburies -rebury -rebus -rebuses -rebut -rebuts -rebuttal -rebutted -rebutter -rebutton -rebuy -rebuying -rebuys -rec -recall -recalled -recaller -recalls -recamier -recane -recaned -recanes -recaning -recant -recanted -recanter -recants -recap -recapped -recaps -recarpet -recarry -recast -recasts -recce -recces -recede -receded -recedes -receding -receipt -receipts -receive -received -receiver -receives -recement -recency -recensor -recent -recenter -recently -recept -receptor -recepts -recess -recessed -recesses -rechange -recharge -rechart -recharts -recheat -recheats -recheck -rechecks -rechew -rechewed -rechews -rechoose -rechose -rechosen -recipe -recipes -recircle -recision -recit -recital -recitals -recite -recited -reciter -reciters -recites -reciting -recits -reck -recked -recking -reckless -reckon -reckoned -reckoner -reckons -recks -reclad -reclads -reclaim -reclaims -reclame -reclames -reclasp -reclasps -reclean -recleans -recline -reclined -recliner -reclines -reclothe -recluse -recluses -recoal -recoaled -recoals -recoat -recoated -recoats -recock -recocked -recocks -recode -recoded -recodes -recodify -recoding -recoil -recoiled -recoiler -recoils -recoin -recoined -recoins -recolor -recolors -recomb -recombed -recombs -recommit -recon -reconfer -reconned -recons -reconvey -recook -recooked -recooks -recopied -recopies -recopy -record -recorded -recorder -records -recork -recorked -recorks -recount -recounts -recoup -recoupe -recouped -recouple -recoups -recourse -recover -recovers -recovery -recrate -recrated -recrates -recreant -recreate -recross -recrown -recrowns -recruit -recruits -recs -recta -rectal -rectally -recti -rectify -recto -rector -rectors -rectory -rectos -rectrix -rectum -rectums -rectus -recur -recurred -recurs -recurve -recurved -recurves -recusal -recusals -recusant -recuse -recused -recuses -recusing -recut -recuts -recycle -recycled -recycler -recycles -red -redact -redacted -redactor -redacts -redamage -redan -redans -redargue -redate -redated -redates -redating -redbait -redbaits -redbay -redbays -redbird -redbirds -redbone -redbones -redbrick -redbud -redbuds -redbug -redbugs -redcap -redcaps -redcoat -redcoats -redd -redded -redden -reddened -reddens -redder -redders -reddest -redding -reddish -reddle -reddled -reddles -reddling -redds -rede -redear -redears -redecide -reded -redeem -redeemed -redeemer -redeems -redefeat -redefect -redefied -redefies -redefine -redefy -redemand -redenied -redenies -redeny -redeploy -redes -redesign -redeye -redeyes -redfin -redfins -redfish -redhead -redheads -redhorse -redia -rediae -redial -redialed -redialing -redialled -redialling -redials -redias -redid -redigest -reding -redip -redipped -redips -redipt -redirect -redivide -redleg -redlegs -redline -redlined -redliner -redlines -redly -redneck -rednecks -redness -redo -redock -redocked -redocks -redoes -redoing -redolent -redon -redone -redonned -redons -redos -redouble -redoubt -redoubts -redound -redounds -redout -redouts -redowa -redowas -redox -redoxes -redpoll -redpolls -redraft -redrafts -redraw -redrawer -redrawn -redraws -redream -redreams -redreamt -redress -redrew -redried -redries -redrill -redrills -redrive -redriven -redrives -redroot -redroots -redrove -redry -redrying -reds -redshank -redshift -redshirt -redskin -redskins -redstart -redtop -redtops -redub -redubbed -redubs -reduce -reduced -reducer -reducers -reduces -reducing -reductor -reduviid -redux -redware -redwares -redwing -redwings -redwood -redwoods -redye -redyed -redyeing -redyes -ree -reearn -reearned -reearns -reechier -reecho -reechoed -reechoes -reechy -reed -reedbird -reedbuck -reeded -reedier -reediest -reedify -reedily -reeding -reedings -reedit -reedited -reedits -reedlike -reedling -reedman -reedmen -reeds -reedy -reef -reefable -reefed -reefer -reefers -reefier -reefiest -reefing -reefs -reefy -reeject -reejects -reek -reeked -reeker -reekers -reekier -reekiest -reeking -reeks -reeky -reel -reelable -reelect -reelects -reeled -reeler -reelers -reeling -reelings -reels -reembark -reembody -reemerge -reemit -reemits -reemploy -reenact -reenacts -reendow -reendows -reengage -reenjoy -reenjoys -reenlist -reenroll -reenter -reenters -reentry -reequip -reequips -reerect -reerects -rees -reest -reested -reesting -reests -reeve -reeved -reeves -reeving -reevoke -reevoked -reevokes -reexpel -reexpels -reexport -reexpose -reexposed -reexposes -reexposing -ref -reface -refaced -refaces -refacing -refall -refallen -refalls -refasten -refect -refected -refects -refed -refeed -refeeds -refeel -refeels -refel -refell -refelled -refels -refelt -refence -refenced -refences -refer -referee -refereed -referees -referent -referral -referred -referrer -refers -reffed -reffing -refight -refights -refigure -refile -refiled -refiles -refiling -refill -refilled -refills -refilm -refilmed -refilms -refilter -refind -refinds -refine -refined -refiner -refiners -refinery -refines -refining -refinish -refire -refired -refires -refiring -refit -refits -refitted -refix -refixed -refixes -refixing -reflag -reflags -reflate -reflated -reflates -reflect -reflects -reflet -reflets -reflew -reflex -reflexed -reflexes -reflexly -reflies -refloat -refloats -reflood -refloods -reflow -reflowed -reflower -reflown -reflows -refluent -reflux -refluxed -refluxes -refly -reflying -refocus -refold -refolded -refolds -reforest -reforge -reforged -reforges -reform -reformat -reformed -reformer -reforms -refought -refound -refounds -refract -refracts -refrain -refrains -reframe -reframed -reframes -refreeze -refresh -refried -refries -refront -refronts -refroze -refrozen -refry -refrying -refs -reft -refuel -refueled -refuels -refuge -refuged -refugee -refugees -refuges -refugia -refuging -refugium -refund -refunded -refunder -refunds -refusal -refusals -refuse -refused -refuser -refusers -refuses -refusing -refusnik -refutal -refutals -refute -refuted -refuter -refuters -refutes -refuting -reg -regain -regained -regainer -regains -regal -regale -regaled -regaler -regalers -regales -regalia -regaling -regality -regally -regard -regarded -regards -regather -regatta -regattas -regauge -regauged -regauges -regave -regear -regeared -regears -regelate -regency -regent -regental -regents -reges -reggae -reggaes -regicide -regild -regilded -regilds -regilt -regime -regimen -regimens -regiment -regimes -regina -reginae -reginal -reginas -region -regional -regions -register -registry -regius -regive -regiven -regives -regiving -reglaze -reglazed -reglazes -reglet -reglets -regloss -reglow -reglowed -reglows -reglue -reglued -reglues -regluing -regma -regmata -regna -regnal -regnancy -regnant -regnum -regolith -regorge -regorged -regorges -regosol -regosols -regrade -regraded -regrades -regraft -regrafts -regrant -regrants -regrate -regrated -regrates -regreen -regreens -regreet -regreets -regress -regret -regrets -regrew -regrind -regrinds -regroom -regrooms -regroove -reground -regroup -regroups -regrow -regrown -regrows -regrowth -regs -regular -regulars -regulate -reguli -reguline -regulus -rehab -rehabbed -rehabber -rehabs -rehammer -rehandle -rehang -rehanged -rehangs -reharden -rehash -rehashed -rehashes -rehear -reheard -rehears -rehearse -reheat -reheated -reheater -reheats -reheel -reheeled -reheels -rehem -rehemmed -rehems -rehinge -rehinged -rehinges -rehire -rehired -rehires -rehiring -rehoboam -rehouse -rehoused -rehouses -rehung -rei -reif -reified -reifier -reifiers -reifies -reifs -reify -reifying -reign -reigned -reigning -reignite -reigns -reimage -reimaged -reimages -reimport -reimpose -rein -reincite -reincur -reincurs -reindeer -reindex -reindict -reinduce -reinduct -reined -reinfect -reinform -reinfuse -reining -reinject -reinjure -reinjury -reink -reinked -reinking -reinks -reinless -reins -reinsert -reinsman -reinsmen -reinsure -reinter -reinters -reinvade -reinvent -reinvest -reinvite -reinvoke -reis -reissue -reissued -reissuer -reissues -reitbok -reitboks -reive -reived -reiver -reivers -reives -reiving -rejacket -reject -rejected -rejectee -rejecter -rejector -rejects -rejig -rejigged -rejigger -rejigs -rejoice -rejoiced -rejoicer -rejoices -rejoin -rejoined -rejoins -rejudge -rejudged -rejudges -rejuggle -rekey -rekeyed -rekeying -rekeys -rekindle -reknit -reknits -reknot -reknots -relabel -relabels -relace -relaced -relaces -relacing -relaid -reland -relanded -relands -relapse -relapsed -relapser -relapses -relate -related -relater -relaters -relates -relating -relation -relative -relator -relators -relaunch -relax -relaxant -relaxed -relaxer -relaxers -relaxes -relaxin -relaxing -relaxins -relay -relayed -relaying -relays -relearn -relearns -relearnt -release -released -releaser -releases -relegate -relend -relends -relent -relented -relents -relet -relets -reletter -relevant -releve -releves -reliable -reliably -reliance -reliant -relic -relics -relict -relicts -relied -relief -reliefs -relier -reliers -relies -relieve -relieved -reliever -relieves -relievo -relievos -relight -relights -religion -reline -relined -relines -relining -relink -relinked -relinks -relique -reliques -relish -relished -relishes -relist -relisted -relists -relit -relive -relived -relives -reliving -relleno -rellenos -reload -reloaded -reloader -reloads -reloan -reloaned -reloans -relocate -relock -relocked -relocks -relook -relooked -relooking -relooks -relucent -reluct -relucted -relucts -relume -relumed -relumes -relumine -reluming -rely -relying -rem -remade -remail -remailed -remails -remain -remained -remains -remake -remaker -remakers -remakes -remaking -reman -remand -remanded -remands -remanent -remanned -remans -remap -remapped -remaps -remark -remarked -remarker -remarket -remarks -remarque -remarry -remaster -rematch -remate -remated -remates -remating -remedial -remedied -remedies -remedy -remeet -remeets -remelt -remelted -remelts -remember -remend -remended -remends -remerge -remerged -remerges -remet -remex -remiges -remigial -remind -reminded -reminder -reminds -remint -reminted -remints -remise -remised -remises -remising -remiss -remissly -remit -remits -remittal -remitted -remitter -remittor -remix -remixed -remixes -remixing -remixt -remnant -remnants -remodel -remodels -remodify -remolade -remold -remolded -remolds -remora -remoras -remorid -remorse -remorses -remote -remotely -remoter -remotes -remotest -remotion -remount -remounts -removal -removals -remove -removed -remover -removers -removes -removing -rems -remuda -remudas -renail -renailed -renails -renal -rename -renamed -renames -renaming -renature -rend -rended -render -rendered -renderer -renders -rendible -rending -rends -rendzina -renegade -renegado -renege -reneged -reneger -renegers -reneges -reneging -renest -renested -renests -renew -renewal -renewals -renewed -renewer -renewers -renewing -renews -reniform -renig -renigged -renigs -renin -renins -renitent -renminbi -rennase -rennases -rennet -rennets -rennin -rennins -renogram -renotify -renounce -renovate -renown -renowned -renowns -rent -rentable -rental -rentals -rente -rented -renter -renters -rentes -rentier -rentiers -renting -rents -renumber -renvoi -renvois -reobject -reobtain -reoccupy -reoccur -reoccurs -reoffer -reoffers -reoil -reoiled -reoiling -reoils -reopen -reopened -reopens -reoppose -reordain -reorder -reorders -reorient -reoutfit -reovirus -rep -repacify -repack -repacked -repacks -repaid -repaint -repaints -repair -repaired -repairer -repairs -repand -repandly -repanel -repanels -repaper -repapers -repark -reparked -reparks -repartee -repass -repassed -repasses -repast -repasted -repasts -repatch -repatched -repatches -repatching -repave -repaved -repaves -repaving -repay -repaying -repays -repeal -repealed -repealer -repeals -repeat -repeated -repeater -repeats -repeg -repegged -repegs -repel -repelled -repeller -repels -repent -repented -repenter -repents -repeople -reperk -reperked -reperks -repetend -rephrase -repin -repine -repined -repiner -repiners -repines -repining -repinned -repins -replace -replaced -replacer -replaces -replan -replans -replant -replants -replate -replated -replates -replay -replayed -replays -replead -repleads -repled -repledge -replete -repletes -replevin -replevy -replica -replicas -replicon -replied -replier -repliers -replies -replot -replots -replow -replowed -replows -replumb -replumbs -replunge -reply -replying -repo -repolish -repoll -repolled -repolls -report -reported -reporter -reports -repos -reposal -reposals -repose -reposed -reposer -reposers -reposes -reposing -reposit -reposits -repot -repots -repotted -repour -repoured -repours -repousse -repower -repowers -repp -repped -repping -repps -repress -reprice -repriced -reprices -reprieve -reprint -reprints -reprisal -reprise -reprised -reprises -repro -reproach -reprobe -reprobed -reprobes -reproof -reproofs -repros -reproval -reprove -reproved -reprover -reproves -reps -reptant -reptile -reptiles -reptilia -republic -repugn -repugned -repugns -repulse -repulsed -repulser -repulses -repump -repumped -repumps -repurify -repursue -repute -reputed -reputes -reputing -request -requests -requiem -requiems -requin -requins -require -required -requirer -requires -requital -requite -requited -requiter -requites -rerack -reracked -reracks -reraise -reraised -reraises -reran -reread -rereads -rerecord -reredos -reremice -reremind -rerent -rerented -rerents -rerepeat -rereview -rereward -rerig -rerigged -rerigging -rerigs -rerise -rerisen -rerises -rerising -reroll -rerolled -reroller -rerolls -reroof -reroofed -reroofs -rerose -reroute -rerouted -reroutes -rerun -reruns -res -resaddle -resaid -resail -resailed -resails -resale -resales -resalute -resample -resat -resaw -resawed -resawing -resawn -resaws -resay -resaying -resays -rescale -rescaled -rescales -reschool -rescind -rescinds -rescore -rescored -rescores -rescreen -rescript -rescue -rescued -rescuer -rescuers -rescues -rescuing -resculpt -reseal -resealed -reseals -research -reseason -reseat -reseated -reseats -reseau -reseaus -reseaux -resect -resected -resects -resecure -reseda -resedas -resee -reseed -reseeded -reseeds -reseeing -reseek -reseeks -reseen -resees -reseize -reseized -reseizes -reselect -resell -reseller -resells -resemble -resend -resends -resent -resented -resents -reserve -reserved -reserver -reserves -reset -resets -resetter -resettle -resew -resewed -resewing -resewn -resews -resh -reshape -reshaped -reshaper -reshapes -reshave -reshaved -reshaven -reshaves -reshes -reshine -reshined -reshines -reship -reships -reshod -reshoe -reshoed -reshoes -reshone -reshoot -reshoots -reshot -reshow -reshowed -reshower -reshown -reshows -resid -reside -resided -resident -resider -residers -resides -residing -resids -residua -residual -residue -residues -residuum -resift -resifted -resifts -resight -resights -resign -resigned -resigner -resigns -resile -resiled -resiles -resilin -resiling -resilins -resilver -resin -resinate -resined -resinify -resining -resinoid -resinous -resins -resiny -resist -resisted -resister -resistor -resists -resit -resite -resited -resites -resiting -resits -resize -resized -resizes -resizing -resketch -reslate -reslated -reslates -resmelt -resmelts -resmooth -resoak -resoaked -resoaks -resod -resodded -resods -resoften -resojet -resojets -resold -resolder -resole -resoled -resoles -resoling -resolute -resolve -resolved -resolver -resolves -resonant -resonate -resorb -resorbed -resorbs -resorcin -resort -resorted -resorter -resorts -resought -resound -resounds -resource -resow -resowed -resowing -resown -resows -respace -respaced -respaces -respade -respaded -respades -respeak -respeaks -respect -respects -respell -respells -respelt -respire -respired -respires -respite -respited -respites -resplice -resplit -resplits -respoke -respoken -respond -responds -responsa -response -respool -respools -respot -respots -resprang -respray -resprays -respread -respring -resprout -resprung -rest -restable -restack -restacks -restaff -restaffs -restage -restaged -restages -restamp -restamps -restart -restarts -restate -restated -restates -rested -rester -resters -restful -resting -restitch -restive -restless -restock -restocks -restoke -restoked -restokes -restoking -restoral -restore -restored -restorer -restores -restrain -restress -restrict -restrike -restring -restrive -restroom -restrove -restruck -restrung -rests -restudy -restuff -restuffs -restyle -restyled -restyles -resubmit -result -resulted -results -resume -resumed -resumer -resumers -resumes -resuming -resummon -resupine -resupply -resurge -resurged -resurges -resurvey -ret -retable -retables -retack -retacked -retackle -retacks -retag -retagged -retags -retail -retailed -retailer -retailor -retails -retain -retained -retainer -retains -retake -retaken -retaker -retakers -retakes -retaking -retally -retape -retaped -retapes -retaping -retard -retarded -retarder -retards -retarget -retaste -retasted -retastes -retaught -retax -retaxed -retaxes -retaxing -retch -retched -retches -retching -rete -reteach -reteam -reteamed -reteams -retear -retears -retell -retells -retem -retemper -retems -retene -retenes -retest -retested -retests -rethink -rethinks -rethread -retia -retial -retiarii -retiary -reticent -reticle -reticles -reticula -reticule -retie -retied -retieing -retieing -reties -retiform -retile -retiled -retiles -retiling -retime -retimed -retimes -retiming -retina -retinae -retinal -retinals -retinas -retine -retinene -retines -retinite -retinoid -retinoids -retinol -retinols -retint -retinted -retints -retinue -retinued -retinues -retinula -retirant -retire -retired -retiree -retirees -retirer -retirers -retires -retiring -retitle -retitled -retitles -retold -retook -retool -retooled -retools -retore -retorn -retort -retorted -retorter -retorts -retotal -retotals -retouch -retrace -retraced -retracer -retraces -retrack -retracks -retract -retracts -retrain -retrains -retral -retrally -retread -retreads -retreat -retreats -retrench -retrial -retrials -retried -retries -retrieve -retrim -retrims -retro -retroact -retrofit -retronym -retrorse -retros -retry -retrying -rets -retsina -retsinas -retted -retting -retune -retuned -retunes -retuning -return -returned -returnee -returner -returns -retuse -retwist -retwists -retying -retype -retyped -retypes -retyping -reunify -reunion -reunions -reunite -reunited -reuniter -reunites -reuptake -reusable -reuse -reused -reuses -reusing -reutter -reutters -rev -revalue -revalued -revalues -revamp -revamped -revamper -revamps -revanche -reveal -revealed -revealer -reveals -revehent -reveille -revel -reveled -reveler -revelers -reveling -revelled -reveller -revelry -revels -revenant -revenge -revenged -revenger -revenges -revenual -revenue -revenued -revenuer -revenues -reverb -reverbed -reverbs -revere -revered -reverend -reverent -reverer -reverers -reveres -reverie -reveries -reverify -revering -revers -reversal -reverse -reversed -reverser -reverses -reverso -reversos -revert -reverted -reverter -reverts -revery -revest -revested -revests -revet -revets -revetted -review -reviewal -reviewed -reviewer -reviews -revile -reviled -reviler -revilers -reviles -reviling -revisal -revisals -revise -revised -reviser -revisers -revises -revising -revision -revisit -revisits -revisor -revisors -revisory -revival -revivals -revive -revived -reviver -revivers -revives -revivify -reviving -revoice -revoiced -revoices -revoke -revoked -revoker -revokers -revokes -revoking -revolt -revolted -revolter -revolts -revolute -revolve -revolved -revolver -revolves -revote -revoted -revotes -revoting -revs -revue -revues -revuist -revuists -revulsed -revved -revving -rewake -rewaked -rewaken -rewakens -rewakes -rewaking -rewan -reward -rewarded -rewarder -rewards -rewarm -rewarmed -rewarms -rewash -rewashed -rewashes -rewax -rewaxed -rewaxes -rewaxing -rewear -rewears -reweave -reweaved -reweaves -rewed -rewedded -reweds -reweigh -reweighs -reweld -rewelded -rewelds -rewet -rewets -rewetted -rewiden -rewidens -rewin -rewind -rewinded -rewinder -rewinds -rewins -rewire -rewired -rewires -rewiring -rewoke -rewoken -rewon -reword -reworded -rewords -rewore -rework -reworked -reworks -reworn -rewound -rewove -rewoven -rewrap -rewraps -rewrapt -rewrite -rewriter -rewrites -rewrote -rex -rexes -rexine -rexine -rexines -rexines -reynard -reynards -rezero -rezeroed -rezeroes -rezeros -rezone -rezoned -rezones -rezoning -rhabdom -rhabdome -rhabdoms -rhachis -rhamnose -rhamnus -rhaphae -rhaphe -rhaphes -rhapsode -rhapsody -rhatany -rhea -rheas -rhebok -rheboks -rhematic -rheme -rhemes -rhenium -rheniums -rheobase -rheology -rheophil -rheostat -rhesus -rhesuses -rhetor -rhetoric -rhetors -rheum -rheumic -rheumier -rheums -rheumy -rhinal -rhinitis -rhino -rhinos -rhizobia -rhizoid -rhizoids -rhizoma -rhizome -rhizomes -rhizomic -rhizopi -rhizopod -rhizopus -rho -rhodamin -rhodic -rhodium -rhodiums -rhodora -rhodoras -rhomb -rhombi -rhombic -rhomboid -rhombs -rhombus -rhonchal -rhonchi -rhonchus -rhos -rhotic -rhubarb -rhubarbs -rhumb -rhumba -rhumbaed -rhumbas -rhumbs -rhus -rhuses -rhyme -rhymed -rhymer -rhymers -rhymes -rhyming -rhyolite -rhyta -rhythm -rhythmic -rhythms -rhyton -ria -rial -rials -rialto -rialtos -riant -riantly -rias -riata -riatas -rib -ribald -ribaldly -ribaldry -ribalds -riband -ribands -ribband -ribbands -ribbed -ribber -ribbers -ribbier -ribbiest -ribbing -ribbings -ribbon -ribboned -ribbons -ribbony -ribby -ribes -ribgrass -ribier -ribiers -ribless -riblet -riblets -riblike -ribose -riboses -ribosome -ribozyme -ribs -ribwort -ribworts -rice -ricebird -riced -ricer -ricercar -ricers -rices -rich -richen -richened -richens -richer -riches -richest -richly -richness -richweed -ricin -ricing -ricins -ricinus -rick -ricked -rickets -rickety -rickey -rickeys -ricking -rickrack -ricks -ricksha -rickshas -rickshaw -ricochet -ricotta -ricottas -ricrac -ricracs -rictal -rictus -rictuses -rid -ridable -riddance -ridded -ridden -ridder -ridders -ridding -riddle -riddled -riddler -riddlers -riddles -riddling -ride -rideable -rident -rider -riders -rides -ridge -ridged -ridgel -ridgels -ridges -ridgetop -ridgier -ridgiest -ridgil -ridgils -ridging -ridgling -ridgy -ridicule -riding -ridings -ridley -ridleys -ridotto -ridottos -rids -riel -riels -riesling -riever -rievers -rif -rifampin -rife -rifely -rifeness -rifer -rifest -riff -riffed -riffing -riffle -riffled -riffler -rifflers -riffles -riffling -riffraff -riffs -rifle -rifled -rifleman -riflemen -rifler -riflers -riflery -rifles -rifling -riflings -riflip -riflips -rifs -rift -rifted -rifting -riftless -rifts -rig -rigadoon -rigatoni -rigaudon -rigged -rigger -riggers -rigging -riggings -right -righted -righter -righters -rightest -rightful -righties -righting -rightism -rightist -rightly -righto -rights -righty -rigid -rigidify -rigidity -rigidly -rigor -rigorism -rigorist -rigorous -rigors -rigour -rigours -rigs -rikisha -rikishas -rikshaw -rikshaws -rile -riled -riles -riley -rilievi -rilievo -riling -rill -rille -rilled -rilles -rillet -rillets -rilling -rills -rim -rime -rimed -rimer -rimers -rimes -rimester -rimfire -rimfires -rimier -rimiest -riminess -riming -rimland -rimlands -rimless -rimmed -rimmer -rimmers -rimming -rimose -rimosely -rimosity -rimous -rimple -rimpled -rimples -rimpling -rimrock -rimrocks -rims -rimshot -rimshots -rimy -rin -rind -rinded -rindless -rinds -rindy -ring -ringbark -ringbolt -ringbone -ringdove -ringed -ringent -ringer -ringers -ringgit -ringgits -ringhals -ringing -ringlet -ringlets -ringlike -ringneck -rings -ringside -ringtail -ringtaw -ringtaws -ringtoss -ringworm -rink -rinks -rinning -rins -rinsable -rinse -rinsed -rinser -rinsers -rinses -rinsible -rinsing -rinsings -rioja -riojas -riot -rioted -rioter -rioters -rioting -riotous -riots -rip -riparian -ripcord -ripcords -ripe -riped -ripely -ripen -ripened -ripener -ripeners -ripeness -ripening -ripens -riper -ripes -ripest -ripieni -ripieno -ripienos -riping -ripoff -ripoffs -ripost -riposte -riposted -ripostes -riposts -rippable -ripped -ripper -rippers -ripping -ripple -rippled -rippler -ripplers -ripples -ripplet -ripplets -ripplier -rippling -ripply -riprap -ripraps -rips -ripsaw -ripsawed -ripsawn -ripsaws -ripstop -ripstops -riptide -riptides -rise -risen -riser -risers -rises -rishi -rishis -risible -risibles -risibly -rising -risings -risk -risked -risker -riskers -riskier -riskiest -riskily -risking -riskless -risks -risky -risotto -risottos -risque -rissole -rissoles -ristra -ristras -risus -risuses -ritard -ritards -rite -rites -ritter -ritters -ritual -ritually -rituals -ritz -ritzes -ritzier -ritziest -ritzily -ritzy -rivage -rivages -rival -rivaled -rivaling -rivalled -rivalry -rivals -rive -rived -riven -river -riverbed -riverine -rivers -rives -rivet -riveted -riveter -riveters -riveting -rivets -rivetted -riviera -rivieras -riviere -rivieres -riving -rivulet -rivulets -rivulose -riyal -riyals -roach -roached -roaches -roaching -road -roadbed -roadbeds -roadeo -roadeos -roadie -roadies -roadkill -roadkills -roadless -roads -roadshow -roadside -roadster -roadway -roadways -roadwork -roam -roamed -roamer -roamers -roaming -roams -roan -roans -roar -roared -roarer -roarers -roaring -roarings -roars -roast -roasted -roaster -roasters -roasting -roasts -rob -robalo -robalos -roband -robands -robbed -robber -robbers -robbery -robbin -robbing -robbins -robe -robed -robes -robin -robing -robins -roble -robles -roborant -robot -robotic -robotics -robotism -robotize -robotry -robots -robs -robust -robusta -robustas -robuster -robustly -roc -rocaille -rocailles -rochet -rochets -rock -rockable -rockaby -rockabye -rockaway -rocked -rocker -rockers -rockery -rocket -rocketed -rocketer -rocketry -rockets -rockfall -rockfish -rockier -rockiest -rocking -rockless -rocklike -rockling -rockoon -rockoons -rockrose -rocks -rockweed -rockwork -rocky -rococo -rococos -rocs -rod -rodded -rodding -rode -rodent -rodents -rodeo -rodeoed -rodeoing -rodeos -rodes -rodless -rodlike -rodman -rodmen -rods -rodsman -rodsmen -roe -roebuck -roebucks -roentgen -roes -rogation -rogatory -roger -rogered -rogering -rogers -rogue -rogued -rogueing -roguery -rogues -roguing -roguish -roil -roiled -roilier -roiliest -roiling -roils -roily -roister -roisters -rolamite -role -roles -rolf -rolfed -rolfer -rolfers -rolfing -rolfs -roll -rollaway -rollback -rolled -roller -rollers -rollick -rollicks -rollicky -rolling -rollings -rollmop -rollmops -rollout -rollouts -rollover -rolls -rolltop -rollway -rollways -rom -romaine -romaines -romaji -romajis -roman -romance -romanced -romancer -romances -romanise -romanised -romanises -romanising -romanize -romano -romanos -romans -romantic -romaunt -romaunts -romeo -romeos -romp -romped -romper -rompers -romping -rompish -romps -roms -rondeau -rondeaux -rondel -rondelet -rondelle -rondels -rondo -rondos -rondure -rondures -ronion -ronions -ronnel -ronnels -rontgen -rontgens -ronyon -ronyons -rood -roods -roof -roofed -roofer -roofers -roofie -roofies -roofing -roofings -roofless -rooflike -roofline -roofs -rooftop -rooftops -rooftree -rook -rooked -rookery -rookie -rookier -rookies -rookiest -rooking -rooks -rooky -room -roomed -roomer -roomers -roomette -roomful -roomfuls -roomie -roomier -roomies -roomiest -roomily -rooming -roommate -rooms -roomy -roorbach -roorback -roose -roosed -rooser -roosers -rooses -roosing -roost -roosted -rooster -roosters -roosting -roosts -root -rootage -rootages -rootcap -rootcaps -rooted -rooter -rooters -roothold -rootier -rootiest -rooting -rootle -rootled -rootles -rootless -rootlet -rootlets -rootlike -rootling -roots -rootworm -rooty -ropable -rope -roped -ropelike -roper -roperies -ropers -ropery -ropes -ropewalk -ropeway -ropeways -ropey -ropier -ropiest -ropily -ropiness -roping -ropy -roque -roques -roquet -roqueted -roquets -roquette -rorqual -rorquals -rosacea -rosaceas -rosaria -rosarian -rosaries -rosarium -rosary -roscoe -roscoes -rose -roseate -rosebay -rosebays -rosebud -rosebuds -rosebush -rosed -rosefish -rosehip -rosehips -roselike -roselle -roselles -rosemary -roseola -roseolar -roseolas -roseries -roseroot -rosery -roses -roseslug -roset -rosets -rosette -rosettes -rosewood -roshi -roshis -rosier -rosiest -rosily -rosin -rosined -rosiness -rosing -rosining -rosinol -rosinols -rosinous -rosins -rosiny -rosolio -rosolios -rostella -roster -rosters -rostra -rostral -rostrate -rostrum -rostrums -rosulate -rosy -rot -rota -rotaries -rotary -rotas -rotate -rotated -rotates -rotating -rotation -rotative -rotator -rotators -rotatory -rotch -rotche -rotches -rote -rotenone -rotes -rotgut -rotguts -roti -rotifer -rotifers -rotiform -rotis -rotl -rotls -roto -rotor -rotors -rotos -rototill -rots -rotte -rotted -rotten -rottener -rottenly -rotter -rotters -rottes -rotting -rotund -rotunda -rotundas -rotundly -roturier -rouble -roubles -rouche -rouches -roue -rouen -rouens -roues -rouge -rouged -rouges -rough -roughage -roughdry -roughed -roughen -roughens -rougher -roughers -roughest -roughhew -roughies -roughing -roughish -roughleg -roughly -roughs -roughy -rouging -rouille -rouilles -roulade -roulades -rouleau -rouleaus -rouleaux -roulette -round -rounded -roundel -roundels -rounder -rounders -roundest -rounding -roundish -roundlet -roundly -rounds -roundup -roundups -roup -rouped -roupet -roupier -roupiest -roupily -rouping -roups -roupy -rouse -roused -rouser -rousers -rouses -rousing -rousseau -roust -rousted -rouster -rousters -rousting -rousts -rout -route -routed -routeman -routemen -router -routers -routes -routeway -routh -rouths -routine -routines -routing -routs -roux -rove -roved -roven -rover -rovers -roves -roving -rovingly -rovings -row -rowable -rowan -rowans -rowboat -rowboats -rowdier -rowdies -rowdiest -rowdily -rowdy -rowdyish -rowdyism -rowed -rowel -roweled -roweling -rowelled -rowels -rowen -rowens -rower -rowers -rowing -rowings -rowlock -rowlocks -rows -rowth -rowths -royal -royalism -royalist -royally -royals -royalty -royster -roysters -rozzer -rozzers -ruana -ruanas -rub -rubaboo -rubaboos -rubace -rubaces -rubaiyat -rubasse -rubasses -rubati -rubato -rubatos -rubbaboo -rubbed -rubber -rubbered -rubbers -rubbery -rubbies -rubbing -rubbings -rubbish -rubbishy -rubble -rubbled -rubbles -rubblier -rubbling -rubbly -rubboard -rubby -rubdown -rubdowns -rube -rubel -rubella -rubellas -rubels -rubeola -rubeolar -rubeolas -rubes -rubicund -rubidic -rubidium -rubied -rubier -rubies -rubiest -rubigo -rubigos -rubious -ruble -rubles -ruboff -ruboffs -rubout -rubouts -rubric -rubrical -rubrics -rubs -rubus -ruby -rubying -rubylike -ruche -ruched -ruches -ruching -ruchings -ruck -rucked -rucking -ruckle -ruckled -ruckles -ruckling -rucks -rucksack -ruckus -ruckuses -ruction -ructions -ructious -rudd -rudder -rudders -ruddier -ruddiest -ruddily -ruddle -ruddled -ruddles -ruddling -ruddock -ruddocks -rudds -ruddy -rude -rudely -rudeness -ruder -ruderal -ruderals -ruderies -rudery -rudesby -rudest -rudiment -rue -rued -rueful -ruefully -ruer -ruers -rues -ruff -ruffe -ruffed -ruffes -ruffian -ruffians -ruffing -ruffle -ruffled -ruffler -rufflers -ruffles -rufflier -rufflike -ruffling -ruffly -ruffs -rufiyaa -rufous -rug -ruga -rugae -rugal -rugalach -rugate -rugbies -rugby -rugelach -rugged -ruggeder -ruggedly -rugger -ruggers -rugging -ruglike -rugola -rugolas -rugosa -rugosas -rugose -rugosely -rugosity -rugous -rugs -rugulose -ruin -ruinable -ruinate -ruinated -ruinates -ruined -ruiner -ruiners -ruing -ruining -ruinous -ruins -rulable -rule -ruled -ruleless -ruler -rulers -rules -rulier -ruliest -ruling -rulings -ruly -rum -rumaki -rumakis -rumba -rumbaed -rumbaing -rumbas -rumble -rumbled -rumbler -rumblers -rumbles -rumbling -rumbly -rumen -rumens -rumina -ruminal -ruminant -ruminate -rummage -rummaged -rummager -rummages -rummer -rummers -rummest -rummier -rummies -rummiest -rummy -rumor -rumored -rumoring -rumors -rumour -rumoured -rumours -rump -rumple -rumpled -rumples -rumpless -rumplier -rumpling -rumply -rumps -rumpus -rumpuses -rums -run -runabout -runagate -runaway -runaways -runback -runbacks -rundle -rundles -rundlet -rundlets -rundown -rundowns -rune -runelike -runes -rung -rungless -rungs -runic -runkle -runkled -runkles -runkling -runless -runlet -runlets -runnel -runnels -runner -runners -runnier -runniest -running -runnings -runny -runoff -runoffs -runout -runouts -runover -runovers -runround -runs -runt -runtier -runtiest -runtish -runts -runty -runway -runways -rupee -rupees -rupiah -rupiahs -rupture -ruptured -ruptures -rural -ruralise -ruralism -ruralist -ruralite -rurality -ruralize -rurally -rurban -ruse -ruses -rush -rushed -rushee -rushees -rusher -rushers -rushes -rushier -rushiest -rushing -rushings -rushlike -rushy -rusine -rusk -rusks -russet -russets -russety -russify -rust -rustable -rusted -rustic -rustical -rusticly -rustics -rustier -rustiest -rustily -rusting -rustle -rustled -rustler -rustlers -rustles -rustless -rustling -rusts -rusty -rut -rutabaga -ruth -ruthenic -ruthful -ruthless -ruths -rutilant -rutile -rutiles -rutin -rutins -ruts -rutted -ruttier -ruttiest -ruttily -rutting -ruttish -rutty -rya -ryas -rye -ryegrass -ryes -ryke -ryked -rykes -ryking -rynd -rynds -ryokan -ryokans -ryot -ryots -sab -sabal -sabals -sabaton -sabatons -sabayon -sabayons -sabbat -sabbath -sabbaths -sabbatic -sabbats -sabbed -sabbing -sabe -sabed -sabeing -saber -sabered -sabering -sabers -sabes -sabin -sabine -sabines -sabins -sabir -sabirs -sable -sables -sabot -sabotage -saboteur -sabots -sabra -sabras -sabre -sabred -sabres -sabring -sabs -sabulose -sabulous -sac -sacaton -sacatons -sacbut -sacbuts -saccade -saccades -saccadic -saccate -saccular -saccule -saccules -sacculi -sacculus -sachem -sachemic -sachems -sachet -sacheted -sachets -sack -sackbut -sackbuts -sacked -sacker -sackers -sackful -sackfuls -sacking -sackings -sacklike -sacks -sacksful -saclike -sacque -sacques -sacra -sacral -sacrals -sacraria -sacred -sacredly -sacring -sacrings -sacrist -sacrists -sacristy -sacrum -sacrums -sacs -sad -sadden -saddened -saddens -sadder -saddest -saddhu -saddhus -saddle -saddled -saddler -saddlers -saddlery -saddles -saddling -sade -sades -sadhe -sadhes -sadhu -sadhus -sadi -sadiron -sadirons -sadis -sadism -sadisms -sadist -sadistic -sadists -sadly -sadness -sae -safari -safaried -safaris -safe -safely -safeness -safer -safes -safest -safetied -safeties -safety -saffron -saffrons -safranin -safrol -safrole -safroles -safrols -sag -saga -sagacity -sagaman -sagamen -sagamore -saganash -sagas -sagbut -sagbuts -sage -sagely -sageness -sager -sages -sagest -saggar -saggard -saggards -saggared -saggars -sagged -sagger -saggered -saggers -saggier -saggiest -sagging -saggy -sagier -sagiest -sagittal -sago -sagos -sags -saguaro -saguaros -sagum -sagy -sahib -sahibs -sahiwal -sahiwals -sahuaro -sahuaros -saice -saices -said -saids -saiga -saigas -sail -sailable -sailboat -sailed -sailer -sailers -sailfish -sailing -sailings -sailless -sailor -sailorly -sailors -sails -saimin -saimins -sain -sained -sainfoin -saining -sains -saint -saintdom -sainted -sainting -saintly -saints -saith -saithe -saiyid -saiyids -sajou -sajous -sake -saker -sakers -sakes -saki -sakis -sal -salaam -salaamed -salaams -salable -salably -salacity -salad -saladang -salads -salal -salals -salami -salamis -salariat -salaried -salaries -salary -salchow -salchows -sale -saleable -saleably -salep -saleps -saleroom -sales -salesman -salesmen -salic -salicin -salicine -salicins -salience -saliency -salient -salients -salified -salifies -salify -salina -salinas -saline -salines -salinity -salinize -saliva -salivary -salivas -salivate -sall -sallet -sallets -sallied -sallier -salliers -sallies -sallow -sallowed -sallower -sallowly -sallows -sallowy -sally -sallying -salmi -salmis -salmon -salmonid -salmons -salol -salols -salon -salons -saloon -saloons -saloop -saloops -salp -salpa -salpae -salpas -salpian -salpians -salpid -salpids -salpinx -salps -sals -salsa -salsas -salsify -salsilla -salt -saltant -saltbox -saltbush -salted -salter -saltern -salterns -salters -saltest -saltie -saltier -saltiers -salties -saltiest -saltily -saltine -saltines -salting -saltings -saltire -saltires -saltish -saltless -saltlike -saltness -saltpan -saltpans -salts -saltwork -saltwort -salty -saluki -salukis -salutary -salute -saluted -saluter -saluters -salutes -saluting -salvable -salvably -salvage -salvaged -salvagee -salvager -salvages -salve -salved -salver -salvers -salves -salvia -salvias -salvific -salving -salvo -salvoed -salvoes -salvoing -salvor -salvors -salvos -samadhi -samadhis -samara -samaras -samarium -samba -sambaed -sambaing -sambal -sambals -sambar -sambars -sambas -sambhar -sambhars -sambhur -sambhurs -sambo -sambos -sambuca -sambucas -sambuke -sambukes -sambur -samburs -same -samech -samechs -samek -samekh -samekhs -sameks -sameness -samiel -samiels -samisen -samisens -samite -samites -samizdat -samlet -samlets -samosa -samosas -samovar -samovars -samoyed -samoyed -samoyeds -samoyeds -samp -sampan -sampans -samphire -sample -sampled -sampler -samplers -samples -sampling -samps -samsara -samsaras -samshu -samshus -samurai -samurais -sanative -sancta -sanctify -sanction -sanctity -sanctum -sanctums -sand -sandable -sandal -sandaled -sandals -sandarac -sandbag -sandbags -sandbank -sandbar -sandbars -sandbox -sandbur -sandburr -sandburs -sanddab -sanddabs -sanded -sander -sanders -sandfish -sandfly -sandhi -sandhis -sandhog -sandhogs -sandier -sandiest -sanding -sandless -sandlike -sandling -sandlot -sandlots -sandman -sandmen -sandpeep -sandpile -sandpit -sandpits -sands -sandshoe -sandshoes -sandsoap -sandspur -sandwich -sandworm -sandwort -sandy -sane -saned -sanely -saneness -saner -sanes -sanest -sang -sanga -sangar -sangaree -sangars -sangas -sanger -sangers -sangh -sanghs -sangria -sangrias -sanguine -sanicle -sanicles -sanidine -sanies -saning -sanious -sanitary -sanitate -sanities -sanitise -sanitize -sanity -sanjak -sanjaks -sank -sannop -sannops -sannup -sannups -sannyasi -sans -sansar -sansars -sansei -sanseis -sanserif -santalic -santalol -santera -santeras -santeria -santero -santeros -santimi -santims -santimu -santir -santirs -santo -santol -santols -santonin -santoor -santoors -santos -santour -santours -santur -santurs -sap -sapajou -sapajous -saphead -sapheads -saphena -saphenae -saphenas -sapid -sapidity -sapience -sapiency -sapiens -sapient -sapients -sapless -sapling -saplings -saponify -saponin -saponine -saponins -saponite -sapor -saporous -sapors -sapota -sapotas -sapote -sapotes -sapour -sapours -sapped -sapper -sappers -sapphic -sapphics -sapphire -sapphism -sapphist -sappier -sappiest -sappily -sapping -sappy -sapremia -sapremic -saprobe -saprobes -saprobic -sapropel -saps -sapsago -sapsagos -sapwood -sapwoods -saraband -saran -sarans -sarape -sarapes -sarcasm -sarcasms -sarcenet -sarcina -sarcinae -sarcinas -sarcoid -sarcoids -sarcoma -sarcomas -sarcous -sard -sardana -sardanas -sardar -sardars -sardine -sardined -sardines -sardius -sardonic -sardonyx -sards -saree -sarees -sargasso -sarge -sarges -sargo -sargos -sari -sarin -sarins -saris -sark -sarkier -sarkiest -sarks -sarky -sarment -sarmenta -sarments -sarod -sarode -sarodes -sarodist -sarods -sarong -sarongs -saros -saroses -sarsar -sarsars -sarsen -sarsenet -sarsens -sarsnet -sarsnets -sartor -sartorii -sartors -sash -sashay -sashayed -sashays -sashed -sashes -sashimi -sashimis -sashing -sashless -sasin -sasins -sass -sassaby -sassed -sasses -sassier -sassies -sassiest -sassily -sassing -sasswood -sassy -sastruga -sastrugi -sat -satang -satangs -satanic -satanism -satanist -satara -sataras -satay -satays -satchel -satchels -sate -sated -sateen -sateens -satem -sates -sati -satiable -satiably -satiate -satiated -satiates -satiety -satin -satinet -satinets -sating -satinpod -satins -satiny -satire -satires -satiric -satirise -satirist -satirize -satis -satisfy -satori -satoris -satrap -satraps -satrapy -satsuma -satsumas -saturant -saturate -satyr -satyric -satyrid -satyrids -satyrs -sau -sauce -saucebox -sauced -saucepan -saucepot -saucer -saucers -sauces -sauch -sauchs -saucier -sauciers -sauciest -saucily -saucing -saucy -sauger -saugers -saugh -saughs -saughy -saul -sauls -sault -saults -sauna -saunaed -saunaing -saunas -saunter -saunters -saurel -saurels -saurian -saurians -sauries -sauropod -saury -sausage -sausages -saute -sauted -sauteed -sauteing -sauterne -sautes -sautoir -sautoire -sautoirs -savable -savage -savaged -savagely -savager -savagery -savages -savagest -savaging -savagism -savanna -savannah -savannas -savant -savants -savarin -savarins -savate -savates -save -saveable -saved -saveloy -saveloys -saver -savers -saves -savin -savine -savines -saving -savingly -savings -savins -savior -saviors -saviour -saviours -savor -savored -savorer -savorers -savorier -savories -savorily -savoring -savorous -savors -savory -savour -savoured -savourer -savours -savoury -savoy -savoys -savvied -savvier -savvies -savviest -savvily -savvy -savvying -saw -sawbill -sawbills -sawbones -sawbuck -sawbucks -sawdust -sawdusts -sawdusty -sawed -sawer -sawers -sawfish -sawflies -sawfly -sawhorse -sawing -sawlike -sawlog -sawlogs -sawmill -sawmills -sawn -sawney -sawneys -saws -sawteeth -sawtooth -sawyer -sawyers -sax -saxatile -saxes -saxhorn -saxhorns -saxonies -saxony -saxtuba -saxtubas -say -sayable -sayed -sayeds -sayer -sayers -sayest -sayid -sayids -saying -sayings -sayonara -says -sayst -sayyid -sayyids -scab -scabbard -scabbed -scabbier -scabbily -scabbing -scabble -scabbled -scabbles -scabby -scabies -scabiosa -scabious -scabland -scablike -scabrous -scabs -scad -scads -scaffold -scag -scags -scalable -scalably -scalade -scalades -scalado -scalados -scalage -scalages -scalar -scalare -scalares -scalars -scalawag -scald -scalded -scaldic -scalding -scalds -scale -scaled -scalene -scaleni -scalenus -scalepan -scaler -scalers -scales -scaleup -scaleups -scalier -scaliest -scaling -scall -scallion -scallop -scallops -scalls -scalp -scalped -scalpel -scalpels -scalper -scalpers -scalping -scalps -scaly -scam -scammed -scammer -scammers -scamming -scammony -scamp -scamped -scamper -scampers -scampi -scampies -scamping -scampish -scamps -scams -scamster -scan -scandal -scandals -scandent -scandia -scandias -scandic -scandium -scanned -scanner -scanners -scanning -scans -scansion -scant -scanted -scanter -scantest -scantier -scanties -scantily -scanting -scantly -scants -scanty -scape -scaped -scapes -scaphoid -scaping -scapose -scapula -scapulae -scapular -scapulas -scar -scarab -scarabs -scarce -scarcely -scarcer -scarcest -scarcity -scare -scared -scareder -scarer -scarers -scares -scarey -scarf -scarfed -scarfer -scarfers -scarfing -scarfpin -scarfs -scarier -scariest -scarify -scarily -scaring -scariose -scarious -scarless -scarlet -scarlets -scarp -scarped -scarper -scarpers -scarph -scarphed -scarphs -scarping -scarps -scarred -scarrier -scarring -scarry -scars -scart -scarted -scarting -scarts -scarves -scary -scat -scatback -scathe -scathed -scathes -scathing -scats -scatt -scatted -scatter -scatters -scattier -scatting -scatts -scatty -scaup -scauper -scaupers -scaups -scaur -scaurs -scavenge -scena -scenario -scenas -scend -scended -scending -scends -scene -scenery -scenes -scenic -scenical -scenics -scent -scented -scenting -scents -scepter -scepters -sceptic -sceptics -sceptral -sceptre -sceptred -sceptres -schappe -schappes -schav -schavs -schedule -schema -schemas -schemata -scheme -schemed -schemer -schemers -schemes -scheming -scherzi -scherzo -scherzos -schiller -schism -schisms -schist -schists -schizier -schizo -schizoid -schizont -schizos -schizy -schizzy -schlep -schlepp -schlepps -schleps -schliere -schlock -schlocks -schlocky -schlub -schlubs -schlump -schlumps -schlumpy -schmaltz -schmalz -schmalzy -schmatte -schmear -schmears -schmeer -schmeers -schmelze -schmo -schmoe -schmoes -schmoos -schmoose -schmooze -schmoozy -schmos -schmuck -schmucks -schnapps -schnaps -schnecke -schnook -schnooks -schnoz -schnozes -schnozz -scholar -scholars -scholia -scholium -school -schooled -schools -schooner -schorl -schorls -schrik -schriks -schrod -schrods -schtick -schticks -schtik -schtiks -schuit -schuits -schul -schuln -schuls -schuss -schussed -schusser -schusses -schwa -schwas -sciaenid -sciatic -sciatica -sciatics -science -sciences -scilicet -scilla -scillas -scimetar -scimitar -scimiter -scincoid -sciolism -sciolist -scion -scions -scirocco -scirrhi -scirrhus -scissile -scission -scissor -scissors -scissure -sciurid -sciurids -sciurine -sciuroid -sclaff -sclaffed -sclaffer -sclaffs -sclera -sclerae -scleral -scleras -sclereid -sclerite -scleroid -scleroma -sclerose -sclerous -scoff -scoffed -scoffer -scoffers -scoffing -scofflaw -scoffs -scold -scolded -scolder -scolders -scolding -scolds -scoleces -scolex -scolices -scolioma -scollop -scollops -scombrid -sconce -sconced -sconces -sconcing -scone -scones -scooch -scooched -scooches -scoop -scooped -scooper -scoopers -scoopful -scooping -scoops -scoot -scootch -scooted -scooter -scooters -scooting -scoots -scop -scope -scoped -scopes -scoping -scops -scopula -scopulae -scopulas -scorch -scorched -scorcher -scorches -score -scored -scorepad -scorer -scorers -scores -scoria -scoriae -scorify -scoring -scorn -scorned -scorner -scorners -scornful -scorning -scorns -scorpion -scot -scotch -scotched -scotches -scoter -scoters -scotia -scotias -scotoma -scotomas -scotopia -scotopic -scots -scottie -scotties -scour -scoured -scourer -scourers -scourge -scourged -scourger -scourges -scouring -scours -scouse -scouses -scout -scouted -scouter -scouters -scouth -scouther -scouths -scouting -scouts -scow -scowder -scowders -scowed -scowing -scowl -scowled -scowler -scowlers -scowling -scowls -scows -scrabble -scrabbly -scrag -scragged -scraggly -scraggy -scrags -scraich -scraichs -scraigh -scraighs -scram -scramble -scramjet -scrammed -scrams -scrannel -scrap -scrape -scraped -scraper -scrapers -scrapes -scrapie -scrapies -scraping -scrapped -scrapper -scrapple -scrappy -scraps -scratch -scratchy -scrawl -scrawled -scrawler -scrawls -scrawly -scrawny -screak -screaked -screaks -screaky -scream -screamed -screamer -screams -scree -screech -screechy -screed -screeded -screeds -screen -screened -screener -screens -screes -screw -screwed -screwer -screwers -screwier -screwing -screws -screwup -screwups -screwy -scribal -scribble -scribbly -scribe -scribed -scriber -scribers -scribes -scribing -scried -scries -scrieve -scrieved -scrieves -scrim -scrimp -scrimped -scrimper -scrimpit -scrimps -scrimpy -scrims -scrip -scrips -script -scripted -scripter -scripts -scrive -scrived -scrives -scriving -scrod -scrods -scrofula -scroggy -scroll -scrolled -scrolls -scrooch -scrooge -scrooges -scroop -scrooped -scroops -scrootch -scrota -scrotal -scrotum -scrotums -scrouge -scrouged -scrouges -scrounge -scroungy -scrub -scrubbed -scrubber -scrubby -scrubs -scruff -scruffs -scruffy -scrum -scrummed -scrums -scrunch -scrunchy -scruple -scrupled -scruples -scrutiny -scry -scrying -scuba -scubaed -scubaing -scubas -scud -scudded -scudding -scudi -scudo -scuds -scuff -scuffed -scuffer -scuffers -scuffing -scuffle -scuffled -scuffler -scuffles -scuffs -sculch -sculches -sculk -sculked -sculker -sculkers -sculking -sculks -scull -sculled -sculler -scullers -scullery -sculling -scullion -sculls -sculp -sculped -sculpin -sculping -sculpins -sculps -sculpt -sculpted -sculptor -sculpts -scultch -scum -scumbag -scumbags -scumble -scumbled -scumbles -scumless -scumlike -scummed -scummer -scummers -scummier -scummily -scumming -scummy -scums -scunner -scunners -scup -scuppaug -scupper -scuppers -scups -scurf -scurfier -scurfs -scurfy -scurried -scurries -scurril -scurrile -scurry -scurvier -scurvies -scurvily -scurvy -scut -scuta -scutage -scutages -scutate -scutch -scutched -scutcher -scutches -scute -scutella -scutes -scuts -scutter -scutters -scuttle -scuttled -scuttles -scutum -scutwork -scuzz -scuzzes -scuzzier -scuzzy -scyphate -scyphi -scyphus -scythe -scythed -scythes -scything -sea -seabag -seabags -seabeach -seabed -seabeds -seabird -seabirds -seaboard -seaboot -seaboots -seaborne -seacoast -seacock -seacocks -seacraft -seadog -seadogs -seadrome -seafarer -seafloor -seafood -seafoods -seafowl -seafowls -seafront -seagirt -seagoing -seagull -seagulls -seahorse -seal -sealable -sealant -sealants -sealed -sealer -sealers -sealery -sealift -sealifts -sealing -seallike -seals -sealskin -seam -seaman -seamanly -seamark -seamarks -seamed -seamen -seamer -seamers -seamier -seamiest -seaming -seamless -seamlike -seamount -seams -seamster -seamy -seance -seances -seapiece -seaplane -seaport -seaports -seaquake -sear -search -searched -searcher -searches -seared -searer -searest -searing -searobin -sears -seas -seascape -seascout -seashell -seashore -seasick -seaside -seasides -season -seasonal -seasoned -seasoner -seasons -seat -seatback -seatbelt -seated -seater -seaters -seating -seatings -seatless -seatmate -seatrain -seatrout -seats -seatwork -seawall -seawalls -seawan -seawans -seawant -seawants -seaward -seawards -seaware -seawares -seawater -seaway -seaways -seaweed -seaweeds -sebacic -sebasic -sebum -sebums -sec -secalose -secant -secantly -secants -secateur -secco -seccos -secede -seceded -seceder -seceders -secedes -seceding -secern -secerned -secerns -seclude -secluded -secludes -seconal -seconal -seconals -seconals -second -seconde -seconded -seconder -secondes -secondi -secondly -secondo -seconds -secpar -secpars -secrecy -secret -secrete -secreted -secreter -secretes -secretin -secretly -secretor -secrets -secs -sect -sectary -sectile -section -sections -sector -sectoral -sectored -sectors -sects -secular -seculars -secund -secundly -secundum -secure -secured -securely -securer -securers -secures -securest -securing -security -sedan -sedans -sedarim -sedate -sedated -sedately -sedater -sedates -sedatest -sedating -sedation -sedative -seder -seders -sederunt -sedge -sedges -sedgier -sedgiest -sedgy -sedile -sedilia -sedilium -sediment -sedition -seduce -seduced -seducer -seducers -seduces -seducing -seducive -sedulity -sedulous -sedum -sedums -see -seeable -seecatch -seed -seedbed -seedbeds -seedcake -seedcase -seeded -seeder -seeders -seedier -seediest -seedily -seeding -seedless -seedlike -seedling -seedman -seedmen -seedpod -seedpods -seeds -seedsman -seedsmen -seedtime -seedy -seeing -seeings -seek -seeker -seekers -seeking -seeks -seel -seeled -seeling -seels -seely -seem -seemed -seemer -seemers -seeming -seemings -seemlier -seemly -seems -seen -seep -seepage -seepages -seeped -seepier -seepiest -seeping -seeps -seepy -seer -seeress -seers -sees -seesaw -seesawed -seesaws -seethe -seethed -seethes -seething -seg -segetal -seggar -seggars -segment -segments -segni -segno -segnos -sego -segos -segs -segue -segued -segueing -segues -sei -seicento -seiche -seiches -seidel -seidels -seif -seifs -seigneur -seignior -seignory -seine -seined -seiner -seiners -seines -seining -seis -seisable -seise -seised -seiser -seisers -seises -seisin -seising -seisings -seisins -seism -seismal -seismic -seismism -seisms -seisor -seisors -seisure -seisures -seitan -seitans -seizable -seize -seized -seizer -seizers -seizes -seizin -seizing -seizings -seizins -seizor -seizors -seizure -seizures -sejant -sejeant -sel -seladang -selah -selahs -selamlik -selcouth -seldom -seldomly -select -selected -selectee -selectly -selector -selects -selenate -selenic -selenide -selenite -selenium -selenous -self -selfdom -selfdoms -selfed -selfheal -selfhood -selfing -selfish -selfless -selfness -selfs -selfsame -selfward -selkie -selkies -sell -sellable -selle -seller -sellers -selles -selling -selloff -selloffs -sellout -sellouts -sells -sels -selsyn -selsyns -seltzer -seltzers -selva -selvage -selvaged -selvages -selvas -selvedge -selves -semantic -sematic -seme -sememe -sememes -sememic -semen -semens -semes -semester -semi -semiarid -semibald -semicoma -semideaf -semidome -semidry -semifit -semigala -semihard -semihigh -semihobo -semillon -semilog -semimat -semimatt -semimild -semimute -semina -seminal -seminar -seminars -seminary -seminoma -seminude -semiopen -semioses -semiosis -semiotic -semioval -semipro -semipros -semiraw -semis -semises -semisoft -semitist -semitone -semiwild -semolina -semple -semplice -sempre -sen -senarii -senarius -senary -senate -senates -senator -senators -send -sendable -sendal -sendals -sended -sender -senders -sending -sendoff -sendoffs -sends -sendup -sendups -sene -seneca -senecas -senecio -senecios -senega -senegas -sengi -senhor -senhora -senhoras -senhores -senhors -senile -senilely -seniles -senility -senior -seniors -seniti -senna -sennas -sennet -sennets -sennight -sennit -sennits -senopia -senopias -senor -senora -senoras -senores -senorita -senors -senryu -sensa -sensate -sensated -sensates -sense -sensed -senseful -sensei -senseis -senses -sensible -sensibly -sensilla -sensing -sensor -sensoria -sensors -sensory -sensual -sensum -sensuous -sent -sente -sentence -senti -sentient -sentimo -sentimos -sentinel -sentries -sentry -sepal -sepaled -sepaline -sepalled -sepaloid -sepalous -sepals -separate -sepia -sepias -sepic -sepoy -sepoys -seppuku -seppukus -sepses -sepsis -sept -septa -septage -septages -septal -septaria -septate -septet -septets -septette -septic -septical -septics -septime -septimes -septs -septum -septums -septuple -sequel -sequela -sequelae -sequels -sequence -sequency -sequent -sequents -sequin -sequined -sequins -sequitur -sequoia -sequoias -ser -sera -serac -seracs -seraglio -serai -serail -serails -serais -seral -serape -serapes -seraph -seraphic -seraphim -seraphin -seraphs -serdab -serdabs -sere -sered -serein -sereins -serenade -serenata -serenate -serene -serenely -serener -serenes -serenest -serenity -serer -seres -serest -serf -serfage -serfages -serfdom -serfdoms -serfhood -serfish -serflike -serfs -serge -sergeant -serged -serger -sergers -serges -serging -sergings -serial -serially -serials -seriate -seriated -seriates -seriatim -sericin -sericins -seriema -seriemas -series -serif -serifed -seriffed -serifs -serin -serine -serines -sering -seringa -seringas -serins -serious -serjeant -sermon -sermonic -sermons -serology -serosa -serosae -serosal -serosas -serosity -serotine -serotiny -serotype -serous -serovar -serovars -serow -serows -serpent -serpents -serpigo -serpigos -serranid -serrano -serranos -serrate -serrated -serrates -serried -serries -serry -serrying -sers -serum -serumal -serums -servable -serval -servals -servant -servants -serve -served -server -servers -serves -service -serviced -servicer -services -servile -serving -servings -servitor -servo -servos -sesame -sesames -sesamoid -sessile -session -sessions -sesspool -sesterce -sestet -sestets -sestina -sestinas -sestine -sestines -set -seta -setae -setal -setback -setbacks -setenant -setiform -setline -setlines -setoff -setoffs -seton -setons -setose -setous -setout -setouts -sets -setscrew -sett -settee -settees -setter -setters -setting -settings -settle -settled -settler -settlers -settles -settling -settlor -settlors -setts -setulose -setulous -setup -setups -seven -sevens -seventh -sevenths -seventy -sever -several -severals -severe -severed -severely -severer -severest -severing -severity -severs -seviche -seviches -sew -sewable -sewage -sewages -sewan -sewans -sewar -sewars -sewed -sewer -sewerage -sewered -sewering -sewers -sewing -sewings -sewn -sews -sex -sexed -sexes -sexier -sexiest -sexily -sexiness -sexing -sexism -sexisms -sexist -sexists -sexless -sexology -sexpot -sexpots -sext -sextain -sextains -sextan -sextans -sextant -sextants -sextarii -sextet -sextets -sextette -sextile -sextiles -sexto -sexton -sextons -sextos -sexts -sextuple -sextuply -sexual -sexually -sexy -sferics -sforzato -sfumato -sfumatos -sh -sha -shabbier -shabbily -shabby -shack -shacked -shacking -shackle -shackled -shackler -shackles -shacko -shackoes -shackos -shacks -shad -shadblow -shadbush -shadchan -shaddock -shade -shaded -shader -shaders -shades -shadfly -shadier -shadiest -shadily -shading -shadings -shadkhan -shadoof -shadoofs -shadow -shadowed -shadower -shadows -shadowy -shadrach -shads -shaduf -shadufs -shady -shaft -shafted -shafting -shafts -shag -shagbark -shagged -shaggier -shaggily -shagging -shaggy -shagreen -shags -shah -shahdom -shahdoms -shahs -shaird -shairds -shairn -shairns -shaitan -shaitans -shakable -shake -shaken -shakeout -shaker -shakers -shakes -shakeup -shakeups -shakier -shakiest -shakily -shaking -shako -shakoes -shakos -shaky -shale -shaled -shales -shaley -shalier -shaliest -shall -shalloon -shallop -shallops -shallot -shallots -shallow -shallows -shalom -shaloms -shalt -shaly -sham -shamable -shamably -shaman -shamanic -shamans -shamas -shamble -shambled -shambles -shame -shamed -shameful -shames -shaming -shamisen -shammas -shammash -shammed -shammer -shammers -shammes -shammied -shammies -shamming -shammos -shammy -shamois -shamos -shamosim -shamoy -shamoyed -shamoys -shampoo -shampoos -shamrock -shams -shamus -shamuses -shandies -shandy -shanghai -shank -shanked -shanking -shanks -shannies -shanny -shantey -shanteys -shanti -shanties -shantih -shantihs -shantis -shantung -shanty -shapable -shape -shaped -shapely -shapen -shaper -shapers -shapes -shapeup -shapeups -shaping -sharable -shard -shards -share -shared -sharer -sharers -shares -sharia -shariah -shariahs -sharias -sharif -sharifs -sharing -shark -sharked -sharker -sharkers -sharking -sharks -sharn -sharns -sharny -sharp -sharped -sharpen -sharpens -sharper -sharpers -sharpest -sharpie -sharpies -sharping -sharply -sharps -sharpy -shashlik -shaslik -shasliks -shat -shatter -shatters -shaugh -shaughs -shaul -shauled -shauling -shauls -shavable -shave -shaved -shaven -shaver -shavers -shaves -shavie -shavies -shaving -shavings -shaw -shawed -shawing -shawl -shawled -shawling -shawls -shawm -shawms -shawn -shaws -shay -shays -shazam -she -shea -sheaf -sheafed -sheafing -sheafs -sheal -shealing -sheals -shear -sheared -shearer -shearers -shearing -shears -sheas -sheath -sheathe -sheathed -sheather -sheathes -sheaths -sheave -sheaved -sheaves -sheaving -shebang -shebangs -shebean -shebeans -shebeen -shebeens -shed -shedable -shedded -shedder -shedders -shedding -shedlike -sheds -sheen -sheened -sheeney -sheeneys -sheenful -sheenie -sheenier -sheenies -sheening -sheens -sheeny -sheep -sheepcot -sheepdog -sheepish -sheepman -sheepmen -sheer -sheered -sheerer -sheerest -sheering -sheerly -sheers -sheesh -sheet -sheeted -sheeter -sheeters -sheetfed -sheeting -sheets -sheeve -sheeves -shegetz -sheik -sheikdom -sheikh -sheikhs -sheiks -sheila -sheilas -sheitan -sheitans -shekalim -shekel -shekelim -shekels -shelduck -shelf -shelfful -shell -shellac -shellack -shellacs -shelled -sheller -shellers -shellier -shelling -shells -shelly -shelta -sheltas -shelter -shelters -sheltie -shelties -shelty -shelve -shelved -shelver -shelvers -shelves -shelvier -shelving -shelvy -shend -shending -shends -shent -sheol -sheols -shepherd -sheqalim -sheqel -sheqels -sherbert -sherbet -sherbets -sherd -sherds -shereef -shereefs -sherif -sheriff -sheriffs -sherifs -sherlock -sheroot -sheroots -sherpa -sherpas -sherries -sherris -sherry -shes -shetland -sheuch -sheuchs -sheugh -sheughs -shew -shewed -shewer -shewers -shewing -shewn -shews -shh -shiatsu -shiatsus -shiatzu -shiatzus -shibah -shibahs -shicker -shickers -shicksa -shicksas -shied -shiel -shield -shielded -shielder -shields -shieling -shiels -shier -shiers -shies -shiest -shift -shifted -shifter -shifters -shiftier -shiftily -shifting -shifts -shifty -shigella -shiitake -shiitakes -shikar -shikaree -shikari -shikaris -shikars -shikker -shikkers -shiksa -shiksas -shikse -shikses -shilingi -shill -shillala -shilled -shilling -shills -shilpit -shily -shim -shimmed -shimmer -shimmers -shimmery -shimmied -shimmies -shimming -shimmy -shims -shin -shinbone -shindies -shindig -shindigs -shindy -shindys -shine -shined -shiner -shiners -shines -shingle -shingled -shingler -shingles -shingly -shinier -shiniest -shinily -shining -shinleaf -shinned -shinnery -shinney -shinneys -shinnied -shinnies -shinning -shinny -shins -shiny -ship -shiplap -shiplaps -shipless -shipload -shipman -shipmate -shipmen -shipment -shipped -shippen -shippens -shipper -shippers -shipping -shippon -shippons -ships -shipside -shipway -shipways -shipworm -shipyard -shire -shires -shirk -shirked -shirker -shirkers -shirking -shirks -shirr -shirred -shirring -shirrs -shirt -shirtier -shirting -shirts -shirty -shist -shists -shit -shitake -shitakes -shithead -shits -shittah -shittahs -shitted -shittier -shittim -shittims -shitting -shitty -shiv -shiva -shivah -shivahs -shivaree -shivas -shive -shiver -shivered -shiverer -shivers -shivery -shives -shiviti -shivitis -shivs -shkotzim -shlemiel -shlep -shlepp -shlepped -shlepps -shleps -shlock -shlocks -shlocky -shlub -shlubs -shlump -shlumped -shlumps -shlumpy -shmaltz -shmaltzy -shmear -shmears -shmo -shmoes -shmooze -shmoozed -shmoozes -shmuck -shmucks -shnapps -shnaps -shnook -shnooks -shnorrer -shoal -shoaled -shoaler -shoalest -shoalier -shoaling -shoals -shoaly -shoat -shoats -shock -shocked -shocker -shockers -shocking -shocks -shod -shodden -shoddier -shoddies -shoddily -shoddy -shoe -shoebill -shoebox -shoed -shoehorn -shoeing -shoelace -shoeless -shoepac -shoepack -shoepacs -shoer -shoers -shoes -shoetree -shofar -shofars -shofroth -shog -shogged -shogging -shogi -shogis -shogs -shogun -shogunal -shoguns -shoji -shojis -sholom -sholoms -shone -shoo -shooed -shoofly -shooing -shook -shooks -shool -shooled -shooling -shools -shoon -shoos -shoot -shooter -shooters -shooting -shootout -shoots -shop -shopboy -shopboys -shopgirl -shophar -shophars -shoplift -shopman -shopmen -shoppe -shopped -shopper -shoppers -shoppes -shopping -shops -shoptalk -shopworn -shoran -shorans -shore -shored -shores -shoring -shorings -shorl -shorls -shorn -short -shortage -shortcut -shorted -shorten -shortens -shorter -shortest -shortia -shortias -shortie -shorties -shorting -shortish -shortly -shorts -shorty -shot -shote -shotes -shotgun -shotguns -shothole -shots -shott -shotted -shotten -shotting -shotts -should -shoulder -shouldst -shout -shouted -shouter -shouters -shouting -shouts -shove -shoved -shovel -shoveled -shoveler -shovels -shover -shovers -shoves -shoving -show -showable -showbiz -showbizzes -showboat -showcase -showdown -showed -shower -showered -showerer -showerers -showers -showery -showgirl -showier -showiest -showily -showing -showings -showman -showmen -shown -showoff -showoffs -showring -showrings -showroom -shows -showtime -showy -shoyu -shoyus -shrank -shrapnel -shred -shredded -shredder -shreds -shrew -shrewd -shrewder -shrewdie -shrewdly -shrewed -shrewing -shrewish -shrews -shri -shriek -shrieked -shrieker -shrieks -shrieky -shrieval -shrieve -shrieved -shrieves -shrift -shrifts -shrike -shrikes -shrill -shrilled -shriller -shrills -shrilly -shrimp -shrimped -shrimper -shrimps -shrimpy -shrine -shrined -shrines -shrining -shrink -shrinker -shrinks -shris -shrive -shrived -shrivel -shrivels -shriven -shriver -shrivers -shrives -shriving -shroff -shroffed -shroffs -shroud -shrouded -shrouds -shrove -shrub -shrubby -shrubs -shrug -shrugged -shrugs -shrunk -shrunken -shtetel -shtetels -shtetl -shtetls -shtick -shticks -shticky -shtik -shtiks -shuck -shucked -shucker -shuckers -shucking -shucks -shudder -shudders -shuddery -shuffle -shuffled -shuffler -shuffles -shul -shuln -shuls -shun -shunned -shunner -shunners -shunning -shunpike -shuns -shunt -shunted -shunter -shunters -shunting -shunts -shush -shushed -shusher -shushers -shushes -shushing -shut -shutdown -shute -shuted -shutes -shuteye -shuteyes -shuting -shutoff -shutoffs -shutout -shutouts -shuts -shutter -shutters -shutting -shuttle -shuttled -shuttler -shuttles -shwa -shwanpan -shwas -shy -shyer -shyers -shyest -shying -shylock -shylocks -shyly -shyness -shyster -shysters -si -sial -sialic -sialid -sialidan -sialids -sialoid -sials -siamang -siamangs -siamese -siameses -sib -sibb -sibbs -sibilant -sibilate -sibling -siblings -sibs -sibyl -sibylic -sibyllic -sibyls -sic -siccan -sicced -siccing -sice -sices -sick -sickbay -sickbays -sickbed -sickbeds -sicked -sickee -sickees -sicken -sickened -sickener -sickens -sicker -sickerly -sickest -sickie -sickies -sicking -sickish -sickle -sickled -sickles -sicklied -sicklier -sicklies -sicklily -sickling -sickly -sickness -sicko -sickos -sickout -sickouts -sickroom -sicks -sics -siddur -siddurim -siddurs -side -sidearm -sidearms -sideband -sidebar -sidebars -sidecar -sidecars -sided -sidehill -sidekick -sideline -sideling -sidelong -sideman -sidemen -sidereal -siderite -sides -sideshow -sideslip -sidespin -sidestep -sidewalk -sidewall -sideward -sideway -sideways -sidewise -sidh -sidhe -siding -sidings -sidle -sidled -sidler -sidlers -sidles -sidling -siege -sieged -sieges -sieging -siemens -sienite -sienites -sienna -siennas -sierozem -sierra -sierran -sierras -siesta -siestas -sieur -sieurs -sieve -sieved -sievert -sieverts -sieves -sieving -sifaka -sifakas -siffleur -sift -sifted -sifter -sifters -sifting -siftings -sifts -siganid -siganids -sigh -sighed -sigher -sighers -sighing -sighless -sighlike -sighs -sight -sighted -sighter -sighters -sighting -sightly -sights -sightsaw -sightsee -sigil -sigils -sigla -sigloi -siglos -siglum -sigma -sigmas -sigmate -sigmoid -sigmoids -sign -signa -signage -signages -signal -signaled -signaler -signally -signals -signed -signee -signees -signer -signers -signet -signeted -signets -signify -signing -signior -signiori -signiors -signiory -signor -signora -signoras -signore -signori -signors -signory -signpost -signs -sika -sikas -sike -siker -sikes -silage -silages -silane -silanes -sild -silds -silence -silenced -silencer -silences -sileni -silent -silenter -silently -silents -silenus -silesia -silesias -silex -silexes -silica -silicas -silicate -silicic -silicide -silicify -silicium -silicle -silicles -silicon -silicone -silicons -silicula -siliqua -siliquae -silique -siliques -silk -silked -silken -silkie -silkier -silkiest -silkily -silking -silklike -silks -silkweed -silkworm -silky -sill -sillabub -siller -sillers -sillibub -sillier -sillies -silliest -sillily -sills -silly -silo -siloed -siloing -silos -siloxane -silt -silted -siltier -siltiest -silting -silts -silty -silurian -silurian -silurid -silurids -siluroid -silva -silvae -silvan -silvans -silvas -silver -silvered -silverer -silverly -silvern -silvers -silvery -silvex -silvexes -silvical -silvics -sim -sima -simar -simars -simaruba -simas -simazine -simian -simians -similar -simile -similes -simioid -simious -simitar -simitars -simlin -simlins -simmer -simmered -simmers -simnel -simnels -simoleon -simoniac -simonies -simonist -simonize -simony -simoom -simooms -simoon -simoons -simp -simper -simpered -simperer -simpers -simple -simpler -simples -simplest -simplex -simplify -simplism -simplist -simply -simps -sims -simulant -simular -simulars -simulate -sin -sinapism -since -sincere -sincerer -sinciput -sine -sinecure -sines -sinew -sinewed -sinewing -sinews -sinewy -sinfonia -sinfonie -sinful -sinfully -sing -singable -singe -singed -singeing -singer -singers -singes -singing -single -singled -singles -singlet -singlets -singling -singly -sings -singsong -singular -sinh -sinhs -sinicize -sinister -sink -sinkable -sinkage -sinkages -sinker -sinkers -sinkhole -sinking -sinks -sinless -sinned -sinner -sinners -sinning -sinology -sinopia -sinopias -sinopie -sins -sinsyne -sinter -sintered -sinters -sinuate -sinuated -sinuates -sinuous -sinus -sinuses -sinusoid -sip -sipe -siped -sipes -siphon -siphonal -siphoned -siphonic -siphons -siping -sipped -sipper -sippers -sippet -sippets -sipping -sips -sir -sirdar -sirdars -sire -sired -siree -sirees -siren -sirenian -sirens -sires -siring -sirloin -sirloins -sirocco -siroccos -sirra -sirrah -sirrahs -sirras -sirree -sirrees -sirs -sirup -siruped -sirupier -siruping -sirups -sirupy -sirvente -sis -sisal -sisals -sises -siskin -siskins -sisses -sissier -sissies -sissiest -sissy -sissyish -sister -sistered -sisterly -sisters -sistra -sistroid -sistrum -sistrums -sit -sitar -sitarist -sitars -sitcom -sitcoms -site -sited -sites -sith -sithence -sithens -siting -sitology -sits -sitten -sitter -sitters -sitting -sittings -situate -situated -situates -situp -situps -situs -situses -sitzmark -siver -sivers -six -sixes -sixfold -sixmo -sixmos -sixpence -sixpenny -sixte -sixteen -sixteens -sixtes -sixth -sixthly -sixths -sixties -sixtieth -sixty -sixtyish -sizable -sizably -sizar -sizars -size -sizeable -sizeably -sized -sizer -sizers -sizes -sizier -siziest -siziness -sizing -sizings -sizy -sizzle -sizzled -sizzler -sizzlers -sizzles -sizzling -sjambok -sjamboks -ska -skag -skags -skald -skaldic -skalds -skank -skanked -skanker -skankers -skankier -skanking -skanks -skanky -skas -skat -skate -skated -skater -skaters -skates -skating -skatings -skatol -skatole -skatoles -skatols -skats -skean -skeane -skeanes -skeans -skee -skeed -skeeing -skeen -skeens -skees -skeet -skeeter -skeeters -skeets -skeg -skegs -skeigh -skein -skeined -skeining -skeins -skeletal -skeleton -skell -skells -skellum -skellums -skelm -skelms -skelp -skelped -skelping -skelpit -skelps -skelter -skelters -skene -skenes -skep -skeps -skepsis -skeptic -skeptics -skerries -skerry -sketch -sketched -sketcher -sketches -sketchy -skew -skewback -skewbald -skewed -skewer -skewered -skewers -skewing -skewness -skews -ski -skiable -skiagram -skibob -skibobs -skid -skidded -skidder -skidders -skiddier -skidding -skiddoo -skiddoos -skiddy -skidoo -skidooed -skidoos -skids -skidway -skidways -skied -skier -skiers -skies -skiey -skiff -skiffle -skiffled -skiffles -skiffs -skiing -skiings -skijorer -skilful -skill -skilled -skilless -skillet -skillets -skillful -skilling -skills -skim -skimmed -skimmer -skimmers -skimming -skimo -skimos -skimp -skimped -skimpier -skimpily -skimping -skimps -skimpy -skims -skin -skinful -skinfuls -skinhead -skink -skinked -skinker -skinkers -skinking -skinks -skinless -skinlike -skinned -skinner -skinners -skinnier -skinning -skinny -skins -skint -skioring -skip -skipjack -skiplane -skipped -skipper -skippers -skippet -skippets -skipping -skips -skirl -skirled -skirling -skirls -skirmish -skirr -skirred -skirret -skirrets -skirring -skirrs -skirt -skirted -skirter -skirters -skirting -skirts -skis -skit -skite -skited -skites -skiting -skits -skitter -skitters -skittery -skittish -skittle -skittles -skive -skived -skiver -skivers -skives -skiving -skivvied -skivvies -skivvy -skiwear -skiwears -sklent -sklented -sklents -skoal -skoaled -skoaling -skoals -skookum -skort -skorts -skosh -skoshes -skreegh -skreeghs -skreigh -skreighs -skua -skuas -skulk -skulked -skulker -skulkers -skulking -skulks -skull -skullcap -skulled -skulling -skulls -skunk -skunked -skunkier -skunking -skunks -skunky -sky -skyboard -skyborne -skybox -skyboxes -skycap -skycaps -skydive -skydived -skydiver -skydives -skydove -skyed -skyey -skyhook -skyhooks -skying -skyjack -skyjacks -skylark -skylarks -skylight -skylike -skyline -skylines -skylit -skyman -skymen -skyphoi -skyphos -skysail -skysails -skysurf -skysurfs -skywalk -skywalks -skyward -skywards -skyway -skyways -skywrite -skywrote -slab -slabbed -slabber -slabbers -slabbery -slabbing -slablike -slabs -slack -slacked -slacken -slackens -slacker -slackers -slackest -slacking -slackly -slacks -slag -slagged -slaggier -slagging -slaggy -slags -slain -slainte -slakable -slake -slaked -slaker -slakers -slakes -slaking -slalom -slalomed -slalomer -slaloms -slam -slammed -slammer -slammers -slamming -slams -slander -slanders -slang -slanged -slangier -slangily -slanging -slangs -slangy -slank -slant -slanted -slanting -slantly -slants -slanty -slap -slapdash -slapjack -slapped -slapper -slappers -slapping -slaps -slash -slashed -slasher -slashers -slashes -slashing -slat -slatch -slatches -slate -slated -slater -slaters -slates -slatey -slather -slathers -slatier -slatiest -slating -slatings -slats -slatted -slattern -slatting -slaty -slave -slaved -slaver -slavered -slaverer -slavers -slavery -slaves -slavey -slaveys -slaving -slavish -slaw -slaws -slay -slayable -slayed -slayer -slayers -slaying -slays -sleave -sleaved -sleaves -sleaving -sleaze -sleazes -sleazier -sleazily -sleazo -sleazoid -sleazy -sled -sledded -sledder -sledders -sledding -sledge -sledged -sledges -sledging -sleds -sleek -sleeked -sleeken -sleekens -sleeker -sleekers -sleekest -sleekier -sleeking -sleekit -sleekly -sleeks -sleeky -sleep -sleeper -sleepers -sleepier -sleepily -sleeping -sleeps -sleepy -sleet -sleeted -sleetier -sleeting -sleets -sleety -sleeve -sleeved -sleeves -sleeving -sleigh -sleighed -sleigher -sleighs -sleight -sleights -slender -slept -sleuth -sleuthed -sleuths -slew -slewed -slewing -slews -slice -sliced -slicer -slicers -slices -slicing -slick -slicked -slicken -slickens -slicker -slickers -slickest -slicking -slickly -slicks -slid -slidable -slidden -slide -slider -sliders -slides -slideway -sliding -slier -sliest -slieve -slieves -slight -slighted -slighter -slightly -slights -slily -slim -slime -slimed -slimes -slimier -slimiest -slimily -sliming -slimly -slimmed -slimmer -slimmers -slimmest -slimming -slimness -slimpsy -slims -slimsier -slimsy -slimy -sling -slinger -slingers -slinging -slings -slink -slinked -slinkier -slinkily -slinking -slinks -slinky -slip -slipcase -slipe -sliped -slipes -slipform -sliping -slipknot -slipless -slipout -slipouts -slipover -slippage -slipped -slipper -slippers -slippery -slippier -slippily -slipping -slippy -slips -slipshod -slipslop -slipsole -slipt -slipup -slipups -slipware -slipway -slipways -slit -slither -slithers -slithery -slitless -slitlike -slits -slitted -slitter -slitters -slittier -slitting -slitty -sliver -slivered -sliverer -slivers -slivovic -slob -slobber -slobbers -slobbery -slobbier -slobbiest -slobbish -slobby -slobs -sloe -sloes -slog -slogan -slogans -slogged -slogger -sloggers -slogging -slogs -sloid -sloids -slojd -slojds -sloop -sloops -slop -slope -sloped -sloper -slopers -slopes -sloping -slopped -sloppier -sloppily -slopping -sloppy -slops -slopwork -slosh -sloshed -sloshes -sloshier -sloshing -sloshy -slot -slotback -sloth -slothful -sloths -slots -slotted -slotter -slotters -slotting -slouch -slouched -sloucher -slouches -slouchy -slough -sloughed -sloughs -sloughy -sloven -slovenly -slovens -slow -slowdown -slowed -slower -slowest -slowing -slowish -slowly -slowness -slowpoke -slows -slowworm -sloyd -sloyds -slub -slubbed -slubber -slubbers -slubbing -slubs -sludge -sludged -sludges -sludgier -sludging -sludgy -slue -slued -slues -sluff -sluffed -sluffing -sluffs -slug -slugabed -slugfest -sluggard -slugged -slugger -sluggers -slugging -sluggish -slugs -sluice -sluiced -sluices -sluicing -sluicy -sluing -slum -slumber -slumbers -slumbery -slumgum -slumgums -slumism -slumisms -slumlord -slummed -slummer -slummers -slummier -slumming -slummy -slump -slumped -slumping -slumps -slums -slung -slunk -slur -slurb -slurban -slurbs -slurp -slurped -slurping -slurps -slurred -slurried -slurries -slurring -slurry -slurs -slush -slushed -slushes -slushier -slushily -slushing -slushy -slut -sluts -sluttier -sluttiest -sluttish -slutty -sly -slyboots -slyer -slyest -slyly -slyness -slype -slypes -smack -smacked -smacker -smackers -smacking -smacks -small -smallage -smaller -smallest -smallish -smallpox -smalls -smalt -smalti -smaltine -smaltite -smalto -smaltos -smalts -smaragd -smaragde -smaragds -smarm -smarmier -smarmily -smarms -smarmy -smart -smartass -smarted -smarten -smartens -smarter -smartest -smartie -smarties -smarting -smartly -smarts -smarty -smash -smashed -smasher -smashers -smashes -smashing -smashup -smashups -smatter -smatters -smaze -smazes -smear -smeared -smearer -smearers -smearier -smearing -smears -smeary -smectic -smectite -smectites -smeddum -smeddums -smeek -smeeked -smeeking -smeeks -smegma -smegmas -smell -smelled -smeller -smellers -smellier -smelling -smells -smelly -smelt -smelted -smelter -smelters -smeltery -smelting -smelts -smerk -smerked -smerking -smerks -smew -smews -smidge -smidgen -smidgens -smidgeon -smidges -smidgin -smidgins -smilax -smilaxes -smile -smiled -smiler -smilers -smiles -smiley -smileys -smiling -smirch -smirched -smirches -smirk -smirked -smirker -smirkers -smirkier -smirkily -smirking -smirks -smirky -smit -smite -smiter -smiters -smites -smith -smithers -smithery -smithies -smiths -smithy -smiting -smitten -smock -smocked -smocking -smocks -smog -smoggier -smoggy -smogless -smogs -smokable -smoke -smoked -smokepot -smoker -smokers -smokes -smokey -smokier -smokiest -smokily -smoking -smoky -smolder -smolders -smolt -smolts -smooch -smooched -smoocher -smooches -smoochy -smoosh -smooshed -smooshes -smooth -smoothed -smoothen -smoother -smoothie -smoothly -smooths -smoothy -smote -smother -smothers -smothery -smoulder -smudge -smudged -smudges -smudgier -smudgily -smudging -smudgy -smug -smugger -smuggest -smuggle -smuggled -smuggler -smuggles -smugly -smugness -smush -smushed -smushes -smushing -smut -smutch -smutched -smutches -smutchy -smuts -smutted -smuttier -smuttily -smutting -smutty -snack -snacked -snacker -snackers -snacking -snacks -snaffle -snaffled -snaffles -snafu -snafued -snafuing -snafus -snag -snagged -snaggier -snagging -snaggy -snaglike -snags -snail -snailed -snailing -snails -snake -snakebit -snaked -snakepit -snakes -snakey -snakier -snakiest -snakily -snaking -snaky -snap -snapback -snapless -snapped -snapper -snappers -snappier -snappily -snapping -snappish -snappy -snaps -snapshot -snapweed -snare -snared -snarer -snarers -snares -snarf -snarfed -snarfing -snarfs -snaring -snark -snarkier -snarkiest -snarkily -snarks -snarky -snarl -snarled -snarler -snarlers -snarlier -snarling -snarls -snarly -snash -snashes -snatch -snatched -snatcher -snatches -snatchy -snath -snathe -snathes -snaths -snaw -snawed -snawing -snaws -snazzier -snazzy -sneak -sneaked -sneaker -sneakers -sneakier -sneakily -sneaking -sneaks -sneaky -sneap -sneaped -sneaping -sneaps -sneck -snecks -sned -snedded -snedding -sneds -sneer -sneered -sneerer -sneerers -sneerful -sneerier -sneering -sneers -sneery -sneesh -sneeshes -sneeze -sneezed -sneezer -sneezers -sneezes -sneezier -sneezing -sneezy -snell -snelled -sneller -snellest -snelling -snells -snib -snibbed -snibbing -snibs -snick -snicked -snicker -snickers -snickery -snicking -snicks -snide -snidely -snider -snidest -sniff -sniffed -sniffer -sniffers -sniffier -sniffily -sniffing -sniffish -sniffle -sniffled -sniffler -sniffles -sniffly -sniffs -sniffy -snifter -snifters -snigger -sniggers -sniggle -sniggled -sniggler -sniggles -sniglet -sniglets -snip -snipe -sniped -sniper -snipers -snipes -sniping -snipped -snipper -snippers -snippet -snippets -snippety -snippier -snippily -snipping -snippy -snips -snit -snitch -snitched -snitcher -snitches -snits -snivel -sniveled -sniveler -snivels -snob -snobbery -snobbier -snobbily -snobbish -snobbism -snobby -snobs -snog -snogged -snogging -snogs -snood -snooded -snooding -snoods -snook -snooked -snooker -snookers -snooking -snooks -snool -snooled -snooling -snools -snoop -snooped -snooper -snoopers -snoopier -snoopily -snooping -snoops -snoopy -snoot -snooted -snootier -snootily -snooting -snoots -snooty -snooze -snoozed -snoozer -snoozers -snoozes -snoozier -snoozing -snoozle -snoozled -snoozles -snoozy -snore -snored -snorer -snorers -snores -snoring -snorkel -snorkels -snort -snorted -snorter -snorters -snorting -snorts -snot -snots -snottier -snottily -snotty -snout -snouted -snoutier -snouting -snoutish -snouts -snouty -snow -snowball -snowbank -snowbell -snowbelt -snowbird -snowbush -snowcap -snowcaps -snowcat -snowcats -snowdrop -snowed -snowfall -snowier -snowiest -snowily -snowing -snowland -snowless -snowlike -snowman -snowmelt -snowmen -snowmold -snowpack -snowplow -snows -snowshed -snowshoe -snowsuit -snowy -snub -snubbed -snubber -snubbers -snubbier -snubbing -snubby -snubness -snubs -snuck -snuff -snuffbox -snuffed -snuffer -snuffers -snuffier -snuffily -snuffing -snuffle -snuffled -snuffler -snuffles -snuffly -snuffs -snuffy -snug -snugged -snugger -snuggery -snuggest -snuggies -snugging -snuggle -snuggled -snuggles -snugly -snugness -snugs -snye -snyes -so -soak -soakage -soakages -soaked -soaker -soakers -soaking -soaks -soap -soapbark -soapbox -soaped -soaper -soapers -soapier -soapiest -soapily -soaping -soapless -soaplike -soaps -soapsuds -soapwort -soapy -soar -soared -soarer -soarers -soaring -soarings -soars -soave -soaves -sob -soba -sobas -sobbed -sobber -sobbers -sobbing -sobeit -sober -sobered -soberer -soberest -sobering -soberize -soberly -sobers -sobful -sobriety -sobs -soca -socage -socager -socagers -socages -socas -soccage -soccages -soccer -soccers -sociable -sociably -social -socially -socials -societal -society -sock -socked -socket -socketed -sockets -sockeye -sockeyes -socking -sockless -sockman -sockmen -socko -socks -socle -socles -socman -socmen -sod -soda -sodaless -sodalist -sodalite -sodality -sodamide -sodas -sodded -sodden -soddened -soddenly -soddens -soddies -sodding -soddy -sodic -sodium -sodiums -sodom -sodomies -sodomist -sodomists -sodomite -sodomize -sodoms -sodomy -sods -soever -sofa -sofabed -sofabeds -sofar -sofars -sofas -soffit -soffits -soft -softa -softas -softback -softball -softcore -soften -softened -softener -softens -softer -softest -softhead -softie -softies -softish -softly -softness -softs -software -softwood -softy -sogged -soggier -soggiest -soggily -soggy -soigne -soignee -soil -soilage -soilages -soiled -soiling -soilless -soils -soilure -soilures -soiree -soirees -soja -sojas -sojourn -sojourns -soke -sokeman -sokemen -sokes -sokol -sokols -sol -sola -solace -solaced -solacer -solacers -solaces -solacing -solan -soland -solander -solands -solanin -solanine -solanins -solano -solanos -solans -solanum -solanums -solar -solaria -solarise -solarism -solarium -solarize -solate -solated -solates -solatia -solating -solation -solatium -sold -soldan -soldans -solder -soldered -solderer -solders -soldi -soldier -soldiers -soldiery -soldo -sole -solecise -solecism -solecist -solecize -soled -solei -soleless -solely -solemn -solemner -solemnly -soleness -solenoid -soleret -solerets -soles -soleus -soleuses -solfege -solfeges -solfeggi -solgel -soli -solicit -solicits -solid -solidago -solidary -solider -solidest -solidi -solidify -solidity -solidly -solids -solidus -soling -solion -solions -soliquid -solitary -soliton -solitons -solitude -solleret -solo -soloed -soloing -soloist -soloists -solon -solonets -solonetz -solons -solos -sols -solstice -soluble -solubles -solubly -solum -solums -solunar -solus -solute -solutes -solution -solvable -solvate -solvated -solvates -solve -solved -solvency -solvent -solvents -solver -solvers -solves -solving -som -soma -soman -somans -somas -somata -somatic -somber -somberly -sombre -sombrely -sombrero -sombrous -some -somebody -someday -somedeal -somehow -someone -someones -somerset -sometime -someway -someways -somewhat -somewhen -somewise -somital -somite -somites -somitic -somoni -soms -son -sonance -sonances -sonant -sonantal -sonantic -sonants -sonar -sonarman -sonarmen -sonars -sonata -sonatas -sonatina -sonatine -sonde -sonder -sonders -sondes -sone -sones -song -songbird -songbook -songfest -songful -songless -songlike -songs -songster -sonhood -sonhoods -sonic -sonicate -sonics -sonless -sonlike -sonly -sonnet -sonneted -sonnets -sonnies -sonny -sonobuoy -sonogram -sonorant -sonority -sonorous -sonovox -sons -sonship -sonships -sonsie -sonsier -sonsiest -sonsy -soochong -sooey -sook -sooks -soon -sooner -sooners -soonest -soot -sooted -sooth -soothe -soothed -soother -soothers -soothes -soothest -soothing -soothly -sooths -soothsay -sootier -sootiest -sootily -sooting -soots -sooty -sop -soph -sophies -sophism -sophisms -sophist -sophists -sophs -sophy -sopite -sopited -sopites -sopiting -sopor -sopors -sopped -soppier -soppiest -sopping -soppy -soprani -soprano -sopranos -sops -sora -soras -sorb -sorbable -sorbate -sorbates -sorbed -sorbent -sorbents -sorbet -sorbets -sorbic -sorbing -sorbitol -sorbose -sorboses -sorbs -sorcerer -sorcery -sord -sordid -sordidly -sordine -sordines -sordini -sordino -sordor -sordors -sords -sore -sored -sorehead -sorel -sorels -sorely -soreness -sorer -sores -sorest -sorgho -sorghos -sorghum -sorghums -sorgo -sorgos -sori -soricine -soring -sorings -sorites -soritic -sorn -sorned -sorner -sorners -sorning -sorns -soroche -soroches -sororal -sororate -sorority -soroses -sorosis -sorption -sorptive -sorrel -sorrels -sorrier -sorriest -sorrily -sorrow -sorrowed -sorrower -sorrows -sorry -sort -sorta -sorta -sortable -sortably -sorted -sorter -sorters -sortie -sortied -sorties -sorting -sorts -sorus -sos -sot -soth -soths -sotol -sotols -sots -sotted -sottedly -sottish -sou -souari -souaris -soubise -soubises -soucar -soucars -souchong -soudan -soudans -souffle -souffled -souffles -sough -soughed -soughing -soughs -sought -souk -soukous -souks -soul -souled -soulful -soulless -soullike -soulmate -souls -sound -soundbox -sounded -sounder -sounders -soundest -sounding -soundly -soundman -soundmen -sounds -soup -soupcon -soupcons -souped -soupier -soupiest -souping -soupless -souplike -soups -soupy -sour -sourball -source -sourced -sources -sourcing -sourdine -soured -sourer -sourest -souring -sourish -sourly -sourness -sourpuss -sours -soursop -soursops -sourwood -sous -souse -soused -souses -sousing -souslik -sousliks -soutache -soutane -soutanes -souter -souters -south -southed -souther -southern -southers -southing -southpaw -southron -souths -souvenir -souvlaki -soviet -soviets -sovkhoz -sovkhozy -sovran -sovranly -sovrans -sovranty -sow -sowable -sowans -sowar -sowars -sowbelly -sowbread -sowcar -sowcars -sowed -sowens -sower -sowers -sowing -sown -sows -sox -soy -soya -soyas -soybean -soybeans -soymilk -soymilks -soys -soyuz -soyuzes -sozin -sozine -sozines -sozins -sozzled -spa -space -spaced -spaceman -spacemen -spacer -spacers -spaces -spacey -spacial -spacier -spaciest -spacing -spacings -spacious -spackle -spackled -spackles -spacy -spade -spaded -spadeful -spader -spaders -spades -spadices -spadille -spading -spadix -spadixes -spado -spadones -spae -spaed -spaeing -spaeings -spaes -spaetzle -spagyric -spahee -spahees -spahi -spahis -spail -spails -spait -spaits -spake -spaldeen -spale -spales -spall -spalled -spaller -spallers -spalling -spalls -spalpeen -spam -spambot -spambots -spammed -spammer -spammers -spamming -spams -span -spancel -spancels -spandex -spandrel -spandril -spang -spangle -spangled -spangles -spangly -spaniel -spaniels -spank -spanked -spanker -spankers -spanking -spanks -spanless -spanned -spanner -spanners -spanning -spans -spansule -spansule -spansules -spanworm -spar -sparable -spare -spared -sparely -sparer -sparerib -sparers -spares -sparest -sparge -sparged -sparger -spargers -sparges -sparging -sparid -sparids -sparing -spark -sparked -sparker -sparkers -sparkier -sparkily -sparking -sparkish -sparkle -sparkled -sparkler -sparkles -sparklet -sparklier -sparkliest -sparkly -sparks -sparky -sparlike -sparling -sparoid -sparoids -sparred -sparrier -sparring -sparrow -sparrows -sparry -spars -sparse -sparsely -sparser -sparsest -sparsity -spartan -spartina -spas -spasm -spasmed -spasming -spasms -spastic -spastics -spat -spate -spates -spathal -spathe -spathed -spathes -spathic -spathose -spatial -spats -spatted -spatter -spatters -spatting -spatula -spatular -spatulas -spatzle -spatzles -spavie -spavies -spaviet -spavin -spavined -spavins -spawn -spawned -spawner -spawners -spawning -spawns -spay -spayed -spaying -spays -spaz -spazes -spazzes -speak -speaker -speakers -speaking -speaks -spean -speaned -speaning -speans -spear -speared -spearer -spearers -speargun -spearguns -spearing -spearman -spearmen -spears -spec -specced -speccing -special -specials -speciate -specie -species -specific -specify -specimen -specious -speck -specked -specking -speckle -speckled -speckles -specks -specs -spectate -specter -specters -spectra -spectral -spectre -spectres -spectrum -specula -specular -speculum -sped -speech -speeches -speed -speeded -speeder -speeders -speedier -speedily -speeding -speedo -speedos -speeds -speedup -speedups -speedway -speedy -speel -speeled -speeling -speels -speer -speered -speering -speers -speil -speiled -speiling -speils -speir -speired -speiring -speirs -speise -speises -speiss -speisses -spelaean -spelean -spell -spelled -speller -spellers -spelling -spells -spelt -spelter -spelters -spelts -speltz -speltzes -spelunk -spelunks -spence -spencer -spencers -spences -spend -spender -spenders -spendier -spending -spends -spendy -spense -spenses -spent -sperm -spermary -spermic -spermine -spermous -sperms -spew -spewed -spewer -spewers -spewing -spews -sphagnum -sphene -sphenes -sphenic -sphenoid -spheral -sphere -sphered -spheres -spheric -spherics -spherier -sphering -spheroid -spherule -sphery -sphinges -sphingid -sphinx -sphinxes -sphygmic -sphygmus -sphynx -sphynxes -spic -spica -spicae -spicas -spicate -spicated -spiccato -spice -spiced -spicer -spicers -spicery -spices -spicey -spicier -spiciest -spicily -spicing -spick -spicks -spics -spicula -spiculae -spicular -spicule -spicules -spiculum -spicy -spider -spiders -spidery -spied -spiegel -spiegels -spiel -spieled -spieler -spielers -spieling -spiels -spier -spiered -spiering -spiers -spies -spiff -spiffed -spiffied -spiffier -spiffies -spiffily -spiffing -spiffs -spiffy -spigot -spigots -spik -spike -spiked -spikelet -spiker -spikers -spikes -spikey -spikier -spikiest -spikily -spiking -spiks -spiky -spile -spiled -spiles -spilikin -spiling -spilings -spill -spillage -spilled -spiller -spillers -spilling -spills -spillway -spilt -spilth -spilths -spin -spinach -spinachy -spinage -spinages -spinal -spinally -spinals -spinate -spindle -spindled -spindler -spindles -spindly -spine -spined -spinel -spinelle -spinels -spines -spinet -spinets -spinier -spiniest -spinifex -spinless -spinner -spinners -spinnery -spinney -spinneys -spinnies -spinning -spinny -spinoff -spinoffs -spinor -spinors -spinose -spinous -spinout -spinouts -spins -spinster -spinto -spintos -spinula -spinulae -spinule -spinules -spiny -spiracle -spiraea -spiraeas -spiral -spiraled -spirally -spirals -spirant -spirants -spire -spirea -spireas -spired -spirem -spireme -spiremes -spirems -spires -spirier -spiriest -spirilla -spiring -spirit -spirited -spirits -spiroid -spirt -spirted -spirting -spirts -spirula -spirulae -spirulas -spiry -spit -spital -spitals -spitball -spite -spited -spiteful -spites -spitfire -spiting -spits -spitted -spitter -spitters -spitting -spittle -spittles -spittoon -spitz -spitzes -spiv -spivs -spivvy -splake -splakes -splash -splashed -splasher -splashes -splashy -splat -splats -splatted -splatter -splay -splayed -splaying -splays -spleen -spleens -spleeny -splendid -splendor -splenia -splenial -splenic -splenii -splenium -splenius -splent -splents -splice -spliced -splicer -splicers -splices -splicing -spliff -spliffs -spline -splined -splines -splining -splint -splinted -splinter -splints -split -splits -splitter -splodge -splodged -splodges -splore -splores -splosh -sploshed -sploshes -splotch -splotchy -splurge -splurged -splurger -splurges -splurgy -splutter -spode -spodes -spodosol -spoil -spoilage -spoiled -spoiler -spoilers -spoiling -spoils -spoilt -spoke -spoked -spoken -spokes -spoking -spoliate -spondaic -spondee -spondees -sponge -sponged -sponger -spongers -sponges -spongier -spongily -spongin -sponging -spongins -spongy -sponsal -sponsion -sponson -sponsons -sponsor -sponsors -spontoon -spoof -spoofed -spoofer -spoofers -spoofery -spoofing -spoofs -spoofy -spook -spooked -spookery -spookier -spookily -spooking -spookish -spooks -spooky -spool -spooled -spooler -spoolers -spooling -spools -spoon -spooned -spooney -spooneys -spoonful -spoonier -spoonies -spoonily -spooning -spoons -spoony -spoor -spoored -spooring -spoors -sporadic -sporal -spore -spored -spores -sporing -sporoid -sporozoa -sporran -sporrans -sport -sported -sporter -sporters -sportful -sportier -sportif -sportily -sporting -sportive -sports -sporty -sporular -sporule -sporules -spot -spotless -spotlit -spots -spotted -spotter -spotters -spottier -spottily -spotting -spotty -spousal -spousals -spouse -spoused -spouses -spousing -spout -spouted -spouter -spouters -spouting -spouts -spraddle -sprag -sprags -sprain -sprained -sprains -sprang -sprangs -sprat -sprats -sprattle -sprawl -sprawled -sprawler -sprawls -sprawly -spray -sprayed -sprayer -sprayers -spraying -sprays -spread -spreader -spreads -spree -sprees -sprent -sprier -spriest -sprig -sprigged -sprigger -spriggy -spright -sprights -sprigs -spring -springal -springe -springed -springer -springes -springs -springy -sprinkle -sprint -sprinted -sprinter -sprints -sprit -sprite -sprites -sprits -spritz -spritzed -spritzer -spritzes -sprocket -sprout -sprouted -sprouts -spruce -spruced -sprucely -sprucer -spruces -sprucest -sprucier -sprucing -sprucy -sprue -sprues -sprug -sprugs -sprung -spry -spryer -spryest -spryly -spryness -spud -spudded -spudder -spudders -spudding -spuds -spue -spued -spues -spuing -spume -spumed -spumes -spumier -spumiest -spuming -spumone -spumones -spumoni -spumonis -spumous -spumy -spun -spunk -spunked -spunkie -spunkier -spunkies -spunkily -spunking -spunks -spunky -spur -spurgall -spurge -spurges -spurious -spurn -spurned -spurner -spurners -spurning -spurns -spurred -spurrer -spurrers -spurrey -spurreys -spurrier -spurries -spurring -spurry -spurs -spurt -spurted -spurter -spurters -spurting -spurtle -spurtles -spurts -sputa -sputnik -sputniks -sputter -sputters -sputtery -sputtery -sputum -spy -spyglass -spying -squab -squabble -squabby -squabs -squad -squadded -squadron -squads -squalene -squalid -squall -squalled -squaller -squalls -squally -squalor -squalors -squama -squamae -squamate -squamose -squamous -squander -square -squared -squarely -squarer -squarers -squares -squarest -squaring -squarish -squark -squarks -squash -squashed -squasher -squashes -squashy -squat -squatly -squats -squatted -squatter -squatty -squaw -squawk -squawked -squawker -squawks -squaws -squeak -squeaked -squeaker -squeaks -squeaky -squeal -squealed -squealer -squeals -squeegee -squeeze -squeezed -squeezer -squeezes -squeg -squegged -squegs -squelch -squelchy -squib -squibbed -squibs -squid -squidded -squids -squiffed -squiffy -squiggle -squiggly -squilgee -squill -squilla -squillae -squillas -squills -squinch -squinny -squint -squinted -squinter -squints -squinty -squire -squired -squireen -squires -squiring -squirish -squirm -squirmed -squirmer -squirms -squirmy -squirrel -squirt -squirted -squirter -squirts -squish -squished -squishes -squishy -squoosh -squooshy -squush -squushed -squushes -sraddha -sraddhas -sradha -sradhas -sri -sris -stab -stabbed -stabber -stabbers -stabbing -stabile -stabiles -stable -stabled -stabler -stablers -stables -stablest -stabling -stablish -stably -stabs -staccati -staccato -stack -stacked -stacker -stackers -stacking -stacks -stackup -stackups -stacte -stactes -staddle -staddles -stade -stades -stadia -stadias -stadium -stadiums -staff -staffed -staffer -staffers -staffing -staffs -stag -stage -staged -stageful -stager -stagers -stages -stagey -staggard -staggart -stagged -stagger -staggers -staggery -staggie -staggier -staggies -stagging -staggy -stagier -stagiest -stagily -staging -stagings -stagnant -stagnate -stags -stagy -staid -staider -staidest -staidly -staig -staigs -stain -stained -stainer -stainers -staining -stains -stair -stairs -stairway -staithe -staithes -stake -staked -stakeout -stakes -staking -stalag -stalags -stale -staled -stalely -staler -stales -stalest -staling -stalk -stalked -stalker -stalkers -stalkier -stalkily -stalking -stalks -stalky -stall -stalled -stalling -stallion -stalls -stalwart -stamen -stamened -stamens -stamina -staminal -staminas -stammel -stammels -stammer -stammers -stamp -stamped -stampede -stamper -stampers -stamping -stamps -stance -stances -stanch -stanched -stancher -stanches -stanchly -stand -standard -standby -standbys -standee -standees -stander -standers -standing -standish -standoff -standout -standpat -stands -standup -standups -stane -staned -stanes -stang -stanged -stanging -stangs -stanhope -stanine -stanines -staning -stank -stanks -stannary -stannic -stannite -stannous -stannum -stannums -stanol -stanols -stanza -stanzaed -stanzaic -stanzas -stapedes -stapelia -stapes -staph -staphs -staple -stapled -stapler -staplers -staples -stapling -star -starch -starched -starches -starchy -stardom -stardoms -stardust -stare -stared -starer -starers -stares -starets -starfish -stargaze -staring -stark -starker -starkers -starkest -starkly -starless -starlet -starlets -starlike -starling -starlit -starnose -starred -starrier -starring -starry -stars -starship -starships -start -started -starter -starters -starting -startle -startled -startler -startles -starts -startsy -startup -startups -starve -starved -starver -starvers -starves -starving -starwort -stases -stash -stashed -stashes -stashing -stasima -stasimon -stasis -stat -statable -statal -statant -state -stated -statedly -stately -stater -staters -states -static -statical -statice -statices -staticky -statics -statin -stating -statins -station -stations -statism -statisms -statist -statists -stative -statives -stator -stators -stats -statuary -statue -statued -statues -stature -statures -status -statuses -statusy -statute -statutes -staumrel -staunch -stave -staved -staves -staving -staw -stay -stayed -stayer -stayers -staying -stays -staysail -stead -steaded -steadied -steadier -steadies -steadily -steading -steads -steady -steak -steaks -steal -stealage -stealer -stealers -stealing -steals -stealth -stealths -stealthy -steam -steamed -steamer -steamers -steamier -steamily -steaming -steams -steamy -steapsin -stearate -stearic -stearin -stearine -stearins -steatite -stedfast -steed -steeds -steek -steeked -steeking -steeks -steel -steeled -steelie -steelier -steelies -steeling -steels -steely -steenbok -steep -steeped -steepen -steepens -steeper -steepers -steepest -steeping -steepish -steeple -steepled -steeples -steeply -steeps -steer -steerage -steered -steerer -steerers -steering -steers -steeve -steeved -steeves -steeving -stegodon -stein -steinbok -steins -stela -stelae -stelai -stelar -stele -stelene -steles -stelic -stella -stellar -stellas -stellate -stellify -stellite -stellite -stellites -stem -stemless -stemlike -stemma -stemmas -stemmata -stemmed -stemmer -stemmers -stemmery -stemmier -stemming -stemmy -stems -stemson -stemsons -stemware -stench -stenches -stenchy -stencil -stencils -stengah -stengahs -steno -stenoky -stenos -stenosed -stenoses -stenosis -stenotic -stent -stentor -stentors -stents -step -stepdame -steplike -steppe -stepped -stepper -steppers -steppes -stepping -steps -stepson -stepsons -stepwise -stere -stereo -stereoed -stereos -steres -steric -sterical -sterigma -sterile -sterlet -sterlets -sterling -stern -sterna -sternal -sterner -sternest -sternite -sternly -sterns -sternson -sternum -sternums -sternway -steroid -steroids -sterol -sterols -stertor -stertors -stet -stets -stetson -stetson -stetsons -stetsons -stetted -stetting -stew -stewable -steward -stewards -stewbum -stewbums -stewed -stewing -stewpan -stewpans -stews -stewy -stey -sthenia -sthenias -sthenic -stibial -stibine -stibines -stibium -stibiums -stibnite -stich -stichic -stichs -stick -sticked -sticker -stickers -stickful -stickier -stickies -stickily -sticking -stickit -stickle -stickled -stickler -stickles -stickman -stickmen -stickout -stickpin -sticks -stickum -stickums -stickup -stickups -sticky -stiction -stied -sties -stiff -stiffed -stiffen -stiffens -stiffer -stiffest -stiffing -stiffish -stiffly -stiffs -stifle -stifled -stifler -stiflers -stifles -stifling -stigma -stigmal -stigmas -stigmata -stilbene -stilbite -stile -stiles -stiletto -still -stilled -stiller -stillest -stillier -stilling -stillman -stillmen -stills -stilly -stilt -stilted -stilting -stilts -stime -stimes -stimied -stimies -stimuli -stimulus -stimy -stimying -sting -stinger -stingers -stingier -stingily -stinging -stingo -stingos -stingray -stings -stingy -stink -stinkard -stinkbug -stinker -stinkers -stinkier -stinking -stinko -stinkpot -stinks -stinky -stint -stinted -stinter -stinters -stinting -stints -stipe -stiped -stipel -stipels -stipend -stipends -stipes -stipites -stipple -stippled -stippler -stipples -stipular -stipule -stipuled -stipules -stir -stirk -stirks -stirp -stirpes -stirps -stirred -stirrer -stirrers -stirring -stirrup -stirrups -stirs -stitch -stitched -stitcher -stitches -stithied -stithies -stithy -stiver -stivers -stoa -stoae -stoai -stoas -stoat -stoats -stob -stobbed -stobbing -stobs -stoccado -stoccata -stock -stockade -stockage -stockcar -stocked -stocker -stockers -stockier -stockily -stocking -stockish -stockist -stockman -stockmen -stockpot -stocks -stocky -stodge -stodged -stodges -stodgier -stodgily -stodging -stodgy -stogey -stogeys -stogie -stogies -stogy -stoic -stoical -stoicism -stoics -stoke -stoked -stoker -stokers -stokes -stokesia -stoking -stole -stoled -stolen -stoles -stolid -stolider -stolidly -stollen -stollens -stolon -stolonic -stolons -stolport -stoma -stomach -stomachs -stomachy -stomal -stomas -stomata -stomatal -stomate -stomates -stomatic -stomodea -stomp -stomped -stomper -stompers -stomping -stomps -stonable -stone -stoned -stonefly -stoner -stoners -stones -stoney -stonier -stoniest -stonily -stoning -stonish -stony -stood -stooge -stooged -stooges -stooging -stook -stooked -stooker -stookers -stooking -stooks -stool -stooled -stoolie -stoolies -stooling -stools -stoop -stooped -stooper -stoopers -stooping -stoops -stop -stopbank -stopcock -stope -stoped -stoper -stopers -stopes -stopgap -stopgaps -stoping -stopoff -stopoffs -stopover -stoppage -stopped -stopper -stoppers -stopping -stopple -stoppled -stopples -stops -stopt -stopword -storable -storage -storages -storax -storaxes -store -stored -storer -storers -stores -storey -storeyed -storeys -storied -stories -storing -stork -storks -storm -stormed -stormier -stormily -storming -storms -stormy -story -storying -stoss -stot -stotin -stotinka -stotinki -stotinov -stotins -stots -stott -stotted -stotting -stotts -stound -stounded -stounds -stoup -stoups -stour -stoure -stoures -stourie -stours -stoury -stout -stouten -stoutens -stouter -stoutest -stoutish -stoutly -stouts -stove -stover -stovers -stoves -stow -stowable -stowage -stowages -stowaway -stowed -stowing -stowp -stowps -stows -straddle -strafe -strafed -strafer -strafers -strafes -strafing -straggle -straggly -straight -strain -strained -strainer -strains -strait -straiten -straiter -straitly -straits -strake -straked -strakes -stramash -stramony -strand -stranded -strander -strands -strang -strange -stranger -stranges -strangle -strap -strapped -strapper -strappy -straps -strass -strasses -strata -stratal -stratas -strategy -strath -straths -strati -stratify -stratous -stratum -stratums -stratus -stravage -stravaig -straw -strawed -strawhat -strawier -strawing -straws -strawy -stray -strayed -strayer -strayers -straying -strays -streak -streaked -streaker -streaks -streaky -stream -streamed -streamer -streams -streamy -streek -streeked -streeker -streeks -streel -streeled -streeling -streels -street -streets -strength -strep -streps -stress -stressed -stresses -stressor -stretch -stretchy -stretta -strettas -strette -stretti -stretto -strettos -streusel -strew -strewed -strewer -strewers -strewing -strewn -strews -stria -striae -striata -striate -striated -striates -striatum -strick -stricken -strickle -stricks -strict -stricter -strictly -strid -stridden -stride -strident -strider -striders -strides -striding -stridor -stridors -strife -strifes -strigil -strigils -strigose -strike -striker -strikers -strikes -striking -string -stringed -stringer -strings -stringy -strip -stripe -striped -striper -stripers -stripes -stripier -striping -stripped -stripper -strips -stript -stripy -strive -strived -striven -striver -strivers -strives -striving -strobe -strobes -strobic -strobil -strobila -strobile -strobili -strobils -strode -stroke -stroked -stroker -strokers -strokes -stroking -stroll -strolled -stroller -strolls -stroma -stromal -stromata -strong -stronger -strongly -strongyl -strontia -strontic -strook -strop -strophe -strophes -strophic -stropped -stropper -stroppy -strops -stroud -strouds -strove -strow -strowed -strowing -strown -strows -stroy -stroyed -stroyer -stroyers -stroying -stroys -struck -strucken -strudel -strudels -struggle -strum -struma -strumae -strumas -strummed -strummer -strumose -strumous -strumpet -strums -strung -strunt -strunted -strunts -strut -struts -strutted -strutter -stub -stubbed -stubbier -stubbily -stubbing -stubble -stubbled -stubbles -stubbly -stubborn -stubby -stubs -stucco -stuccoed -stuccoer -stuccoes -stuccos -stuck -stud -studbook -studded -studdie -studdies -studding -student -students -studfish -studied -studier -studiers -studies -studio -studios -studious -studlier -studliest -studly -studs -studwork -study -studying -stuff -stuffed -stuffer -stuffers -stuffier -stuffily -stuffing -stuffs -stuffy -stuiver -stuivers -stull -stulls -stultify -stum -stumble -stumbled -stumbler -stumbles -stummed -stumming -stump -stumpage -stumped -stumper -stumpers -stumpier -stumping -stumps -stumpy -stums -stun -stung -stunk -stunned -stunner -stunners -stunning -stuns -stunsail -stunt -stunted -stunting -stuntman -stuntmen -stunts -stupa -stupas -stupe -stupefy -stupes -stupid -stupider -stupidly -stupids -stupor -stupors -sturdied -sturdier -sturdies -sturdily -sturdy -sturgeon -sturt -sturts -stutter -stutters -sty -stye -styed -styes -stygian -stying -stylar -stylate -style -styled -styler -stylers -styles -stylet -stylets -styli -styling -stylings -stylise -stylised -styliser -stylises -stylish -stylist -stylists -stylite -stylites -stylitic -stylize -stylized -stylizer -stylizes -styloid -stylus -styluses -stymie -stymied -stymies -stymy -stymying -stypsis -styptic -styptics -styrax -styraxes -styrene -styrenes -suable -suably -suasion -suasions -suasive -suasory -suave -suavely -suaver -suavest -suavity -sub -suba -subabbot -subacid -subacrid -subacute -subadar -subadars -subadult -subagent -subah -subahdar -subahs -subalar -subarea -subareas -subarid -subas -subatom -subatoms -subaural -subaxial -subbase -subbases -subbasin -subbass -subbed -subbing -subbings -subblock -subbreed -subcaste -subcause -subcell -subcells -subchief -subclaim -subclan -subclans -subclass -subclerk -subcode -subcodes -subcool -subcools -subcult -subcults -subcutes -subcutis -subdean -subdeans -subdeb -subdebs -subdepot -subdual -subduals -subduce -subduced -subduces -subduct -subducts -subdue -subdued -subduer -subduers -subdues -subduing -subdural -subdwarf -subecho -subedit -subedits -subentry -subepoch -suber -suberect -suberic -suberin -suberins -suberise -suberize -suberose -suberous -subers -subfield -subfile -subfiles -subfix -subfixes -subfloor -subfluid -subframe -subfusc -subfuscs -subgenre -subgenus -subgoal -subgoals -subgrade -subgraph -subgroup -subgum -subgums -subhead -subheads -subhuman -subhumid -subidea -subideas -subindex -subitem -subitems -subito -subject -subjects -subjoin -subjoins -sublate -sublated -sublates -sublease -sublet -sublets -sublevel -sublime -sublimed -sublimer -sublimes -sublimit -subline -sublines -sublot -sublots -sublunar -submenu -submenus -submerge -submerse -submiss -submit -submits -subnasal -subnet -subnets -subniche -subnodal -subocean -suboptic -suboral -suborder -suborn -suborned -suborner -suborns -suboval -subovate -suboxide -subpanel -subpar -subpart -subparts -subpena -subpenas -subphase -subphyla -subplot -subplots -subpoena -subpolar -subpubic -subrace -subraces -subrent -subrents -subring -subrings -subrule -subrules -subs -subsale -subsales -subscale -subsea -subsect -subsects -subsense -subsere -subseres -subserve -subset -subsets -subshaft -subshell -subshrub -subside -subsided -subsider -subsides -subsidy -subsist -subsists -subsite -subsites -subskill -subskills -subsoil -subsoils -subsolar -subsonic -subspace -substage -substate -subsume -subsumed -subsumes -subtask -subtasks -subtaxa -subtaxon -subteen -subteens -subtend -subtends -subtest -subtests -subtext -subtexts -subtheme -subtile -subtiler -subtilin -subtilty -subtitle -subtle -subtler -subtlest -subtlety -subtly -subtone -subtones -subtonic -subtopia -subtopic -subtotal -subtract -subtrend -subtribe -subtunic -subtype -subtypes -subulate -subunit -subunits -suburb -suburban -suburbed -suburbia -suburbs -subvene -subvened -subvenes -subvert -subverts -subvicar -subviral -subvirus -subvocal -subway -subwayed -subways -subworld -subworlds -subzero -subzone -subzones -succah -succahs -succeed -succeeds -success -succinct -succinic -succinyl -succor -succored -succorer -succors -succory -succoth -succour -succours -succuba -succubae -succubas -succubi -succubus -succumb -succumbs -succuss -such -suchlike -suchness -suck -sucked -sucker -suckered -suckers -suckfish -suckier -suckiest -sucking -suckle -suckled -suckler -sucklers -suckles -suckless -suckling -sucks -sucky -sucrase -sucrases -sucre -sucres -sucrose -sucroses -suction -suctioned -suctioning -suctions -sudaria -sudaries -sudarium -sudary -sudation -sudatory -sudd -sudden -suddenly -suddens -sudds -sudor -sudoral -sudors -suds -sudsed -sudser -sudsers -sudses -sudsier -sudsiest -sudsing -sudsless -sudsy -sue -sued -suede -sueded -suedes -sueding -suer -suers -sues -suet -suets -suety -suffari -suffaris -suffer -suffered -sufferer -suffers -suffice -sufficed -sufficer -suffices -suffix -suffixal -suffixed -suffixes -sufflate -suffrage -suffuse -suffused -suffuses -sugar -sugared -sugarer -sugarers -sugarier -sugaring -sugars -sugary -suggest -suggests -sugh -sughed -sughing -sughs -suicidal -suicide -suicided -suicides -suing -suint -suints -suit -suitable -suitably -suitcase -suite -suited -suiter -suiters -suites -suiting -suitings -suitlike -suitor -suitors -suits -suk -sukiyaki -sukkah -sukkahs -sukkot -sukkoth -suks -sulcal -sulcate -sulcated -sulci -sulcus -suldan -suldans -sulfa -sulfas -sulfate -sulfated -sulfates -sulfid -sulfide -sulfides -sulfids -sulfinyl -sulfite -sulfites -sulfitic -sulfo -sulfone -sulfones -sulfonic -sulfonyl -sulfur -sulfured -sulfuret -sulfuric -sulfurs -sulfury -sulfuryl -sulk -sulked -sulker -sulkers -sulkier -sulkies -sulkiest -sulkily -sulking -sulks -sulky -sullage -sullages -sullen -sullener -sullenly -sullied -sullies -sully -sullying -sulpha -sulphas -sulphate -sulphid -sulphide -sulphids -sulphite -sulphone -sulphur -sulphurs -sulphury -sultan -sultana -sultanas -sultanic -sultans -sultrier -sultrily -sultry -sulu -sulus -sum -sumac -sumach -sumachs -sumacs -sumless -summa -summable -summae -summand -summands -summary -summas -summate -summated -summates -summed -summer -summered -summerly -summers -summery -summing -summit -summital -summited -summiting -summitry -summits -summon -summoned -summoner -summons -sumo -sumoist -sumoists -sumos -sump -sumps -sumpter -sumpters -sumpweed -sums -sun -sunback -sunbaked -sunbath -sunbathe -sunbaths -sunbeam -sunbeams -sunbeamy -sunbelt -sunbelts -sunbird -sunbirds -sunblock -sunblocks -sunbow -sunbows -sunburn -sunburns -sunburnt -sunburst -sunchoke -sunchokes -sundae -sundaes -sundeck -sundecks -sunder -sundered -sunderer -sunders -sundew -sundews -sundial -sundials -sundog -sundogs -sundown -sundowns -sundress -sundries -sundrily -sundrops -sundry -sunfast -sunfish -sung -sunglass -sunglow -sunglows -sunk -sunken -sunket -sunkets -sunlamp -sunlamps -sunland -sunlands -sunless -sunlight -sunlike -sunlit -sunn -sunna -sunnah -sunnahs -sunnas -sunned -sunnier -sunniest -sunnily -sunning -sunns -sunny -sunporch -sunporches -sunproof -sunray -sunrays -sunrise -sunrises -sunroof -sunroofs -sunroom -sunrooms -suns -sunscald -sunset -sunsets -sunshade -sunshine -sunshiny -sunspot -sunspots -sunstone -sunsuit -sunsuits -suntan -suntans -sunup -sunups -sunward -sunwards -sunwise -sup -supe -super -superadd -superb -superbad -superber -superbly -superbug -supercar -supercop -supered -superego -superfan -superfix -superhit -superhot -supering -superior -superjet -superlay -superlie -superman -supermen -supermom -supernal -superpro -supers -supersex -superspy -supertax -supes -supinate -supine -supinely -supines -supped -supper -suppers -supping -supplant -supple -suppled -supplely -suppler -supples -supplest -supplied -supplier -supplies -suppling -supply -support -supports -supposal -suppose -supposed -supposer -supposes -suppress -supra -supreme -supremer -supremes -supremo -supremos -sups -suq -suqs -sura -surah -surahs -sural -suras -surbase -surbased -surbases -surcease -surcoat -surcoats -surd -surds -sure -surefire -surely -sureness -surer -surest -sureties -surety -surf -surfable -surface -surfaced -surfacer -surfaces -surfbird -surfboat -surfed -surfeit -surfeits -surfer -surfers -surffish -surfier -surfiest -surfing -surfings -surflike -surfman -surfmen -surfs -surfside -surfy -surge -surged -surgeon -surgeons -surger -surgers -surgery -surges -surgical -surging -surgy -suricate -surimi -surimis -surlier -surliest -surlily -surly -surmise -surmised -surmiser -surmises -surmount -surname -surnamed -surnamer -surnames -surpass -surplice -surplus -surplusses -surprint -surprise -surprize -surra -surras -surreal -surrey -surreys -surround -surroyal -surtax -surtaxed -surtaxes -surtitle -surtout -surtouts -surveil -surveils -survey -surveyed -surveyor -surveys -survival -survive -survived -surviver -survives -survivor -sushi -sushis -suslik -susliks -suspect -suspects -suspend -suspends -suspense -suspire -suspired -suspires -suss -sussed -susses -sussing -sustain -sustains -susurrus -sutler -sutlers -sutra -sutras -sutta -suttas -suttee -suttees -sutural -suture -sutured -sutures -suturing -suzerain -svaraj -svarajes -svedberg -svelte -sveltely -svelter -sveltest -swab -swabbed -swabber -swabbers -swabbie -swabbies -swabbing -swabby -swabs -swacked -swaddle -swaddled -swaddles -swag -swage -swaged -swager -swagers -swages -swagged -swagger -swaggers -swaggie -swaggies -swagging -swaging -swagman -swagmen -swags -swail -swails -swain -swainish -swains -swale -swales -swallow -swallows -swam -swami -swamies -swamis -swamp -swamped -swamper -swampers -swampier -swamping -swampish -swamps -swampy -swamy -swan -swang -swanherd -swank -swanked -swanker -swankest -swankier -swankily -swanking -swanks -swanky -swanlike -swanned -swannery -swanning -swanny -swanpan -swanpans -swans -swanskin -swap -swapped -swapper -swappers -swapping -swaps -swaraj -swarajes -sward -swarded -swarding -swards -sware -swarf -swarfs -swarm -swarmed -swarmer -swarmers -swarming -swarms -swart -swarth -swarths -swarthy -swarty -swash -swashed -swasher -swashers -swashes -swashing -swastica -swastika -swat -swatch -swatches -swath -swathe -swathed -swather -swathers -swathes -swathing -swaths -swats -swatted -swatter -swatters -swatting -sway -swayable -swayback -swayed -swayer -swayers -swayful -swaying -sways -swear -swearer -swearers -swearing -swears -sweat -sweatbox -sweated -sweater -sweaters -sweatier -sweatily -sweating -sweats -sweaty -swede -swedes -sweeney -sweeneys -sweenies -sweeny -sweep -sweeper -sweepers -sweepier -sweeping -sweeps -sweepy -sweer -sweet -sweeten -sweetens -sweeter -sweetest -sweetie -sweeties -sweeting -sweetish -sweetly -sweets -sweetsop -swell -swelled -sweller -swellest -swelling -swells -swelter -swelters -sweltry -swept -swerve -swerved -swerver -swervers -swerves -swerving -sweven -swevens -swidden -swiddens -swift -swifter -swifters -swiftest -swiftlet -swiftlets -swiftly -swifts -swig -swigged -swigger -swiggers -swigging -swigs -swill -swilled -swiller -swillers -swilling -swills -swim -swimmer -swimmers -swimmier -swimmily -swimming -swimmy -swims -swimsuit -swimwear -swindle -swindled -swindler -swindles -swine -swinepox -swing -swingby -swingbys -swinge -swinged -swinger -swingers -swinges -swingier -swinging -swingle -swingled -swingles -swingman -swingmen -swings -swingy -swinish -swink -swinked -swinking -swinks -swinney -swinneys -swipe -swiped -swipes -swiping -swiple -swiples -swipple -swipples -swirl -swirled -swirlier -swirling -swirls -swirly -swish -swished -swisher -swishers -swishes -swishier -swishing -swishy -swiss -swisses -switch -switched -switcher -switches -swith -swithe -swither -swithers -swithly -swive -swived -swivel -swiveled -swivels -swives -swivet -swivets -swiving -swizzle -swizzled -swizzler -swizzles -swob -swobbed -swobber -swobbers -swobbing -swobs -swollen -swoon -swooned -swooner -swooners -swoonier -swooning -swoons -swoony -swoop -swooped -swooper -swoopers -swoopier -swooping -swoops -swoopy -swoosh -swooshed -swooshes -swop -swopped -swopping -swops -sword -swordman -swordmen -swords -swore -sworn -swot -swots -swotted -swotter -swotters -swotting -swoun -swound -swounded -swounds -swouned -swouning -swouns -swum -swung -sybarite -sybo -syboes -sycamine -sycamore -syce -sycee -sycees -syces -sycomore -syconia -syconium -sycoses -sycosis -syenite -syenites -syenitic -syke -sykes -syli -sylis -syllabi -syllabic -syllable -syllabub -syllabus -sylph -sylphic -sylphid -sylphids -sylphish -sylphs -sylphy -sylva -sylvae -sylvan -sylvans -sylvas -sylvatic -sylvin -sylvine -sylvines -sylvins -sylvite -sylvites -symbion -symbions -symbiont -symbiot -symbiote -symbiots -symbol -symboled -symbolic -symbols -symmetry -sympathy -sympatry -symphony -sympodia -symposia -symptom -symptoms -syn -synagog -synagogs -synanon -synanons -synapse -synapsed -synapses -synapsid -synapsids -synapsis -synaptic -sync -syncarp -syncarps -syncarpy -synced -synch -synched -synching -synchro -synchros -synchs -syncing -syncline -syncom -syncoms -syncopal -syncope -syncopes -syncopic -syncs -syncytia -syndeses -syndesis -syndet -syndetic -syndets -syndic -syndical -syndics -syndrome -syne -synectic -synergia -synergic -synergid -synergy -synesis -synfuel -synfuels -syngamic -syngamy -syngas -syngases -syngenic -synkarya -synod -synodal -synodic -synods -synonym -synonyme -synonyms -synonymy -synopses -synopsis -synoptic -synovia -synovial -synovias -syntagm -syntagma -syntagms -syntax -syntaxes -synth -synthpop -synths -syntonic -syntony -synura -synurae -syph -sypher -syphered -syphers -syphilis -syphon -syphoned -syphons -syphs -syren -syrens -syrette -syrettes -syringa -syringas -syringe -syringed -syringes -syrinx -syrinxes -syrphian -syrphid -syrphids -syrup -syruped -syrupier -syruping -syrups -syrupy -sysadmin -sysop -sysops -system -systemic -systems -systole -systoles -systolic -syzygal -syzygial -syzygies -syzygy -ta -tab -tabanid -tabanids -tabard -tabarded -tabards -tabaret -tabarets -tabbed -tabbied -tabbies -tabbing -tabbis -tabbises -tabby -tabbying -taber -tabered -tabering -tabers -tabes -tabetic -tabetics -tabid -tabla -tablas -table -tableau -tableaus -tableaux -tabled -tableful -tables -tablet -tableted -tabletop -tablets -tabling -tabloid -tabloids -taboo -tabooed -tabooing -tabooley -taboos -tabor -tabored -taborer -taborers -taboret -taborets -taborin -taborine -taboring -taborins -tabors -tabouleh -tabouli -taboulis -tabour -taboured -tabourer -tabouret -tabours -tabs -tabu -tabued -tabuing -tabular -tabulate -tabuli -tabulis -tabun -tabuns -tabus -tace -taces -tacet -tach -tache -taches -tachinid -tachism -tachisme -tachisms -tachist -tachiste -tachists -tachs -tachyon -tachyons -tacit -tacitly -taciturn -tack -tacked -tacker -tackers -tacket -tackets -tackey -tackier -tackiest -tackify -tackily -tacking -tackle -tackled -tackler -tacklers -tackles -tackless -tackling -tacks -tacky -tacnode -tacnodes -taco -taconite -tacos -tacrine -tacrines -tact -tactful -tactic -tactical -tactics -tactile -taction -tactions -tactless -tacts -tactual -tad -tadpole -tadpoles -tads -tae -tael -taels -taenia -taeniae -taenias -taffarel -tafferel -taffeta -taffetas -taffia -taffias -taffies -taffrail -taffy -tafia -tafias -tag -tagalong -tagboard -taggant -taggants -tagged -tagger -taggers -tagging -taglike -tagline -taglines -tagmeme -tagmemes -tagmemic -tagrag -tagrags -tags -tahini -tahinis -tahr -tahrs -tahsil -tahsils -taiga -taigas -taiglach -tail -tailback -tailbone -tailcoat -tailed -tailer -tailers -tailfan -tailfans -tailfin -tailfins -tailgate -tailing -tailings -taillamp -taille -tailles -tailless -tailleur -taillike -tailor -tailored -tailors -tailpipe -tailrace -tails -tailskid -tailspin -tailwind -tain -tains -taint -tainted -tainting -taints -taipan -taipans -taj -tajes -taka -takable -takahe -takahes -takas -take -takeable -takeaway -takedown -taken -takeoff -takeoffs -takeout -takeouts -takeover -taker -takers -takes -takeup -takeups -takin -taking -takingly -takings -takins -tala -talapoin -talar -talaria -talars -talas -talc -talced -talcing -talcked -talcking -talcky -talcose -talcous -talcs -talcum -talcums -tale -taleggio -talent -talented -talents -taler -talers -tales -talesman -talesmen -taleysim -taleysim -tali -talion -talions -taliped -talipeds -talipes -talipot -talipots -talisman -talk -talkable -talkback -talked -talker -talkers -talkie -talkier -talkies -talkiest -talking -talkings -talks -talky -tall -tallage -tallaged -tallages -tallaisim -tallboy -tallboys -taller -tallest -tallied -tallier -talliers -tallies -tallis -tallises -tallish -tallisim -tallit -tallith -tallithes -tallithim -talliths -tallitim -tallitoth -tallits -tallness -tallol -tallols -tallow -tallowed -tallows -tallowy -talls -tally -tallyho -tallyhos -tallying -tallyman -tallymen -talmudic -talon -taloned -talons -talooka -talookas -taluk -taluka -talukas -taluks -talus -taluses -tam -tamable -tamal -tamale -tamales -tamals -tamandu -tamandua -tamandus -tamarack -tamarao -tamaraos -tamarau -tamaraus -tamari -tamarin -tamarind -tamarins -tamaris -tamarisk -tamasha -tamashas -tambac -tambacs -tambak -tambaks -tambala -tambalas -tambour -tamboura -tambours -tambur -tambura -tamburas -tamburs -tame -tameable -tamed -tamein -tameins -tameless -tamely -tameness -tamer -tamers -tames -tamest -taming -tamis -tamises -tammie -tammies -tammy -tamp -tampala -tampalas -tampan -tampans -tamped -tamper -tampered -tamperer -tampers -tamping -tampion -tampions -tampon -tamponed -tampons -tamps -tams -tan -tanager -tanagers -tanbark -tanbarks -tandem -tandems -tandoor -tandoori -tandoors -tang -tanga -tanged -tangelo -tangelos -tangence -tangency -tangent -tangents -tangible -tangibly -tangier -tangiest -tanging -tangle -tangled -tangler -tanglers -tangles -tanglier -tangling -tangly -tango -tangoed -tangoing -tangos -tangram -tangrams -tangs -tangy -tanist -tanistry -tanists -tank -tanka -tankage -tankages -tankard -tankards -tankas -tanked -tanker -tankers -tankful -tankfuls -tanking -tankini -tankinis -tankless -tanklike -tanks -tankship -tannable -tannage -tannages -tannate -tannates -tanned -tanner -tanners -tannery -tannest -tannic -tannin -tanning -tannings -tannins -tannish -tannoy -tannoy -tannoys -tannoys -tanrec -tanrecs -tans -tansies -tansy -tantalic -tantalum -tantalus -tantara -tantaras -tantivy -tanto -tantra -tantras -tantric -tantrism -tantrum -tantrums -tanuki -tanukis -tanyard -tanyards -tao -taos -tap -tapa -tapadera -tapadero -tapalo -tapalos -tapas -tape -tapeable -taped -tapeless -tapelike -tapeline -tapenade -taper -tapered -taperer -taperers -tapering -tapers -tapes -tapestry -tapeta -tapetal -tapetum -tapeworm -taphole -tapholes -taphouse -taping -tapioca -tapiocas -tapir -tapirs -tapis -tapises -tappable -tapped -tapper -tappers -tappet -tappets -tapping -tappings -taproom -taprooms -taproot -taproots -taps -tapster -tapsters -taqueria -tar -tarama -taramas -tarantas -tarboosh -tarbush -tardier -tardies -tardiest -tardily -tardive -tardo -tardy -tardyon -tardyons -tare -tared -tares -targe -targes -target -targeted -targets -tariff -tariffed -tariffs -taring -tarlatan -tarletan -tarmac -tarmacs -tarn -tarnal -tarnally -tarnish -tarns -taro -taroc -tarocs -tarok -taroks -taros -tarot -tarots -tarp -tarpan -tarpans -tarpaper -tarpon -tarpons -tarps -tarragon -tarre -tarred -tarres -tarried -tarrier -tarriers -tarries -tarriest -tarring -tarry -tarrying -tars -tarsal -tarsals -tarsi -tarsia -tarsias -tarsier -tarsiers -tarsus -tart -tartan -tartana -tartanas -tartans -tartar -tartare -tartaric -tartars -tarted -tarter -tartest -tartier -tartiest -tartily -tarting -tartish -tartlet -tartlets -tartly -tartness -tartrate -tarts -tartufe -tartufes -tartuffe -tarty -tarweed -tarweeds -tarzan -tarzans -tas -task -taskbar -taskbars -tasked -tasking -tasks -taskwork -tass -tasse -tassel -tasseled -tassels -tasses -tasset -tassets -tassie -tassies -tastable -taste -tasted -tasteful -taster -tasters -tastes -tastier -tastiest -tastily -tasting -tasty -tat -tatami -tatamis -tatar -tatars -tate -tater -taters -tates -tatouay -tatouays -tats -tatsoi -tatsois -tatted -tatter -tattered -tatters -tattie -tattier -tatties -tattiest -tattily -tatting -tattings -tattle -tattled -tattler -tattlers -tattles -tattling -tattoo -tattooed -tattooer -tattoos -tatty -tau -taught -taunt -taunted -taunter -taunters -taunting -taunts -tauon -tauons -taupe -taupes -taurine -taurines -taus -taut -tautaug -tautaugs -tauted -tauten -tautened -tautens -tauter -tautest -tauting -tautly -tautness -tautog -tautogs -tautomer -tautonym -tauts -tav -tavern -taverna -tavernas -taverner -taverns -tavs -taw -tawdrier -tawdries -tawdrily -tawdry -tawed -tawer -tawers -tawie -tawing -tawney -tawneys -tawnier -tawnies -tawniest -tawnily -tawny -tawpie -tawpies -taws -tawse -tawsed -tawses -tawsing -tax -taxa -taxable -taxables -taxably -taxation -taxed -taxeme -taxemes -taxemic -taxer -taxers -taxes -taxi -taxicab -taxicabs -taxied -taxies -taxiing -taximan -taximen -taxing -taxingly -taxis -taxite -taxites -taxitic -taxiway -taxiways -taxless -taxman -taxmen -taxol -taxols -taxon -taxonomy -taxons -taxpaid -taxpayer -taxus -taxwise -taxying -tazza -tazzas -tazze -tea -teaberry -teaboard -teabowl -teabowls -teabox -teaboxes -teacake -teacakes -teacart -teacarts -teach -teacher -teachers -teaches -teaching -teacup -teacups -teahouse -teak -teaks -teakwood -teal -tealike -teals -team -teamaker -teamed -teaming -teammate -teams -teamster -teamwork -teapot -teapots -teapoy -teapoys -tear -tearable -tearaway -teardown -teardrop -teared -tearer -tearers -tearful -teargas -tearier -teariest -tearily -tearing -tearless -tearoom -tearooms -tears -teary -teas -teasable -tease -teased -teasel -teaseled -teaseler -teasels -teaser -teasers -teases -teashop -teashops -teasing -teaspoon -teat -teated -teatime -teatimes -teats -teaware -teawares -teazel -teazeled -teazels -teazle -teazled -teazles -teazling -tech -teched -techie -techier -techies -techiest -techily -technic -technics -techno -technos -techs -techy -tecta -tectal -tectite -tectites -tectonic -tectrix -tectum -tectums -ted -tedded -tedder -teddered -tedders -teddies -tedding -teddy -tedious -tedium -tediums -teds -tee -teed -teeing -teel -teels -teem -teemed -teemer -teemers -teeming -teems -teen -teenage -teenaged -teenager -teener -teeners -teenful -teenier -teeniest -teens -teensier -teensy -teentsy -teeny -teenybop -teepee -teepees -tees -teeter -teetered -teeters -teeth -teethe -teethed -teether -teethers -teethes -teething -teetotal -teetotum -teff -teffs -tefillin -teflon -teflon -teflons -teflons -teg -tegg -teggs -tegmen -tegmenta -tegmina -tegminal -tegs -tegua -teguas -tegular -tegumen -tegument -tegumina -teiglach -teiid -teiids -teind -teinds -tekkie -tekkies -tektite -tektites -tektitic -tel -tela -telae -telamon -telco -telcos -tele -telecast -telecom -telecoms -teledu -teledus -telefax -telefilm -telega -telegas -telegony -telegram -teleman -telemark -telemen -teleost -teleosts -telepath -teleplay -teleport -teleran -telerans -teles -teleses -teleshop -telesis -telestic -teletext -telethon -teletype -teleview -televise -telex -telexed -telexes -telexing -telfer -telfered -telfers -telford -telfords -telia -telial -telic -telium -tell -tellable -teller -tellers -tellies -telling -tells -telltale -telluric -telly -tellys -telnet -telneted -telnets -teloi -telome -telomere -telomes -telomic -telos -telpher -telphers -tels -telson -telsonic -telsons -temblor -temblors -temerity -temp -temped -tempeh -tempehs -temper -tempera -temperas -tempered -temperer -tempers -tempest -tempests -tempi -temping -templar -templars -template -temple -templed -temples -templet -templets -tempo -temporal -tempos -temps -tempt -tempted -tempter -tempters -tempting -tempts -tempura -tempuras -ten -tenable -tenably -tenace -tenaces -tenacity -tenacula -tenail -tenaille -tenails -tenancy -tenant -tenanted -tenantry -tenants -tench -tenches -tend -tendance -tended -tendence -tendency -tender -tendered -tenderer -tenderly -tenders -tending -tendon -tendons -tendril -tendrils -tends -tendu -tendus -tenebrae -tenement -tenesmic -tenesmus -tenet -tenets -tenfold -tenfolds -tenge -tenia -teniae -tenias -teniases -teniasis -tenner -tenners -tennies -tennis -tennises -tennist -tennists -tenon -tenoned -tenoner -tenoners -tenoning -tenons -tenor -tenorist -tenorite -tenors -tenotomy -tenour -tenours -tenpence -tenpenny -tenpin -tenpins -tenrec -tenrecs -tens -tense -tensed -tensely -tenser -tenses -tensest -tensible -tensibly -tensile -tensing -tension -tensions -tensity -tensive -tensor -tensors -tent -tentacle -tentage -tentages -tented -tenter -tentered -tenters -tenth -tenthly -tenths -tentie -tentier -tentiest -tenting -tentless -tentlike -tentoria -tents -tenty -tenues -tenuis -tenuity -tenuous -tenure -tenured -tenures -tenurial -tenuring -tenuti -tenuto -tenutos -teocalli -teopan -teopans -teosinte -tepa -tepal -tepals -tepas -tepee -tepees -tepefied -tepefies -tepefy -tephra -tephras -tephrite -tepid -tepidity -tepidly -tepoy -tepoys -tequila -tequilas -terabyte -teraflop -terai -terais -teraohm -teraohms -teraph -teraphim -teratism -teratoid -teratoma -terawatt -terawatts -terbia -terbias -terbic -terbium -terbiums -terce -tercel -tercelet -tercels -terces -tercet -tercets -terebene -terebic -teredo -teredos -terefah -terete -terga -tergal -tergite -tergites -tergum -teriyaki -term -termed -termer -termers -terminal -terming -termini -terminus -termite -termites -termitic -termless -termly -termor -termors -terms -termtime -tern -ternary -ternate -terne -ternes -ternion -ternions -terns -terpene -terpenes -terpenic -terpinol -terra -terrace -terraced -terraces -terrae -terrain -terrains -terrane -terranes -terrapin -terraria -terras -terrases -terrazzo -terreen -terreens -terrella -terrene -terrenes -terret -terrets -terrible -terribly -terrier -terriers -terries -terrific -terrify -terrine -terrines -territ -territs -terror -terrors -terry -terse -tersely -terser -tersest -tertial -tertials -tertian -tertians -tertiary -terylene -terylene -terylenes -tesla -teslas -tessera -tesserae -test -testa -testable -testacy -testae -testate -testates -testator -tested -testee -testees -tester -testers -testes -testicle -testier -testiest -testify -testily -testing -testis -teston -testons -testoon -testoons -tests -testudo -testudos -testy -tet -tetanal -tetanic -tetanics -tetanies -tetanise -tetanize -tetanoid -tetanus -tetany -tetched -tetchier -tetchily -tetchy -teth -tether -tethered -tethers -teths -tetotum -tetotums -tetra -tetracid -tetrad -tetradic -tetrads -tetragon -tetramer -tetrapod -tetrarch -tetras -tetri -tetris -tetrode -tetrodes -tetroxid -tetryl -tetryls -tets -tetter -tetters -teuch -teugh -teughly -tevatron -tew -tewed -tewing -tews -texas -texases -text -textbook -textile -textiles -textless -texts -textual -textuary -textural -texture -textured -textures -thack -thacked -thacking -thacks -thae -thairm -thairms -thalami -thalamic -thalamus -thaler -thalers -thalli -thallic -thallium -thalloid -thallous -thallus -thalweg -thalwegs -than -thanage -thanages -thanatos -thane -thanes -thank -thanked -thanker -thankers -thankful -thanking -thanks -tharm -tharms -that -thataway -thatch -thatched -thatcher -thatches -thatchy -thaw -thawed -thawer -thawers -thawing -thawless -thaws -the -thearchy -theater -theaters -theatre -theatres -theatric -thebaine -thebe -thebes -theca -thecae -thecal -thecate -thee -theelin -theelins -theelol -theelols -theft -thefts -thegn -thegnly -thegns -thein -theine -theines -theins -their -theirs -theism -theisms -theist -theistic -theists -thelitis -them -thematic -theme -themed -themes -theming -then -thenage -thenages -thenal -thenar -thenars -thence -thens -theocrat -theodicy -theogony -theolog -theologs -theology -theonomy -theorbo -theorbos -theorem -theorems -theories -theorise -theorist -theorize -theory -therapy -there -thereat -thereby -therefor -therein -theremin -thereof -thereon -theres -thereto -theriac -theriaca -theriacs -therian -therians -therm -thermae -thermal -thermals -therme -thermel -thermels -thermes -thermic -thermion -thermit -thermit -thermite -thermits -thermits -thermos -therms -theroid -theropod -thesauri -these -theses -thesis -thesp -thespian -thesps -theta -thetas -thetic -thetical -theurgic -theurgy -thew -thewier -thewiest -thewless -thews -thewy -they -thiamin -thiamine -thiamins -thiazide -thiazin -thiazine -thiazins -thiazol -thiazole -thiazols -thick -thicken -thickens -thicker -thickest -thicket -thickets -thickety -thickish -thickly -thicks -thickset -thief -thieve -thieved -thievery -thieves -thieving -thievish -thigh -thighed -thighs -thill -thills -thimble -thimbles -thin -thinclad -thindown -thine -thing -things -think -thinker -thinkers -thinking -thinks -thinly -thinned -thinner -thinners -thinness -thinnest -thinning -thinnish -thins -thio -thiol -thiolic -thiols -thionate -thionic -thionin -thionine -thionins -thionyl -thionyls -thiophen -thiotepa -thiourea -thir -thiram -thirams -third -thirdly -thirds -thirl -thirlage -thirled -thirling -thirls -thirst -thirsted -thirster -thirsts -thirsty -thirteen -thirties -thirty -this -thisaway -thistle -thistles -thistly -thither -tho -thole -tholed -tholepin -tholes -tholing -tholoi -tholos -thong -thonged -thongs -thoracal -thoraces -thoracic -thorax -thoraxes -thoria -thorias -thoric -thorite -thorites -thorium -thoriums -thorn -thorned -thornier -thornily -thorning -thorns -thorny -thoro -thoron -thorons -thorough -thorp -thorpe -thorpes -thorps -those -thou -thoued -though -thought -thoughts -thouing -thous -thousand -thowless -thraldom -thrall -thralled -thralls -thrash -thrashed -thrasher -thrashes -thrave -thraves -thraw -thrawart -thrawed -thrawing -thrawn -thrawnly -thraws -thread -threaded -threader -threads -thready -threap -threaped -threaper -threaps -threat -threated -threaten -threats -three -threep -threeped -threeps -threes -threnode -threnody -thresh -threshed -thresher -threshes -threw -thrice -thrift -thrifts -thrifty -thrill -thrilled -thriller -thrills -thrip -thrips -thrive -thrived -thriven -thriver -thrivers -thrives -thriving -thro -throat -throated -throats -throaty -throb -throbbed -throbber -throbs -throe -throes -thrombi -thrombin -thrombus -throne -throned -thrones -throng -thronged -throngs -throning -throstle -throttle -through -throve -throw -thrower -throwers -throwing -thrown -throws -thru -thrum -thrummed -thrummer -thrummy -thrums -thruput -thruputs -thrush -thrushes -thrust -thrusted -thruster -thrustor -thrusts -thruway -thruways -thud -thudded -thudding -thuds -thug -thuggee -thuggees -thuggery -thuggish -thugs -thuja -thujas -thulia -thulias -thulium -thuliums -thumb -thumbed -thumbing -thumbkin -thumbnut -thumbs -thump -thumped -thumper -thumpers -thumping -thumps -thunder -thunders -thundery -thunk -thunked -thunking -thunks -thurible -thurifer -thurl -thurls -thus -thusly -thuya -thuyas -thwack -thwacked -thwacker -thwacks -thwart -thwarted -thwarter -thwartly -thwarts -thy -thyme -thymes -thymey -thymi -thymic -thymier -thymiest -thymine -thymines -thymol -thymols -thymosin -thymus -thymuses -thymy -thyreoid -thyroid -thyroids -thyroxin -thyrse -thyrses -thyrsi -thyrsoid -thyrsus -thyself -ti -tiara -tiaraed -tiaras -tibia -tibiae -tibial -tibias -tic -tical -ticals -ticced -ticcing -tick -ticked -ticker -tickers -ticket -ticketed -tickets -ticking -tickings -tickle -tickled -tickler -ticklers -tickles -tickling -ticklish -ticks -tickseed -ticktack -ticktock -tics -tictac -tictacs -tictoc -tictocs -tidal -tidally -tidbit -tidbits -tiddler -tiddlers -tiddly -tide -tided -tideland -tideless -tidelike -tidemark -tiderip -tiderips -tides -tideway -tideways -tidied -tidier -tidiers -tidies -tidiest -tidily -tidiness -tiding -tidings -tidy -tidying -tidytips -tie -tieback -tiebacks -tiebreak -tieclasp -tied -tieing -tieless -tiepin -tiepins -tier -tierce -tierced -tiercel -tiercels -tierces -tiered -tiering -tiers -ties -tiff -tiffany -tiffed -tiffin -tiffined -tiffing -tiffins -tiffs -tiger -tigereye -tigerish -tigers -tight -tighten -tightens -tighter -tightest -tightly -tights -tightwad -tiglon -tiglons -tigon -tigons -tigress -tigrish -tike -tikes -tiki -tikis -tikka -tikkas -til -tilak -tilaks -tilapia -tilapias -tilbury -tilde -tildes -tile -tiled -tilefish -tilelike -tiler -tilers -tiles -tiling -tilings -till -tillable -tillage -tillages -tilled -tiller -tillered -tillers -tilling -tillite -tillites -tills -tils -tilt -tiltable -tilted -tilter -tilters -tilth -tilths -tilting -tilts -tiltyard -timarau -timaraus -timbal -timbale -timbales -timbals -timber -timbered -timbers -timbery -timbral -timbre -timbrel -timbrels -timbres -time -timecard -timed -timeless -timelier -timeline -timelines -timely -timeous -timeout -timeouts -timer -timers -times -timework -timeworn -timid -timider -timidest -timidity -timidly -timing -timings -timolol -timolols -timorous -timothy -timpana -timpani -timpano -timpanum -tin -tinamou -tinamous -tincal -tincals -tinct -tincted -tincting -tincts -tincture -tinder -tinders -tindery -tine -tinea -tineal -tineas -tined -tineid -tineids -tines -tinfoil -tinfoils -tinful -tinfuls -ting -tinge -tinged -tingeing -tinges -tinging -tingle -tingled -tingler -tinglers -tingles -tinglier -tingling -tingly -tings -tinhorn -tinhorns -tinier -tiniest -tinily -tininess -tining -tinker -tinkered -tinkerer -tinkers -tinkle -tinkled -tinkler -tinklers -tinkles -tinklier -tinkling -tinkly -tinlike -tinman -tinmen -tinned -tinner -tinners -tinnier -tinniest -tinnily -tinning -tinnitus -tinny -tinplate -tinpot -tins -tinsel -tinseled -tinselly -tinsels -tinsmith -tinsnips -tinstone -tint -tinted -tinter -tinters -tinting -tintings -tintless -tints -tintype -tintypes -tinware -tinwares -tinwork -tinworks -tiny -tip -tipcart -tipcarts -tipcat -tipcats -tipi -tipis -tipless -tipoff -tipoffs -tippable -tipped -tipper -tippers -tippet -tippets -tippier -tippiest -tipping -tipple -tippled -tippler -tipplers -tipples -tippling -tippy -tippytoe -tips -tipsheet -tipsier -tipsiest -tipsily -tipstaff -tipster -tipsters -tipstock -tipsy -tiptoe -tiptoed -tiptoes -tiptop -tiptops -tirade -tirades -tiramisu -tiramisus -tire -tired -tireder -tiredest -tiredly -tireless -tires -tiresome -tiring -tirl -tirled -tirling -tirls -tiro -tiros -tirrivee -tis -tisane -tisanes -tissual -tissue -tissued -tissues -tissuey -tissuing -tissular -tit -titan -titanate -titaness -titania -titanias -titanic -titanism -titanite -titanium -titanous -titans -titbit -titbits -titer -titers -titfer -titfers -tithable -tithe -tithed -tither -tithers -tithes -tithing -tithings -tithonia -titi -titian -titians -titis -titivate -titlark -titlarks -title -titled -titles -titling -titlist -titlists -titman -titmen -titmice -titmouse -titrable -titrant -titrants -titrate -titrated -titrates -titrator -titre -titres -tits -titter -tittered -titterer -titters -tittie -titties -tittle -tittles -tittup -tittuped -tittuppy -tittups -titty -titubant -titular -titulars -titulary -tivy -tizzies -tizzy -tmeses -tmesis -to -toad -toadfish -toadflax -toadied -toadies -toadish -toadless -toadlike -toads -toady -toadying -toadyish -toadyism -toast -toasted -toaster -toasters -toastier -toasting -toasts -toasty -tobacco -tobaccos -tobies -toboggan -toby -toccata -toccatas -toccate -tocher -tochered -tochers -tocology -tocsin -tocsins -tod -today -todays -toddies -toddle -toddled -toddler -toddlers -toddles -toddling -toddy -todies -tods -tody -toe -toea -toeas -toecap -toecaps -toed -toehold -toeholds -toeing -toeless -toelike -toenail -toenails -toepiece -toeplate -toes -toeshoe -toeshoes -toff -toffee -toffees -toffies -toffs -toffy -toft -tofts -tofu -tofus -tofutti -tofutti -tofuttis -tofuttis -tog -toga -togae -togaed -togas -togate -togated -together -togged -toggery -togging -toggle -toggled -toggler -togglers -toggles -toggling -togs -togue -togues -toil -toile -toiled -toiler -toilers -toiles -toilet -toileted -toiletry -toilets -toilette -toilful -toiling -toils -toilsome -toilworn -toit -toited -toiting -toits -tokamak -tokamaks -tokay -tokays -toke -toked -token -tokened -tokening -tokenism -tokens -toker -tokers -tokes -toking -tokology -tokomak -tokomaks -tokonoma -tola -tolan -tolane -tolanes -tolans -tolar -tolarjev -tolars -tolas -tolbooth -told -tole -toled -toledo -toledos -tolerant -tolerate -toles -tolidin -tolidine -tolidins -toling -toll -tollage -tollages -tollbar -tollbars -tolled -toller -tollers -tollgate -tolling -tollman -tollmen -tolls -tollway -tollways -tolu -toluate -toluates -toluene -toluenes -toluic -toluid -toluide -toluides -toluidin -toluids -toluol -toluole -toluoles -toluols -tolus -toluyl -toluyls -tolyl -tolyls -tom -tomahawk -tomalley -toman -tomans -tomato -tomatoes -tomatoey -tomb -tombac -tomback -tombacks -tombacs -tombak -tombaks -tombal -tombed -tombing -tombless -tomblike -tombola -tombolas -tombolo -tombolos -tomboy -tomboys -tombs -tomcat -tomcats -tomcod -tomcods -tome -tomenta -tomentum -tomes -tomfool -tomfools -tommed -tommies -tomming -tommy -tommyrot -tomogram -tomorrow -tompion -tompions -toms -tomtit -tomtits -ton -tonal -tonality -tonally -tondi -tondo -tondos -tone -tonearm -tonearms -toned -toneless -toneme -tonemes -tonemic -toner -toners -tones -tonetic -tonetics -tonette -tonettes -toney -tong -tonga -tongas -tonged -tonger -tongers -tonging -tongman -tongmen -tongs -tongue -tongued -tongues -tonguing -tonic -tonicity -tonics -tonier -toniest -tonight -tonights -toning -tonish -tonishly -tonlet -tonlets -tonnage -tonnages -tonne -tonneau -tonneaus -tonneaux -tonner -tonners -tonnes -tonnish -tons -tonsil -tonsilar -tonsils -tonsure -tonsured -tonsures -tontine -tontines -tonus -tonuses -tony -too -took -tool -toolbar -toolbars -toolbox -tooled -tooler -toolers -toolhead -tooling -toolings -toolless -toolroom -tools -toolshed -toom -toon -toonie -toonies -toons -toot -tooted -tooter -tooters -tooth -toothed -toothier -toothily -toothing -tooths -toothy -tooting -tootle -tootled -tootler -tootlers -tootles -tootling -toots -tootses -tootsie -tootsies -tootsy -top -topaz -topazes -topazine -topcoat -topcoats -topcross -tope -toped -topee -topees -toper -topers -topes -topful -topfull -toph -tophe -tophes -tophi -tophs -tophus -topi -topiary -topic -topical -topics -toping -topis -topkick -topkicks -topknot -topknots -topless -topline -toplines -toplofty -topmast -topmasts -topmost -topnotch -topo -topoi -topology -toponym -toponyms -toponymy -topos -topotype -topped -topper -toppers -topping -toppings -topple -toppled -topples -toppling -tops -topsail -topsails -topside -topsider -topsides -topsoil -topsoils -topspin -topspins -topstone -topwork -topworks -toque -toques -toquet -toquets -tor -tora -torah -torahs -toras -torc -torch -torched -torchere -torches -torchier -torchiest -torching -torchon -torchons -torchy -torcs -tore -toreador -torero -toreros -tores -toreutic -tori -toric -torics -tories -torii -torment -torments -torn -tornadic -tornado -tornados -tornillo -toro -toroid -toroidal -toroids -toros -torose -torosity -torot -toroth -torous -torpedo -torpedos -torpid -torpidly -torpids -torpor -torpors -torquate -torque -torqued -torquer -torquers -torques -torquing -torr -torrefy -torrent -torrents -torrid -torrider -torridly -torrify -torrs -tors -torsade -torsades -torse -torses -torsi -torsion -torsions -torsk -torsks -torso -torsos -tort -torta -torta -tortas -tortas -torte -torten -tortes -tortile -tortilla -tortious -tortoise -tortoni -tortonis -tortrix -torts -tortuous -torture -tortured -torturer -tortures -torula -torulae -torulas -torus -tory -tosh -toshes -toss -tossed -tosser -tossers -tosses -tossing -tosspot -tosspots -tossup -tossups -tost -tostada -tostadas -tostado -tostados -tot -totable -total -totaled -totaling -totalise -totalism -totalist -totality -totalize -totalled -totally -totals -tote -toteable -toted -totem -totemic -totemism -totemist -totemite -totems -toter -toters -totes -tother -toting -tots -totted -totter -tottered -totterer -totters -tottery -totting -toucan -toucans -touch -touche -touched -toucher -touchers -touches -touchier -touchily -touching -touchpad -touchup -touchups -touchy -tough -toughed -toughen -toughens -tougher -toughest -toughie -toughies -toughing -toughish -toughly -toughs -toughy -toupee -toupees -tour -touraco -touracos -toured -tourer -tourers -touring -tourings -tourism -tourisms -tourist -tourista -tourists -touristy -tourney -tourneys -tours -touse -toused -touses -tousing -tousle -tousled -tousles -tousling -tout -touted -touter -touters -touting -touts -touzle -touzled -touzles -touzling -tovarich -tovarish -tow -towable -towage -towages -toward -towardly -towards -towaway -towaways -towboat -towboats -towed -towel -toweled -toweling -towelled -towels -tower -towered -towerier -towering -towers -towery -towhead -towheads -towhee -towhees -towie -towies -towing -towline -towlines -towmond -towmonds -towmont -towmonts -town -townee -townees -townfolk -townhome -townie -townies -townish -townless -townlet -townlets -towns -township -townsman -townsmen -townwear -towny -towpath -towpaths -towplane -towrope -towropes -tows -towsack -towsacks -towy -toxaemia -toxaemic -toxemia -toxemias -toxemic -toxic -toxical -toxicant -toxicity -toxics -toxin -toxine -toxines -toxins -toxoid -toxoids -toy -toyed -toyer -toyers -toying -toyish -toyless -toylike -toyo -toyon -toyons -toyos -toys -toyshop -toyshops -trabeate -trace -traced -tracer -tracers -tracery -traces -trachea -tracheae -tracheal -tracheas -tracheid -trachle -trachled -trachles -trachoma -trachyte -tracing -tracings -track -trackage -tracked -tracker -trackers -tracking -trackman -trackmen -trackpad -tracks -trackway -tract -tractate -tractile -traction -tractive -tractor -tractors -tracts -trad -tradable -trade -traded -tradeoff -trader -traders -trades -trading -traditor -traduce -traduced -traducer -traduces -traffic -traffics -tragedy -tragi -tragic -tragical -tragics -tragopan -tragus -traik -traiked -traiking -traiks -trail -trailed -trailer -trailers -trailing -trails -train -trained -trainee -trainees -trainer -trainers -trainful -training -trainman -trainmen -trains -trainway -traipse -traipsed -traipses -trait -traitor -traitors -traits -traject -trajects -tram -tramcar -tramcars -tramel -trameled -tramell -tramells -tramels -tramless -tramline -trammed -trammel -trammels -tramming -tramp -tramped -tramper -trampers -trampier -tramping -trampish -trample -trampled -trampler -tramples -tramps -trampy -tramroad -trams -tramway -tramways -trance -tranced -trances -tranche -tranches -trancing -trangam -trangams -trank -tranks -trannies -tranny -tranq -tranqs -tranquil -trans -transact -transect -transept -transfer -transfix -tranship -transit -transits -transmit -transom -transoms -transude -trap -trapan -trapans -trapball -trapdoor -trapes -trapesed -trapeses -trapeze -trapezes -trapezia -traplike -trapline -traplines -trapnest -trappean -trapped -trapper -trappers -trapping -trappose -trappous -traprock -traps -trapt -trapunto -trash -trashed -trasher -trashers -trashes -trashier -trashily -trashing -trashman -trashmen -trashy -trass -trasses -trauchle -trauma -traumas -traumata -travail -travails -trave -travel -traveled -traveler -travelog -travels -traverse -traves -travesty -travois -travoise -trawl -trawled -trawler -trawlers -trawley -trawleys -trawling -trawlnet -trawls -tray -trayful -trayfuls -trays -treacle -treacles -treacly -tread -treaded -treader -treaders -treading -treadle -treadled -treadler -treadles -treads -treason -treasons -treasure -treasury -treat -treated -treater -treaters -treaties -treating -treatise -treats -treaty -treble -trebled -trebles -trebling -trebly -trecento -treddle -treddled -treddles -tree -treed -treeing -treelawn -treeless -treelike -treen -treenail -treens -trees -treetop -treetops -tref -trefah -trefoil -trefoils -trehala -trehalas -trek -trekked -trekker -trekkers -trekking -treks -trellis -tremble -trembled -trembler -trembles -trembly -tremolo -tremolos -tremor -tremors -trenail -trenails -trench -trenched -trencher -trenches -trend -trended -trendier -trendies -trendily -trending -trendoid -trends -trendy -trepan -trepang -trepangs -trepans -trephine -trepid -tres -tres -trespass -tress -tressed -tressel -tressels -tresses -tressier -tressour -tressure -tressy -trestle -trestles -tret -trets -trevally -trevallys -trevet -trevets -trews -trey -treys -triable -triac -triacid -triacids -triacs -triad -triadic -triadics -triadism -triads -triage -triaged -triages -triaging -trial -trials -triangle -triarchy -triassic -triassic -triaxial -triazin -triazine -triazins -triazole -tribade -tribades -tribadic -tribal -tribally -tribals -tribasic -tribe -tribes -tribrach -tribunal -tribune -tribunes -tribute -tributes -trice -triced -tricep -triceps -trices -trichina -trichite -trichoid -trichome -tricing -trick -tricked -tricker -trickers -trickery -trickie -trickier -trickily -tricking -trickish -trickle -trickled -trickles -trickly -tricks -tricksy -tricky -triclad -triclads -tricolor -tricorn -tricorne -tricorns -tricot -tricots -trictrac -tricycle -trident -tridents -triduum -triduums -tried -triene -trienes -triennia -triens -trientes -trier -triers -tries -triethyl -trifecta -trifid -trifle -trifled -trifler -triflers -trifles -trifling -trifocal -trifold -triforia -triform -trig -trigged -trigger -triggers -triggest -trigging -trigly -triglyph -trigness -trigo -trigon -trigonal -trigons -trigos -trigram -trigrams -trigraph -trigs -trihedra -trijet -trijets -trike -trikes -trilbies -trilby -trilith -triliths -trill -trilled -triller -trillers -trilling -trillion -trillium -trills -trilobal -trilobed -trilogy -trim -trimaran -trimer -trimeric -trimers -trimeter -trimly -trimmed -trimmer -trimmers -trimmest -trimming -trimness -trimorph -trimotor -trims -trinal -trinary -trindle -trindled -trindles -trine -trined -trines -trining -trinity -trinket -trinkets -trinkums -trinodal -trio -triode -triodes -triol -triolet -triolets -triols -trios -triose -trioses -trioxid -trioxide -trioxids -trip -tripack -tripacks -tripart -tripe -tripedal -tripes -triphase -triplane -triple -tripled -triples -triplet -triplets -triplex -tripling -triplite -triploid -triply -tripod -tripodal -tripodic -tripods -tripody -tripoli -tripolis -tripos -triposes -tripped -tripper -trippers -trippet -trippets -trippier -trippiest -tripping -trippy -trips -triptan -triptane -triptans -triptyca -triptych -tripwire -trireme -triremes -triscele -trisect -trisects -triseme -trisemes -trisemic -trishaw -trishaws -triskele -trismic -trismus -trisome -trisomes -trisomic -trisomy -tristate -triste -tristeza -tristful -tristich -trite -tritely -triter -tritest -trithing -triticum -tritium -tritiums -tritoma -tritomas -triton -tritone -tritones -tritons -triumph -triumphs -triumvir -triune -triunes -triunity -trivalve -trivet -trivets -trivia -trivial -trivium -troak -troaked -troaking -troaks -trocar -trocars -trochaic -trochal -trochar -trochars -troche -trochee -trochees -troches -trochil -trochili -trochils -trochlea -trochoid -trock -trocked -trocking -trocks -trod -trodden -trode -troffer -troffers -trog -trogon -trogons -trogs -troika -troikas -troilism -troilite -troilus -trois -troke -troked -trokes -troking -troland -trolands -troll -trolled -troller -trollers -trolley -trolleys -trollied -trollies -trolling -trollop -trollops -trollopy -trolls -trolly -trombone -trommel -trommels -tromp -trompe -tromped -trompes -tromping -tromps -trona -tronas -trone -trones -troop -trooped -trooper -troopers -troopial -trooping -troops -trooz -trop -trope -tropes -trophic -trophied -trophies -trophy -tropic -tropical -tropicals -tropics -tropin -tropine -tropines -tropins -tropism -tropisms -troponin -trot -troth -trothed -trothing -troths -trotline -trots -trotted -trotter -trotters -trotting -trotyl -trotyls -trouble -troubled -troubler -troubles -trough -troughs -trounce -trounced -trouncer -trounces -troupe -trouped -trouper -troupers -troupes -troupial -trouping -trouser -trousers -trout -troutier -trouts -trouty -trouvere -trouveur -trove -trover -trovers -troves -trow -trowed -trowel -troweled -troweler -trowels -trowing -trows -trowsers -trowth -trowths -troy -troys -truancy -truant -truanted -truantly -truantry -truants -truce -truced -truces -trucing -truck -truckage -trucked -trucker -truckers -truckful -truckfuls -trucking -truckle -truckled -truckler -truckles -truckman -truckmen -trucks -trudge -trudged -trudgen -trudgens -trudgeon -trudger -trudgers -trudges -trudging -true -trueblue -trueborn -truebred -trued -trueing -truelove -trueness -truer -trues -truest -truffe -truffes -truffle -truffled -truffles -trug -trugs -truing -truism -truisms -truistic -trull -trulls -truly -trumeau -trumeaux -trump -trumped -trumpery -trumpet -trumpets -trumping -trumps -truncate -trundle -trundled -trundler -trundles -trunk -trunked -trunkful -trunks -trunnel -trunnels -trunnion -truss -trussed -trusser -trussers -trusses -trussing -trust -trusted -trustee -trusteed -trustees -truster -trusters -trustful -trustier -trusties -trustily -trusting -trustor -trustors -trusts -trusty -truth -truthful -truths -try -trying -tryingly -tryma -trymata -tryout -tryouts -trypsin -trypsins -tryptic -trysail -trysails -tryst -tryste -trysted -tryster -trysters -trystes -trysting -trysts -tryworks -tsaddik -tsade -tsades -tsadi -tsadis -tsar -tsardom -tsardoms -tsarevna -tsarina -tsarinas -tsarism -tsarisms -tsarist -tsarists -tsaritza -tsars -tsatske -tsatskes -tsetse -tsetses -tsimmes -tsk -tsked -tsking -tsks -tsktsk -tsktsked -tsktsks -tsooris -tsores -tsoris -tsorriss -tsouris -tsuba -tsunami -tsunamic -tsunamis -tsuris -tuatara -tuataras -tuatera -tuateras -tub -tuba -tubae -tubaist -tubaists -tubal -tubas -tubate -tubbable -tubbed -tubber -tubbers -tubbier -tubbiest -tubbing -tubby -tube -tubed -tubeless -tubelike -tubenose -tuber -tubercle -tuberoid -tuberose -tuberous -tubers -tubes -tubework -tubeworm -tubful -tubfuls -tubifex -tubiform -tubing -tubings -tubist -tubists -tublike -tubs -tubular -tubulate -tubule -tubules -tubulin -tubulins -tubulose -tubulous -tubulure -tuchun -tuchuns -tuck -tuckahoe -tucked -tucker -tuckered -tuckers -tucket -tuckets -tucking -tucks -tuckshop -tuckshops -tufa -tufas -tuff -tuffet -tuffets -tuffs -tufoli -tuft -tufted -tufter -tufters -tuftier -tuftiest -tuftily -tufting -tuftings -tufts -tufty -tug -tugboat -tugboats -tugged -tugger -tuggers -tugging -tughrik -tughriks -tugless -tugrik -tugriks -tugs -tui -tuille -tuilles -tuis -tuition -tuitions -tuladi -tuladis -tule -tules -tulip -tulips -tulle -tulles -tullibee -tumble -tumbled -tumbler -tumblers -tumbles -tumbling -tumbrel -tumbrels -tumbril -tumbrils -tumefied -tumefies -tumefy -tumesce -tumesced -tumesces -tumid -tumidity -tumidly -tummies -tummler -tummlers -tummy -tumor -tumoral -tumorous -tumors -tumour -tumours -tump -tumped -tumping -tumpline -tumps -tumular -tumuli -tumulose -tumulous -tumult -tumults -tumulus -tun -tuna -tunable -tunably -tunas -tundish -tundra -tundras -tune -tuneable -tuneably -tuned -tuneful -tuneless -tuner -tuners -tunes -tuneup -tuneups -tung -tungs -tungsten -tungstic -tunic -tunica -tunicae -tunicate -tunicle -tunicles -tunics -tuning -tunnage -tunnages -tunned -tunnel -tunneled -tunneler -tunnels -tunnies -tunning -tunny -tuns -tup -tupelo -tupelos -tupik -tupiks -tupped -tuppence -tuppenny -tupping -tups -tuque -tuques -turaco -turacos -turacou -turacous -turban -turbaned -turbans -turbary -turbeth -turbeths -turbid -turbidly -turbinal -turbine -turbines -turbit -turbith -turbiths -turbits -turbo -turbocar -turbofan -turbojet -turbos -turbot -turbots -turd -turdine -turds -tureen -tureens -turf -turfed -turfier -turfiest -turfing -turfless -turflike -turfman -turfmen -turfs -turfski -turfskis -turfy -turgency -turgent -turgid -turgidly -turgite -turgites -turgor -turgors -turion -turions -turista -turistas -turk -turkey -turkeys -turkois -turks -turmeric -turmoil -turmoils -turn -turnable -turncoat -turndown -turned -turner -turners -turnery -turnhall -turning -turnings -turnip -turnips -turnkey -turnkeys -turnoff -turnoffs -turnon -turnons -turnout -turnouts -turnover -turnpike -turns -turnsole -turnspit -turnup -turnups -turpeth -turpeths -turps -turquois -turret -turreted -turrets -turrical -turtle -turtled -turtler -turtlers -turtles -turtling -turves -tusche -tusches -tush -tushed -tushery -tushes -tushie -tushies -tushing -tushy -tusk -tusked -tusker -tuskers -tusking -tuskless -tusklike -tusks -tussah -tussahs -tussal -tussar -tussars -tusseh -tussehs -tusser -tussers -tusses -tussis -tussises -tussive -tussle -tussled -tussles -tussling -tussock -tussocks -tussocky -tussor -tussore -tussores -tussors -tussuck -tussucks -tussur -tussurs -tut -tutee -tutees -tutelage -tutelar -tutelars -tutelary -tutor -tutorage -tutored -tutoress -tutorial -tutoring -tutors -tutoyed -tutoyer -tutoyers -tuts -tutted -tutti -tutties -tutting -tuttis -tutty -tutu -tutued -tutus -tux -tuxedo -tuxedoed -tuxedoes -tuxedos -tuxes -tuyer -tuyere -tuyeres -tuyers -twa -twaddle -twaddled -twaddler -twaddles -twae -twaes -twain -twains -twang -twanged -twanger -twangers -twangier -twanging -twangle -twangled -twangler -twangles -twangs -twangy -twankies -twanky -twas -twasome -twasomes -twat -twats -twattle -twattled -twattles -tweak -tweaked -tweakier -tweaking -tweaks -tweaky -twee -tweed -tweedier -tweedle -tweedled -tweedles -tweeds -tweedy -tween -tweener -tweeners -tweeness -tweenies -tweens -tweeny -tweet -tweeted -tweeter -tweeters -tweeting -tweets -tweeze -tweezed -tweezer -tweezers -tweezes -tweezing -twelfth -twelfths -twelve -twelvemo -twelves -twenties -twenty -twerp -twerps -twibil -twibill -twibills -twibils -twice -twiddle -twiddled -twiddler -twiddles -twiddly -twier -twiers -twig -twigged -twiggen -twiggier -twigging -twiggy -twigless -twiglike -twigs -twilight -twilit -twill -twilled -twilling -twills -twin -twinborn -twine -twined -twiner -twiners -twines -twinge -twinged -twingeing -twinges -twinging -twinier -twiniest -twinight -twining -twinjet -twinjets -twinkie -twinkies -twinkle -twinkled -twinkler -twinkles -twinkly -twinned -twinning -twins -twinset -twinsets -twinship -twiny -twirl -twirled -twirler -twirlers -twirlier -twirling -twirls -twirly -twirp -twirps -twist -twisted -twister -twisters -twistier -twisting -twists -twisty -twit -twitch -twitched -twitcher -twitches -twitchy -twits -twitted -twitter -twitters -twittery -twitting -twixt -two -twofer -twofers -twofold -twofolds -twoonie -twoonies -twopence -twopenny -twos -twosome -twosomes -twyer -twyers -tycoon -tycoons -tye -tyee -tyees -tyer -tyers -tyes -tyin -tying -tyiyn -tyke -tykes -tylosin -tylosins -tymbal -tymbals -tympan -tympana -tympanal -tympani -tympanic -tympano -tympans -tympanum -tympany -tyne -tyned -tynes -tyning -typable -typal -type -typeable -typebar -typebars -typecase -typecast -typed -typeface -types -typeset -typesets -typey -typhoid -typhoids -typhon -typhonic -typhons -typhoon -typhoons -typhose -typhous -typhus -typhuses -typic -typical -typier -typiest -typified -typifier -typifies -typify -typing -typist -typists -typo -typology -typos -typp -typps -typy -tyramine -tyrannic -tyranny -tyrant -tyrants -tyre -tyred -tyres -tyring -tyro -tyronic -tyros -tyrosine -tythe -tythed -tythes -tything -tzaddik -tzar -tzardom -tzardoms -tzarevna -tzarina -tzarinas -tzarism -tzarisms -tzarist -tzarists -tzaritza -tzars -tzetze -tzetzes -tzigane -tziganes -tzimmes -tzitzis -tzitzit -tzitzith -tzuris -uakari -uakaris -ubieties -ubiety -ubique -ubiquity -udder -udders -udo -udometer -udometry -udon -udons -udos -ufology -ugh -ughs -uglier -uglies -ugliest -uglified -uglifier -uglifies -uglify -uglily -ugliness -ugly -ugsome -uh -uhlan -uhlans -uintaite -ukase -ukases -uke -ukelele -ukeleles -ukes -ukulele -ukuleles -ulama -ulamas -ulan -ulans -ulcer -ulcerate -ulcered -ulcering -ulcerous -ulcers -ulema -ulemas -ulexite -ulexites -ullage -ullaged -ullages -ulna -ulnad -ulnae -ulnar -ulnas -ulpan -ulpanim -ulster -ulsters -ulterior -ultima -ultimacy -ultimas -ultimata -ultimate -ultimo -ultra -ultradry -ultrahip -ultrahot -ultraism -ultraist -ultralow -ultrared -ultras -ulu -ululant -ululate -ululated -ululates -ulus -ulva -ulvas -um -umami -umamis -umangite -umbel -umbeled -umbellar -umbelled -umbellet -umbels -umber -umbered -umbering -umbers -umbilici -umbles -umbo -umbonal -umbonate -umbones -umbonic -umbos -umbra -umbrae -umbrage -umbrages -umbral -umbras -umbrella -umbrette -umiac -umiack -umiacks -umiacs -umiak -umiaks -umiaq -umiaqs -umlaut -umlauted -umlauts -umm -ump -umped -umping -umpirage -umpire -umpired -umpires -umpiring -umps -umpteen -umteenth -un -unabated -unable -unabused -unacidic -unacted -unadded -unadept -unadult -unafraid -unaged -unageing -unagile -unaging -unagreed -unai -unaided -unaimed -unaired -unais -unakin -unakite -unakites -unalike -unallied -unamazed -unamused -unanchor -unaneled -unapt -unaptly -unarched -unargued -unarm -unarmed -unarming -unarms -unartful -unary -unasked -unatoned -unau -unaus -unavowed -unawake -unawaked -unaware -unawares -unawed -unaxed -unbacked -unbaked -unbale -unbaled -unbales -unbaling -unban -unbanded -unbanned -unbanning -unbans -unbar -unbarbed -unbarred -unbars -unbased -unbasted -unbated -unbathed -unbe -unbear -unbeared -unbears -unbeaten -unbeing -unbelief -unbelt -unbelted -unbelts -unbend -unbended -unbends -unbenign -unbent -unbiased -unbid -unbidden -unbilled -unbind -unbinds -unbitted -unbitten -unbitter -unblamed -unblest -unblock -unblocks -unbloody -unbobbed -unbodied -unboiled -unbolt -unbolted -unbolts -unbonded -unboned -unbonnet -unbooted -unborn -unbosom -unbosoms -unbottle -unbought -unbouncy -unbound -unbowed -unbowing -unbox -unboxed -unboxes -unboxing -unbrace -unbraced -unbraces -unbraid -unbraids -unbrake -unbraked -unbrakes -unbred -unbreech -unbridle -unbright -unbroke -unbroken -unbuckle -unbuild -unbuilds -unbuilt -unbulky -unbundle -unburden -unburied -unburned -unburnt -unbusted -unbusy -unbutton -uncage -uncaged -uncages -uncaging -uncake -uncaked -uncakes -uncaking -uncalled -uncandid -uncanned -uncanny -uncap -uncapped -uncaps -uncarded -uncaring -uncarted -uncarved -uncase -uncased -uncases -uncashed -uncasing -uncasked -uncast -uncatchy -uncaught -uncaused -unceded -unchain -unchains -unchair -unchairs -unchancy -uncharge -unchary -unchaste -unchewed -unchic -unchicly -unchoke -unchoked -unchokes -unchosen -unchurch -unci -uncia -unciae -uncial -uncially -uncials -unciform -uncinal -uncinate -uncini -uncinus -uncivil -unclad -unclamp -unclamps -unclasp -unclasps -unclassy -unclawed -uncle -unclean -unclear -uncleft -unclench -uncles -unclinch -unclip -unclips -uncloak -uncloaks -unclog -unclogs -unclose -unclosed -uncloses -unclothe -uncloud -unclouds -uncloudy -uncloyed -unco -uncoated -uncock -uncocked -uncocks -uncoded -uncoffin -uncoil -uncoiled -uncoils -uncoined -uncombed -uncomely -uncomic -uncommon -uncooked -uncool -uncooled -uncork -uncorked -uncorks -uncos -uncouple -uncouth -uncover -uncovers -uncoy -uncrate -uncrated -uncrates -uncrazy -uncreate -uncrewed -uncross -uncrown -uncrowns -unction -unctions -unctuous -uncuff -uncuffed -uncuffing -uncuffs -uncurb -uncurbed -uncurbs -uncured -uncurl -uncurled -uncurls -uncursed -uncus -uncut -uncute -undamped -undaring -undated -unde -undead -undecked -undee -undenied -undented -under -underact -underage -underarm -underate -underbid -underbud -underbuy -undercut -underdid -underdo -underdog -undereat -underfed -underfur -undergo -undergod -underjaw -underlap -underlay -underlet -underlie -underlip -underlit -underpay -underpin -underran -underrun -undersea -underset -undertax -undertow -underuse -underway -undevout -undid -undies -undimmed -undine -undines -undo -undoable -undocile -undock -undocked -undocks -undoer -undoers -undoes -undoing -undoings -undone -undotted -undouble -undrape -undraped -undrapes -undraw -undrawn -undraws -undreamt -undress -undrest -undrew -undried -undrunk -undubbed -undue -undulant -undular -undulate -undulled -unduly -undy -undyed -undying -uneager -unearned -unearth -unearths -unease -uneases -uneasier -uneasily -uneasy -uneaten -unedible -unedited -unended -unending -unenvied -unequal -unequals -unerased -unerotic -unerring -unevaded -uneven -unevener -unevenly -unexotic -unexpert -unfaded -unfading -unfair -unfairer -unfairly -unfaith -unfaiths -unfaked -unfallen -unfamous -unfancy -unfasten -unfazed -unfeared -unfed -unfelt -unfelted -unfence -unfenced -unfences -unfetter -unfilial -unfilled -unfilmed -unfired -unfished -unfit -unfitly -unfits -unfitted -unfix -unfixed -unfixes -unfixing -unfixt -unflashy -unflawed -unflexed -unfluted -unfoiled -unfold -unfolded -unfolder -unfolds -unfond -unforced -unforged -unforgot -unforked -unformed -unfought -unfound -unframed -unfree -unfreed -unfrees -unfreeze -unfrock -unfrocks -unfroze -unfrozen -unfunded -unfunny -unfurl -unfurled -unfurls -unfused -unfussy -ungainly -ungalled -ungarbed -ungated -ungazing -ungelded -ungenial -ungentle -ungently -ungifted -ungird -ungirded -ungirds -ungirt -ungiving -unglazed -unglove -ungloved -ungloves -unglue -unglued -unglues -ungluing -ungodly -ungot -ungotten -ungowned -ungraced -ungraded -ungreedy -unground -ungual -unguard -unguards -unguent -unguenta -unguents -ungues -unguided -unguis -ungula -ungulae -ungular -ungulate -unhailed -unhair -unhaired -unhairer -unhairs -unhallow -unhalved -unhand -unhanded -unhands -unhandy -unhang -unhanged -unhangs -unhappy -unharmed -unhasty -unhat -unhats -unhatted -unhealed -unheard -unheated -unhedged -unheeded -unhelm -unhelmed -unhelms -unhelped -unheroic -unhewn -unhinge -unhinged -unhinges -unhip -unhired -unhitch -unholier -unholily -unholy -unhood -unhooded -unhoods -unhook -unhooked -unhooks -unhoped -unhorse -unhorsed -unhorses -unhouse -unhoused -unhouses -unhuman -unhung -unhurt -unhusk -unhusked -unhusks -unialgal -uniaxial -unibody -unicolor -unicorn -unicorns -unicycle -unideaed -unideal -uniface -unifaces -unific -unified -unifier -unifiers -unifies -unifilar -uniform -uniforms -unify -unifying -unilobed -unimbued -union -unionise -unionism -unionist -unionize -unions -unipod -unipods -unipolar -unique -uniquely -uniquer -uniques -uniquest -unironed -unironic -unisex -unisexes -unisize -unison -unisonal -unisons -unissued -unit -unitage -unitages -unitard -unitards -unitary -unite -united -unitedly -uniter -uniters -unites -unities -uniting -unitive -unitize -unitized -unitizer -unitizes -unitrust -units -unity -univalve -universe -univocal -unjaded -unjam -unjammed -unjams -unjoined -unjoint -unjoints -unjoyful -unjudged -unjust -unjustly -unkeeled -unkempt -unkend -unkenned -unkennel -unkent -unkept -unkind -unkinder -unkindly -unkingly -unkink -unkinked -unkinks -unkissed -unknit -unknits -unknot -unknots -unknown -unknowns -unkosher -unlace -unlaced -unlaces -unlacing -unlade -unladed -unladen -unlades -unlading -unlaid -unlash -unlashed -unlashes -unlatch -unlawful -unlay -unlaying -unlays -unlead -unleaded -unleads -unlearn -unlearns -unlearnt -unleased -unleash -unled -unless -unlet -unlethal -unletted -unlevel -unlevels -unlevied -unlicked -unlike -unliked -unlikely -unlimber -unlined -unlink -unlinked -unlinks -unlisted -unlit -unlive -unlived -unlively -unlives -unliving -unload -unloaded -unloader -unloads -unlobed -unlock -unlocked -unlocks -unloose -unloosed -unloosen -unlooses -unloved -unlovely -unloving -unlucky -unmacho -unmade -unmailed -unmake -unmaker -unmakers -unmakes -unmaking -unman -unmanful -unmanly -unmanned -unmans -unmapped -unmarked -unmarred -unmask -unmasked -unmasker -unmasks -unmated -unmatted -unmeant -unmeet -unmeetly -unmellow -unmelted -unmended -unmerry -unmesh -unmeshed -unmeshes -unmet -unmew -unmewed -unmewing -unmews -unmilled -unmined -unmingle -unmiter -unmiters -unmitre -unmitred -unmitres -unmix -unmixed -unmixes -unmixing -unmixt -unmodish -unmold -unmolded -unmolds -unmolten -unmoor -unmoored -unmoors -unmoral -unmoved -unmoving -unmown -unmuffle -unmuzzle -unnail -unnailed -unnails -unnamed -unneeded -unnerve -unnerved -unnerves -unnoisy -unnoted -unoiled -unopen -unopened -unornate -unowned -unpack -unpacked -unpacker -unpacks -unpadded -unpaged -unpaid -unpaired -unparted -unpaved -unpaying -unpeeled -unpeg -unpegged -unpegs -unpen -unpenned -unpens -unpent -unpeople -unperson -unpick -unpicked -unpicks -unpile -unpiled -unpiles -unpiling -unpin -unpinned -unpins -unpitied -unpitted -unplaced -unplait -unplaits -unplayed -unpliant -unplowed -unplug -unplugs -unpoetic -unpoised -unpolite -unpolled -unposed -unposted -unpotted -unpretty -unpriced -unprimed -unprized -unprobed -unproved -unproven -unpruned -unpucker -unpure -unpurely -unpurged -unpuzzle -unquiet -unquiets -unquote -unquoted -unquotes -unraised -unraked -unranked -unrated -unravel -unravels -unrazed -unread -unready -unreal -unreally -unreason -unreel -unreeled -unreeler -unreels -unreeve -unreeved -unreeves -unrent -unrented -unrepaid -unrepair -unrest -unrested -unrests -unretire -unrhymed -unribbed -unriddle -unrifled -unrig -unrigged -unrigs -unrimed -unrinsed -unrip -unripe -unripely -unriper -unripest -unripped -unrips -unrisen -unrobe -unrobed -unrobes -unrobing -unroll -unrolled -unrolls -unroof -unroofed -unroofs -unroot -unrooted -unroots -unroped -unrough -unround -unrounds -unrove -unroven -unruled -unrulier -unruly -unrushed -unrusted -uns -unsaddle -unsafe -unsafely -unsafety -unsaid -unsalted -unsated -unsaved -unsavory -unsawed -unsawn -unsay -unsaying -unsays -unscaled -unscrew -unscrews -unseal -unsealed -unseals -unseam -unseamed -unseams -unseared -unseat -unseated -unseats -unseeded -unseeing -unseemly -unseen -unseized -unsent -unserved -unset -unsets -unsettle -unsew -unsewed -unsewing -unsewn -unsews -unsex -unsexed -unsexes -unsexing -unsexual -unsexy -unshaded -unshaken -unshamed -unshaped -unshapen -unshared -unsharp -unshaved -unshaven -unshed -unshell -unshells -unshift -unshifts -unship -unships -unshod -unshorn -unshowy -unshrunk -unshut -unsicker -unsifted -unsight -unsights -unsigned -unsilent -unsinful -unsized -unslaked -unsliced -unslick -unsling -unslings -unslung -unsmart -unsmoked -unsnag -unsnags -unsnap -unsnaps -unsnarl -unsnarls -unsoaked -unsober -unsocial -unsoiled -unsold -unsolder -unsolid -unsolved -unsoncy -unsonsie -unsonsy -unsorted -unsought -unsound -unsoured -unsowed -unsown -unspeak -unspeaks -unspent -unsphere -unspilt -unsplit -unspoilt -unspoke -unspoken -unspool -unspools -unsprung -unspun -unstable -unstably -unstack -unstacks -unstate -unstated -unstates -unstayed -unsteady -unsteel -unsteels -unstep -unsteps -unstick -unsticks -unstitch -unstoned -unstop -unstops -unstrap -unstraps -unstress -unstring -unstrung -unstuck -unstuffy -unstung -unsubtle -unsubtly -unsuited -unsung -unsunk -unsure -unsurely -unswathe -unswayed -unswear -unswears -unswept -unswore -unsworn -untack -untacked -untacks -untagged -untaken -untame -untamed -untangle -untanned -untapped -untasted -untaught -untaxed -unteach -untended -untented -untested -untether -unthawed -unthink -unthinks -unthread -unthrone -untidied -untidier -untidies -untidily -untidy -untie -untied -untieing -unties -until -untilled -untilted -untimed -untimely -untinged -untipped -untired -untiring -untitled -unto -untold -untorn -untoward -untraced -untrack -untracks -untread -untreads -untrendy -untried -untrim -untrims -untrod -untrue -untruer -untruest -untruly -untruss -untrusty -untruth -untruths -untuck -untucked -untucks -untufted -untune -untuned -untunes -untuning -unturned -untwine -untwined -untwines -untwist -untwists -untying -ununbium -ununited -unurged -unusable -unused -unusual -unvalued -unvaried -unveil -unveiled -unveils -unveined -unversed -unvested -unvexed -unvext -unviable -unvocal -unvoice -unvoiced -unvoices -unwalled -unwaning -unwanted -unwarier -unwarily -unwarmed -unwarned -unwarped -unwary -unwashed -unwasted -unwaxed -unweaned -unweary -unweave -unweaves -unwed -unwedded -unweeded -unweight -unwelded -unwell -unwept -unwet -unwetted -unwhite -unwieldy -unwifely -unwilled -unwind -unwinder -unwinds -unwisdom -unwise -unwisely -unwiser -unwisest -unwish -unwished -unwishes -unwit -unwits -unwitted -unwon -unwonted -unwooded -unwooed -unworked -unworn -unworthy -unwound -unwove -unwoven -unwrap -unwraps -unwrung -unyeaned -unyoke -unyoked -unyokes -unyoking -unyoung -unzip -unzipped -unzips -unzoned -up -upas -upases -upbear -upbearer -upbears -upbeat -upbeats -upbind -upbinds -upboil -upboiled -upboils -upbore -upborne -upbound -upbow -upbows -upbraid -upbraids -upbuild -upbuilds -upbuilt -upby -upbye -upcast -upcasts -upchuck -upchucks -upclimb -upclimbs -upcoast -upcoil -upcoiled -upcoils -upcoming -upcourt -upcurl -upcurled -upcurls -upcurve -upcurved -upcurves -updart -updarted -updarts -update -updated -updater -updaters -updates -updating -updive -updived -updives -updiving -updo -updos -updove -updraft -updrafts -updried -updries -updry -updrying -upend -upended -upending -upends -upfield -upfling -upflings -upflow -upflowed -upflows -upflung -upfold -upfolded -upfolds -upfront -upgather -upgaze -upgazed -upgazes -upgazing -upgird -upgirded -upgirds -upgirt -upgoing -upgrade -upgraded -upgrades -upgrew -upgrow -upgrown -upgrows -upgrowth -upheap -upheaped -upheaps -upheaval -upheave -upheaved -upheaver -upheaves -upheld -uphill -uphills -uphoard -uphoards -uphold -upholder -upholds -uphove -uphroe -uphroes -upkeep -upkeeps -upland -uplander -uplands -upleap -upleaped -upleaps -upleapt -uplift -uplifted -uplifter -uplifts -uplight -uplights -uplink -uplinked -uplinks -uplit -upload -uploaded -uploading -uploads -upmarket -upmost -upo -upon -upped -upper -uppercut -uppers -uppile -uppiled -uppiles -uppiling -upping -uppings -uppish -uppishly -uppity -upprop -upprops -upraise -upraised -upraiser -upraises -uprate -uprated -uprates -uprating -upreach -uprear -upreared -uprears -upright -uprights -uprise -uprisen -upriser -uprisers -uprises -uprising -upriver -uprivers -uproar -uproars -uproot -uprootal -uprooted -uprooter -uproots -uprose -uprouse -uproused -uprouses -uprush -uprushed -uprushes -ups -upscale -upscaled -upscales -upscaling -upsend -upsends -upsent -upset -upsets -upsetter -upshift -upshifts -upshoot -upshoots -upshot -upshots -upside -upsides -upsilon -upsilons -upsize -upsized -upsizes -upsizing -upslope -upsoar -upsoared -upsoars -upsprang -upspring -upsprung -upstage -upstaged -upstager -upstages -upstair -upstairs -upstand -upstands -upstare -upstared -upstares -upstart -upstarts -upstate -upstater -upstates -upstep -upsteps -upstir -upstirs -upstood -upstream -upstroke -upsurge -upsurged -upsurges -upsweep -upsweeps -upswell -upswells -upswept -upswing -upswings -upswung -uptake -uptakes -uptalk -uptalked -uptalked -uptalking -uptalks -uptear -uptears -uptempo -uptempos -upthrew -upthrow -upthrown -upthrows -upthrust -uptick -upticks -uptight -uptilt -uptilted -uptilts -uptime -uptimes -uptore -uptorn -uptoss -uptossed -uptosses -uptown -uptowner -uptowns -uptrend -uptrends -upturn -upturned -upturns -upwaft -upwafted -upwafts -upward -upwardly -upwards -upwell -upwelled -upwells -upwind -upwinds -uracil -uracils -uraei -uraemia -uraemias -uraemic -uraeus -uraeuses -uralite -uralites -uralitic -urania -uranias -uranic -uranide -uranides -uranism -uranisms -uranite -uranites -uranitic -uranium -uraniums -uranous -uranyl -uranylic -uranyls -urare -urares -urari -uraris -urase -urases -urate -urates -uratic -urb -urban -urbane -urbanely -urbaner -urbanest -urbanise -urbanism -urbanist -urbanite -urbanity -urbanize -urbia -urbias -urbs -urchin -urchins -urd -urds -urea -ureal -ureas -urease -ureases -uredia -uredial -uredinia -uredium -uredo -uredos -ureic -ureide -ureides -uremia -uremias -uremic -ureter -ureteral -ureteric -ureters -urethan -urethane -urethans -urethra -urethrae -urethral -urethras -uretic -urge -urged -urgency -urgent -urgently -urger -urgers -urges -urging -urgingly -urial -urials -uric -uridine -uridines -urinal -urinals -urinary -urinate -urinated -urinates -urinator -urine -urinemia -urinemic -urines -urinose -urinous -urn -urnlike -urns -urochord -urodele -urodeles -urolith -uroliths -urologic -urology -uropod -uropodal -uropods -uropygia -uroscopy -urostyle -urp -urped -urping -urps -ursa -ursae -ursid -ursids -ursiform -ursine -urtext -urtexts -urticant -urticate -urus -uruses -urushiol -us -usable -usably -usage -usages -usance -usances -usaunce -usaunces -use -useable -useably -used -useful -usefully -useless -user -username -users -uses -usher -ushered -ushering -ushers -using -usnea -usneas -usquabae -usque -usquebae -usques -ustulate -usual -usually -usuals -usufruct -usurer -usurers -usuries -usurious -usurp -usurped -usurper -usurpers -usurping -usurps -usury -ut -uta -utas -ute -utensil -utensils -uteri -uterine -uterus -uteruses -utes -utile -utilidor -utilise -utilised -utiliser -utilises -utility -utilize -utilized -utilizer -utilizes -utmost -utmosts -utopia -utopian -utopians -utopias -utopism -utopisms -utopist -utopists -utricle -utricles -utriculi -uts -utter -uttered -utterer -utterers -uttering -utterly -utters -uvea -uveal -uveas -uveitic -uveitis -uveous -uvula -uvulae -uvular -uvularly -uvulars -uvulas -uvulitis -uxorial -uxorious -vac -vacancy -vacant -vacantly -vacate -vacated -vacates -vacating -vacation -vaccina -vaccinal -vaccinas -vaccine -vaccinee -vaccines -vaccinia -vacs -vacua -vacuity -vacuolar -vacuole -vacuoles -vacuous -vacuum -vacuumed -vacuums -vadose -vagabond -vagal -vagally -vagaries -vagary -vagi -vagile -vagility -vagina -vaginae -vaginal -vaginas -vaginate -vagotomy -vagrancy -vagrant -vagrants -vagrom -vague -vaguely -vaguer -vaguest -vagus -vahine -vahines -vail -vailed -vailing -vails -vain -vainer -vainest -vainly -vainness -vair -vairs -vakeel -vakeels -vakil -vakils -valance -valanced -valances -vale -valence -valences -valencia -valency -valerate -valerian -valeric -vales -valet -valeted -valeting -valets -valgoid -valgus -valguses -valiance -valiancy -valiant -valiants -valid -validate -validity -validly -valine -valines -valise -valises -valkyr -valkyrie -valkyrs -vallate -valley -valleyed -valleys -valonia -valonias -valor -valorise -valorize -valorous -valors -valour -valours -valse -valses -valuable -valuably -valuate -valuated -valuates -valuator -value -valued -valuer -valuers -values -valuing -valuta -valutas -valval -valvar -valvate -valve -valved -valvelet -valves -valving -valvula -valvulae -valvular -valvule -valvules -vambrace -vamoose -vamoosed -vamooses -vamose -vamosed -vamoses -vamosing -vamp -vamped -vamper -vampers -vampier -vampiest -vamping -vampire -vampires -vampiric -vampish -vamps -vampy -van -vanadate -vanadic -vanadium -vanadous -vanda -vandal -vandalic -vandals -vandas -vandyke -vandyked -vandykes -vane -vaned -vanes -vang -vangs -vanguard -vanilla -vanillas -vanillic -vanillin -vanish -vanished -vanisher -vanishes -vanitied -vanities -vanitory -vanity -vanload -vanloads -vanman -vanmen -vanned -vanner -vanners -vanning -vanpool -vanpools -vanquish -vans -vantage -vantages -vanward -vapid -vapidity -vapidly -vapor -vapored -vaporer -vaporers -vaporing -vaporise -vaporish -vaporize -vaporous -vapors -vapory -vapour -vapoured -vapourer -vapours -vapoury -vaquero -vaqueros -var -vara -varactor -varas -varia -variable -variably -variance -variant -variants -varias -variate -variated -variates -varices -varicose -varied -variedly -varier -variers -varies -varietal -variety -variform -variola -variolar -variolas -variole -varioles -variorum -various -varistor -varix -varlet -varletry -varlets -varment -varments -varmint -varmints -varna -varnas -varnish -varnishy -varoom -varoomed -varooms -vars -varsity -varus -varuses -varve -varved -varves -vary -varying -vas -vasa -vasal -vascula -vascular -vasculum -vase -vaselike -vaseline -vaseline -vaselines -vases -vasiform -vasotomy -vassal -vassals -vast -vaster -vastest -vastier -vastiest -vastity -vastly -vastness -vasts -vasty -vat -vatful -vatfuls -vatic -vatical -vaticide -vats -vatted -vatting -vatu -vatus -vau -vault -vaulted -vaulter -vaulters -vaultier -vaulting -vaults -vaulty -vaunt -vaunted -vaunter -vaunters -vauntful -vauntie -vaunting -vaunts -vaunty -vaus -vav -vavasor -vavasors -vavasour -vavassor -vavs -vaw -vaward -vawards -vawntie -vaws -veal -vealed -vealer -vealers -vealier -vealiest -vealing -veals -vealy -vector -vectored -vectors -vedalia -vedalias -vedette -vedettes -vee -veejay -veejays -veena -veenas -veep -veepee -veepees -veeps -veer -veered -veeries -veering -veers -veery -vees -veg -vegan -veganism -vegans -veges -vegetal -vegetant -vegetate -vegete -vegetist -vegetive -vegged -veggie -veggies -vegging -vegie -vegies -vehement -vehicle -vehicles -veil -veiled -veiledly -veiler -veilers -veiling -veilings -veillike -veils -vein -veinal -veined -veiner -veiners -veinier -veiniest -veining -veinings -veinless -veinlet -veinlets -veinlike -veins -veinule -veinules -veinulet -veiny -vela -velamen -velamina -velar -velaria -velarium -velarize -velars -velate -velcro -velcro -velcros -velcros -veld -velds -veldt -veldts -veliger -veligers -velites -velleity -vellum -vellums -veloce -velocity -velour -velours -veloute -veloutes -velum -velure -velured -velures -veluring -velveret -velvet -velveted -velvets -velvety -vena -venae -venal -venality -venally -venatic -venation -vend -vendable -vendace -vendaces -vended -vendee -vendees -vender -venders -vendetta -vendeuse -vendible -vendibly -vending -vendor -vendors -vends -vendue -vendues -veneer -veneered -veneerer -veneers -venenate -venene -venenes -venenose -venerate -venereal -veneries -venery -venetian -venge -venged -vengeful -venges -venging -venial -venially -venin -venine -venines -venins -venire -venires -venison -venisons -venogram -venology -venom -venomed -venomer -venomers -venoming -venomous -venoms -venose -venosity -venous -venously -vent -ventage -ventages -ventail -ventails -vented -venter -venters -venting -ventless -ventral -ventrals -vents -venture -ventured -venturer -ventures -venturi -venturis -venue -venues -venular -venule -venules -venulose -venulous -venus -venus -venuses -venuses -vera -veracity -veranda -verandah -verandas -veratria -veratrin -veratrum -verb -verbal -verbally -verbals -verbatim -verbena -verbenas -verbiage -verbid -verbids -verbify -verbile -verbiles -verbless -verbose -verboten -verbs -verdancy -verdant -verderer -verderor -verdict -verdicts -verdin -verdins -verditer -verdure -verdured -verdures -verecund -verge -verged -vergence -verger -vergers -verges -verging -verglas -veridic -verier -veriest -verified -verifier -verifies -verify -verily -verism -verismo -verismos -verisms -verist -veristic -verists -veritas -verite -verites -verities -verity -verjuice -vermeil -vermeils -vermes -vermian -vermin -vermis -vermoulu -vermouth -vermuth -vermuths -vernacle -vernal -vernally -vernicle -vernier -verniers -vernix -vernixes -veronica -verruca -verrucae -verrucas -versal -versant -versants -verse -versed -verseman -versemen -verser -versers -verses -verset -versets -versicle -versify -versine -versines -versing -version -versions -verso -versos -verst -verste -verstes -versts -versus -vert -vertebra -vertex -vertexes -vertical -vertices -verticil -vertigo -vertigos -verts -vertu -vertus -vervain -vervains -verve -verves -vervet -vervets -very -vesica -vesicae -vesical -vesicant -vesicate -vesicle -vesicles -vesicula -vesper -vesperal -vespers -vespiary -vespid -vespids -vespine -vessel -vesseled -vessels -vest -vesta -vestal -vestally -vestals -vestas -vested -vestee -vestees -vestiary -vestige -vestiges -vestigia -vesting -vestings -vestless -vestlike -vestment -vestral -vestries -vestry -vests -vestural -vesture -vestured -vestures -vesuvian -vet -vetch -vetches -veteran -veterans -vetiver -vetivers -vetivert -veto -vetoed -vetoer -vetoers -vetoes -vetoing -vets -vetted -vetter -vetters -vetting -vex -vexation -vexed -vexedly -vexer -vexers -vexes -vexil -vexilla -vexillar -vexillum -vexils -vexing -vexingly -vext -via -viable -viably -viaduct -viaducts -vial -vialed -vialing -vialled -vialling -vials -viand -viands -viatic -viatica -viatical -viaticum -viator -viatores -viators -vibe -vibes -vibist -vibists -vibrance -vibrancy -vibrant -vibrants -vibrate -vibrated -vibrates -vibrato -vibrator -vibratos -vibrio -vibrioid -vibrion -vibrions -vibrios -vibrissa -vibronic -viburnum -vicar -vicarage -vicarate -vicarial -vicarly -vicars -vice -viced -viceless -vicenary -viceroy -viceroys -vices -vichies -vichy -vicinage -vicinal -vicing -vicinity -vicious -vicomte -vicomtes -victim -victims -victor -victoria -victors -victory -victress -victual -victuals -vicugna -vicugnas -vicuna -vicunas -vid -vide -video -videos -videotex -vidette -videttes -vidicon -vidicons -vids -viduity -vie -vied -vier -viers -vies -view -viewable -viewdata -viewed -viewer -viewers -viewier -viewiest -viewing -viewings -viewless -views -viewy -vig -viga -vigas -vigia -vigias -vigil -vigilant -vigils -vigneron -vignette -vigor -vigorish -vigoroso -vigorous -vigors -vigour -vigours -vigs -viking -vikings -vilayet -vilayets -vile -vilely -vileness -viler -vilest -vilified -vilifier -vilifies -vilify -vilipend -vill -villa -villadom -villae -village -villager -villages -villain -villains -villainy -villas -villatic -villein -villeins -villi -villose -villous -vills -villus -vim -vimen -vimina -viminal -vims -vin -vina -vinal -vinals -vinas -vinasse -vinasses -vinca -vincas -vincible -vincibly -vincula -vinculum -vindaloo -vindaloos -vine -vineal -vined -vinegar -vinegars -vinegary -vineries -vinery -vines -vineyard -vinic -vinier -viniest -vinifera -vinified -vinifies -vinify -vining -vino -vinos -vinosity -vinous -vinously -vins -vintage -vintager -vintages -vintner -vintners -viny -vinyl -vinylic -vinyls -viol -viola -violable -violably -violas -violate -violated -violater -violates -violator -violence -violent -violet -violets -violin -violins -violist -violists -violone -violones -viols -viomycin -viper -viperine -viperish -viperous -vipers -virago -viragoes -viragos -viral -virally -virelai -virelais -virelay -virelays -viremia -viremias -viremic -vireo -vireos -vires -virga -virgas -virgate -virgates -virgin -virginal -virgins -virgule -virgules -viricide -virid -viridian -viridity -virile -virilely -virilism -virility -virilize -virion -virions -virl -virls -viroid -viroids -virology -viroses -virosis -virtu -virtual -virtue -virtues -virtuosa -virtuose -virtuosi -virtuoso -virtuous -virtus -virucide -virulent -virus -viruses -virusoid -vis -visa -visaed -visage -visaged -visages -visaing -visard -visards -visas -viscacha -viscera -visceral -viscid -viscidly -viscoid -viscose -viscoses -viscount -viscous -viscus -vise -vised -viseed -viseing -viselike -vises -visible -visibly -vising -vision -visional -visioned -visions -visit -visitant -visited -visiter -visiters -visiting -visitor -visitors -visits -visive -visor -visored -visoring -visors -vista -vistaed -vistas -visual -visually -visuals -vita -vitae -vital -vitalise -vitalism -vitalist -vitality -vitalize -vitally -vitals -vitamer -vitamers -vitamin -vitamine -vitamins -vitellin -vitellus -vitesse -vitesses -vitiable -vitiate -vitiated -vitiates -vitiator -vitiligo -vitrain -vitrains -vitreous -vitreouses -vitric -vitrics -vitrify -vitrine -vitrines -vitriol -vitriols -vitta -vittae -vittate -vittle -vittled -vittles -vittling -vituline -viva -vivace -vivaces -vivacity -vivaria -vivaries -vivarium -vivary -vivas -vive -viverrid -vivers -vivid -vivider -vividest -vividly -vivific -vivified -vivifier -vivifies -vivify -vivipara -vivisect -vixen -vixenish -vixenly -vixens -vizard -vizarded -vizards -vizcacha -vizier -viziers -vizir -vizirate -vizirial -vizirs -vizor -vizored -vizoring -vizors -vizsla -vizslas -vocab -vocable -vocables -vocably -vocabs -vocal -vocalese -vocalic -vocalics -vocalise -vocalism -vocalist -vocality -vocalize -vocally -vocals -vocation -vocative -voces -vocoder -vocoders -vodka -vodkas -vodou -vodoun -vodouns -vodous -vodun -voduns -voe -voes -vogie -vogue -vogued -vogueing -vogues -voguing -voguings -voguish -voice -voiced -voiceful -voicer -voicers -voices -voicing -voicings -void -voidable -voidance -voided -voider -voiders -voiding -voidness -voids -voila -voile -voiles -volant -volante -volar -volatile -volcanic -volcano -volcanos -vole -voled -voleries -volery -voles -voling -volitant -volition -volitive -volley -volleyed -volleyer -volleys -volost -volosts -volplane -volt -volta -voltage -voltages -voltaic -voltaism -volte -voltes -volti -volts -voluble -volubly -volume -volumed -volumes -voluming -volute -voluted -volutes -volutin -volutins -volution -volva -volvas -volvate -volvox -volvoxes -volvuli -volvulus -vomer -vomerine -vomers -vomica -vomicae -vomit -vomited -vomiter -vomiters -vomiting -vomitive -vomito -vomitory -vomitos -vomitous -vomits -vomitus -von -voodoo -voodooed -voodoos -voracity -vorlage -vorlages -vortex -vortexes -vortical -vortices -votable -votaress -votaries -votarist -votary -vote -voteable -voted -voteless -voter -voters -votes -voting -votive -votively -votives -votress -vouch -vouched -vouchee -vouchees -voucher -vouchers -vouches -vouching -voudon -voudons -voudoun -voudouns -voussoir -vouvray -vouvrays -vow -vowed -vowel -vowelize -vowels -vower -vowers -vowing -vowless -vows -vox -voyage -voyaged -voyager -voyagers -voyages -voyageur -voyaging -voyeur -voyeurs -vroom -vroomed -vrooming -vrooms -vrouw -vrouws -vrow -vrows -vug -vugg -vuggier -vuggiest -vuggs -vuggy -vugh -vughs -vugs -vulcanic -vulgar -vulgarer -vulgarly -vulgars -vulgate -vulgates -vulgo -vulgus -vulguses -vulpine -vulture -vultures -vulva -vulvae -vulval -vulvar -vulvas -vulvate -vulvitis -vum -vying -vyingly -wab -wabble -wabbled -wabbler -wabblers -wabbles -wabblier -wabbling -wabbly -wabs -wack -wacke -wacker -wackes -wackest -wackier -wackiest -wackily -wacko -wackos -wacks -wacky -wad -wadable -wadded -wadder -wadders -waddie -waddied -waddies -wadding -waddings -waddle -waddled -waddler -waddlers -waddles -waddling -waddly -waddy -waddying -wade -wadeable -waded -wader -waders -wades -wadi -wadies -wading -wadis -wadmaal -wadmaals -wadmal -wadmals -wadmel -wadmels -wadmol -wadmoll -wadmolls -wadmols -wads -wadset -wadsets -wady -wae -waeful -waeness -waes -waesuck -waesucks -wafer -wafered -wafering -wafers -wafery -waff -waffed -waffie -waffies -waffing -waffle -waffled -waffler -wafflers -waffles -wafflier -waffling -waffly -waffs -waft -waftage -waftages -wafted -wafter -wafters -wafting -wafts -wafture -waftures -wag -wage -waged -wageless -wager -wagered -wagerer -wagerers -wagering -wagers -wages -wagged -wagger -waggers -waggery -wagging -waggish -waggle -waggled -waggles -wagglier -waggling -waggly -waggon -waggoned -waggoner -waggons -waging -wagon -wagonage -wagoned -wagoner -wagoners -wagoning -wagons -wags -wagsome -wagtail -wagtails -wahconda -wahine -wahines -wahoo -wahoos -waif -waifed -waifing -waifish -waiflike -waifs -wail -wailed -wailer -wailers -wailful -wailing -wails -wailsome -wain -wains -wainscot -wair -waired -wairing -wairs -waist -waisted -waister -waisters -waisting -waists -wait -waited -waiter -waitered -waiters -waiting -waitings -waitlist -waitress -waitron -waitrons -waits -waive -waived -waiver -waivers -waives -waiving -wakame -wakames -wakanda -wakandas -wake -waked -wakeful -wakeless -waken -wakened -wakener -wakeners -wakening -wakens -waker -wakerife -wakers -wakes -wakiki -wakikis -waking -wale -waled -waler -walers -wales -walies -waling -walk -walkable -walkaway -walked -walker -walkers -walking -walkings -walkout -walkouts -walkover -walks -walkup -walkups -walkway -walkways -walkyrie -wall -walla -wallaby -wallah -wallahs -wallaroo -wallas -walled -wallet -wallets -walleye -walleyed -walleyes -wallie -wallies -walling -wallop -walloped -walloper -wallops -wallow -wallowed -wallower -wallows -walls -wally -walnut -walnuts -walrus -walruses -waltz -waltzed -waltzer -waltzers -waltzes -waltzing -waly -wamble -wambled -wambles -wamblier -wambling -wambly -wame -wamefou -wamefous -wameful -wamefuls -wames -wammus -wammuses -wampish -wampum -wampums -wampus -wampuses -wamus -wamuses -wan -wand -wander -wandered -wanderer -wanderoo -wanders -wandle -wands -wane -waned -wanes -waney -wangan -wangans -wangle -wangled -wangler -wanglers -wangles -wangling -wangun -wanguns -wanier -waniest -wanigan -wanigans -waning -wanion -wanions -wanly -wannabe -wannabee -wannabes -wanned -wanner -wanness -wannest -wannigan -wanning -wans -want -wantage -wantages -wanted -wanter -wanters -wanting -wanton -wantoned -wantoner -wantonly -wantons -wants -wany -wap -wapiti -wapitis -wapped -wapping -waps -war -warble -warbled -warbler -warblers -warbles -warbling -warcraft -ward -warded -warden -wardenry -wardens -warder -warders -warding -wardless -wardress -wardrobe -wardroom -wards -wardship -ware -wared -wareroom -wares -warfare -warfares -warfarin -warhead -warheads -warhorse -warier -wariest -warily -wariness -waring -warison -warisons -wark -warked -warking -warks -warless -warlike -warlock -warlocks -warlord -warlords -warm -warmaker -warmed -warmer -warmers -warmest -warming -warmish -warmly -warmness -warmouth -warms -warmth -warmths -warmup -warmups -warn -warned -warner -warners -warning -warnings -warns -warp -warpage -warpages -warpath -warpaths -warped -warper -warpers -warping -warplane -warpower -warps -warpwise -warragal -warrant -warrants -warranty -warred -warren -warrener -warrens -warrigal -warring -warrior -warriors -wars -warsaw -warsaws -warship -warships -warsle -warsled -warsler -warslers -warsles -warsling -warstle -warstled -warstler -warstles -wart -warted -warthog -warthogs -wartier -wartiest -wartime -wartimes -wartless -wartlike -warts -warty -warwork -warworks -warworn -wary -was -wasabi -wasabis -wash -washable -washbowl -washday -washdays -washed -washer -washers -washes -washier -washiest -washing -washings -washout -washouts -washrag -washrags -washroom -washtub -washtubs -washup -washups -washy -wasp -waspier -waspiest -waspily -waspish -wasplike -wasps -waspy -wassail -wassails -wast -wastable -wastage -wastages -waste -wasted -wasteful -wastelot -waster -wasterie -wasters -wastery -wastes -wasteway -wasting -wastrel -wastrels -wastrie -wastries -wastry -wasts -wat -watap -watape -watapes -wataps -watch -watchcry -watchdog -watched -watcher -watchers -watches -watcheye -watchful -watching -watchman -watchmen -watchout -water -waterage -waterbed -waterbus -waterdog -watered -waterer -waterers -waterhen -waterier -waterily -watering -waterish -waterjet -waterlog -waterloo -waterman -watermen -waters -waterski -waterway -watery -wats -watt -wattage -wattages -wattape -wattapes -watter -wattest -watthour -wattle -wattled -wattles -wattless -wattling -watts -waucht -wauchted -wauchts -waugh -waught -waughted -waughts -wauk -wauked -wauking -wauks -waul -wauled -wauling -wauls -waur -wave -waveband -waved -waveform -waveless -wavelet -wavelets -wavelike -waveoff -waveoffs -waver -wavered -waverer -waverers -wavering -wavers -wavery -waves -wavey -waveys -wavicle -wavicles -wavier -wavies -waviest -wavily -waviness -waving -wavy -waw -wawl -wawled -wawling -wawls -waws -wax -waxable -waxberry -waxbill -waxbills -waxed -waxen -waxer -waxers -waxes -waxier -waxiest -waxily -waxiness -waxing -waxings -waxlike -waxplant -waxweed -waxweeds -waxwing -waxwings -waxwork -waxworks -waxworm -waxworms -waxy -way -waybill -waybills -wayfarer -waygoing -waylaid -waylay -waylayer -waylays -wayless -waypoint -ways -wayside -waysides -wayward -wayworn -we -weak -weaken -weakened -weakener -weakens -weaker -weakest -weakfish -weakish -weaklier -weakling -weakly -weakness -weakon -weakons -weakside -weal -weald -wealds -weals -wealth -wealths -wealthy -wean -weaned -weaner -weaners -weaning -weanling -weans -weapon -weaponed -weaponry -weapons -wear -wearable -wearer -wearers -wearied -wearier -wearies -weariest -weariful -wearily -wearing -wearish -wears -weary -wearying -weasand -weasands -weasel -weaseled -weaselly -weasels -weasely -weason -weasons -weather -weathers -weave -weaved -weaver -weavers -weaves -weaving -weazand -weazands -web -webbed -webbier -webbiest -webbing -webbings -webby -webcam -webcams -webcast -webcasts -weber -webers -webfed -webfeet -webfoot -webless -weblike -weblog -weblogs -webpage -webpages -webs -website -websites -webster -websters -webwork -webworks -webworm -webworms -wecht -wechts -wed -wedded -wedder -wedders -wedding -weddings -wedel -wedeled -wedeling -wedeln -wedelns -wedels -wedge -wedged -wedges -wedgie -wedgier -wedgies -wedgiest -wedging -wedgy -wedlock -wedlocks -weds -wee -weed -weeded -weeder -weeders -weedier -weediest -weedily -weeding -weedless -weedlike -weeds -weedy -week -weekday -weekdays -weekend -weekends -weeklies -weeklong -weekly -weeks -weel -ween -weened -weenie -weenier -weenies -weeniest -weening -weens -weensier -weensy -weeny -weep -weeper -weepers -weepie -weepier -weepies -weepiest -weeping -weepings -weeps -weepy -weer -wees -weest -weet -weeted -weeting -weets -weever -weevers -weevil -weeviled -weevilly -weevils -weevily -weewee -weeweed -weewees -weft -wefts -weftwise -weigela -weigelas -weigelia -weigh -weighed -weigher -weighers -weighing -weighman -weighmen -weighs -weight -weighted -weighter -weights -weighty -weiner -weiners -weir -weird -weirded -weirder -weirdest -weirdie -weirdies -weirding -weirdly -weirdo -weirdoes -weirdos -weirds -weirdy -weirs -weka -wekas -welch -welched -welcher -welchers -welches -welching -welcome -welcomed -welcomer -welcomes -weld -weldable -welded -welder -welders -welding -weldless -weldment -weldor -weldors -welds -welfare -welfares -welkin -welkins -well -welladay -wellaway -wellborn -wellcurb -welldoer -welled -wellhead -wellhole -wellie -wellies -welling -wellness -wells -wellsite -welly -welsh -welshed -welsher -welshers -welshes -welshing -welt -welted -welter -weltered -welters -welting -weltings -welts -wen -wench -wenched -wencher -wenchers -wenches -wenching -wend -wended -wendigo -wendigos -wending -wends -wennier -wenniest -wennish -wenny -wens -went -wept -were -weregild -werewolf -wergeld -wergelds -wergelt -wergelts -wergild -wergilds -wert -werwolf -weskit -weskits -wessand -wessands -west -wester -westered -westerly -western -westerns -westers -westing -westings -westmost -wests -westward -wet -wetback -wetbacks -wether -wethers -wetland -wetlands -wetly -wetness -wetproof -wets -wetsuit -wetsuits -wettable -wetted -wetter -wetters -wettest -wetting -wettings -wettish -wetware -wetwares -wha -whack -whacked -whacker -whackers -whackier -whacking -whacko -whackos -whacks -whacky -whale -whaled -whaleman -whalemen -whaler -whalers -whales -whaling -whalings -wham -whammed -whammies -whamming -whammo -whammy -whamo -whams -whang -whanged -whangee -whangees -whanging -whangs -whap -whapped -whapper -whappers -whapping -whaps -wharf -wharfage -wharfed -wharfing -wharfs -wharve -wharves -what -whatever -whatness -whatnesses -whatnot -whatnots -whats -whatsis -whatsises -whatsit -whatsits -whaup -whaups -wheal -wheals -wheat -wheatear -wheaten -wheatens -wheats -whee -wheedle -wheedled -wheedler -wheedles -wheel -wheeled -wheeler -wheelers -wheelie -wheelies -wheeling -wheelman -wheelmen -wheels -wheen -wheens -wheep -wheeped -wheeping -wheeple -wheepled -wheeples -wheeps -wheeze -wheezed -wheezer -wheezers -wheezes -wheezier -wheezily -wheezing -wheezy -whelk -whelkier -whelks -whelky -whelm -whelmed -whelming -whelms -whelp -whelped -whelping -whelps -when -whenas -whence -whenever -whens -where -whereas -whereat -whereby -wherein -whereof -whereon -wheres -whereto -wherever -wherried -wherries -wherry -wherve -wherves -whet -whether -whets -whetted -whetter -whetters -whetting -whew -whews -whey -wheyey -wheyface -wheyish -wheylike -wheys -which -whicker -whickers -whid -whidah -whidahs -whidded -whidding -whids -whiff -whiffed -whiffer -whiffers -whiffet -whiffets -whiffing -whiffle -whiffled -whiffler -whiffles -whiffs -whig -whigs -while -whiled -whiles -whiling -whilom -whilst -whim -whimbrel -whimper -whimpers -whims -whimsey -whimseys -whimsied -whimsies -whimsy -whin -whinchat -whine -whined -whiner -whiners -whines -whiney -whinge -whinged -whinger -whingers -whinges -whinier -whiniest -whining -whinnied -whinnier -whinnies -whinny -whins -whiny -whip -whipcord -whiplash -whiplike -whipped -whipper -whippers -whippet -whippets -whippier -whipping -whippy -whipray -whiprays -whips -whipsaw -whipsawn -whipsaws -whipt -whiptail -whipworm -whir -whirl -whirled -whirler -whirlers -whirlier -whirlies -whirling -whirls -whirly -whirr -whirred -whirried -whirries -whirring -whirrs -whirry -whirs -whish -whished -whishes -whishing -whisht -whishted -whishts -whisk -whisked -whisker -whiskers -whiskery -whiskey -whiskeys -whiskies -whisking -whisks -whisky -whisper -whispers -whispery -whist -whisted -whisting -whistle -whistled -whistler -whistles -whists -whit -white -whitecap -whited -whitefly -whitely -whiten -whitened -whitener -whitens -whiteout -whiter -whites -whitest -whitey -whiteys -whither -whitier -whities -whitiest -whiting -whitings -whitish -whitlow -whitlows -whitrack -whits -whitter -whitters -whittle -whittled -whittler -whittles -whittret -whity -whiz -whizbang -whizz -whizzed -whizzer -whizzers -whizzes -whizzier -whizzing -whizzy -who -whoa -whodunit -whoever -whole -wholes -wholism -wholisms -wholly -whom -whomever -whomp -whomped -whomping -whomps -whomso -whoof -whoofed -whoofing -whoofs -whoop -whooped -whoopee -whoopees -whooper -whoopers -whoopie -whoopies -whooping -whoopla -whooplas -whoops -whoosh -whooshed -whooshes -whoosis -whop -whopped -whopper -whoppers -whopping -whops -whore -whored -whoredom -whores -whoreson -whoring -whorish -whorl -whorled -whorls -whort -whortle -whortles -whorts -whose -whosever -whosis -whosises -whoso -whump -whumped -whumping -whumps -whup -whupped -whupping -whups -why -whydah -whydahs -whys -wicca -wiccan -wiccans -wiccas -wich -wiches -wick -wickape -wickapes -wicked -wickeder -wickedly -wicker -wickers -wicket -wickets -wicking -wickings -wickiup -wickiups -wickless -wicks -wickyup -wickyups -wicopies -wicopy -widder -widders -widdie -widdies -widdle -widdled -widdles -widdling -widdy -wide -wideband -widebody -widely -widen -widened -widener -wideners -wideness -widening -widens -wideout -wideouts -wider -wides -widest -widgeon -widgeons -widget -widgets -widish -widow -widowed -widower -widowers -widowing -widows -width -widths -widthway -wield -wielded -wielder -wielders -wieldier -wielding -wields -wieldy -wiener -wieners -wienie -wienies -wife -wifed -wifedom -wifedoms -wifehood -wifeless -wifelier -wifelike -wifely -wifes -wifey -wifeys -wifing -wiftier -wiftiest -wifty -wig -wigan -wigans -wigeon -wigeons -wigged -wiggery -wiggier -wiggiest -wigging -wiggings -wiggle -wiggled -wiggler -wigglers -wiggles -wigglier -wiggling -wiggly -wiggy -wight -wights -wigless -wiglet -wiglets -wiglike -wigmaker -wigs -wigwag -wigwags -wigwam -wigwams -wikiup -wikiups -wilco -wild -wildcard -wildcat -wildcats -wilded -wilder -wildered -wilders -wildest -wildfire -wildfowl -wilding -wildings -wildish -wildland -wildlife -wildling -wildly -wildness -wilds -wildwood -wile -wiled -wiles -wilful -wilfully -wilier -wiliest -wilily -wiliness -wiling -will -willable -willed -willer -willers -willet -willets -willful -willied -willies -willing -williwau -williwaw -willow -willowed -willower -willows -willowy -wills -willy -willyard -willyart -willying -willywaw -wilt -wilted -wilting -wilts -wily -wimble -wimbled -wimbles -wimbling -wimmin -wimmin -wimp -wimped -wimpier -wimpiest -wimping -wimpish -wimple -wimpled -wimples -wimpling -wimps -wimpy -win -wince -winced -wincer -wincers -winces -wincey -winceys -winch -winched -wincher -winchers -winches -winching -wincing -wind -windable -windage -windages -windbag -windbags -windbell -windburn -winded -winder -winders -windfall -windflaw -windgall -windier -windiest -windigo -windigos -windily -winding -windings -windlass -windle -windled -windles -windless -windling -windmill -window -windowed -windows -windowy -windpipe -windrow -windrows -winds -windsock -windsurf -windsurfed -windsurfing -windsurfs -windup -windups -windward -windway -windways -windy -wine -wined -wineless -wineries -winery -wines -winesap -winesaps -wineshop -wineskin -winesop -winesops -winey -wing -wingback -wingbow -wingbows -wingding -winged -wingedly -winger -wingers -wingier -wingiest -winging -wingless -winglet -winglets -winglike -wingman -wingmen -wingover -wings -wingspan -wingtip -wingtips -wingy -winier -winiest -wining -winish -wink -winked -winker -winkers -winking -winkle -winkled -winkles -winkling -winks -winless -winnable -winned -winner -winners -winning -winnings -winnock -winnocks -winnow -winnowed -winnower -winnows -wino -winoes -winos -wins -winsome -winsomer -winter -wintered -winterer -winterly -winters -wintery -wintle -wintled -wintles -wintling -wintrier -wintrily -wintry -winy -winze -winzes -wipe -wiped -wipeout -wipeouts -wiper -wipers -wipes -wiping -wirable -wire -wired -wiredraw -wiredrew -wirehair -wireless -wirelike -wireman -wiremen -wirer -wirers -wires -wiretap -wiretaps -wireway -wireways -wirework -wireworm -wirier -wiriest -wirily -wiriness -wiring -wirings -wirra -wiry -wis -wisdom -wisdoms -wise -wiseacre -wiseass -wised -wiseguy -wiseguys -wiselier -wisely -wiseness -wisent -wisents -wiser -wises -wisest -wish -wisha -wishbone -wished -wisher -wishers -wishes -wishful -wishing -wishless -wising -wisp -wisped -wispier -wispiest -wispily -wisping -wispish -wisplike -wisps -wispy -wiss -wissed -wisses -wissing -wist -wistaria -wisted -wisteria -wistful -wisting -wists -wit -witan -witans -witch -witched -witchery -witches -witchier -witching -witchy -wite -wited -wites -with -withal -withdraw -withdrew -withe -withed -wither -withered -witherer -witherod -withers -withes -withheld -withhold -withier -withies -withiest -within -withing -withins -without -withouts -withy -witing -witless -witling -witlings -witloof -witloofs -witness -witney -witneys -wits -witted -wittier -wittiest -wittily -witting -wittings -wittol -wittols -witty -wive -wived -wiver -wivern -wiverns -wivers -wives -wiving -wiz -wizard -wizardly -wizardry -wizards -wizen -wizened -wizening -wizens -wizes -wizzen -wizzens -wizzes -wo -woad -woaded -woads -woadwax -woald -woalds -wobble -wobbled -wobbler -wobblers -wobbles -wobblier -wobblies -wobbling -wobbly -wobegone -wodge -wodges -woe -woeful -woefully -woeness -woes -woesome -woful -wofuller -wofully -wog -wogs -wok -woke -woken -woks -wold -wolds -wolf -wolfed -wolfer -wolfers -wolffish -wolfing -wolfish -wolflike -wolfram -wolframs -wolfs -wolver -wolvers -wolves -woman -womaned -womaning -womanise -womanish -womanism -womanist -womanize -womanly -womans -womb -wombat -wombats -wombed -wombier -wombiest -wombs -womby -women -womera -womeras -wommera -wommeras -womyn -won -wonder -wondered -wonderer -wonders -wondrous -wonk -wonkier -wonkiest -wonks -wonky -wonned -wonner -wonners -wonning -wons -wont -wonted -wontedly -wonting -wonton -wontons -wonts -woo -wood -woodbin -woodbind -woodbine -woodbins -woodbox -woodchat -woodcock -woodcut -woodcuts -wooded -wooden -woodener -woodenly -woodhen -woodhens -woodie -woodier -woodies -woodiest -wooding -woodland -woodlark -woodless -woodlore -woodlot -woodlots -woodman -woodmen -woodnote -woodpile -woodruff -woods -woodshed -woodsia -woodsias -woodsier -woodsman -woodsmen -woodsy -woodtone -woodwax -woodwind -woodwork -woodworm -woody -wooed -wooer -wooers -woof -woofed -woofer -woofers -woofing -woofs -wooing -wooingly -wool -wooled -woolen -woolens -wooler -woolers -woolfell -woolhat -woolhats -woolie -woolier -woolies -wooliest -woolled -woollen -woollens -woollier -woollies -woollike -woollily -woolly -woolman -woolmen -woolpack -wools -woolsack -woolshed -woolskin -woolwork -wooly -woomera -woomeras -woops -woopsed -woopses -woopsing -woorali -wooralis -woorari -wooraris -woos -woosh -wooshed -wooshes -wooshing -woozier -wooziest -woozily -woozy -wop -wops -word -wordage -wordages -wordbook -worded -wordier -wordiest -wordily -wording -wordings -wordless -wordplay -words -wordy -wore -work -workable -workably -workably -workaday -workbag -workbags -workboat -workbook -workbox -workday -workdays -worked -worker -workers -workfare -workflow -workfolk -workhour -working -workings -workless -workload -workman -workmate -workmen -workout -workouts -workroom -works -workshop -workup -workups -workweek -world -worldly -worlds -worm -wormed -wormer -wormers -wormgear -wormhole -wormier -wormiest -wormil -wormils -worming -wormish -wormlike -wormroot -worms -wormseed -wormwood -wormy -worn -wornness -worried -worrier -worriers -worries -worrit -worrited -worrits -worry -worrying -worse -worsen -worsened -worsens -worser -worses -worset -worsets -worship -worships -worst -worsted -worsteds -worsting -worsts -wort -worth -worthed -worthful -worthier -worthies -worthily -worthing -worths -worthy -worts -wos -wost -wot -wots -wotted -wotting -would -wouldest -wouldst -wound -wounded -wounding -wounds -wove -woven -wovens -wow -wowed -wowing -wows -wowser -wowsers -wrack -wracked -wrackful -wracking -wracks -wraith -wraiths -wrang -wrangle -wrangled -wrangler -wrangles -wrangs -wrap -wrapped -wrapper -wrappers -wrapping -wraps -wrapt -wrasse -wrasses -wrassle -wrassled -wrassles -wrastle -wrastled -wrastles -wrath -wrathed -wrathful -wrathier -wrathily -wrathing -wraths -wrathy -wreak -wreaked -wreaker -wreakers -wreaking -wreaks -wreath -wreathe -wreathed -wreathen -wreather -wreathes -wreaths -wreathy -wreck -wreckage -wrecked -wrecker -wreckers -wreckful -wrecking -wrecks -wren -wrench -wrenched -wrencher -wrenches -wrens -wrest -wrested -wrester -wresters -wresting -wrestle -wrestled -wrestler -wrestles -wrests -wretch -wretched -wretches -wrick -wricked -wricking -wricks -wried -wrier -wries -wriest -wriggle -wriggled -wriggler -wriggles -wriggly -wright -wrights -wring -wringed -wringer -wringers -wringing -wrings -wrinkle -wrinkled -wrinkles -wrinkly -wrist -wristier -wristlet -wrists -wristy -writ -writable -write -writer -writerly -writers -writes -writhe -writhed -writhen -writher -writhers -writhes -writhing -writing -writings -writs -written -wrong -wronged -wronger -wrongers -wrongest -wrongful -wronging -wrongly -wrongs -wrote -wroth -wrothful -wrought -wrung -wry -wryer -wryest -wrying -wryly -wryneck -wrynecks -wryness -wud -wurst -wursts -wurtzite -wurtzite -wurtzites -wurzel -wurzels -wushu -wuss -wusses -wussier -wussies -wussiest -wussy -wuther -wuthered -wuthering -wuthers -wych -wyches -wye -wyes -wyle -wyled -wyles -wyling -wyn -wynd -wynds -wynn -wynns -wyns -wyte -wyted -wytes -wyting -wyvern -wyverns -xanthan -xanthans -xanthate -xanthein -xanthene -xanthic -xanthin -xanthine -xanthins -xanthoma -xanthone -xanthous -xebec -xebecs -xenia -xenial -xenias -xenic -xenogamy -xenogeny -xenolith -xenon -xenons -xenopus -xerarch -xeric -xerosere -xeroses -xerosis -xerotic -xerox -xeroxed -xeroxes -xeroxing -xerus -xeruses -xi -xiphoid -xiphoids -xis -xu -xylan -xylans -xylem -xylems -xylene -xylenes -xylidin -xylidine -xylidins -xylitol -xylitols -xylocarp -xyloid -xylol -xylols -xylose -xyloses -xylotomy -xylyl -xylyls -xyst -xyster -xysters -xysti -xystoi -xystos -xysts -xystus -ya -yabber -yabbered -yabbers -yabbie -yabbies -yabby -yacht -yachted -yachter -yachters -yachting -yachtman -yachtmen -yachts -yack -yacked -yacking -yacks -yaff -yaffed -yaffing -yaffs -yag -yager -yagers -yagi -yagis -yags -yah -yahoo -yahooism -yahoos -yahrzeit -yaird -yairds -yak -yakitori -yakked -yakker -yakkers -yakking -yaks -yakuza -yald -yam -yamalka -yamalkas -yamen -yamens -yammer -yammered -yammerer -yammers -yams -yamulka -yamulkas -yamun -yamuns -yang -yangs -yank -yanked -yanking -yanks -yanqui -yanquis -yantra -yantras -yap -yapock -yapocks -yapok -yapoks -yapon -yapons -yapped -yapper -yappers -yapping -yaps -yar -yard -yardage -yardages -yardarm -yardarms -yardbird -yarded -yarder -yarders -yarding -yardland -yardman -yardmen -yards -yardwand -yardwork -yare -yarely -yarer -yarest -yarmelke -yarmulke -yarn -yarned -yarner -yarners -yarning -yarns -yarrow -yarrows -yashmac -yashmacs -yashmak -yashmaks -yasmak -yasmaks -yatagan -yatagans -yataghan -yatter -yattered -yatters -yaud -yauds -yauld -yaup -yauped -yauper -yaupers -yauping -yaupon -yaupons -yaups -yautia -yautias -yaw -yawed -yawey -yawing -yawl -yawled -yawling -yawls -yawmeter -yawn -yawned -yawner -yawners -yawning -yawns -yawp -yawped -yawper -yawpers -yawping -yawpings -yawps -yaws -yay -yays -yclad -ycleped -yclept -ye -yea -yeah -yeahs -yealing -yealings -yean -yeaned -yeaning -yeanling -yeans -year -yearbook -yearend -yearends -yearlies -yearling -yearlong -yearly -yearn -yearned -yearner -yearners -yearning -yearns -years -yeas -yeasayer -yeast -yeasted -yeastier -yeastily -yeasting -yeasts -yeasty -yecch -yecchs -yech -yechs -yechy -yeelin -yeelins -yegg -yeggman -yeggmen -yeggs -yeh -yeld -yelk -yelks -yell -yelled -yeller -yellers -yelling -yellow -yellowed -yellower -yellowly -yellows -yellowy -yells -yelp -yelped -yelper -yelpers -yelping -yelps -yen -yenned -yenning -yens -yenta -yentas -yente -yentes -yeoman -yeomanly -yeomanry -yeomen -yep -yeps -yerba -yerbas -yerk -yerked -yerking -yerks -yes -yeses -yeshiva -yeshivah -yeshivas -yeshivot -yessed -yesses -yessing -yester -yestern -yestreen -yet -yeti -yetis -yett -yetts -yeuk -yeuked -yeuking -yeuks -yeuky -yew -yews -yid -yids -yield -yielded -yielder -yielders -yielding -yields -yikes -yill -yills -yin -yince -yins -yip -yipe -yipes -yipped -yippee -yippie -yippies -yipping -yips -yird -yirds -yirr -yirred -yirring -yirrs -yirth -yirths -ylem -ylems -yo -yob -yobbo -yobboes -yobbos -yobs -yock -yocked -yocking -yocks -yod -yodel -yodeled -yodeler -yodelers -yodeling -yodelled -yodeller -yodels -yodh -yodhs -yodle -yodled -yodler -yodlers -yodles -yodling -yods -yoga -yogas -yogee -yogees -yogh -yoghourt -yoghs -yoghurt -yoghurts -yogi -yogic -yogin -yogini -yoginis -yogins -yogis -yogurt -yogurts -yohimbe -yohimbes -yoicks -yok -yoke -yoked -yokel -yokeless -yokelish -yokels -yokemate -yokes -yoking -yokozuna -yoks -yolk -yolked -yolkier -yolkiest -yolks -yolky -yom -yomim -yon -yond -yonder -yoni -yonic -yonis -yonker -yonkers -yore -yores -you -young -younger -youngers -youngest -youngish -youngs -younker -younkers -youpon -youpons -your -yourn -yours -yourself -yous -youse -youth -youthen -youthens -youthful -youths -yow -yowe -yowed -yowes -yowie -yowies -yowing -yowl -yowled -yowler -yowlers -yowling -yowls -yows -yperite -yperites -ytterbia -ytterbic -yttria -yttrias -yttric -yttrium -yttriums -yuan -yuans -yuca -yucas -yucca -yuccas -yucch -yuch -yuck -yucked -yuckier -yuckiest -yucking -yucks -yucky -yuga -yugas -yuk -yukked -yukkier -yukkiest -yukking -yukky -yuks -yulan -yulans -yule -yules -yuletide -yum -yummier -yummies -yummiest -yummy -yup -yupon -yupons -yuppie -yuppies -yuppify -yuppy -yups -yurt -yurta -yurts -yutz -yutzes -ywis -za -zabaione -zabajone -zacaton -zacatons -zaddick -zaddik -zaddikim -zaffar -zaffars -zaffer -zaffers -zaffir -zaffirs -zaffre -zaffres -zaftig -zag -zagged -zagging -zags -zaibatsu -zaikai -zaikais -zaire -zaires -zamarra -zamarras -zamarro -zamarros -zamia -zamias -zamindar -zanana -zananas -zander -zanders -zanier -zanies -zaniest -zanily -zaniness -zany -zanyish -zanza -zanzas -zap -zapateo -zapateos -zapped -zapper -zappers -zappier -zappiest -zapping -zappy -zaps -zaptiah -zaptiahs -zaptieh -zaptiehs -zaratite -zareba -zarebas -zareeba -zareebas -zarf -zarfs -zariba -zaribas -zarzuela -zas -zastruga -zastrugi -zax -zaxes -zayin -zayins -zazen -zazens -zeal -zealot -zealotry -zealots -zealous -zeals -zeatin -zeatins -zebec -zebeck -zebecks -zebecs -zebra -zebraic -zebrano -zebranos -zebras -zebrass -zebrine -zebrines -zebroid -zebu -zebus -zecchin -zecchini -zecchino -zecchins -zechin -zechins -zed -zedoary -zeds -zee -zees -zein -zeins -zek -zeks -zelkova -zelkovas -zemindar -zemstva -zemstvo -zemstvos -zenaida -zenaidas -zenana -zenanas -zenith -zenithal -zeniths -zeolite -zeolites -zeolitic -zep -zephyr -zephyrs -zeppelin -zeppole -zeppoles -zeppoli -zeps -zerk -zerks -zero -zeroed -zeroes -zeroing -zeros -zeroth -zest -zested -zester -zesters -zestful -zestier -zestiest -zestily -zesting -zestless -zests -zesty -zeta -zetas -zeugma -zeugmas -zibeline -zibet -zibeth -zibeths -zibets -zig -zigged -zigging -ziggurat -zigs -zigzag -zigzaggy -zigzags -zikkurat -zikurat -zikurats -zilch -zilches -zill -zillah -zillahs -zillion -zillions -zills -zin -zinc -zincate -zincates -zinced -zincic -zincify -zincing -zincite -zincites -zincked -zincking -zincky -zincoid -zincous -zincs -zincy -zine -zineb -zinebs -zines -zing -zingani -zingano -zingara -zingare -zingari -zingaro -zinged -zinger -zingers -zingier -zingiest -zinging -zings -zingy -zinkify -zinky -zinnia -zinnias -zins -zip -zipless -ziplock -zipped -zipper -zippered -zippers -zippier -zippiest -zipping -zippy -zips -ziram -zirams -zircaloy -zircon -zirconia -zirconic -zircons -zit -zither -zithern -zitherns -zithers -ziti -zitis -zits -zizit -zizith -zizzle -zizzled -zizzles -zizzling -zlote -zlote -zloties -zloties -zloty -zlotych -zlotych -zlotys -zoa -zoaria -zoarial -zoarium -zocalo -zocalos -zodiac -zodiacal -zodiacs -zoea -zoeae -zoeal -zoeas -zoecia -zoecium -zoftig -zoic -zoisite -zoisites -zombi -zombie -zombies -zombified -zombifies -zombify -zombifying -zombiism -zombis -zona -zonae -zonal -zonally -zonary -zonate -zonated -zonation -zone -zoned -zoneless -zoner -zoners -zones -zonetime -zoning -zonk -zonked -zonking -zonks -zonula -zonulae -zonular -zonulas -zonule -zonules -zoo -zoochore -zooecia -zooecium -zooey -zoogenic -zoogeny -zooglea -zoogleae -zoogleal -zoogleas -zoogloea -zooid -zooidal -zooids -zooier -zooiest -zooks -zoolater -zoolatry -zoologic -zoology -zoom -zoomania -zoomed -zoometry -zooming -zoomorph -zooms -zoon -zoonal -zooned -zooning -zoonoses -zoonosis -zoonotic -zoons -zoophile -zoophily -zoophobe -zoophyte -zoos -zoosperm -zoospore -zootier -zootiest -zootomic -zootomy -zooty -zori -zoril -zorilla -zorillas -zorille -zorilles -zorillo -zorillos -zorils -zoris -zoster -zosters -zouave -zouaves -zouk -zouks -zounds -zowie -zoysia -zoysias -zucchini -zugzwang -zuz -zuzim -zuzim -zwieback -zydeco -zydecos -zygoid -zygoma -zygomas -zygomata -zygose -zygoses -zygosis -zygosity -zygote -zygotene -zygotes -zygotic -zymase -zymases -zyme -zymes -zymogen -zymogene -zymogens -zymogram -zymology -zymosan -zymosans -zymoses -zymosis -zymotic -zymurgy -zyzzyva -zyzzyvas -zzz From cf4ac7a71e851555046fcdae2a02002a4587db8e Mon Sep 17 00:00:00 2001 From: Tiffany Truong <86746239+tiff178@users.noreply.github.com> Date: Sat, 22 Apr 2023 14:37:44 -0700 Subject: [PATCH 06/25] Update README.md --- README.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 12285f4..ed04b1b 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,3 @@ -# stuff +# Assignment 6 - Tiffany Truong, Katie Pham, Zoey Nguyen -other stuff \ No newline at end of file +other stuff From fc85c205599e3a765e89804da983fb928e3066ae Mon Sep 17 00:00:00 2001 From: Tiffany Truong <86746239+tiff178@users.noreply.github.com> Date: Sat, 22 Apr 2023 14:39:39 -0700 Subject: [PATCH 07/25] Update README.md --- README.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/README.md b/README.md index ed04b1b..f9d466f 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,3 @@ -# Assignment 6 - Tiffany Truong, Katie Pham, Zoey Nguyen - -other stuff +# Assignment 6 + Member Names + Tiffany Truong, Katie Pham, Zoey Nguyen From 89b38cf582cc4446fba645c604091392fc4ac983 Mon Sep 17 00:00:00 2001 From: Tiffany Truong <86746239+tiff178@users.noreply.github.com> Date: Sat, 22 Apr 2023 14:39:56 -0700 Subject: [PATCH 08/25] Update README.md --- README.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index f9d466f..38225d2 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,3 @@ # Assignment 6 - Member Names - Tiffany Truong, Katie Pham, Zoey Nguyen +Member Names: +Tiffany Truong, Katie Pham, Zoey Nguyen From 41932a30bdd3897d783b9d97cce1fa81756c8775 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sat, 22 Apr 2023 15:23:57 -0700 Subject: [PATCH 09/25] what is the purpose of test.py in project --- test.py | 1 + 1 file changed, 1 insertion(+) diff --git a/test.py b/test.py index 90a7005..f014187 100644 --- a/test.py +++ b/test.py @@ -1,3 +1,4 @@ +#what is this gfile for (might delete later) pi = [3, 1, 4, 1, 5, 9] print(pi[2:5]) From b749a1bb311a008ac29b8ef2d1d07a71122cbabe Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sat, 22 Apr 2023 15:26:09 -0700 Subject: [PATCH 10/25] fixed typo on test.py --- test.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/test.py b/test.py index f014187..13d6bc4 100644 --- a/test.py +++ b/test.py @@ -1,4 +1,4 @@ -#what is this gfile for (might delete later) +#what is this file for (might delete later) pi = [3, 1, 4, 1, 5, 9] print(pi[2:5]) From 3844314829b4d0273aa3a2abe2e09c5820593f47 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sat, 22 Apr 2023 15:28:07 -0700 Subject: [PATCH 11/25] more changes --- test.py | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/test.py b/test.py index 7d970ca..f70e069 100644 --- a/test.py +++ b/test.py @@ -1,7 +1,4 @@ #what is this file for (might delete later) pi = [3, 1, 4, 1, 5, 9] -print(pi[2:5]) - - -print("Tiffany") \ No newline at end of file +print(pi[2:5]) \ No newline at end of file From ff0a2efd8768e698a75cda6c888d4fda5e6304b9 Mon Sep 17 00:00:00 2001 From: zoeyng01 Date: Sat, 22 Apr 2023 15:50:15 -0700 Subject: [PATCH 12/25] testing --- README.md | 1 + 1 file changed, 1 insertion(+) diff --git a/README.md b/README.md index eded353..6cef0f6 100644 --- a/README.md +++ b/README.md @@ -2,3 +2,4 @@ Member Names: Tiffany Truong, Katie Pham, Zoey Nguyen +hi! hello From c69b3dd6e6e388f2ed61e5c91d0938b0c5dc2c6b Mon Sep 17 00:00:00 2001 From: tiff178 Date: Sat, 22 Apr 2023 15:57:29 -0700 Subject: [PATCH 13/25] analyze virtual_pet.py --- virtual pet/virtual_pet.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/virtual pet/virtual_pet.py b/virtual pet/virtual_pet.py index 1c20b9d..6d54b40 100644 --- a/virtual pet/virtual_pet.py +++ b/virtual pet/virtual_pet.py @@ -1,4 +1,4 @@ -class Pet(): +class Pet(): # no main() function to run virtual_pet.py (might need to write a main function to run this code) def __init__(self, name): self.name = name From eb4c7230959619d694080f399631d10e60efb54f Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sat, 22 Apr 2023 16:41:50 -0700 Subject: [PATCH 14/25] organize files --- 2015-12-07_Drawing with Pygame/graph.pdf | Bin 87965 -> 0 bytes {String Demo => Demo}/hangman_v1.py | 36 +- {Lists => Demo}/list_demo.py | 54 +- {Lists => Demo}/list_with_loops.py | 88 +-- {intro to Python => Demo}/math_demo.py | 28 +- {String Demo => Demo}/string_demo.py | 68 +-- File IO/file_io_demo.py | 2 +- .../Drawing_with_Pygame}/catepillar.py | 162 ++--- .../Drawing_with_Pygame}/flowers.py | 212 +++---- .../Drawing_with_Pygame}/graphics_demo.py | 134 ++--- .../Drawing_with_Pygame}/night.py | 160 ++--- .../Drawing_with_Pygame}/night_template.py | 132 ++-- .../Drawing_with_Pygame}/sunny_day.py | 160 ++--- .../Drawing_with_Pygame}/tree_and_sunset.py | 136 ++--- .../Drawing_with_Pygame}/tropical.py | 126 ++-- ...and_L_keys.py => dark_light_mode_field.py} | 562 +++++++++--------- intro to Python/mad_lib.py | 2 +- 17 files changed, 1031 insertions(+), 1031 deletions(-) delete mode 100644 2015-12-07_Drawing with Pygame/graph.pdf rename {String Demo => Demo}/hangman_v1.py (94%) rename {Lists => Demo}/list_demo.py (94%) rename {Lists => Demo}/list_with_loops.py (93%) rename {intro to Python => Demo}/math_demo.py (94%) rename {String Demo => Demo}/string_demo.py (95%) rename {quizes => Intro to Pygame Graphics/Drawing_with_Pygame}/catepillar.py (96%) rename {quizes => Intro to Pygame Graphics/Drawing_with_Pygame}/flowers.py (96%) rename {2015-12-07_Drawing with Pygame => Intro to Pygame Graphics/Drawing_with_Pygame}/graphics_demo.py (95%) rename {2015-12-07_Drawing with Pygame => Intro to Pygame Graphics/Drawing_with_Pygame}/night.py (95%) rename {2015-12-07_Drawing with Pygame => Intro to Pygame Graphics/Drawing_with_Pygame}/night_template.py (93%) rename {2015-12-07_Drawing with Pygame => Intro to Pygame Graphics/Drawing_with_Pygame}/sunny_day.py (95%) rename {quizes => Intro to Pygame Graphics/Drawing_with_Pygame}/tree_and_sunset.py (95%) rename {quizes => Intro to Pygame Graphics/Drawing_with_Pygame}/tropical.py (95%) rename Intro to Pygame Graphics/major league soccer animation/{jordanhoule_click_D_and_L_keys.py => dark_light_mode_field.py} (97%) diff --git a/2015-12-07_Drawing with Pygame/graph.pdf b/2015-12-07_Drawing with Pygame/graph.pdf deleted file mode 100644 index ad674448063af76e1326b6b41f0f8dfce1cb5f52..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 87965 zcmeFZby!?W(=UpI5Q2rEfgph(gAMKy+--1omkI6`LJ};5;4%>0-CYOQpo6=+JC|hd zectyw?#Tl3x+0maQaWFLn zfx%8>+`l>G3>~bc?99NAt^6vQnvgwmnF>4}=+8~mbz({xi4LklLuPU6lJ*vdx+& z)&>w&Mu{4!RD0VYP;mRR9xOu!F=EZJ#FqqLEXhc6lGGC9vV#%cVxQCoJ-o!I4bAG^ z5ZrC%x;V`afy`J>Fh@^~X+_+HY~(%j;YM?x;<7`5GpTU|fSlBHMP{Ljsuihd-gI8B3MHi<{_BRtj~O_JAXzv> zf1D355jtdShRniak3!8)SoAuH+**nJWqmJ5)*U*NnAMyGB*z;Bu6qePPk1;vw*#u} zs0J#-*NX-g8qFS$iJwK|v^(wE5W0nigQlB_0$olnK9}WFLTA zp#1L|MD_L41BJ+>xA{$}5f`7Rk{lnIbm%xa>>J*yp%m8E*5+6HXd@IvYI{;cem@IQ zPs{%}G3)A+?KHV~I927X{JYtrGhWXnt21lewGi9((cdIj_vR_*%NwG3FSj$)Jw10b zcZai=;0xmU%VTW?yV>deX!96qU(16uoyM9fOa=9eVG6qaV~*z2&f;_V^B=#Y#S9jD z98-f2_)2`2RqEA~HIsE3J4OZXx2pUj0!Gbe8jt&rSAl!FHu@Smyyv8acCHKWR?f~a z&oMF1(9!m`NDG>j({}dwDfl-Zdsdt2h*|7oxDXL}fEHTqxfZ|HGcI#$aYBcjJ-E;J zzF>}Sh+g6T=e$_0hy5N&eD3~r;lk`%^s+~`Zw2zN-d8*AN3a9;Nd?dL7e)V4$5-HD zJ2id7$NTUPQo~feoB8{O+1trEFa~|YAZJ&-zKXAlug!h&{FdIGZd5-0WO6%o{>|k| zxbM~AJ#tgy+0KIZ(NIkD;YK*v{r%lKYqr8doqM`#^9?3ZUrJ`pJTbwJ(Bs$*GC+1J zdROBw&gCorRG+VMtukT--z6-`rU7?{!{^M}w|XkNSr;wl(YQc2e38hx2XlcFGZlj3la=8~yqzn^^R zA;q_QMkRdZe6{zCK9#Ok_gVSCD(7Yz%=kq8D-YPVx!sLCI%CasJ&iiB$iH-ST=(kG z15k8eb9JSzb~{PRciz!xJvsZZnwM8&7gKNF=w<(asjdpGw6$pXb2y4dX_d=)KZRF$ ze$F!Mi_DL8TMtb6np`s_=#h8SR8oT%kWS4QMSU?3P2Gaowo6p+CElM7d9Mwn&(v4j z43w{Nr}Q6G756Q;+~R~tVZZIi|p&nc3ejkHA{L>(OD z+)XuHpJI&vMkBghznbgWbQnnIqDb>bLhy24Jw@y4EG*p1xX(9g`Fe9=;M%uD19$T4 zQqNy{NKD!iZ{2F$$gUJ>cy{TRY1P{^Yy9Cs<-jKU)m7wx6?39u5_Q-6b=zOA)v&1h znoI8vbT=5##j8)sHGh@nm3?v+ggdv%!`r;ye2+dyN+Vdc=z8q=py7+ZwhgUxJ+^UH zwV!)vSH7yu}~#y(zA~*WM6R-M!xks>YwZ&;3gy5YFdt1}&Yl1=s7_-UUW2 zoi3h2P^0Kp+EG1SQRh$%9z&6GY;UCJLE6|zkqG2Le5pu;x}I~iF|xidg@To?zB$F$ zXsOq=_rlfH2h%s}R^u!Zvg0-4F0884=v(}#4|rSWQ6F#H_Vfj}{nTc!rG{wSf;Oc(%st>SreAJP=xW(&B{4^XOD|TeD?9X)|ju2H5m0zxO~V0Yzd4xi!bD z+msv)r=6F%G9oJ*ga@d;;nsiJPgGUM6C-8X`*JLK+WFyVwbwau8@yUotS(S$IV3z@ zpI77Ypf?_3?RM?uJXy3bd%I8^vze#gSX1PExpZTS4~$v9K5I??D<)-zbbi&>pyzI4 z`ivLwM^LhvzAo<>jlGc5wP*l(1wjpd1gWmTXpLg0@cyeOlcMucwNUg&xnvJ_zotT}KAYG{Axab+EtySoqY`z;f zOXMtCsPVbm9;b_C)USIq%ws{uevikg;7|9myTS&#hU_@46nYtr68nVb-)t$e(mw{t zB0Zy%KCoPJEeoG_=@E&qLm#nT+CRMg>DT^=ec21MoACZ3t>)T`maYjfiN+=5*x6UC z(+pq0ua5-43;A@a}a;CTuvY!GW<<-73K8rka zRVvccK@M-$pPTQ2@qbpB9XJb5riV=gtlghA310DUG+nCk>)!|xJp$r^6b!vqr;^v5 z=5=rSJtsVNx6itn%jN#MyFc2c_>YkGNt#P8>0rM0idT@$-41*P={Xq}oVY)qZ6m$k zr3L+V5a-Q~KW1H5cLlza^&)R&3G?ErKSOuJ?Zo*VcD8~}!^l5Rh2ru$4!`El`o0|^ z?#BHsPW1xc%)iuFScQET7xcM{{cVin*z@0ZJnT39H9K%mUNg`XMaKRyQSUrP)saZ` zU-S)~9d+DE{)<^<+)0K0$D?3e73!?u`WTYhAD;Y#bd}NfJ)S;3!6BxaF{YXvwz&Ae z2xT_Yw2Y7UF{ZEzRh{2FWtRCh8ox=SYWAhSNm+%F>e6qxRoX`@eca@b_B#@3r>dYwiEyx5od$cV_?khT`w2{ofh2Q-F+r zzMvfs>HD<{I~cf6!uojh9r(hFt@zUayEzBHcK83<-4=3ovH&~KJf;npfL$HQR2@wn z9us0j9#bwJ(*KREa8md9N@rkj*lNRI48IwI5If($Fc*Q$zzEHjtPz#j_I#T zmS8*4#~p1NQ63g1W;P~PCN^fK$8RPECU$BjChA8vIk3rp!SR^GV&ZIU`u|P*KW8g2 z|4UYdf{~T7lPysGao_!S^26`^fd6p2ot2yW-|n`Df#ek0na~<3j!3;eB4%toH-7de z^$5_xRw(j1hFI8q`W=zFC2ean^*ql=`#T*Q!Hp}Z3pw%&f4)F$6o+Rl!9txcQo;VERc-`@UBmTZUt6^I%4q?k}_TQ~74@g?0+jh_XIQ37Jf5F_y7 z;$DgTfxedAeMeCz`rg2+Xv{I7NNJnD?~9d_w65}mnuWJymZp%39e+*$*Y|*QgO|=Z zV{v(PXPXAwG_G}dp#ws+sz#&V(AS10+(<5;?I#tXMh5B(j@a9th)j)pG~}O+xM=L% z4!Tb|&EHLGPXia|D{w1t9oDf6!$ZaPn9+9$U?UY+^4atw5zPrD#X*CvBJ%F&J}xe!T-QX{X~c4z|qs%^B^h3 zb^gL@gLlFAJgI_$X^=ps>vJ*#V_}l=k?BTudwiKawsDcIX}NSPZkTjaSZPQe!HPok zK!U!5s&Q>VDe4J6}Za6R8@#p31Ad#Ja#z8I{iBQgxMUGybay zQjd6$N{a?`TP#{^<^E{!ZU<|Jy`hq7co!^FZ`*Pc8uo>Je$L++i{0Z48_4SN6QdI? zU}uIfLGZ!LA5yC19IE-0{c>hz%3!_qhE-_+He8X~w0M!C-!_#uv-IF#Jgk3_okT%R zeoq^vVD+)p{_~OZDp1VF&Dhbzdjf9`ry)PCG|AaIUntM>_yFJeon=~UhN6-2(>1==o8FnW)~ZTZ zfCK?i_;ou(HnebQI(hA;o@nB&!cC}Ye7q!PQ}Y&gs{%&7!%FODj1=>$7AIgCUKW#d zj=6~hfp1&gPM^qU7fpd-@-vw_NZWV5PzIx?13#Fk>5POrK`x7p2_XV02k&xWC8JCv zZ$7`=(KFhh>Fov+Crtod`K4==b@vnHHe# zxbyh%p&}!(d+;W8=9^?t)PH)O0_E$to_00k;)!EOYYv>+a39O_@f3Enekw&Oz#ysj z@La*GObNX3>C`w_fHit4g2_k*<{#whYU}9YB7A?W2?*S4TXfSM9TWg|>#+~;4}2-2 z?_HCwejL!u+zZ#~(p}S5t99yG7DL7FPvLYO+zmc1 z`}tjywUIR|h0At3ss~Cfo1me>RYwNoG_Ns_<7H)l#_yJBGMGh<{FnqJ;YPXlT8~-S z$*H95#PfSrbbH=1UEaL1N~4us>$(;lCmfLDpBP0Qx?bUHT;19`S(SGtOysD0$8eG} zvLVB7g{fbf@%;K0q)zibEi5-t3pC?JI z>`;DL@s-iQvw%aANQG@^wCeMQ+(v@pac|bHQXK4!9?|$()YVQ}NUTb9bX{3_K06WJ zh>=(rrBWoG40;ep`Nk3nbl~O7EUD z5`lbJXR{Zk#c;aE1>U0fucR}Gd?XD~y3TKSqZS#wlzvBSwylR3RSD_3+SaO5caf zJ3=>EMUe*oBa4Mud9hHjTWF3U-YB;=-j+j&qoMK(an>NsewB2aQmr)S|TODwP^&qX$+_Vg?9x{mRWJNH7 z|8rQ<&#aa#>O}SOppR0$HXSckY8aGvI!~@QC@e)H!4QP)(OVpb4gwQ5$dDa+J zNE9Y77UT@D%1oI*yFn`>3Y_~G*viWFR3b@gj-4b)Swm5^A8HBM7L}~bu6ET_JwGW5 z7>8+C<@@2PD#-{8`iKnbT&g}BYtg~ldwwa#8&@nn#=h2%qGAl|^?M(WT}k$Vk_4V) zO^dknwGzOuw)KhCS^c*l7gdS;6R1qS@c6WYi#W_?2uGF|%C;JekE`mM?a^uJiLKq5 z;8;Y4I^9W|-@Po12h7hBVu6hu`yq?@6XK>9n)^%BJM+jCGL}8Df4l7%Kv+=Z_6B?I z=i1ckiJZ(A@JA9B+No3DKfP9VW@p#ygAlp4)I*erw4!FfG%L7FJTwUu(;oyk(sJ9* zn6b>HFtxWe!z0Dmv_edT?Z+ZmyTaR3wr32EaQb@9?8T>+nUl%#rA}wR+E1?0?`$kRBlyE60%o6+|!N0E9to(j#PIjW|Mp?TlxVN_2tx!GwSb$x^N0$V?4Ns5C%L zQi(w<8i!h{ROfjLPG3e&lu<5@Ooj$MlpKI3UHUHg3e+EIRD|Q05yv1Fh_eQYl2W1- z3&JVShyw(w2fqTz#x9EjvZR<*g8?Afm^6)G?2Nd#P*DJtB(q+yJt#EVC=^Ewgd@$Y z6^sBl&Lp6ON&=2E2;PVl;c$b{V%sR7On|aX#mx6I%qqceKxi>-lu$B2Sw?r1(GQ$g zpbVJ^DkvNPlqng}1`sR5kpgjLl*kxHw$TQPJukZ{Q9@%uufH#og1p{97cwt(f`>9LRe}{VE)#J`WsV|ne502|02tCo{x}CRNBDsG z$You?Jv}rf<1!uRK=KF~-~)utfL?!Fb_F$1LK8u^YQdZtZo0t>l1B+R#nMOC03S*y z9q1Mm9GiI=hy#>5O2Yw49yQ<$NgX)?lB1W+L3|X@Q4k*`G!n%32I>PKiCty}oJ$?$ z;Dk#amEd4X9sR(;l(cWg;Rnr9LmNS}6wo=)ZZtU+lmw6lnx%w7K(lY4d!XHzWe$K{ z^l~<6mK-_&ntcmZ$f!{YCd#PM3)ThcP(v$0w;I9L88uqL`599HXf#OY4Rj5pLj}zQ z>5xOAAf2~R3;<))G6G;Q)~Ft5Lu!Np8lEvl1+4`oQ9xm!ZfnfgNfO3lejPo}nuhcD z?t4qe)9q`OpZosv2P84V^S(6=5AWR{mX7b+*X};|-C)LEkTMilnf@DHV`+ShD9 z_sw9$RueOVd3EMpY8v+5yU#2gSGCKWKlj&mwApmx-0v?<-TJ{0#mma!^gJiT!Tbe; zgvbinHfxqDZS)JrOWQB#@hDoPL?DFiw^|ZoLZ(=~mDqtjZdNwk^om4EbV{hTY}o8r zg<|N&yPklWM@Ac7yYAm>RCM(Nl=d=B zQ-vdP+darkv2jb3`lTGjP_C$Q&b3LJQ5yCaDlEAS1MDxI%2D>B#zCEmCFE(sd7KG3 zel#f-I3tp2d}&xXJh3#NjWDQ>U!bQC!$fJv9kJ0V35D6>y2aRNI4s`KgwU{ZSYTO@ zDLs8P8uYW9%a10SCa^b2w8uo2+~EZ*w_n_ZvP>~PzFX8J)Rf`rDffu%|6R6C9Hiyn3C zg5o}Vnz}Kf0>T{+$9wKgb3Z=$5#tzL1hkx)!aoYF+|3!gH*A|?0uwh5nh6Xel-BG5Z0JNgBoQRR? zW72NpHVJ9#6EgEwcl9jVw1lNE=(4 z`$-#F>i*Cy9dj6#B?pe6rEQg}+a2!*0#qOfJK z(%F)_MVLP;_1iqp0^x9uDCTi~v|x$|v3Q}R*6+?j!@916PDtQb1aJBx6FUk}^H8Th@e}<$Jb2--2tD6MB>U z!u1@a2|3D9qtT(tH32-gkCD~!UE_1P$lfrFqN$|V+jXj| zEu>v{$wEVrolxL~nns+qr^m$}di|%EfX2i&4D+kpCN=$;eKma<@A3m2HYSzXMeEtQ z#e87V36ksN6#}$Uz}G$uEO*q?G+wW8UP!CAq+RP7SX@`r>-zFG79V(W>!^0-cptnH|Q|R^GbbmU$@veJ9$U9zO0`PR%2#c7E<2NXD1&`L_^G%UzVU9*k-cEYd~{-A|M7Az!%Kn%p$q z%LZ(fy;yBRY=S2_(lchQiTJaUwrYC0SLDA9(rdMj&aF*Nda~B|uWVc;n?_$9En-oiFghRo38@rgm2 zxO40o9(on1ZFHi*Cq!k`0Rwr1j~UD($tk3oVd3L@5ng+k4hmf>W;WDJI( z<7U>YIp#wHy3JKp!S!%r&^7~ZiCKPf5M-YQ`(yh_wTK!ZFp&@-haz>tiM@NnL`Va7?61@!Nrp)Pzly-! z^1cNT4Y3R!_dTMB|C<(r79=!;GCx@ZvTyJih?XsIWVn*>N$*&`J>i1mH9#!zLt;Xt zYI#Ngch|4ywGD@~2xsj4n#1P_7n&E67s_jddw4JSTjI;tmuQzbmrpK<4w(%#%zfe1jjA;ckgLF8m4pQn6?eCT{gd?Mt5-=r8nIR3}PcDO;fudIG6Xp4`?_}^OmO99Um;{(TC@2`zRr5D`i z0$uYPQ#Y@F5g&#(4t?G7?o){lNt0P73(WeR7>p$tx!1K}AuvDz#CeJPGh~R-FuaUY zgJI@*W#pa_XSud!6o02rr{0~p5AJREQxVqkoqc0*4!_cQkw)b3S+rAv@7J1)LUw+7 z{8n4e=RR&pd+ijlr##`O1j_NM`8$ewpU$v-YA#;*G?6dxO07marbbp0k|q}MJ4{As ze=N&k{>8Tp(Luj^;mRrd1|&UTP3Fay{9Z1 z0v+rufb>#yZ{ zsjyH39d@Lc=8iEF86Wht7$n1$$S&6u_E)FE)rf6v!_=oL`|i z083+GKv@1P{2A&wi2!DKEZRZITaHNPc0_^=>nSU~r%BR#b+Purn{h#MW~fubRmX4E zTf%S9I06?O6+A3+-7B`RZfVrxg8Tg9?e&)BCg{H2JVj4fss*PVdFl2hkqBJxzsfqX zAAs0j7PbR%h<$bpwpY^v8a4;27d&RJj!*%SA)U>4y)(vLhf%vY=$2B!JyB+-Xml!6 zU%Me}KDRYny&WjE$%azFW{FH&AGhj`RzA_zv026!ec_vIyd8f&m)0)6<}?(#wt_B# zOqtCc`qcEj+4iO-_h4@{_vrJ_aZXg}g9aRH5GL!XhO9Ef;zZD=40ALo_C)2+CK;Gg z%)~zJ-<&qVpE7_lr*iswd93of?8Y_w()pSrL}C1o4k0c#kX+8^?xzeUT9oZ!N(3qI zx@YENq(lm6bPyyZ%a>vR4U*>OJ-g$=v64FNE_kf7s^!#Q8+W47)0W|xnPF^idAk-z z0^xisIJpNg!UPwrCokt3Ia;NIT{jO)UFzAf_tnhHF8$KSp98I_bP6yRU0+Pp4~#*2RYdWOu^PR+5*+RytN%#MXX)}_2@sZT~uEm9s_ zM#y}~d$Y?KPH0COwQ;@uc5XmK!W2f2_$kA2D|?e!LhOKp>6w7JZ)Xh&gH2caw@ROk&ckvnA@1P;PR~ijJG#HisPV z9Hq`$77#Gnv79?q%TjWe(O_SRU#M9zZY}L-ZkC%HlPJRxJD9`shR(a~I37mr(I;VI zXmaWiD!cJv4Yg`NH;m6sO-wV$h?Tp;k6ZS0AFV=yT78dp9i^MmcFyMDBdN`f93Q;m5-?%@^jyBjy)(Y-idWM_7`RF2zc;592vdzQd zxuC}KnSn;K#C%M~Uq+)?9eY>beBE6V+4Ufv95+LgE7hQ1uV}lXe*HDU)~u0)w646L zBShZ3G`?D%mN=q-Rl6|eExz&d>T{n#Uu%tlpD@W7r|>sjl`WcI*PE^oFbHAfx^@j> zh+hRINjQSS__)TS+6K0gTNxGVxO=`wZ@7f_S7@+E)XlkT;>{aYg{Vyp)FJQYx&(|Q z8$CEUxHR>dIj)(ThYyy)%EXN`le6>Hi&&hxV`?1el5j10PFAj~-`*RI+Q)=CndXmh zGqJO?!nlSLV)&U@c?a6UlRQIhWsCM-!*K4?R3th{tQ~nO6X(tzNHF!|-0qE&1@9Mp zqsD`%kKQJeuGStcoVx=biye_}FBO)h_otvwNV~YpDvdbCs(Zim2r9Qij0FMQK zf*Uiwi7v)_%z&6Tkhh28B^RlyvTbrLn}*52u8$BpvP7ZrNhr!_XkjdDd!T%4rZQ`zpCXWLWBt;i;H#3nP=W=4W;Y9DWzXzUwq3BH~jW>7l_+EP15Ds46X(%`eDp z-W6ffesIm5zEH7FO$9qBb)b#7b zq=&}s^aWG97EmSZP74V2%q4}7!m)@*WS5D=8wqD7ulJH+U1qbSn7{*@qS6mcYXh=2 z%`@~-JBVf~nz|3Rep)EcKohl?5%SK_$Di8b2v56$pswB&TJon{KRHR+%uexCtvzKL z^b4n_CajVrv}cy!nBPg_sLnI~zDD$dS6O;5eJu#~Vf=JR;c_~Vt(WtP-k7piTE*F?dkH}{?q0Zo%R9E@oW<7$UUwky?a?`>Mdnzt zfmeqp(N0A)omQnEv!TVqT4K%=ZqrP`Vs1Q@*@`nOT~!T=A@gV{&n99ld;=x| zI7Fx5^5a@P3V}u&uZdKrcPhbspDWMkR#dHRvsCMav~BmaP${OHtR@HH^9rrJUwA&s z$oY1TL71vlSoFG)C3L|n>5B^IZ1Kl)M+gU%#D#_Vt@e7@!m(a2>H?ga(r1oO&feBd z@^s))wcSrXI}LI>mNH(M$^}2p0WSMTcX(?~!mFthlD5tq>H4ir{5NN6m0k?T7o_Rw zBWr-d&LK@Let+Y^`r?bbO%MJmUFDlFzfF|0KzZ-l?RIZLq3sIR3Nc=pyM<|GLh}b^ zW5Uql`;`kn0@c!Eo{9wLY4^7t*t;PVe2EpTd-Z0UDV4yl`$6P|>_(Ww3TeW&MblH) z+T-@dojCcZ!v62AJ*~Y(87$GOD?i;uC|b*;@|5RF=@MF5gjVFs1njjQ)*0v;1~mgz zh%jbMy)?I6o(F*lAI(zeVuxSfdHPS!?@FK|+;dncW!9zx zURsHC$9!EkAV}V8{et&H*A}%pZ7vP=WqxdII+r7D$ttIIfb>gFDjqxewSP=%@HCE9 zYrWRa__SgGUYs5dN>TU^2MgO0#V}V#(fa9KFzm-uo?&+@*9@!!OqV=E!Rwb8sWUm7 zU^U+94(k`C@GOgc4eQ^O;xm=^;rI9J;M zBP%M#t{17w+Z}CEE7$1WFIGY(FR_~6yq(4pZEw4;Gbk5qP_xCQyem6f;A@>O`N7!~ zqxj^Ej^h5=S?M!)txEhSOs)~{X{PkJnkl|*fJt*Fkj8`G(@9fAQ~|`qAP`940E?U9 zkIGt_ved%LH@jf#Sw);LW7Son(7lQ$#&m2Jg!m53tsLVFgNX;_=zY1HoGdJJl~ zaj?+y=6zigA+jC_Z=0k7R;b|<(oi7GclYt0AOQQrfR=hRU10fXhkuOS0Rl8VLH&0aNZn0_2;h6|d}z6S>dD$W4KVaa3uf8}*rwc^sGP zZLY8R%-RGlxE409ugqFq-+EEErK6n(c3oRNuzWjpZmouEidUB&Dqdl}BXB_}ilSU;0H_689HFwyQUre%^?-(w}HZNE*DJW>Ula?+^E;!nM> zGqOZqTGZmm>>;&mwVmvBTl=X=+t(rWGr!PPCr2*F62Dk>ZzqNzCAa#*oKnY&MzUZ5{CGJdHULjr&*EaI(pep+^Xc|-rS z|1Gl!iWC7=DCZlLT2AAPSmA2M6?=#}yb6Z+YS; zwTm=*l2Jv?gINIl-f5fs-qT_DA*t1}DGsF(59_R*4Wsf-%tJUnsovH*97`{I$k|=+ zsAv1-SGR~!@qjP1`-k?{H*VH9KCf?NuWuB2!V124ot*exX`1-N#HUCM46UqZTNNax zwO&?C4Ga~nZy21M5S}<@U2z}Wdmc1TmQCO4nEMFW`q;4v>az+~C#3LdnTJ1|T3*Gc z$VaIRw|s4rH@vOfc-T+CC4Kp@WBk3Q+v|X1zMtgfP|$!;_7o*Xko1T_X|NkB$ednF zmB9A|lruSU>+5Z7R~l-?El^jqc6now$g`@wxBmF=UG_&elBv)5FB-g$Yd47X1TGqe zFgKDfcn|LViZ+tN322uKZHI_vW~)*A(A6QH0%!JLQC6JJyN;~VI zTIBPJKE=0sIIx(hc^v)*KGs(>OIWec?+11pO@khVH)sbz$3PA87tZqN(Gz<{1P-!!zW(9KJS#InrH zIM+csVpo@bFat6Vapr4IY4aI{=+#z8B=5z}v0GwUD}B9B8IFskfHH_D%gL4j+sO1- zA;zh^Ka_Zg0amK8Qafh`uwr1S49^(L#E^s}UTbZ0q$e$SY=2FmWhl(PXQ*URBOJn8 zQ3oXsEc9~JytgV=Dm1k!-YPV;E9g%*xk#AwBrx?#Y4xT$P3YQK6sW&m*9Y0ebo!J7 zP_HjC(YEzrg3qJxd80xEe ze%REWFTv*uebze_0iZAs?{9E0FYxkM+ouZ=NB^P2Z8f*qZoF&eZr0COopr+f|r zNA9=>!rj;)Y6=c_Y=ow(s>kJo&{s7M-^G< zZRx?>*P`i)HMw2aCZaR*pB5yPY*(o!s@dv0yG7r(Tq3Ip99qWkTYF8U6diCQ3v?Sy|hU8`C8f?&d3^@GK^!k2-o@Whiw z?!Lr5MP5sU1x`pj%8{{lKX5%O<|^CNC*-O-sT<9rhNIfqg>Qw%QKxrxS312@Gu%^d zsHndvgMB4ed_OZ=?L6UrCCPw<-ikH-zJqVZMept?i7>I&H4!$(5+cvf>PvXSqkcJV z!|qI^o|T=U&rH7e&Rn~X$Baa?ypGM4M_P?CMbmq*fVO9jcV@8Y9fPK2f$ihA)C$V> z{&tehEOQZo!mG*1dTPAnp0TK+o;gkU$gu0qiKi%?}-@!eNp+Tv-cW-?i)2_f^5 z=$z=3pr5==HrI^BGj9>F|?&p_IJT|`TZR}EQSHAU+xX4*ri zMhMP+8bN1|=$S9X`K;&Xth}=J7q<#K?Sf%x;Aun0h3HpwTkFwHoke|oG77vl{W7JV zI4*V~u>4oNZ0YknCq&TMYzC$aM?UNQF|7-0<)2-ea$@pCTC)`yVnNI%Hl#LFD1`92Pk(>Iqv1oBrM><|rH{DHIG%1=dmnet-QkJC zSLOZ4hZlI$xi2}Aolk5$e|>#`>3zwz5^GrF7=he0)(8gN;5#(q+n%K|U{>m<3QBwo z0rPHwJ=fr`BPbuFeI)>@$6{-71bH7jm?-I=(o(MqQ5xO)=8Ss0DO7(>v{2AnK-!ee zNo29*7y)2>5h=z?KzSW9!lX`utHMl}AQ%cs3$&pt1u zr1|Rbx-;$P@Znq(zVFKQD)#4b?qQm0m=1|?@WjZmUC}!8Y8r@S@la|*S&q554Oxgqd#J`#^YPu26<4khR zFKHlFDk7f^!^!!58ss%#oJEll3wL`X-sOtJ-#^PQuSXrXAiwAlxhXnv-K|9mn~1fk zPq6X)VpAV)lPFRpM?TYea*B6sTEe0%Pay8^PH~Y0 zT}}R{G_O|eN453Q-WOW0gy|41*Is(Ke~h^v`KhDzN*r~jU-IH`k3T|~=;240@36RF z-`=tD^ebWB>e0bx)3xy~oth2Dbkl@Ju(uE50}2*H;+}n*Fx?86fAZS!G`4i6O@=Fy zG<*8l#~PKO4sjb#E#i0idRoL%`I947V69yVYklPtYw`IoQErhMBi8=rIH}P1HOdGI z)lxi?PtJ$W_@0Nit{gt$LqTGpJ#Q13!bD!Aqxl%{{#nx}@@MY=x60D?PkNVVRNhgl z^fWFLeEcEw6bk5cr?B`Tf-M?9*RV=uTq<@I$9RaF*RuWfk6wQ)|c2mihJKM=D zl3YRjJ#WvN<^vp#2uf5Nr{Yr~F0_Y_R<9}{e$Tv6X~*6%Bz@$``TUd%DeRrTji6tY z=gRjry)L&`&N|4EhR-v4N>=c`vKnw)fCFb1U2=I?3@~Q<8UtVBx4vuwewNi}y+V9l z&Mok4=kos9Vt_G!mpPXJ>d=WdVgnq}lGwB_WGC^eDe&On@Q%O97r||{g#wv``>-1; z>Zd)yVYj~o2A{+0OnD>~1QKrf?jIBg3ok>SvzHAkp;FhXOUyi?DlBOQBC;{n!A-(_ z;8**e+D8*QnwDPc09dwkaDB>cQ=n&`bQe_KlO#vpcM?_H@y>85kCEzIybuekq}kJ+ zezN#iZ&?FO%)a%beg8%59yMfPkj@h8si29+qZ~~$(Tbu6^$!hzqS5gBKPedM0-$|6fw244%)KOiw!3o)Mc#~ z)lNx2?Pzqsfy{QWaCh6?4WJS5lFHlF@GG5Qsiro(^DXQ@yru zXQzPmOy9Up%wt9gPfQ0C2p4ciq>zx`Tc~3Ueppv-8h( zo-ISjX^Fgt1~q>{B*`CS{kjj8Wt`Tg;7%JX zX>!+C;482u>6HFbInX{mky!fD$ou5mgV?Gs)|I~KJ$}Rk?y4`+RdK`v;f_Ab<9S6& zz7f*x9+rez`qV??fv>=qWI`}J;-Cz^kZ3A}pMkW~Kd65Lw|_&%-iTcO*1uli``#qr z^OO{B4{4NNoN*og>K02fttr$?t7zQ@!x>ZQ!n){d_WtPD-S@i4Ty4=teH2fd*LUBk z5&1MbA|nUxq9a(ri41c+clNV_Eq6xy;aQnoH8%nbx*{@26>MW(_e72l^1&H^fqZBf%n2yO}P1b2520h$C2?v1;Ds#@K>YuDbpODbRBbx~@*im92buipxn^xLM; z9{-skva`C24wAZ&)GhZ3eoDy2FS#6rV#R4SHdo6+^HsUH(z6lYmiscXnv3XDi{$~# zFXKg`crtFU!akK6)C}I}^ips0I$!a8q6XF2otF}e9010f{)^=iQg#;o18rJdv8iFx zazD)|d9Z(_d>oauqE-Ggg368#7cC^ECZ+JKOuMK|$;+lw=|gN_ z1?9Rzk}tyLeq<3`emw;?YmlO@beAPX-mKSRdBB=1CY6=6hvQr z9+!~#$o>MM>sIBLSSTAxUIN37Dt>kG8|r zL1g&_wjq{WFatZT-8b%J1h#Ib6UG*Vif-Z)TASc{1JwJMzq^(y(I1hPz@#4dkFSN+ zMLftK(S$k?{l8+)mu)-U%Oz^Lbwa))>UY?c`!m2L`pm<@SK?m|ZYDlByl68*OtzOq^ZIf9 zhdSGz?*6uAHr=Oms%H5+d>^*>mv?i*`a|w|>VmA_BC-*6(a1a}LD*j6_PcPtrX7yR z=W(XdkMCLe2jCIggn}JK)4lVy9sAWt3WwtqN=jWA4FdTq1L4x&U?Q)-;-mh6rTgOW zi$})b#LLj7Ps<7$Zdmnk4H-R$P?VKyp$UJw2lvT8;FV2x9A8S z0ktl2`xhm4qVfO^cD%k$j|QUhuhxdIbP?ye(b?b9cA6x=QVD{IxgJ#i?BxEK)X&V< z>C!-G_m%M6oAw^dth3^s?5w7GH_<>aBA8;}YuyQZX`uAF(z;RM zm#7oUmJyO0lophV&Vv(#7UVQA%ls?5svpo znj81kaBMCl!)!)8c+G@~xibGTb~}kaC2PU-56)N*Z0|rk;nOm{LlO;ETvxdkx(1Vf zNBwJS2JH?@7#$j2q;o*(9#@?5289X2ruQg6QIZ}$X&L*=6klHWtPNbrbK3Za@gQT4 zEI`qZ-bOrNF6WKA-P#n6yO~+ud7maf_|6ZCkQ3A_hX_Aul>7EP#DKBK#Ncl&3$u2h zS2Pg#<)vXq^0~|Im)9sLK}(N3?W4^Z8SX;f9CI=zaRMrdAih-y)NucF%t+&A>}c^> zepnvnRcB*Hkc?hG6e4lBjQP|p4(T7Ij?ZN@Tjb{etu&)cklh3+D-Lq>pGDs{Xz97Y z2R=Fw&ILP?V3by4sLv&8X*6W0gPs1nf}SlxErGa8kCmR0&E@hH=VMU$1bP$PgUh5M z-5)6YTbWwN(%K{$5L*1BB5@v5==3C98z1SRy7q&Q{Kf>v@8LixIDG)Di_8f`dF^qI zdp@_2^#^Gohv#RknL_@FJHB&+cje9kCZLd+N`z|9M-IOo_~n7$L@5|U8_wv{;6h5Q0otsV%RQWR!5b{oDfpIKuyhuUU#rI%FkD4jy~?2 z$3OZ$#vGPZ6Xd*fj`>}3aqClF!TuC&1g*D{N_Wk@uY2ycq_0>8!0K6!W<1%zU}e5q-Nu^j z<~m^(MjY=(@Oa7F6;X){3`hdwdf@tD{zK8Gq&oV_Nr~fCtYZ#SXbE-S1)b~XJ*B$F zqk;TKy;%DDO@b~QSM}_0lQ{kLo^O4NZI_tyO~-)tp6KX1F7nyBXfh_M0kSY9kI_`9 zJQZ)$JomqAbmL5etWo5Gh$+wu#08hBnL_otyJM?ghg@pOlbg2PBz2SZv_&=4YuP6V zl{$m{JmhwA#mixj^3bJFU*alzs!Q9ROj&5-e*!thNxBO~6CSgx+X?YuC||$voGHm~ zd$L0JHbJ)CX-}iPfe5jMe?8w`?HT^^CZDMYr$34f?|otrVNf%>pC}r+6*qSM)RRI{ z${NTPq_wH751&@(96 zkcyNPp~^iZktJNq07x@(`3ML!ITBU8_w31%{tLZ5`f~SwhgkTYG{*yd0eSCvUa}v~ zRE*KB(ugK(sD3={n5Z{@HZ6J6>}!&z9hviTs{{E2uZZZP;G8Lkd18 zD^0kClXt?e1uFmO3w12-8rivU@HHh9>y1RQ?f~$e^CB8Sy?@1QP09FrBN41SQut@N z5uTvlmR%#DTzJT92M!1!mv;}exsL#oqfa6d_NIyOc+a=dJG6?}2pUY#OwnieY;%u^ zeCKwX0c$+Bi$+CBe#O+d_KmpEag*CF zeP_Wb)Ah78BKF7opMiu7$dW?*mweeP{4PWx3fTEE^uCgNR5IjBx1p2L@uIosZ~y&B zQCERlz#}e(??%01H(KmQ(gBfbT?p_+f!aFkr!16>OE0p0@Q>$ zIfXKY{67Ujf6a)a4~>!!?w!5D+|&VN??M4gx%$x4oTYh%twCqB-;;qKYAyzY(q%sM z)MR;FqBgrSw6VsmX(bJB&em=9s#MS32EdZs%6WC>Wb`zz?-kA=$SbLz0Ht5*I1TjZ z(r2ZM9)6bow&Q-hdbM>mo3wSsdRhOha#Zl&+9zGQnT^;-0nOk)8buBG&#iPr(R&QM zjt`ozBMgz5gG?()I1S-Tq|9G}Dv|KIu{2SJ4FpV{YfA<(EM86s z5~E*KIPPpzb*8R16Y)SCZEQ5El5Xh6doBzDLiNt@yqb+&;ha1toP@kmc0s1dF_gTT zuH8Rv^sUl#Os*f!MP3oP)C2v#w31l(zZ}^E9?Yiy8R`NVY6|8FQ(D_D|6r%1a_w+j z^NNV2R_ONuN_^o>O8-JMl&k}ABR1whmDh+{v6jNJ(#Ub6vC6_hotTg5^W$tyr8@&P zp_G-BG6{_Tpeverzf)q;Ci4fvF`v2+#YC@RIjgs|_dni#?n0tBd>zmJN`^r8E}7VE zQ|U#_^GHNLl^EF#Y#>J3Pxy2*mOSSE-;Ih-icn(y3E^*ZIX|cZLWhu)2q_q;Bu&2+ zMZQV+??T*|2M=h!u^8DMY(A#nPxx}PiaZ9+gQR2g1sUQA|Cj!k!Wiq0FaCuHi47yz zf&E)x;fXgsYi3U)XZjr;#LBV!FFdVWw_{(aE~}I&Ivg^j1KFOw1znkp_)o9s&14i_$dksI+@~V1+0J=r}L0%*ijvXHM#nLNY(`A3hjFN`59;vJA z^#7$PBy-(Y`e*dMFbkdB z*Y6`s;8OvlrGd=MYt`5%1vw_MB()DBtK(<*QPt0YZHa4Ma#s z|560y+|d2|0jj&8Z><;bLDi+w@13BIm~nq&M9aOdnNEBBQfcA5xrI~fg^*SeyE9|b z>7}4#TVdq)oLT=eVU=1HKZfNhe-+I`j3GGw-$8Ef9jt&3NcBLfbb7yQuo?lj5$;zJPwcn#eHNN=5*7qN2`HvPm4BQ(EU8U6q8hENE%cbdLETZlGP(* zVOk+nc3oq*YCeYFLApBTXZ9qHx|JGp7Q>Gf*ZkcY5&S0J0f-{rMjo6etU(piq$nOI zoI0;GOY0Ue*0E$rX&(~S+9;}cq-dg;^|2j`JT@v!aZn|UtwZ)Cu@pDXxHu84f}MF`2}SvMP)Cj7pJqKrv0xuRJq2E8c7qIGI1d=ob=B#AsDilw*L7l9*$F zjFOmbK==n3P!e z#j4>#-1>CI--z+ilX>TF+!=hgusGWbIW>WSR`#(E zb8*fU^v2s(+g6^|P<`_RruKMy`kF1_UZy9z`#YN4+hl<~F7>c+uG;xsxONnaBaWOfmkctt)vbF}*A?YJAQjxu#qD*(5sT zZFOjB)}Y9=ph6kuFVORiCGLTZ0)Cz)y!{TCeS7)on6c7DuJOQ~Fx0_P6|+%c&I8l| zI^#>_yBAt&J*=D^Rhnc}Lea6L{R5H4CII*pC2@7t@3@5n;VLG*44jlQ0Lj5ndO{^} zTFJq0^eGN#kZABSgD#iZqgAY=KlI!OwY@%L?SZ(;@AXYJp&n+Q`9KDP>!N-31Hz)c zLwnDSwQ^wwf?=LIm59D%lnmAJ0&+KU(WD?%X2WYHc? zdS*gzwW9AqlUOvfc|Bh7n&a0c9}dl??Eue6jBID@)5k65%k$#0GR^U!3O8+h>XEC3 z6OD~n@g#Y^@Rk3?+IzzLIPYx|CW|~}Rs|dSc{M+iledaJl64t82`AG5$ZT( zdP*d1T&d-zqPpKkEP6$Cg;v%&-lgi+inb!3Eu_RzL*L`u9<&8esxe7TGpbtYy>Ks? zMZn_hU`OVzru$}(^tvk*a+S&QhG2_3mzh-%H%&c!BrQgE@ z9zC5i?d3Z$^Z14jWzpaFinibGZa7UaH1vEKWzof0iouuoG~1ESXV8Ljg zqQAO-W>yPpVTtBg?4H@y0fEnWZ7`{N3It-M2a5yMwa^_X|vxu(ctj`?P8Q&>0A1>pgMhLdX4ry{H zhz@N_A=vW3iN-ra*i1et>v;p|-{6PzZ@$hF3&ji?4~t!UtCd-6rBb%2TEd%9pTz`R z{lP!VMcz->rHEB1gwacA=(G_RZN8xb#%kVx_7wU)$~6p)T?5A3lYJ*K8hIU+Tt03n zM9OgIPtRYr+28Gu^uD)Fn;DStd%p?? zJyRdNAgtb`@nv_kxp1-0+*BhZ$n8k0de@}+%BK0M6skRUZIFm*#`lHXj4y|#C4DjW9C8lg?BdkH!LoR-dCNI9;(fz7F3Hd?kPdMq>5`K|I*iA zxieZkT(w+N4dl~1REt^L_w~t9(%mzlcS;+KN*h=CBllJeS?v^9Hnp4fH8pHiHCa{G zkj3Xy=^KTh^GVS8IyckSm22~6hgiLNgE`;Tv8HK-RO|j_qy84dew$j^qbgYoZOn{?t0%CHfL=sC>zZeHVC_wzcBD_0=6RD6q&JOcWAypTWO^VZvPExXENnpl zw&j}VugvW6tV#MSqHT?cROw6Y)Q9MgcdaLpXqS;_zf}>u`&O5Y?CoMZ6Bn~$7P54p z~vIP-bmy#gVkz#;Q2^)CFa=jj@@-hPCdU@bqoK*4EdHL~Xx=?dwj;@cin6^~=B- z6~j^jq8CkQS7=#Ya=|)`&dd<gp#wwfl2CWZmsgL^PS5f!JJWj2&W;hLcO55Br$ZD^QZJ!$*(R4dq$#$Epr(Rm)XCN(KpI5M? zRG|%Fa2vHd5L{{+t1mx0OjJK;nr#v_mCvd!P+WN13=PnmH43jwHbR6}lc{*zvjRmk zk`y7^Q)Rt4z_y5_iw$DRl-xFowsD?QU}nmc3FxlpDp@L405Bg;>g8&M(QD;X2n7~ zvY^+(Dk@iV__w6=u4PE3`o3jr=IntbHZh*{v|y|2ewl*3tJhLaysGq!X`NQX zd&oBDhscv&Xt|{65#wp5N%;X@KJ^1pU^-^!NTnKai7b=K@g6|yCx73VMJVs814Q6* zsh|vBxC(54;mfclxgkrGFz^k3WZ$RehE>SUxPJ!PkV+bHabb12WQN8@&`sQT63o%k zndqoDLruUp<l4l??z?= zHPdp|dLzxmn%1<|qug0ZwO(4O1WWhN|4W3^PLZj!6vv#D#cZc?ix z8flwW&bqd0)|Qpq-1AOe);D63(JgA_bwhPecmfEP#tzArM{FrqRwcSR;bbAzUQ{J~ ziEUBy6yZ>e3c?G#M0@TH7J%+OhB>M=U$tAFk{w4EOX>2!P}F~ddAX>Ng?V|PDXMho zPgrOizHz-8@M{SPIYeTU+OA$Fld*J<&jzfz%z|xv5WD zjJtm;;~rKQ^h=7IW1OlRa?#_|!*6Yq{cW8OatGmZ$hXP59sF2nGO1^6^2T3jl{Gu~ zvCy;|t!ZYRFJhEZAX~8aL$4{9vC*eKR`{KJzmuENob80Q4Lo^OKumnDOoGi?$}ZCn zANtx9@rc4jEb<7i2zIN?U6Y5cyq|8fmW9_D2jv@RBm6qI2sw4v!m{UeS)zDujlg^L zS?pCEY*J_`|D8h3G56ir>G(^wUmEGU#VIU~h2RjV+?6(GHD z%W-#Pu!ak5-gro8Y+E|7&a`#kHEboDebV81blD?rzp!ZzwAH9QjBYQP(BL0WYJ+E1 z+qY@{aD1@f)_YfSQ8Y5*E*Xf;BYJ_3sVvJ;hod4}#qj`2ejLyiqA$P;|8;%1i08H_ zN7$=wkcI2fg(9324b6*Yemoe+-M7r~(vCccnU+U&o%*m+`E=7uW?SyQguaH!I3e%0 z?#FhfbB>`SG`|Nzw`5%2YA_k^@|k_fd9C$XhS+h#mr1WF*h9(hE>ALlomRC>%gg)J z%F|=@D)K+7t3T>2RW4Z`;wydcwm2)ZSTj6JvnaD!i+@0vS)zqmkeT{lh(<_-Fgoj+ zMwg6Kt&lkH%o{|b@65mdh1Xi%=|faBq+VP-qpPlzD1~Xmo`m3RnN6)Tn%5~zG-8|} zP|6vC;B3Jj5mv_q%fA!|6n*nPtc$HoI!}HXTt! z_wVBx=;ajkBW1e}_biix%pk``=%rdsG{W(AQqA5OWA4FAOv4g-rmsG!zJr&k`k`D} z`T=2PAQz!^f*5iA{duQ2zX)?NNx1#py>CB5bd2B_^0@jDlB?Qcv0$iZ8}&Xmo;0HP zc?1SP?7Y8H`niEV(9X`)a>&dh%l2_X|X{!?_}+FE|CnuN!C$ zGnPYg_BbP16%OGW2ah`cXh(^N;{%&52k1Bw+x3$+V7r6umIJ+E*;iy;-G{@F%S zn!2EGYS&DudTZ+qZ*7n4JJshdLwbMVOcs4W2r+mO-T9_cBAnEtKYjXFbfG{d_!?d} zKo(}J8>|F=nR)hN-17@WxWl;|A~07t!e`nhY@x6n6aG8w`6Gcc8c^Lg$(AD)JaC*( z2*~=gU>J`9+RS}e(>c#O_7{>wikLdECCA@%Xdxt61t$awS}`o==g>$`W>OfzrQ4z9 z3u-b!)vhA6{hUEIRluS91|G@%PWcBT5(c)2uXS@q8LxbX0zwl(wj_!K0leoEiH zDZFFY7(Euaa1(ccso{uTlw77oz5W-;4T8tF9lAW>X*f4)53kaY)qkJqZ0#y=w?g%On?{qN6b6 zqPuw-@WlE&Kx-WOfFWU`G5o1!*ejyvLT8}3DjHU= zh-FQyPC}3fyG1q{*$p360{EoRx5?q?12mw|tEB0uSN3&y6Ws?hblHF19|r>!WhHY8 zUN~k+2Ze3)OTvtEuQ`;>+T&0 zJhnP;^1+Nt*N+)A)Kb&ZOl)M=&1gi5>na*Cndc+CqcvVLfu=?J##PyK)~~BC2QL}6 zr3g9VAN7ee;7_rWUV;5aI^dGS^aFi4F~NrS2+v*X>1Hp=@@{I~m_dUjtKVgh$k1b} zyXM8m^55+xQ8kPF|2?V}2}+{=2{m+pR&Okrt_M<+*Y#0oWQtP3U~ za{b=96W3*OCr%{=+Mz*7ffRZ=>}`|Wbh-Gru>ZS|g+rgE>hnM8Ir&euL)nxHO7SA9 zsD}oOw6vI+B20%v@Sb9dHz6eB7;&aGXC^ggG7Hd+33WdKz<}NHu+?^+MB0d3!3eLi znUIPZ@h`k~7DrbP&Z>7UsU95r2_90HI=Pt@8ijn452lUkTCA~}Ic@%IQ)&Y)fwJu! z3;VZbDdslu3ES1xy6TC;Lrz*+tW3kErj4b{N&gWlPnN~IFwv~Ye5(In+CfVS1%-a! z26C>G7iJrC9_(mI0wKfc-7|V;f5{XS$($N1#Z_$qz#ARNCDh`kiZCAS;P=HL%yEuJ{IDI8UIov+#Jj^6eO>yuCsrs`w8>-(pd{sMeB~riAT&{-YaB=X6&R>W z3XfvQAM{<#6GxQ{K0#W1Tj}$kb_k5}9}17>PsNf}*|6BRitKG*4@e~tm)HIDEGaaN z@g0UR5}H`qho@&I{RAuqOVF3Snb>o$A$&ir(|-3RKdLTlCQ+y|F5& z;~Ia6O%;{x=X76=$&whZW-kTEC)S~!>KdlOraZv)to_)~o zbD9S3NDcCyJtfg4mA${Jf?7}95!u6upKhTu7*&fD1rD4z3IO!CB@`Ry6~g{1dm8Y@ z#dLX@p)=T3UX<#JJ*pEPjPw%l=$|!u;wL<0=<|Mu&frxoQmX6pSVd^szE$~XO#hPu zXOaNLQqC*m_na|Y&uy)yB9DAtYJrk`&98!m=}8YOOSC%fG;Jb97Sril&pJO~S(e5D zWaeM8nfpUZdIH5v(yrS@r+c}-5L8qxpDuyIHwaxafxWTfJ`4QPGWJjT|4b>cf$ z?r^UW+41q7zE;^n0EI<5XPdFm1HwB;egRFdtUTq&BJYp>UJ?F$&WLXL&~h;b%2^3U zG-pahP+dyJCUFCMy7WRu(oN#H7=~>MEIG8Dq4k&O6A2$cE1XRhX3EgU-1~gf?2ApQYb4P?RmISfViATRUt3(y8~aXH7hoAW?flm`5;-ARdk`46on+TJ$vD$H2Q0Z6-na4sQ}nVgBJ`RCgoAp z%mQ=r07UD=dhoQwdax`PUuEriY8d&>7hUCewaXtPw?1hfS4bs<^%|<@jwP#}hUJ5s z!-7wIC?RFrIZEofQiY;#A5CohPq+BC$9gj}clN@<@>f2>)NgRjOr;%=hAnf< z(YkNIji>s-A8sl>d`;3fP+PoS5EbPem#KwSv7J@es9D{20n8*O z&Q$!bZOOEWWS`eHCpsg2dC7tOC;XWm$0yX8UAiOP$1v`lO-v7j@gTK92<#P}0RB`CPC@=hdl!>TIRxGuf>{Kn^x3GYOV+s*Ad z%No$@yFIwvH&~aWydBsI3OX)Nu|Bm-fQeK;?h_mj(^hW z(*w&&^;=M-|I?LA6vU)?GtNsyTJ%1bqs4vOWTAR^W_&0S)ns^f(jLd2^^r$L1Jn8P z*Q9&+gNSz|2hI~-XYj5>=5=Ka4Tzl!daw%KdH%@ts1mkDHr&(K`tq5dDiWGc6KmXs zS@=NT4#(65h;e85mo}kgyYuvf=n;SGz5g{PbM7JT;;=zUbgUf7SqSg4KJ2o?lp`v@ zOO!|wV(q}<7YR%L@>hYSmF}KC?Vg7Ison1BXKi&)uXRtac26&L%lJR#1~(l}Pchca zfA<)a!Fx&_WCF)bADTIn57V*{%uy<)lr_#t`VQ^q<_+)X#cA#+yIt#UP%7$?=%qK* zo)bIc(*d5J4$&?X-#}aXX_+`9F&WQSSF9>QH28-nqo&%? z2{GxfLYCe~S&^CZd%ZY5?6uQNn#}eQm{7E_r>36fC#rf-f3xgkjd1a~I;9Nm6IOWP zoo96xU5PNEcdp1jei^QmWs!x*ic3OfxV4wOMRxO2sh9oR`nGA{7z*oIB5y=^L$2a{ zVer}?0<8Y0E>{Z2QM(E@o;)TuklkdOrWdOx2rr(RMcZl2^nyVId#~{)_f?esefayb-gvyY(L;glgvtdKFmIEz9!E@$R5CsJbkV!1a3i zn_-6pA>+K4tEHS9@qF%H&RKlck@?LQJoZO*OtS#}&{;zfw=<~7e1z{jo1kvCQzLtN z{B@#*vorucX`#1muAqF!Ts z?e&m#WA^rk4XYX=x}A!uXlqZ9pimLFj-v-QaoxA}cq`arU;W(mCDGby<^q1Z3a~6; zMw?-72)WPWi+WS-WLd%n+o*;Wcx7XainFctZ_5HVm#lrfqwMX^b9PU6(|5hEMQJ6w z^ZwkYe7SXFS}(4}IZ6V8#_?+yHE(=44wMr8QuFa)Q+zjj_&0k3Vg22tJLl1899ylR z0i9luO)jlMOzU7R7}r?R@qx1C?ds9i~8!|Y28i+3D9@+{ULS9ypOy4+&Ow|}So0dAaN<{?$v zA!4yYtE^tib}n7G+*?GSc!soj@kqw|wBdxIEP5Z9F+Vuw-P)>XGf$33$Mhko$w8x9 z(8bHCif){-^)9^mqI|mf2SY0{-Q})5TL~0%cshAyu$X>(#ZHk$Mb^#RDY=2W*gFu| zr1mQVFq=4k*q~8y=dt5$e>7!Xzh65Qy7VIgqvWQugA2a zjjTPdx-W#A;Mu&gw6cn^x;)JlycyxP-?l<9>v3mc&*$ZBZWKeRL-HW%*OJxmI)zLD zssyUHn`g8a!%Q^7#CxP+}(&iqRXvR%R)n~ontYM z_MzVWLx_VWVj?8_N3qfUnsGMO6N(dg zRS*g9O!`Yzo01sEgyv?^h4F+(ermzx>st?}R$ffLHm6OdtJ&MF*dxp?rE<*65sq?n z*vbXnNmEm`E4nW?$)j+^T2S=IhA5c3?gdV&R_M zNMdz?IW>nEe&+OqbQR=t<^u`D)wKhm{GQo7<-e%Vi9*vR2hGnTq#IC~1W z+ALZnEmx0QL91N*r$tx(b9B(faoO6 zC49f1#?7rh^k-5Se@K`Wg!a;&uEi6OA(yOv}`yBRM@Rnb$2@=NzZD za+tdaiJMs|qnz5#U5w3LoG@8C%3waFz!S)nidH1s@OgjzF5;ZCI8MtHse~j>`1uDD zcK>OP@Ib!b2G?gQ~Qb5nGP z@AVWINC;Ub{9f{+F?=EwiJ1>Q?cjsqQ^ojPJj(AhgaRG1(hXsUAVLH0Pe=Z!@@Dla zBC|hOjom+!yU{(a!Vfui~E5snx)+$p*y#8B{be_D9@THBFtmeHEz+h;ha zXsVxlr91NI-kcCh(u6bDzBx3BsmiGhX$=sGL+=MhMs)zwqf9q7kuTxXx@BNiEeJv(b6c*O z=)j~o)4Ch@`w!|N`Xg+Hkh9@y(^9hb06w#e8=iZj+3))O73NXb^7nXd$o73{Rl}aB zs{wkQ$2(V*OrA`u;XFH6XCd=5EiCrqkE22-nNYLUG_i4Qn4b^3^=Qaxl9rHYaQpb; z8RiYzC3n^!q=v$WLcjO<=@vJDONzCj`l>J=#I<2j@ZF6#ZvwG6RJJq7Kp&On1Fr;i z7|vzjM{G+dosy(Ub(R#NQsOB7b}yk#P7yt0jZ|(ie+0{0NT~BXr;^^Z!LXFPQd${~ ztCYxZZSFVtm36r}76Y>p5j|2ifen(nUA*DelGwjLEx)rf)R9tg#9yM(j^KrcS}>78 zs0G6mbi-M5Q8kPz3A*4o#O2nNV6oSsbfKS&u;w;YU_6+;HdS8=BNB|L*qAPnx=Xy; zk_N23ErB$v6V~fI>wI2^Et&VU#{$R3k6*6B_!2NL{myqzG+OmrW_;r7$GGmP#P+3c zFxxJ9oSO_QCbht8HX$*M5`fp7ar;ZFcSO zc>Cb~;nA-RB(_Vwm3H4f2}#TU5#|#kmpFJIDi<5n7`s>f^G$W6u!f{5i7WYlUE@OKvmlURe>=^d=0K8KU0X_bp)P_`}Dl0bI zV4YJS0cHKLgi-SIgRgXCeoY#s7iU|A@9q1{ydP0RSCgpvtXIm4-~Ov)y1hr)HKR$P zRGF`cxQBe7)-_JEEVUTVD5^lMn1C=T~7_1tIj`EA&TK!Ba=qus?zU2YR!@`RzW|%9U@AW@=HKx>FLJDN5 zlO;VVR|<)T*$#%<9Fkm*cWE$dw96j-$tAI&as_jd66JZJrO8k5Mw{WW@E@Ty)X zZl~JnO6N@H46tNfUmW|mZT)r~aQtSfF{8CV zurS~V7?N#1vEGsQd9i^M@8dA#Gm&`%1Fz2 z+e=r(@Lu!*bO1VD$I{2qtB1aCTG_nXuME#ScLP`ZLA;=lmN1ZXZj48kCA{uL#=vJW)3c)nTfieg3Nv2Rz@>*GE(wI01wagkn8!kf)F z=c*1p%Gdv%@9MvzuRaZT5mEhvtWv?9S4UoB1WEyssf4kKcq&Cn~E6)`Bq(DBAdlarY({dW+@)M+pwfZ*w0um%XS3P z^{i7V#?g9adn+oqh~JclW*rX3tpQgI+zg-2QilpNGx&kbm92^!*TNb@%F~~FW}T+d z6Y;nFxDemY5e(Yry@8ZC)pH!oZK*&o%^DYs{3MZ?VAgYZ(|w!sui^#yfw$ylaVduC z{o`(1zkI2pY0OemtS?ha=mWgnX%hw=A3lmFq^x+jHGl5PV(EWCG!E1A?QRh#lD_1+ zmpvNgS5K3oH)c@qJt;+Td1;itJhNx^I|cLM>rsc@c>AN{jw{zIe{XQZM7k{**WsJz zyAjm*i5R7wZiyPTaaiYwuO%OYFoY4kubd!5i4Qqnbi^xF!m#w9K^{YR@ejs{c01GI z9z(46r=$&6?P(e7cb`5MhZTO;YhKvRoakfT6Taa~x!5(>B#4}YhH}Av7@3CdD=&}>1B*Dy}ugghB$78L?_3P*s;`&A4>9Z&F1WBF3+{-IOx*Y@Whc?kre{B zRJx)!=Zbxt`rpppJ1IA=IfGwCkQDj~UGeYhV-pXLi0^{Nu*=2C&#a_Kp4{q8qCA+4 zyzjk!`JAfu0a3iSb<2FX9^Dme!~l=`H#;$FdKQCr*;7Y(JOtN`3pR)WEbhKTRu`g4 zq62!YmTl}RqZMwFVls~s0vo>caM%7^JXIppnZI8fcgMGAre{D5qCNa0g+IB_)Jgh$ z5VplVS{;`rSF71~CwkyKmHr}XyZO;>N{s#Z2YXy}>QjaGZlFlrhubsQ!CGoc!_!*t z`02*gR}vWHyHH>`#qc-Q$U3IXfH{de%UkI8JiV+O#kTlPPa^~R?3iYuz!s6XfkCt*e@^?O&IMCBgmR@{$S ztblwQ;>0+b*go8Q9>+a7!8Tiv*Z4dI?Q6S|vQ+VsvINSzbFtL(l9tszPc^)xww2G* zvp;;!NWaR@g}g0od?{BfZbcuVnHEi>^*rgMMdK>x%@8D7*$S%9FS?YzvS}iPGHW^q z^B_yE*O-aFkz6?Zih;F2DxUK$VTBY2BfMH&-0X9@$eVaHnHpa4#&xvIj}GDv6y7-M zOCnGXP4iYwL``#FO=)ZYD!MZH9zm_NP*(*H&K$7=GZs=_NxB0UUa9uHHN&Y3#@49O z%HIfS*0$)EX>~mFM%LDqrn9pK!)0Zi>RLL1W%a)imdtF?f3GYO*(5zLAZ{&PDKQ&u z5K>0k>1jmG@wKF2>!(e2 znWzxaPlbwDx95ajE0BreqN!r~S}VNC_B?%tuRDg2iRv4JnRbv-WeH6!mah%2OF3Fu z{^2f6s4^)(qc&*>BnsWO6eBI*+C}27{ysJEKiGQ5;7q^+jxREzyE#jw_DX+d#$~9pHp4cA5M3ly*8>GY3RJf- zS`#Qnh5fU-p_~N#rhi}_IHyh>nNMzQRRn*9v#W=&w~D+Yow$gW&XecOOaJkd?p_@1 zX4}$A*y6T_C->0q)>ZkpetDTsW?$?6N6Iri|HGW~l5xKY5HkOXDhHJQCZLyqw0{fa zXQ)yNsTI;=%BlGRFDJqiv;8XF*zv#IZtFxu1eW)Tbiz6K3EUkvyXgc$I3+W(vM=@Gv)kkYx0l6QvQpC z?NDW)aX3X#q^5s<2BjdV3daY1N-C}kC{Dw$fwhZO#7huXixp-uTOp8*RNhK>ip&1q za$oFhL%uGLbui~w%Pq)GTr}B8q_%?7dTh=JT=FY4%b(1}_@z9hJS*A!n_kEgP-&{7 zMXz4zApfawuCVOY95`O_*9z_Gz^plRyt3Mg)@q}~EpMuGfkEO*t<%vpb}jg!+lo=E zLH<(w6?y?Q$wvWSWGsAvSV}c~(Qv^}1Yc0EF#6-GB2b>3E`tc-|9$)b&v+17p*<1Z zFoN^MRQ{tWLyRbM8dB%nL`$x1LJVq>F3)W!*e?W!<|n-(IEHB|p^=o2kT*#qwdj8$ zKqXtdR7t&H{qU2fVEL@MtwXN1(4||iwsg-ccq{q^vm5eG`%!JwW`3QhQTbZLCv{6U z-79trJiXhC&;;oOyv<92umHkW1Xl{V+A`bf7Cs-#3+6*X2~L47ufUKjT4|SwSSFwd zNtgynM_N=$OCyAZzC#fuPn)9O$k1^#2|-#>OM{#4uhV#lDGDQ2O0dss9q(Q*e-St^ z?#_x6tT`G%oOs!K*P6=Hg%irO2c<_el>TQzorT00CL%S?pGQADM4&Mi(zmG6uEJnA zD0Jw6AS}8M^eyZIY`;A08q}|Mu-n>zz#uaaXh;VKf*;QOH>z!~z~0?F2TqNZT?3Tx zV8!rYQGBEl9=u5h&a_hpg+{Uz5n}7{3=*5EH6ow1X3>?HX5kk+?--%H1J^-(DY1YA zchYb9yB!6VJq4CIL!+PDgB*&);lb2M(8{lderXAKU=;B39!X#q@IPWBsW4DwMU`n7 zGTJ#->7J4uR@9|780^Ho;Gf+xhx$;Fprs>thICcvaG{qIK)|jFKvvxU6d*ma;GbdC zH@2MQ{#7A;*os;ZCBqwrJaaP0f{wP1ZWHC$ot5Qwkye*gK`YX5K|AwuH4z;ax+5yADjO&`5CM!JrNfEPKosKpEeN zm*q3c5KJJL!8XYt{TYT^nfhS9-a@{fVz}4o_dVmCnQ|}8Ta~Uw=wJdPIWMH$S5k3C zdW3s9cbVj%=?ut>EHEyA_y&>8Q5MRRT;N^Gz|Ph5mV{WeT5uHcqWOlAAeDOb_lBfK z@C-`MX9lv3d3A0HQX}an;5QV3YCe(l$X}O|8H}SmI7d;33ZcMBfn`uhxo{@zIgla3 zBm}jI#x2xYXrQxT^8D*ZHH0lnjWia=NiwJ>9WoSe7>E%<;!z5~uPvC2-<3G{i60a8 zj-4kKDU2xBHO$U)uVp?p)O~;BA}gptxuLTik@69qz3Y_n zjCJ+?T*a;XqP+38VR9*N9>u^yJGHjK$_=@k$tG-0z;%n6vo-ZA?9lRyVDV`>(HNiZ zGM!R@F;REA1dx+{`Mt~-P}>OQ>HKHY7thz2I)ExW5$}ysgqe{2Ockl&6UIEz@tN6T z;b!f$RC%hF+QJN2g={3g-pE=tR7=}-AfKTb9JAAGJZPV>`HHZ1jd=xY(lr_3z`vx< zH1#xRlV48xf|CnuA5L4|*cP^9f7kY2c_n7Wtk-l*r<-cv^Jq;^O!gCceBX6(Im|tF z!N88S`LI*-Y$$p0+LcI zRk?s$jz?d;GHlmF%h3NOC0G}WYZ?l_n~VaBUIv5=_MJuum$>crW+!7L&A2{eVx?^z z&uzDN(*k{MuhOlmOfIC$`l`{?djV|FFF$0ymgJ0J9o>H4cJw!QY~r{?b-+ow0M zt+r<3?*eda*V4A!Qns6>Goo5nmQ*75-Cs6m0eiH@r%gT)peKE$r>*(}2 zqxQ}lxz<5+ruA^^t?3|>-uF+f_Q&knr1OD1y)_)i?Q7FAGvv6yPKd&Fno43y#ckfo z#~Ax|pouZ|cFM^0Pa$VO`en|u9_nkfA+hR&@)71k@YL-hIq1Qtmg^dBr`Os3dhYpb z`!a2#M&zNM-Nq+4Fok!+IekCp^}+4oXg*r^)z-hSvE8$V@XcC^_e0>dbUvc0F!#pn zimwl$-kr`X-F#!a8VQuY3EId$Gon7NGi7LI!;3O!p_Fp219_72_hjt8`TP`T!!@*Q zgCpK=xx5vZJP}OzEx3md{us3S$HqZk)9GJ?nU=RK^B0=Dd|2Gr&U@9aud~uq_N(Ta zEfa9K6AiS+G8@Eebd`kl?jn01=HbEzM@L%j?0+w;wn#Y%#H#=}k@Z)%9@O6-0Q&IL zjJR_|tgo4}r_M_djr8-?0d`tkJ{|;xbLVX{^OFwFgu_eKZiurV4P$0OI2e^&{8lCz zwVz5yTC9X>rd7vF<1s^?rK^NIF}cjgG~TJ_*Q@rBhXlnNoY}Uo+((@o-Oq9Nf1?_m z0rhw8w(aVUo47KW@OBYEQO_;F8&AtdN>z8|>~1#XZmBnS>C`{IczVjO-}ZHCOJMJO z<5KP|2Vu(gwVsPEEb^Je4E)ecHbM9A^Bw=O-V;s&X~) zqjsdL{?15?n0l*u90%Z zBVCSG!0mzcc)e*>ic*Xs=P$nEAS+EsGoZi~b*Vl0 z`Ks&MmCQJG)4t2YGr*B=&!h>Z%iNUC{Cy&($}@h|F5B>lnNq+E)9z7gx-L1peiZ9+ zO?!Q6nyG1DJZpJsnF7Wu?9?sghOIaTrZUZ(p4<&?(@Y_5xu&>QFUxXDyX|v4eB1AG z2Q!6^uv%$ub)VY3p<#TK37)049eujplREA{*xLhmtv9NY@yGBn+Zs<#yqQh@5Jc&B zppZu}aQ0lY-H-XRTnkJ#Z)v-yoXl)AEM$tB$Fs#l@IdZ&D!P$L>G6BpR|I9>|t2;RLM>cM;<@Mq_lJKh> zug4ey6xlL*U>uupJjcl3rB5NJvFO|%x%a1RhJwEuoTN|nGN1Guuf#Y(~5{VGQL;z zS!ijz7cI-scD^#u>TFs8{vqwH)Nh^{@RA($gQr^7iCfKmWcz|`el}&rY+0kdZCtIn z+C@4x@ANiM*WYICoJ^G?dRp{*M+|PmT;{&j`YONlzhiUT(o!=aRK$LBkDh^s#Um zb}TP9xBGR=h&$P8R`0Fd|FnXLov1c=xlE%n_BTs4YoXqpguQ5}}B9C)ka?bEK#>>C1MrwF;$2e(a+ zovWy=gW_=a-|^Q#zfh0v`(mSlyB=BCaDJgc>*n-?YNoDDk;0Wwkl|gU;vsv?`Yn+_B)@f|IQYZ4BGLLRc)t8MwecH>a!E5BBv*@b`1L%V44;oTJCWAf^L5;cEfwMdhP_<&m$hQ;-a*gj z{t6fZV)u2y2pqQ9;sW>NAz=l$GXJhFpF-@gC2;21#pvKq;B*C)AQ)AZTV_$ z`Iq*8UR!?yKf%X5ZbE~Pn%lso>z{-s-yk(8Opug+@J)B0Q5#_G)AraotpB}#TWJujW2 zwf%OhK49~0RsNU2R-MaUTl0OHuEjS){Ex-|$1K0uvX+4Dmh1Nj?!kKb>Rz(dschHm z=cZHEcHLE;?plo2TfR#Z8P9o-4M)wA2N8kK3I%d94+PROk}~()8Z%Z~i4opt&tAF- zR1u!K5sk^eyG1m7B$H&K;S8~of*e;0U7|Pn#U5GX^gufcBC#RCE8vo%L6Fbmp$OK# z?i~Vw$k>?7X!u4Hpv?9{HJSBTV0P@{5v}vO3vpLaVeDXGEs)M0=s?kh7;XhaFEDSE zGYMSU9$>DdtvG*xhWs)0i|NKuvG zQJF+tn16iA@3AuaGQd-IoG6Rj&G^bG&WF76C%1l|8T~%*z z$1c;|%y)AQUt7etQU|w+74^ZZ>-<^g4K*BWzrvvsJ7u!1?E3^h+Z8D6jP$EEq7IWu zms>{OEo~aVgpx-_-Z{;$e&E3wuO#=Fshg9@mo9m4|AmvLZ{+?<35Oq)N`EQeM>G7c zIPfl)_#IC}|DU0+XZRy|z@q?37UCcy;@}tT?o97T0@AZI_XZ>M#E|#HVd_QiRa`;W?)WWhl?CrjAfu@VT30MJ8tFJ$g<*Guk}OY+f-g@^T+2ROzllKl z&)3j*A(hP-1{LtaiCVIE&re>O%bDk6H+P+^^AxYhGro|IPY(pynZT4T`V`8M=~C1Q6dt4M786zlV% zci&Rcaq^=vDkA*Uxgyp)V+=3!x`)bCrI{CDs2vkmRQcf-g0Od%ufME3#rVO~%?}&P zAQ1v0HKBel_JTku$Z{zl6*$IhNje;MFf5n@?$c>O8ZE}wKvNE7NR;xZ2{!{ z)KChJ0QM6cr;h3XGD?VB1Dz}vE=P!KGsy0bJ8}mpel*-AXkm~KAdhen;SKsD9=D{*~aU}xz#R^rJiCDD0+yFAtvx8eM8#Y@&6P2B?$G7 z%mPHizJG}^39E=So;K1 zMXq&$zPzeOcw10tyZl=4UC)>CK>JiJu3df`Ivx5k_)qJSZCRI}gaAZ(_#f-YLEdbWyNA$wd(l@kLdqg5##DfT*bp$0mLPp9``Ce|4_l-)vM3khx%v;nl5j!4HiDR!$~V;{E}_`o#dt3=)rGG26Vx9XRZ;U5Ipi=qG>y2j-0t~cLvV#KWABK9LpVT|^DvNiPQjIsfBBRDng7cY?zi`OzW5~n zPh98p{rQ*Mr?*n}SB`boSB^i|7oY66wf^QZOpg#ZM{%Jsh2{$MDPt^s`Si*H$THoq zi>^BFUT&nF7^f*w%f`Rc_^e2(YaxvX)2g9SY?(*&Zz0$~|SGOO- zjBEMwqn9qy;g2)%4;?AprN_4y#iin^+TRf^C0De)xaT>VYv| z?28wu>V`#KJoZ^+C|jJ^ImW#&L0}T9OBj438Y6C2T6p>0gOdH`Z0KX^fSGU3DZCX`i*vAdNI67fmGwhSb zK5@OF&wd?JMfv7-BfDm}K5%x9`~6m8zNOObqtYmw-zby`mC6s|mKBg1c_>5}f*OLd zh=6>|jp`5}boB>4`}7*Z6oqS2e$1`(KwbDU$4JlnbXNR0rf$GkRhUsc01+tl$l*nn z+i_N4R6>uRq2fpOBf|RVb&f>60dJ4Q!eH$GEGHZlrM#iw4is|%voAoi5J6UeJ@aRb z0NwNt7%beA7a9UUV))13{i6D04A=wwZlUon$Rau{1JV+VnkX4kDASp-*bd8-aJzsl zoHx6$p>~ zLQ#2NEPL5kyrsUwpaM^Wy@AU34a ze|h*M#G^XNm}le{!PAQmf-l+ZMC=aJLlK#ID5Mdp4 zrd)@iIu=@%unm&z1J&{YYVluYlme~&;b(j&i1!QZGnz)O)uE8en6?5rR=(6$Bu#rz zCRDOc5Y6j%N3QQHTMMKZgp<1vRqx<87~A#xl`3LM$6p|?*jpj!RS2>2`5DA~-=SK^ ztAm7!$J-#1Z`BlrV}EB`?XfHjGK%t{Jfc&Jo9YCPztF1;GZrHG!MfgPmj%-*K-)*W z=`0)vl!I-B!L^Z`4V7UT=KfNo!)zQ>Nh8OMqBg2eBPr=eueXpvsT@LQ#whtyUT{`; zw!3MWk_Oi}Xv8dfp(=y29!+iJnnsfHZN~nW|Gz{gQ94ZJL3V*SlK%#pOZ%VsKk<4E z85Cu{xc?3PA2f_yF_S@&9{%49Lq?Grci_}UG%_erL+JI~|Hb{%&H~?=Fpk1)2jA;7 zCXv5A8k^v+hBTANQA7U=3>o>Q!QBt2q!D69{m&01ISTKNd^OBu7Pw%WM6MiquUlpo zs6x6QNMII_34JxJHS*J-KMG&uiz6)Qf3Gw79yKt0RVK2po>x>)$X{t%U`haSizsRa zton=Yi;jBF`DG?xd-TvbpD%Vs`<_13hyROrHSDT5j`1KWpgg>M2hi&e`XtOJ!=*n4 z0Mi))zIb`8y=vWoeQ|T9SNq`WBO~q7f6{A6eaPU{?y@=Xa_d2BizZ-~50rz1 z8wWiXAW??3-lATNOs^Z#QeKlW-f#MFG(Ft%bHblFN6xL=^c@Tfxp0!d{}6zX@ttOW z;39wL@W3XYJw`7WSRMBd|3Yf&8UTP_%WcX*c4W7{01m|sY0o@c?ym2y`?>D9JWVl|^OLuh} z`etlE1e8H^UKE&b)NYt?X9sLRkng#fTp4j^yKR0y-@&z|hOvzZb&tE<5X+uuWE5uR z7t?qAO%ls2knJ^Ug0YEc0nsk3?v1g4W|}Hk57BhVWQw{noGkFhZaiT(#N4EC;fH%* z*I%nM73O|@4?9EDCn?5#z~wChO*~6FaZB29$brNXQJ=>Ki*O5%nS8Ord;ek)3Z2L2KE*!_}`(wC7RFW@`8VwU^V$5>Ws6V zDCMYqHNVvw`ku+>sQL?cW2N|^y^qcB$oD{c7k(a4KTx8W-;r@A>O8tHZbSNse;_fr zQb3-_oGtppPakkOP>ke#=sr3ognttkikU)IY7q0g=UFGI599;Zv-z|6x+CNTfdIEN zdHza%_)ju*UpZf-6g?30gz%gq5I)K7w}!XUIu{{6*vo}<-daET4}vO5KFPp0th375 zPe5-XFLKU7YF+F1OywsscMJDto*w#V@^^E&K58GhY!Bkstj*<}Z5j9-*xi0@8@mK>P8~iH>0SV^)jG z(;EoK~EuV(d{?^aR-9xf+*lo4pXjzOKV3r{8_b^);v(Oc526Lsc zrA254Ykr%0W?y4&y5fl7^fb=2n22B;Tv=S%16UU$`9L)IJhb4?I>(V={GD01AfOlA z=JNeX=UJb-FZh`^M@$^Ai~fxLMyn&?f~Auo1qBv=*jOl6noe5iSZI2hP8r!`3J~7but)6x@?N+de&TAn0O&ywRFJWNrcvf5vro!eu6W<(quM|_ zWeBPv)1qcD1$-{OjU$BvJneIkzX3-Qz%|-)K$t-lB}i$$pKmvPP-ehT^BYF*oz{mQ z1ZV>kQXbSGcmhayyel|P8^7fuXmtGff|VxVDBiWvk?-FbhzE$@Z;wknDAH@JQEi^( z%>b0%z~;m7sMFc6Y8*Y)Sz<#oWDtk4hz-aUQhplYUaKrBPRJjXwEs$AJ+ITebq{Q za@P4@M|L4URUV9bz4Ra#fGE7roxkyu08PPFXZ4`Ubk6A$%$)5W5!0pXvX(3-rweRDjmd;6+ly<sAehkT}>>cB~@3rLP2w?TLn;_Y=GT^w;ExZ0zJDxyYdW_`YH>0~# zKwy!72~L_p9Hr!zDaDsW%R2`S{mYwfuED0_X;6_pv_1z$=U5Wd?x6^r!@D8CHAlyw zu=IDzsTz2=ET;TzZ<$%{Q3oCi7q6+4g!3#a<#hqx=q%p1?#lp0Y$@u>b$NWaH7E)u>Jl@cg%bBOsez+4lS3M`Xv)l2k+OCTM z*=`{K=`rR*@LA@D>$2h_W}L0|Id+vgx7;S5;){~(DJI9P>?(?C$$^X!mJ^Yy&q+-^ zQQ9s_X>2>dpf~RpNndh3U6Ry~R%p<@B0n*1mQ2a!*HgFbhSxFHg{*0%4s2a7@aWI2eMYbH9kb?m8JLzp1Y51KZS z7LgN_dnUJFwb4{)U2_W5Z2>c=txjthc)Rb&t47drTch#iXj)D2?J?PmtA_H3t=>wl znrg&LDy0V6ojBS8`f?F_Gg!5(PakP#|FRgWqxQ?XfQ?%v!>+$Q;17eAD zn>2UFXP-JdSlO{Ab2OIKG^bx!T#s$^4tBWp>nz5y-fYYUa?ZO6tf;L+ z>YL%3cV5KKvuoD8M6NBgQ0t>q1JRmg*)8U*=$CK0NPIp9ytKP6DI5}PQ8*V{5V8zA zp|j{wc6cL#olDoZ7Jt$$`+lq9I?b!ksZo`G{gE#6&<|B>pnI!mwwq|Et*PGV$ZSYz znpRb+sFkDDzIy$+ZdHu119d<_jjKU>_^Mn+aa-DoQzSG?nTPnUXAxHC+ zl(C=nde*Ni_hxztEMQIZW&*`qO)I_RydPr~EBtwtg!8Aty02v)KzT;0^Sb%qP2XY@?-jw%r?1i z4Bv>qQm*~Xb8f_UH_Q0$QGYpoE5^&rg2;Y~Qjx8hi7yC1Ow^)D0>w4hF1d8nX_}W0;9tk&`YUGwZ zA;jf(vm?TmYbb)I*nr4F-+jHxX{4%cTLCpXCdl5%vUl_DZguOcod#=sAQ;fa0jl63Li|x~C&H`5Sc4liA$xS#u{2&jSX<@xM ze+X@f#?mlt=v^>DhLO4+bYGexRpM>yojL>(K&j%bZ0qgci2ZWdnFaSjPpS}}wy1T7 z2y9g@srY^Y>%XLr$wn#u$+=kLjxgqVNijlTU=fa4X{;~O{5HYA*NgqJ1U($jDAu-l z$O)r`j&5mCuzAi2Hjd_EY0$xU!b!2*a_y1@(ZW3)aFpee1#T-Tkh%)fip<3TapZCu zGjVfSLh397Bp5-T%sGvrRoFgm!_=59;jWp->2qXtsQkz?o^vn#_+!jfx8OJF$XNH! z@1G>t^ZE>DJ5eWl%l=8Vty4v?50J~8H+tC4T#1Q-1+_)rp#%zTjgf~nXzWtCW!yju zh+*!=#99FALSarY3CTIpq+hu2W)fouxS~TiYT9;5fw*7CI<;Bvxu6TzL>8+yh_@Tp z#GteKu5X4-IeX%?_8o)Tvw@+gothBOlI_6;KVDFx-~BZT57n$(9yc|Qzco{c-h3wuI1*3%c#&T;+|u)VgJR+2;~|^aV#=xG0R;V zjOn!*gtQSmV&E_h^#L`<1x)}wd}F{_;6?@1CV9`VsBa4jP9ml6+Z-i*zz%|rL&haL z4vJ-K%Wn1Q5-hO_p+WPHB0kWGTrlhb534p{fQk91$iZo~a;Ot=61fw>7S?#Pj2o8y zY}nJwowHnKSR3_NjPum#p@5!88&rxIuEUIi0V>`+-G{P?q8`LJ;;@j6;Iom8nSN_1 z(A(D-rd%^QN=L|RkL`T;a)-EIt=2m|u=>IGy^4hLNYvsT*oI zYWlc_0U5%(X8SsL`#OVqT50g;)4Z&On}eELL01;n$&lf<^r~%s1a(8Dqq#jr?s95~ z2NeraL*TpjKX^hXy0HdK`&F(*+F16Gex-Vs9y0GrUE8#YwHl~~zRc+~uv7nCP9^KkCxA!U%C48xS1ygv#)4r=G;HQ~OX zheL+d-1>JzP(Q1UvPGHVQ8_@NjHIi~dQhFXY1H1z?8CIz$UV|MMfkS*X9WFQ30W=E zPGRJDu^Ip@TZW0&ldO8w>SY$?ou=`abga*Jr&chcdE_?ulGT%c`BV1z)@R;_0Yiv} zxOJ1Ewn`tlCHNXg<>@}rSg_86%1=GM1-{FQB0v?^6+Uo0sJk_H16kqRpE_iC4STb& zQ#GJGsy^7gHP2)n5FGXj#_9970h!PBh1)mvW(p<>*loTWjTCsCFj%;C-;nvXeN*7E z;cZ#n6YUdwR*Y|QDHY_s*;mbsw}{m2G0xL2j9*SV5@o!F<5|mj)eU!r!Fv%yc3a@i zzo+3|#NUfkBE5y{FhtSS8dyrL9DBM=VCcByO}R(wZW86Z)pZG&aL&NPO^Lw zRO6{HB;I%~=Ip0VmV44(?!s^YR1VBlUp$NX zsD+pEbO@~MUdNnoucBPZT@apOU&x(q&)0YI;CmGDRQeO*vjUMx2v0d@v)BC*+ImOa z@U9rH1Xh{XbeH^DSV~>8PHHX$<{djaOTKhQR+7>oZsrnR?uG21- zCc#y^&uSti32t_k40 zNXD!AYP{vYreb(Dfp1vNML>fur;*Jo(vN3uwa!>bbsnb<`KMCcX;(jChXmR93%c8m$_i}9+3*&)h6@cFUxm#w z7)Rm``|L}$vj4(+y@)p72%FX0=W0D6WYKew&i@#mu;aK%(ni8((F>G~{aM@Y4vE&J zYUiLae16s4%drU*9{C$}C7iE3Z2GLYz~swoo8`lc{p;lg|wHEk7f2+PRQ(soUr^I$U5~?5#mjD z!W>VpHLjO|+m*}n0YX5^`Peg?+c=*nIBa%)&cDEeXyS$##Q3es)PcSvK0%hbqNf1c^;548XQ0>XkT z!P(rS`P{2-UcA>$pxGKOv`f5xxPwpIy5|BL7*L#i$+K(ZB=dCiqW;Bf$*;R_Ta{a0 zvkH7ThKDZ(RC@5yJ?7B^3h$xuX&Ehrx1WyrOAO{7+AOqglJCg3z=Yobr@x*ig%r6S zSA%V}cep-tRP4!+J$|rZ>;khPLe@N&Ec3hI2Ir0mX#2E&fFhc_7eywiTJ9A}R!Nqe zT~y{*^~NmuH&BQmRx---Z_&`g(67WbY}rYWSEtE!W&x7EG->A6vF#zc;i@=VhhO?6 zQt#K$%w#FNBJA-{4S~N<@jbIo#+D^mU%7Eeh*@N|NDc3t@2s8D-@_s(z7iE#amS!# z=zH_bGA6fc>8}bDT`{Ptv|Sp;Syw`YU&r zYMI73(J%z3@8%rkn5DFvx9J=qZydK79r?b6K;MHtv#9scv`byFrR?h+XRKn^B+oZe zX9Xs%{F)vcyD)F7brQZfZZotK=u8G8efK9Qk(aA`+;F@qy};cd;}~0Oqqa*)ZnNHC zYe~&KKGI}-*1p1A7r!1c0^hi9H)Wr!cBs6Vrb2Cw_vNACKQnydQH&Mg8|y(!#(4zu zCOIpnipP&_5Wh6D7xyJS!-aEQ;3#~eWf${hJZm#z{Qy)%iWhu(FW`tuEodynVw6Al z5s8{D%oLhoKq{&i+EGOoe6pQwW30c(d=?c1etihbQ~BZF`%MC+-nz0R+`uX&X?)k( z-Uokr{6-o>cU5&4H5OgOs#Q6Nz?>uYsyGq_VAuRO4;z}_)4cT=O7oD+LN_0*-0Siv zr0Af~#jA3R=xkNBXN@G?1HG-|q{%6h+*SkamV)*5fd#%0!VLKI`ux^7nR65Yogf(C zQG^BZJ$Z*1Zkuk0no_O+Na3EsFOVbPu0;-4a_a?1dHG?VegFx0gbQv7RM@tBJK{gs zfYzwN&)LHb0AqjXZ6q&q%dQ|rrt>d0jp7{%5`M0fA_*0;1aS<>NV0@z_eeWM6Y7Rh z;};c;iUJWup?^0xb(H9)k*N~g{1}OW&o;b}BeiCGx8sTw{g8VY3^1vo)Vq-mvTY0- z=$N6VyEzgertxTtMqOzk5*Vz5Hin9mXz)X*^*U9k)Wdm)_k)BGBffA_N5h_+BumnI@TwkI=Qp{1g^`m$`~f|n*^ zlg*qdsxrT;8n7as1?Y~HoI~4xrloK<%IUD+8tO)An!Ba(nE|+L2ts_#GTbx8C!r_9 zci+>)2b&dx`5Sv+Yb8<9AteI~$kGoi3rM&W3P#QIZ;G(Tg^M7heo==u1ggZ@dbqz< zGM&vHGZ>HQ$5Wt+Yvm0Nv=vfjMxaQ6)uTc4JD&EL)BAdedkRQ~-JaMsg!-V38y^6E zOOk&j;}ORuUJH5#;e{v2`GFit-U;NH#1RU4M!u7_gN(T2NMU|*T$qp2y+V#r074Rk z{lE`d4_XzR#_;dFIiETYzT%EYX_Ag{QX)toWqw8b4tadNU>RIQk&=6Sc~B>g^9t&j z~Q@%R2p@c9I@7DS!fg zKQk$SMtZMo7UW{|g<*g`NT67r>|7mhaxn^;f+^IwPzvG^!fWQbC}P#NY~h*-YnEUZ``2`5DC4px7E zUY#~J3KC3sel#3q$b7%%ZkK~(8oF6XWq+50a2x#w$`xGYo}41JSd^nt!S_$sC{3dp z4I<1aQw5r#pY?hhNX4QHQ517D9U`^ZAuME9D9>|WL>2$axeZa@rDWibXl;OBO91^~ z)TnM=B=1*>i^I(NR7wLze{640lBYYei^H*%iB;l?m2w^0)gPhXwSzV(YDOW!br|_Si`Oi|*->_u_oUP~V>b_y#|_tf};KYjT3*e<4;S2EAjU{6LKC&^ePw|2GD>X(!i#w2|u;GcB%Ig%%4Scf^!$Eg7uYS);1)gMF+o7|p{y+iJxpAIW-U z3Lbp%I%H#?hK-q^4MAjDG^~+@OdMe*f?6g(o~Qq_Wft!+zFRX`sOtlCQRL(MZTtL%mu4YFU7I`vaZ z8jm%>=q1)I?ed}LEs*oF>(%lGb1foP3zw=cd zn3E)mbAKKxg({G%`hztqWzQ0^`GLtQ-H-g90V@A?St*1JHbEB|yQ2i15Q*iJdss(v z54d7Pz-}sqA*Oz}B)V!Th3_otb48HuToz1?1wmSAtn*vRp^aIC z59$5~LvT$f$ZN`mX=f1I=A=wg#M@%qAv@{zL6= zl*cR@O-uw)ghH+GQ#j3^Nc3P1eR#6_Ufzr)E*+Hm?{89B>f+vTbd>m5apn?Gtd=!_?i|3Y&TB56{Km(N))cd zQ~vz?p-Fs)<=O0I_Hzj_@_CfI;P35bghz}`0qy_C)K@^o5p!+h6ff>jq(E_(#bJTs z#oeK}yR%T--MzTBxI^(`i%Tgi#eMO`Ki>EI&VT+nlgvyqlan)ZCpWpdd7hrgbJadW zfcL}A9P+$@0*jR0A>Nx&hEh?dF>jRUNWBxVQ0GCpy!^%QP_{m`cydm;xOT3t8|52H z+8JamflH%1G9v9vWnmxOI2Tx~R@NeN_C@m0>{ez>%`eZM@eh(RlPG15p&vhQOEb;) zbpG(rG9BsUIr3s3O|w_?w>60=IMVL6`Dw>`Ht==gb2G*0Kbz?7%*fl@XxBb91J=@) z^OsuqZ4>kzxySiF{vdKG^l`+ji@lZDB4X7r6-KS+-UCx{g|tV@dwcrA@CyXM~j}t1$zlNfz(Q=dxT+W5h>hjM)&tZr|f0U zr{$5ImdgY__4-sa^wUz$q&*UQ>bl6{HPS_;CqQAEA0QIb3MmHsbZMc<)&f==9g673R=cA{`LHGxaoWYnMRw5?;< z%N;I^)ymv*oFXn`19D4sAcYp zjfj2n$DF?xgGp*r=+yCgbdUc=@gFlkJ3e`|i*%xT#@$jT4_-8_Xnaw|a859Omnl<& z?;kpL;e%*L*6`Zx4AJ)nYz*0Z>^MBxeWwYc>t^)hnd4QAHq5t*Ue8*zjo_|1#+<07 z;sHz@#fxUwX8L5@eRbRXCaP+l_^b6hRlf7g)M$ii1?Sj7i+7YQ)RU&!4zvi}5xc;)>mp9`?-Ty~&~n;a zpYFqvQPld_IYd>L-?JL$AZgMmu-&6``4W3)7#*lHM-}@RW34Cmuv5QY@`RxpUEj^p zus+KdEvmgjZbV%`Rkx#`2F93)bJ}aio=I?$7WsGtckD8)_O#W>)G6N0>-X;I_rWYQ z=Rm%ECjg@%v0#e~w?3{wI>0H`xYM3mnxH;`Ka7bgJ1Nqz?RGS-ohqh`-YvW zOblPqeoDMva^IY^l8@Lta4^$cXlqZGy+IW1-^C><#=V>c_Ga8}I*A3HY3`AnyaFrr zcG|=FfjO+=m>F_lILv=f7aw?Y|Xz>+#9x2 zAR4*NU`?Rh5&f|I3Up-GqpD%iBNRrV_3xf`amcKV&o}SObckBa)Eu66&r5fR<|~Pq z70GZ&G#cs2S@B$1A-CVsH+JK!&sZ21&Y+0({vHPo+Yb^c9$@ZrxoL->HX$Oo4U=STTVh4=2`4n zRq}Mj!SpH-ENQFBzWE{?vQ(?IJb#VZ(@;>lf8_fR6@aOvCTk17!ogS}fm^{bQ z^P2MPbtBc{{=wCC_=9<1N3ViOjWf9Bnhihm;LlA?bk|MKgJh3N+wWEi4<+%kir?A| zh0EkO6Azv}!!>@weqBCYzVkiV8?5JW=kL!s&zYP-PD;FUE3<+-g4p^iW4FBHbifyF%8A5FtRlq6KQv* zee6$&X#l%0C?7Aei8SiA{lPYj44`?hc^`YJyi40+24i@j?~M+^*aXV`%ROKUz<=g{ zyBr1o0UL~u3d~kOm7C!{rl@g`by31O#3bP7sM@v^Nzo9N`4 zVCvx-C5>R`9mO&8;^Au8?2o(UQsQY(kK`&%1josyu}bHC1tYz<7!S}T-V-DaCl3uFpp^s%<) zx^i2Wo93FzTk5QhR++8-thXZbqqh3C`c~sl`HwfrwLUu<6s@^4UDWqe&8XQO%g>b` zN{dVtq%Ob$t=sRLcv*~Qw$ONc4xNq*o?j4jR|=uE`=K_V=K{q7MUcX;y)FaD`}p&( z_U^VLOBuBK!UcfJMO$sQmKMtSIk3v#TVRRpjef+Ez%1wXeoG#IUGl-tjMxmh)6TTE z1Lm!$CEN}XD?d55*Ryi(SqDD>$8P@U+=6<-=yGd2vlIgRVZRLRJj;rfLqri`-e7wS z`&l6V#$8@9X)$amlEw?;M$Hd?H0#V%^#ET`?0S4idDzC?Lm8(;PBKnQ_uprs7(D=i zAgN%OjUei|Nk|3x&AZ)ciObC|GcKZMRSWwmnRO2cM<(ID-^^F*8j5@h>l&8g9sn`B zWy6FIvTTVPUEltF&+`yCG`OKG$bE1MEHqXW-GiA_Q;#tH<+VT+-Fox=I0X=L2EqWC$Wxflf{d7tW3Tp>FXg2&KJ!|n1_U-cX_wo0C{E*2Q zvp02%y%TVQeS=-Wzh>}x6<}mpyS$qp)i#^kts$~&EU^DQlQnhE<6P<7!8yBay=kuN z^B%ReX_@tvl(ORoS5lNtv z_-6NE5B$zyjlPpdmF1FcNAM%-E!!>IUEO8f&FzIF)DWs=8?;FjGs>Ab)%I6M`kb}= zUHl~sAyecJ!c0a!w%+Z$UszW|^b~XLz-Q6<8tNywAI=fh+6iaI1>F{w5x$ z9GOS3;nUYKgMr?GJk$C%?kr*oN!;J*rP!>#MnN+zqv5?nPTvjCq4~Mla}cdcQsNYb`O7Edpve7{;LzZocX`3gRx`BBoRVxx=i<`G+rF<%zfD;dYt1|HFGio; zTXBdNBnt{C`m{Tq=Pt7B2XewW&LrG(GlzWhx*e(gdtc2cKn?xcl@YdQNE^n zWd}z$uz#V_{Vs#3h{%Fyk8u2~h>+eH@mKRTxPbE&q>>f%G4!>%nEZ9qay>m}OQ>2oRVg485U$u27c4f;a7-u)y* zV_ttIw53*a6!y?fVpCY&Hi>t*I`Gq<)04*v9Vx)o`NLe&G9-X&)RXI=<5? zX4{XmIsDDNl+_N>xv$u3vYLOfPifXRu_^7O<@(50r{{0Jli$y>&x#t*&01A?pRvp# zm%PzX$=f!C*H4+mpD-IaZ!qLu@V6Yj8P}YEhaMcew_PdY1)nyZpWS|1<6^a6`5M@f zE7(WER%tw@ijFybDHnr+d!rlzquthu4NJPcY=-hJIX+i!j^FUBaad6{39r}P42ul} zT0egtlE3U$2yT0@aZ7Qo*jTMt%1JRq#1mq5k6n%fP9`4DGL+{I2X@I4(8olP4IIY? z)+b$MonS;U0|Py;0@U)G8$Rf>Ex|nk^fsNNeA-e~@orXC>~jKZNE!kouMt;w{Koku z9WwXkRXk@^dYd$;PaN7LA9Nm43x@&Ox`WdU_t__c1ZH99LN+}v9x2au!m5sYm7dD- zlN#Z=ULCHL1m*}Yw>m(DVE;~4CBpr`^`~lHoZEqvT^Ro4F zj#^I>ZB?GL?_EchZgrE&)yeWV?>kA=8C78+_Sb?jg|4fiKF)(zQ~o)wh-Go+!`Z4L z%Um77q;mdra!s`sycOGmt-obN-G831nz*TQ)_+;zHh$Il4H&(Udwc$;K*EVoRo^y~ z(@1iUD}nX)3d8V9JGY)V{*7DHdhW+tWgh2cwUrcp@Ti*_$81BZXS*_%)89e*BhJKB z#|zPzDp$qS0u%aC9!(gAKRel<_H=cAk!bWk#jXC5-oo_HYhEVH3Rdz9UM86qJ9wt3uI&-+7H%g!)_1#6c($GWpvYUc2C~`J>Ffgyh1th^ z6vp%_^hT&ns_F%;HiSNn=4nfg-|s0A^8LzY_&2}WmLG_j%p<2>|6xJ0wUDua&T0R{ z{U9vkNZvIvtc~te#!{|4Fyg$M|QORium9RZ9?^6F@UC|?{Qsv>8WcHJ*ic0}; zkQ+aGAY&cn^f8dl9B1rCTrJnA8KoV7ZtkyZ&D3gS^lj6q8P&5aR?yuFUHnp{^XEO23#3b_zX$S{TmVy}VxnTA zpMYj1OtTavzCesbYBIz684|Y@s|n~pATizRMI}})Gf1?z?U?9l6FcIvLcyfDnX!)Y)s{r z?B=lIp4FsP{v8IyEopDe<<7K$S3{n~D=;k2PxeoUPcl!YZga6q-(d1QzXRqZNE3Qt-qHuOWgXBmEJSSZz-B~?Yy;!|#-D*7@Tr`DR!F_GQb`<`UsFa=w z76}>&extr}rQ1KZJ4=VF0K$MS!7ics{OoDgeYpMi`<(ks)}Z-;J9)7Ip;e*9Dxt9H zD4w&tV?(%V7k1Zrn@nxtWg&sJ3Soiq)^vUUr#G`p{$pOt5Ov0B`xWm2YYU2<@^sBK zIs32`yr-LI8DFt=S6_S4n2F)%0S2Qhkx5iTC4f3!PTT^ePh$CBD@ArV^&dG=R%Q(+W&o=HE zKd_&gUWkdw3hdQ&1~Z~Q;@yjXy4_3Pxb>bw$?p^)DfM1@1H2iaUaFA%WvveVy}5jl zyrw5l)zMe=#i{SrxgB4Q*fSnj4GON$wJtlg=OVs)YmWyzt39mRRZ+H5w&l0xmo34G z*xQ$QEqV>sudv;!l&spF8l8%s^qdBM&QZSHxCPx7w>I5w-Oi?^jw$@n`mLDxSJ~Z@ zI>=Ufz}bQ1f}EVezMfA2zr%Dsiya-b53`C^b^hd)R;- z&DMK&f=lzUVE7;|v-*2SXgFlJDXc$nv?&o6J0u{AEP^tKpZGR*VIXer{37_#^37CL z4ak|Lpj$`JU%u}t40{bAerSZd+#kR}5hrP;3%`g6HVkiE~PpBlQ{ZaH9 zoldK;za8PAqtJI=9{Q=h22v$JgSMq7On(QWj<&WQSPMKD|6D{0kS^Z-NbxS{1I*Bq zWJeMzZ3gcKFWIwM1Vk2m7iIH#mQL$%d;>E&yW! zYj{upR}-^LC|A5^TI}Bax7T4CL5`2#$_-cK5zDvrDBCetjC#VmW^iBOOD}j~WDqmR zgdOfo@-D55a3i`dyo31(IBbItIQfCs3XndF zd|b+Va@o^n36bM-ULwiL#1D9R4A$m;ski6@^Yp(nz0cDM@_fZ;7QSQMI9%@UNZ?fv zsmy@%3$Y{?1+?*Xl<>jHx7X{aDI}5d-+z$cxTKNI)5u5CQ?BMuXP|AOYSVEG%#!R! z!M^R5^;=!)O~-e!!6%sIk8@_JJYRvFG< zMFNTD^|G~*CMVQxITt~8L%MuF)gg~#nRbvzUCDOsii@V5nLFr0fF(F!h^Fu3NDp`X zZddt_lIqH49jHVdR4OPlHC?H>_@d-doG>_c@8xznWUfEDR?)zLI_OgsRDEL@3~G zpPSul*%*U%U*TSXtTB*>$G1YErN{DP3q*O2XPMbvK+Pq26bN{k1eMtlPWJT2_Yak6y^ zkxW7^_{|8Gzp&KP;Ln3qHT^BH?!dfA7JYKJ8U86~Vsd3YHCu49&j#sUVG(Kve zZ3M72D%=yctD?J6`BiwI(_O+J2=u5xzU$?76on%?(c&ofg$kDT4TIC$joCHT-wHX^ z7jD#jbY!VGJwvEB`Zah!inxea%>K?itd{V>@WSj+uDEADm@n@L$&f}Nf+`~73D=s{ z1rrgpJ{{&S$lQn$Zdyn3ocB(c=t`j;j+@NaPS` z==C+Nto~!`LNcf3Bk~%#Y#Ood7pL=Sm2StlR5IoGJcld3;@rQ-*yu&5ixz;%nhZ;-E*`RYo|kVP%sdU-ObTE*=Z<5f4Lwpg@;gkB20srf7qpcib1=V=bthvo+T?W-TM)T-4(qO>f-pP&x}UwqEX-VFZ+|2gxltU! z#*x~NL44}H+sjZ)aY{nyzUA6xru?}^~n(IIT+WiQ(S%>(w9|$Ys9~1t1;@1xX3u7%^jFcS04=IDR5C|*T-Yx+&z4M$@#0_Rnt|ErpO$a9)57KB-8EXRE^ zvMOkqV;Yz9k(&|eR!FCZUYg*n)lW#PKRb)G6sH&8>Zw0m&MS_fHs|_v%#tAH2kquMgAGTG;;-NnMa%EKLTZ}j4D zq4aupl_XcSB0eec)G+Wjk^X;g-i*Y)*9eT-G=HHC)}gn|&-bxoglYN|ks1T6>ZRDP z_qq^V%|&MzwOc?R_l(x@J%wR2{WVeegb(gh#9SB%_ty{bg~sFL6oj5fBG>VB+VFk& zqMOlg&~gcI8}=$6HGO&~McGvG`wDjVBHxcwBbp?&q_L=C*&T8pu!g?mj$`r}^USS&2LRySCHEo}ke^Mhy}!3_koe;Y|mwHB(w0#w{p;G~Zz8 zjtHb;m#n=Cs|XN|ficF4ypt#s5nTcNJ;)f&{W)&~L)FFpY3B}S=3b2|LEL#mC|UJ3 ztKn}EJsSinX=4HSL>hzKkhl4$&G)Z7-L9zJ9;tV5((D!22Y&6$#SgT>U^IHP%taXs37K$|p;c7|u3vSvdy z=)9C&3(*&=WlLCHd~8M{2<39-gE;EFToUoX+Ne*gpzqZ1Zy(I|)J^;PeOx`L=u$Hw zNB~ygUgtGZVGCP+@{RJ?+26RGap_8)#A3!c&vt)~TbaAd z>Byt4{ju=nFI+Gu(ncw5oS-A5qY?jrGlu-dqz2hnwFXuWygtgnAceprXfSs*DfE>n z?pie~U(lldlzumsLfi zrw(1zVh!7k4l!xJ4x`Tbc9} zr@Ct=etqQ+?)xTCqO<1)b-#CTVut7NkZR;4fCX-F%=RWXxmB#?FC$+=HHJC_m4nHX zIZ-TvCpD$FbAEZTszE4ZJ@X%km>I2yyt4#m_-AArRtoWp>0UN|U@T5fdMlT8$7EwQ z&Lh8UMpM0{%=|6afQWC;ciO&(aRulLJfmB5B>J1nqEyXPi^~5bdM>nnh=a=D%Y^!Y zUVmHM>ztq!ZqEba6CSTV6s{`Anl@?DJ~r||^~5T2y%Ao+XK>43r!3k$!cZLq!wQEr zoZixVQGx`{jAepfLaCg>pTsZP;xKRHK4Lgi!{CJF?^(CxHf#rpzDDcKG*`fP3(r2} zd*3C<5lmds$mr7RA3mc%fcD+_TKbBv`v>`L;j>wtxOmN8SRu#zlzWHx|LFaGW8Kwp zo;^Aeqc3F|#kN=uV(^dV9&{n%kS4|(>e7&@pvF}kI>%pc=({>cO%AIm&SL0KxN^9x z4!G}L3BowOQOoL6Knb@6^EOp4?(=20AkHR7xZTSj%m;i{Ll7TogZ4U0wMbk;H4eUt z7I9JlKQr_6gh%gQmpFX6G`AERqgaXC=7V&oU(M|=!zV&mVO+VstUG1t8ns|yAsHx%HA@=bK#I!KdavH&wwE_zvo+MUqgQ~KooStfZMQ7T55qH9h?@_+qGftAfqL1Te6!#NS zID=2do8(Z{QN0NWBL|0{WQ3k$_@HZUx{AX$g}*9 zv7m_vEU<>1%d_168*m|_u_+FOdu+HVcfdKKMY%tb=APt9{vc@`cFp!eyG9Me(k4P*q_+1dmP87NYsw@WW6nCuJ zUo?!uCRA3My{VS0}ZZN|HO{8FzKwEU)yLJuxjfZ(u(g1y@Bc}F0awITD@`>TmO zR}x#p65K4w6-q%o-H0x$M(q*2OU4O|4>QQjcsxEvaIZgsOCAG%7{BlHaAMelCdG%{ z=4V{*m<#+ULUC5)Zjk-SIBBh?a!@BSeim#>e5EgPUgM*3o*)T{sWYDetyMbM2?1-^uixf(^xwgiajw}mYGGI ze)|5>kNW40#w0>@jAZzJ;WtV(wBwNA4!$f=v|jB62^;p%JpmxrkU@e(!imN{jW>2k zpO-!6jYciqv6`cprAd`)C`U*)npZtY?j!F8;tA>`fe=PMV*lpvqiaDLZS+CO0|$Ik zEFdyxeMqLP#6HQF1+1Yu++zga^l1Wyo!%`hh*D7{ph;f#`>&1lohr2$I<0oY2+g{#VhEi4bZy`;f~0h&C>hw*EehZjd!j>^%aGDw!DK zIdUhY>?`y&vgbTxu0(gO{xHYa|1RG*myievXgFT<3l9hcN@_~b*A{(NFA2e*Wt9X< z(8orFMp?dpFV9@^L7tvfG9}7#T&RgPY9gZHF}vgLm+?$+&uhZJa+>*#(+3Verd=R=qmL7xXp?-Sd{h^@D)f0nTIr>7@=J{OOr2A z+EeP!03A%Nnv=$bsOfb+=t~$ZC&zn(3Q&VAz(K~t2a$UpO3XvfKMX=1=r!N3J;g1& zTMA0$n-#GLji{aUo;8Wr=H|rm6@<^W6l+ALpHGSuy&g8HFc0e{i(KK)E=CvBg7h$t zF)t4!_T#W1@OEU<=&?wYn(-^_qmo2=GUAHGh2=AF3>SOwK*<;C5=BQePqv8rRV+Z@ zW&Jsfje0KU3e8`_LZmAO?6wmF;2eTrR0~bJ=g$)o?`E2lStGM(zF!O!XXo zZ_$xuyVp`YY|5o;VPaO`ghA&V2&cq3)*!V<2lA#IW{S7+$r@>p*qkYpOf0XfNdg*O z&>!{U0EnB7_|)turH*ZBGqWdt0c9+biM>X$V8lMZIizwlly^AY^#}yqSH}!IL0Fh` zd|{K|FZgR@(E$wBF^*u{gX4c$dVCTyVV0COW5B=u5`{=FrldF=p;*>+zx01LTX_k3 z8ZYE|OuUhnG^$VOfB2_tO!$1Uuo0kloA>4gXaTNfxFku?HP>c8{-);+LJldzvU4Om zBsoy)&s&oGOvTGXc@1CFrl(xw{>IC*O=91tml*fa1D&j%R1pYB_Qm+y>%d8X@$l~8 z-G+*{q&U(GF~mmnwmE6ZRsenpu0UX{0(6B1pn@HugkuHZNjd@${fmqBh6IbaZ|(X z7kN+~G)S1hEg|;46Z0D)tvt5>gBgIj0uRHWX90y>=2L=6~`co?Tl#dn}Ju<}s5v?<8E2xc+-E^(Sd} zcT*NqVjKIdL}EMn;01|6#$v^nO35HGD7^v(X&UmtJymNuXy=`&+@`qAGn#Ju@4M)& z1HM^s?_LC7LxJgE?U9X^04%J@&vcjeIhKpGPQGKjm} z0LoAzQ^ZPa#FOjTB=R!}{WD1owkAsHUQVZ4hZ&>vo~?~8W*qV>`*kOhNE6y6buoea z&_=Yr445cj!s5vnmHJH92)0Cp&5A8*BF#Ycu%)VoE;-_SVO>N`Gx6nt`Th2fC2C7BVBSYVVB5WTPe`Ug9~{2!yvhE-b)A&v$|ERCgWr5G zbhkLD@`hn&Uc!Q5EilBte>98x>6{mlTIjdz(ob9*1iimbsD|kGnnOy#Ly3hAdvM9I z6q9s8s1)Mv#z3QBC9bo$WOSO0_D}EKW>PmoC+D`5WbLotV>%+Kv)85P^Y9B;wEARl4TA#=4piGCsWEaB80!_ z9u}VqkWd5s+a>khd$^_r;V2=a)r{b>d!|t>A}FqV@|h z8KFL~fQdtHLO4Pbsa#Qx9@h8~H{reDUJ%C7i)J}`qlrvVdx&mN5DJj@HEis|^wU3d zpgs9Za=?kAiRmG9GPg{-rZSvV!)Dc2m6I0=Vm415<;lkSzHjB@3&zeptz=pX-=p{ zR4u>ZRpEnCgE>7~QJyKT``u9M1PN(`@cc$V5e-ORGei+r5Le!D2gQmbK64pG%;|uj z^!w7W4e(o{XbFLYY_}+zGbnFASs`(h?|(%vOC!$J(gy#9Vl;r@{};Vlg#RacpG|@7 zpC#FbqPIu8H%keV(4>QC1z*PMk;LJ%sNdz1t}^fv00L_`&u)W0dQ z-SdL8guSRCR8X#R%va&5{?U_GTr`Ai@PFiv6xecVof2F0oczm%`-xiWn~TN=^MW@y z^LJzUM{RNXp-?z#@qGZ(Z0UOi$1$EuL~)0t+t?mUFPYY(IocO7l*EO+oc41kYcFyi zfES)!vB%GQN7m8oyLlgqTlH^SQ9O`D-hiu6N?RT(xhLRN);0d6?5hrlY02K?c@dYIYW{^jMEHKUT=IQC~1MbR1AC zC>2ISiNG$nD~N*Rfp?fOFHi~TCTZG~ANFeS9>~THM`WbGe+9|Zo4x|+D7m;*gbw5- z>d01TsvHEh+5JoQ_R(%-_snoCscxltzXoMl-Bul0JMwi9dsw(Tv$T@0`Qdrsr!B$t zAY4;@zJ;em?&MZjE?UxaaeG+n7s|0cyFQOpQdx*WZIwD?r&i0M_8?Ob2Sw0AW{~=5 z57e2kKtagY?>AAT4g3SizpPDwv(faHJ?RM$t!Z}W+i|Wf-)IWfC#*?#s{09C<|Gos zc4+?dT3V5N;ijc+(-8rNPe2?*)L z2q`VX5~lhmD2NpwXT&<+U2{vKP-7KT&Xsy(6NG8`n=GOIO4^&BIo6DZl z@2}we$rQt{U#mrf*&JCU6TDsd9U-2xe%##`^at9qa|$wbKHz1VY)q_DiA19i z`n{43Q+z9PDKFK9JIRv*if53(wmM4^mk$M3BVtb5;|or=8EXTmmm;F!GK3nQKf=-+ z>;%}80hn_jCqop;`UrWO6HW<$Ka*|YDUhczk|q;dFQwgB>^@3=6>&jRI7Yc@%R5ti z$Il@}-4jc{Fw1W5^EhPl(dO?0_6<@M=mp zftql5<8$2{(-%XtZ#Zb+nVv)lBpHab=e5?Vkze-FTA@ z!&zdnL4=pfEt7mc#)W@$F(y!pI9!vI#)kNCj);mv^{rn_E&1}fHf-No$_DHCY-t#5mmah8nRLMSh5C|zInIuCZZaIab9{q2?4$d@-RC|N$Je(v_7RKMd%F>{$!nR zko@7se&ml7i+J(?2h}w-3K2fhLPkl_5=*_yK$+l85R(y78blmv{K)251eROWL?M{I zMOv5|F;|{Moj@coplI74WYa@Ne=coAM~VZW^5_7gK%GN+ar^>;xO6W?4pNFtz7_mM zDW$gw7-wWgFH;^MMRDBBc7{j{N`t@r?<+XpZFy2Hx`J~rT}o~2pm1;sS1b5dU@ZN~ z0b>eb|04uo%B*m{peq{$|Dbqah~|f6*^82Z5{!F5S=2y=F{LBe+`@o8vE3nJZ3&9l zoJ_r*{7GsZCrV0!akXRQuC8P|g1#+Zn7WEXf(m4_VaokMlv0@sGPYJi2&4ckhio7} z&??}nk@^n^A&c%|QIs_D@gA|d9t(6bsGqPH{pnQ*#5Z8@ED!&F{#2k?NhS9%P0JGN zmMTZXED`>RF})o1(9AE-ZXRR7@YqJedG60b4ghSwkRO3`iJRgfKv-<38NqDFws=5l zr^Mz_gSHTfaxgiY-1!BEEasK#U|Efz%w1M3rp(7LimLbsAl&zvBe`h*fXy#*ZLa1T zaP!?PEwWwv`GK#>ORC3uyHacLoAo~%istob=ZK9`cXzJ3AFNu%j0d)U89CsIAKtSVfLQ{$;qh9JM0Koc#k<)q$bK2gX{7%r@pQ1?gvQ5e1yyzBYB}Yq zvew5SJK(d;`yQ$MO7b2_Is}Zf51Ht*Mw;sOl@f`w8k(_38a#F~*rF0M8o^{rr&T;3 z)ts-`=9hLmTlV%rY$2y1`5@7dK!Y|VrGEqcYW)}er2WYKAL|Uf>?dkKo)cgcJCa`Fi__ zrCT`2JBThs6G8!@g(%dum-WE66Sm{GbNq0>Q@J&R$U}Th(V-}u^FuG(?LK zUl6jVnNG#KMgmSMU0hvcT}s_6zS0WzMw&)6sFkU(DQ)Aiz0n^JFF*K41XM4sr>(a- z|LBkIKkQ%aNB(RcOcXfImtWOKUiJ*&Mb-zX5c6zO~XwivLmpg)-USPG?TU? zwxjyI_o478K!Z#>=uhSK&~yoP5p~IR zsbL~u!+4B*fAiO9x?|rUVnSG732T7h^=n+hG)cmANlM9!qc#6@z}lQ1hp_Am{m*H4 z_TG-ChA$b@8^Lixue|7SQDFTkQZN6>2h)1ISKf__ii@+p!7TB3*Tyv0W+%z{FazHs zYTDy;W}Mw;#wuY+v>q|Shl+&osxfg-R)yi0=+ZKsx!}0h6~+wXfmg0Qn1-&li6i}? zRxsvN(VO3-*PN?Div!CNv$+p&h+{5Kzl@$rxEvctZGb2PWICPn6Hz~Sj7VN?9vX1eo~SFh-w`-DGo z7h82?>9hq%D`5~ve(Zu3tW~$T+@`gEN<#!HDxJ1Id*mWW!m;CW1Xf(V7JV= z2}`|C+URJ^UaKIG3z-NL6YC&L@8$Z6pyb&9-O|j zD1WyEDA{V)w$dmV5FYb=*jl{C<6XKenAbHhpe}WH%j-3WTD}v}TCg?8Ep-HhS^S*y z)~9U~6OXj`xh5l3csiR^duzL1^k_%RD^92$*-}^IafnNix~LXtST~cnl@$=Xb0KjF z{NT%-BtrQ4Wq8Bd)R}VSk@e(RQQjzRL0bOVKyiUVx1E&8DLg#*(`rHrCDUp&o}~JL zxagFj*~WSTF4tO3M~lv?|8IYN|G;#885+lVyVFlgczd?r`;LyQ%8uKHd~jud|D3Dk z6}8jT&bZB>yY|Gn27t*!jXzz+J`sFGkCq}}Q;5PN*vs+bHL6ITj}fVepO2tb5w4*8 zRM9hE;3jC4Ur(@2FC^~~IX`$PDWsJbQ)*b9#QgnH6G&LRUY*4(>#K=Yc7Ct3&O*LJ+>{DNi&IOF!+n2eBN)u=9?-9+-dqPc|n#e<{n<&3;{}xJ*)H-!U%cX?w<|EW`)G}axW5aIvBA;G~SCw{D3pfVO%6Jw(YNaTY zplaeQhAGq-R}-hJ1!|eZ=sar$GuNP0gEUpJ)TArB$;u`uPA1luE2bvkOg_k+;JWtuC+pq^YH>F@L~yQ}vKWrNgtR zR9!BnQK;s5)A5j3@Wp-6u)27!=KlKogL%%L00J*hLW0wvo>0Z~f{Di;vkyHCOi9RD^u&5@*99?;?9(U7r-Y|W1T!*)fD$M*$NJpk7~o|RmbG%_jS z1Lf6H7-D?X3K^p5XY;jV3Q8F3=9Y1L4pA>M4isyKCAgB7Vrb0Y)!|zVkth&R$0pkL zWYKudqa++WrA`yJBUrh4)=TOc#@g$JGG5Tfp3?j0SP8$iZQ4Q=b@Ttz-B-s%7IgWJ z0Rs$fgWKTl4udwXgWKTl?t{w!J-EBu;O?%2HBQ4IjW^o3KK9$)m)-roK+U1IJ4+q3Y9eF+oIW0i(PpG=UeC*HC>vADH z^{j6+%*6(3)lN=VZQfaOr6=VADc^+Dm6(gxl^xFf%5x5fZz`JSS08^66v8`MaeYJC zVYhA}m^?oex*|zYKdrcF&AeCk8`+uv%oWB^T5HWHQaV)Tq^A<2xqU~@rJ?|lwXREl zWw$7^rq|Q}&Aa+b{88p;iAparKQFLuO8=uiPs9~Yss@`A^w(ojMs7*Jm-QQ*pIDEPJvR5vfKk z6Mqb9%Vl;nansh{#d~EV+oYyfFLG9M(|;QJ6XZkZvZMC4wW$!*V%XZAYZ2O{p<4$X zyf((ni&lnr`Zix$?tT5}Q&$@celgvC*;&4Im`Nd>(HzsW(DxiL4D!i`G^I z_z97k;9%n1(zUbU{_k=bAXF z8r4-t!(i$)(-~3FE=eQV9cXg1zs`Fd;g2<(J>zg-5?_43m5RNFHhePkD=92qh8vJWMhp?g+&fk|*`CY~AFgmhArdY6auptf0MGIXyB_V&Xv> zF5E|ZRevIn70L%}FLAV?A?ovgeO1gO@R0z{Ex`=WMgaR>&HJ^17Q(249L#4EG=UaF z2-#`qo~FhdaWa8`;twQg1fH)fxN!%80AUnCc8;@=${xxbIFdACPYA4s(&asH0$Gq< z7a91QQKDnAKc_-(|Iz5`aiDo~$|tn^SGy-v^s>&VYWhI%M7-T@y!dqU(q zA-WP{^qybt3@=BLdnk3^18tE7>x9lmlmY?%ueZMX#}Wu|ha*{jUD9DA&My#fjZo`M zb~aHRXn_i!&4=x|>$s6d83>4lBjF?Qgh*_}B?JN#UvKyXg#G|rlc~l&|0LnV@`TuK z#JL0lCJ{(l(LEum8*$@-fZrcTWDo_Nxz0u!dngy*10QicAyON0f8PVap9JGcJikz$ zNt>fHXm?rkL42rf@3Ik*|8f|i3c3)Gw0;B@_EB0(GLRWu4xH0 zXAO6OCT;fWVHpm8ts=V{8A?Cy)VQp)+76>G&&Jjj9M>GLWE0mWW%b9_{_#(#dU)kP z{eJlIL8YDE%bly8fKFc{?&5+m`w#3E*mv{^od>+i`uZlvp9}W)Mhz*&OCocxlzu;^V&R23uAWU@^Rgr1^`{OPac2ZL zf5FduClC|2O3hw8o&EUeF>_;u?U!qDXGtJVI-_-;Iy6J$J*ku%$r(uv!cLb3xx(Kj znorB8OXkej-s|lJw{ik^LGSK^x(cgZ-EY%zXLv4|n2M<`vnFxIE%~Z)lP-m-@=0BH zwZv_#h^au{D_;rSNbcgeLAWcjtCj*!h4o`o4GI2v`VAS^(*{{4*PyreNvN~r{PF6CqT{h8%``l4B`HpT84l>4mNed;1Lcr(>xR7*Kd zbi^&b8D&n)sh@ZfCg=H<6tCRL`K^}Z2AC{Alk<}-nN}j2^0Pc88}NuF0O#e>*jW-5 z=jr|(LVre{l3N_OMY}557i>BpGbh+3qOZy(gM0Z{tgm!=hgV?(I^wY?9pb8+3`v>9!wdj;WG{MzUt!f#I4oU~bKiRM`C z+Ug>(=4*sxLU*yh^pf#)IYsXfd5Zv*J~lK^PanL<%fTR|g5 zX@uZH<}T4!XCblC)b1|2k}@aB%}hw!koydqVcl^{io~g-Q{ww+1n0Z~RExBPl z%Xo5Kl5N$?%3-(Wr6IzyN*6tr8O^eG7j^r{qM7Eh0`=%gT{x7^XOzd(;b{@jMfEV| zU)Sxci~8$yB+&U65o7pBo^vV@^WP*&h>vrjuVHLF=?L16C7+c4m*Fws4)0wg5ev;o zq;q^GW64OFb9yGTND>D`k56eb1sQ^OA$OOgN86qJ6T)+$3+p!A@o+BFqfQyeaV~l^ z_#H1YGVdIt$FMkR+G_AhJ+?!AR{&;g9;tH905b=~3qYovOCBXp;@fvfS~X7+9(LZ| zRS43ejrLze2+{*bw=Y5j>6Au67tw+YQ=_nppblD=(eaBY`8XcPDZ9dY;sLw3`B)`w zR2@W~PtKp(Vti_c$Vb>K@)AzGigdc%$zT@{lbs>-U#xV8L!Q-{U_J~e7dH7f_7r<5!1e) zzenAk0VZ8zI??dRXkU98UE6$yp11}$d9?a~DNopLLVU)AwzFMWS~bBH_T@f*I!~T= z*Bt{qK;R7fwpVgXFNk*b*;2jGFtXQh$M!nnX`#oMz;V|3r1xG2Y#r`2-($2Ls(-H9 z@%n?{@u&UdX?N|+|7Nx$!=No?)682NBT5ScV>5!-i6So|T0%0Pax;SPoFXnF3KB6O zaS{QEhC~fWIRh>vPNE?(ke?7B7>5qMRX~;1S?LS2vqPbBp<|(Rp=F_#shFv;sj8{7 zsjR8Bsg9{P1T+#oGBHv)ViC9Oc^^%z4UN9WQVW^PT{_JiYP@uPR;FQM#ydfuCz8>8}q-%y;_D*P4;9Ub&E_M3? zl^r&M`79|)SF^82hS@U`NA+&>l}??`4h*A#@t+gHPP#G%i4bua|HO|`3$J8-!@uKM zUziRs&OaiaCwfL{&0#i<;9f}xIrkOx7tmoF5E;m``||l}A7M?}o`V8F1U?T)40FmnzcXI4Y|IsxrJ53scQU-;*ctW`y#G`N&sPQ-q)8cP*;Xz}*Yn@on5>Gl z(qG>p9Buxs4$IkhJ9A*zsHzx$ad_oz(-i1rjs+dvR8<&r`CS?P7J6hrb6Ha{H1v8T z(enV$X%e#>GQ^Iy?55^d^Uk`?30G5IQDLP7XbVV|tS&0B47K-MmG*LHBuPOg!>Z#nK2#m?24y08b_h@B-WB=kTCD-r^I11H zN59ANjOU17Ps{)I;AtVOg?D)FSNCi-2)}82nO}GNDp_m0$}a>G2XSy}=SyRbUj7Qs zm%zbMR+gvL7X2VG5Q3CS2`?WJm5OEF`{M@&4vY&SdXb3D=!cBH&E&B?uu zkhMxln@@3xQdYU&by@jI7kwvl)$<{+l{ypmd{pUWjv?T=z;L&Lk67_0=VDUi)_i#{ zAlL)-0}`hbZ3XhK^!p%k?6hBLsxJHQYe$goMMWTQ&e4HHMsGezDE|6H`HR7{M-PJR zRrC2Okk}DPQl;!00fA(ZT7fb(SJ;?XLTT-s1ZPsZyaIrujL4chU2azpPZdTRef?#~ zkRm>EZdx@iO!|ElCKrZw{yc?E9PtW6{7+vMzVq8|3}8UEgah6{=$6_(MwM(u5cgBE zKQjNN&%Mz8Ea^U4E=}(|+sWo>Go>(zL&+;p=${9i-t2n z#EIrIK|uJ-M;T5T&9VI{DVlH_9uRuR!8_Dow9?}=lyM$LKa_JGjwSC?ER<==&rZCF zjWrh1XGI;27|bEBR7{g;cF#WJ7#nG^wHZ%=`mo7PI4ISR!<~GLwz%|x8^ylvz?NTd z$lo19u-Cuo)B1Oj2a?0W#0I<~GL)3qTnaNev*t23Sy0kN>3hS4<_*h+h>4aEalQWR zteERJ&VYFM6QeM`7)s$TOd4{QzRK@ZaeW$A{Tg)ZZLtY8V?#)ljuo|Vy3iB7UYwkI zriQ`EqW7*}jkVq&kI-kxV#^%OdN&BKC35Fx%!D;y*vV&17rVNwMB9sIfN&eA>?CzT z+zm{209Zq2Qwi|~(Ifoc<~zL*IY<28J?bs+i<|J@`W0H>nm19wp+08<;BbU9bdp{Z zPYT?~!TjcYkNlf_of(7~zzofdg-TZGb3naPv^s{GX`!h6iH0&&z4i)ky2$}}_oS~W`?Y?82z z;gKTdzGHQPin;Yputg(@bMA`NN(ZG)y_q1QsZ~SoS2VGpplgrPkNLLL2!$^kGWgDt zPYpG@CYUv^SQbcCvycW*QbHw%$klqq$&jJs$>a=gr{ai*V93(3Dv$imebNRonQX~_ zMVUWOosw%3nXCcqKZ8gqJfe?)aR@`#B}*D2N5*olR!UUg^*{Mf55_q613tt^d}EEZ z8jzq&xBSv8SWTl!=FOHmh$0px!IHdRByp)q>1|ab2{o^r(Qv1krQ|2TB#v2rfQp+A z37hAbbbe5w zkITv}I4cx_tmhW!_ghRjon|4zx{eFJ6Wb2y68seo_vv9d%%uuFikS;ZT}r0DA}7Df z`+6AsI!1Uo@EXfhNk=xC71}2*k=UXQY>xPHst(O8+S%K`KmDG}8d8@!LY92-t~Z*e?Tzn*1}=Oe zcjO{>ZZO7EUc1TEGm-lD(`U@%VUlMK{vS`RAF>9B0EGHI9YY`2dh~`cpJKHmv4#4f zVmO@x!UlMNH=hxmLO4H?lLtwx_tCyTWUOowC7+FB7jeZ5D4}C~3>N`pyWg?gUp8O= z$d6F>n%xa1Y(#kW@%frJ0$UYEx=U#FiE+p&_!aTTLUZFUqXmN#VRaIc5W*>y%5w?> z8^vM|kKWFrjoYy0wNkFYb1`+Vm_!ZwN8G5_j)*(^0h#IpGR{X__SX>+x9$US(FbI+ z56FB$p<^GA)j#5vV=#WB(JB?KQBL@thubT*xxV|P^&Wp-v4ODhZoHKYNlUq3)9O?5 zceIlYl(*AxhWglFz9JQxJSU9!8%#uko%42rr^#CmYYh_4wRnghQX!&39 zIMJAKMV|l=VX3r{sc57)w`lsftLStxwqRA7x<>Y2e`VevM@x;R+9-RD6YL4GZKK~J z4}GbmvX9gP@J&+oknF{6{D9H+=)oWDhQL0*p8sKN*$_nS2)&}&2!_4g2!}~bXwz1z z3uKmj^~ppFdXrfq2FTnKrODhAC!55ZA&BU^x8CYV#g#G?W?y2}QUjOQW*cXwu&2Vl z6I1m?(M!GEbNdtw^OnL;(c+otNnIFucT=^#v`1rXm=idZXGM#*Q-EXnekJxgKe!a> zDeQM%`#$1ON*JFcIKIJ2muJu}62ZbUQddpjV~DaIA%<3kgjTo>1KQ%WH$}hE`#8Vv zlyQD}5hEX$BuufTJVd4XaVaQ`7~UMhJP{uEUMGCIp3f6kzb1lqePC}~N_k}}mBa<++wV5fj0;QD@%r?0(Hm&*s zP4&C^>SzRiM2CrD%`P-Z6VBlJ>+&M+`!ZbN>BRr&{H(Ma*Cgg_l#Kd~Rg8RkzzGNa zOa8~MkN)a}3Sqy|;e~PqT!Wu&J)m!W{P8o2!;}lkWaji#vMsAD8EzsUCgz>4KAYjy z%PkezzHN_YGEJ#xVBONFd02iA6}?9HNfqkTa6aXY!g4Z>-TjjJZn&lqif~Q&5cxE* zPR_{RXK=8o#;N5}PfudDygG8HLn{FGRO;d+{ji!^Lle&|J6uSm>(x|B{yJ9h8eZ2O#t!Wdx06t5?IMfW49gvnV zp}kAtlGHj1HY2G^uG3&w(zekiOiP*2-KB&j-8r!YvC9mxrqlrR~F&!f5(6 zYW4c%#64;yym|yM-cM|JU;CEoc-Sq$&jI#>0qZ2)4aC0i>a(ioR&*4`Mu@dE0BD&!v`h?ICJQZ- zf|e;l%S54NGSKCaCAFVRY8gvv;Y(_Gs|v^mTzZ{}y9D||;d~C_K%9F)tCENYHL~MG zisNr{XZrY6;QjWM)FfZ=z-pl^GK2%TLMl)p6~nLO3E#-VO{$JiAd2nRBx|t)73##$ zQXyi6;n}BsPj6PC5Rx%`Cu%*H-*6Va+D_b=#58+Ed=`^QE_*u8*?NSN8L*udC%=}@ z%&|vPD3JJ8Q82naEl(z4znRl^s|*<1o5l)Z1IY@V~YIDJf zu!X`NxjAOF7ssW&MF=eXJLr`;d@I%w(7FvqJi+z|6By3gV|Gqyt4MXF=S9crsw-R*M)Q6B0 zY%O_Z#W_n3J@|pKzv}t6L+X?j;E}I)PUCylMOMx+A9E;rRcy?vQS^O|kZPjhi5}6# zDh5k<95{Lflu7ln$qeyoGo;SRiSK6pc_WT=Z-QxlNkCIMp7RBY<}a+cM-$X4#U;@atad-sjSw3h(1-M36n~rx5IO}e^ZXAEN-W6M{=TpZ`uN% zEaad^t47Jhve|j)b-(1V&cyZA_Z@iZDWb2-NBdnV>yc0kHb#*s0f%2{srfM1>+}N0AMm3mK7|%Y zN3p39{rJkJg25p)7$|FlL0hHPr&2xZU4*2!UhVoZ1ni zkxQn2M5lfi68Xl6;_LrE;>8s{)!%Hbe4fv8D0O%TC>!-x_cGW_Gz}SNiip^yLAISI zo|?39WGNR>m@83ODs7xwlvI^T9|nFMiv_ljg`7_4@~jjXTK+0iDo)hNC&LbfFEIU- zUrUSff~+Q=-Jw#D5Xq%O%ZTP&Rh#xWP1t}Sl zSo&2>w<)vGdkAKCnQ+M6G26@l$JSMh-HPKtj^TzQHy`5{uNGD^baRwrZb@QiMCSP{Y3GDB!MU7YK+~qXcawBtWEmIW}9Q^&cM2nMX&h!VJV` z?`cYgN>KJt8WO>Jo~@aC`ks%AYI395DXRh_gxoJ-3}f)yL-Q0JW%PvoNb6Io%Wo{1 z)OF%6+J`H?3c-qC;a8iaIKQ*jJ5C?kT8UHe7MYkiFDLf(T1r`I`uuzFPg6IixC=>9 zIxh~Lo(eS+2^$I5 z5|b2ew*&U`wZpyEIipS&GySI~g-J%20L*kktxK<~h(N2rjE0I`x^%+4nly}aW*`1i zx(2Am-=pm)-ehez?h4%{SQd$2x+w~dp;vn~t&9EIE|v*%<$}WT+Qrg3-h{J>e}?Jf zj9r-c{II4P1^6t*qH42V<3c;Mg*zjNmjO7Ho>Mk^!t^*S2^FP2ma8mMKD9kK4=_c&-#^4_I28gbX zmG0#*Yj}BH>Kzdg7+UbxT+Nib@$5$*T^v*;mluA4mZ>4n# zKxGZiR`&HQ?rAHDyJIuse?t!!35Yv$wLxa$@xac$J=?0An|msHH-Fvxy79Q#2ZTGN zFy}!Tg*}~pcmBVLI(O`_VoRUuMcv<;VM0Ic0t)5!Cyyyy8t>Ea3|RRJU5g(V46w%I@hb^chN`~zD=duc;CL;EmjyH|32-!^}N%Rx4QQTe0y^9`}!7* z@`n)o`&OZK*Lx)Re#D@y1nIf5-{j722I@=S=ay?mdY`rv?u#~aR5tmHN`l(NQkGH! zM`hRyS)!lnkvTSFy7W@*x3}49!^qE{;?J~Eg8e$4F>#{8fos!eC1(J2SvrJ*IRj~bJRmQ7~^+ydM0-*V%Rrf{JM7PpqQ=(99>67LzkzrJ!~ zTB%xz`-lY-IawzVqHb^U5M5|F=iu(9AJz9Cb5lR_tir{5|5}w*rD8GMM%U~(1~rc0BbUM?L7sc7`>e_G3O zT{$~mB4_2R-#Xb`W1psNdP0+=sZ0hk>UlaV01Invjd>?_S6)SSba>`}5myd$QjK7` z6&10ww0PE58bPCw=FS2a?i=v7JDai2qEj2HgCH)p={VAZ;+naBhwaY!mF6dpULT7sNHy!TS`zBI49MT*&0Xo9%vjmo;KmAUWuNwI?(`=^(rSIJg|q96XfGp}?FN zMoZJ^a5}w3&{?%O@d24ye7jYfx4yBE>MXV&Bl7Jzodl1HQ{t}uefI~gw^?c&7l5_V%hC=-CJc3=+H!kRuR_-?`=ib zX7?{OrD)g^TR3lASHwB#zMGZ()4>k`SWA4kNLuD9DWb!lYI7&>PCj_u>i&c4^sbVp z@FasCSqRrdOvbAKRo7(BTuN&1CXW~w3~EbdU5IPq@;S4y#B|Iri`2?+h`&3sKVk6A zO>4n9?QO?t!RA$P+|Nl)-m1QjySh4=ac; zooRir`QbhxHM{|`=CxS8D#+E_wizNGj`}o@Xre}#MR#0+DluKGpye#xO%-NB9QdGL zAwC`hWHF2JD&`clvz&fxTH%uB@V}fdO$*I=U>fhXu|Ll{8Vq&oHS@!6KGwP7Y&Q=S zbq1n27_7%nc!j+FOlECsWrB%&Hh|Ho}0)jCMeRlS!<;;_``X# zEDji~C`gF6sMn9xcDL=GT=(t^HdEg;_ql26ShhLRIR2WD}V>x;|eo&R!hiZ9?(&DR+i!4GREw0X8AFE2%e+#>-_vW=DG@ghpI5 zZI2^6N|E^tX1@syvk$5Yiu9gOw07xnq;Brz6CN^B+%A0^wC8O{&M@|2wpdw!Uv=Jfv#-DnsIq>GsuO7ln%fH~99_=q_`OhMUr+;^4gFYz`u zy*w{lv?%euTWa^i#RT_ZxA^y=AKJ#f3^fU9Gy!;oqz(a#)uh;EgpZM!H4)sZwyP zq;JnP|7U0ZL5?I=!9OGGY35w!<-Dwok4KJwoe|$~yGIo#^dLBkKdhUv3x~DbO6H`d z;tGD7tMdsViwHy^e>|~722>-p@5s7u;A(SumNKncxI|^B)9H$IfbB0p*h6#ItSCvx zP8$6hgwJ>G{Iw?@sE4J>PVs$pYq!HoflA2W3-A$1g@zP?gj@GOSgg?LOkV%-?;>}M zHV$);ux1~rMLjhP2iejKI>#3XZy*&~Z{dFpyOMKX+1jgP^S86DDwx8pdLprJ{#M*M zo8?Kv*^)MFd^a@o=8E{2R7qEj-P)fmbC}1I+=g1XZh_L;`Quxkc+w9|+1=w#e&L9G zJ}^?dv$G36-}``2A**1ue99N4n!Q&#D*w>j2~y=-yf-)^6uK%4kck+z=LEa)N#58I z0#F}#ylyvh#@7CMsEgc>(K<&X1iljgO7W@TTR{`30x_NTU~;K=*T14_4O&gJ*Lvw| zK1)UOjkELW@bU9v^JEf%u)vxS9+5gfEA4m(wSD8G`{`Nc3bVfbmA|0H?w03ZY{FEg z%;|n21jvdy z+qMO^6kSy#o0f}1@m}iv9}eL^0T&nbo}kEU8lPgjTjhdv`Ke>b#WCJ>*ZOm%^LB+j zJgIJ1Wykk}_GZTJt5V)$EM1g>WfMD{!IdLZTP7=YqXp(^EeoSr&aSPUO47HoRHALH zr9@nY)!y^f+BXUuo87W+cDT@O0eqd@u}nGuhpjVZ$s#%A@X$@M-q9 z;PNC#;bXsd%-X`W&sgtYr;px!NKUPIdFv+h!swM%P;7K`6-Pio-XJk9Fv4wWWXXxzjh8!=r9 zm}f^W)gJz7HM>PGdwtb@ZgO|)c+Hz?AFya)-r(zQ0PaXwo#qTZd+KCSaI7V9PV_O| zC{B$tXy#?J8u&w#%?C^Qv~{loZv~KCV&N0uo*rxQ2C@HHdCS`YK`7}!wN}7;u4!O3@VsxX0cQ@PJ8=PY#JRq)c4mSFmIW3 ztIhDuH+vfOyXWW)p>mF7N%}WDOoI;hu-?3)Djchf`}j%n?W>%&KlBFc3f?9wifEl2 zq&$_vIvqvzaR%&IBHlkrr{^cxB7bK8isP8mhuFjK=n}E-RG3Ap4xLb<3%xP%PZX?nq zbli@jwVUMTm(ggvP4_aDYERL*E0_A6_&k6TFAjssoiy?h&6c|!LkQ8f^oqN=vr`Nk zy(}#)Zjj5mbQRXe>IXAerK?Kb+*U>gn0&hyue|k(ZYMiJsy_d-zDuTwK4W@SH;qIP zT}B%}PJmXiU2)e%mE_{PU69@}dczX6(-PA;j;K6x$a*w{O3mU4gVas!iq^ZIvBh*z zBzSC#BQtXRQK7*G=Bv=lQd7d5Xi@O_sn*{W%*7nJ6PQ(3^M?{tG zk{9f@(GrpY>$Le>$TXQqZP%`9N+XL|B8aK)S;4hj>4h?te2O7+_e!E^a zI*flkmyi7OiS(49^YWnBd8!{c=36o4dF=P1EN&qip5oGT`t5a_&K#R0DEUFY`Vm`; zwA1N25bFY0AHe}gn@#2K@r|ytbghPho&}~g!w9gb@9!QSK{8hcAaE0^bGBuGdR-3j zbvtABm<72gSgHKH;^xV>A1L7sKe3ExUkfryD{7Y&KKPGZEds~XNz)RXJTgcB?EHME zKM*c3ROM51F*bHWT|f=9NVj4fFHS#SPF(jOlz}WKemXUNK32H20A7m!$eW&)K<@K8 z9%53t_rv{o=HM?NHl9>l;g$ruUYc2H=i|M46c;Z%RA@cSiUalAJzOL_y8g9oyMsI_ zrBZRm9o`|l`T%gv zLpYCD=*O9Q+pzuuGp}eN${7egwtX&&_mi_M-}}rzAnjr; z^717qBv5Fs{fnKZ*bAK6hbMRxBr|(c7guL9BfEcy4#w6fNbIa+tYrU?1O-{Xc{!S~ zXsMc+v#42ln~|}zvS{j(v5|3-vFnqus5&^fzD`)lR9R%~%^k>i|6P>O6=W6X;N)Q! zmy#4`DQQ2filcsiSz zqad-8v9rC7|JnG+xVgAExXAwP%6~LA9nX(Erx{iyr5zrT>ZX zu(JOX#>>t3KQT5o*4Oy|cYA!SZ2!E*zhVFEGuyww*#8B_@h>pWe}QrR3yk|;U_Aef zy+-7J_{Yb?@lWyN Date: Sat, 22 Apr 2023 23:04:50 -0700 Subject: [PATCH 15/25] create a draw_net method (refactor piece of code) --- .../graphics_v4.py | 78 ++++++++++--------- 1 file changed, 43 insertions(+), 35 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index a05c6d8..9f660ec 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -238,41 +238,49 @@ def draw_cloud(x, y): pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) #net - pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) + def draw_net(x, y): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + + i = 0 + while (i < 34): + draw_net(325, 341) + i += 1 + + # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) + # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) + # pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) + # pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) + # pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) + # pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) + # pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) + # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) + # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) + # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) + # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) + # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) + # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) + # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) + # pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) + # pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) + # pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) + # pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) + # pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) + # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) + # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) + # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + # pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) + # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) + # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + # pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) + # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) + # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) + # pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) + # pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) + # pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) + # pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) #net part 2 pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) From 2c4721dc4bd47efe9ae62e7dde2ff49160013ccc Mon Sep 17 00:00:00 2001 From: tiff178 Date: Sat, 22 Apr 2023 23:24:10 -0700 Subject: [PATCH 16/25] create draw_net2 (refactoring( --- .../graphics_v4.py | 110 ++++++++++-------- 1 file changed, 60 insertions(+), 50 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index 9f660ec..4b96df5 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -237,60 +237,70 @@ def draw_cloud(x, y): pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - #net - def draw_net(x, y): - pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + # #net + # def draw_net(x, y): + # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) + + # i = 0 + # while (i < 34): + # draw_net(325, 341) + # i += 1 + + pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) + pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) + pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) + pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) + pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) + pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) + pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) + pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) + pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) + pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) + pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) + pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) + pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) + pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) + pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) + pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) + pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) + pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) + pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) + pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) + pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) + pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) + pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) + pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) + pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) + pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) + pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) + pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) + pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) + pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) + + # net part 2 + def draw_net2(x, y): + pygame.draw.line(screen, WHITE, [320, 140], [x+2, y-2], 1) i = 0 - while (i < 34): - draw_net(325, 341) + while (i < 8): + draw_net2(324, 216) i += 1 - # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - # pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - # pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - # pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - # pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - # pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - # pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - # pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - # pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - # pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - # pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - # pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - # pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - # pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - # pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - # pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - # pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) - - #net part 2 - pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) - pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) - pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) - pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) - pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) - pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) - pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) - pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) + # net part 2 + # pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) + # pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) #net part 3 pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) From 8dc552ae8266bec7b24013ea8da2d8eeed78f317 Mon Sep 17 00:00:00 2001 From: tiff178 Date: Sat, 22 Apr 2023 23:31:47 -0700 Subject: [PATCH 17/25] changes --- .../major league soccer animation/graphics_v4.py | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index 4b96df5..3ace503 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -287,10 +287,8 @@ def draw_cloud(x, y): def draw_net2(x, y): pygame.draw.line(screen, WHITE, [320, 140], [x+2, y-2], 1) - i = 0 - while (i < 8): + for i in range(8): draw_net2(324, 216) - i += 1 # net part 2 # pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) From 709ef6eaaa4ac58ba7a91c666867376deae4f3da Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sat, 22 Apr 2023 23:36:40 -0700 Subject: [PATCH 18/25] testing master sync again --- README.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/README.md b/README.md index 6cef0f6..4b35f42 100644 --- a/README.md +++ b/README.md @@ -3,3 +3,5 @@ Member Names: Tiffany Truong, Katie Pham, Zoey Nguyen hi! hello + +test again.... \ No newline at end of file From 7ae08c154b4fa5a020a7ea33fe9db275e7f944da Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sun, 23 Apr 2023 00:27:10 -0700 Subject: [PATCH 19/25] refactored net2 (works!) --- .../major league soccer animation/graphics_v4.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index 3ace503..4f86c4a 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -242,6 +242,7 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) + # i = 0 # while (i < 34): # draw_net(325, 341) @@ -284,11 +285,10 @@ def draw_cloud(x, y): pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) # net part 2 - def draw_net2(x, y): + y = 216 + for x in range (324, 338, 2): pygame.draw.line(screen, WHITE, [320, 140], [x+2, y-2], 1) - - for i in range(8): - draw_net2(324, 216) + y -= 2 # net part 2 # pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) From 6658c2f611af483e5ff9b886a205c3ac357e31a3 Mon Sep 17 00:00:00 2001 From: tiff178 Date: Sun, 23 Apr 2023 00:29:44 -0700 Subject: [PATCH 20/25] test again --- README.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index 4b35f42..9559b12 100644 --- a/README.md +++ b/README.md @@ -4,4 +4,5 @@ Tiffany Truong, Katie Pham, Zoey Nguyen hi! hello -test again.... \ No newline at end of file +test again.... +plz work \ No newline at end of file From c120150ba3474734191dd46d593f22325cda34b5 Mon Sep 17 00:00:00 2001 From: tiff178 Date: Sun, 23 Apr 2023 13:46:53 -0700 Subject: [PATCH 21/25] net part 3 refactored in graphicsv4! --- .../graphics_v4.py | 22 ++++++++++++------- 1 file changed, 14 insertions(+), 8 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index 4f86c4a..b88772b 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -301,14 +301,20 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) #net part 3 - pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) - pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) - pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) - pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) - pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) - pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) - pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) - pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) + x = 476 + for y in range(216, 202, -2): + pygame.draw.line(screen, WHITE, [480, 140], [x-2, y-2], 1) + x -= 2 + + #net part 3 + # pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) + # pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) #net part 4 pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) From 4c3b720a406ed405ccba444ce5a840f88fabfcea Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sun, 23 Apr 2023 14:11:47 -0700 Subject: [PATCH 22/25] refactor vertical lines on middle left of the net --- .../graphics_v4.py | 78 ++++++++++--------- 1 file changed, 42 insertions(+), 36 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index b88772b..d5e4a53 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -237,7 +237,7 @@ def draw_cloud(x, y): pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - # #net + #net # def draw_net(x, y): # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) @@ -248,41 +248,47 @@ def draw_cloud(x, y): # draw_net(325, 341) # i += 1 - pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) + # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) + # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) + # pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) + # pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) + # pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) + # pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) + # pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) + # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) + + # net part 1 (middle left vertical lines) + y = 338 + for x in range(320, 360, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) + # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) + # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) + # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) + # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) + # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) + # pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) + # pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) + # pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) + # pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) + # pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) + # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) + # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) + # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + # pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) + # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) + # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + # pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) + # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) + # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) + # pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) + # pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) + # pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) + # pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) # net part 2 y = 216 From 0bb6f5f3a083eecfd758f37f849ba7dbceaf9894 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sun, 23 Apr 2023 14:54:30 -0700 Subject: [PATCH 23/25] refactoring parts of net part 1 middle vert lines --- .../graphics_v4.py | 36 +++++++++++++------ 1 file changed, 26 insertions(+), 10 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index d5e4a53..a19c220 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -241,12 +241,6 @@ def draw_cloud(x, y): # def draw_net(x, y): # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) - - - # i = 0 - # while (i < 34): - # draw_net(325, 341) - # i += 1 # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) @@ -258,14 +252,22 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) # net part 1 (middle left vertical lines) - y = 338 - for x in range(320, 360, 5): - pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) - y += 3 + # y = 338 + # for x in range(320, 360, 5): + # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + # y += 3 + + y = 361 + for x in range(360, 376, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 + # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) + for x in range(376, 420, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) @@ -277,11 +279,25 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + + + # pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) + + # y = 423 + # for x in range(424, 440, 4): + # pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + # y += 4 + # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) # pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + + # y = 420 + # for x in range(420, 440, 4): + # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) + # y += 3 # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) From 87429806e81570ecfc604e08b64a8685b40a4408 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sun, 23 Apr 2023 15:25:26 -0700 Subject: [PATCH 24/25] finished refactoring all vertical lines of middle part of net --- .../graphics_v4.py | 144 +++++++----------- 1 file changed, 57 insertions(+), 87 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index a19c220..cdc6f0c 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -6,19 +6,16 @@ # Initialize game engine pygame.init() - # Window SIZE = (800, 600) TITLE = "Major League Soccer" screen = pygame.display.set_mode(SIZE) pygame.display.set_caption(TITLE) - # Timer clock = pygame.time.Clock() refresh_rate = 60 - # Colors ''' add colors you use as RGB values here ''' RED = (255, 0, 0) @@ -53,7 +50,6 @@ def draw_cloud(x, y): pygame.draw.ellipse(SEE_THROUGH, cloud_color, [x + 20, y + 8, 10, 10]) pygame.draw.rect(SEE_THROUGH, cloud_color, [x + 6, y + 8, 18, 10]) - # Config lights_on = True day = True @@ -121,16 +117,12 @@ def draw_cloud(x, y): for s in stars: pygame.draw.ellipse(screen, WHITE, s) - - - pygame.draw.rect(screen, field_color, [0, 180, 800 , 420]) pygame.draw.rect(screen, stripe_color, [0, 180, 800, 42]) pygame.draw.rect(screen, stripe_color, [0, 264, 800, 52]) pygame.draw.rect(screen, stripe_color, [0, 368, 800, 62]) pygame.draw.rect(screen, stripe_color, [0, 492, 800, 82]) - '''fence''' y = 170 for x in range(5, 800, 30): @@ -150,13 +142,10 @@ def draw_cloud(x, y): pygame.draw.ellipse(screen, WHITE, [520, 50, 40, 40]) pygame.draw.ellipse(screen, sky_color, [530, 45, 40, 40]) - - for c in clouds: draw_cloud(c[0], c[1]) screen.blit(SEE_THROUGH, (0, 0)) - #out of bounds lines pygame.draw.line(screen, WHITE, [0, 580], [800, 580], 5) #left @@ -183,7 +172,6 @@ def draw_cloud(x, y): pygame.draw.rect(screen, BLACK, [300, 40, 200, 90]) pygame.draw.rect(screen, WHITE, [302, 42, 198, 88], 2) - #goal pygame.draw.rect(screen, WHITE, [320, 140, 160, 80], 5) pygame.draw.line(screen, WHITE, [340, 200], [460, 200], 3) @@ -201,47 +189,42 @@ def draw_cloud(x, y): pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) - #lights + #lights for pole 1 (refactored) pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) - pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) + for x in range(90, 190, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 40, 20, 20]) pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) - pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) + for x in range(90, 190, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 20, 20, 20]) pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) #light pole 2 pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) - #lights - - + #lights for pole 2 (refactored) pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) - pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) + for x in range(570, 670, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 40, 20, 20]) pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) - pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) + for x in range(570, 670, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 20, 20, 20]) pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - #net - # def draw_net(x, y): - # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) - # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) - + #net part 1 (middle left vertical lines) + y = 338 + for x in range(320, 360, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + + # net part 1 (middle of the middle vertical lines) + y = 361 + for x in range(360, 376, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 + for x in range(376, 420, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) + # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) # pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) @@ -250,24 +233,10 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) # pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - - # net part 1 (middle left vertical lines) - # y = 338 - # for x in range(320, 360, 5): - # pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) - # y += 3 - - y = 361 - for x in range(360, 376, 4): - pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) - y += 4 - # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - for x in range(376, 420, 4): - pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) @@ -279,25 +248,25 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + + pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - - - # pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - - # y = 423 - # for x in range(424, 440, 4): - # pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) - # y += 4 + y = 423 + for x in range(424, 436, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - # pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - # y = 420 - # for x in range(420, 440, 4): - # pygame.draw.line(screen, WHITE, [x+4, 140], [y+3, 200], 1) - # y += 3 + pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) + + y = 438 + for x in range(440, 475, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) @@ -339,32 +308,36 @@ def draw_cloud(x, y): # pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) #net part 4 - pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) - pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) - pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) - pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) - pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) - pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) - pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) - pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) - pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) + # pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) + # pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) + # pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) + # pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) + # pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) + # pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) + # pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) + # pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) + # pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) + # pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) + # pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) + # pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) + # pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) + # pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + for y in range(144, 176, 4): + pygame.draw.line(screen, WHITE, [324, y+4], [476, y+4], 1) pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) - pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) - pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) - pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) - pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + for y in range(176, 196, 4): + pygame.draw.line(screen, WHITE, [335, y+4], [465, y+4], 1) + #stands right pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) pygame.draw.polygon(screen, WHITE, [[680, 180], [800, 100], [800, 290]]) - #stands left pygame.draw.polygon(screen, RED, [[120, 220], [0, 340], [0, 290], [120, 180]]) pygame.draw.polygon(screen, WHITE, [[120, 180], [0, 100], [0, 290]]) #people - #corner flag right pygame.draw.line(screen, BRIGHT_YELLOW, [140, 220], [135, 190], 3) pygame.draw.polygon(screen, RED, [[132, 190], [125, 196], [135, 205]]) @@ -383,14 +356,11 @@ def draw_cloud(x, y): #pygame.draw.arc(screen, ORANGE, [100, 100, 100, 100], 0, math.pi/2, 1) #pygame.draw.arc(screen, BLACK, [100, 100, 100, 100], 0, math.pi/2, 50) - # Update screen (Actually draw the picture in the window.) pygame.display.flip() - # Limit refresh rate of game loop clock.tick(refresh_rate) - # Close window and quit -pygame.quit() +pygame.quit() \ No newline at end of file From 0f26c2c9c6997fa52e3b4dc1cc5640a5e4039225 Mon Sep 17 00:00:00 2001 From: Katie Pham Date: Sun, 23 Apr 2023 15:47:43 -0700 Subject: [PATCH 25/25] completed refactoring lights + net graphics_v1 --- .../graphics_v1.py | 151 +++++++----------- .../graphics_v4.py | 79 +-------- 2 files changed, 64 insertions(+), 166 deletions(-) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v1.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v1.py index 4dc632d..5555313 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v1.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v1.py @@ -132,114 +132,83 @@ pygame.draw.rect(screen, GRAY, [150, 60, 20, 140]) pygame.draw.ellipse(screen, GRAY, [150, 195, 20, 10]) - #lights + #lights for pole 1 (refactored) pygame.draw.line(screen, GRAY, [110, 60], [210, 60], 2) - pygame.draw.ellipse(screen, light_color, [110, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 40, 20, 20]) + for x in range(90, 190, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 40, 20, 20]) pygame.draw.line(screen, GRAY, [110, 40], [210, 40], 2) - pygame.draw.ellipse(screen, light_color, [110, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [130, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [150, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [170, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [190, 20, 20, 20]) + for x in range(90, 190, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 20, 20, 20]) pygame.draw.line(screen, GRAY, [110, 20], [210, 20], 2) #light pole 2 pygame.draw.rect(screen, GRAY, [630, 60, 20, 140]) pygame.draw.ellipse(screen, GRAY, [630, 195, 20, 10]) - #lights - - + #lights for pole 2 (refactored) pygame.draw.line(screen, GRAY, [590, 60], [690, 60], 2) - pygame.draw.ellipse(screen, light_color, [590, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 40, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 40, 20, 20]) + for x in range(570, 670, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 40, 20, 20]) pygame.draw.line(screen, GRAY, [590, 40], [690, 40], 2) - pygame.draw.ellipse(screen, light_color, [590, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [610, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [630, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [650, 20, 20, 20]) - pygame.draw.ellipse(screen, light_color, [670, 20, 20, 20]) + for x in range(570, 670, 20): + pygame.draw.ellipse(screen, light_color, [x + 20, 20, 20, 20]) pygame.draw.line(screen, GRAY, [590, 20], [690, 20], 2) - #net - pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) + #net part 1 (middle left vertical lines) + y = 338 + for x in range(320, 360, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + + # net part 1 (middle of the middle vertical lines) + y = 361 + for x in range(360, 376, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 + for x in range(376, 420, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) + #net part 1 (middle left vertical lines) + y = 338 + for x in range(320, 360, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + + # net part 1 (middle of the middle vertical lines) + y = 361 + for x in range(360, 376, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 + for x in range(376, 420, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) - pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) + y = 423 + for x in range(424, 436, 4): + pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) + y += 4 pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) - pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) - - #net part 2 - pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) - pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) - pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) - pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) - pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) - pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) - pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) - pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) - + y = 438 + for x in range(440, 475, 5): + pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) + y += 3 + + # net part 2 + y = 216 + for x in range (324, 338, 2): + pygame.draw.line(screen, WHITE, [320, 140], [x+2, y-2], 1) + y -= 2 + #net part 3 - pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) - pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) - pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) - pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) - pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) - pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) - pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) - pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) - + x = 476 + for y in range(216, 202, -2): + pygame.draw.line(screen, WHITE, [480, 140], [x-2, y-2], 1) + x -= 2 + #net part 4 - pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) - pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) - pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) - pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) - pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) - pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) - pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) - pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) - pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) + for y in range(144, 176, 4): + pygame.draw.line(screen, WHITE, [324, y+4], [476, y+4], 1) pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) - pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) - pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) - pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) - pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + for y in range(176, 196, 4): + pygame.draw.line(screen, WHITE, [335, y+4], [465, y+4], 1) #stands right pygame.draw.polygon(screen, RED, [[680, 220], [800, 340], [800, 290], [680, 180]]) diff --git a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py index cdc6f0c..39436b3 100644 --- a/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py +++ b/Intro to Pygame Graphics/major league soccer animation/graphics_v4.py @@ -224,31 +224,7 @@ def draw_cloud(x, y): y += 4 for x in range(376, 420, 4): pygame.draw.line(screen, WHITE, [x+4, 140], [x+4, 200], 1) - - # pygame.draw.line(screen, WHITE, [325, 140], [341, 200], 1) - # pygame.draw.line(screen, WHITE, [330, 140], [344, 200], 1) - # pygame.draw.line(screen, WHITE, [335, 140], [347, 200], 1) - # pygame.draw.line(screen, WHITE, [340, 140], [350, 200], 1) - # pygame.draw.line(screen, WHITE, [345, 140], [353, 200], 1) - # pygame.draw.line(screen, WHITE, [350, 140], [356, 200], 1) - # pygame.draw.line(screen, WHITE, [355, 140], [359, 200], 1) - # pygame.draw.line(screen, WHITE, [360, 140], [362, 200], 1) - # pygame.draw.line(screen, WHITE, [364, 140], [365, 200], 1) - # pygame.draw.line(screen, WHITE, [368, 140], [369, 200], 1) - # pygame.draw.line(screen, WHITE, [372, 140], [373, 200], 1) - # pygame.draw.line(screen, WHITE, [376, 140], [377, 200], 1) - # pygame.draw.line(screen, WHITE, [380, 140], [380, 200], 1) - # pygame.draw.line(screen, WHITE, [384, 140], [384, 200], 1) - # pygame.draw.line(screen, WHITE, [388, 140], [388, 200], 1) - # pygame.draw.line(screen, WHITE, [392, 140], [392, 200], 1) - # pygame.draw.line(screen, WHITE, [396, 140], [396, 200], 1) - # pygame.draw.line(screen, WHITE, [400, 140], [400, 200], 1) - # pygame.draw.line(screen, WHITE, [404, 140], [404, 200], 1) - # pygame.draw.line(screen, WHITE, [408, 140], [408, 200], 1) - # pygame.draw.line(screen, WHITE, [412, 140], [412, 200], 1) - # pygame.draw.line(screen, WHITE, [416, 140], [416, 200], 1) - # pygame.draw.line(screen, WHITE, [420, 140], [420, 200], 1) - + pygame.draw.line(screen, WHITE, [424, 140], [423, 200], 1) y = 423 @@ -256,72 +232,25 @@ def draw_cloud(x, y): pygame.draw.line(screen, WHITE, [x+4, 140], [y+4, 200], 1) y += 4 - # pygame.draw.line(screen, WHITE, [428, 140], [427, 200], 1) - # pygame.draw.line(screen, WHITE, [432, 140], [431, 200], 1) - # pygame.draw.line(screen, WHITE, [436, 140], [435, 200], 1) - pygame.draw.line(screen, WHITE, [440, 140], [438, 200], 1) y = 438 for x in range(440, 475, 5): pygame.draw.line(screen, WHITE, [x+5, 140], [y+3, 200], 1) y += 3 - - # pygame.draw.line(screen, WHITE, [445, 140], [441, 200], 1) - # pygame.draw.line(screen, WHITE, [450, 140], [444, 200], 1) - # pygame.draw.line(screen, WHITE, [455, 140], [447, 200], 1) - # pygame.draw.line(screen, WHITE, [460, 140], [450, 200], 1) - # pygame.draw.line(screen, WHITE, [465, 140], [453, 200], 1) - # pygame.draw.line(screen, WHITE, [470, 140], [456, 200], 1) - # pygame.draw.line(screen, WHITE, [475, 140], [459, 200], 1) # net part 2 y = 216 for x in range (324, 338, 2): pygame.draw.line(screen, WHITE, [320, 140], [x+2, y-2], 1) y -= 2 - - # net part 2 - # pygame.draw.line(screen, WHITE, [320, 140], [324, 216], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [326, 214], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [328, 212], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [330, 210], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [332, 208], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [334, 206], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [336, 204], 1) - # pygame.draw.line(screen, WHITE, [320, 140], [338, 202], 1) - - #net part 3 + + # net part 3 x = 476 for y in range(216, 202, -2): pygame.draw.line(screen, WHITE, [480, 140], [x-2, y-2], 1) x -= 2 - - #net part 3 - # pygame.draw.line(screen, WHITE, [480, 140], [476, 216], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [474, 214], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [472, 212], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [470, 210], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [468, 208], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [466, 206], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [464, 204], 1) - # pygame.draw.line(screen, WHITE, [480, 140], [462, 202], 1) - - #net part 4 - # pygame.draw.line(screen, WHITE, [324, 144], [476, 144], 1) - # pygame.draw.line(screen, WHITE, [324, 148], [476, 148], 1) - # pygame.draw.line(screen, WHITE, [324, 152], [476, 152], 1) - # pygame.draw.line(screen, WHITE, [324, 156], [476, 156], 1) - # pygame.draw.line(screen, WHITE, [324, 160], [476, 160], 1) - # pygame.draw.line(screen, WHITE, [324, 164], [476, 164], 1) - # pygame.draw.line(screen, WHITE, [324, 168], [476, 168], 1) - # pygame.draw.line(screen, WHITE, [324, 172], [476, 172], 1) - # pygame.draw.line(screen, WHITE, [324, 176], [476, 176], 1) - # pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1) - # pygame.draw.line(screen, WHITE, [335, 184], [465, 184], 1) - # pygame.draw.line(screen, WHITE, [335, 188], [465, 188], 1) - # pygame.draw.line(screen, WHITE, [335, 192], [465, 192], 1) - # pygame.draw.line(screen, WHITE, [335, 196], [465, 196], 1) + # net part 4 for y in range(144, 176, 4): pygame.draw.line(screen, WHITE, [324, y+4], [476, y+4], 1) pygame.draw.line(screen, WHITE, [335, 180], [470, 180], 1)