From ddb176734fcb42a2ea5ad6c7c6dc099e7ffe4a79 Mon Sep 17 00:00:00 2001 From: Martin Henz Date: Sun, 8 Oct 2023 11:28:46 +0800 Subject: [PATCH] scrabble: include all words (#252) * adding all scrabble words * scrabble_words contains all scrabble words * linting{ --- src/bundles/csg/functions.ts | 1772 +- src/bundles/scrabble/__tests__/index.ts | 12 +- src/bundles/scrabble/functions.ts | 105268 ++++++++++++++++++++- src/bundles/scrabble/index.ts | 5 +- 4 files changed, 106132 insertions(+), 925 deletions(-) diff --git a/src/bundles/csg/functions.ts b/src/bundles/csg/functions.ts index 41b600930..277409534 100644 --- a/src/bundles/csg/functions.ts +++ b/src/bundles/csg/functions.ts @@ -1,886 +1,886 @@ -/** - * The CSG module enables working with Constructive Solid Geometry in the Source - * Academy. Users are able to program colored 3D models and interact with them - * in a tab. - * - * The main objects in use are called Shapes. Users can create, operate on, - * transform, and finally render these Shapes. - * - * There are also Groups, which contain Shapes, but can also contain other - * nested Groups. Groups allow many Shapes to be transformed in tandem, as - * opposed to having to call transform functions on each Shape individually. - * - * An object that is either a Shape or a Group is called an Operable. Operables - * as a whole are stateless, which means that passing them into functions does - * not modify the original Operable; instead, the newly created Operable is - * returned. Therefore, it is safe to reuse existing Operables after passing - * them into functions, as they remain immutable. - * - * When you are done modeling your Operables, pass them to one of the CSG - * rendering functions to have them displayed in a tab. - * - * When rendering, you may optionally render with a grid and/or axes displayed, - * depending on the rendering function used. The grid appears on the XY-plane - * with white lines every 1 unit of distance, and slightly fainter lines every - * 0.25 units of distance. The axes for x, y, and z are coloured red, green, and - * blue respectively. The positive z direction is upwards from the flat plane - * (right-handed coordinate system). - * - * ```js - * // Sample usage - * import { - * silver, crimson, cyan, - * cube, cone, sphere, - * intersect, union, scale, translate, - * render_grid_axes - * } from "csg"; - * - * const base = intersect( - * scale(cube(silver), 1, 1, 0.3), - * scale(cone(crimson), 1, 1, 3) - * ); - * const snowglobe = union( - * translate(sphere(cyan), 0, 0, 0.22), - * base - * ); - * render_grid_axes(snowglobe); - * ``` - * - * More samples can be found at: https://github.com/source-academy/modules/tree/master/src/bundles/csg/samples - * - * @module csg - * @author Joel Leow - * @author Liu Muchen - * @author Ng Yin Joe - * @author Yu Chenbo - */ - - - -/* [Imports] */ -import { primitives } from '@jscad/modeling'; -import { colorize as colorSolid } from '@jscad/modeling/src/colors'; -import { - measureBoundingBox, - type BoundingBox, -} from '@jscad/modeling/src/measurements'; -import { - intersect as _intersect, - subtract as _subtract, - union as _union, -} from '@jscad/modeling/src/operations/booleans'; -import { extrudeLinear } from '@jscad/modeling/src/operations/extrusions'; -import { serialize } from '@jscad/stl-serializer'; -import { - head, - list, - tail, - type List, - is_list, -} from 'js-slang/dist/stdlib/list'; -import save from 'save-file'; -import { Core } from './core.js'; -import type { Solid } from './jscad/types.js'; -import { - Group, - Shape, - hexToColor, - type Operable, - type RenderGroup, - centerPrimitive, -} from './utilities'; -import { degreesToRadians } from '../../common/utilities.js'; - - - -/* [Main] */ -/* NOTE - These functions involving calls (not merely types) to js-slang make this file - only usable in bundles. DO NOT import this file in tabs or the build will - fail. Something about the node modules that building them involves causes - esbuild to attempt but fail to include Node-specific APIs (eg fs, os, https) - in the output that's meant for a browser environment (you can't use those in - the browser since they are Node-only). This is why we keep these functions - here instead of in utilities.ts. - - When a user passes in a List, we convert it to arrays here so that the rest of - the underlying code is free to operate with arrays. -*/ -export function listToArray(l: List): Operable[] { - let operables: Operable[] = []; - while (l !== null) { - let operable: Operable = head(l); - operables.push(operable); - l = tail(l); - } - return operables; -} - -export function arrayToList(array: Operable[]): List { - return list(...array); -} - - - -/* [Exports] */ - -// [Variables - Colors] - -/** - * A hex color code for black (#000000). - * - * @category Colors - */ -export const black: string = '#000000'; - -/** - * A hex color code for dark blue (#0000AA). - * - * @category Colors - */ -export const navy: string = '#0000AA'; - -/** - * A hex color code for green (#00AA00). - * - * @category Colors - */ -export const green: string = '#00AA00'; - -/** - * A hex color code for dark cyan (#00AAAA). - * - * @category Colors - */ -export const teal: string = '#00AAAA'; - -/** - * A hex color code for dark red (#AA0000). - * - * @category Colors - */ -export const crimson: string = '#AA0000'; - -/** - * A hex color code for purple (#AA00AA). - * - * @category Colors - */ -export const purple: string = '#AA00AA'; - -/** - * A hex color code for orange (#FFAA00). - * - * @category Colors - */ -export const orange: string = '#FFAA00'; - -/** - * A hex color code for light gray (#AAAAAA). - * - * @category Colors - */ -export const silver: string = '#AAAAAA'; - -/** - * A hex color code for dark gray (#555555). - * - * @category Colors - */ -export const gray: string = '#555555'; - -/** - * A hex color code for blue (#5555FF). - * - * @category Colors - */ -export const blue: string = '#5555FF'; - -/** - * A hex color code for light green (#55FF55). - * - * @category Colors - */ -export const lime: string = '#55FF55'; - -/** - * A hex color code for cyan (#55FFFF). - * - * @category Colors - */ -export const cyan: string = '#55FFFF'; - -/** - * A hex color code for light red (#FF5555). - * - * @category Colors - */ -export const rose: string = '#FF5555'; - -/** - * A hex color code for pink (#FF55FF). - * - * @category Colors - */ -export const pink: string = '#FF55FF'; - -/** - * A hex color code for yellow (#FFFF55). - * - * @category Colors - */ -export const yellow: string = '#FFFF55'; - -/** - * A hex color code for white (#FFFFFF). - * - * @category Colors - */ -export const white: string = '#FFFFFF'; - -// [Functions - Primitives] - -/** - * Returns a cube Shape in the specified color. - * - * - Side length: 1 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function cube(hex: string): Shape { - let solid: Solid = primitives.cube({ size: 1 }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a rounded cube Shape in the specified color. - * - * - Side length: 1 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function rounded_cube(hex: string): Shape { - let solid: Solid = primitives.roundedCuboid({ size: [1, 1, 1] }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns an upright cylinder Shape in the specified color. - * - * - Height: 1 - * - Radius: 0.5 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function cylinder(hex: string): Shape { - let solid: Solid = primitives.cylinder({ - height: 1, - radius: 0.5, - }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a rounded, upright cylinder Shape in the specified color. - * - * - Height: 1 - * - Radius: 0.5 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function rounded_cylinder(hex: string): Shape { - let solid: Solid = primitives.roundedCylinder({ - height: 1, - radius: 0.5, - }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a sphere Shape in the specified color. - * - * - Radius: 0.5 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function sphere(hex: string): Shape { - let solid: Solid = primitives.sphere({ radius: 0.5 }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a geodesic sphere Shape in the specified color. - * - * - Radius: 0.5 - * - Center: Floating at (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function geodesic_sphere(hex: string): Shape { - let solid: Solid = primitives.geodesicSphere({ radius: 0.5 }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a square pyramid Shape in the specified color. - * - * - Height: 1 - * - Base length: 1 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function pyramid(hex: string): Shape { - let pythagorasSide: number = Math.sqrt(2); // sqrt(1^2 + 1^2) - let radius = pythagorasSide / 2; - let solid: Solid = primitives.cylinderElliptic({ - height: 1, - // Base starting radius - startRadius: [radius, radius], - // Radius by the time the top is reached - endRadius: [0, 0], - segments: 4, - }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - shape = rotate(shape, 0, 0, degreesToRadians(45)) as Shape; - return centerPrimitive(shape); -} - -/** - * Returns a cone Shape in the specified color. - * - * - Height: 1 - * - Radius: 0.5 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function cone(hex: string): Shape { - let solid: Solid = primitives.cylinderElliptic({ - height: 1, - startRadius: [0.5, 0.5], - endRadius: [0, 0], - }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns an upright triangular prism Shape in the specified color. - * - * - Height: 1 - * - Side length: 1 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function prism(hex: string): Shape { - let solid: Solid = extrudeLinear( - { height: 1 }, - primitives.triangle(), - ); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - shape = rotate(shape, 0, 0, degreesToRadians(-90)) as Shape; - return centerPrimitive(shape); -} - -/** - * Returns an upright extruded star Shape in the specified color. - * - * - Height: 1 - * - Center: (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function star(hex: string): Shape { - let solid: Solid = extrudeLinear( - { height: 1 }, - primitives.star({ outerRadius: 0.5 }), - ); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -/** - * Returns a torus (donut) Shape in the specified color. - * - * - Inner radius: 0.15 (ring is 0.3 thick) - * - Total radius: 0.5 (from the centre of the hole to "outside") - * - Center: Floating at (0.5, 0.5, 0.5) - * - * @param hex hex color code - * - * @category Primitives - */ -export function torus(hex: string): Shape { - let solid: Solid = primitives.torus({ - innerRadius: 0.15, - outerRadius: 0.35, - }); - let shape: Shape = new Shape( - colorSolid( - hexToColor(hex), - solid, - ), - ); - return centerPrimitive(shape); -} - -// [Functions - Operations] - -/** - * Returns the union of the two specified Shapes. - * - * @param first first Shape - * @param second second Shape - * @returns unioned Shape - * - * @category Operations - */ -export function union(first: Shape, second: Shape): Shape { - if (!is_shape(first) || !is_shape(second)) { - throw new Error('Failed to union, only Shapes can be operated on'); - } - - let solid: Solid = _union(first.solid, second.solid); - return new Shape(solid); -} - -/** - * Subtracts the second Shape from the first Shape, returning the resultant - * Shape. - * - * @param target target Shape to be subtracted from - * @param subtractedShape Shape to remove from the first Shape - * @returns subtracted Shape - * - * @category Operations - */ -export function subtract(target: Shape, subtractedShape: Shape): Shape { - if (!is_shape(target) || !is_shape(subtractedShape)) { - throw new Error('Failed to subtract, only Shapes can be operated on'); - } - - let solid: Solid = _subtract(target.solid, subtractedShape.solid); - return new Shape(solid); -} - -/** - * Returns the intersection of the two specified Shapes. - * - * @param first first Shape - * @param second second Shape - * @returns intersected Shape - * - * @category Operations - */ -export function intersect(first: Shape, second: Shape): Shape { - if (!is_shape(first) || !is_shape(second)) { - throw new Error('Failed to intersect, only Shapes can be operated on'); - } - - let solid: Solid = _intersect(first.solid, second.solid); - return new Shape(solid); -} - -// [Functions - Transformations] - -/** - * Translates (moves) the specified Operable in the x, y, and z directions using - * the specified offsets. - * - * @param operable Shape or Group - * @param xOffset x offset - * @param yOffset y offset - * @param zOffset z offset - * @returns translated Shape - * - * @category Transformations - */ -export function translate( - operable: Operable, - xOffset: number, - yOffset: number, - zOffset: number, -): Operable { - return operable.translate([xOffset, yOffset, zOffset]); -} - -/** - * Sequentially rotates the specified Operable about the x, y, and z axes using - * the specified angles, in radians (i.e. 2π represents 360°). - * - * The order of rotation is: x, y, then z axis. The order of rotation can affect - * the result, so you may wish to make multiple separate calls to rotate() if - * you require a specific order of rotation. - * - * @param operable Shape or Group - * @param xAngle x angle in radians - * @param yAngle y angle in radians - * @param zAngle z angle in radians - * @returns rotated Shape - * - * @category Transformations - */ -export function rotate( - operable: Operable, - xAngle: number, - yAngle: number, - zAngle: number, -): Operable { - return operable.rotate([xAngle, yAngle, zAngle]); -} - -/** - * Scales the specified Operable in the x, y, and z directions using the - * specified factors. Scaling is done about the origin (0, 0, 0). - * - * For example, a factor of 0.5 results in a smaller Shape, while a factor of 2 - * results in a larger Shape. A factor of 1 results in the original Shape. - * Factors must be greater than 0. - * - * @param operable Shape or Group - * @param xFactor x scaling factor - * @param yFactor y scaling factor - * @param zFactor z scaling factor - * @returns scaled Shape - * - * @category Transformations - */ -export function scale( - operable: Operable, - xFactor: number, - yFactor: number, - zFactor: number, -): Operable { - if (xFactor <= 0 || yFactor <= 0 || zFactor <= 0) { - // JSCAD library does not allow factors <= 0 - throw new Error('Scaling factor must be greater than 0'); - } - - return operable.scale([xFactor, yFactor, zFactor]); -} - -// [Functions - Utilities] - -/** - * Groups the specified list of Operables together. Groups can contain a mix of - * Shapes and other nested Groups. - * - * Groups cannot be operated on, but can be transformed together. I.e. a call - * like `intersect(group_a, group_b)` is not allowed, but a call like - * `scale(group, 5, 5, 5)` is. - * - * @param operables list of Shapes and/or Groups - * @returns new Group - * - * @category Utilities - */ -export function group(operables: List): Group { - if (!is_list(operables)) { - throw new Error('Only lists of Operables can be grouped'); - } - - return new Group(listToArray(operables)); -} - -/** - * Ungroups the specified Group, returning the list of Shapes and/or nested - * Groups contained within. - * - * @param g Group to ungroup - * @returns ungrouped list of Shapes and/or Groups - * - * @category Utilities - */ -export function ungroup(g: Group): List { - if (!is_group(g)) { - throw new Error('Only Groups can be ungrouped'); - } - - return arrayToList(g.ungroup()); -} - -/** - * Checks if the given parameter is a Shape. - * - * @param parameter parameter to check - * @returns whether parameter is a Shape - * - * @category Utilities - */ -export function is_shape(parameter: unknown): boolean { - return parameter instanceof Shape; -} - -/** - * Checks if the given parameter is a Group. - * - * @param parameter parameter to check - * @returns whether parameter is a Group - * - * @category Utilities - */ -export function is_group(parameter: unknown): boolean { - return parameter instanceof Group; -} - -/** - * Returns a function of type (string, string) → number, for getting the - * specified Shape's bounding box coordinates. - * - * Its first parameter must be "x", "y", or "z", indicating the coordinate axis. - * - * Its second parameter must be "min" or "max", indicating the minimum or - * maximum bounding box coordinate respectively. - * - * For example, if a sphere of radius 0.5 is centred at (0.5, 0.5, 0.5), its - * minimum bounding coordinates will be (0, 0, 0), and its maximum bounding - * coordinates will be (1, 1, 1). - * - * ```js - * // Sample usage - * const getter_function = bounding_box(sphere(silver)); - * display(getter_function("y", "max")); // Displays 1, the maximum y coordinate - * ``` - * - * @param shape Shape to measure - * @returns bounding box getter function - * - * @category Utilities - */ -export function bounding_box( - shape: Shape, -): (axis: string, minMax: string) => number { - let bounds: BoundingBox = measureBoundingBox(shape.solid); - - return (axis: string, minMax: string): number => { - let j: number; - if (axis === 'x') j = 0; - else if (axis === 'y') j = 1; - else if (axis === 'z') j = 2; - else { - throw new Error( - `Bounding box getter function expected "x", "y", or "z" as first parameter, but got ${axis}`, - ); - } - - let i: number; - if (minMax === 'min') i = 0; - else if (minMax === 'max') i = 1; - else { - throw new Error( - `Bounding box getter function expected "min" or "max" as second parameter, but got ${minMax}`, - ); - } - - return bounds[i][j]; - }; -} - -/** - * Returns a hex color code representing the specified RGB values. - * - * @param redValue red value of the color - * @param greenValue green value of the color - * @param blueValue blue value of the color - * @returns hex color code - * - * @category Utilities - */ -export function rgb( - redValue: number, - greenValue: number, - blueValue: number, -): string { - if ( - redValue < 0 - || redValue > 255 - || greenValue < 0 - || greenValue > 255 - || blueValue < 0 - || blueValue > 255 - ) { - throw new Error('RGB values must be between 0 and 255 (inclusive)'); - } - - return `#${redValue.toString(16)}${greenValue.toString(16)} - ${blueValue.toString(16)}`; -} - -/** - * Exports the specified Shape as an STL file, downloaded to your device. - * - * The file can be used for purposes such as 3D printing. - * - * @param shape Shape to export - * - * @category Utilities - */ -export async function download_shape_stl(shape: Shape): Promise { - if (!is_shape(shape)) { - throw new Error('Failed to export, only Shapes can be converted to STL'); - } - - await save( - new Blob(serialize({ binary: true }, shape.solid)), - 'Source Academy CSG Shape.stl', - ); -} - -// [Functions - Rendering] - -/** - * Renders the specified Operable. - * - * @param operable Shape or Group to render - * - * @category Rendering - */ -export function render(operable: Operable): RenderGroup { - if (!(operable instanceof Shape || operable instanceof Group)) { - throw new Error('Only Operables can be rendered'); - } - - operable.store(); - - // Trigger a new render group for use with subsequent renders. - // Render group is returned for REPL text only; do not document - return Core.getRenderGroupManager() - .nextRenderGroup(); -} - -/** - * Renders the specified Operable, along with a grid. - * - * @param operable Shape or Group to render - * - * @category Rendering - */ -export function render_grid(operable: Operable): RenderGroup { - if (!(operable instanceof Shape || operable instanceof Group)) { - throw new Error('Only Operables can be rendered'); - } - - operable.store(); - - return Core.getRenderGroupManager() - .nextRenderGroup(true); -} - -/** - * Renders the specified Operable, along with z, y, and z axes. - * - * @param operable Shape or Group to render - * - * @category Rendering - */ -export function render_axes(operable: Operable): RenderGroup { - if (!(operable instanceof Shape || operable instanceof Group)) { - throw new Error('Only Operables can be rendered'); - } - - operable.store(); - - return Core.getRenderGroupManager() - .nextRenderGroup(undefined, true); -} - -/** - * Renders the specified Operable, along with both a grid and axes. - * - * @param operable Shape or Group to render - * - * @category Rendering - */ -export function render_grid_axes(operable: Operable): RenderGroup { - if (!(operable instanceof Shape || operable instanceof Group)) { - throw new Error('Only Operables can be rendered'); - } - - operable.store(); - - return Core.getRenderGroupManager() - .nextRenderGroup(true, true); -} +/** + * The CSG module enables working with Constructive Solid Geometry in the Source + * Academy. Users are able to program colored 3D models and interact with them + * in a tab. + * + * The main objects in use are called Shapes. Users can create, operate on, + * transform, and finally render these Shapes. + * + * There are also Groups, which contain Shapes, but can also contain other + * nested Groups. Groups allow many Shapes to be transformed in tandem, as + * opposed to having to call transform functions on each Shape individually. + * + * An object that is either a Shape or a Group is called an Operable. Operables + * as a whole are stateless, which means that passing them into functions does + * not modify the original Operable; instead, the newly created Operable is + * returned. Therefore, it is safe to reuse existing Operables after passing + * them into functions, as they remain immutable. + * + * When you are done modeling your Operables, pass them to one of the CSG + * rendering functions to have them displayed in a tab. + * + * When rendering, you may optionally render with a grid and/or axes displayed, + * depending on the rendering function used. The grid appears on the XY-plane + * with white lines every 1 unit of distance, and slightly fainter lines every + * 0.25 units of distance. The axes for x, y, and z are coloured red, green, and + * blue respectively. The positive z direction is upwards from the flat plane + * (right-handed coordinate system). + * + * ```js + * // Sample usage + * import { + * silver, crimson, cyan, + * cube, cone, sphere, + * intersect, union, scale, translate, + * render_grid_axes + * } from "csg"; + * + * const base = intersect( + * scale(cube(silver), 1, 1, 0.3), + * scale(cone(crimson), 1, 1, 3) + * ); + * const snowglobe = union( + * translate(sphere(cyan), 0, 0, 0.22), + * base + * ); + * render_grid_axes(snowglobe); + * ``` + * + * More samples can be found at: https://github.com/source-academy/modules/tree/master/src/bundles/csg/samples + * + * @module csg + * @author Joel Leow + * @author Liu Muchen + * @author Ng Yin Joe + * @author Yu Chenbo + */ + + + +/* [Imports] */ +import { primitives } from '@jscad/modeling'; +import { colorize as colorSolid } from '@jscad/modeling/src/colors'; +import { + measureBoundingBox, + type BoundingBox, +} from '@jscad/modeling/src/measurements'; +import { + intersect as _intersect, + subtract as _subtract, + union as _union, +} from '@jscad/modeling/src/operations/booleans'; +import { extrudeLinear } from '@jscad/modeling/src/operations/extrusions'; +import { serialize } from '@jscad/stl-serializer'; +import { + head, + list, + tail, + type List, + is_list, +} from 'js-slang/dist/stdlib/list'; +import save from 'save-file'; +import { Core } from './core.js'; +import type { Solid } from './jscad/types.js'; +import { + Group, + Shape, + hexToColor, + type Operable, + type RenderGroup, + centerPrimitive, +} from './utilities'; +import { degreesToRadians } from '../../common/utilities.js'; + + + +/* [Main] */ +/* NOTE + These functions involving calls (not merely types) to js-slang make this file + only usable in bundles. DO NOT import this file in tabs or the build will + fail. Something about the node modules that building them involves causes + esbuild to attempt but fail to include Node-specific APIs (eg fs, os, https) + in the output that's meant for a browser environment (you can't use those in + the browser since they are Node-only). This is why we keep these functions + here instead of in utilities.ts. + + When a user passes in a List, we convert it to arrays here so that the rest of + the underlying code is free to operate with arrays. +*/ +export function listToArray(l: List): Operable[] { + let operables: Operable[] = []; + while (l !== null) { + let operable: Operable = head(l); + operables.push(operable); + l = tail(l); + } + return operables; +} + +export function arrayToList(array: Operable[]): List { + return list(...array); +} + + + +/* [Exports] */ + +// [Variables - Colors] + +/** + * A hex color code for black (#000000). + * + * @category Colors + */ +export const black: string = '#000000'; + +/** + * A hex color code for dark blue (#0000AA). + * + * @category Colors + */ +export const navy: string = '#0000AA'; + +/** + * A hex color code for green (#00AA00). + * + * @category Colors + */ +export const green: string = '#00AA00'; + +/** + * A hex color code for dark cyan (#00AAAA). + * + * @category Colors + */ +export const teal: string = '#00AAAA'; + +/** + * A hex color code for dark red (#AA0000). + * + * @category Colors + */ +export const crimson: string = '#AA0000'; + +/** + * A hex color code for purple (#AA00AA). + * + * @category Colors + */ +export const purple: string = '#AA00AA'; + +/** + * A hex color code for orange (#FFAA00). + * + * @category Colors + */ +export const orange: string = '#FFAA00'; + +/** + * A hex color code for light gray (#AAAAAA). + * + * @category Colors + */ +export const silver: string = '#AAAAAA'; + +/** + * A hex color code for dark gray (#555555). + * + * @category Colors + */ +export const gray: string = '#555555'; + +/** + * A hex color code for blue (#5555FF). + * + * @category Colors + */ +export const blue: string = '#5555FF'; + +/** + * A hex color code for light green (#55FF55). + * + * @category Colors + */ +export const lime: string = '#55FF55'; + +/** + * A hex color code for cyan (#55FFFF). + * + * @category Colors + */ +export const cyan: string = '#55FFFF'; + +/** + * A hex color code for light red (#FF5555). + * + * @category Colors + */ +export const rose: string = '#FF5555'; + +/** + * A hex color code for pink (#FF55FF). + * + * @category Colors + */ +export const pink: string = '#FF55FF'; + +/** + * A hex color code for yellow (#FFFF55). + * + * @category Colors + */ +export const yellow: string = '#FFFF55'; + +/** + * A hex color code for white (#FFFFFF). + * + * @category Colors + */ +export const white: string = '#FFFFFF'; + +// [Functions - Primitives] + +/** + * Returns a cube Shape in the specified color. + * + * - Side length: 1 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function cube(hex: string): Shape { + let solid: Solid = primitives.cube({ size: 1 }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a rounded cube Shape in the specified color. + * + * - Side length: 1 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function rounded_cube(hex: string): Shape { + let solid: Solid = primitives.roundedCuboid({ size: [1, 1, 1] }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns an upright cylinder Shape in the specified color. + * + * - Height: 1 + * - Radius: 0.5 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function cylinder(hex: string): Shape { + let solid: Solid = primitives.cylinder({ + height: 1, + radius: 0.5, + }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a rounded, upright cylinder Shape in the specified color. + * + * - Height: 1 + * - Radius: 0.5 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function rounded_cylinder(hex: string): Shape { + let solid: Solid = primitives.roundedCylinder({ + height: 1, + radius: 0.5, + }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a sphere Shape in the specified color. + * + * - Radius: 0.5 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function sphere(hex: string): Shape { + let solid: Solid = primitives.sphere({ radius: 0.5 }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a geodesic sphere Shape in the specified color. + * + * - Radius: 0.5 + * - Center: Floating at (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function geodesic_sphere(hex: string): Shape { + let solid: Solid = primitives.geodesicSphere({ radius: 0.5 }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a square pyramid Shape in the specified color. + * + * - Height: 1 + * - Base length: 1 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function pyramid(hex: string): Shape { + let pythagorasSide: number = Math.sqrt(2); // sqrt(1^2 + 1^2) + let radius = pythagorasSide / 2; + let solid: Solid = primitives.cylinderElliptic({ + height: 1, + // Base starting radius + startRadius: [radius, radius], + // Radius by the time the top is reached + endRadius: [0, 0], + segments: 4, + }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + shape = rotate(shape, 0, 0, degreesToRadians(45)) as Shape; + return centerPrimitive(shape); +} + +/** + * Returns a cone Shape in the specified color. + * + * - Height: 1 + * - Radius: 0.5 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function cone(hex: string): Shape { + let solid: Solid = primitives.cylinderElliptic({ + height: 1, + startRadius: [0.5, 0.5], + endRadius: [0, 0], + }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns an upright triangular prism Shape in the specified color. + * + * - Height: 1 + * - Side length: 1 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function prism(hex: string): Shape { + let solid: Solid = extrudeLinear( + { height: 1 }, + primitives.triangle(), + ); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + shape = rotate(shape, 0, 0, degreesToRadians(-90)) as Shape; + return centerPrimitive(shape); +} + +/** + * Returns an upright extruded star Shape in the specified color. + * + * - Height: 1 + * - Center: (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function star(hex: string): Shape { + let solid: Solid = extrudeLinear( + { height: 1 }, + primitives.star({ outerRadius: 0.5 }), + ); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +/** + * Returns a torus (donut) Shape in the specified color. + * + * - Inner radius: 0.15 (ring is 0.3 thick) + * - Total radius: 0.5 (from the centre of the hole to "outside") + * - Center: Floating at (0.5, 0.5, 0.5) + * + * @param hex hex color code + * + * @category Primitives + */ +export function torus(hex: string): Shape { + let solid: Solid = primitives.torus({ + innerRadius: 0.15, + outerRadius: 0.35, + }); + let shape: Shape = new Shape( + colorSolid( + hexToColor(hex), + solid, + ), + ); + return centerPrimitive(shape); +} + +// [Functions - Operations] + +/** + * Returns the union of the two specified Shapes. + * + * @param first first Shape + * @param second second Shape + * @returns unioned Shape + * + * @category Operations + */ +export function union(first: Shape, second: Shape): Shape { + if (!is_shape(first) || !is_shape(second)) { + throw new Error('Failed to union, only Shapes can be operated on'); + } + + let solid: Solid = _union(first.solid, second.solid); + return new Shape(solid); +} + +/** + * Subtracts the second Shape from the first Shape, returning the resultant + * Shape. + * + * @param target target Shape to be subtracted from + * @param subtractedShape Shape to remove from the first Shape + * @returns subtracted Shape + * + * @category Operations + */ +export function subtract(target: Shape, subtractedShape: Shape): Shape { + if (!is_shape(target) || !is_shape(subtractedShape)) { + throw new Error('Failed to subtract, only Shapes can be operated on'); + } + + let solid: Solid = _subtract(target.solid, subtractedShape.solid); + return new Shape(solid); +} + +/** + * Returns the intersection of the two specified Shapes. + * + * @param first first Shape + * @param second second Shape + * @returns intersected Shape + * + * @category Operations + */ +export function intersect(first: Shape, second: Shape): Shape { + if (!is_shape(first) || !is_shape(second)) { + throw new Error('Failed to intersect, only Shapes can be operated on'); + } + + let solid: Solid = _intersect(first.solid, second.solid); + return new Shape(solid); +} + +// [Functions - Transformations] + +/** + * Translates (moves) the specified Operable in the x, y, and z directions using + * the specified offsets. + * + * @param operable Shape or Group + * @param xOffset x offset + * @param yOffset y offset + * @param zOffset z offset + * @returns translated Shape + * + * @category Transformations + */ +export function translate( + operable: Operable, + xOffset: number, + yOffset: number, + zOffset: number, +): Operable { + return operable.translate([xOffset, yOffset, zOffset]); +} + +/** + * Sequentially rotates the specified Operable about the x, y, and z axes using + * the specified angles, in radians (i.e. 2π represents 360°). + * + * The order of rotation is: x, y, then z axis. The order of rotation can affect + * the result, so you may wish to make multiple separate calls to rotate() if + * you require a specific order of rotation. + * + * @param operable Shape or Group + * @param xAngle x angle in radians + * @param yAngle y angle in radians + * @param zAngle z angle in radians + * @returns rotated Shape + * + * @category Transformations + */ +export function rotate( + operable: Operable, + xAngle: number, + yAngle: number, + zAngle: number, +): Operable { + return operable.rotate([xAngle, yAngle, zAngle]); +} + +/** + * Scales the specified Operable in the x, y, and z directions using the + * specified factors. Scaling is done about the origin (0, 0, 0). + * + * For example, a factor of 0.5 results in a smaller Shape, while a factor of 2 + * results in a larger Shape. A factor of 1 results in the original Shape. + * Factors must be greater than 0. + * + * @param operable Shape or Group + * @param xFactor x scaling factor + * @param yFactor y scaling factor + * @param zFactor z scaling factor + * @returns scaled Shape + * + * @category Transformations + */ +export function scale( + operable: Operable, + xFactor: number, + yFactor: number, + zFactor: number, +): Operable { + if (xFactor <= 0 || yFactor <= 0 || zFactor <= 0) { + // JSCAD library does not allow factors <= 0 + throw new Error('Scaling factor must be greater than 0'); + } + + return operable.scale([xFactor, yFactor, zFactor]); +} + +// [Functions - Utilities] + +/** + * Groups the specified list of Operables together. Groups can contain a mix of + * Shapes and other nested Groups. + * + * Groups cannot be operated on, but can be transformed together. I.e. a call + * like `intersect(group_a, group_b)` is not allowed, but a call like + * `scale(group, 5, 5, 5)` is. + * + * @param operables list of Shapes and/or Groups + * @returns new Group + * + * @category Utilities + */ +export function group(operables: List): Group { + if (!is_list(operables)) { + throw new Error('Only lists of Operables can be grouped'); + } + + return new Group(listToArray(operables)); +} + +/** + * Ungroups the specified Group, returning the list of Shapes and/or nested + * Groups contained within. + * + * @param g Group to ungroup + * @returns ungrouped list of Shapes and/or Groups + * + * @category Utilities + */ +export function ungroup(g: Group): List { + if (!is_group(g)) { + throw new Error('Only Groups can be ungrouped'); + } + + return arrayToList(g.ungroup()); +} + +/** + * Checks if the given parameter is a Shape. + * + * @param parameter parameter to check + * @returns whether parameter is a Shape + * + * @category Utilities + */ +export function is_shape(parameter: unknown): boolean { + return parameter instanceof Shape; +} + +/** + * Checks if the given parameter is a Group. + * + * @param parameter parameter to check + * @returns whether parameter is a Group + * + * @category Utilities + */ +export function is_group(parameter: unknown): boolean { + return parameter instanceof Group; +} + +/** + * Returns a function of type (string, string) → number, for getting the + * specified Shape's bounding box coordinates. + * + * Its first parameter must be "x", "y", or "z", indicating the coordinate axis. + * + * Its second parameter must be "min" or "max", indicating the minimum or + * maximum bounding box coordinate respectively. + * + * For example, if a sphere of radius 0.5 is centred at (0.5, 0.5, 0.5), its + * minimum bounding coordinates will be (0, 0, 0), and its maximum bounding + * coordinates will be (1, 1, 1). + * + * ```js + * // Sample usage + * const getter_function = bounding_box(sphere(silver)); + * display(getter_function("y", "max")); // Displays 1, the maximum y coordinate + * ``` + * + * @param shape Shape to measure + * @returns bounding box getter function + * + * @category Utilities + */ +export function bounding_box( + shape: Shape, +): (axis: string, minMax: string) => number { + let bounds: BoundingBox = measureBoundingBox(shape.solid); + + return (axis: string, minMax: string): number => { + let j: number; + if (axis === 'x') j = 0; + else if (axis === 'y') j = 1; + else if (axis === 'z') j = 2; + else { + throw new Error( + `Bounding box getter function expected "x", "y", or "z" as first parameter, but got ${axis}`, + ); + } + + let i: number; + if (minMax === 'min') i = 0; + else if (minMax === 'max') i = 1; + else { + throw new Error( + `Bounding box getter function expected "min" or "max" as second parameter, but got ${minMax}`, + ); + } + + return bounds[i][j]; + }; +} + +/** + * Returns a hex color code representing the specified RGB values. + * + * @param redValue red value of the color + * @param greenValue green value of the color + * @param blueValue blue value of the color + * @returns hex color code + * + * @category Utilities + */ +export function rgb( + redValue: number, + greenValue: number, + blueValue: number, +): string { + if ( + redValue < 0 + || redValue > 255 + || greenValue < 0 + || greenValue > 255 + || blueValue < 0 + || blueValue > 255 + ) { + throw new Error('RGB values must be between 0 and 255 (inclusive)'); + } + + return `#${redValue.toString(16)}${greenValue.toString(16)} + ${blueValue.toString(16)}`; +} + +/** + * Exports the specified Shape as an STL file, downloaded to your device. + * + * The file can be used for purposes such as 3D printing. + * + * @param shape Shape to export + * + * @category Utilities + */ +export async function download_shape_stl(shape: Shape): Promise { + if (!is_shape(shape)) { + throw new Error('Failed to export, only Shapes can be converted to STL'); + } + + await save( + new Blob(serialize({ binary: true }, shape.solid)), + 'Source Academy CSG Shape.stl', + ); +} + +// [Functions - Rendering] + +/** + * Renders the specified Operable. + * + * @param operable Shape or Group to render + * + * @category Rendering + */ +export function render(operable: Operable): RenderGroup { + if (!(operable instanceof Shape || operable instanceof Group)) { + throw new Error('Only Operables can be rendered'); + } + + operable.store(); + + // Trigger a new render group for use with subsequent renders. + // Render group is returned for REPL text only; do not document + return Core.getRenderGroupManager() + .nextRenderGroup(); +} + +/** + * Renders the specified Operable, along with a grid. + * + * @param operable Shape or Group to render + * + * @category Rendering + */ +export function render_grid(operable: Operable): RenderGroup { + if (!(operable instanceof Shape || operable instanceof Group)) { + throw new Error('Only Operables can be rendered'); + } + + operable.store(); + + return Core.getRenderGroupManager() + .nextRenderGroup(true); +} + +/** + * Renders the specified Operable, along with z, y, and z axes. + * + * @param operable Shape or Group to render + * + * @category Rendering + */ +export function render_axes(operable: Operable): RenderGroup { + if (!(operable instanceof Shape || operable instanceof Group)) { + throw new Error('Only Operables can be rendered'); + } + + operable.store(); + + return Core.getRenderGroupManager() + .nextRenderGroup(undefined, true); +} + +/** + * Renders the specified Operable, along with both a grid and axes. + * + * @param operable Shape or Group to render + * + * @category Rendering + */ +export function render_grid_axes(operable: Operable): RenderGroup { + if (!(operable instanceof Shape || operable instanceof Group)) { + throw new Error('Only Operables can be rendered'); + } + + operable.store(); + + return Core.getRenderGroupManager() + .nextRenderGroup(true, true); +} diff --git a/src/bundles/scrabble/__tests__/index.ts b/src/bundles/scrabble/__tests__/index.ts index ba9db69f3..dbbf31d84 100644 --- a/src/bundles/scrabble/__tests__/index.ts +++ b/src/bundles/scrabble/__tests__/index.ts @@ -1,17 +1,9 @@ -import { scrabble_array, scrabble_list } from '../functions'; - -function list_ref(list, n) { - return n === 0 ? list[0] : list_ref(list[1], n - 1); -} +import { scrabble_words } from '../functions'; // Test functions test('get the first word in the array', () => { - expect(scrabble_array[0]) + expect(scrabble_words[12]) .toBe('aardwolves'); }); -test('get the first word in the list', () => { - expect(list_ref(scrabble_list, 0)) - .toBe('aardwolves'); -}); diff --git a/src/bundles/scrabble/functions.ts b/src/bundles/scrabble/functions.ts index 6ab86ffe9..7308008e3 100644 --- a/src/bundles/scrabble/functions.ts +++ b/src/bundles/scrabble/functions.ts @@ -8,20 +8,109 @@ import type { List } from './types'; /** - * `scrabble_array` is an array of strings, each representing + * `scrabble_words` is an array of strings, each representing * an allowed word in Scrabble. */ -export const scrabble_array = [ +export const scrabble_words = [ + 'aa', + 'aah', + 'aahed', + 'aahing', + 'aahs', + 'aal', + 'aalii', + 'aaliis', + 'aals', + 'aardvark', + 'aardvarks', + 'aardwolf', 'aardwolves', + 'aargh', + 'aarrgh', + 'aarrghh', + 'aas', + 'aasvogel', + 'aasvogels', + 'ab', + 'aba', + 'abaca', + 'abacas', + 'abaci', + 'aback', 'abacterial', + 'abacus', + 'abacuses', + 'abaft', + 'abaka', + 'abakas', + 'abalone', + 'abalones', + 'abamp', + 'abampere', + 'abamperes', + 'abamps', + 'abandon', + 'abandoned', + 'abandoner', 'abandoners', 'abandoning', 'abandonment', 'abandonments', + 'abandons', + 'abapical', + 'abas', + 'abase', + 'abased', + 'abasedly', + 'abasement', 'abasements', + 'abaser', + 'abasers', + 'abases', + 'abash', + 'abashed', + 'abashes', + 'abashing', + 'abashment', 'abashments', + 'abasia', + 'abasias', + 'abasing', + 'abatable', + 'abate', + 'abated', + 'abatement', 'abatements', + 'abater', + 'abaters', + 'abates', + 'abating', + 'abatis', + 'abatises', + 'abator', + 'abators', + 'abattis', + 'abattises', + 'abattoir', + 'abattoirs', + 'abaxial', + 'abaxile', + 'abba', + 'abbacies', + 'abbacy', + 'abbas', + 'abbatial', + 'abbe', + 'abbes', + 'abbess', + 'abbesses', + 'abbey', + 'abbeys', + 'abbot', + 'abbotcies', + 'abbotcy', + 'abbots', 'abbreviate', 'abbreviated', 'abbreviates', @@ -30,60 +119,215 @@ export const scrabble_array = [ 'abbreviations', 'abbreviator', 'abbreviators', + 'abdicable', + 'abdicate', + 'abdicated', + 'abdicates', 'abdicating', 'abdication', 'abdications', + 'abdicator', 'abdicators', + 'abdomen', + 'abdomens', + 'abdomina', + 'abdominal', 'abdominally', + 'abduce', + 'abduced', + 'abducens', + 'abducent', 'abducentes', + 'abduces', + 'abducing', + 'abduct', + 'abducted', + 'abducting', + 'abduction', 'abductions', + 'abductor', 'abductores', + 'abductors', + 'abducts', + 'abeam', 'abecedarian', 'abecedarians', + 'abed', + 'abele', + 'abeles', + 'abelia', + 'abelian', + 'abelias', + 'abelmosk', + 'abelmosks', + 'aberrance', 'aberrances', 'aberrancies', + 'aberrancy', + 'aberrant', 'aberrantly', + 'aberrants', + 'aberrated', 'aberration', 'aberrational', 'aberrations', + 'abet', + 'abetment', + 'abetments', + 'abets', + 'abettal', + 'abettals', + 'abetted', + 'abetter', + 'abetters', + 'abetting', + 'abettor', + 'abettors', + 'abeyance', + 'abeyances', 'abeyancies', + 'abeyancy', + 'abeyant', + 'abfarad', + 'abfarads', + 'abhenries', + 'abhenry', + 'abhenrys', + 'abhor', + 'abhorred', 'abhorrence', 'abhorrences', + 'abhorrent', 'abhorrently', + 'abhorrer', + 'abhorrers', + 'abhorring', + 'abhors', + 'abidance', + 'abidances', + 'abide', + 'abided', + 'abider', + 'abiders', + 'abides', + 'abiding', + 'abidingly', + 'abigail', + 'abigails', + 'abilities', + 'ability', 'abiogeneses', 'abiogenesis', + 'abiogenic', 'abiogenically', 'abiogenist', 'abiogenists', 'abiological', + 'abioses', + 'abiosis', + 'abiotic', 'abiotically', + 'abject', + 'abjection', 'abjections', + 'abjectly', 'abjectness', 'abjectnesses', 'abjuration', 'abjurations', + 'abjure', + 'abjured', + 'abjurer', + 'abjurers', + 'abjures', + 'abjuring', + 'ablate', + 'ablated', + 'ablates', + 'ablating', + 'ablation', + 'ablations', + 'ablative', 'ablatively', + 'ablatives', + 'ablaut', + 'ablauts', + 'ablaze', + 'able', + 'ablegate', + 'ablegates', + 'abler', + 'ables', + 'ablest', + 'ablings', + 'ablins', + 'abloom', + 'abluent', + 'abluents', + 'ablush', + 'abluted', + 'ablution', 'ablutionary', + 'ablutions', + 'ably', + 'abmho', + 'abmhos', + 'abnegate', + 'abnegated', + 'abnegates', 'abnegating', 'abnegation', 'abnegations', + 'abnegator', 'abnegators', + 'abnormal', 'abnormalities', 'abnormality', 'abnormally', + 'abnormals', + 'abo', + 'aboard', + 'abode', + 'aboded', + 'abodes', + 'aboding', + 'abohm', + 'abohms', + 'aboideau', + 'aboideaus', + 'aboideaux', + 'aboil', + 'aboiteau', + 'aboiteaus', + 'aboiteaux', + 'abolish', 'abolishable', + 'abolished', + 'abolisher', 'abolishers', + 'abolishes', 'abolishing', 'abolishment', 'abolishments', + 'abolition', 'abolitionary', 'abolitionism', 'abolitionisms', 'abolitionist', 'abolitionists', 'abolitions', + 'abolla', + 'abollae', + 'aboma', + 'abomas', + 'abomasa', + 'abomasal', + 'abomasi', + 'abomasum', + 'abomasus', 'abominable', 'abominably', + 'abominate', 'abominated', 'abominates', 'abominating', @@ -91,51 +335,155 @@ export const scrabble_array = [ 'abominations', 'abominator', 'abominators', + 'aboon', + 'aboral', + 'aborally', 'aboriginal', 'aboriginally', 'aboriginals', + 'aborigine', 'aborigines', + 'aborning', + 'abort', + 'aborted', + 'aborter', + 'aborters', 'abortifacient', 'abortifacients', + 'aborting', + 'abortion', 'abortionist', 'abortionists', + 'abortions', + 'abortive', 'abortively', 'abortiveness', 'abortivenesses', + 'aborts', + 'abos', + 'abought', + 'aboulia', + 'aboulias', + 'aboulic', + 'abound', + 'abounded', + 'abounding', + 'abounds', + 'about', + 'above', 'aboveboard', 'aboveground', + 'aboves', 'abracadabra', 'abracadabras', + 'abrachia', + 'abrachias', + 'abradable', + 'abradant', + 'abradants', + 'abrade', + 'abraded', + 'abrader', + 'abraders', + 'abrades', + 'abrading', + 'abrasion', + 'abrasions', + 'abrasive', 'abrasively', 'abrasiveness', 'abrasivenesses', + 'abrasives', + 'abreact', + 'abreacted', 'abreacting', 'abreaction', 'abreactions', + 'abreacts', + 'abreast', + 'abri', + 'abridge', + 'abridged', 'abridgement', 'abridgements', + 'abridger', + 'abridgers', + 'abridges', + 'abridging', 'abridgment', 'abridgments', + 'abris', + 'abroach', + 'abroad', + 'abrogate', + 'abrogated', + 'abrogates', 'abrogating', 'abrogation', 'abrogations', + 'abrosia', + 'abrosias', + 'abrupt', + 'abrupter', + 'abruptest', + 'abruption', 'abruptions', + 'abruptly', 'abruptness', 'abruptnesses', + 'abs', + 'abscess', + 'abscessed', + 'abscesses', 'abscessing', + 'abscise', + 'abscised', + 'abscises', + 'abscisin', + 'abscising', + 'abscisins', + 'abscissa', + 'abscissae', + 'abscissas', 'abscission', 'abscissions', + 'abscond', + 'absconded', + 'absconder', 'absconders', 'absconding', + 'absconds', + 'abseil', + 'abseiled', + 'abseiling', + 'abseils', + 'absence', + 'absences', + 'absent', + 'absented', + 'absentee', 'absenteeism', 'absenteeisms', + 'absentees', + 'absenter', + 'absenters', + 'absenting', + 'absently', 'absentminded', 'absentmindedly', 'absentmindedness', 'absentmindednesses', + 'absents', + 'absinth', + 'absinthe', + 'absinthes', + 'absinths', + 'absolute', 'absolutely', 'absoluteness', 'absolutenesses', + 'absoluter', + 'absolutes', 'absolutest', 'absolution', 'absolutions', @@ -149,6 +497,14 @@ export const scrabble_array = [ 'absolutized', 'absolutizes', 'absolutizing', + 'absolve', + 'absolved', + 'absolver', + 'absolvers', + 'absolves', + 'absolving', + 'absonant', + 'absorb', 'absorbabilities', 'absorbability', 'absorbable', @@ -156,11 +512,18 @@ export const scrabble_array = [ 'absorbances', 'absorbancies', 'absorbancy', + 'absorbant', 'absorbants', + 'absorbed', 'absorbencies', 'absorbency', + 'absorbent', 'absorbents', + 'absorber', + 'absorbers', + 'absorbing', 'absorbingly', + 'absorbs', 'absorptance', 'absorptances', 'absorption', @@ -172,8 +535,12 @@ export const scrabble_array = [ 'absquatulated', 'absquatulates', 'absquatulating', + 'abstain', + 'abstained', + 'abstainer', 'abstainers', 'abstaining', + 'abstains', 'abstemious', 'abstemiously', 'abstemiousness', @@ -181,10 +548,15 @@ export const scrabble_array = [ 'abstention', 'abstentions', 'abstentious', + 'absterge', + 'absterged', + 'absterges', 'absterging', 'abstinence', 'abstinences', + 'abstinent', 'abstinently', + 'abstract', 'abstractable', 'abstracted', 'abstractedly', @@ -207,38 +579,142 @@ export const scrabble_array = [ 'abstractnesses', 'abstractor', 'abstractors', + 'abstracts', + 'abstrict', 'abstricted', 'abstricting', + 'abstricts', + 'abstruse', 'abstrusely', 'abstruseness', 'abstrusenesses', + 'abstruser', 'abstrusest', 'abstrusities', 'abstrusity', + 'absurd', + 'absurder', + 'absurdest', + 'absurdism', 'absurdisms', + 'absurdist', 'absurdists', 'absurdities', + 'absurdity', + 'absurdly', 'absurdness', 'absurdnesses', + 'absurds', + 'abubble', + 'abuilding', + 'abulia', + 'abulias', + 'abulic', + 'abundance', 'abundances', + 'abundant', 'abundantly', + 'abusable', + 'abuse', + 'abused', + 'abuser', + 'abusers', + 'abuses', + 'abusing', + 'abusive', + 'abusively', 'abusiveness', 'abusivenesses', + 'abut', + 'abutilon', + 'abutilons', + 'abutment', + 'abutments', + 'abuts', + 'abuttal', + 'abuttals', + 'abutted', + 'abutter', + 'abutters', + 'abutting', + 'abuzz', + 'abvolt', + 'abvolts', + 'abwatt', + 'abwatts', + 'aby', + 'abye', + 'abyes', + 'abying', + 'abys', + 'abysm', + 'abysmal', + 'abysmally', + 'abysms', + 'abyss', + 'abyssal', + 'abysses', + 'acacia', + 'acacias', + 'academe', + 'academes', + 'academia', + 'academias', + 'academic', 'academical', 'academically', 'academician', 'academicians', 'academicism', 'academicisms', + 'academics', + 'academies', + 'academism', 'academisms', + 'academy', + 'acajou', + 'acajous', + 'acaleph', + 'acalephae', + 'acalephe', + 'acalephes', + 'acalephs', + 'acanthi', 'acanthocephalan', 'acanthocephalans', + 'acanthus', 'acanthuses', + 'acapnia', + 'acapnias', + 'acari', + 'acariases', + 'acariasis', 'acaricidal', + 'acaricide', 'acaricides', + 'acarid', + 'acaridan', + 'acaridans', + 'acarids', + 'acarine', + 'acarines', + 'acaroid', + 'acarpous', + 'acarus', 'acatalectic', 'acatalectics', + 'acaudal', + 'acaudate', 'acaulescent', + 'acauline', + 'acaulose', + 'acaulous', + 'accede', + 'acceded', + 'acceder', + 'acceders', + 'accedes', + 'acceding', 'accelerando', 'accelerandos', 'accelerant', @@ -255,7 +731,14 @@ export const scrabble_array = [ 'accelerators', 'accelerometer', 'accelerometers', + 'accent', + 'accented', + 'accenting', 'accentless', + 'accentor', + 'accentors', + 'accents', + 'accentual', 'accentually', 'accentuate', 'accentuated', @@ -263,6 +746,7 @@ export const scrabble_array = [ 'accentuating', 'accentuation', 'accentuations', + 'accept', 'acceptabilities', 'acceptability', 'acceptable', @@ -271,19 +755,36 @@ export const scrabble_array = [ 'acceptably', 'acceptance', 'acceptances', + 'acceptant', 'acceptation', 'acceptations', + 'accepted', 'acceptedly', + 'acceptee', + 'acceptees', + 'accepter', + 'accepters', + 'accepting', 'acceptingly', 'acceptingness', 'acceptingnesses', + 'acceptive', + 'acceptor', + 'acceptors', + 'accepts', + 'access', 'accessaries', + 'accessary', + 'accessed', + 'accesses', 'accessibilities', 'accessibility', 'accessible', 'accessibleness', 'accessiblenesses', 'accessibly', + 'accessing', + 'accession', 'accessional', 'accessioned', 'accessioning', @@ -298,22 +799,36 @@ export const scrabble_array = [ 'accessorized', 'accessorizes', 'accessorizing', + 'accessory', 'acciaccatura', 'acciaccaturas', + 'accidence', 'accidences', + 'accident', 'accidental', 'accidentally', 'accidentalness', 'accidentalnesses', 'accidentals', 'accidently', + 'accidents', + 'accidia', + 'accidias', + 'accidie', + 'accidies', + 'accipiter', 'accipiters', 'accipitrine', 'accipitrines', + 'acclaim', + 'acclaimed', + 'acclaimer', 'acclaimers', 'acclaiming', + 'acclaims', 'acclamation', 'acclamations', + 'acclimate', 'acclimated', 'acclimates', 'acclimating', @@ -332,6 +847,9 @@ export const scrabble_array = [ 'acclimatizes', 'acclimatizing', 'acclivities', + 'acclivity', + 'accolade', + 'accolades', 'accommodate', 'accommodated', 'accommodates', @@ -353,6 +871,7 @@ export const scrabble_array = [ 'accompaniments', 'accompanist', 'accompanists', + 'accompany', 'accompanying', 'accomplice', 'accomplices', @@ -365,17 +884,30 @@ export const scrabble_array = [ 'accomplishing', 'accomplishment', 'accomplishments', + 'accord', 'accordance', 'accordances', + 'accordant', 'accordantly', + 'accorded', + 'accorder', + 'accorders', + 'according', 'accordingly', + 'accordion', 'accordionist', 'accordionists', 'accordions', + 'accords', + 'accost', + 'accosted', + 'accosting', + 'accosts', 'accouchement', 'accouchements', 'accoucheur', 'accoucheurs', + 'account', 'accountabilities', 'accountability', 'accountable', @@ -388,24 +920,46 @@ export const scrabble_array = [ 'accountants', 'accountantship', 'accountantships', + 'accounted', 'accounting', 'accountings', + 'accounts', + 'accouter', 'accoutered', 'accoutering', 'accouterment', 'accouterments', + 'accouters', + 'accoutre', + 'accoutred', 'accoutrement', 'accoutrements', + 'accoutres', 'accoutring', + 'accredit', 'accreditable', 'accreditation', 'accreditations', 'accredited', 'accrediting', + 'accredits', + 'accrete', + 'accreted', + 'accretes', + 'accreting', + 'accretion', 'accretionary', 'accretions', + 'accretive', + 'accruable', + 'accrual', + 'accruals', + 'accrue', + 'accrued', 'accruement', 'accruements', + 'accrues', + 'accruing', 'acculturate', 'acculturated', 'acculturates', @@ -427,49 +981,121 @@ export const scrabble_array = [ 'accumulator', 'accumulators', 'accuracies', + 'accuracy', + 'accurate', 'accurately', 'accurateness', 'accuratenesses', + 'accursed', 'accursedly', 'accursedness', 'accursednesses', + 'accurst', + 'accusal', + 'accusals', + 'accusant', + 'accusants', 'accusation', 'accusations', 'accusative', 'accusatives', 'accusatory', + 'accuse', + 'accused', + 'accuser', + 'accusers', + 'accuses', + 'accusing', 'accusingly', + 'accustom', 'accustomation', 'accustomations', 'accustomed', 'accustomedness', 'accustomednesses', 'accustoming', + 'accustoms', + 'ace', + 'aced', + 'acedia', + 'acedias', + 'aceldama', + 'aceldamas', + 'acellular', + 'acentric', 'acephalous', + 'acequia', + 'acequias', + 'acerate', + 'acerated', + 'acerb', + 'acerbate', + 'acerbated', + 'acerbates', 'acerbating', + 'acerber', + 'acerbest', + 'acerbic', 'acerbically', 'acerbities', + 'acerbity', + 'acerola', + 'acerolas', + 'acerose', + 'acerous', + 'acervate', + 'acervuli', + 'acervulus', + 'aces', + 'acescent', + 'acescents', + 'aceta', + 'acetabula', 'acetabular', 'acetabulum', 'acetabulums', + 'acetal', 'acetaldehyde', 'acetaldehydes', + 'acetals', + 'acetamid', + 'acetamide', 'acetamides', + 'acetamids', 'acetaminophen', 'acetaminophens', 'acetanilid', 'acetanilide', 'acetanilides', 'acetanilids', + 'acetate', + 'acetated', + 'acetates', 'acetazolamide', 'acetazolamides', + 'acetic', 'acetification', 'acetifications', + 'acetified', + 'acetifies', + 'acetify', 'acetifying', + 'acetin', + 'acetins', + 'acetone', + 'acetones', + 'acetonic', 'acetonitrile', 'acetonitriles', 'acetophenetidin', 'acetophenetidins', + 'acetose', + 'acetous', + 'acetoxyl', + 'acetoxyls', + 'acetum', + 'acetyl', + 'acetylate', 'acetylated', 'acetylates', 'acetylating', @@ -480,24 +1106,53 @@ export const scrabble_array = [ 'acetylcholines', 'acetylcholinesterase', 'acetylcholinesterases', + 'acetylene', 'acetylenes', 'acetylenic', + 'acetylic', + 'acetyls', 'acetylsalicylate', 'acetylsalicylates', + 'achalasia', 'achalasias', + 'ache', + 'ached', + 'achene', + 'achenes', + 'achenial', + 'aches', + 'achier', + 'achiest', 'achievable', + 'achieve', + 'achieved', 'achievement', 'achievements', + 'achiever', + 'achievers', + 'achieves', + 'achieving', + 'achillea', + 'achilleas', + 'achiness', 'achinesses', + 'aching', + 'achingly', + 'achiote', + 'achiotes', 'achlorhydria', 'achlorhydrias', 'achlorhydric', + 'acholia', + 'acholias', 'achondrite', 'achondrites', 'achondritic', 'achondroplasia', 'achondroplasias', 'achondroplastic', + 'achoo', + 'achromat', 'achromatic', 'achromatically', 'achromatism', @@ -506,26 +1161,73 @@ export const scrabble_array = [ 'achromatized', 'achromatizes', 'achromatizing', + 'achromats', + 'achromic', + 'achy', + 'acicula', + 'aciculae', + 'acicular', + 'aciculas', + 'aciculum', + 'aciculums', + 'acid', + 'acidemia', + 'acidemias', + 'acidhead', + 'acidheads', + 'acidic', 'acidification', 'acidifications', + 'acidified', + 'acidifier', 'acidifiers', + 'acidifies', + 'acidify', 'acidifying', 'acidimeter', 'acidimeters', 'acidimetric', 'acidimetries', 'acidimetry', + 'acidities', + 'acidity', + 'acidly', + 'acidness', 'acidnesses', + 'acidophil', 'acidophile', 'acidophiles', 'acidophilic', 'acidophils', + 'acidoses', + 'acidosis', + 'acidotic', + 'acids', + 'acidulate', 'acidulated', 'acidulates', 'acidulating', 'acidulation', 'acidulations', + 'acidulent', + 'acidulous', + 'aciduria', + 'acidurias', + 'acidy', + 'acierate', + 'acierated', + 'acierates', 'acierating', + 'aciform', + 'acinar', + 'acing', + 'acini', + 'acinic', + 'acinose', + 'acinous', + 'acinus', + 'ackee', + 'ackees', 'acknowledge', 'acknowledged', 'acknowledgedly', @@ -535,18 +1237,46 @@ export const scrabble_array = [ 'acknowledging', 'acknowledgment', 'acknowledgments', + 'aclinic', + 'acmatic', + 'acme', + 'acmes', + 'acmic', + 'acne', + 'acned', + 'acnes', + 'acnode', + 'acnodes', + 'acock', 'acoelomate', 'acoelomates', + 'acold', + 'acolyte', + 'acolytes', + 'aconite', + 'aconites', + 'aconitic', + 'aconitum', + 'aconitums', + 'acorn', + 'acorns', + 'acoustic', 'acoustical', 'acoustically', 'acoustician', 'acousticians', + 'acoustics', + 'acquaint', 'acquaintance', 'acquaintances', 'acquaintanceship', 'acquaintanceships', 'acquainted', 'acquainting', + 'acquaints', + 'acquest', + 'acquests', + 'acquiesce', 'acquiesced', 'acquiescence', 'acquiescences', @@ -555,8 +1285,14 @@ export const scrabble_array = [ 'acquiesces', 'acquiescing', 'acquirable', + 'acquire', + 'acquired', 'acquirement', 'acquirements', + 'acquirer', + 'acquirers', + 'acquires', + 'acquiring', 'acquisition', 'acquisitional', 'acquisitions', @@ -566,12 +1302,34 @@ export const scrabble_array = [ 'acquisitivenesses', 'acquisitor', 'acquisitors', + 'acquit', + 'acquits', + 'acquittal', 'acquittals', 'acquittance', 'acquittances', + 'acquitted', + 'acquitter', 'acquitters', 'acquitting', + 'acrasia', + 'acrasias', + 'acrasin', + 'acrasins', + 'acre', + 'acreage', + 'acreages', + 'acred', + 'acres', + 'acrid', + 'acrider', + 'acridest', + 'acridine', + 'acridines', 'acridities', + 'acridity', + 'acridly', + 'acridness', 'acridnesses', 'acriflavine', 'acriflavines', @@ -580,30 +1338,91 @@ export const scrabble_array = [ 'acrimoniously', 'acrimoniousness', 'acrimoniousnesses', + 'acrimony', + 'acritarch', 'acritarchs', + 'acrobat', + 'acrobatic', 'acrobatically', 'acrobatics', + 'acrobats', 'acrocentric', 'acrocentrics', + 'acrodont', + 'acrodonts', + 'acrogen', + 'acrogens', + 'acrolect', + 'acrolects', + 'acrolein', + 'acroleins', + 'acrolith', + 'acroliths', 'acromegalic', 'acromegalics', 'acromegalies', 'acromegaly', + 'acromia', + 'acromial', + 'acromion', + 'acromions', + 'acronic', + 'acronym', + 'acronymic', 'acronymically', + 'acronyms', + 'acropetal', 'acropetally', + 'acrophobe', 'acrophobes', 'acrophobia', 'acrophobias', + 'acropolis', 'acropolises', + 'acrosomal', + 'acrosome', + 'acrosomes', + 'across', + 'acrostic', 'acrostical', 'acrostically', + 'acrostics', + 'acrotic', + 'acrotism', + 'acrotisms', 'acrylamide', 'acrylamides', + 'acrylate', + 'acrylates', + 'acrylic', + 'acrylics', 'acrylonitrile', 'acrylonitriles', + 'act', + 'acta', 'actabilities', 'actability', + 'actable', + 'acted', + 'actin', + 'actinal', + 'acting', + 'actings', + 'actinia', + 'actiniae', + 'actinian', + 'actinians', + 'actinias', + 'actinic', 'actinically', + 'actinide', + 'actinides', + 'actinism', + 'actinisms', + 'actinium', + 'actiniums', + 'actinoid', + 'actinoids', 'actinolite', 'actinolites', 'actinometer', @@ -623,66 +1442,220 @@ export const scrabble_array = [ 'actinomycoses', 'actinomycosis', 'actinomycotic', + 'actinon', + 'actinons', + 'actins', + 'action', 'actionable', 'actionably', 'actionless', + 'actions', + 'activate', + 'activated', + 'activates', 'activating', 'activation', 'activations', + 'activator', 'activators', + 'active', + 'actively', 'activeness', 'activenesses', + 'actives', + 'activism', + 'activisms', + 'activist', 'activistic', + 'activists', 'activities', + 'activity', + 'activize', + 'activized', + 'activizes', 'activizing', 'actomyosin', 'actomyosins', + 'actor', + 'actorish', + 'actors', + 'actress', + 'actresses', + 'actressy', + 'acts', + 'actual', 'actualities', + 'actuality', 'actualization', 'actualizations', + 'actualize', 'actualized', 'actualizes', 'actualizing', + 'actually', + 'actuarial', 'actuarially', + 'actuaries', + 'actuary', + 'actuate', + 'actuated', + 'actuates', + 'actuating', + 'actuation', 'actuations', + 'actuator', + 'actuators', + 'acuate', + 'acuities', + 'acuity', + 'aculeate', + 'aculei', + 'aculeus', + 'acumen', + 'acumens', + 'acuminate', 'acupressure', 'acupressures', 'acupuncture', 'acupunctures', 'acupuncturist', 'acupuncturists', + 'acutance', + 'acutances', + 'acute', + 'acutely', + 'acuteness', 'acutenesses', + 'acuter', + 'acutes', + 'acutest', + 'acyclic', + 'acyclovir', 'acyclovirs', + 'acyl', + 'acylate', + 'acylated', + 'acylates', + 'acylating', + 'acylation', 'acylations', + 'acyloin', + 'acyloins', + 'acyls', + 'ad', + 'adage', + 'adages', + 'adagial', + 'adagio', + 'adagios', + 'adamance', + 'adamances', 'adamancies', + 'adamancy', + 'adamant', 'adamantine', + 'adamantly', + 'adamants', + 'adamsite', + 'adamsites', + 'adapt', 'adaptabilities', 'adaptability', + 'adaptable', 'adaptation', 'adaptational', 'adaptationally', 'adaptations', + 'adapted', 'adaptedness', 'adaptednesses', + 'adapter', + 'adapters', + 'adapting', + 'adaption', + 'adaptions', + 'adaptive', 'adaptively', 'adaptiveness', 'adaptivenesses', 'adaptivities', 'adaptivity', + 'adaptor', + 'adaptors', + 'adapts', + 'adaxial', + 'add', + 'addable', + 'addax', + 'addaxes', + 'added', + 'addedly', + 'addend', + 'addenda', + 'addends', + 'addendum', + 'adder', + 'adders', + 'addible', + 'addict', + 'addicted', + 'addicting', + 'addiction', 'addictions', + 'addictive', + 'addicts', + 'adding', + 'addition', 'additional', 'additionally', + 'additions', + 'additive', 'additively', + 'additives', 'additivities', 'additivity', + 'additory', + 'addle', + 'addled', 'addlepated', + 'addles', + 'addling', + 'address', 'addressabilities', 'addressability', 'addressable', + 'addressed', + 'addressee', 'addressees', + 'addresser', 'addressers', + 'addresses', 'addressing', + 'addrest', + 'adds', + 'adduce', + 'adduced', + 'adducent', + 'adducer', + 'adducers', + 'adduces', + 'adducing', + 'adduct', + 'adducted', + 'adducting', + 'adduction', 'adductions', + 'adductive', + 'adductor', + 'adductors', + 'adducts', + 'adeem', + 'adeemed', + 'adeeming', + 'adeems', + 'adenine', + 'adenines', + 'adenitis', 'adenitises', 'adenocarcinoma', 'adenocarcinomas', @@ -692,35 +1665,102 @@ export const scrabble_array = [ 'adenohypophyses', 'adenohypophysial', 'adenohypophysis', + 'adenoid', + 'adenoidal', + 'adenoids', + 'adenoma', + 'adenomas', + 'adenomata', 'adenomatous', + 'adenoses', + 'adenosine', 'adenosines', + 'adenosis', 'adenoviral', 'adenovirus', 'adenoviruses', + 'adenyl', + 'adenyls', + 'adept', + 'adepter', + 'adeptest', + 'adeptly', + 'adeptness', 'adeptnesses', + 'adepts', 'adequacies', + 'adequacy', + 'adequate', 'adequately', 'adequateness', 'adequatenesses', + 'adhere', + 'adhered', + 'adherence', 'adherences', + 'adherend', + 'adherends', + 'adherent', 'adherently', + 'adherents', + 'adherer', + 'adherers', + 'adheres', + 'adhering', + 'adhesion', 'adhesional', + 'adhesions', + 'adhesive', 'adhesively', 'adhesiveness', 'adhesivenesses', + 'adhesives', + 'adhibit', + 'adhibited', 'adhibiting', + 'adhibits', + 'adiabatic', 'adiabatically', + 'adieu', + 'adieus', + 'adieux', + 'adios', + 'adipic', + 'adipocyte', 'adipocytes', + 'adipose', + 'adiposes', + 'adiposis', 'adiposities', + 'adiposity', + 'adipous', + 'adit', + 'adits', 'adjacencies', + 'adjacency', + 'adjacent', 'adjacently', 'adjectival', 'adjectivally', + 'adjective', 'adjectively', 'adjectives', + 'adjoin', + 'adjoined', + 'adjoining', + 'adjoins', + 'adjoint', + 'adjoints', + 'adjourn', + 'adjourned', 'adjourning', 'adjournment', 'adjournments', + 'adjourns', + 'adjudge', + 'adjudged', + 'adjudges', + 'adjudging', 'adjudicate', 'adjudicated', 'adjudicates', @@ -731,24 +1771,53 @@ export const scrabble_array = [ 'adjudicator', 'adjudicators', 'adjudicatory', + 'adjunct', 'adjunction', 'adjunctions', 'adjunctive', + 'adjunctly', + 'adjuncts', 'adjuration', 'adjurations', 'adjuratory', + 'adjure', + 'adjured', + 'adjurer', + 'adjurers', + 'adjures', + 'adjuring', + 'adjuror', + 'adjurors', + 'adjust', 'adjustabilities', 'adjustability', 'adjustable', + 'adjusted', + 'adjuster', + 'adjusters', + 'adjusting', + 'adjustive', 'adjustment', 'adjustmental', 'adjustments', + 'adjustor', + 'adjustors', + 'adjusts', 'adjutancies', + 'adjutancy', + 'adjutant', + 'adjutants', + 'adjuvant', + 'adjuvants', + 'adman', + 'admass', + 'admeasure', 'admeasured', 'admeasurement', 'admeasurements', 'admeasures', 'admeasuring', + 'admen', 'administer', 'administered', 'administering', @@ -770,20 +1839,46 @@ export const scrabble_array = [ 'administratrix', 'admirabilities', 'admirability', + 'admirable', 'admirableness', 'admirablenesses', + 'admirably', + 'admiral', + 'admirals', 'admiralties', + 'admiralty', 'admiration', 'admirations', + 'admire', + 'admired', + 'admirer', + 'admirers', + 'admires', + 'admiring', 'admiringly', 'admissibilities', 'admissibility', 'admissible', + 'admission', 'admissions', + 'admissive', + 'admit', + 'admits', 'admittance', 'admittances', + 'admitted', 'admittedly', + 'admitter', + 'admitters', + 'admitting', + 'admix', + 'admixed', + 'admixes', + 'admixing', + 'admixt', + 'admixture', 'admixtures', + 'admonish', 'admonished', 'admonisher', 'admonishers', @@ -796,31 +1891,80 @@ export const scrabble_array = [ 'admonitions', 'admonitorily', 'admonitory', + 'adnate', + 'adnation', + 'adnations', + 'adnexa', + 'adnexal', + 'adnoun', + 'adnouns', + 'ado', + 'adobe', + 'adobelike', + 'adobes', + 'adobo', + 'adobos', 'adolescence', 'adolescences', 'adolescent', 'adolescently', 'adolescents', + 'adonis', + 'adonises', + 'adopt', 'adoptabilities', 'adoptability', + 'adoptable', + 'adopted', + 'adoptee', + 'adoptees', + 'adopter', + 'adopters', 'adoptianism', 'adoptianisms', + 'adopting', + 'adoption', 'adoptionism', 'adoptionisms', 'adoptionist', 'adoptionists', + 'adoptions', + 'adoptive', 'adoptively', + 'adopts', 'adorabilities', 'adorability', + 'adorable', 'adorableness', 'adorablenesses', + 'adorably', + 'adoration', 'adorations', + 'adore', + 'adored', + 'adorer', + 'adorers', + 'adores', + 'adoring', + 'adoringly', + 'adorn', + 'adorned', + 'adorner', + 'adorners', + 'adorning', + 'adornment', 'adornments', + 'adorns', + 'ados', + 'adown', + 'adoze', + 'adrenal', 'adrenalectomies', 'adrenalectomized', 'adrenalectomy', 'adrenaline', 'adrenalines', + 'adrenals', 'adrenergic', 'adrenergically', 'adrenochrome', @@ -834,16 +1978,43 @@ export const scrabble_array = [ 'adrenocorticotropic', 'adrenocorticotropin', 'adrenocorticotropins', + 'adrift', + 'adroit', + 'adroiter', + 'adroitest', + 'adroitly', 'adroitness', 'adroitnesses', + 'ads', 'adscititious', + 'adscript', + 'adscripts', + 'adsorb', 'adsorbable', + 'adsorbate', 'adsorbates', + 'adsorbed', + 'adsorbent', 'adsorbents', + 'adsorber', + 'adsorbers', + 'adsorbing', + 'adsorbs', 'adsorption', 'adsorptions', 'adsorptive', + 'adularia', + 'adularias', + 'adulate', + 'adulated', + 'adulates', + 'adulating', + 'adulation', 'adulations', + 'adulator', + 'adulators', + 'adulatory', + 'adult', 'adulterant', 'adulterants', 'adulterate', @@ -854,6 +2025,7 @@ export const scrabble_array = [ 'adulterations', 'adulterator', 'adulterators', + 'adulterer', 'adulterers', 'adulteress', 'adulteresses', @@ -861,8 +2033,16 @@ export const scrabble_array = [ 'adulterine', 'adulterous', 'adulterously', + 'adultery', + 'adulthood', 'adulthoods', + 'adultlike', + 'adultly', + 'adultness', 'adultnesses', + 'adults', + 'adumbral', + 'adumbrate', 'adumbrated', 'adumbrates', 'adumbrating', @@ -870,8 +2050,19 @@ export const scrabble_array = [ 'adumbrations', 'adumbrative', 'adumbratively', + 'adunc', + 'aduncate', + 'aduncous', + 'adust', + 'advance', + 'advanced', 'advancement', 'advancements', + 'advancer', + 'advancers', + 'advances', + 'advancing', + 'advantage', 'advantaged', 'advantageous', 'advantageously', @@ -879,13 +2070,23 @@ export const scrabble_array = [ 'advantageousnesses', 'advantages', 'advantaging', + 'advect', + 'advected', + 'advecting', + 'advection', 'advections', + 'advective', + 'advects', + 'advent', 'adventitia', 'adventitial', 'adventitias', 'adventitious', 'adventitiously', + 'adventive', 'adventives', + 'advents', + 'adventure', 'adventured', 'adventurer', 'adventurers', @@ -905,23 +2106,35 @@ export const scrabble_array = [ 'adventurously', 'adventurousness', 'adventurousnesses', + 'adverb', + 'adverbial', 'adverbially', 'adverbials', + 'adverbs', 'adversarial', 'adversaries', 'adversariness', 'adversarinesses', + 'adversary', 'adversative', 'adversatively', 'adversatives', + 'adverse', + 'adversely', 'adverseness', 'adversenesses', 'adversities', + 'adversity', + 'advert', + 'adverted', 'advertence', 'advertences', 'advertencies', 'advertency', + 'advertent', 'advertently', + 'adverting', + 'advertise', 'advertised', 'advertisement', 'advertisements', @@ -930,6 +2143,7 @@ export const scrabble_array = [ 'advertises', 'advertising', 'advertisings', + 'advertize', 'advertized', 'advertizement', 'advertizements', @@ -937,77 +2151,202 @@ export const scrabble_array = [ 'advertizing', 'advertorial', 'advertorials', + 'adverts', + 'advice', + 'advices', 'advisabilities', 'advisability', + 'advisable', 'advisableness', 'advisablenesses', + 'advisably', + 'advise', + 'advised', + 'advisedly', + 'advisee', + 'advisees', 'advisement', 'advisements', + 'adviser', + 'advisers', + 'advises', + 'advising', + 'advisor', 'advisories', + 'advisors', + 'advisory', 'advocacies', + 'advocacy', + 'advocate', + 'advocated', + 'advocates', 'advocating', 'advocation', 'advocations', 'advocative', + 'advocator', 'advocators', + 'advowson', + 'advowsons', + 'adynamia', + 'adynamias', + 'adynamic', + 'adyta', + 'adytum', + 'adz', + 'adze', + 'adzes', + 'adzuki', + 'adzukis', + 'ae', + 'aecia', + 'aecial', + 'aecidia', + 'aecidial', + 'aecidium', 'aeciospore', 'aeciospores', + 'aecium', + 'aedes', + 'aedile', + 'aediles', + 'aedine', + 'aegis', + 'aegises', + 'aeneous', + 'aeneus', + 'aeolian', + 'aeon', + 'aeonian', + 'aeonic', + 'aeons', + 'aepyornis', 'aepyornises', + 'aequorin', + 'aequorins', + 'aerate', + 'aerated', + 'aerates', + 'aerating', + 'aeration', + 'aerations', + 'aerator', + 'aerators', 'aerenchyma', 'aerenchymas', 'aerenchymata', + 'aerial', + 'aerialist', 'aerialists', + 'aerially', + 'aerials', + 'aerie', + 'aeried', + 'aerier', + 'aeries', + 'aeriest', + 'aerified', + 'aerifies', + 'aeriform', + 'aerify', + 'aerifying', + 'aerily', + 'aero', + 'aerobatic', 'aerobatics', + 'aerobe', + 'aerobes', + 'aerobia', + 'aerobic', 'aerobically', + 'aerobics', 'aerobiological', 'aerobiologies', 'aerobiology', 'aerobioses', 'aerobiosis', + 'aerobium', + 'aerobrake', 'aerobraked', 'aerobrakes', 'aerobraking', + 'aerodrome', 'aerodromes', + 'aeroduct', + 'aeroducts', 'aerodynamic', 'aerodynamical', 'aerodynamically', 'aerodynamicist', 'aerodynamicists', 'aerodynamics', + 'aerodyne', + 'aerodynes', 'aeroelastic', 'aeroelasticities', 'aeroelasticity', 'aeroembolism', 'aeroembolisms', + 'aerofoil', + 'aerofoils', + 'aerogel', + 'aerogels', + 'aerogram', 'aerogramme', 'aerogrammes', + 'aerograms', + 'aerolite', + 'aerolites', + 'aerolith', + 'aeroliths', 'aerologies', + 'aerology', 'aeromagnetic', 'aeromechanics', 'aeromedical', 'aeromedicine', 'aeromedicines', + 'aerometer', 'aerometers', + 'aeronaut', 'aeronautic', 'aeronautical', 'aeronautically', 'aeronautics', + 'aeronauts', + 'aeronomer', 'aeronomers', + 'aeronomic', 'aeronomical', 'aeronomies', 'aeronomist', 'aeronomists', + 'aeronomy', + 'aeroplane', 'aeroplanes', + 'aerosat', + 'aerosats', + 'aerosol', 'aerosolization', 'aerosolizations', 'aerosolize', 'aerosolized', 'aerosolizes', 'aerosolizing', + 'aerosols', + 'aerospace', 'aerospaces', + 'aerostat', 'aerostatics', + 'aerostats', 'aerothermodynamic', 'aerothermodynamics', + 'aerugo', + 'aerugos', + 'aery', + 'aesthete', + 'aesthetes', + 'aesthetic', 'aesthetical', 'aesthetically', 'aesthetician', @@ -1019,23 +2358,47 @@ export const scrabble_array = [ 'aestheticizes', 'aestheticizing', 'aesthetics', + 'aestival', + 'aestivate', 'aestivated', 'aestivates', 'aestivating', 'aestivation', 'aestivations', + 'aether', + 'aetheric', + 'aethers', 'aetiologies', + 'aetiology', + 'afar', + 'afars', + 'afeard', + 'afeared', + 'afebrile', + 'aff', 'affabilities', 'affability', + 'affable', + 'affably', + 'affair', + 'affaire', + 'affaires', + 'affairs', + 'affect', 'affectabilities', 'affectability', 'affectable', 'affectation', 'affectations', + 'affected', 'affectedly', 'affectedness', 'affectednesses', + 'affecter', + 'affecters', + 'affecting', 'affectingly', + 'affection', 'affectional', 'affectionally', 'affectionate', @@ -1043,25 +2406,45 @@ export const scrabble_array = [ 'affectioned', 'affectionless', 'affections', + 'affective', 'affectively', 'affectivities', 'affectivity', 'affectless', 'affectlessness', 'affectlessnesses', + 'affects', 'affenpinscher', 'affenpinschers', + 'afferent', 'afferently', + 'afferents', + 'affiance', + 'affianced', + 'affiances', 'affiancing', + 'affiant', + 'affiants', + 'affiche', + 'affiches', 'afficionado', 'afficionados', + 'affidavit', 'affidavits', + 'affiliate', 'affiliated', 'affiliates', 'affiliating', 'affiliation', 'affiliations', + 'affinal', + 'affine', + 'affined', + 'affinely', + 'affines', 'affinities', + 'affinity', + 'affirm', 'affirmable', 'affirmance', 'affirmances', @@ -1070,82 +2453,250 @@ export const scrabble_array = [ 'affirmative', 'affirmatively', 'affirmatives', + 'affirmed', + 'affirmer', + 'affirmers', + 'affirming', + 'affirms', + 'affix', + 'affixable', + 'affixal', 'affixation', 'affixations', + 'affixed', + 'affixer', + 'affixers', + 'affixes', + 'affixial', + 'affixing', + 'affixment', 'affixments', + 'afflatus', 'afflatuses', + 'afflict', + 'afflicted', 'afflicting', 'affliction', 'afflictions', 'afflictive', 'afflictively', + 'afflicts', + 'affluence', 'affluences', 'affluencies', + 'affluency', + 'affluent', 'affluently', + 'affluents', + 'afflux', + 'affluxes', + 'afford', 'affordabilities', 'affordability', 'affordable', 'affordably', + 'afforded', + 'affording', + 'affords', + 'afforest', 'afforestation', 'afforestations', 'afforested', 'afforesting', + 'afforests', + 'affray', + 'affrayed', + 'affrayer', + 'affrayers', + 'affraying', + 'affrays', + 'affricate', 'affricates', 'affricative', 'affricatives', + 'affright', 'affrighted', 'affrighting', + 'affrights', + 'affront', + 'affronted', 'affronting', + 'affronts', + 'affusion', + 'affusions', + 'afghan', + 'afghani', + 'afghanis', + 'afghans', 'aficionada', 'aficionadas', 'aficionado', 'aficionados', + 'afield', + 'afire', + 'aflame', + 'aflatoxin', 'aflatoxins', + 'afloat', + 'aflutter', + 'afoot', + 'afore', 'aforementioned', + 'aforesaid', 'aforethought', + 'afoul', + 'afraid', + 'afreet', + 'afreets', + 'afresh', + 'afrit', + 'afrits', + 'aft', + 'after', 'afterbirth', 'afterbirths', 'afterburner', 'afterburners', + 'aftercare', 'aftercares', + 'afterclap', 'afterclaps', + 'afterdeck', 'afterdecks', 'aftereffect', 'aftereffects', + 'afterglow', 'afterglows', 'afterimage', 'afterimages', + 'afterlife', 'afterlives', 'aftermarket', 'aftermarkets', + 'aftermath', 'aftermaths', + 'aftermost', + 'afternoon', 'afternoons', 'afterpiece', 'afterpieces', + 'afters', 'aftershave', 'aftershaves', 'aftershock', 'aftershocks', 'aftertaste', 'aftertastes', + 'aftertax', 'afterthought', 'afterthoughts', + 'aftertime', 'aftertimes', + 'afterward', 'afterwards', + 'afterword', 'afterwords', 'afterworld', 'afterworlds', + 'aftmost', + 'aftosa', + 'aftosas', + 'ag', + 'aga', + 'again', + 'against', + 'agalloch', + 'agallochs', + 'agalwood', + 'agalwoods', + 'agama', + 'agamas', + 'agamete', + 'agametes', + 'agamic', 'agammaglobulinemia', 'agammaglobulinemias', 'agammaglobulinemic', 'agamospermies', 'agamospermy', + 'agamous', + 'agapae', + 'agapai', 'agapanthus', 'agapanthuses', + 'agape', + 'agapeic', + 'agar', + 'agaric', + 'agarics', + 'agarose', + 'agaroses', + 'agars', + 'agas', + 'agate', + 'agates', + 'agatize', + 'agatized', + 'agatizes', + 'agatizing', + 'agatoid', + 'agave', + 'agaves', + 'agaze', + 'age', + 'aged', + 'agedly', + 'agedness', 'agednesses', + 'agee', + 'ageing', + 'ageings', + 'ageism', + 'ageisms', + 'ageist', + 'ageists', + 'ageless', + 'agelessly', 'agelessness', 'agelessnesses', + 'agelong', + 'agencies', + 'agency', + 'agenda', 'agendaless', + 'agendas', + 'agendum', + 'agendums', + 'agene', + 'agenes', + 'ageneses', + 'agenesia', + 'agenesias', + 'agenesis', + 'agenetic', + 'agenize', + 'agenized', + 'agenizes', + 'agenizing', + 'agent', + 'agential', + 'agenting', + 'agentings', + 'agentive', + 'agentives', + 'agentries', + 'agentry', + 'agents', + 'ager', + 'ageratum', + 'ageratums', + 'agers', + 'ages', + 'aggadic', + 'agger', + 'aggers', + 'aggie', + 'aggies', 'aggiornamento', 'aggiornamentos', 'agglomerate', @@ -1172,6 +2723,10 @@ export const scrabble_array = [ 'agglutinogens', 'aggradation', 'aggradations', + 'aggrade', + 'aggraded', + 'aggrades', + 'aggrading', 'aggrandise', 'aggrandised', 'aggrandises', @@ -1184,11 +2739,13 @@ export const scrabble_array = [ 'aggrandizers', 'aggrandizes', 'aggrandizing', + 'aggravate', 'aggravated', 'aggravates', 'aggravating', 'aggravation', 'aggravations', + 'aggregate', 'aggregated', 'aggregately', 'aggregateness', @@ -1200,6 +2757,9 @@ export const scrabble_array = [ 'aggregations', 'aggregative', 'aggregatively', + 'aggress', + 'aggressed', + 'aggresses', 'aggressing', 'aggression', 'aggressions', @@ -1209,35 +2769,162 @@ export const scrabble_array = [ 'aggressivenesses', 'aggressivities', 'aggressivity', + 'aggressor', 'aggressors', + 'aggrieve', + 'aggrieved', 'aggrievedly', 'aggrievement', 'aggrievements', + 'aggrieves', 'aggrieving', + 'aggro', + 'aggros', + 'agha', + 'aghas', + 'aghast', + 'agile', + 'agilely', + 'agilities', + 'agility', + 'agin', + 'aging', + 'agings', + 'aginner', + 'aginners', + 'agio', + 'agios', + 'agiotage', + 'agiotages', + 'agism', + 'agisms', + 'agist', + 'agisted', + 'agisting', + 'agists', + 'agitable', + 'agitate', + 'agitated', 'agitatedly', + 'agitates', + 'agitating', + 'agitation', 'agitational', 'agitations', + 'agitative', + 'agitato', + 'agitator', + 'agitators', + 'agitprop', + 'agitprops', + 'aglare', + 'agleam', + 'aglee', + 'aglet', + 'aglets', + 'agley', + 'aglimmer', + 'aglitter', + 'aglow', + 'agly', + 'aglycon', + 'aglycone', + 'aglycones', + 'aglycons', + 'agma', + 'agmas', + 'agminate', + 'agnail', + 'agnails', + 'agnate', + 'agnates', + 'agnatic', + 'agnation', + 'agnations', + 'agnize', + 'agnized', + 'agnizes', + 'agnizing', + 'agnomen', + 'agnomens', + 'agnomina', + 'agnosia', + 'agnosias', + 'agnostic', 'agnosticism', 'agnosticisms', + 'agnostics', + 'ago', + 'agog', + 'agon', + 'agonal', + 'agone', + 'agones', + 'agonic', + 'agonies', + 'agonise', + 'agonised', + 'agonises', + 'agonising', + 'agonist', + 'agonistic', 'agonistically', + 'agonists', + 'agonize', + 'agonized', + 'agonizes', + 'agonizing', 'agonizingly', + 'agons', + 'agony', + 'agora', + 'agorae', 'agoraphobe', 'agoraphobes', 'agoraphobia', 'agoraphobias', 'agoraphobic', 'agoraphobics', + 'agoras', + 'agorot', + 'agoroth', + 'agouti', + 'agouties', + 'agoutis', + 'agouty', + 'agrafe', + 'agrafes', + 'agraffe', + 'agraffes', 'agranulocyte', 'agranulocytes', 'agranulocytoses', 'agranulocytosis', + 'agrapha', + 'agraphia', + 'agraphias', + 'agraphic', + 'agrarian', 'agrarianism', 'agrarianisms', + 'agrarians', + 'agravic', + 'agree', 'agreeabilities', 'agreeability', + 'agreeable', 'agreeableness', 'agreeablenesses', + 'agreeably', + 'agreed', + 'agreeing', + 'agreement', 'agreements', + 'agrees', + 'agrestal', + 'agrestic', + 'agria', + 'agrias', 'agribusiness', 'agribusinesses', 'agribusinessman', @@ -1253,6 +2940,7 @@ export const scrabble_array = [ 'agriculturist', 'agriculturists', 'agrimonies', + 'agrimony', 'agrochemical', 'agrochemicals', 'agroforester', @@ -1260,99 +2948,538 @@ export const scrabble_array = [ 'agroforestries', 'agroforestry', 'agrologies', + 'agrology', + 'agronomic', 'agronomically', 'agronomies', 'agronomist', 'agronomists', + 'agronomy', + 'aground', + 'agrypnia', + 'agrypnias', + 'ague', + 'aguelike', + 'agues', + 'agueweed', + 'agueweeds', + 'aguish', + 'aguishly', + 'ah', + 'aha', + 'ahchoo', + 'ahead', + 'ahem', + 'ahimsa', + 'ahimsas', + 'ahistoric', 'ahistorical', + 'ahold', + 'aholds', + 'ahorse', + 'ahoy', + 'ahull', + 'ai', + 'aiblins', + 'aid', + 'aide', + 'aided', + 'aider', + 'aiders', + 'aides', + 'aidful', + 'aiding', + 'aidless', + 'aidman', + 'aidmen', + 'aids', + 'aiglet', + 'aiglets', + 'aigret', + 'aigrets', + 'aigrette', + 'aigrettes', + 'aiguille', + 'aiguilles', 'aiguillette', 'aiguillettes', + 'aikido', + 'aikidos', + 'ail', + 'ailanthus', 'ailanthuses', + 'ailed', + 'aileron', + 'ailerons', + 'ailing', + 'ailment', + 'ailments', + 'ails', 'ailurophile', 'ailurophiles', 'ailurophobe', 'ailurophobes', 'ailurophobia', 'ailurophobias', + 'aim', + 'aimed', + 'aimer', + 'aimers', + 'aimful', + 'aimfully', + 'aiming', + 'aimless', + 'aimlessly', 'aimlessness', 'aimlessnesses', + 'aims', + 'ain', + 'ains', + 'ainsell', + 'ainsells', + 'aioli', + 'aiolis', + 'air', + 'airboat', + 'airboats', + 'airborne', + 'airbound', + 'airbrush', 'airbrushed', 'airbrushes', 'airbrushing', + 'airburst', + 'airbursts', + 'airbus', + 'airbuses', + 'airbusses', + 'aircheck', + 'airchecks', + 'aircoach', 'aircoaches', + 'aircraft', + 'aircrew', + 'aircrews', + 'airdate', + 'airdates', + 'airdrome', + 'airdromes', + 'airdrop', 'airdropped', 'airdropping', + 'airdrops', + 'aired', + 'airer', + 'airers', + 'airest', + 'airfare', + 'airfares', + 'airfield', + 'airfields', + 'airflow', + 'airflows', + 'airfoil', + 'airfoils', + 'airframe', + 'airframes', 'airfreight', 'airfreighted', 'airfreighting', 'airfreights', + 'airglow', + 'airglows', + 'airhead', + 'airheaded', + 'airheads', + 'airhole', + 'airholes', + 'airier', + 'airiest', + 'airily', + 'airiness', 'airinesses', + 'airing', + 'airings', + 'airless', 'airlessness', 'airlessnesses', + 'airlift', + 'airlifted', 'airlifting', + 'airlifts', + 'airlike', + 'airline', + 'airliner', + 'airliners', + 'airlines', + 'airmail', + 'airmailed', 'airmailing', + 'airmails', + 'airman', 'airmanship', 'airmanships', + 'airmen', + 'airmobile', + 'airn', + 'airns', + 'airpark', + 'airparks', + 'airplane', + 'airplanes', + 'airplay', + 'airplays', + 'airport', + 'airports', + 'airpost', + 'airposts', + 'airpower', + 'airpowers', + 'airproof', 'airproofed', 'airproofing', + 'airproofs', + 'airs', + 'airscape', + 'airscapes', + 'airscrew', + 'airscrews', + 'airshed', + 'airsheds', + 'airship', + 'airships', + 'airsick', 'airsickness', 'airsicknesses', + 'airspace', + 'airspaces', + 'airspeed', + 'airspeeds', + 'airstream', 'airstreams', + 'airstrip', + 'airstrips', + 'airt', + 'airted', + 'airth', + 'airthed', + 'airthing', + 'airths', + 'airtight', 'airtightness', 'airtightnesses', + 'airtime', + 'airtimes', + 'airting', + 'airts', + 'airward', + 'airwave', + 'airwaves', + 'airway', + 'airways', + 'airwise', + 'airwoman', + 'airwomen', 'airworthier', 'airworthiest', 'airworthiness', 'airworthinesses', + 'airworthy', + 'airy', + 'ais', + 'aisle', + 'aisled', + 'aisles', + 'aisleway', + 'aisleways', + 'ait', + 'aitch', + 'aitchbone', 'aitchbones', + 'aitches', + 'aits', + 'aiver', + 'aivers', + 'ajar', + 'ajee', + 'ajiva', + 'ajivas', + 'ajowan', + 'ajowans', + 'ajuga', + 'ajugas', + 'akee', + 'akees', + 'akela', + 'akelas', + 'akene', + 'akenes', + 'akimbo', + 'akin', + 'akvavit', + 'akvavits', + 'al', + 'ala', + 'alabaster', 'alabasters', 'alabastrine', + 'alack', 'alacrities', 'alacritous', + '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', 'alarmingly', + 'alarmism', + 'alarmisms', + 'alarmist', + 'alarmists', + 'alarms', + 'alarum', + 'alarumed', + 'alaruming', + 'alarums', + 'alary', + 'alas', + 'alaska', + 'alaskas', + 'alastor', + 'alastors', + 'alate', + 'alated', + 'alates', + 'alation', + 'alations', + 'alb', + 'alba', + 'albacore', + 'albacores', + 'albas', + 'albata', + 'albatas', + 'albatross', 'albatrosses', + 'albedo', + 'albedoes', + 'albedos', + 'albeit', + 'albicore', + 'albicores', + 'albinal', + 'albinic', + 'albinism', + 'albinisms', 'albinistic', + 'albino', + 'albinos', + 'albinotic', + 'albite', + 'albites', + 'albitic', + 'albizia', + 'albizias', + 'albizzia', + 'albizzias', + 'albs', + 'album', + 'albumen', + 'albumens', + 'albumin', 'albuminous', + 'albumins', 'albuminuria', 'albuminurias', 'albuminuric', + 'albumose', + 'albumoses', + 'albums', + 'alburnum', + 'alburnums', + 'alcade', + 'alcades', + 'alcahest', + 'alcahests', + 'alcaic', + 'alcaics', + 'alcaide', + 'alcaides', + 'alcalde', + 'alcaldes', + 'alcayde', + 'alcaydes', + 'alcazar', + 'alcazars', + 'alchemic', 'alchemical', 'alchemically', + 'alchemies', + 'alchemist', 'alchemistic', 'alchemistical', 'alchemists', + 'alchemize', 'alchemized', 'alchemizes', 'alchemizing', + 'alchemy', + 'alchymies', + 'alchymy', + 'alcid', + 'alcidine', + 'alcids', + 'alcohol', + 'alcoholic', 'alcoholically', 'alcoholics', 'alcoholism', 'alcoholisms', + 'alcohols', + 'alcove', + 'alcoved', + 'alcoves', 'alcyonarian', 'alcyonarians', + 'aldehyde', + 'aldehydes', + 'aldehydic', + 'alder', 'alderflies', + 'alderfly', + 'alderman', 'aldermanic', + 'aldermen', + 'alders', 'alderwoman', 'alderwomen', + 'aldol', + 'aldolase', + 'aldolases', 'aldolization', 'aldolizations', + 'aldols', + 'aldose', + 'aldoses', 'aldosterone', 'aldosterones', 'aldosteronism', 'aldosteronisms', + 'aldrin', + 'aldrins', + 'ale', + 'aleatoric', + 'aleatory', + 'alec', + 'alecs', + 'alee', + 'alef', + 'alefs', + 'alegar', + 'alegars', + 'alehouse', + 'alehouses', + 'alembic', + 'alembics', + 'alencon', + 'alencons', + 'aleph', + 'alephs', + 'alert', + 'alerted', + 'alerter', + 'alertest', + 'alerting', + 'alertly', + 'alertness', 'alertnesses', + 'alerts', + 'ales', + 'aleuron', + 'aleurone', + 'aleurones', + 'aleurons', + 'alevin', + 'alevins', + 'alewife', + 'alewives', + 'alexander', 'alexanders', 'alexandrine', 'alexandrines', 'alexandrite', 'alexandrites', + 'alexia', + 'alexias', + 'alexin', + 'alexine', + 'alexines', + 'alexins', + 'alfa', + 'alfaki', + 'alfakis', + 'alfalfa', + 'alfalfas', + 'alfaqui', + 'alfaquin', + 'alfaquins', + 'alfaquis', + 'alfas', + 'alfilaria', 'alfilarias', + 'alforja', + 'alforjas', + 'alfresco', + 'alga', + 'algae', + 'algaecide', 'algaecides', + 'algal', + 'algaroba', + 'algarobas', + 'algarroba', 'algarrobas', + 'algas', + 'algebra', + 'algebraic', 'algebraically', 'algebraist', 'algebraists', + 'algebras', + 'algerine', + 'algerines', + 'algicidal', + 'algicide', + 'algicides', + 'algid', 'algidities', + 'algidity', + 'algin', + 'alginate', + 'alginates', + 'algins', + 'algoid', 'algolagnia', 'algolagniac', 'algolagniacs', @@ -1361,36 +3488,137 @@ export const scrabble_array = [ 'algologies', 'algologist', 'algologists', + 'algology', + 'algor', + 'algorism', + 'algorisms', + 'algorithm', 'algorithmic', 'algorithmically', 'algorithms', + 'algors', + 'algum', + 'algums', + 'alias', + 'aliases', + 'alibi', + 'alibied', + 'alibies', + 'alibiing', + 'alibis', + 'alible', + 'alicyclic', + 'alidad', + 'alidade', + 'alidades', + 'alidads', + 'alien', 'alienabilities', 'alienability', + 'alienable', + 'alienage', + 'alienages', + 'alienate', + 'alienated', + 'alienates', 'alienating', 'alienation', 'alienations', + 'alienator', 'alienators', + 'aliened', + 'alienee', + 'alienees', + 'aliener', + 'alieners', + 'aliening', + 'alienism', + 'alienisms', + 'alienist', + 'alienists', + 'alienly', + 'alienness', 'aliennesses', + 'alienor', + 'alienors', + 'aliens', + 'alif', + 'aliform', + 'alifs', + 'alight', + 'alighted', + 'alighting', 'alightment', 'alightments', + 'alights', + 'align', + 'aligned', + 'aligner', + 'aligners', + 'aligning', + 'alignment', 'alignments', + 'aligns', + 'alike', + 'alikeness', 'alikenesses', + 'aliment', 'alimentary', 'alimentation', 'alimentations', + 'alimented', 'alimenting', + 'aliments', + 'alimonies', + 'alimony', + 'aline', + 'alined', + 'alinement', 'alinements', + 'aliner', + 'aliners', + 'alines', + 'alining', + 'aliped', + 'alipeds', + 'aliphatic', + 'aliquant', + 'aliquot', + 'aliquots', + 'alist', + 'alit', 'aliteracies', + 'aliteracy', + 'aliterate', 'aliterates', + 'aliunde', + 'alive', + 'aliveness', 'alivenesses', + 'aliya', + 'aliyah', + 'aliyahs', + 'aliyas', + 'aliyos', + 'aliyot', + 'alizarin', + 'alizarins', + 'alkahest', 'alkahestic', + 'alkahests', + 'alkali', + 'alkalic', + 'alkalies', 'alkalified', 'alkalifies', + 'alkalify', 'alkalifying', 'alkalimeter', 'alkalimeters', 'alkalimetries', 'alkalimetry', + 'alkalin', + 'alkaline', 'alkalinities', 'alkalinity', 'alkalinization', @@ -1399,19 +3627,76 @@ export const scrabble_array = [ 'alkalinized', 'alkalinizes', 'alkalinizing', + 'alkalis', + 'alkalise', + 'alkalised', + 'alkalises', 'alkalising', + 'alkalize', + 'alkalized', + 'alkalizes', 'alkalizing', + 'alkaloid', 'alkaloidal', + 'alkaloids', + 'alkaloses', + 'alkalosis', + 'alkalotic', + 'alkane', + 'alkanes', + 'alkanet', + 'alkanets', + 'alkene', + 'alkenes', + 'alkies', + 'alkine', + 'alkines', + 'alkoxide', + 'alkoxides', + 'alkoxy', + 'alky', + 'alkyd', + 'alkyds', + 'alkyl', + 'alkylate', + 'alkylated', + 'alkylates', 'alkylating', 'alkylation', 'alkylations', + 'alkylic', + 'alkyls', + 'alkyne', + 'alkynes', + 'all', + 'allanite', + 'allanites', + 'allantoic', 'allantoides', + 'allantoin', 'allantoins', + 'allantois', 'allargando', + 'allay', + 'allayed', + 'allayer', + 'allayers', + 'allaying', + 'allays', + 'allee', + 'allees', 'allegation', 'allegations', + 'allege', + 'alleged', + 'allegedly', + 'alleger', + 'allegers', + 'alleges', 'allegiance', 'allegiances', + 'allegiant', + 'alleging', 'allegorical', 'allegorically', 'allegoricalness', @@ -1431,8 +3716,16 @@ export const scrabble_array = [ 'allegorizers', 'allegorizes', 'allegorizing', + 'allegory', 'allegretto', 'allegrettos', + 'allegro', + 'allegros', + 'allele', + 'alleles', + 'allelic', + 'allelism', + 'allelisms', 'allelomorph', 'allelomorphic', 'allelomorphism', @@ -1441,12 +3734,25 @@ export const scrabble_array = [ 'allelopathic', 'allelopathies', 'allelopathy', + 'alleluia', + 'alleluias', + 'allemande', 'allemandes', + 'allergen', 'allergenic', 'allergenicities', 'allergenicity', + 'allergens', + 'allergic', + 'allergies', + 'allergin', + 'allergins', + 'allergist', 'allergists', + 'allergy', + 'allethrin', 'allethrins', + 'alleviate', 'alleviated', 'alleviates', 'alleviating', @@ -1454,7 +3760,21 @@ export const scrabble_array = [ 'alleviations', 'alleviator', 'alleviators', + 'alley', + 'alleys', + 'alleyway', + 'alleyways', + 'allheal', + 'allheals', + 'alliable', 'alliaceous', + 'alliance', + 'alliances', + 'allicin', + 'allicins', + 'allied', + 'allies', + 'alligator', 'alligators', 'alliterate', 'alliterated', @@ -1464,35 +3784,64 @@ export const scrabble_array = [ 'alliterations', 'alliterative', 'alliteratively', + 'allium', + 'alliums', 'alloantibodies', 'alloantibody', 'alloantigen', 'alloantigens', + 'allobar', + 'allobars', + 'allocable', 'allocatable', + 'allocate', + 'allocated', + 'allocates', 'allocating', 'allocation', 'allocations', + 'allocator', 'allocators', 'allocution', 'allocutions', + 'allod', + 'allodia', + 'allodial', + 'allodium', + 'allods', 'allogamies', 'allogamous', + 'allogamy', 'allogeneic', + 'allogenic', + 'allograft', 'allografted', 'allografting', 'allografts', + 'allograph', 'allographic', 'allographs', 'allometric', 'allometries', + 'allometry', + 'allomorph', 'allomorphic', 'allomorphism', 'allomorphisms', 'allomorphs', + 'allonge', + 'allonges', + 'allonym', + 'allonyms', + 'allopath', + 'allopaths', 'allopatric', 'allopatrically', 'allopatries', + 'allopatry', + 'allophane', 'allophanes', + 'allophone', 'allophones', 'allophonic', 'allopolyploid', @@ -1506,41 +3855,175 @@ export const scrabble_array = [ 'allosteric', 'allosterically', 'allosteries', + 'allostery', + 'allot', 'allotetraploid', 'allotetraploidies', 'allotetraploids', 'allotetraploidy', + 'allotment', 'allotments', + 'allotrope', 'allotropes', 'allotropic', 'allotropies', + 'allotropy', + 'allots', + 'allotted', + 'allottee', + 'allottees', + 'allotter', + 'allotters', + 'allotting', + 'allotype', + 'allotypes', + 'allotypic', 'allotypically', 'allotypies', + 'allotypy', + 'allover', + 'allovers', + 'allow', + 'allowable', + 'allowably', + 'allowance', 'allowanced', 'allowances', 'allowancing', + 'allowed', + 'allowedly', + 'allowing', + 'allows', + 'alloxan', + 'alloxans', + 'alloy', + 'alloyed', + 'alloying', + 'alloys', + 'alls', + 'allseed', + 'allseeds', + 'allspice', + 'allspices', + 'allude', + 'alluded', + 'alludes', + 'alluding', + 'allure', + 'allured', 'allurement', 'allurements', + 'allurer', + 'allurers', + 'allures', + 'alluring', 'alluringly', + 'allusion', + 'allusions', + 'allusive', 'allusively', 'allusiveness', 'allusivenesses', + 'alluvia', + 'alluvial', + 'alluvials', + 'alluvion', + 'alluvions', + 'alluvium', + 'alluviums', + 'ally', + 'allying', + 'allyl', + 'allylic', + 'allyls', + 'alma', + 'almagest', + 'almagests', + 'almah', + 'almahs', + 'almanac', + 'almanacs', + 'almandine', 'almandines', + 'almandite', 'almandites', + 'almas', + 'alme', + 'almeh', + 'almehs', + 'almemar', + 'almemars', + 'almes', 'almightiness', 'almightinesses', + 'almighty', + 'almner', + 'almners', + 'almond', + 'almonds', + 'almoner', + 'almoners', + 'almonries', + 'almonry', + 'almost', + 'alms', + 'almsgiver', 'almsgivers', 'almsgiving', 'almsgivings', + 'almshouse', 'almshouses', + 'almsman', + 'almsmen', + 'almuce', + 'almuces', + 'almud', + 'almude', + 'almudes', + 'almuds', + 'almug', + 'almugs', + 'alnico', + 'alnicoes', + 'alodia', + 'alodial', + 'alodium', + 'aloe', + 'aloes', + 'aloetic', + 'aloft', + 'alogical', 'alogically', + 'aloha', + 'alohas', + 'aloin', + 'aloins', + 'alone', + 'aloneness', 'alonenesses', + 'along', 'alongshore', + 'alongside', + 'aloof', + 'aloofly', + 'aloofness', 'aloofnesses', + 'alopecia', + 'alopecias', + 'alopecic', + 'aloud', + 'alow', + 'alp', + 'alpaca', + 'alpacas', + 'alpenglow', 'alpenglows', + 'alpenhorn', 'alpenhorns', 'alpenstock', 'alpenstocks', + 'alpha', + 'alphabet', 'alphabeted', 'alphabetic', 'alphabetical', @@ -1554,25 +4037,60 @@ export const scrabble_array = [ 'alphabetizers', 'alphabetizes', 'alphabetizing', + 'alphabets', 'alphameric', 'alphanumeric', 'alphanumerical', 'alphanumerically', 'alphanumerics', + 'alphas', + 'alphorn', + 'alphorns', + 'alphosis', 'alphosises', + 'alphyl', + 'alphyls', + 'alpine', + 'alpinely', + 'alpines', + 'alpinism', + 'alpinisms', + 'alpinist', + 'alpinists', + 'alps', + 'already', + 'alright', + 'als', + 'alsike', + 'alsikes', + 'also', + 'alt', + 'altar', 'altarpiece', 'altarpieces', + 'altars', 'altazimuth', 'altazimuths', + 'alter', 'alterabilities', 'alterability', + 'alterable', + 'alterably', + 'alterant', + 'alterants', 'alteration', 'alterations', + 'altercate', 'altercated', 'altercates', 'altercating', 'altercation', 'altercations', + 'altered', + 'alterer', + 'alterers', + 'altering', + 'alternate', 'alternated', 'alternately', 'alternates', @@ -1586,27 +4104,99 @@ export const scrabble_array = [ 'alternatives', 'alternator', 'alternators', + 'alters', + 'althaea', + 'althaeas', + 'althea', + 'altheas', + 'altho', + 'althorn', + 'althorns', + 'although', + 'altimeter', 'altimeters', 'altimetries', + 'altimetry', + 'altiplano', 'altiplanos', + 'altitude', + 'altitudes', 'altitudinal', 'altitudinous', + 'alto', 'altocumuli', 'altocumulus', 'altogether', 'altogethers', + 'altoist', + 'altoists', + 'altos', 'altostrati', 'altostratus', + 'altricial', + 'altruism', + 'altruisms', + 'altruist', 'altruistic', 'altruistically', + 'altruists', + 'alts', + 'aludel', + 'aludels', + 'alula', + 'alulae', + 'alular', + 'alum', + 'alumin', + 'alumina', + 'aluminas', + 'aluminate', 'aluminates', + 'alumine', + 'alumines', + 'aluminic', + 'aluminium', 'aluminiums', + 'aluminize', 'aluminized', 'aluminizes', 'aluminizing', 'aluminosilicate', 'aluminosilicates', + 'aluminous', + 'alumins', + 'aluminum', + 'aluminums', + 'alumna', + 'alumnae', + 'alumni', + 'alumnus', + 'alumroot', + 'alumroots', + 'alums', + 'alunite', + 'alunites', + 'alveolar', 'alveolarly', + 'alveolars', + 'alveolate', + 'alveoli', + 'alveolus', + 'alvine', + 'alway', + 'always', + 'alyssum', + 'alyssums', + 'am', + 'ama', + 'amadavat', + 'amadavats', + 'amadou', + 'amadous', + 'amah', + 'amahs', + 'amain', + 'amalgam', 'amalgamate', 'amalgamated', 'amalgamates', @@ -1615,25 +4205,74 @@ export const scrabble_array = [ 'amalgamations', 'amalgamator', 'amalgamators', + 'amalgams', + 'amandine', + 'amanita', + 'amanitas', + 'amanitin', + 'amanitins', 'amantadine', 'amantadines', 'amanuenses', 'amanuensis', + 'amaranth', 'amaranthine', + 'amaranths', + 'amarelle', + 'amarelles', + 'amaretti', + 'amaretto', + 'amarettos', + 'amarna', + 'amaryllis', 'amaryllises', + 'amas', + 'amass', + 'amassed', + 'amasser', + 'amassers', + 'amasses', + 'amassing', + 'amassment', 'amassments', + 'amateur', 'amateurish', 'amateurishly', 'amateurishness', 'amateurishnesses', 'amateurism', 'amateurisms', + 'amateurs', + 'amative', + 'amatively', 'amativeness', 'amativenesses', + 'amatol', + 'amatols', + 'amatory', + 'amauroses', + 'amaurosis', + 'amaurotic', + 'amaze', + 'amazed', + 'amazedly', + 'amazement', 'amazements', + 'amazes', + 'amazing', + 'amazingly', + 'amazon', + 'amazonite', 'amazonites', + 'amazons', 'amazonstone', 'amazonstones', + 'ambage', + 'ambages', + 'ambari', + 'ambaries', + 'ambaris', + 'ambary', 'ambassador', 'ambassadorial', 'ambassadors', @@ -1641,13 +4280,33 @@ export const scrabble_array = [ 'ambassadorships', 'ambassadress', 'ambassadresses', + 'ambeer', + 'ambeers', + 'amber', + 'ambergris', 'ambergrises', + 'amberies', + 'amberina', + 'amberinas', + 'amberjack', 'amberjacks', + 'amberoid', + 'amberoids', + 'ambers', + 'ambery', + 'ambiance', + 'ambiances', 'ambidexterities', 'ambidexterity', 'ambidextrous', 'ambidextrously', + 'ambience', + 'ambiences', + 'ambient', + 'ambients', 'ambiguities', + 'ambiguity', + 'ambiguous', 'ambiguously', 'ambiguousness', 'ambiguousnesses', @@ -1655,40 +4314,101 @@ export const scrabble_array = [ 'ambisexualities', 'ambisexuality', 'ambisexuals', + 'ambit', + 'ambition', 'ambitioned', 'ambitioning', 'ambitionless', + 'ambitions', + 'ambitious', 'ambitiously', 'ambitiousness', 'ambitiousnesses', + 'ambits', 'ambivalence', 'ambivalences', 'ambivalent', 'ambivalently', 'ambiversion', 'ambiversions', + 'ambivert', + 'ambiverts', + 'amble', + 'ambled', + 'ambler', + 'amblers', + 'ambles', + 'ambling', 'amblygonite', 'amblygonites', + 'amblyopia', 'amblyopias', + 'amblyopic', + 'ambo', + 'amboina', + 'amboinas', + 'ambones', + 'ambos', + 'amboyna', + 'amboynas', + 'ambries', + 'ambroid', + 'ambroids', + 'ambrosia', + 'ambrosial', 'ambrosially', + 'ambrosias', + 'ambrotype', 'ambrotypes', + 'ambry', + 'ambsace', + 'ambsaces', + 'ambulacra', 'ambulacral', 'ambulacrum', + 'ambulance', 'ambulances', + 'ambulant', + 'ambulate', + 'ambulated', + 'ambulates', 'ambulating', 'ambulation', 'ambulations', 'ambulatories', 'ambulatorily', 'ambulatory', + 'ambuscade', 'ambuscaded', 'ambuscader', 'ambuscaders', 'ambuscades', 'ambuscading', + 'ambush', + 'ambushed', + 'ambusher', + 'ambushers', + 'ambushes', + 'ambushing', 'ambushment', 'ambushments', + 'ameba', + 'amebae', + 'ameban', + 'amebas', + 'amebean', + 'amebiases', + 'amebiasis', + 'amebic', + 'amebocyte', 'amebocytes', + 'ameboid', + 'ameer', + 'ameerate', + 'ameerates', + 'ameers', + 'amelcorn', + 'amelcorns', 'ameliorate', 'ameliorated', 'ameliorates', @@ -1701,29 +4421,106 @@ export const scrabble_array = [ 'amelioratory', 'ameloblast', 'ameloblasts', + 'amen', 'amenabilities', 'amenability', + 'amenable', + 'amenably', + 'amend', + 'amendable', 'amendatory', + 'amended', + 'amender', + 'amenders', + 'amending', + 'amendment', 'amendments', + 'amends', + 'amenities', + 'amenity', 'amenorrhea', 'amenorrheas', 'amenorrheic', + 'amens', + 'ament', + 'amentia', + 'amentias', 'amentiferous', + 'aments', + 'amerce', + 'amerced', 'amercement', 'amercements', + 'amercer', + 'amercers', + 'amerces', 'amerciable', + 'amercing', + 'americium', 'americiums', + 'amesace', + 'amesaces', + 'amethyst', 'amethystine', + 'amethysts', + 'ametropia', 'ametropias', + 'ametropic', + 'ami', + 'amia', 'amiabilities', 'amiability', + 'amiable', 'amiableness', 'amiablenesses', + 'amiably', + 'amiantus', 'amiantuses', + 'amias', 'amicabilities', 'amicability', + 'amicable', 'amicableness', 'amicablenesses', + 'amicably', + 'amice', + 'amices', + 'amici', + 'amicus', + 'amid', + 'amidase', + 'amidases', + 'amide', + 'amides', + 'amidic', + 'amidin', + 'amidine', + 'amidines', + 'amidins', + 'amido', + 'amidogen', + 'amidogens', + 'amidol', + 'amidols', + 'amidone', + 'amidones', + 'amids', + 'amidship', + 'amidships', + 'amidst', + 'amie', + 'amies', + 'amiga', + 'amigas', + 'amigo', + 'amigos', + 'amin', + 'amine', + 'amines', + 'aminic', + 'aminities', + 'aminity', + 'amino', 'aminoaciduria', 'aminoacidurias', 'aminopeptidase', @@ -1736,64 +4533,178 @@ export const scrabble_array = [ 'aminopyrines', 'aminotransferase', 'aminotransferases', + 'amins', + 'amir', + 'amirate', + 'amirates', + 'amirs', + 'amis', + 'amiss', + 'amities', + 'amitoses', + 'amitosis', + 'amitotic', 'amitotically', 'amitriptyline', 'amitriptylines', + 'amitrole', + 'amitroles', + 'amity', + 'ammeter', + 'ammeters', + 'ammine', + 'ammines', + 'ammino', + 'ammo', + 'ammocete', + 'ammocetes', + 'ammonal', + 'ammonals', + 'ammonia', + 'ammoniac', 'ammoniacal', + 'ammoniacs', + 'ammonias', + 'ammoniate', 'ammoniated', 'ammoniates', 'ammoniating', 'ammoniation', 'ammoniations', + 'ammonic', 'ammonification', 'ammonifications', 'ammonified', 'ammonifies', + 'ammonify', 'ammonifying', + 'ammonite', + 'ammonites', + 'ammonitic', + 'ammonium', + 'ammoniums', + 'ammono', + 'ammonoid', + 'ammonoids', + 'ammos', 'ammunition', 'ammunitions', + 'amnesia', + 'amnesiac', + 'amnesiacs', + 'amnesias', + 'amnesic', + 'amnesics', + 'amnestic', + 'amnestied', + 'amnesties', + 'amnesty', 'amnestying', + 'amnia', + 'amnic', 'amniocenteses', 'amniocentesis', + 'amnion', + 'amnionic', + 'amnions', + 'amniote', + 'amniotes', + 'amniotic', 'amobarbital', 'amobarbitals', + 'amoeba', + 'amoebae', + 'amoeban', + 'amoebas', + 'amoebean', 'amoebiases', 'amoebiasis', + 'amoebic', 'amoebocyte', 'amoebocytes', + 'amoeboid', + 'amok', + 'amoks', + 'amole', + 'amoles', + 'among', + 'amongst', 'amontillado', 'amontillados', + 'amoral', + 'amoralism', 'amoralisms', 'amoralities', + 'amorality', + 'amorally', + 'amoretti', + 'amoretto', + 'amorettos', + 'amorini', + 'amorino', + 'amorist', + 'amoristic', + 'amorists', + 'amoroso', + 'amorous', + 'amorously', 'amorousness', 'amorousnesses', + 'amorphous', 'amorphously', 'amorphousness', 'amorphousnesses', + 'amort', + 'amortise', + 'amortised', + 'amortises', 'amortising', 'amortizable', 'amortization', 'amortizations', + 'amortize', + 'amortized', + 'amortizes', 'amortizing', + 'amosite', + 'amosites', + 'amotion', + 'amotions', + 'amount', + 'amounted', + 'amounting', + 'amounts', + 'amour', + 'amours', 'amoxicillin', 'amoxicillins', 'amoxycillin', 'amoxycillins', + 'amp', + 'amperage', + 'amperages', + 'ampere', + 'amperes', 'amperometric', + 'ampersand', 'ampersands', 'amphetamine', 'amphetamines', + 'amphibia', + 'amphibian', 'amphibians', 'amphibious', 'amphibiously', 'amphibiousness', 'amphibiousnesses', + 'amphibole', 'amphiboles', 'amphibolies', 'amphibolite', 'amphibolites', 'amphibologies', 'amphibology', + 'amphiboly', 'amphibrach', 'amphibrachic', 'amphibrachs', @@ -1808,6 +4719,8 @@ export const scrabble_array = [ 'amphimacers', 'amphimixes', 'amphimixis', + 'amphioxi', + 'amphioxus', 'amphioxuses', 'amphipathic', 'amphiphile', @@ -1817,6 +4730,8 @@ export const scrabble_array = [ 'amphiploidies', 'amphiploids', 'amphiploidy', + 'amphipod', + 'amphipods', 'amphiprostyle', 'amphiprostyles', 'amphisbaena', @@ -1827,40 +4742,134 @@ export const scrabble_array = [ 'amphitheatric', 'amphitheatrical', 'amphitheatrically', + 'amphora', + 'amphorae', + 'amphoral', + 'amphoras', 'amphoteric', 'ampicillin', 'ampicillins', + 'ample', + 'ampleness', 'amplenesses', + 'ampler', + 'amplest', + 'amplexus', 'amplexuses', + 'amplidyne', 'amplidynes', 'amplification', 'amplifications', + 'amplified', + 'amplifier', 'amplifiers', + 'amplifies', + 'amplify', 'amplifying', + 'amplitude', 'amplitudes', + 'amply', + 'ampoule', + 'ampoules', + 'amps', + 'ampul', + 'ampule', + 'ampules', + 'ampulla', + 'ampullae', + 'ampullar', + 'ampullary', + 'ampuls', + 'amputate', + 'amputated', + 'amputates', 'amputating', 'amputation', 'amputations', + 'amputee', + 'amputees', + 'amreeta', + 'amreetas', + 'amrita', + 'amritas', + 'amtrac', + 'amtrack', + 'amtracks', + 'amtracs', + 'amu', + 'amuck', + 'amucks', + 'amulet', + 'amulets', + 'amus', + 'amusable', + 'amuse', + 'amused', + 'amusedly', + 'amusement', 'amusements', + 'amuser', + 'amusers', + 'amuses', + 'amusia', + 'amusias', + 'amusing', + 'amusingly', 'amusingness', 'amusingnesses', + 'amusive', + 'amygdala', + 'amygdalae', + 'amygdale', + 'amygdales', + 'amygdalin', 'amygdalins', 'amygdaloid', 'amygdaloidal', 'amygdaloids', + 'amygdule', + 'amygdules', + 'amyl', + 'amylase', + 'amylases', + 'amylene', + 'amylenes', + 'amylic', + 'amylogen', + 'amylogens', + 'amyloid', 'amyloidoses', 'amyloidosis', 'amyloidosises', + 'amyloids', 'amylolytic', 'amylopectin', 'amylopectins', 'amyloplast', 'amyloplasts', + 'amylopsin', 'amylopsins', + 'amylose', + 'amyloses', + 'amyls', + 'amylum', + 'amylums', + 'amyotonia', 'amyotonias', + 'an', + 'ana', + 'anabaena', + 'anabaenas', 'anabaptism', 'anabaptisms', + 'anabas', + 'anabases', + 'anabasis', + 'anabatic', + 'anableps', 'anablepses', + 'anabolic', + 'anabolism', 'anabolisms', 'anachronic', 'anachronism', @@ -1869,16 +4878,29 @@ export const scrabble_array = [ 'anachronistically', 'anachronous', 'anachronously', + 'anaclitic', 'anacolutha', 'anacoluthic', 'anacoluthically', 'anacoluthon', 'anacoluthons', + 'anaconda', + 'anacondas', 'anacreontic', 'anacreontics', + 'anacruses', + 'anacrusis', + 'anadem', + 'anadems', 'anadiploses', 'anadiplosis', 'anadromous', + 'anaemia', + 'anaemias', + 'anaemic', + 'anaerobe', + 'anaerobes', + 'anaerobic', 'anaerobically', 'anaerobioses', 'anaerobiosis', @@ -1888,11 +4910,19 @@ export const scrabble_array = [ 'anaesthetics', 'anageneses', 'anagenesis', + 'anaglyph', 'anaglyphic', + 'anaglyphs', 'anagnorises', 'anagnorisis', + 'anagoge', + 'anagoges', + 'anagogic', 'anagogical', 'anagogically', + 'anagogies', + 'anagogy', + 'anagram', 'anagrammatic', 'anagrammatical', 'anagrammatically', @@ -1904,41 +4934,105 @@ export const scrabble_array = [ 'anagrammatizing', 'anagrammed', 'anagramming', + 'anagrams', + 'anal', + 'analcime', + 'analcimes', + 'analcite', + 'analcites', + 'analecta', + 'analects', + 'analemma', + 'analemmas', 'analemmata', 'analemmatic', + 'analeptic', 'analeptics', + 'analgesia', 'analgesias', + 'analgesic', 'analgesics', + 'analgetic', 'analgetics', + 'analgia', + 'analgias', + 'analities', + 'anality', + 'anally', + 'analog', + 'analogic', 'analogical', 'analogically', + 'analogies', + 'analogist', 'analogists', + 'analogize', 'analogized', 'analogizes', 'analogizing', + 'analogous', 'analogously', 'analogousness', 'analogousnesses', + 'analogs', + 'analogue', + 'analogues', + 'analogy', 'analphabet', 'analphabetic', 'analphabetics', 'analphabetism', 'analphabetisms', 'analphabets', + 'analysand', 'analysands', + 'analyse', + 'analysed', + 'analyser', + 'analysers', + 'analyses', + 'analysing', + 'analysis', + 'analyst', + 'analysts', + 'analytic', 'analytical', 'analytically', 'analyticities', 'analyticity', + 'analytics', 'analyzabilities', 'analyzability', 'analyzable', 'analyzation', 'analyzations', + 'analyze', + 'analyzed', + 'analyzer', + 'analyzers', + 'analyzes', + 'analyzing', + 'anamneses', + 'anamnesis', 'anamnestic', 'anamorphic', + 'ananke', + 'anankes', + 'anapaest', + 'anapaests', + 'anapest', + 'anapestic', 'anapestics', + 'anapests', + 'anaphase', + 'anaphases', + 'anaphasic', + 'anaphor', + 'anaphora', + 'anaphoras', + 'anaphoric', 'anaphorically', + 'anaphors', 'anaphrodisiac', 'anaphrodisiacs', 'anaphylactic', @@ -1946,15 +5040,26 @@ export const scrabble_array = [ 'anaphylactoid', 'anaphylaxes', 'anaphylaxis', + 'anaplasia', 'anaplasias', 'anaplasmoses', 'anaplasmosis', 'anaplastic', + 'anarch', + 'anarchic', 'anarchical', 'anarchically', + 'anarchies', + 'anarchism', 'anarchisms', + 'anarchist', 'anarchistic', 'anarchists', + 'anarchs', + 'anarchy', + 'anas', + 'anasarca', + 'anasarcas', 'anasarcous', 'anastigmat', 'anastigmatic', @@ -1967,80 +5072,174 @@ export const scrabble_array = [ 'anastomotic', 'anastrophe', 'anastrophes', + 'anatase', + 'anatases', + 'anathema', + 'anathemas', 'anathemata', 'anathematize', 'anathematized', 'anathematizes', 'anathematizing', + 'anatomic', 'anatomical', 'anatomically', + 'anatomies', + 'anatomise', 'anatomised', 'anatomises', 'anatomising', + 'anatomist', 'anatomists', + 'anatomize', 'anatomized', 'anatomizes', 'anatomizing', + 'anatomy', + 'anatoxin', + 'anatoxins', 'anatropous', + 'anatto', + 'anattos', + 'ancestor', 'ancestored', 'ancestoring', + 'ancestors', + 'ancestral', 'ancestrally', 'ancestress', 'ancestresses', 'ancestries', + 'ancestry', + 'anchor', + 'anchorage', 'anchorages', + 'anchored', + 'anchoress', 'anchoresses', + 'anchoret', + 'anchorets', + 'anchoring', + 'anchorite', 'anchorites', 'anchoritic', 'anchoritically', 'anchorless', + 'anchorman', + 'anchormen', 'anchorpeople', 'anchorperson', 'anchorpersons', + 'anchors', 'anchorwoman', 'anchorwomen', + 'anchoveta', 'anchovetas', 'anchovetta', 'anchovettas', + 'anchovies', + 'anchovy', + 'anchusa', + 'anchusas', + 'anchusin', + 'anchusins', + 'ancient', + 'ancienter', 'ancientest', + 'anciently', 'ancientness', 'ancientnesses', 'ancientries', + 'ancientry', + 'ancients', + 'ancilla', + 'ancillae', 'ancillaries', + 'ancillary', + 'ancillas', + 'ancon', + 'anconal', + 'ancone', + 'anconeal', + 'ancones', + 'anconoid', + 'ancress', + 'ancresses', 'ancylostomiases', 'ancylostomiasis', + 'and', 'andalusite', 'andalusites', + 'andante', + 'andantes', + 'andantino', 'andantinos', + 'andesite', + 'andesites', + 'andesitic', + 'andesyte', + 'andesytes', + 'andiron', + 'andirons', + 'andouille', 'andouilles', 'andouillette', 'andouillettes', + 'andradite', 'andradites', 'androcentric', + 'androecia', 'androecium', + 'androgen', 'androgeneses', 'androgenesis', 'androgenetic', 'androgenic', + 'androgens', + 'androgyne', 'androgynes', 'androgynies', 'androgynous', + 'androgyny', + 'android', + 'androids', + 'andromeda', 'andromedas', 'androsterone', 'androsterones', + 'ands', + 'ane', + 'anear', + 'aneared', + 'anearing', + 'anears', + 'anecdota', 'anecdotage', 'anecdotages', + 'anecdotal', 'anecdotalism', 'anecdotalisms', 'anecdotalist', 'anecdotalists', 'anecdotally', + 'anecdote', + 'anecdotes', + 'anecdotic', 'anecdotical', 'anecdotically', 'anecdotist', 'anecdotists', + 'anechoic', + 'anelastic', 'anelasticities', 'anelasticity', + 'anele', + 'aneled', + 'aneles', + 'aneling', + 'anemia', + 'anemias', + 'anemic', 'anemically', 'anemograph', 'anemographs', @@ -2048,10 +5247,24 @@ export const scrabble_array = [ 'anemometers', 'anemometries', 'anemometry', + 'anemone', + 'anemones', 'anemophilous', + 'anemoses', + 'anemosis', 'anencephalic', 'anencephalies', 'anencephaly', + 'anenst', + 'anent', + 'anergia', + 'anergias', + 'anergic', + 'anergies', + 'anergy', + 'aneroid', + 'aneroids', + 'anes', 'anesthesia', 'anesthesias', 'anesthesiologies', @@ -2067,30 +5280,79 @@ export const scrabble_array = [ 'anesthetized', 'anesthetizes', 'anesthetizing', + 'anestri', + 'anestrous', + 'anestrus', 'anestruses', + 'anethol', + 'anethole', + 'anetholes', + 'anethols', + 'aneuploid', 'aneuploidies', 'aneuploids', 'aneuploidy', + 'aneurin', + 'aneurins', + 'aneurism', + 'aneurisms', + 'aneurysm', 'aneurysmal', + 'aneurysms', + 'anew', 'anfractuosities', 'anfractuosity', 'anfractuous', + 'anga', + 'angakok', + 'angakoks', + 'angaria', + 'angarias', + 'angaries', + 'angary', + 'angas', + 'angel', + 'angeled', + 'angelfish', 'angelfishes', + 'angelic', + 'angelica', + 'angelical', 'angelically', + 'angelicas', + 'angeling', 'angelologies', 'angelologist', 'angelologists', 'angelology', + 'angels', + 'angelus', + 'angeluses', + 'anger', + 'angered', + 'angering', + 'angerless', + 'angerly', + 'angers', + 'angina', + 'anginal', + 'anginas', + 'anginose', + 'anginous', 'angiocardiographic', 'angiocardiographies', 'angiocardiography', 'angiogeneses', 'angiogenesis', 'angiogenic', + 'angiogram', 'angiograms', 'angiographic', 'angiographies', 'angiography', + 'angioma', + 'angiomas', + 'angiomata', 'angiomatous', 'angioplasties', 'angioplasty', @@ -2099,63 +5361,165 @@ export const scrabble_array = [ 'angiosperms', 'angiotensin', 'angiotensins', + 'angle', + 'angled', + 'anglepod', + 'anglepods', + 'angler', 'anglerfish', 'anglerfishes', + 'anglers', + 'angles', + 'anglesite', 'anglesites', + 'angleworm', 'angleworms', + 'anglice', + 'anglicise', 'anglicised', 'anglicises', 'anglicising', + 'anglicism', 'anglicisms', 'anglicization', 'anglicizations', + 'anglicize', 'anglicized', 'anglicizes', 'anglicizing', + 'angling', + 'anglings', 'anglophone', + 'angora', + 'angoras', + 'angrier', + 'angriest', + 'angrily', + 'angriness', 'angrinesses', + 'angry', + 'angst', + 'angstrom', + 'angstroms', + 'angsts', + 'anguine', + 'anguish', + 'anguished', + 'anguishes', 'anguishing', + 'angular', 'angularities', 'angularity', + 'angularly', + 'angulate', + 'angulated', + 'angulates', 'angulating', 'angulation', 'angulations', + 'angulose', + 'angulous', + 'anhedonia', 'anhedonias', + 'anhedonic', + 'anhinga', + 'anhingas', + 'anhydride', 'anhydrides', + 'anhydrite', 'anhydrites', + 'anhydrous', + 'ani', + 'anil', + 'anile', + 'anilin', 'anilinctus', 'anilinctuses', + 'aniline', + 'anilines', + 'anilingus', 'anilinguses', + 'anilins', + 'anilities', + 'anility', + 'anils', + 'anima', 'animadversion', 'animadversions', 'animadvert', 'animadverted', 'animadverting', 'animadverts', + 'animal', 'animalcula', 'animalcule', 'animalcules', 'animalculum', + 'animalic', + 'animalier', 'animaliers', + 'animalism', 'animalisms', 'animalistic', 'animalities', + 'animality', 'animalization', 'animalizations', + 'animalize', 'animalized', 'animalizes', 'animalizing', 'animallike', + 'animally', + 'animals', + 'animas', + 'animate', + 'animated', 'animatedly', + 'animately', 'animateness', 'animatenesses', + 'animater', + 'animaters', + 'animates', + 'animating', + 'animation', 'animations', + 'animato', + 'animator', + 'animators', + 'anime', + 'animes', + 'animi', + 'animis', + 'animism', + 'animisms', + 'animist', + 'animistic', + 'animists', 'animosities', + 'animosity', + 'animus', + 'animuses', + 'anion', + 'anionic', + 'anions', + 'anis', + 'anise', + 'aniseed', + 'aniseeds', 'aniseikonia', 'aniseikonias', 'aniseikonic', + 'anises', + 'anisette', + 'anisettes', + 'anisic', 'anisogamies', 'anisogamous', + 'anisogamy', + 'anisole', + 'anisoles', 'anisometropia', 'anisometropias', 'anisometropic', @@ -2165,21 +5529,71 @@ export const scrabble_array = [ 'anisotropism', 'anisotropisms', 'anisotropy', + 'ankerite', + 'ankerites', + 'ankh', + 'ankhs', + 'ankle', + 'anklebone', 'anklebones', + 'ankled', + 'ankles', + 'anklet', + 'anklets', + 'ankling', + 'ankus', + 'ankuses', + 'ankush', + 'ankushes', 'ankylosaur', 'ankylosaurs', 'ankylosaurus', 'ankylosauruses', + 'ankylose', + 'ankylosed', + 'ankyloses', 'ankylosing', + 'ankylosis', 'ankylostomiases', 'ankylostomiasis', + 'ankylotic', + 'anlace', + 'anlaces', + 'anlage', + 'anlagen', + 'anlages', + 'anlas', + 'anlases', + 'anna', + 'annal', + 'annalist', 'annalistic', + 'annalists', + 'annals', + 'annas', + 'annates', + 'annatto', + 'annattos', + 'anneal', + 'annealed', + 'annealer', + 'annealers', + 'annealing', + 'anneals', + 'annelid', + 'annelidan', 'annelidans', + 'annelids', + 'annex', 'annexation', 'annexational', 'annexationist', 'annexationists', 'annexations', + 'annexe', + 'annexed', + 'annexes', + 'annexing', 'annihilate', 'annihilated', 'annihilates', @@ -2191,24 +5605,59 @@ export const scrabble_array = [ 'annihilatory', 'anniversaries', 'anniversary', + 'annotate', + 'annotated', + 'annotates', 'annotating', 'annotation', 'annotations', 'annotative', + 'annotator', 'annotators', + 'announce', + 'announced', 'announcement', 'announcements', + 'announcer', 'announcers', + 'announces', 'announcing', + 'annoy', + 'annoyance', 'annoyances', + 'annoyed', + 'annoyer', + 'annoyers', + 'annoying', 'annoyingly', + 'annoys', + 'annual', + 'annualize', 'annualized', 'annualizes', 'annualizing', + 'annually', + 'annuals', + 'annuitant', 'annuitants', + 'annuities', + 'annuity', + 'annul', + 'annular', + 'annulate', 'annulation', 'annulations', + 'annulet', + 'annulets', + 'annuli', + 'annulled', + 'annulling', + 'annulment', 'annulments', + 'annulose', + 'annuls', + 'annulus', + 'annuluses', 'annunciate', 'annunciated', 'annunciates', @@ -2218,29 +5667,114 @@ export const scrabble_array = [ 'annunciator', 'annunciators', 'annunciatory', + 'anoa', + 'anoas', + 'anodal', + 'anodally', + 'anode', + 'anodes', + 'anodic', 'anodically', 'anodization', 'anodizations', + 'anodize', + 'anodized', + 'anodizes', + 'anodizing', + 'anodyne', + 'anodynes', + 'anodynic', + 'anoint', + 'anointed', + 'anointer', + 'anointers', + 'anointing', 'anointment', 'anointments', + 'anoints', + 'anole', + 'anoles', + 'anolyte', + 'anolytes', + 'anomalies', + 'anomalous', 'anomalously', 'anomalousness', 'anomalousnesses', + 'anomaly', + 'anomic', + 'anomie', + 'anomies', + 'anomy', + 'anon', + 'anonym', 'anonymities', + 'anonymity', + 'anonymous', 'anonymously', 'anonymousness', 'anonymousnesses', + 'anonyms', + 'anoopsia', + 'anoopsias', + 'anopheles', 'anopheline', 'anophelines', + 'anopia', + 'anopias', + 'anopsia', + 'anopsias', + 'anorak', + 'anoraks', + 'anorectic', 'anorectics', + 'anoretic', + 'anoretics', + 'anorexia', + 'anorexias', + 'anorexic', + 'anorexics', + 'anorexies', 'anorexigenic', + 'anorexy', + 'anorthic', + 'anorthite', 'anorthites', 'anorthitic', 'anorthosite', 'anorthosites', 'anorthositic', + 'anosmia', + 'anosmias', + 'anosmic', + 'another', + 'anovular', 'anovulatory', + 'anoxemia', + 'anoxemias', + 'anoxemic', + 'anoxia', + 'anoxias', + 'anoxic', + 'ansa', + 'ansae', + 'ansate', + 'ansated', + 'anserine', + 'anserines', + 'anserous', + 'answer', 'answerable', + 'answered', + 'answerer', + 'answerers', + 'answering', + 'answers', + 'ant', + 'anta', + 'antacid', + 'antacids', + 'antae', 'antagonism', 'antagonisms', 'antagonist', @@ -2251,12 +5785,24 @@ export const scrabble_array = [ 'antagonized', 'antagonizes', 'antagonizing', + 'antalgic', + 'antalgics', + 'antarctic', + 'antas', + 'antbear', + 'antbears', + 'ante', + 'anteater', + 'anteaters', 'antebellum', + 'antecede', + 'anteceded', 'antecedence', 'antecedences', 'antecedent', 'antecedently', 'antecedents', + 'antecedes', 'anteceding', 'antecessor', 'antecessors', @@ -2264,15 +5810,36 @@ export const scrabble_array = [ 'antechambers', 'antechapel', 'antechapels', + 'antechoir', 'antechoirs', + 'anted', + 'antedate', + 'antedated', + 'antedates', 'antedating', 'antediluvian', 'antediluvians', + 'anteed', + 'antefix', + 'antefixa', + 'antefixae', + 'antefixes', + 'anteing', + 'antelope', + 'antelopes', 'antemortem', + 'antenatal', 'antenatally', + 'antenna', + 'antennae', + 'antennal', + 'antennas', 'antennular', + 'antennule', 'antennules', 'antenuptial', + 'antepast', + 'antepasts', 'antependia', 'antependium', 'antependiums', @@ -2282,20 +5849,50 @@ export const scrabble_array = [ 'antepenultimate', 'antepenultimates', 'antepenults', + 'anterior', 'anteriorly', + 'anteroom', + 'anterooms', + 'antes', + 'antetype', + 'antetypes', + 'antevert', 'anteverted', 'anteverting', + 'anteverts', + 'anthelia', 'anthelices', + 'anthelion', 'anthelions', + 'anthelix', 'anthelixes', 'anthelmintic', 'anthelmintics', + 'anthem', + 'anthemed', + 'anthemia', + 'antheming', + 'anthemion', + 'anthems', + 'anther', + 'antheral', + 'antherid', 'antheridia', 'antheridial', 'antheridium', + 'antherids', + 'anthers', + 'antheses', + 'anthesis', + 'anthill', + 'anthills', + 'anthocyan', 'anthocyanin', 'anthocyanins', 'anthocyans', + 'anthodia', + 'anthodium', + 'anthoid', 'anthological', 'anthologies', 'anthologist', @@ -2306,12 +5903,15 @@ export const scrabble_array = [ 'anthologizers', 'anthologizes', 'anthologizing', + 'anthology', 'anthophilous', 'anthophyllite', 'anthophyllites', + 'anthozoan', 'anthozoans', 'anthracene', 'anthracenes', + 'anthraces', 'anthracite', 'anthracites', 'anthracitic', @@ -2321,6 +5921,8 @@ export const scrabble_array = [ 'anthranilates', 'anthraquinone', 'anthraquinones', + 'anthrax', + 'anthropic', 'anthropical', 'anthropocentric', 'anthropocentrically', @@ -2363,7 +5965,9 @@ export const scrabble_array = [ 'anthropophagy', 'anthroposophies', 'anthroposophy', + 'anthurium', 'anthuriums', + 'anti', 'antiabortion', 'antiabortionist', 'antiabortionists', @@ -2371,11 +5975,14 @@ export const scrabble_array = [ 'antiacademics', 'antiadministration', 'antiaggression', + 'antiaging', + 'antiair', 'antiaircraft', 'antiaircrafts', 'antialcohol', 'antialcoholism', 'antialcoholisms', + 'antialien', 'antiallergenic', 'antiallergenics', 'antianemia', @@ -2384,48 +5991,63 @@ export const scrabble_array = [ 'antiapartheids', 'antiaphrodisiac', 'antiaphrodisiacs', + 'antiar', + 'antiarin', + 'antiarins', 'antiaristocratic', 'antiarrhythmic', 'antiarrhythmics', + 'antiars', 'antiarthritic', 'antiarthritics', 'antiarthritis', 'antiassimilation', 'antiassimilations', 'antiasthma', + 'antiatom', + 'antiatoms', 'antiauthoritarian', 'antiauthoritarianism', 'antiauthoritarianisms', 'antiauthority', + 'antiauxin', 'antiauxins', 'antibacklash', 'antibacterial', 'antibacterials', 'antibaryon', 'antibaryons', + 'antibias', 'antibillboard', 'antibioses', 'antibiosis', 'antibiotic', 'antibiotically', 'antibiotics', + 'antiblack', 'antiblackism', 'antiblackisms', 'antibodies', + 'antibody', + 'antiboss', 'antibourgeois', 'antiboycott', 'antiboycotts', + 'antibug', 'antibureaucratic', 'antiburglar', 'antiburglary', 'antibusiness', 'antibusing', + 'antic', 'anticaking', + 'antically', 'anticancer', 'anticapitalism', 'anticapitalisms', 'anticapitalist', 'anticapitalists', + 'anticar', 'anticarcinogen', 'anticarcinogenic', 'anticarcinogens', @@ -2455,6 +6077,11 @@ export const scrabble_array = [ 'anticipator', 'anticipators', 'anticipatory', + 'anticity', + 'antick', + 'anticked', + 'anticking', + 'anticks', 'anticlassical', 'anticlerical', 'anticlericalism', @@ -2468,12 +6095,17 @@ export const scrabble_array = [ 'anticlimax', 'anticlimaxes', 'anticlinal', + 'anticline', 'anticlines', + 'anticling', 'anticlockwise', 'anticlotting', + 'anticly', 'anticoagulant', 'anticoagulants', + 'anticodon', 'anticodons', + 'anticold', 'anticollision', 'anticolonial', 'anticolonialism', @@ -2508,8 +6140,12 @@ export const scrabble_array = [ 'anticorruption', 'anticorruptions', 'anticounterfeiting', + 'anticrack', 'anticreative', + 'anticrime', 'anticruelty', + 'antics', + 'anticult', 'anticultural', 'anticyclone', 'anticyclones', @@ -2533,16 +6169,24 @@ export const scrabble_array = [ 'antidilution', 'antidiscrimination', 'antidogmatic', + 'antidora', + 'antidotal', 'antidotally', + 'antidote', + 'antidoted', + 'antidotes', 'antidoting', + 'antidraft', 'antidromic', 'antidromically', + 'antidrug', 'antidumping', 'antieconomic', 'antieducational', 'antiegalitarian', 'antielectron', 'antielectrons', + 'antielite', 'antielites', 'antielitism', 'antielitisms', @@ -2572,6 +6216,7 @@ export const scrabble_array = [ 'antifashion', 'antifashionable', 'antifashions', + 'antifat', 'antifatigue', 'antifederalist', 'antifederalists', @@ -2590,8 +6235,10 @@ export const scrabble_array = [ 'antifertility', 'antifilibuster', 'antifilibusters', + 'antiflu', 'antifluoridationist', 'antifluoridationists', + 'antifoam', 'antifoaming', 'antifogging', 'antiforeclosure', @@ -2600,16 +6247,25 @@ export const scrabble_array = [ 'antiformalist', 'antiformalists', 'antifouling', + 'antifraud', 'antifreeze', 'antifreezes', 'antifriction', 'antifrictions', 'antifungal', 'antifungals', + 'antifur', 'antigambling', + 'antigay', + 'antigen', + 'antigene', + 'antigenes', + 'antigenic', 'antigenically', 'antigenicities', 'antigenicity', + 'antigens', + 'antiglare', 'antiglobulin', 'antiglobulins', 'antigovernment', @@ -2618,6 +6274,8 @@ export const scrabble_array = [ 'antigrowth', 'antiguerrilla', 'antiguerrillas', + 'antigun', + 'antihero', 'antiheroes', 'antiheroic', 'antiheroine', @@ -2631,6 +6289,7 @@ export const scrabble_array = [ 'antihistaminics', 'antihistorical', 'antihomosexual', + 'antihuman', 'antihumanism', 'antihumanisms', 'antihumanistic', @@ -2643,9 +6302,16 @@ export const scrabble_array = [ 'antihypertensives', 'antihysteric', 'antihysterics', + 'antijam', 'antijamming', 'antikickback', + 'antiking', + 'antikings', + 'antiknock', 'antiknocks', + 'antilabor', + 'antileak', + 'antileft', 'antileprosy', 'antilepton', 'antileptons', @@ -2656,26 +6322,36 @@ export const scrabble_array = [ 'antiliberals', 'antilibertarian', 'antilibertarians', + 'antilife', 'antiliterate', 'antiliterates', 'antilitter', 'antilittering', + 'antilock', + 'antilog', 'antilogarithm', 'antilogarithmic', 'antilogarithms', 'antilogical', 'antilogies', + 'antilogs', + 'antilogy', 'antilynching', 'antimacassar', 'antimacassars', + 'antimacho', 'antimagnetic', 'antimalaria', 'antimalarial', 'antimalarials', + 'antimale', + 'antiman', 'antimanagement', 'antimanagements', 'antimarijuana', 'antimarket', + 'antimask', + 'antimasks', 'antimaterialism', 'antimaterialisms', 'antimaterialist', @@ -2684,6 +6360,8 @@ export const scrabble_array = [ 'antimatters', 'antimechanist', 'antimechanists', + 'antimere', + 'antimeres', 'antimerger', 'antimetabolic', 'antimetabolics', @@ -2717,8 +6395,10 @@ export const scrabble_array = [ 'antimonopolist', 'antimonopolists', 'antimonopoly', + 'antimony', 'antimosquito', 'antimusical', + 'antimycin', 'antimycins', 'antinarrative', 'antinational', @@ -2735,17 +6415,27 @@ export const scrabble_array = [ 'antineutrinos', 'antineutron', 'antineutrons', + 'anting', + 'antings', + 'antinodal', + 'antinode', + 'antinodes', + 'antinoise', 'antinomian', 'antinomianism', 'antinomianisms', 'antinomians', + 'antinomic', 'antinomies', + 'antinomy', + 'antinovel', 'antinovelist', 'antinovelists', 'antinovels', 'antinuclear', 'antinucleon', 'antinucleons', + 'antinuke', 'antiobesities', 'antiobesity', 'antiobscenities', @@ -2756,29 +6446,38 @@ export const scrabble_array = [ 'antioxidants', 'antiozonant', 'antiozonants', + 'antipapal', 'antiparallel', 'antiparasitic', 'antiparasitics', 'antiparticle', 'antiparticles', + 'antiparty', + 'antipasti', + 'antipasto', 'antipastos', 'antipathetic', 'antipathetically', 'antipathies', + 'antipathy', 'antiperiodic', 'antipersonnel', 'antiperspirant', 'antiperspirants', 'antipesticide', 'antiphlogistic', + 'antiphon', 'antiphonal', 'antiphonally', 'antiphonals', 'antiphonaries', 'antiphonary', 'antiphonies', + 'antiphons', + 'antiphony', 'antiphrases', 'antiphrasis', + 'antipill', 'antipiracies', 'antipiracy', 'antiplague', @@ -2787,21 +6486,31 @@ export const scrabble_array = [ 'antipleasure', 'antipleasures', 'antipoaching', + 'antipodal', 'antipodals', + 'antipode', 'antipodean', 'antipodeans', + 'antipodes', 'antipoetic', + 'antipole', + 'antipoles', 'antipolice', 'antipolitical', 'antipolitics', 'antipollution', 'antipollutions', + 'antipope', + 'antipopes', 'antipopular', + 'antiporn', 'antipornographic', 'antipornography', + 'antipot', 'antipoverty', 'antipredator', 'antipredators', + 'antipress', 'antiprofiteering', 'antiprogressive', 'antiprostitution', @@ -2811,6 +6520,8 @@ export const scrabble_array = [ 'antipruritics', 'antipsychotic', 'antipsychotics', + 'antipyic', + 'antipyics', 'antipyreses', 'antipyresis', 'antipyretic', @@ -2822,13 +6533,23 @@ export const scrabble_array = [ 'antiquarianisms', 'antiquarians', 'antiquaries', + 'antiquark', 'antiquarks', + 'antiquary', + 'antiquate', 'antiquated', 'antiquates', 'antiquating', 'antiquation', 'antiquations', + 'antique', + 'antiqued', + 'antiquer', + 'antiquers', + 'antiques', + 'antiquing', 'antiquities', + 'antiquity', 'antirabies', 'antirachitic', 'antiracism', @@ -2836,9 +6557,11 @@ export const scrabble_array = [ 'antiracist', 'antiracists', 'antiracketeering', + 'antiradar', 'antiradical', 'antiradicalism', 'antiradicalisms', + 'antirape', 'antirational', 'antirationalism', 'antirationalisms', @@ -2853,6 +6576,7 @@ export const scrabble_array = [ 'antirecession', 'antirecessionary', 'antirecessions', + 'antired', 'antireductionism', 'antireductionisms', 'antireductionist', @@ -2868,8 +6592,11 @@ export const scrabble_array = [ 'antirevolutionary', 'antirheumatic', 'antirheumatics', + 'antiriot', 'antiritualism', 'antiritualisms', + 'antirock', + 'antiroll', 'antiromantic', 'antiromanticism', 'antiromanticisms', @@ -2878,6 +6605,10 @@ export const scrabble_array = [ 'antiroyalists', 'antirrhinum', 'antirrhinums', + 'antirust', + 'antirusts', + 'antis', + 'antisag', 'antisatellite', 'antischizophrenia', 'antischizophrenic', @@ -2889,6 +6620,7 @@ export const scrabble_array = [ 'antisecrecy', 'antisegregation', 'antiseizure', + 'antisense', 'antisentimental', 'antiseparatist', 'antiseparatists', @@ -2897,30 +6629,48 @@ export const scrabble_array = [ 'antiseptic', 'antiseptically', 'antiseptics', + 'antisera', + 'antiserum', 'antiserums', + 'antisex', 'antisexist', 'antisexists', 'antisexual', 'antisexualities', 'antisexuality', + 'antishark', + 'antiship', + 'antishock', 'antishoplifting', + 'antiskid', 'antislaveries', 'antislavery', + 'antisleep', + 'antislip', + 'antismog', + 'antismoke', 'antismoker', 'antismokers', 'antismoking', 'antismuggling', + 'antismut', + 'antisnob', 'antisocial', 'antisocialist', 'antisocialists', 'antisocially', + 'antisolar', 'antispasmodic', 'antispasmodics', 'antispeculation', 'antispeculative', 'antispending', + 'antistat', + 'antistate', 'antistatic', + 'antistick', 'antistories', + 'antistory', 'antistress', 'antistrike', 'antistrophe', @@ -2939,7 +6689,9 @@ export const scrabble_array = [ 'antisyphilitic', 'antisyphilitics', 'antitakeover', + 'antitank', 'antitarnish', + 'antitax', 'antitechnological', 'antitechnologies', 'antitechnology', @@ -2947,6 +6699,7 @@ export const scrabble_array = [ 'antiterrorisms', 'antiterrorist', 'antiterrorists', + 'antitheft', 'antitheoretical', 'antitheses', 'antithesis', @@ -2958,72 +6711,292 @@ export const scrabble_array = [ 'antithyroid', 'antitobacco', 'antitotalitarian', + 'antitoxic', + 'antitoxin', 'antitoxins', 'antitrades', 'antitraditional', + 'antitrust', 'antitruster', 'antitrusters', 'antitubercular', 'antituberculosis', 'antituberculous', + 'antitumor', 'antitumoral', 'antitussive', 'antitussives', + 'antitype', + 'antitypes', 'antityphoid', + 'antiulcer', 'antiunemployment', + 'antiunion', 'antiuniversities', 'antiuniversity', + 'antiurban', + 'antivenin', 'antivenins', 'antiviolence', + 'antiviral', + 'antivirus', 'antivitamin', 'antivitamins', 'antivivisection', 'antivivisectionist', 'antivivisectionists', + 'antiwar', + 'antiwear', + 'antiweed', 'antiwelfare', 'antiwhaling', + 'antiwhite', + 'antiwoman', 'antiwrinkle', + 'antler', + 'antlered', + 'antlers', + 'antlike', + 'antlion', + 'antlions', 'antonomasia', 'antonomasias', + 'antonym', + 'antonymic', 'antonymies', 'antonymous', + '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', + 'anvilling', + 'anvils', + 'anviltop', + 'anviltops', + 'anxieties', + 'anxiety', 'anxiolytic', 'anxiolytics', + 'anxious', + 'anxiously', 'anxiousness', 'anxiousnesses', + 'any', + 'anybodies', + 'anybody', + 'anyhow', + 'anymore', + 'anyone', + 'anyplace', + 'anything', + 'anythings', + 'anytime', + 'anyway', + 'anyways', + 'anywhere', + 'anywheres', + 'anywise', + 'aorist', + 'aoristic', 'aoristically', + 'aorists', + 'aorta', + 'aortae', + 'aortal', + 'aortas', + 'aortic', 'aortographic', 'aortographies', 'aortography', + 'aoudad', + 'aoudads', + 'apace', + 'apache', + 'apaches', + 'apagoge', + 'apagoges', + 'apagogic', + 'apanage', + 'apanages', + 'aparejo', + 'aparejos', + 'apart', + 'apartheid', 'apartheids', + 'apartment', 'apartmental', 'apartments', + 'apartness', 'apartnesses', + 'apatetic', + 'apathetic', 'apathetically', + 'apathies', + 'apathy', + 'apatite', + 'apatites', 'apatosaurus', 'apatosauruses', + 'ape', + 'apeak', + 'aped', + 'apeek', + 'apelike', + 'aper', + 'apercu', + 'apercus', + 'aperient', + 'aperients', + 'aperies', + 'aperiodic', 'aperiodically', 'aperiodicities', 'aperiodicity', + 'aperitif', + 'aperitifs', + 'apers', + 'aperture', + 'apertures', + 'apery', + 'apes', + 'apetalies', + 'apetalous', + 'apetaly', + 'apex', + 'apexes', 'aphaereses', 'aphaeresis', 'aphaeretic', + 'aphagia', + 'aphagias', + 'aphanite', + 'aphanites', + 'aphanitic', + 'aphasia', + 'aphasiac', + 'aphasiacs', + 'aphasias', + 'aphasic', + 'aphasics', + 'aphelia', + 'aphelian', + 'aphelion', + 'aphelions', + 'aphereses', + 'apheresis', + 'apheses', + 'aphesis', + 'aphetic', 'aphetically', + 'aphid', + 'aphides', + 'aphidian', + 'aphidians', + 'aphids', + 'aphis', + 'apholate', + 'apholates', + 'aphonia', + 'aphonias', + 'aphonic', + 'aphonics', + 'aphorise', + 'aphorised', + 'aphorises', 'aphorising', + 'aphorism', + 'aphorisms', + 'aphorist', 'aphoristic', 'aphoristically', + 'aphorists', + 'aphorize', + 'aphorized', + 'aphorizes', 'aphorizing', + 'aphotic', 'aphrodisiac', 'aphrodisiacal', 'aphrodisiacs', + 'aphtha', + 'aphthae', + 'aphthous', + 'aphyllies', + 'aphylly', + 'apian', + 'apiarian', + 'apiarians', + 'apiaries', + 'apiarist', + 'apiarists', + 'apiary', + 'apical', + 'apically', + 'apicals', + 'apices', + 'apiculate', + 'apiculi', 'apicultural', 'apiculture', 'apicultures', 'apiculturist', 'apiculturists', + 'apiculus', + 'apiece', + 'apimania', + 'apimanias', + 'aping', 'apiologies', + 'apiology', + 'apish', + 'apishly', + 'apishness', 'apishnesses', + 'aplanatic', + 'aplasia', + 'aplasias', + 'aplastic', + 'aplenty', + 'aplite', + 'aplites', + 'aplitic', + 'aplomb', + 'aplombs', + 'apnea', + 'apneal', + 'apneas', + 'apneic', + 'apnoea', + 'apnoeal', + 'apnoeas', + 'apnoeic', 'apoapsides', + 'apoapsis', 'apocalypse', 'apocalypses', 'apocalyptic', @@ -3035,46 +7008,100 @@ export const scrabble_array = [ 'apocalyptisms', 'apocalyptist', 'apocalyptists', + 'apocarp', 'apocarpies', + 'apocarps', + 'apocarpy', 'apochromatic', + 'apocope', + 'apocopes', + 'apocopic', + 'apocrine', + 'apocrypha', 'apocryphal', 'apocryphally', 'apocryphalness', 'apocryphalnesses', + 'apod', + 'apodal', 'apodeictic', + 'apodictic', 'apodictically', + 'apodoses', + 'apodosis', + 'apodous', + 'apods', + 'apoenzyme', 'apoenzymes', + 'apogamic', + 'apogamies', + 'apogamous', + 'apogamy', + 'apogeal', + 'apogean', + 'apogee', + 'apogees', + 'apogeic', 'apolipoprotein', 'apolipoproteins', 'apolitical', 'apolitically', + 'apollo', + 'apollos', + 'apolog', + 'apologal', 'apologetic', 'apologetically', 'apologetics', + 'apologia', + 'apologiae', + 'apologias', + 'apologies', + 'apologise', 'apologised', 'apologises', 'apologising', + 'apologist', 'apologists', + 'apologize', 'apologized', 'apologizer', 'apologizers', 'apologizes', 'apologizing', + 'apologs', + 'apologue', + 'apologues', + 'apology', + 'apolune', + 'apolunes', + 'apomict', + 'apomictic', 'apomictically', + 'apomicts', + 'apomixes', + 'apomixis', 'apomorphine', 'apomorphines', 'aponeuroses', 'aponeurosis', 'aponeurotic', 'apophonies', + 'apophony', 'apophthegm', 'apophthegms', + 'apophyge', + 'apophyges', 'apophyllite', 'apophyllites', 'apophyseal', + 'apophyses', + 'apophysis', 'apoplectic', 'apoplectically', 'apoplexies', + 'apoplexy', + 'aport', 'aposematic', 'aposematically', 'aposiopeses', @@ -3082,8 +7109,13 @@ export const scrabble_array = [ 'aposiopetic', 'apospories', 'aposporous', + 'apospory', 'apostacies', + 'apostacy', 'apostasies', + 'apostasy', + 'apostate', + 'apostates', 'apostatise', 'apostatised', 'apostatises', @@ -3092,10 +7124,15 @@ export const scrabble_array = [ 'apostatized', 'apostatizes', 'apostatizing', + 'apostil', + 'apostils', + 'apostle', + 'apostles', 'apostleship', 'apostleships', 'apostolate', 'apostolates', + 'apostolic', 'apostolicities', 'apostolicity', 'apostrophe', @@ -3111,9 +7148,16 @@ export const scrabble_array = [ 'apostrophizing', 'apothecaries', 'apothecary', + 'apothece', + 'apotheces', + 'apothecia', 'apothecial', 'apothecium', + 'apothegm', 'apothegmatic', + 'apothegms', + 'apothem', + 'apothems', 'apotheoses', 'apotheosis', 'apotheosize', @@ -3122,40 +7166,84 @@ export const scrabble_array = [ 'apotheosizing', 'apotropaic', 'apotropaically', + 'appal', + 'appall', + 'appalled', + 'appalling', 'appallingly', + 'appalls', + 'appals', + 'appanage', + 'appanages', + 'apparat', 'apparatchik', 'apparatchiki', 'apparatchiks', + 'apparats', + 'apparatus', 'apparatuses', + 'apparel', + 'appareled', 'appareling', 'apparelled', 'apparelling', + 'apparels', + 'apparent', 'apparently', 'apparentness', 'apparentnesses', 'apparition', 'apparitional', 'apparitions', + 'apparitor', 'apparitors', + 'appeal', 'appealabilities', 'appealability', 'appealable', + 'appealed', + 'appealer', + 'appealers', + 'appealing', 'appealingly', + 'appeals', + 'appear', 'appearance', 'appearances', + 'appeared', + 'appearing', + 'appears', 'appeasable', + 'appease', + 'appeased', 'appeasement', 'appeasements', + 'appeaser', + 'appeasers', + 'appeases', + 'appeasing', + 'appel', + 'appellant', 'appellants', + 'appellate', 'appellation', 'appellations', 'appellative', 'appellatively', 'appellatives', + 'appellee', + 'appellees', + 'appellor', + 'appellors', + 'appels', + 'append', + 'appendage', 'appendages', + 'appendant', 'appendants', 'appendectomies', 'appendectomy', + 'appended', 'appendicectomies', 'appendicectomy', 'appendices', @@ -3164,7 +7252,10 @@ export const scrabble_array = [ 'appendicitis', 'appendicitises', 'appendicular', + 'appending', + 'appendix', 'appendixes', + 'appends', 'apperceive', 'apperceived', 'apperceives', @@ -3172,29 +7263,51 @@ export const scrabble_array = [ 'apperception', 'apperceptions', 'apperceptive', + 'appertain', 'appertained', 'appertaining', 'appertains', + 'appestat', + 'appestats', + 'appetence', 'appetences', 'appetencies', + 'appetency', + 'appetent', + 'appetiser', 'appetisers', 'appetising', + 'appetite', + 'appetites', 'appetitive', + 'appetizer', 'appetizers', 'appetizing', 'appetizingly', + 'applaud', 'applaudable', 'applaudably', + 'applauded', + 'applauder', 'applauders', 'applauding', + 'applauds', + 'applause', + 'applauses', + 'apple', + 'applecart', 'applecarts', + 'applejack', 'applejacks', + 'apples', 'applesauce', 'applesauces', + 'appliance', 'appliances', 'applicabilities', 'applicability', 'applicable', + 'applicant', 'applicants', 'application', 'applications', @@ -3203,20 +7316,41 @@ export const scrabble_array = [ 'applicator', 'applicators', 'applicatory', + 'applied', + 'applier', + 'appliers', + 'applies', + 'applique', + 'appliqued', 'appliqueing', + 'appliques', + 'apply', + 'applying', 'appoggiatura', 'appoggiaturas', + 'appoint', + 'appointed', + 'appointee', 'appointees', 'appointing', 'appointive', 'appointment', 'appointments', + 'appoints', + 'apportion', 'apportionable', 'apportioned', 'apportioning', 'apportionment', 'apportionments', 'apportions', + 'appose', + 'apposed', + 'apposer', + 'apposers', + 'apposes', + 'apposing', + 'apposite', 'appositely', 'appositeness', 'appositenesses', @@ -3226,11 +7360,17 @@ export const scrabble_array = [ 'appositive', 'appositively', 'appositives', + 'appraisal', 'appraisals', + 'appraise', + 'appraised', + 'appraisee', 'appraisees', 'appraisement', 'appraisements', + 'appraiser', 'appraisers', + 'appraises', 'appraising', 'appraisingly', 'appraisive', @@ -3249,6 +7389,7 @@ export const scrabble_array = [ 'appreciator', 'appreciators', 'appreciatory', + 'apprehend', 'apprehended', 'apprehending', 'apprehends', @@ -3266,14 +7407,29 @@ export const scrabble_array = [ 'apprenticeship', 'apprenticeships', 'apprenticing', + 'appressed', 'appressoria', 'appressorium', + 'apprise', + 'apprised', + 'appriser', + 'apprisers', + 'apprises', + 'apprising', + 'apprize', + 'apprized', + 'apprizer', + 'apprizers', + 'apprizes', + 'apprizing', + 'approach', 'approachabilities', 'approachability', 'approachable', 'approached', 'approaches', 'approaching', + 'approbate', 'approbated', 'approbates', 'approbating', @@ -3295,6 +7451,14 @@ export const scrabble_array = [ 'appropriators', 'approvable', 'approvably', + 'approval', + 'approvals', + 'approve', + 'approved', + 'approver', + 'approvers', + 'approves', + 'approving', 'approvingly', 'approximate', 'approximated', @@ -3304,57 +7468,170 @@ export const scrabble_array = [ 'approximation', 'approximations', 'approximative', + 'appulse', + 'appulses', 'appurtenance', 'appurtenances', 'appurtenant', 'appurtenants', + 'apractic', + 'apraxia', + 'apraxias', + 'apraxic', + 'apres', + 'apricot', + 'apricots', 'apriorities', + 'apriority', + 'apron', + 'aproned', + 'aproning', + 'aprons', + 'apropos', + 'aprotic', + 'apse', + 'apses', + 'apsidal', + 'apsides', + 'apsis', + 'apt', + 'apter', + 'apteral', + 'apteria', + 'apterium', + 'apterous', + 'apteryx', + 'apteryxes', + 'aptest', + 'aptitude', + 'aptitudes', 'aptitudinal', 'aptitudinally', + 'aptly', + 'aptness', + 'aptnesses', + 'apyrase', + 'apyrases', + 'apyretic', + 'aqua', + 'aquacade', + 'aquacades', 'aquacultural', 'aquaculture', 'aquacultures', 'aquaculturist', 'aquaculturists', + 'aquae', 'aquamarine', 'aquamarines', + 'aquanaut', + 'aquanauts', + 'aquaplane', 'aquaplaned', 'aquaplaner', 'aquaplaners', 'aquaplanes', 'aquaplaning', + 'aquarelle', 'aquarelles', 'aquarellist', 'aquarellists', + 'aquaria', + 'aquarial', + 'aquarian', + 'aquarians', + 'aquarist', + 'aquarists', + 'aquarium', + 'aquariums', + 'aquas', + 'aquatic', 'aquatically', + 'aquatics', + 'aquatint', 'aquatinted', 'aquatinter', 'aquatinters', 'aquatinting', 'aquatintist', 'aquatintists', + 'aquatints', + 'aquatone', + 'aquatones', + 'aquavit', + 'aquavits', + 'aqueduct', + 'aqueducts', + 'aqueous', 'aquiculture', 'aquicultures', + 'aquifer', 'aquiferous', + 'aquifers', + 'aquilegia', 'aquilegias', + 'aquiline', 'aquilinities', 'aquilinity', + 'aquiver', + 'ar', + 'arabesk', + 'arabesks', + 'arabesque', 'arabesques', + 'arabic', + 'arabica', + 'arabicas', 'arabicization', 'arabicizations', + 'arabicize', 'arabicized', 'arabicizes', 'arabicizing', 'arabilities', + 'arability', + 'arabinose', 'arabinoses', 'arabinoside', 'arabinosides', + 'arabize', + 'arabized', + 'arabizes', + 'arabizing', + 'arable', + 'arables', + 'araceous', + 'arachnid', + 'arachnids', + 'arachnoid', 'arachnoids', + 'aragonite', 'aragonites', 'aragonitic', + 'arak', + 'araks', + 'aramid', + 'aramids', + 'araneid', + 'araneids', + 'arapaima', + 'arapaimas', + 'araroba', + 'ararobas', + 'araucaria', 'araucarian', 'araucarias', + 'arb', + 'arbalest', + 'arbalests', + 'arbalist', + 'arbalists', + 'arbelest', + 'arbelests', + 'arbiter', + 'arbiters', 'arbitrable', + 'arbitrage', 'arbitraged', 'arbitrager', 'arbitragers', @@ -3362,11 +7639,14 @@ export const scrabble_array = [ 'arbitrageur', 'arbitrageurs', 'arbitraging', + 'arbitral', 'arbitrament', 'arbitraments', 'arbitrarily', 'arbitrariness', 'arbitrarinesses', + 'arbitrary', + 'arbitrate', 'arbitrated', 'arbitrates', 'arbitrating', @@ -3376,21 +7656,66 @@ export const scrabble_array = [ 'arbitrative', 'arbitrator', 'arbitrators', + 'arbor', + 'arboreal', 'arboreally', + 'arbored', + 'arboreous', + 'arbores', 'arborescence', 'arborescences', 'arborescent', + 'arboreta', + 'arboretum', 'arboretums', 'arboricultural', 'arboriculture', 'arboricultures', + 'arborist', + 'arborists', 'arborization', 'arborizations', + 'arborize', + 'arborized', + 'arborizes', 'arborizing', + 'arborous', + 'arbors', 'arborvitae', 'arborvitaes', + 'arbour', + 'arboured', + 'arbours', + 'arbovirus', 'arboviruses', + 'arbs', + 'arbuscle', + 'arbuscles', + 'arbute', + 'arbutean', + 'arbutes', + 'arbutus', + 'arbutuses', + 'arc', + 'arcade', + 'arcaded', + 'arcades', + 'arcadia', + 'arcadian', + 'arcadians', + 'arcadias', + 'arcading', + 'arcadings', + 'arcana', + 'arcane', + 'arcanum', + 'arcanums', + 'arcature', + 'arcatures', + 'arccosine', 'arccosines', + 'arced', + 'arch', 'archaebacteria', 'archaebacterium', 'archaeoastronomies', @@ -3403,10 +7728,22 @@ export const scrabble_array = [ 'archaeology', 'archaeopteryx', 'archaeopteryxes', + 'archaic', 'archaically', + 'archaise', + 'archaised', + 'archaises', 'archaising', + 'archaism', + 'archaisms', + 'archaist', 'archaistic', + 'archaists', + 'archaize', + 'archaized', + 'archaizes', 'archaizing', + 'archangel', 'archangelic', 'archangels', 'archbishop', @@ -3422,17 +7759,23 @@ export const scrabble_array = [ 'archdiocesan', 'archdiocese', 'archdioceses', + 'archducal', 'archduchess', 'archduchesses', 'archduchies', + 'archduchy', + 'archduke', 'archdukedom', 'archdukedoms', + 'archdukes', + 'arched', 'archegonia', 'archegonial', 'archegoniate', 'archegoniates', 'archegonium', 'archenemies', + 'archenemy', 'archenteron', 'archenterons', 'archeological', @@ -3441,27 +7784,41 @@ export const scrabble_array = [ 'archeologist', 'archeologists', 'archeology', + 'archer', 'archerfish', 'archerfishes', + 'archeries', + 'archers', + 'archery', + 'arches', 'archesporia', 'archesporial', 'archesporium', 'archetypal', 'archetypally', + 'archetype', 'archetypes', 'archetypical', + 'archfiend', 'archfiends', 'archidiaconal', 'archiepiscopal', 'archiepiscopally', 'archiepiscopate', 'archiepiscopates', + 'archil', + 'archils', 'archimandrite', 'archimandrites', + 'archine', + 'archines', + 'arching', + 'archings', 'archipelagic', 'archipelago', 'archipelagoes', 'archipelagos', + 'architect', 'architectonic', 'architectonically', 'architectonics', @@ -3472,113 +7829,514 @@ export const scrabble_array = [ 'architectures', 'architrave', 'architraves', + 'archival', + 'archive', + 'archived', + 'archives', + 'archiving', + 'archivist', 'archivists', + 'archivolt', 'archivolts', + 'archly', + 'archness', 'archnesses', + 'archon', + 'archons', + 'archosaur', 'archosaurian', 'archosaurs', 'archpriest', 'archpriests', + 'archway', + 'archways', + 'arciform', + 'arcing', + 'arcked', + 'arcking', + 'arco', + 'arcs', + 'arcsine', + 'arcsines', 'arctangent', 'arctangents', + 'arctic', 'arctically', + 'arctics', + 'arcuate', + 'arcuated', + 'arcuately', + 'arcus', + 'arcuses', + 'ardeb', + 'ardebs', + 'ardencies', + 'ardency', + 'ardent', + 'ardently', + 'ardor', + 'ardors', + 'ardour', + 'ardours', + 'arduous', + 'arduously', 'arduousness', 'arduousnesses', + 'are', + 'area', + 'areae', + 'areal', + 'areally', + 'areas', + 'areaway', + 'areaways', + 'areca', + 'arecas', + 'arecoline', 'arecolines', + 'areic', + 'arena', 'arenaceous', + 'arenas', 'arenicolous', + 'arenite', + 'arenites', + 'arenose', + 'arenous', 'areocentric', + 'areola', + 'areolae', + 'areolar', + 'areolas', + 'areolate', + 'areole', + 'areoles', 'areologies', + 'areology', + 'ares', + 'arete', + 'aretes', + 'arethusa', + 'arethusas', + 'arf', + 'arfs', + 'argal', + 'argala', + 'argalas', + 'argali', + 'argalis', + 'argals', + 'argent', + 'argental', + 'argentic', 'argentiferous', + 'argentine', 'argentines', + 'argentite', 'argentites', + 'argents', + 'argentum', + 'argentums', + 'argil', 'argillaceous', + 'argillite', 'argillites', + 'argils', + 'arginase', + 'arginases', + 'arginine', + 'arginines', + 'argle', + 'argled', + 'argles', + 'argling', + 'argol', + 'argols', + 'argon', + 'argonaut', + 'argonauts', + 'argons', + 'argosies', + 'argosy', + 'argot', + 'argotic', + 'argots', + 'arguable', + 'arguably', + 'argue', + 'argued', + 'arguer', + 'arguers', + 'argues', + 'argufied', + 'argufier', + 'argufiers', + 'argufies', + 'argufy', + 'argufying', + 'arguing', + 'argument', + 'argumenta', 'argumentation', 'argumentations', 'argumentative', 'argumentatively', 'argumentive', + 'arguments', 'argumentum', + 'argus', + 'arguses', + 'argyle', + 'argyles', + 'argyll', + 'argylls', + 'arhat', + 'arhats', + 'arhatship', 'arhatships', + 'aria', + 'arias', 'ariboflavinoses', 'ariboflavinosis', 'ariboflavinosises', + 'arid', + 'arider', + 'aridest', + 'aridities', + 'aridity', + 'aridly', + 'aridness', 'aridnesses', + 'ariel', + 'ariels', + 'arietta', + 'ariettas', + 'ariette', + 'ariettes', + 'aright', + 'aril', + 'ariled', + 'arillate', + 'arillode', + 'arillodes', + 'arilloid', + 'arils', + 'ariose', + 'ariosi', + 'arioso', + 'ariosos', + 'arise', + 'arisen', + 'arises', + 'arising', + 'arista', + 'aristae', + 'aristas', + 'aristate', + 'aristo', 'aristocracies', 'aristocracy', 'aristocrat', 'aristocratic', 'aristocratically', 'aristocrats', + 'aristos', 'arithmetic', 'arithmetical', 'arithmetically', 'arithmetician', 'arithmeticians', 'arithmetics', + 'ark', + 'arkose', + 'arkoses', + 'arkosic', + 'arks', + 'arles', + 'arm', + 'armada', + 'armadas', + 'armadillo', 'armadillos', + 'armagnac', + 'armagnacs', + 'armament', 'armamentaria', 'armamentarium', + 'armaments', + 'armature', + 'armatured', + 'armatures', 'armaturing', + 'armband', + 'armbands', + 'armchair', + 'armchairs', + 'armed', + 'armer', + 'armers', + 'armet', + 'armets', + 'armful', + 'armfuls', + 'armhole', + 'armholes', + 'armies', + 'armiger', + 'armigeral', + 'armigero', + 'armigeros', 'armigerous', + 'armigers', + 'armilla', + 'armillae', + 'armillas', + 'arming', + 'armings', + 'armistice', 'armistices', + 'armless', + 'armlet', + 'armlets', + 'armlike', + 'armload', + 'armloads', + 'armlock', + 'armlocks', + 'armoire', + 'armoires', + 'armonica', + 'armonicas', + 'armor', + 'armored', + 'armorer', + 'armorers', + 'armorial', 'armorially', + 'armorials', + 'armories', + 'armoring', + 'armorless', + 'armors', + 'armory', + 'armour', + 'armoured', + 'armourer', + 'armourers', + 'armouries', + 'armouring', + 'armours', + 'armoury', + 'armpit', + 'armpits', + 'armrest', + 'armrests', + 'arms', + 'armsful', + 'armure', + 'armures', + 'army', + 'armyworm', + 'armyworms', + 'arnatto', + 'arnattos', + 'arnica', + 'arnicas', + 'arnotto', + 'arnottos', + 'aroid', + 'aroids', + 'aroint', + 'arointed', + 'arointing', + 'aroints', + 'aroma', + 'aromas', 'aromatherapies', 'aromatherapist', 'aromatherapists', 'aromatherapy', + 'aromatic', 'aromatically', 'aromaticities', 'aromaticity', + 'aromatics', 'aromatization', 'aromatizations', + 'aromatize', 'aromatized', 'aromatizes', 'aromatizing', + 'arose', + 'around', + 'arousal', + 'arousals', + 'arouse', + 'aroused', + 'arouser', + 'arousers', + 'arouses', + 'arousing', + 'aroynt', + 'aroynted', + 'aroynting', + 'aroynts', 'arpeggiate', 'arpeggiated', 'arpeggiates', 'arpeggiating', + 'arpeggio', + 'arpeggios', + 'arpen', + 'arpens', + 'arpent', + 'arpents', + 'arquebus', 'arquebuses', + 'arrack', + 'arracks', + 'arraign', + 'arraigned', 'arraigning', 'arraignment', 'arraignments', + 'arraigns', + 'arrange', + 'arranged', 'arrangement', 'arrangements', + 'arranger', + 'arrangers', + 'arranges', + 'arranging', + 'arrant', + 'arrantly', + 'arras', + 'arrased', + 'array', + 'arrayal', + 'arrayals', + 'arrayed', + 'arrayer', + 'arrayers', + 'arraying', + 'arrays', + 'arrear', + 'arrearage', 'arrearages', + 'arrears', + 'arrest', + 'arrestant', 'arrestants', + 'arrested', + 'arrestee', + 'arrestees', + 'arrester', + 'arresters', + 'arresting', 'arrestingly', 'arrestment', 'arrestments', + 'arrestor', + 'arrestors', + 'arrests', + 'arrhizal', 'arrhythmia', 'arrhythmias', 'arrhythmic', + 'arris', + 'arrises', + 'arrival', + 'arrivals', + 'arrive', + 'arrived', + 'arriver', + 'arrivers', + 'arrives', + 'arriving', + 'arriviste', 'arrivistes', + 'arroba', + 'arrobas', + 'arrogance', 'arrogances', + 'arrogant', 'arrogantly', + 'arrogate', + 'arrogated', + 'arrogates', 'arrogating', 'arrogation', 'arrogations', 'arrondissement', 'arrondissements', + 'arrow', + 'arrowed', + 'arrowhead', 'arrowheads', + 'arrowing', + 'arrowroot', 'arrowroots', + 'arrows', + 'arrowwood', 'arrowwoods', + 'arrowworm', 'arrowworms', + 'arrowy', + 'arroyo', + 'arroyos', + 'ars', + 'arse', + 'arsenal', + 'arsenals', + 'arsenate', + 'arsenates', + 'arsenic', + 'arsenical', 'arsenicals', + 'arsenics', + 'arsenide', + 'arsenides', + 'arsenious', + 'arsenite', + 'arsenites', + 'arseno', 'arsenopyrite', 'arsenopyrites', + 'arsenous', + 'arses', + 'arshin', + 'arshins', + 'arsine', + 'arsines', + 'arsino', + 'arsis', + 'arson', + 'arsonist', + 'arsonists', + 'arsonous', + 'arsons', 'arsphenamine', 'arsphenamines', + 'art', + 'artal', + 'artefact', + 'artefacts', + 'artel', + 'artels', + 'artemisia', 'artemisias', + 'arterial', 'arterially', + 'arterials', + 'arteries', 'arteriogram', 'arteriograms', 'arteriographic', 'arteriographies', 'arteriography', 'arteriolar', + 'arteriole', 'arterioles', 'arterioscleroses', 'arteriosclerosis', @@ -3586,18 +8344,25 @@ export const scrabble_array = [ 'arteriosclerotics', 'arteriovenous', 'arteritides', + 'arteritis', + 'artery', + 'artful', + 'artfully', 'artfulness', 'artfulnesses', 'arthralgia', 'arthralgias', 'arthralgic', + 'arthritic', 'arthritically', 'arthritics', 'arthritides', + 'arthritis', 'arthrodeses', 'arthrodesis', 'arthropathies', 'arthropathy', + 'arthropod', 'arthropodan', 'arthropods', 'arthroscope', @@ -3605,12 +8370,20 @@ export const scrabble_array = [ 'arthroscopic', 'arthroscopies', 'arthroscopy', + 'arthroses', + 'arthrosis', 'arthrospore', 'arthrospores', + 'artichoke', 'artichokes', + 'article', + 'articled', + 'articles', + 'articling', 'articulable', 'articulacies', 'articulacy', + 'articular', 'articulate', 'articulated', 'articulately', @@ -3624,8 +8397,15 @@ export const scrabble_array = [ 'articulator', 'articulators', 'articulatory', + 'artier', + 'artiest', + 'artifact', + 'artifacts', 'artifactual', + 'artifice', + 'artificer', 'artificers', + 'artifices', 'artificial', 'artificialities', 'artificiality', @@ -3635,74 +8415,244 @@ export const scrabble_array = [ 'artilleries', 'artillerist', 'artillerists', + 'artillery', 'artilleryman', 'artillerymen', + 'artily', + 'artiness', 'artinesses', 'artiodactyl', 'artiodactyls', + 'artisan', + 'artisanal', + 'artisans', 'artisanship', 'artisanships', + 'artist', + 'artiste', + 'artistes', + 'artistic', 'artistically', 'artistries', + 'artistry', + 'artists', + 'artless', + 'artlessly', 'artlessness', 'artlessnesses', + 'arts', + 'artsier', + 'artsiest', + 'artsy', + 'artwork', + 'artworks', + 'arty', + 'arugola', + 'arugolas', + 'arugula', + 'arugulas', + 'arum', + 'arums', + 'aruspex', + 'aruspices', + 'arval', + 'arvo', + 'arvos', + 'aryl', + 'aryls', + 'arytenoid', 'arytenoids', + 'arythmia', + 'arythmias', + 'arythmic', + 'as', + 'asafetida', 'asafetidas', 'asafoetida', 'asafoetidas', + 'asana', + 'asanas', + 'asarum', + 'asarums', + 'asbestic', + 'asbestos', 'asbestoses', 'asbestosis', + 'asbestus', 'asbestuses', 'ascariases', 'ascariasis', + 'ascarid', + 'ascarides', + 'ascarids', + 'ascaris', + 'ascend', 'ascendable', 'ascendance', 'ascendances', 'ascendancies', 'ascendancy', + 'ascendant', 'ascendantly', 'ascendants', + 'ascended', 'ascendence', 'ascendences', 'ascendencies', 'ascendency', + 'ascendent', 'ascendents', + 'ascender', + 'ascenders', 'ascendible', + 'ascending', + 'ascends', + 'ascension', 'ascensional', 'ascensions', + 'ascensive', + 'ascent', + 'ascents', + 'ascertain', 'ascertainable', 'ascertained', 'ascertaining', 'ascertainment', 'ascertainments', 'ascertains', + 'asceses', + 'ascesis', + 'ascetic', + 'ascetical', 'ascetically', 'asceticism', 'asceticisms', + 'ascetics', + 'asci', + 'ascidia', + 'ascidian', + 'ascidians', + 'ascidium', + 'ascites', + 'ascitic', + 'asclepiad', 'asclepiads', + 'ascocarp', 'ascocarpic', + 'ascocarps', + 'ascogonia', 'ascogonium', 'ascomycete', 'ascomycetes', 'ascomycetous', + 'ascorbate', 'ascorbates', + 'ascorbic', + 'ascospore', 'ascospores', 'ascosporic', + 'ascot', + 'ascots', 'ascribable', + 'ascribe', + 'ascribed', + 'ascribes', + 'ascribing', 'ascription', 'ascriptions', 'ascriptive', + 'ascus', + 'asdic', + 'asdics', + 'asea', + 'asepses', + 'asepsis', + 'aseptic', 'aseptically', + 'asexual', 'asexualities', 'asexuality', + 'asexually', + 'ash', + 'ashamed', + 'ashamedly', + 'ashcan', + 'ashcans', + 'ashed', + 'ashen', + 'ashes', + 'ashfall', + 'ashfalls', + 'ashier', + 'ashiest', + 'ashiness', 'ashinesses', + 'ashing', + 'ashlar', + 'ashlared', + 'ashlaring', + 'ashlars', + 'ashler', + 'ashlered', + 'ashlering', + 'ashlers', + 'ashless', + 'ashman', + 'ashmen', + 'ashore', + 'ashplant', + 'ashplants', + 'ashram', + 'ashrams', + 'ashtray', + 'ashtrays', + 'ashy', + 'aside', + 'asides', + 'asinine', + 'asininely', 'asininities', + 'asininity', + 'ask', + 'askance', + 'askant', + 'asked', + 'asker', + 'askers', + 'askeses', + 'askesis', + 'askew', + 'askewness', 'askewnesses', + 'asking', + 'askings', + 'askoi', + 'askos', + 'asks', + 'aslant', + 'asleep', + 'aslope', + 'asocial', + 'asp', 'asparagine', 'asparagines', + 'asparagus', + 'asparkle', + 'aspartame', 'aspartames', + 'aspartate', 'aspartates', + 'aspect', + 'aspects', + 'aspectual', + 'aspen', + 'aspens', + 'asper', + 'asperate', + 'asperated', + 'asperates', 'asperating', + 'asperges', 'aspergilla', 'aspergilli', 'aspergilloses', @@ -3711,28 +8661,90 @@ export const scrabble_array = [ 'aspergillums', 'aspergillus', 'asperities', + 'asperity', + 'aspers', + 'asperse', + 'aspersed', + 'asperser', + 'aspersers', + 'asperses', + 'aspersing', + 'aspersion', 'aspersions', + 'aspersor', + 'aspersors', + 'asphalt', + 'asphalted', + 'asphaltic', 'asphalting', 'asphaltite', 'asphaltites', + 'asphalts', + 'asphaltum', 'asphaltums', + 'aspheric', 'aspherical', + 'asphodel', + 'asphodels', + 'asphyxia', + 'asphyxias', 'asphyxiate', 'asphyxiated', 'asphyxiates', 'asphyxiating', 'asphyxiation', 'asphyxiations', + 'asphyxies', + 'asphyxy', + 'aspic', + 'aspics', 'aspidistra', 'aspidistras', + 'aspirant', + 'aspirants', + 'aspirata', + 'aspiratae', + 'aspirate', + 'aspirated', + 'aspirates', 'aspirating', 'aspiration', 'aspirational', 'aspirations', + 'aspirator', 'aspirators', + 'aspire', + 'aspired', + 'aspirer', + 'aspirers', + 'aspires', + 'aspirin', + 'aspiring', + 'aspirins', + 'aspis', + 'aspises', + 'aspish', + 'asps', + 'asquint', + 'asrama', + 'asramas', + 'ass', + 'assagai', + 'assagaied', 'assagaiing', + 'assagais', + 'assai', + 'assail', 'assailable', + 'assailant', 'assailants', + 'assailed', + 'assailer', + 'assailers', + 'assailing', + 'assails', + 'assais', + 'assassin', 'assassinate', 'assassinated', 'assassinates', @@ -3741,34 +8753,80 @@ export const scrabble_array = [ 'assassinations', 'assassinator', 'assassinators', + 'assassins', + 'assault', + 'assaulted', + 'assaulter', 'assaulters', 'assaulting', 'assaultive', 'assaultively', 'assaultiveness', 'assaultivenesses', + 'assaults', + 'assay', + 'assayed', + 'assayer', + 'assayers', + 'assaying', + 'assays', + 'assegai', + 'assegaied', 'assegaiing', + 'assegais', 'assemblage', 'assemblages', 'assemblagist', 'assemblagists', + 'assemble', + 'assembled', + 'assembler', 'assemblers', + 'assembles', 'assemblies', 'assembling', + 'assembly', 'assemblyman', 'assemblymen', 'assemblywoman', 'assemblywomen', + 'assent', 'assentation', 'assentations', + 'assented', + 'assenter', + 'assenters', + 'assenting', + 'assentor', + 'assentors', + 'assents', + 'assert', + 'asserted', 'assertedly', + 'asserter', + 'asserters', + 'asserting', + 'assertion', 'assertions', + 'assertive', 'assertively', 'assertiveness', 'assertivenesses', + 'assertor', + 'assertors', + 'asserts', + 'asses', + 'assess', 'assessable', + 'assessed', + 'assesses', + 'assessing', 'assessment', 'assessments', + 'assessor', + 'assessors', + 'asset', + 'assets', 'asseverate', 'asseverated', 'asseverates', @@ -3776,17 +8834,33 @@ export const scrabble_array = [ 'asseveration', 'asseverations', 'asseverative', + 'asshole', + 'assholes', 'assiduities', + 'assiduity', + 'assiduous', 'assiduously', 'assiduousness', 'assiduousnesses', + 'assign', 'assignabilities', 'assignability', 'assignable', + 'assignat', 'assignation', 'assignations', + 'assignats', + 'assigned', + 'assignee', + 'assignees', + 'assigner', + 'assigners', + 'assigning', 'assignment', 'assignments', + 'assignor', + 'assignors', + 'assigns', 'assimilabilities', 'assimilability', 'assimilable', @@ -3804,11 +8878,24 @@ export const scrabble_array = [ 'assimilator', 'assimilators', 'assimilatory', + 'assist', 'assistance', 'assistances', + 'assistant', 'assistants', 'assistantship', 'assistantships', + 'assisted', + 'assister', + 'assisters', + 'assisting', + 'assistor', + 'assistors', + 'assists', + 'assize', + 'assizes', + 'asslike', + 'associate', 'associated', 'associates', 'associateship', @@ -3826,75 +8913,178 @@ export const scrabble_array = [ 'associatively', 'associativities', 'associativity', + 'assoil', + 'assoiled', + 'assoiling', 'assoilment', 'assoilments', + 'assoils', + 'assonance', 'assonances', + 'assonant', 'assonantal', + 'assonants', + 'assort', 'assortative', 'assortatively', + 'assorted', + 'assorter', + 'assorters', + 'assorting', 'assortment', 'assortments', + 'assorts', + 'assuage', + 'assuaged', 'assuagement', 'assuagements', + 'assuages', + 'assuaging', + 'assuasive', 'assumabilities', 'assumability', + 'assumable', + 'assumably', + 'assume', + 'assumed', + 'assumer', + 'assumers', + 'assumes', + 'assuming', + 'assumpsit', 'assumpsits', 'assumption', 'assumptions', 'assumptive', + 'assurance', 'assurances', + 'assure', + 'assured', + 'assuredly', 'assuredness', 'assurednesses', + 'assureds', + 'assurer', + 'assurers', + 'assures', + 'assurgent', + 'assuring', + 'assuror', + 'assurors', + 'asswage', + 'asswaged', + 'asswages', + 'asswaging', 'astarboard', + 'astasia', + 'astasias', + 'astatic', + 'astatine', + 'astatines', + 'aster', + 'asteria', + 'asterias', 'asteriated', + 'asterisk', 'asterisked', 'asterisking', 'asteriskless', + 'asterisks', + 'asterism', + 'asterisms', + 'astern', + 'asternal', + 'asteroid', 'asteroidal', + 'asteroids', + 'asters', + 'asthenia', + 'asthenias', + 'asthenic', + 'asthenics', + 'asthenies', 'asthenosphere', 'asthenospheres', 'asthenospheric', + 'astheny', + 'asthma', + 'asthmas', + 'asthmatic', 'asthmatically', 'asthmatics', 'astigmatic', 'astigmatics', 'astigmatism', 'astigmatisms', + 'astigmia', + 'astigmias', + 'astilbe', + 'astilbes', + 'astir', + 'astomous', + 'astonied', + 'astonies', + 'astonish', 'astonished', 'astonishes', 'astonishing', 'astonishingly', 'astonishment', 'astonishments', + 'astony', + 'astonying', + 'astound', + 'astounded', 'astounding', 'astoundingly', + 'astounds', + 'astraddle', + 'astragal', + 'astragals', + 'astrakhan', 'astrakhans', + 'astral', + 'astrally', + 'astrals', + 'astray', + 'astrict', + 'astricted', 'astricting', + 'astricts', + 'astride', + 'astringe', + 'astringed', 'astringencies', 'astringency', 'astringent', 'astringently', 'astringents', + 'astringes', 'astringing', 'astrobiologies', 'astrobiologist', 'astrobiologists', 'astrobiology', + 'astrocyte', 'astrocytes', 'astrocytic', 'astrocytoma', 'astrocytomas', 'astrocytomata', + 'astrodome', 'astrodomes', + 'astrolabe', 'astrolabes', 'astrologer', 'astrologers', 'astrological', 'astrologically', 'astrologies', + 'astrology', 'astrometric', 'astrometries', 'astrometry', + 'astronaut', 'astronautic', 'astronautical', 'astronautically', @@ -3906,6 +9096,7 @@ export const scrabble_array = [ 'astronomical', 'astronomically', 'astronomies', + 'astronomy', 'astrophotograph', 'astrophotographer', 'astrophotographers', @@ -3917,48 +9108,142 @@ export const scrabble_array = [ 'astrophysicist', 'astrophysicists', 'astrophysics', + 'astute', + 'astutely', 'astuteness', 'astutenesses', + 'astylar', + 'asunder', + 'aswarm', + 'aswirl', + 'aswoon', + 'asyla', + 'asylum', + 'asylums', 'asymmetric', 'asymmetrical', 'asymmetrically', 'asymmetries', + 'asymmetry', 'asymptomatic', 'asymptomatically', + 'asymptote', 'asymptotes', 'asymptotic', 'asymptotically', + 'asynapses', + 'asynapsis', 'asynchronies', 'asynchronism', 'asynchronisms', 'asynchronous', 'asynchronously', 'asynchrony', + 'asyndeta', + 'asyndetic', 'asyndetically', + 'asyndeton', 'asyndetons', + 'at', + 'atabal', + 'atabals', + 'atactic', + 'ataghan', + 'ataghans', + 'atalaya', + 'atalayas', + 'ataman', + 'atamans', + 'atamasco', + 'atamascos', + 'atap', + 'ataps', + 'ataractic', 'ataractics', + 'ataraxia', + 'ataraxias', + 'ataraxic', + 'ataraxics', + 'ataraxies', + 'ataraxy', + 'atavic', + 'atavism', + 'atavisms', + 'atavist', + 'atavistic', 'atavistically', + 'atavists', + 'ataxia', + 'ataxias', + 'ataxic', + 'ataxics', + 'ataxies', + 'ataxy', + 'ate', + 'atechnic', 'atelectases', 'atelectasis', + 'atelic', + 'atelier', + 'ateliers', + 'atemoya', + 'atemoyas', + 'atemporal', + 'ates', 'athanasies', + 'athanasy', + 'atheism', + 'atheisms', + 'atheist', + 'atheistic', 'atheistical', 'atheistically', + 'atheists', + 'atheling', + 'athelings', + 'athenaeum', 'athenaeums', + 'atheneum', + 'atheneums', 'atheoretical', 'atherogeneses', 'atherogenesis', 'atherogenic', + 'atheroma', + 'atheromas', 'atheromata', 'atheromatous', 'atheroscleroses', 'atherosclerosis', 'atherosclerotic', + 'athetoid', + 'athirst', + 'athlete', + 'athletes', + 'athletic', 'athletically', 'athleticism', 'athleticisms', + 'athletics', + 'athodyd', + 'athodyds', + 'athrocyte', 'athrocytes', + 'athwart', 'athwartship', 'athwartships', + 'atilt', + 'atingle', + 'atlantes', + 'atlas', + 'atlases', + 'atlatl', + 'atlatls', + 'atma', + 'atman', + 'atmans', + 'atmas', + 'atmometer', 'atmometers', 'atmosphere', 'atmosphered', @@ -3966,45 +9251,163 @@ export const scrabble_array = [ 'atmospheric', 'atmospherically', 'atmospherics', + 'atoll', + 'atolls', + 'atom', + 'atomic', + 'atomical', 'atomically', + 'atomics', + 'atomies', + 'atomise', + 'atomised', + 'atomiser', + 'atomisers', + 'atomises', + 'atomising', + 'atomism', + 'atomisms', + 'atomist', + 'atomistic', 'atomistically', + 'atomists', 'atomization', 'atomizations', + 'atomize', + 'atomized', + 'atomizer', + 'atomizers', + 'atomizes', + 'atomizing', + 'atoms', + 'atomy', + 'atonable', + 'atonal', + 'atonalism', 'atonalisms', + 'atonalist', 'atonalists', 'atonalities', + 'atonality', + 'atonally', + 'atone', + 'atoned', + 'atonement', 'atonements', + 'atoner', + 'atoners', + 'atones', + 'atonic', + 'atonics', + 'atonies', + 'atoning', + 'atony', + 'atop', + 'atopic', + 'atopies', + 'atopy', 'atrabilious', 'atrabiliousness', 'atrabiliousnesses', + 'atrazine', + 'atrazines', + 'atremble', + 'atresia', + 'atresias', + 'atria', + 'atrial', 'atrioventricular', + 'atrip', + 'atrium', + 'atriums', + 'atrocious', 'atrociously', 'atrociousness', 'atrociousnesses', 'atrocities', + 'atrocity', + 'atrophia', + 'atrophias', + 'atrophic', + 'atrophied', + 'atrophies', + 'atrophy', 'atrophying', + 'atropin', + 'atropine', + 'atropines', + 'atropins', + 'atropism', + 'atropisms', + 'att', + 'attaboy', + 'attach', 'attachable', + 'attache', + 'attached', + 'attacher', + 'attachers', + 'attaches', + 'attaching', 'attachment', 'attachments', + 'attack', + 'attacked', + 'attacker', + 'attackers', + 'attacking', + 'attackman', + 'attackmen', + 'attacks', + 'attain', 'attainabilities', 'attainability', 'attainable', + 'attainder', 'attainders', + 'attained', + 'attainer', + 'attainers', + 'attaining', 'attainment', 'attainments', + 'attains', + 'attaint', + 'attainted', 'attainting', + 'attaints', + 'attar', + 'attars', + 'attemper', 'attempered', 'attempering', + 'attempers', + 'attempt', 'attemptable', + 'attempted', 'attempting', + 'attempts', + 'attend', 'attendance', 'attendances', + 'attendant', 'attendants', + 'attended', + 'attendee', + 'attendees', + 'attender', + 'attenders', + 'attending', + 'attends', + 'attent', + 'attention', 'attentional', 'attentions', + 'attentive', 'attentively', 'attentiveness', 'attentivenesses', + 'attenuate', 'attenuated', 'attenuates', 'attenuating', @@ -4012,8 +9415,28 @@ export const scrabble_array = [ 'attenuations', 'attenuator', 'attenuators', + 'attest', 'attestation', 'attestations', + 'attested', + 'attester', + 'attesters', + 'attesting', + 'attestor', + 'attestors', + 'attests', + 'attic', + 'atticism', + 'atticisms', + 'atticist', + 'atticists', + 'attics', + 'attire', + 'attired', + 'attires', + 'attiring', + 'attitude', + 'attitudes', 'attitudinal', 'attitudinally', 'attitudinise', @@ -4024,16 +9447,24 @@ export const scrabble_array = [ 'attitudinized', 'attitudinizes', 'attitudinizing', + 'attorn', + 'attorned', + 'attorney', + 'attorneys', 'attorneyship', 'attorneyships', + 'attorning', 'attornment', 'attornments', + 'attorns', + 'attract', 'attractance', 'attractances', 'attractancies', 'attractancy', 'attractant', 'attractants', + 'attracted', 'attracting', 'attraction', 'attractions', @@ -4041,8 +9472,11 @@ export const scrabble_array = [ 'attractively', 'attractiveness', 'attractivenesses', + 'attractor', 'attractors', + 'attracts', 'attributable', + 'attribute', 'attributed', 'attributes', 'attributing', @@ -4052,32 +9486,80 @@ export const scrabble_array = [ 'attributive', 'attributively', 'attributives', + 'attrite', + 'attrited', + 'attrition', 'attritional', 'attritions', + 'attune', + 'attuned', 'attunement', 'attunements', + 'attunes', + 'attuning', + 'atwain', + 'atween', + 'atwitter', + 'atypic', + 'atypical', 'atypicalities', 'atypicality', 'atypically', + 'aubade', + 'aubades', + 'auberge', + 'auberges', + 'aubergine', 'aubergines', + 'aubretia', + 'aubretias', + 'aubrieta', + 'aubrietas', + 'auburn', + 'auburns', + 'auction', + 'auctioned', 'auctioneer', 'auctioneers', 'auctioning', + 'auctions', + 'auctorial', + 'aucuba', + 'aucubas', + 'audacious', 'audaciously', 'audaciousness', 'audaciousnesses', 'audacities', + 'audacity', + 'audad', + 'audads', + 'audial', 'audibilities', 'audibility', + 'audible', + 'audibles', + 'audibly', + 'audience', + 'audiences', + 'audient', + 'audients', + 'audile', + 'audiles', + 'auding', + 'audings', + 'audio', 'audiocassette', 'audiocassettes', 'audiogenic', + 'audiogram', 'audiograms', 'audiologic', 'audiological', 'audiologies', 'audiologist', 'audiologists', + 'audiology', 'audiometer', 'audiometers', 'audiometric', @@ -4085,26 +9567,128 @@ export const scrabble_array = [ 'audiometry', 'audiophile', 'audiophiles', + 'audios', + 'audiotape', 'audiotapes', 'audiovisual', 'audiovisuals', + 'audit', + 'auditable', + 'audited', + 'auditing', + 'audition', 'auditioned', 'auditioning', + 'auditions', + 'auditive', + 'auditives', + 'auditor', + 'auditoria', 'auditories', 'auditorily', 'auditorium', 'auditoriums', + 'auditors', + 'auditory', + 'audits', + 'augend', + 'augends', + 'auger', + 'augers', + 'aught', + 'aughts', + 'augite', + 'augites', + 'augitic', + 'augment', 'augmentation', 'augmentations', 'augmentative', 'augmentatives', + 'augmented', + 'augmenter', 'augmenters', 'augmenting', + 'augmentor', 'augmentors', + 'augments', + 'augur', + 'augural', + 'augured', + 'augurer', + 'augurers', + 'auguries', + 'auguring', + 'augurs', + 'augury', + 'august', + 'auguster', + 'augustest', + 'augustly', 'augustness', 'augustnesses', + 'auk', + 'auklet', + 'auklets', + 'auks', + 'auld', + 'aulder', + 'auldest', + 'aulic', + 'aunt', + 'aunthood', + 'aunthoods', + 'auntie', + 'aunties', + 'auntlier', + 'auntliest', + 'auntlike', + 'auntly', + 'aunts', + 'aunty', + 'aura', + 'aurae', + 'aural', + 'aurally', + 'aurar', + 'auras', + 'aurate', + 'aurated', + 'aureate', + 'aurei', + 'aureola', + 'aureolae', + 'aureolas', + 'aureole', + 'aureoled', + 'aureoles', + 'aureoling', + 'aures', + 'aureus', + 'auric', + 'auricle', + 'auricled', + 'auricles', + 'auricula', + 'auriculae', + 'auricular', + 'auriculas', 'auriculate', 'auriferous', + 'auriform', + 'auris', + 'aurist', + 'aurists', + 'aurochs', + 'aurochses', + 'aurora', + 'aurorae', + 'auroral', + 'auroras', + 'aurorean', + 'aurous', + 'aurum', + 'aurums', 'auscultate', 'auscultated', 'auscultates', @@ -4112,26 +9696,57 @@ export const scrabble_array = [ 'auscultation', 'auscultations', 'auscultatory', + 'ausform', + 'ausformed', 'ausforming', + 'ausforms', + 'auslander', 'auslanders', + 'auspex', + 'auspice', + 'auspices', 'auspicious', 'auspiciously', 'auspiciousness', 'auspiciousnesses', + 'austenite', 'austenites', 'austenitic', + 'austere', + 'austerely', 'austereness', 'austerenesses', + 'austerer', + 'austerest', 'austerities', + 'austerity', + 'austral', + 'australes', 'australopithecine', 'australopithecines', + 'australs', + 'ausubo', + 'ausubos', + 'autacoid', + 'autacoids', + 'autarchic', 'autarchical', 'autarchies', + 'autarchy', + 'autarkic', 'autarkical', + 'autarkies', + 'autarky', + 'autecism', + 'autecisms', 'autecological', 'autecologies', 'autecology', + 'auteur', + 'auteurist', 'auteurists', + 'auteurs', + 'authentic', 'authentically', 'authenticate', 'authenticated', @@ -4143,7 +9758,13 @@ export const scrabble_array = [ 'authenticators', 'authenticities', 'authenticity', + 'author', + 'authored', + 'authoress', 'authoresses', + 'authorial', + 'authoring', + 'authorise', 'authorised', 'authorises', 'authorising', @@ -4156,19 +9777,29 @@ export const scrabble_array = [ 'authoritativeness', 'authoritativenesses', 'authorities', + 'authority', 'authorization', 'authorizations', + 'authorize', 'authorized', 'authorizer', 'authorizers', 'authorizes', 'authorizing', + 'authors', 'authorship', 'authorships', + 'autism', + 'autisms', + 'autistic', 'autistically', + 'autistics', + 'auto', 'autoantibodies', 'autoantibody', + 'autobahn', 'autobahnen', + 'autobahns', 'autobiographer', 'autobiographers', 'autobiographic', @@ -4176,7 +9807,11 @@ export const scrabble_array = [ 'autobiographically', 'autobiographies', 'autobiography', + 'autobus', + 'autobuses', 'autobusses', + 'autocade', + 'autocades', 'autocatalyses', 'autocatalysis', 'autocatalytic', @@ -4189,22 +9824,33 @@ export const scrabble_array = [ 'autochthonous', 'autochthonously', 'autochthons', + 'autoclave', 'autoclaved', 'autoclaves', 'autoclaving', + 'autocoid', + 'autocoids', 'autocorrelation', 'autocorrelations', 'autocracies', + 'autocracy', + 'autocrat', 'autocratic', 'autocratical', 'autocratically', + 'autocrats', + 'autocross', 'autocrosses', 'autodidact', 'autodidactic', 'autodidacts', + 'autodyne', + 'autodynes', 'autoecious', 'autoeciously', + 'autoecism', 'autoecisms', + 'autoed', 'autoerotic', 'autoeroticism', 'autoeroticisms', @@ -4212,12 +9858,19 @@ export const scrabble_array = [ 'autoerotisms', 'autogamies', 'autogamous', + 'autogamy', + 'autogenic', 'autogenies', 'autogenous', 'autogenously', + 'autogeny', + 'autogiro', + 'autogiros', + 'autograft', 'autografted', 'autografting', 'autografts', + 'autograph', 'autographed', 'autographic', 'autographically', @@ -4225,6 +9878,8 @@ export const scrabble_array = [ 'autographing', 'autographs', 'autography', + 'autogyro', + 'autogyros', 'autohypnoses', 'autohypnosis', 'autohypnotic', @@ -4235,18 +9890,34 @@ export const scrabble_array = [ 'autoimmunizations', 'autoinfection', 'autoinfections', + 'autoing', 'autointoxication', 'autointoxications', 'autoloading', 'autologous', 'autolysate', 'autolysates', + 'autolyse', + 'autolysed', + 'autolyses', 'autolysing', + 'autolysis', + 'autolytic', 'autolyzate', 'autolyzates', + 'autolyze', + 'autolyzed', + 'autolyzes', 'autolyzing', + 'automaker', 'automakers', + 'automan', + 'automata', 'automatable', + 'automate', + 'automated', + 'automates', + 'automatic', 'automatically', 'automaticities', 'automaticity', @@ -4264,7 +9935,9 @@ export const scrabble_array = [ 'automatized', 'automatizes', 'automatizing', + 'automaton', 'automatons', + 'automen', 'automobile', 'automobiled', 'automobiles', @@ -4276,17 +9949,24 @@ export const scrabble_array = [ 'automorphism', 'automorphisms', 'automotive', + 'autonomic', 'autonomically', 'autonomies', 'autonomist', 'autonomists', 'autonomous', 'autonomously', + 'autonomy', + 'autopilot', 'autopilots', 'autopolyploid', 'autopolyploidies', 'autopolyploids', 'autopolyploidy', + 'autopsic', + 'autopsied', + 'autopsies', + 'autopsy', 'autopsying', 'autoradiogram', 'autoradiograms', @@ -4301,9 +9981,14 @@ export const scrabble_array = [ 'autorotating', 'autorotation', 'autorotations', + 'autoroute', 'autoroutes', + 'autos', 'autosexing', + 'autosomal', 'autosomally', + 'autosome', + 'autosomes', 'autostrada', 'autostradas', 'autostrade', @@ -4313,6 +9998,7 @@ export const scrabble_array = [ 'autosuggestion', 'autosuggestions', 'autosuggests', + 'autotelic', 'autotetraploid', 'autotetraploidies', 'autotetraploids', @@ -4323,87 +10009,347 @@ export const scrabble_array = [ 'autotomizes', 'autotomizing', 'autotomous', + 'autotomy', 'autotransformer', 'autotransformers', 'autotransfusion', 'autotransfusions', + 'autotroph', 'autotrophic', 'autotrophically', 'autotrophies', 'autotrophs', 'autotrophy', + 'autotype', + 'autotypes', 'autotypies', + 'autotypy', 'autoworker', 'autoworkers', 'autoxidation', 'autoxidations', + 'autumn', + 'autumnal', 'autumnally', + 'autumns', + 'autunite', + 'autunites', + 'auxeses', + 'auxesis', + 'auxetic', + 'auxetics', 'auxiliaries', + 'auxiliary', + 'auxin', + 'auxinic', + 'auxins', + 'auxotroph', 'auxotrophic', 'auxotrophies', 'auxotrophs', 'auxotrophy', + 'ava', + 'avadavat', + 'avadavats', + 'avail', 'availabilities', 'availability', + 'available', 'availableness', 'availablenesses', + 'availably', + 'availed', + 'availing', + 'avails', + 'avalanche', 'avalanched', 'avalanches', 'avalanching', + 'avant', + 'avarice', + 'avarices', 'avaricious', 'avariciously', 'avariciousness', 'avariciousnesses', + 'avascular', 'avascularities', 'avascularity', + 'avast', + 'avatar', + 'avatars', + 'avaunt', + 'ave', + 'avellan', + 'avellane', + 'avenge', + 'avenged', + 'avenger', + 'avengers', + 'avenges', + 'avenging', + 'avens', + 'avenses', + 'aventail', + 'aventails', 'aventurine', 'aventurines', + 'avenue', + 'avenues', + 'aver', + 'average', + 'averaged', + 'averagely', 'averageness', 'averagenesses', + 'averages', + 'averaging', + 'averment', + 'averments', + 'averred', + 'averring', + 'avers', + 'averse', + 'aversely', 'averseness', 'aversenesses', + 'aversion', + 'aversions', + 'aversive', 'aversively', 'aversiveness', 'aversivenesses', + 'avert', + 'averted', + 'averting', + 'averts', + 'aves', + 'avgas', + 'avgases', + 'avgasses', 'avgolemono', 'avgolemonos', + 'avian', + 'avianize', + 'avianized', + 'avianizes', 'avianizing', + 'avians', + 'aviaries', + 'aviarist', + 'aviarists', + 'aviary', + 'aviate', + 'aviated', + 'aviates', + 'aviating', + 'aviation', + 'aviations', + 'aviator', + 'aviators', 'aviatrices', + 'aviatrix', 'aviatrixes', + 'avicular', 'aviculture', 'avicultures', 'aviculturist', 'aviculturists', + 'avid', + 'avidin', + 'avidins', + 'avidities', + 'avidity', + 'avidly', + 'avidness', 'avidnesses', + 'avifauna', + 'avifaunae', + 'avifaunal', + 'avifaunas', + 'avigator', + 'avigators', + 'avion', + 'avionic', + 'avionics', + 'avions', + 'avirulent', + 'aviso', + 'avisos', 'avitaminoses', 'avitaminosis', 'avitaminotic', + 'avo', + 'avocado', + 'avocadoes', + 'avocados', + 'avocation', 'avocational', 'avocationally', 'avocations', + 'avocet', + 'avocets', + 'avodire', + 'avodires', + 'avoid', + 'avoidable', + 'avoidably', + 'avoidance', 'avoidances', + 'avoided', + 'avoider', + 'avoiders', + 'avoiding', + 'avoids', 'avoirdupois', 'avoirdupoises', + 'avos', + 'avoset', + 'avosets', + 'avouch', + 'avouched', + 'avoucher', + 'avouchers', + 'avouches', + 'avouching', 'avouchment', 'avouchments', + 'avow', + 'avowable', + 'avowably', + 'avowal', + 'avowals', + 'avowed', + 'avowedly', + 'avower', + 'avowers', + 'avowing', + 'avows', + 'avulse', + 'avulsed', + 'avulses', + 'avulsing', + 'avulsion', + 'avulsions', + 'avuncular', 'avuncularities', 'avuncularity', 'avuncularly', + 'aw', + 'awa', + 'await', + 'awaited', + 'awaiter', + 'awaiters', + 'awaiting', + 'awaits', + 'awake', + 'awaked', + 'awaken', + 'awakened', + 'awakener', + 'awakeners', + 'awakening', + 'awakens', + 'awakes', + 'awaking', + 'award', + 'awardable', + 'awarded', + 'awardee', + 'awardees', + 'awarder', + 'awarders', + 'awarding', + 'awards', + 'aware', + 'awareness', 'awarenesses', + 'awash', + 'away', + 'awayness', 'awaynesses', + 'awe', + 'aweary', + 'aweather', + 'awed', + 'awee', + 'aweigh', + 'aweing', + 'aweless', + 'awes', + 'awesome', + 'awesomely', 'awesomeness', 'awesomenesses', 'awestricken', + 'awestruck', + 'awful', + 'awfuller', + 'awfullest', + 'awfully', + 'awfulness', 'awfulnesses', + 'awhile', + 'awhirl', + 'awing', + 'awkward', + 'awkwarder', 'awkwardest', + 'awkwardly', 'awkwardness', 'awkwardnesses', + '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', 'axenically', + 'axes', + 'axial', 'axialities', + 'axiality', + 'axially', + 'axil', + 'axile', + 'axilla', + 'axillae', + 'axillar', 'axillaries', + 'axillars', + 'axillary', + 'axillas', + 'axils', + 'axing', 'axiological', 'axiologically', 'axiologies', + 'axiology', + 'axiom', + 'axiomatic', 'axiomatically', 'axiomatisation', 'axiomatisations', @@ -4413,77 +10359,297 @@ export const scrabble_array = [ 'axiomatized', 'axiomatizes', 'axiomatizing', + 'axioms', + 'axion', + 'axions', + 'axis', + 'axised', + 'axises', 'axisymmetric', 'axisymmetrical', 'axisymmetries', 'axisymmetry', + 'axite', + 'axites', + 'axle', + 'axled', + 'axles', + 'axletree', + 'axletrees', + 'axlike', + 'axman', + 'axmen', + 'axolotl', + 'axolotls', + 'axon', + 'axonal', + 'axone', + 'axonemal', + 'axoneme', + 'axonemes', + 'axones', + 'axonic', 'axonometric', + 'axons', + 'axoplasm', 'axoplasmic', + 'axoplasms', + 'axseed', + 'axseeds', + 'ay', + 'ayah', + 'ayahs', + 'ayahuasca', 'ayahuascas', + 'ayatollah', 'ayatollahs', + 'aye', + 'ayes', + 'ayin', + 'ayins', + 'ays', + 'ayurveda', + 'ayurvedas', + 'azalea', + 'azaleas', + 'azan', + 'azans', 'azathioprine', 'azathioprines', + 'azeotrope', 'azeotropes', + 'azide', + 'azides', + 'azido', 'azidothymidine', 'azidothymidines', + 'azimuth', + 'azimuthal', 'azimuthally', + 'azimuths', + 'azine', + 'azines', + 'azlon', + 'azlons', + 'azo', + 'azoic', + 'azole', + 'azoles', + 'azon', + 'azonal', + 'azonic', + 'azons', 'azoospermia', 'azoospermias', + 'azote', + 'azoted', + 'azotemia', + 'azotemias', + 'azotemic', + 'azotes', + 'azoth', + 'azoths', + 'azotic', + 'azotise', + 'azotised', + 'azotises', + 'azotising', + 'azotize', + 'azotized', + 'azotizes', + 'azotizing', 'azotobacter', 'azotobacters', + 'azoturia', + 'azoturias', + 'azure', + 'azures', + 'azurite', + 'azurites', + 'azygos', + 'azygoses', + 'azygous', + 'ba', + 'baa', + 'baaed', + 'baaing', + 'baal', + 'baalim', + 'baalism', + 'baalisms', + 'baals', + 'baas', + 'baases', + 'baaskaap', + 'baaskaaps', + 'baba', + 'babas', + 'babassu', + 'babassus', + 'babbitt', + 'babbitted', 'babbitting', + 'babbitts', + 'babble', + 'babbled', 'babblement', 'babblements', + 'babbler', + 'babblers', + 'babbles', + 'babbling', + 'babblings', + 'babe', + 'babel', + 'babels', + 'babes', + 'babesia', + 'babesias', 'babesioses', 'babesiosis', 'babesiosises', + 'babiche', + 'babiches', + 'babied', + 'babies', + 'babirusa', + 'babirusas', + 'babka', + 'babkas', + 'baboo', + 'babool', + 'babools', + 'baboon', + 'baboons', + 'baboos', + 'babu', + 'babul', + 'babuls', + 'babus', + 'babushka', + 'babushkas', + 'baby', + 'babyhood', + 'babyhoods', + 'babying', + 'babyish', 'babysitter', 'babysitters', + 'bacalao', + 'bacalaos', + 'bacca', + 'baccae', 'baccalaureate', 'baccalaureates', + 'baccara', + 'baccaras', + 'baccarat', + 'baccarats', + 'baccate', + 'baccated', + 'bacchanal', 'bacchanalia', 'bacchanalian', 'bacchanalians', 'bacchanals', + 'bacchant', + 'bacchante', 'bacchantes', + 'bacchants', + 'bacchic', + 'bacchii', + 'bacchius', + 'bach', + 'bached', + 'bachelor', 'bachelordom', 'bachelordoms', 'bachelorette', 'bachelorettes', 'bachelorhood', 'bachelorhoods', + 'bachelors', + 'baches', + 'baching', + 'bacillar', + 'bacillary', + 'bacilli', + 'bacillus', 'bacitracin', 'bacitracins', + 'back', + 'backache', + 'backaches', + 'backbeat', + 'backbeats', + 'backbench', 'backbencher', 'backbenchers', 'backbenches', + 'backbend', + 'backbends', + 'backbit', + 'backbite', + 'backbiter', 'backbiters', + 'backbites', 'backbiting', 'backbitings', 'backbitten', + 'backblock', 'backblocks', + 'backboard', 'backboards', + 'backbone', + 'backbones', 'backbreaker', 'backbreakers', 'backbreaking', + 'backcast', + 'backcasts', + 'backchat', + 'backchats', + 'backcloth', 'backcloths', 'backcountries', 'backcountry', + 'backcourt', 'backcourtman', 'backcourtmen', 'backcourts', + 'backcross', 'backcrossed', 'backcrosses', 'backcrossing', + 'backdate', + 'backdated', + 'backdates', 'backdating', + 'backdoor', + 'backdrop', 'backdropped', 'backdropping', + 'backdrops', + 'backdropt', + 'backed', + 'backer', + 'backers', + 'backfield', 'backfields', + 'backfill', 'backfilled', 'backfilling', + 'backfills', + 'backfire', + 'backfired', + 'backfires', 'backfiring', + 'backfit', + 'backfits', 'backfitted', 'backfitting', + 'backflow', + 'backflows', 'backgammon', 'backgammons', 'background', @@ -4492,97 +10658,174 @@ export const scrabble_array = [ 'backgrounders', 'backgrounding', 'backgrounds', + 'backhand', 'backhanded', 'backhandedly', 'backhander', 'backhanders', 'backhanding', + 'backhands', + 'backhaul', 'backhauled', 'backhauling', + 'backhauls', + 'backhoe', + 'backhoes', + 'backhouse', 'backhouses', + 'backing', + 'backings', + 'backland', + 'backlands', + 'backlash', 'backlashed', 'backlasher', 'backlashers', 'backlashes', 'backlashing', + 'backless', + 'backlight', 'backlighted', 'backlighting', 'backlights', + 'backlist', 'backlisted', 'backlisting', + 'backlists', + 'backlit', + 'backlog', 'backlogged', 'backlogging', + 'backlogs', + 'backmost', + 'backout', + 'backouts', + 'backpack', 'backpacked', 'backpacker', 'backpackers', 'backpacking', + 'backpacks', + 'backpedal', 'backpedaled', 'backpedaling', 'backpedalled', 'backpedalling', 'backpedals', + 'backrest', + 'backrests', + 'backroom', + 'backrooms', + 'backrush', 'backrushes', + 'backs', + 'backsaw', + 'backsaws', 'backscatter', 'backscattered', 'backscattering', 'backscatterings', 'backscatters', + 'backseat', + 'backseats', + 'backset', + 'backsets', + 'backside', + 'backsides', + 'backslap', 'backslapped', 'backslapper', 'backslappers', 'backslapping', + 'backslaps', + 'backslash', 'backslashes', + 'backslid', 'backslidden', + 'backslide', 'backslider', 'backsliders', 'backslides', 'backsliding', + 'backspace', 'backspaced', 'backspaces', 'backspacing', + 'backspin', + 'backspins', 'backsplash', 'backsplashes', + 'backstab', 'backstabbed', 'backstabber', 'backstabbers', 'backstabbing', 'backstabbings', + 'backstabs', + 'backstage', 'backstairs', + 'backstay', + 'backstays', 'backstitch', 'backstitched', 'backstitches', 'backstitching', + 'backstop', 'backstopped', 'backstopping', + 'backstops', 'backstreet', 'backstreets', 'backstretch', 'backstretches', 'backstroke', 'backstrokes', + 'backswept', + 'backswing', 'backswings', + 'backsword', 'backswords', + 'backtrack', 'backtracked', 'backtracking', 'backtracks', + 'backup', + 'backups', + 'backward', 'backwardly', 'backwardness', 'backwardnesses', + 'backwards', + 'backwash', 'backwashed', 'backwashes', 'backwashing', + 'backwater', 'backwaters', + 'backwood', + 'backwoods', 'backwoodsman', 'backwoodsmen', 'backwoodsy', + 'backwrap', + 'backwraps', + 'backyard', + 'backyards', + 'bacon', + 'bacons', 'bacteremia', 'bacteremias', 'bacteremic', + 'bacteria', + 'bacterial', 'bacterially', + 'bacterias', 'bactericidal', 'bactericidally', 'bactericide', 'bactericides', + 'bacterin', + 'bacterins', 'bacteriochlorophyll', 'bacteriochlorophylls', 'bacteriocin', @@ -4608,268 +10851,1168 @@ export const scrabble_array = [ 'bacteriostat', 'bacteriostatic', 'bacteriostats', + 'bacterium', 'bacteriuria', 'bacteriurias', 'bacterization', 'bacterizations', + 'bacterize', 'bacterized', 'bacterizes', 'bacterizing', + 'bacteroid', 'bacteroids', + 'bacula', + 'baculine', + 'baculum', + 'baculums', + 'bad', + 'badass', + 'badassed', + 'badasses', + 'badder', + 'baddest', + 'baddie', + 'baddies', + 'baddy', + 'bade', + 'badge', + 'badged', + 'badger', + 'badgered', + 'badgering', + 'badgerly', + 'badgers', + 'badges', + 'badging', + 'badinage', + 'badinaged', + 'badinages', 'badinaging', + 'badland', + 'badlands', + 'badly', + 'badman', + 'badmen', + 'badminton', 'badmintons', + 'badmouth', 'badmouthed', 'badmouthing', + 'badmouths', + 'badness', + 'badnesses', + 'bads', + 'baff', + 'baffed', + 'baffies', + 'baffing', + 'baffle', + 'baffled', + 'bafflegab', 'bafflegabs', 'bafflement', 'bafflements', + 'baffler', + 'bafflers', + 'baffles', + 'baffling', 'bafflingly', + 'baffs', + 'baffy', + 'bag', + 'bagass', + 'bagasse', + 'bagasses', + 'bagatelle', 'bagatelles', + 'bagel', + 'bagels', + 'bagful', + 'bagfuls', + 'baggage', + 'baggages', + 'bagged', + 'bagger', + 'baggers', + 'baggie', + 'baggier', + 'baggies', + 'baggiest', + 'baggily', + 'bagginess', 'bagginesses', + 'bagging', + 'baggings', + 'baggy', + 'baghouse', + 'baghouses', + 'bagman', + 'bagmen', + 'bagnio', + 'bagnios', + 'bagpipe', + 'bagpiper', + 'bagpipers', + 'bagpipes', + 'bags', + 'bagsful', + 'baguet', + 'baguets', + 'baguette', + 'baguettes', + 'bagwig', + 'bagwigs', + 'bagworm', + 'bagworms', + 'bah', + 'bahadur', + 'bahadurs', + 'baht', + 'bahts', + 'baidarka', + 'baidarkas', + 'bail', + 'bailable', + 'bailed', + 'bailee', + 'bailees', + 'bailer', + 'bailers', + 'bailey', + 'baileys', + 'bailie', + 'bailies', + 'bailiff', + 'bailiffs', 'bailiffship', 'bailiffships', + 'bailing', + 'bailiwick', 'bailiwicks', + 'bailment', + 'bailments', + 'bailor', + 'bailors', + 'bailout', + 'bailouts', + 'bails', + 'bailsman', + 'bailsmen', + 'bairn', + 'bairnish', + 'bairnlier', 'bairnliest', + 'bairnly', + 'bairns', + 'bait', + 'baited', + 'baiter', + 'baiters', + 'baith', + 'baiting', + 'baits', + 'baiza', + 'baizas', + 'baize', + 'baizes', + 'bake', + 'baked', + 'bakemeat', + 'bakemeats', + 'baker', + 'bakeries', + 'bakers', + 'bakery', + 'bakes', + 'bakeshop', + 'bakeshops', + 'baking', + 'bakings', + 'baklava', + 'baklavas', + 'baklawa', + 'baklawas', + 'baksheesh', 'baksheeshes', + 'bakshish', 'bakshished', 'bakshishes', 'bakshishing', + 'bal', + 'balaclava', 'balaclavas', + 'balalaika', 'balalaikas', + 'balance', + 'balanced', + 'balancer', + 'balancers', + 'balances', + 'balancing', + 'balas', + 'balases', + 'balata', + 'balatas', + 'balboa', + 'balboas', 'balbriggan', 'balbriggans', + 'balconied', + 'balconies', + 'balcony', + 'bald', + 'baldachin', 'baldachino', 'baldachinos', 'baldachins', + 'balded', + 'balder', 'balderdash', 'balderdashes', + 'baldest', + 'baldhead', 'baldheaded', + 'baldheads', + 'baldies', + 'balding', + 'baldish', + 'baldly', + 'baldness', 'baldnesses', + 'baldpate', + 'baldpates', + 'baldric', + 'baldrick', + 'baldricks', + 'baldrics', + 'balds', + 'baldy', + 'bale', + 'baled', + 'baleen', + 'baleens', + 'balefire', + 'balefires', + 'baleful', + 'balefully', 'balefulness', 'balefulnesses', + 'baler', + 'balers', + 'bales', + 'baling', + 'balisaur', + 'balisaurs', + 'balk', 'balkanization', 'balkanizations', + 'balkanize', 'balkanized', 'balkanizes', 'balkanizing', + 'balked', + 'balker', + 'balkers', + 'balkier', + 'balkiest', + 'balkily', + 'balkiness', 'balkinesses', + 'balking', + 'balkline', + 'balklines', + 'balks', + 'balky', + 'ball', + 'ballad', + 'ballade', + 'balladeer', 'balladeers', + 'ballades', + 'balladic', + 'balladist', 'balladists', 'balladries', + 'balladry', + 'ballads', + 'ballast', + 'ballasted', 'ballasting', + 'ballasts', 'ballcarrier', 'ballcarriers', + 'balled', + 'baller', + 'ballerina', 'ballerinas', + 'ballers', + 'ballet', + 'balletic', 'balletomane', 'balletomanes', 'balletomania', 'balletomanias', + 'ballets', + 'ballgame', + 'ballgames', 'ballhandling', 'ballhandlings', + 'ballhawk', + 'ballhawks', + 'ballies', + 'balling', + 'ballista', + 'ballistae', + 'ballistic', 'ballistically', 'ballistics', + 'ballon', + 'ballonet', + 'ballonets', + 'ballonne', + 'ballonnes', + 'ballons', + 'balloon', + 'ballooned', 'ballooning', 'balloonings', 'balloonist', 'balloonists', + 'balloons', + 'ballot', + 'balloted', + 'balloter', + 'balloters', + 'balloting', + 'ballots', + 'ballpark', + 'ballparks', 'ballplayer', 'ballplayers', + 'ballpoint', 'ballpoints', + 'ballroom', + 'ballrooms', + 'balls', + 'ballsier', + 'ballsiest', + 'ballsy', + 'ballute', + 'ballutes', + 'bally', + 'ballyhoo', 'ballyhooed', 'ballyhooing', + 'ballyhoos', + 'ballyrag', 'ballyragged', 'ballyragging', + 'ballyrags', + 'balm', + 'balmacaan', 'balmacaans', + 'balmier', + 'balmiest', + 'balmily', + 'balminess', 'balminesses', + 'balmlike', + 'balmoral', + 'balmorals', + 'balms', + 'balmy', + 'balneal', 'balneologies', 'balneology', + 'baloney', + 'baloneys', + 'bals', + 'balsa', + 'balsam', + 'balsamed', + 'balsamic', + 'balsaming', + 'balsams', + 'balsas', + 'baluster', + 'balusters', 'balustrade', 'balustraded', 'balustrades', + 'bam', + 'bambini', + 'bambino', + 'bambinos', + 'bamboo', + 'bamboos', + 'bamboozle', 'bamboozled', 'bamboozlement', 'bamboozlements', 'bamboozles', 'bamboozling', + 'bammed', + 'bamming', + 'bams', + 'ban', + 'banal', 'banalities', + 'banality', + 'banalize', + 'banalized', + 'banalizes', 'banalizing', + 'banally', + 'banana', + 'bananas', + 'banausic', + 'banco', + 'bancos', + 'band', + 'bandage', + 'bandaged', + 'bandager', + 'bandagers', + 'bandages', + 'bandaging', + 'bandana', + 'bandanas', + 'bandanna', + 'bandannas', + 'bandbox', + 'bandboxes', + 'bandeau', + 'bandeaus', + 'bandeaux', + 'banded', + 'bander', 'banderilla', 'banderillas', 'banderillero', 'banderilleros', + 'banderol', + 'banderole', 'banderoles', + 'banderols', + 'banders', + 'bandicoot', 'bandicoots', + 'bandied', + 'bandies', + 'banding', + 'bandit', 'banditries', + 'banditry', + 'bandits', + 'banditti', 'bandleader', 'bandleaders', 'bandmaster', 'bandmasters', + 'bandog', + 'bandogs', + 'bandoleer', 'bandoleers', + 'bandolier', 'bandoliers', + 'bandora', + 'bandoras', + 'bandore', + 'bandores', + 'bands', + 'bandsman', + 'bandsmen', + 'bandstand', 'bandstands', + 'bandwagon', 'bandwagons', + 'bandwidth', 'bandwidths', + 'bandy', + 'bandying', + 'bane', 'baneberries', + 'baneberry', + 'baned', + 'baneful', + 'banefully', + 'banes', + 'bang', + 'banged', + 'banger', + 'bangers', + 'banging', + 'bangkok', + 'bangkoks', + 'bangle', + 'bangles', + 'bangs', + 'bangtail', + 'bangtails', + 'bani', + 'banian', + 'banians', + 'baning', + 'banish', + 'banished', + 'banisher', + 'banishers', + 'banishes', + 'banishing', 'banishment', 'banishments', + 'banister', 'banistered', + 'banisters', + 'banjax', + 'banjaxed', + 'banjaxes', + 'banjaxing', + 'banjo', + 'banjoes', + 'banjoist', + 'banjoists', + 'banjos', + 'bank', 'bankabilities', 'bankability', + 'bankable', + 'bankbook', + 'bankbooks', + 'bankcard', + 'bankcards', + 'banked', + 'banker', + 'bankerly', + 'bankers', + 'banking', + 'bankings', + 'banknote', + 'banknotes', + 'bankroll', 'bankrolled', 'bankroller', 'bankrollers', 'bankrolling', + 'bankrolls', + 'bankrupt', 'bankruptcies', 'bankruptcy', 'bankrupted', 'bankrupting', + 'bankrupts', + 'banks', + 'banksia', + 'banksias', + 'bankside', + 'banksides', + 'banned', + 'banner', + 'bannered', + 'banneret', + 'bannerets', 'bannerette', 'bannerettes', + 'bannering', + 'bannerol', + 'bannerols', + 'banners', + 'bannet', + 'bannets', + 'banning', + 'bannister', 'bannisters', + 'bannock', + 'bannocks', + 'banns', + 'banquet', + 'banqueted', + 'banqueter', 'banqueters', 'banqueting', + 'banquets', + 'banquette', 'banquettes', + 'bans', + 'banshee', + 'banshees', + 'banshie', + 'banshies', + 'bantam', + 'bantams', 'bantamweight', 'bantamweights', + 'banteng', + 'bantengs', + 'banter', + 'bantered', + 'banterer', + 'banterers', + 'bantering', 'banteringly', + 'banters', + 'banties', + 'bantling', + 'bantlings', + 'banty', + 'banyan', + 'banyans', + 'banzai', + 'banzais', + 'baobab', + 'baobabs', + 'bap', + 'baps', + 'baptise', + 'baptised', + 'baptises', + 'baptisia', + 'baptisias', + 'baptising', + 'baptism', + 'baptismal', 'baptismally', + 'baptisms', + 'baptist', 'baptisteries', 'baptistery', 'baptistries', + 'baptistry', + 'baptists', + 'baptize', + 'baptized', + 'baptizer', + 'baptizers', + 'baptizes', + 'baptizing', + 'bar', + 'barathea', + 'baratheas', + 'barb', + 'barbal', + 'barbarian', 'barbarianism', 'barbarianisms', 'barbarians', + 'barbaric', 'barbarically', + 'barbarism', 'barbarisms', 'barbarities', + 'barbarity', 'barbarization', 'barbarizations', + 'barbarize', 'barbarized', 'barbarizes', 'barbarizing', + 'barbarous', 'barbarously', 'barbarousness', 'barbarousnesses', + 'barbasco', 'barbascoes', + 'barbascos', + 'barbate', + 'barbe', + 'barbecue', + 'barbecued', + 'barbecuer', 'barbecuers', + 'barbecues', 'barbecuing', + 'barbed', + 'barbel', + 'barbell', + 'barbells', + 'barbels', + 'barbeque', + 'barbequed', + 'barbeques', 'barbequing', + 'barber', + 'barbered', + 'barbering', 'barberries', + 'barberry', + 'barbers', 'barbershop', 'barbershops', + 'barbes', + 'barbet', + 'barbets', + 'barbette', + 'barbettes', + 'barbican', + 'barbicans', + 'barbicel', + 'barbicels', + 'barbing', + 'barbital', + 'barbitals', + 'barbitone', 'barbitones', 'barbiturate', 'barbiturates', + 'barbless', + 'barbs', + 'barbule', + 'barbules', + 'barbut', + 'barbuts', + 'barbwire', + 'barbwires', + 'barcarole', 'barcaroles', 'barcarolle', 'barcarolles', + 'barchan', + 'barchans', + 'bard', + 'barde', + 'barded', + 'bardes', + 'bardic', + 'barding', 'bardolater', 'bardolaters', 'bardolatries', 'bardolatry', + 'bards', + 'bare', + 'bareback', 'barebacked', + 'bareboat', + 'bareboats', + 'bared', + 'barefaced', 'barefacedly', 'barefacedness', 'barefacednesses', + 'barefit', + 'barefoot', 'barefooted', + 'barege', + 'bareges', + 'barehead', 'bareheaded', + 'barely', + 'bareness', 'barenesses', + 'barer', + 'bares', + 'baresark', + 'baresarks', + 'barest', + 'barf', + 'barfed', + 'barfing', + 'barflies', + 'barfly', + 'barfs', + 'bargain', + 'bargained', + 'bargainer', 'bargainers', 'bargaining', + 'bargains', + 'barge', 'bargeboard', 'bargeboards', + 'barged', + 'bargee', + 'bargees', + 'bargello', + 'bargellos', + 'bargeman', + 'bargemen', + 'barges', + 'barghest', + 'barghests', + 'barging', + 'barguest', + 'barguests', + 'barhop', + 'barhopped', 'barhopping', + 'barhops', + 'baric', + 'barilla', + 'barillas', + 'baring', + 'barite', + 'barites', + 'baritonal', + 'baritone', + 'baritones', + 'barium', + 'bariums', + 'bark', + 'barked', + 'barkeep', + 'barkeeper', 'barkeepers', + 'barkeeps', 'barkentine', 'barkentines', + 'barker', + 'barkers', + 'barkier', + 'barkiest', + 'barking', + 'barkless', + 'barks', + 'barky', + 'barleduc', + 'barleducs', + 'barless', + 'barley', 'barleycorn', 'barleycorns', + 'barleys', + 'barlow', + 'barlows', + 'barm', + 'barmaid', + 'barmaids', + 'barman', + 'barmen', + 'barmie', + 'barmier', + 'barmiest', + 'barms', + 'barmy', + 'barn', + 'barnacle', + 'barnacled', + 'barnacles', + 'barnier', + 'barniest', + 'barnlike', + 'barns', + 'barnstorm', 'barnstormed', 'barnstormer', 'barnstormers', 'barnstorming', 'barnstorms', + 'barny', + 'barnyard', + 'barnyards', 'baroceptor', 'baroceptors', + 'barogram', + 'barograms', + 'barograph', 'barographic', 'barographs', + 'barometer', 'barometers', 'barometric', 'barometrically', 'barometries', + 'barometry', + 'baron', + 'baronage', + 'baronages', + 'baroness', 'baronesses', + 'baronet', 'baronetage', 'baronetages', 'baronetcies', + 'baronetcy', + 'baronets', + 'barong', + 'barongs', + 'baronial', + 'baronies', + 'baronne', + 'baronnes', + 'barons', + 'barony', + 'baroque', + 'baroquely', + 'baroques', 'baroreceptor', 'baroreceptors', + 'barouche', + 'barouches', + 'barque', 'barquentine', 'barquentines', + 'barques', + 'barquette', 'barquettes', + 'barrable', + 'barrack', + 'barracked', + 'barracker', 'barrackers', 'barracking', + 'barracks', + 'barracoon', 'barracoons', 'barracouta', 'barracoutas', + 'barracuda', 'barracudas', + 'barrage', + 'barraged', + 'barrages', + 'barraging', 'barramunda', 'barramundas', 'barramundi', 'barramundis', + 'barranca', + 'barrancas', + 'barranco', + 'barrancos', + 'barrater', + 'barraters', + 'barrator', + 'barrators', 'barratries', + 'barratry', + 'barre', + 'barred', + 'barrel', + 'barrelage', 'barrelages', + 'barreled', + 'barrelful', 'barrelfuls', 'barrelhead', 'barrelheads', 'barrelhouse', 'barrelhouses', + 'barreling', + 'barrelled', 'barrelling', + 'barrels', 'barrelsful', + 'barren', + 'barrener', + 'barrenest', + 'barrenly', 'barrenness', 'barrennesses', + 'barrens', + 'barres', + 'barret', + 'barretor', + 'barretors', 'barretries', + 'barretry', + 'barrets', + 'barrette', + 'barrettes', + 'barricade', 'barricaded', 'barricades', 'barricading', + 'barricado', 'barricadoed', 'barricadoes', 'barricadoing', + 'barrier', + 'barriers', + 'barring', + 'barrio', + 'barrios', + 'barrister', 'barristers', + 'barroom', + 'barrooms', + 'barrow', + 'barrows', + 'bars', + 'barstool', + 'barstools', + 'bartend', + 'bartended', + 'bartender', 'bartenders', 'bartending', + 'bartends', + 'barter', + 'bartered', + 'barterer', + 'barterers', + 'bartering', + 'barters', + 'bartisan', + 'bartisans', + 'bartizan', + 'bartizans', + 'barware', + 'barwares', + 'barye', + 'baryes', + 'baryon', + 'baryonic', + 'baryons', + 'baryta', + 'barytas', + 'baryte', + 'barytes', + 'barytic', + 'barytone', + 'barytones', + 'bas', + 'basal', + 'basally', + 'basalt', + 'basaltes', + 'basaltic', + 'basalts', + 'bascule', + 'bascules', + 'base', + 'baseball', + 'baseballs', + 'baseboard', 'baseboards', + 'baseborn', + 'based', + 'baseless', + 'baseline', + 'baseliner', 'baseliners', + 'baselines', + 'basely', + 'baseman', + 'basemen', + 'basement', 'basementless', + 'basements', + 'baseness', 'basenesses', + 'basenji', + 'basenjis', + 'baser', 'baserunning', 'baserunnings', + 'bases', + 'basest', + 'bash', + 'bashaw', + 'bashaws', + 'bashed', + 'basher', + 'bashers', + 'bashes', + 'bashful', + 'bashfully', 'bashfulness', 'bashfulnesses', + 'bashing', + 'bashlyk', + 'bashlyks', + 'basic', + 'basically', 'basicities', + 'basicity', + 'basics', + 'basidia', + 'basidial', 'basidiomycete', 'basidiomycetes', 'basidiomycetous', 'basidiospore', 'basidiospores', + 'basidium', 'basification', 'basifications', + 'basified', + 'basifier', + 'basifiers', + 'basifies', + 'basify', + 'basifying', + 'basil', + 'basilar', + 'basilary', + 'basilic', + 'basilica', + 'basilicae', + 'basilican', + 'basilicas', + 'basilisk', + 'basilisks', + 'basils', + 'basin', + 'basinal', + 'basined', + 'basinet', + 'basinets', + 'basinful', + 'basinfuls', + 'basing', + 'basins', + 'basion', + 'basions', + 'basipetal', 'basipetally', + 'basis', + 'bask', + 'basked', + 'basket', 'basketball', 'basketballs', + 'basketful', 'basketfuls', 'basketlike', 'basketries', + 'basketry', + 'baskets', 'basketsful', 'basketwork', 'basketworks', + 'basking', + 'basks', + 'basmati', + 'basmatis', + 'basophil', + 'basophile', 'basophiles', 'basophilia', 'basophilias', 'basophilic', + 'basophils', + 'basque', + 'basques', + 'bass', + 'basses', + 'basset', + 'basseted', + 'basseting', + 'bassets', + 'bassett', + 'bassetted', 'bassetting', + 'bassetts', + 'bassi', + 'bassinet', + 'bassinets', + 'bassist', + 'bassists', + 'bassly', + 'bassness', 'bassnesses', + 'basso', + 'bassoon', 'bassoonist', 'bassoonists', + 'bassoons', + 'bassos', + 'basswood', + 'basswoods', + 'bassy', + 'bast', + 'bastard', 'bastardies', 'bastardise', 'bastardised', @@ -4881,16 +12024,79 @@ export const scrabble_array = [ 'bastardized', 'bastardizes', 'bastardizing', + 'bastardly', + 'bastards', + 'bastardy', + 'baste', + 'basted', + 'baster', + 'basters', + 'bastes', + 'bastile', + 'bastiles', + 'bastille', + 'bastilles', + 'bastinade', 'bastinades', + 'bastinado', 'bastinadoed', 'bastinadoes', 'bastinadoing', + 'basting', + 'bastings', + 'bastion', + 'bastioned', + 'bastions', + 'basts', + 'bat', + 'batboy', + 'batboys', + 'batch', + 'batched', + 'batcher', + 'batchers', + 'batches', + 'batching', + 'bate', + 'bateau', + 'bateaux', + 'bated', + 'bates', + 'batfish', + 'batfishes', + 'batfowl', + 'batfowled', 'batfowling', + 'batfowls', + 'bath', + 'bathe', + 'bathed', + 'bather', + 'bathers', + 'bathes', + 'bathetic', 'bathetically', + 'bathhouse', 'bathhouses', + 'bathing', + 'bathless', + 'bathmat', + 'bathmats', + 'batholith', 'batholithic', 'batholiths', + 'bathos', + 'bathoses', + 'bathrobe', + 'bathrobes', + 'bathroom', + 'bathrooms', + 'baths', + 'bathtub', + 'bathtubs', + 'bathwater', 'bathwaters', + 'bathyal', 'bathymetric', 'bathymetrical', 'bathymetrically', @@ -4905,12 +12111,55 @@ export const scrabble_array = [ 'bathyspheres', 'bathythermograph', 'bathythermographs', + 'batik', + 'batiks', + 'bating', + 'batiste', + 'batistes', + 'batlike', + 'batman', + 'batmen', + 'baton', + 'batons', 'batrachian', 'batrachians', + 'bats', + 'batsman', + 'batsmen', + 'batt', 'battailous', + 'battalia', + 'battalias', + 'battalion', 'battalions', + 'batteau', + 'batteaux', + 'batted', + 'battement', 'battements', + 'batten', + 'battened', + 'battener', + 'batteners', + 'battening', + 'battens', + 'batter', + 'battered', + 'batterie', + 'batteries', + 'battering', + 'batters', + 'battery', + 'battier', + 'battiest', + 'battik', + 'battiks', + 'battiness', 'battinesses', + 'batting', + 'battings', + 'battle', + 'battled', 'battlefield', 'battlefields', 'battlefront', @@ -4920,174 +12169,873 @@ export const scrabble_array = [ 'battlement', 'battlemented', 'battlements', + 'battler', + 'battlers', + 'battles', 'battleship', 'battleships', 'battlewagon', 'battlewagons', + 'battling', + 'batts', + 'battu', + 'battue', + 'battues', + 'batty', + 'batwing', + 'baubee', + 'baubees', + 'bauble', + 'baubles', + 'baud', + 'baudekin', + 'baudekins', + 'baudrons', 'baudronses', + 'bauds', + 'bauhinia', + 'bauhinias', + 'baulk', + 'baulked', + 'baulkier', + 'baulkiest', + 'baulking', + 'baulks', + 'baulky', + 'bausond', + 'bauxite', + 'bauxites', + 'bauxitic', + 'bawbee', + 'bawbees', + 'bawcock', + 'bawcocks', + 'bawd', + 'bawdier', + 'bawdies', + 'bawdiest', + 'bawdily', + 'bawdiness', 'bawdinesses', + 'bawdric', + 'bawdrics', + 'bawdries', + 'bawdry', + 'bawds', + 'bawdy', 'bawdyhouse', 'bawdyhouses', + 'bawl', + 'bawled', + 'bawler', + 'bawlers', + 'bawling', + 'bawls', + 'bawsunt', + 'bawtie', + 'bawties', + 'bawty', + 'bay', + 'bayadeer', + 'bayadeers', + 'bayadere', + 'bayaderes', + 'bayamo', + 'bayamos', + 'bayard', + 'bayards', 'bayberries', + 'bayberry', + 'bayed', + 'baying', + 'bayman', + 'baymen', + 'bayonet', + 'bayoneted', 'bayoneting', + 'bayonets', 'bayonetted', 'bayonetting', + 'bayou', + 'bayous', + 'bays', + 'baywood', + 'baywoods', + 'bazaar', + 'bazaars', + 'bazar', + 'bazars', + 'bazoo', + 'bazooka', + 'bazookas', + 'bazooms', + 'bazoos', + 'bdellium', + 'bdelliums', + 'be', + 'beach', + 'beachboy', + 'beachboys', + 'beachcomb', 'beachcombed', 'beachcomber', 'beachcombers', 'beachcombing', 'beachcombs', + 'beached', + 'beaches', 'beachfront', 'beachfronts', + 'beachgoer', 'beachgoers', + 'beachhead', 'beachheads', + 'beachier', + 'beachiest', + 'beaching', + 'beachside', + 'beachwear', + 'beachy', + 'beacon', + 'beaconed', + 'beaconing', + 'beacons', + 'bead', + 'beaded', + 'beadier', + 'beadiest', + 'beadily', + 'beading', + 'beadings', + 'beadle', + 'beadles', + 'beadlike', + 'beadman', + 'beadmen', + 'beadroll', + 'beadrolls', + 'beads', + 'beadsman', + 'beadsmen', + 'beadwork', + 'beadworks', + 'beady', + 'beagle', + 'beagles', + 'beak', + 'beaked', + 'beaker', + 'beakers', + 'beakier', + 'beakiest', + 'beakless', + 'beaklike', + 'beaks', + 'beaky', + 'beam', + 'beamed', + 'beamier', + 'beamiest', + 'beamily', + 'beaming', + 'beamish', + 'beamishly', + 'beamless', + 'beamlike', + 'beams', + 'beamy', + 'bean', + 'beanbag', + 'beanbags', + 'beanball', + 'beanballs', + 'beaned', + 'beaneries', + 'beanery', + 'beanie', + 'beanies', + 'beaning', + 'beanlike', + 'beano', + 'beanos', + 'beanpole', + 'beanpoles', + 'beans', + 'beanstalk', 'beanstalks', + 'bear', 'bearabilities', 'bearability', + 'bearable', + 'bearably', 'bearbaiting', 'bearbaitings', 'bearberries', + 'bearberry', + 'bearcat', + 'bearcats', + 'beard', + 'bearded', 'beardedness', 'beardednesses', + 'bearding', + 'beardless', + 'beards', 'beardtongue', 'beardtongues', + 'bearer', + 'bearers', + 'bearhug', + 'bearhugs', + 'bearing', + 'bearings', + 'bearish', + 'bearishly', 'bearishness', 'bearishnesses', + 'bearlike', + 'bears', + 'bearskin', + 'bearskins', + 'bearwood', + 'bearwoods', + 'beast', + 'beastie', + 'beasties', + 'beastings', + 'beastlier', 'beastliest', 'beastliness', 'beastlinesses', + 'beastly', + 'beasts', + 'beat', + 'beatable', + 'beaten', + 'beater', + 'beaters', + 'beatific', 'beatifically', 'beatification', 'beatifications', + 'beatified', + 'beatifies', + 'beatify', 'beatifying', + 'beating', + 'beatings', + 'beatitude', 'beatitudes', + 'beatless', + 'beatnik', + 'beatniks', + 'beats', + 'beau', + 'beaucoup', + 'beauish', + 'beaus', + 'beaut', + 'beauteous', 'beauteously', 'beauteousness', 'beauteousnesses', 'beautician', 'beauticians', + 'beauties', 'beautification', 'beautifications', 'beautified', 'beautifier', 'beautifiers', 'beautifies', + 'beautiful', 'beautifuler', 'beautifulest', 'beautifully', 'beautifulness', 'beautifulnesses', + 'beautify', 'beautifying', + 'beauts', + 'beauty', + 'beaux', + 'beaver', 'beaverboard', 'beaverboards', + 'beavered', + 'beavering', + 'beavers', + 'bebeeru', + 'bebeerus', + 'beblood', + 'beblooded', 'beblooding', + 'bebloods', + 'bebop', + 'bebopper', + 'beboppers', + 'bebops', + 'becalm', + 'becalmed', + 'becalming', + 'becalms', + 'became', + 'becap', + 'becapped', + 'becapping', + 'becaps', + 'becarpet', 'becarpeted', 'becarpeting', + 'becarpets', + 'because', + 'bechalk', + 'bechalked', 'bechalking', + 'bechalks', + 'bechamel', + 'bechamels', + 'bechance', + 'bechanced', + 'bechances', 'bechancing', + 'becharm', + 'becharmed', 'becharming', + 'becharms', + 'beck', + 'becked', + 'becket', + 'beckets', + 'becking', + 'beckon', + 'beckoned', + 'beckoner', + 'beckoners', + 'beckoning', + 'beckons', + 'becks', + 'beclamor', 'beclamored', 'beclamoring', + 'beclamors', + 'beclasp', + 'beclasped', 'beclasping', + 'beclasps', + 'becloak', + 'becloaked', 'becloaking', + 'becloaks', + 'beclog', + 'beclogged', 'beclogging', + 'beclogs', + 'beclothe', + 'beclothed', + 'beclothes', 'beclothing', + 'becloud', + 'beclouded', 'beclouding', + 'beclouds', + 'beclown', + 'beclowned', 'beclowning', + 'beclowns', + 'become', + 'becomes', + 'becoming', 'becomingly', + 'becomings', + 'becoward', 'becowarded', 'becowarding', + 'becowards', + 'becrawl', + 'becrawled', 'becrawling', + 'becrawls', + 'becrime', + 'becrimed', + 'becrimes', + 'becriming', + 'becrowd', + 'becrowded', 'becrowding', + 'becrowds', + 'becrust', + 'becrusted', 'becrusting', + 'becrusts', + 'becudgel', 'becudgeled', 'becudgeling', 'becudgelled', 'becudgelling', + 'becudgels', + 'becurse', + 'becursed', + 'becurses', + 'becursing', + 'becurst', + 'bed', + 'bedabble', + 'bedabbled', + 'bedabbles', 'bedabbling', + 'bedamn', + 'bedamned', + 'bedamning', + 'bedamns', + 'bedarken', 'bedarkened', 'bedarkening', + 'bedarkens', + 'bedaub', + 'bedaubed', + 'bedaubing', + 'bedaubs', + 'bedazzle', + 'bedazzled', 'bedazzlement', 'bedazzlements', + 'bedazzles', 'bedazzling', + 'bedbug', + 'bedbugs', + 'bedchair', + 'bedchairs', 'bedchamber', 'bedchambers', 'bedclothes', + 'bedcover', 'bedcovering', 'bedcoverings', + 'bedcovers', + 'beddable', + 'bedded', + 'bedder', + 'bedders', + 'bedding', + 'beddings', + 'bedeafen', 'bedeafened', 'bedeafening', + 'bedeafens', + 'bedeck', + 'bedecked', + 'bedecking', + 'bedecks', + 'bedel', + 'bedell', + 'bedells', + 'bedels', + 'bedeman', + 'bedemen', + 'bedesman', + 'bedesmen', + 'bedevil', + 'bedeviled', 'bedeviling', 'bedevilled', 'bedevilling', 'bedevilment', 'bedevilments', + 'bedevils', + 'bedew', + 'bedewed', + 'bedewing', + 'bedews', + 'bedfast', + 'bedfellow', 'bedfellows', + 'bedframe', + 'bedframes', + 'bedgown', + 'bedgowns', + 'bediaper', 'bediapered', 'bediapering', + 'bediapers', + 'bedight', + 'bedighted', 'bedighting', + 'bedights', + 'bedim', + 'bedimmed', + 'bedimming', + 'bedimple', + 'bedimpled', + 'bedimples', 'bedimpling', + 'bedims', + 'bedirtied', + 'bedirties', + 'bedirty', 'bedirtying', + 'bedizen', + 'bedizened', 'bedizening', 'bedizenment', 'bedizenments', + 'bedizens', + 'bedlam', + 'bedlamite', 'bedlamites', + 'bedlamp', + 'bedlamps', + 'bedlams', + 'bedless', + 'bedlike', + 'bedmaker', + 'bedmakers', + 'bedmate', + 'bedmates', + 'bedotted', + 'bedouin', + 'bedouins', + 'bedpan', + 'bedpans', + 'bedplate', + 'bedplates', + 'bedpost', + 'bedposts', + 'bedquilt', + 'bedquilts', + 'bedraggle', 'bedraggled', 'bedraggles', 'bedraggling', + 'bedrail', + 'bedrails', + 'bedrape', + 'bedraped', + 'bedrapes', + 'bedraping', + 'bedrench', 'bedrenched', 'bedrenches', 'bedrenching', + 'bedrid', + 'bedridden', + 'bedrivel', 'bedriveled', 'bedriveling', 'bedrivelled', 'bedrivelling', + 'bedrivels', + 'bedrock', + 'bedrocks', + 'bedroll', + 'bedrolls', + 'bedroom', + 'bedroomed', + 'bedrooms', + 'bedrug', + 'bedrugged', 'bedrugging', + 'bedrugs', + 'beds', + 'bedsheet', + 'bedsheets', + 'bedside', + 'bedsides', + 'bedsit', + 'bedsits', + 'bedsonia', + 'bedsoniae', + 'bedsonias', + 'bedsore', + 'bedsores', + 'bedspread', 'bedspreads', + 'bedspring', 'bedsprings', + 'bedstand', + 'bedstands', + 'bedstead', + 'bedsteads', + 'bedstraw', + 'bedstraws', + 'bedtick', + 'bedticks', + 'bedtime', + 'bedtimes', + 'bedu', + 'beduin', + 'beduins', + 'bedumb', + 'bedumbed', + 'bedumbing', + 'bedumbs', + 'bedunce', + 'bedunced', + 'bedunces', + 'beduncing', + 'bedward', + 'bedwards', + 'bedwarf', + 'bedwarfed', 'bedwarfing', + 'bedwarfs', + 'bee', + 'beebee', + 'beebees', + 'beebread', + 'beebreads', + 'beech', 'beechdrops', + 'beechen', + 'beeches', + 'beechier', + 'beechiest', + 'beechnut', + 'beechnuts', + 'beechy', + 'beef', + 'beefalo', + 'beefaloes', + 'beefalos', + 'beefcake', + 'beefcakes', + 'beefeater', 'beefeaters', + 'beefed', + 'beefier', + 'beefiest', + 'beefily', + 'beefing', + 'beefless', + 'beefs', + 'beefsteak', 'beefsteaks', + 'beefwood', + 'beefwoods', + 'beefy', + 'beehive', + 'beehives', + 'beekeeper', 'beekeepers', 'beekeeping', 'beekeepings', + 'beelike', + 'beeline', + 'beelined', + 'beelines', + 'beelining', + 'been', + 'beep', + 'beeped', + 'beeper', + 'beepers', + 'beeping', + 'beeps', + 'beer', + 'beerier', + 'beeriest', + 'beers', + 'beery', + 'bees', + 'beestings', + 'beeswax', + 'beeswaxes', + 'beeswing', + 'beeswings', + 'beet', + 'beetle', + 'beetled', + 'beetler', + 'beetlers', + 'beetles', + 'beetling', + 'beetroot', + 'beetroots', + 'beets', + 'beeves', + 'beeyard', + 'beeyards', + 'beezer', + 'beezers', + 'befall', + 'befallen', + 'befalling', + 'befalls', + 'befell', + 'befinger', 'befingered', 'befingering', + 'befingers', + 'befit', + 'befits', + 'befitted', + 'befitting', 'befittingly', + 'beflag', + 'beflagged', 'beflagging', + 'beflags', + 'beflea', + 'befleaed', + 'befleaing', + 'befleas', + 'befleck', + 'beflecked', 'beflecking', + 'beflecks', + 'beflower', 'beflowered', 'beflowering', + 'beflowers', + 'befog', + 'befogged', + 'befogging', + 'befogs', + 'befool', + 'befooled', + 'befooling', + 'befools', + 'before', 'beforehand', 'beforetime', + 'befoul', + 'befouled', + 'befouler', + 'befoulers', + 'befouling', + 'befouls', + 'befret', + 'befrets', + 'befretted', 'befretting', + 'befriend', 'befriended', 'befriending', + 'befriends', + 'befringe', + 'befringed', + 'befringes', 'befringing', + 'befuddle', + 'befuddled', 'befuddlement', 'befuddlements', + 'befuddles', 'befuddling', + 'beg', + 'begall', + 'begalled', + 'begalling', + 'begalls', + 'began', + 'begat', + 'begaze', + 'begazed', + 'begazes', + 'begazing', + 'beget', + 'begets', + 'begetter', + 'begetters', + 'begetting', + 'beggar', + 'beggared', + 'beggaries', + 'beggaring', 'beggarliness', 'beggarlinesses', + 'beggarly', + 'beggars', 'beggarweed', 'beggarweeds', + 'beggary', + 'begged', + 'begging', + 'begin', + 'beginner', + 'beginners', + 'beginning', 'beginnings', + 'begins', + 'begird', + 'begirded', + 'begirding', + 'begirdle', + 'begirdled', + 'begirdles', 'begirdling', + 'begirds', + 'begirt', + 'begirting', + 'beglad', + 'begladded', 'begladding', + 'beglads', + 'beglamor', 'beglamored', 'beglamoring', + 'beglamors', + 'beglamour', 'beglamoured', 'beglamouring', 'beglamours', + 'begloom', + 'begloomed', 'beglooming', + 'beglooms', + 'begone', + 'begonia', + 'begonias', + 'begorah', + 'begorra', + 'begorrah', + 'begot', + 'begotten', + 'begrim', + 'begrime', + 'begrimed', + 'begrimes', + 'begriming', + 'begrimmed', 'begrimming', + 'begrims', + 'begroan', + 'begroaned', 'begroaning', + 'begroans', + 'begrudge', + 'begrudged', + 'begrudges', 'begrudging', 'begrudgingly', + 'begs', + 'beguile', + 'beguiled', 'beguilement', 'beguilements', + 'beguiler', + 'beguilers', + 'beguiles', + 'beguiling', 'beguilingly', + 'beguine', + 'beguines', + 'begulf', + 'begulfed', + 'begulfing', + 'begulfs', + 'begum', + 'begums', + 'begun', + 'behalf', + 'behalves', + 'behave', + 'behaved', + 'behaver', + 'behavers', + 'behaves', + 'behaving', + 'behavior', 'behavioral', 'behaviorally', 'behaviorism', @@ -5095,47 +13043,183 @@ export const scrabble_array = [ 'behaviorist', 'behavioristic', 'behaviorists', + 'behaviors', + 'behaviour', 'behaviours', + 'behead', + 'beheaded', + 'beheading', 'beheadings', + 'beheads', + 'beheld', + 'behemoth', + 'behemoths', + 'behest', + 'behests', + 'behind', 'behindhand', + 'behinds', + 'behold', + 'beholden', + 'beholder', + 'beholders', + 'beholding', + 'beholds', + 'behoof', + 'behoove', + 'behooved', + 'behooves', + 'behooving', + 'behove', + 'behoved', + 'behoves', + 'behoving', + 'behowl', + 'behowled', + 'behowling', + 'behowls', + 'beige', + 'beiges', + 'beignet', + 'beignets', + 'beigy', + 'being', + 'beings', + 'bejabers', + 'bejeezus', + 'bejesus', + 'bejewel', + 'bejeweled', 'bejeweling', 'bejewelled', 'bejewelling', + 'bejewels', + 'bejumble', + 'bejumbled', + 'bejumbles', 'bejumbling', + 'bekiss', + 'bekissed', + 'bekisses', + 'bekissing', + 'beknight', 'beknighted', 'beknighting', + 'beknights', + 'beknot', + 'beknots', + 'beknotted', 'beknotting', + 'bel', + 'belabor', + 'belabored', 'belaboring', + 'belabors', + 'belabour', 'belaboured', 'belabouring', + 'belabours', + 'belaced', + 'beladied', + 'beladies', + 'belady', + 'beladying', + 'belated', + 'belatedly', 'belatedness', 'belatednesses', + 'belaud', + 'belauded', + 'belauding', + 'belauds', + 'belay', + 'belayed', + 'belaying', + 'belays', + 'belch', + 'belched', + 'belcher', + 'belchers', + 'belches', + 'belching', + 'beldam', + 'beldame', + 'beldames', + 'beldams', + 'beleaguer', 'beleaguered', 'beleaguering', 'beleaguerment', 'beleaguerments', 'beleaguers', + 'beleap', + 'beleaped', + 'beleaping', + 'beleaps', + 'beleapt', + 'belemnite', 'belemnites', + 'belfried', + 'belfries', + 'belfry', + 'belga', + 'belgas', + 'belie', + 'belied', + 'belief', + 'beliefs', + 'belier', + 'beliers', + 'belies', 'believabilities', 'believability', 'believable', 'believably', + 'believe', + 'believed', + 'believer', + 'believers', + 'believes', + 'believing', + 'belike', + 'beliquor', 'beliquored', 'beliquoring', + 'beliquors', + 'belittle', + 'belittled', 'belittlement', 'belittlements', + 'belittler', 'belittlers', + 'belittles', 'belittling', + 'belive', + 'bell', 'belladonna', 'belladonnas', + 'bellbird', + 'bellbirds', + 'bellboy', + 'bellboys', + 'belle', + 'belled', + 'belleek', + 'belleeks', + 'belles', 'belletrist', 'belletristic', 'belletrists', 'bellflower', 'bellflowers', + 'bellhop', + 'bellhops', + 'bellicose', 'bellicosely', 'bellicosities', 'bellicosity', + 'bellied', + 'bellies', 'belligerence', 'belligerences', 'belligerencies', @@ -5143,50 +13227,185 @@ export const scrabble_array = [ 'belligerent', 'belligerently', 'belligerents', + 'belling', + 'bellman', + 'bellmen', + 'bellow', + 'bellowed', + 'bellower', + 'bellowers', + 'bellowing', + 'bellows', + 'bellpull', + 'bellpulls', + 'bells', 'bellwether', 'bellwethers', + 'bellwort', + 'bellworts', + 'belly', + 'bellyache', 'bellyached', 'bellyacher', 'bellyachers', 'bellyaches', 'bellyaching', + 'bellyband', 'bellybands', 'bellybutton', 'bellybuttons', + 'bellyful', + 'bellyfuls', + 'bellying', + 'belong', + 'belonged', + 'belonging', 'belongingness', 'belongingnesses', 'belongings', + 'belongs', + 'beloved', + 'beloveds', + 'below', 'belowdecks', 'belowground', + 'belows', + 'bels', + 'belt', + 'belted', + 'belter', + 'belters', + 'belting', + 'beltings', + 'beltless', + 'beltline', + 'beltlines', + 'belts', + 'beltway', + 'beltways', + 'beluga', + 'belugas', + 'belvedere', 'belvederes', + 'belying', + 'bema', + 'bemadam', + 'bemadamed', 'bemadaming', + 'bemadams', + 'bemadden', 'bemaddened', 'bemaddening', + 'bemaddens', + 'bemas', + 'bemata', + 'bemean', + 'bemeaned', + 'bemeaning', + 'bemeans', + 'bemedaled', 'bemedalled', + 'bemingle', + 'bemingled', + 'bemingles', 'bemingling', + 'bemire', + 'bemired', + 'bemires', + 'bemiring', + 'bemist', + 'bemisted', + 'bemisting', + 'bemists', + 'bemix', + 'bemixed', + 'bemixes', + 'bemixing', + 'bemixt', + 'bemoan', + 'bemoaned', + 'bemoaning', + 'bemoans', + 'bemock', + 'bemocked', + 'bemocking', + 'bemocks', + 'bemuddle', + 'bemuddled', + 'bemuddles', 'bemuddling', + 'bemurmur', 'bemurmured', 'bemurmuring', + 'bemurmurs', + 'bemuse', + 'bemused', + 'bemusedly', 'bemusement', 'bemusements', + 'bemuses', + 'bemusing', + 'bemuzzle', + 'bemuzzled', + 'bemuzzles', 'bemuzzling', + 'ben', + 'bename', + 'benamed', + 'benames', + 'benaming', + 'bench', + 'benched', + 'bencher', + 'benchers', + 'benches', + 'benching', + 'benchland', 'benchlands', + 'benchmark', 'benchmarks', 'benchwarmer', 'benchwarmers', + 'bend', + 'bendable', + 'benday', + 'bendayed', + 'bendaying', + 'bendays', + 'bended', + 'bendee', + 'bendees', + 'bender', + 'benders', + 'bending', + 'bends', + 'bendways', + 'bendwise', + 'bendy', + 'bendys', + 'bene', + 'beneath', + 'benedick', + 'benedicks', + 'benedict', 'benediction', 'benedictions', 'benedictory', + 'benedicts', 'benefaction', 'benefactions', 'benefactor', 'benefactors', 'benefactress', 'benefactresses', + 'benefic', + 'benefice', + 'beneficed', 'beneficence', 'beneficences', 'beneficent', 'beneficently', + 'benefices', 'beneficial', 'beneficially', 'beneficialness', @@ -5200,136 +13419,548 @@ export const scrabble_array = [ 'beneficiation', 'beneficiations', 'beneficing', + 'benefit', + 'benefited', + 'benefiter', 'benefiters', 'benefiting', + 'benefits', 'benefitted', 'benefitting', + 'benempt', + 'benempted', + 'benes', 'benevolence', 'benevolences', 'benevolent', 'benevolently', 'benevolentness', 'benevolentnesses', + 'bengaline', 'bengalines', + 'benighted', 'benightedly', 'benightedness', 'benightednesses', + 'benign', 'benignancies', 'benignancy', + 'benignant', 'benignantly', 'benignities', + 'benignity', + 'benignly', + 'benison', + 'benisons', + 'benjamin', + 'benjamins', + 'benne', + 'bennes', + 'bennet', + 'bennets', + 'benni', + 'bennies', + 'bennis', + 'benny', + 'benomyl', + 'benomyls', + 'bens', + 'bent', + 'benthal', + 'benthic', + 'benthonic', + 'benthos', + 'benthoses', + 'bentonite', 'bentonites', 'bentonitic', + 'bents', + 'bentwood', + 'bentwoods', + 'benumb', + 'benumbed', + 'benumbing', + 'benumbs', + 'benzal', 'benzaldehyde', 'benzaldehydes', 'benzanthracene', 'benzanthracenes', + 'benzene', + 'benzenes', + 'benzenoid', + 'benzidin', + 'benzidine', 'benzidines', + 'benzidins', 'benzimidazole', 'benzimidazoles', + 'benzin', + 'benzine', + 'benzines', + 'benzins', 'benzoapyrene', 'benzoapyrenes', + 'benzoate', + 'benzoates', 'benzocaine', 'benzocaines', 'benzodiazepine', 'benzodiazepines', 'benzofuran', 'benzofurans', + 'benzoic', + 'benzoin', + 'benzoins', + 'benzol', + 'benzole', + 'benzoles', + 'benzols', 'benzophenone', 'benzophenones', + 'benzoyl', + 'benzoyls', + 'benzyl', + 'benzylic', + 'benzyls', + 'bepaint', + 'bepainted', 'bepainting', + 'bepaints', + 'bepimple', + 'bepimpled', + 'bepimples', 'bepimpling', + 'bequeath', 'bequeathal', 'bequeathals', 'bequeathed', 'bequeathing', + 'bequeaths', + 'bequest', + 'bequests', + 'berake', + 'beraked', + 'berakes', + 'beraking', + 'berascal', 'berascaled', 'berascaling', + 'berascals', + 'berate', + 'berated', + 'berates', + 'berating', + 'berberin', + 'berberine', 'berberines', + 'berberins', + 'berberis', 'berberises', + 'berceuse', + 'berceuses', + 'berdache', + 'berdaches', + 'bereave', + 'bereaved', 'bereavement', 'bereavements', + 'bereaver', + 'bereavers', + 'bereaves', + 'bereaving', + 'bereft', + 'beret', + 'berets', + 'beretta', + 'berettas', + 'berg', + 'bergamot', + 'bergamots', + 'bergere', + 'bergeres', + 'bergs', + 'berhyme', + 'berhymed', + 'berhymes', + 'berhyming', 'beribboned', + 'beriberi', + 'beriberis', + 'berime', + 'berimed', + 'berimes', + 'beriming', + 'beringed', + 'berkelium', 'berkeliums', + 'berlin', + 'berline', + 'berlines', + 'berlins', + 'berm', + 'berme', + 'bermes', + 'berms', + 'bermudas', + 'bernicle', + 'bernicles', + 'berobed', + 'berouged', + 'berretta', + 'berrettas', + 'berried', + 'berries', + 'berry', + 'berrying', + 'berrylike', + 'berseem', + 'berseems', + 'berserk', + 'berserker', 'berserkers', + 'berserkly', + 'berserks', + 'berth', + 'bertha', + 'berthas', + 'berthed', + 'berthing', + 'berths', + 'beryl', + 'beryline', + 'beryllium', 'berylliums', + 'beryls', + 'bescorch', 'bescorched', 'bescorches', 'bescorching', + 'bescour', + 'bescoured', 'bescouring', + 'bescours', + 'bescreen', 'bescreened', 'bescreening', + 'bescreens', + 'beseech', + 'beseeched', + 'beseeches', 'beseeching', 'beseechingly', + 'beseem', + 'beseemed', + 'beseeming', + 'beseems', + 'beset', + 'besetment', 'besetments', + 'besets', + 'besetter', + 'besetters', + 'besetting', + 'beshadow', 'beshadowed', 'beshadowing', + 'beshadows', + 'beshame', + 'beshamed', + 'beshames', + 'beshaming', + 'beshiver', 'beshivered', 'beshivering', + 'beshivers', + 'beshout', + 'beshouted', 'beshouting', + 'beshouts', + 'beshrew', + 'beshrewed', 'beshrewing', + 'beshrews', + 'beshroud', 'beshrouded', 'beshrouding', + 'beshrouds', + 'beside', + 'besides', + 'besiege', + 'besieged', + 'besieger', + 'besiegers', + 'besieges', + 'besieging', + 'beslaved', + 'beslime', + 'beslimed', + 'beslimes', + 'besliming', + 'besmear', + 'besmeared', 'besmearing', + 'besmears', + 'besmile', + 'besmiled', + 'besmiles', + 'besmiling', + 'besmirch', 'besmirched', 'besmirches', 'besmirching', + 'besmoke', + 'besmoked', + 'besmokes', + 'besmoking', + 'besmooth', 'besmoothed', 'besmoothing', + 'besmooths', + 'besmudge', + 'besmudged', + 'besmudges', 'besmudging', + 'besmut', + 'besmuts', + 'besmutted', 'besmutting', + 'besnow', + 'besnowed', + 'besnowing', + 'besnows', + 'besom', + 'besoms', + 'besoothe', + 'besoothed', + 'besoothes', 'besoothing', + 'besot', + 'besots', + 'besotted', + 'besotting', + 'besought', + 'bespake', + 'bespatter', 'bespattered', 'bespattering', 'bespatters', + 'bespeak', 'bespeaking', + 'bespeaks', 'bespectacled', + 'bespoke', + 'bespoken', + 'bespouse', + 'bespoused', + 'bespouses', 'bespousing', + 'bespread', 'bespreading', + 'bespreads', + 'besprent', 'besprinkle', 'besprinkled', 'besprinkles', 'besprinkling', + 'best', + 'bestead', + 'besteaded', 'besteading', + 'besteads', + 'bested', + 'bestial', 'bestialities', 'bestiality', 'bestialize', 'bestialized', 'bestializes', 'bestializing', + 'bestially', 'bestiaries', + 'bestiary', + 'besting', + 'bestir', + 'bestirred', 'bestirring', + 'bestirs', + 'bestow', + 'bestowal', + 'bestowals', + 'bestowed', + 'bestowing', + 'bestows', + 'bestrew', + 'bestrewed', 'bestrewing', + 'bestrewn', + 'bestrews', + 'bestrid', 'bestridden', + 'bestride', + 'bestrides', 'bestriding', + 'bestrode', + 'bestrow', + 'bestrowed', 'bestrowing', + 'bestrown', + 'bestrows', + 'bests', 'bestseller', 'bestsellerdom', 'bestsellerdoms', 'bestsellers', + 'bestud', + 'bestudded', 'bestudding', + 'bestuds', + 'beswarm', + 'beswarmed', 'beswarming', + 'beswarms', + 'bet', + 'beta', + 'betaine', + 'betaines', + 'betake', + 'betaken', + 'betakes', + 'betaking', + 'betas', + 'betatron', + 'betatrons', + 'betatter', 'betattered', 'betattering', + 'betatters', + 'betaxed', + 'betel', + 'betelnut', + 'betelnuts', + 'betels', + 'beth', + 'bethank', + 'bethanked', 'bethanking', + 'bethanks', + 'bethel', + 'bethels', + 'bethesda', + 'bethesdas', + 'bethink', 'bethinking', + 'bethinks', + 'bethorn', + 'bethorned', 'bethorning', + 'bethorns', + 'bethought', + 'beths', + 'bethump', + 'bethumped', 'bethumping', + 'bethumps', + 'betide', + 'betided', + 'betides', + 'betiding', + 'betime', + 'betimes', + 'betise', + 'betises', + 'betoken', + 'betokened', 'betokening', + 'betokens', + 'beton', + 'betonies', + 'betons', + 'betony', + 'betook', + 'betray', + 'betrayal', + 'betrayals', + 'betrayed', + 'betrayer', + 'betrayers', + 'betraying', + 'betrays', + 'betroth', + 'betrothal', 'betrothals', + 'betrothed', 'betrotheds', 'betrothing', + 'betroths', + 'bets', + 'betta', + 'bettas', + 'betted', + 'better', + 'bettered', + 'bettering', 'betterment', 'betterments', + 'betters', + 'betting', + 'bettor', + 'bettors', + 'between', 'betweenbrain', 'betweenbrains', 'betweenness', 'betweennesses', 'betweentimes', 'betweenwhiles', + 'betwixt', + 'beuncled', + 'bevatron', + 'bevatrons', + 'bevel', + 'beveled', + 'beveler', + 'bevelers', + 'beveling', + 'bevelled', + 'beveller', + 'bevellers', + 'bevelling', + 'bevels', + 'beverage', + 'beverages', + 'bevies', + 'bevomit', + 'bevomited', 'bevomiting', + 'bevomits', + 'bevor', + 'bevors', + 'bevy', + 'bewail', + 'bewailed', + 'bewailer', + 'bewailers', + 'bewailing', + 'bewails', + 'beware', + 'bewared', + 'bewares', + 'bewaring', + 'bewearied', + 'bewearies', + 'beweary', 'bewearying', + 'beweep', + 'beweeping', + 'beweeps', + 'bewept', 'bewhiskered', + 'bewig', + 'bewigged', + 'bewigging', + 'bewigs', + 'bewilder', 'bewildered', 'bewilderedly', 'bewilderedness', @@ -5338,20 +13969,125 @@ export const scrabble_array = [ 'bewilderingly', 'bewilderment', 'bewilderments', + 'bewilders', + 'bewinged', + 'bewitch', + 'bewitched', 'bewitcheries', 'bewitchery', + 'bewitches', 'bewitching', 'bewitchingly', 'bewitchment', 'bewitchments', + 'beworm', + 'bewormed', + 'beworming', + 'beworms', + 'beworried', + 'beworries', + 'beworry', 'beworrying', + 'bewrap', + 'bewrapped', 'bewrapping', + 'bewraps', + 'bewrapt', + 'bewray', + 'bewrayed', + 'bewrayer', + 'bewrayers', + 'bewraying', + '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', + 'bhangs', + 'bharal', + 'bharals', + 'bheestie', + 'bheesties', + 'bheesty', + 'bhistie', + 'bhisties', + 'bhoot', + 'bhoots', + 'bhut', + 'bhuts', + 'bi', + 'biacetyl', + 'biacetyls', + 'biali', + 'bialis', + 'bialy', + 'bialys', + 'biannual', 'biannually', + 'bias', + 'biased', + 'biasedly', + 'biases', + 'biasing', + 'biasness', 'biasnesses', + 'biassed', + 'biasses', + 'biassing', + 'biathlete', 'biathletes', + 'biathlon', + 'biathlons', + 'biaxal', + 'biaxial', + 'biaxially', + 'bib', + 'bibasic', + 'bibb', + 'bibbed', + 'bibber', + 'bibberies', + 'bibbers', + 'bibbery', + 'bibbing', + 'bibbs', + 'bibcock', + 'bibcocks', + 'bibelot', + 'bibelots', + 'bible', + 'bibles', + 'bibless', + 'biblical', 'biblically', + 'biblicism', 'biblicisms', + 'biblicist', 'biblicists', + 'biblike', 'bibliographer', 'bibliographers', 'bibliographic', @@ -5393,100 +14129,380 @@ export const scrabble_array = [ 'bibliothecas', 'bibliotherapies', 'bibliotherapy', + 'bibliotic', 'bibliotics', 'bibliotist', 'bibliotists', + 'biblist', + 'biblists', + 'bibs', + 'bibulous', 'bibulously', 'bibulousness', 'bibulousnesses', + 'bicameral', 'bicameralism', 'bicameralisms', + 'bicarb', 'bicarbonate', 'bicarbonates', + 'bicarbs', + 'bicaudal', + 'bice', 'bicentenaries', 'bicentenary', 'bicentennial', 'bicentennials', + 'biceps', + 'bicepses', + 'bices', 'bichromate', 'bichromated', 'bichromates', + 'bichrome', + 'bicipital', + 'bicker', + 'bickered', + 'bickerer', + 'bickerers', + 'bickering', + 'bickers', + 'bicoastal', + 'bicolor', + 'bicolored', + 'bicolors', + 'bicolour', + 'bicolours', 'bicomponent', + 'biconcave', 'biconcavities', 'biconcavity', 'biconditional', 'biconditionals', + 'biconvex', 'biconvexities', 'biconvexity', + 'bicorn', + 'bicorne', + 'bicornes', + 'bicron', + 'bicrons', 'bicultural', 'biculturalism', 'biculturalisms', + 'bicuspid', + 'bicuspids', + 'bicycle', + 'bicycled', + 'bicycler', + 'bicyclers', + 'bicycles', + 'bicyclic', + 'bicycling', + 'bicyclist', 'bicyclists', + 'bid', + 'bidarka', + 'bidarkas', + 'bidarkee', + 'bidarkees', 'biddabilities', 'biddability', + 'biddable', + 'biddably', + 'bidden', + 'bidder', + 'bidders', + 'biddies', + 'bidding', + 'biddings', + 'biddy', + 'bide', + 'bided', + 'bidental', + 'bider', + 'biders', + 'bides', + 'bidet', + 'bidets', 'bidialectal', 'bidialectalism', 'bidialectalisms', + 'biding', 'bidirectional', 'bidirectionally', 'bidonville', 'bidonvilles', + 'bids', + 'bield', + 'bielded', + 'bielding', + 'bields', + 'biennale', + 'biennales', + 'biennia', + 'biennial', 'biennially', + 'biennials', + 'biennium', + 'bienniums', + 'bier', + 'biers', + 'biface', + 'bifaces', + 'bifacial', 'bifacially', + 'biff', + 'biffed', + 'biffies', + 'biffin', + 'biffing', + 'biffins', + 'biffs', + 'biffy', + 'bifid', 'bifidities', + 'bifidity', + 'bifidly', + 'bifilar', + 'bifilarly', 'biflagellate', + 'biflex', + 'bifocal', + 'bifocals', + 'bifold', + 'biforate', + 'biforked', + 'biform', + 'biformed', 'bifunctional', + 'bifurcate', 'bifurcated', 'bifurcates', 'bifurcating', 'bifurcation', 'bifurcations', + 'big', + 'bigamies', + 'bigamist', + 'bigamists', + 'bigamous', 'bigamously', + 'bigamy', + 'bigarade', + 'bigarades', + 'bigaroon', + 'bigaroons', + 'bigeminal', 'bigeminies', + 'bigeminy', + 'bigeneric', + 'bigeye', + 'bigeyes', + 'bigfeet', + 'bigfoot', + 'bigfoots', + 'bigger', + 'biggest', + 'biggety', + 'biggie', + 'biggies', + 'biggin', + 'bigging', + 'biggings', + 'biggins', + 'biggish', + 'biggity', + 'bighead', + 'bigheaded', + 'bigheads', 'bighearted', 'bigheartedly', 'bigheartedness', 'bigheartednesses', + 'bighorn', + 'bighorns', + 'bight', + 'bighted', + 'bighting', + 'bights', + 'bigly', + 'bigmouth', 'bigmouthed', + 'bigmouths', + 'bigness', + 'bignesses', + 'bignonia', + 'bignonias', + 'bigot', + 'bigoted', + 'bigotedly', + 'bigotries', + 'bigotry', + 'bigots', + 'bigs', + 'bigwig', + 'bigwigs', + 'bihourly', + 'bijection', 'bijections', + 'bijective', + 'bijou', + 'bijous', 'bijouterie', 'bijouteries', + 'bijoux', + 'bijugate', + 'bijugous', + 'bike', + 'biked', + 'biker', + 'bikers', + 'bikes', + 'bikeway', + 'bikeways', + 'bikie', + 'bikies', + 'biking', + 'bikini', + 'bikinied', + 'bikinis', + 'bilabial', + 'bilabials', + 'bilabiate', + 'bilander', + 'bilanders', + 'bilateral', 'bilateralism', 'bilateralisms', 'bilaterally', + 'bilayer', + 'bilayers', 'bilberries', + 'bilberry', + 'bilbo', + 'bilboa', + 'bilboas', + 'bilboes', + 'bilbos', 'bildungsroman', 'bildungsromane', 'bildungsromans', + 'bile', + 'biles', + 'bilge', + 'bilged', + 'bilges', 'bilgewater', 'bilgewaters', + 'bilgier', + 'bilgiest', + 'bilging', + 'bilgy', + 'bilharzia', 'bilharzial', 'bilharzias', 'bilharziases', 'bilharziasis', + 'biliary', + 'bilinear', + 'bilingual', 'bilingualism', 'bilingualisms', 'bilingually', 'bilinguals', + 'bilious', + 'biliously', 'biliousness', 'biliousnesses', + 'bilirubin', 'bilirubins', 'biliverdin', 'biliverdins', + 'bilk', + 'bilked', + 'bilker', + 'bilkers', + 'bilking', + 'bilks', + 'bill', + 'billable', + 'billabong', 'billabongs', + 'billboard', 'billboarded', 'billboarding', 'billboards', + 'billbug', + 'billbugs', + 'billed', + 'biller', + 'billers', + 'billet', + 'billeted', + 'billeter', + 'billeters', + 'billeting', + 'billets', + 'billfish', 'billfishes', + 'billfold', + 'billfolds', + 'billhead', + 'billheads', + 'billhook', + 'billhooks', + 'billiard', + 'billiards', + 'billie', + 'billies', + 'billing', + 'billings', 'billingsgate', 'billingsgates', + 'billion', 'billionaire', 'billionaires', + 'billions', + 'billionth', 'billionths', + 'billon', + 'billons', + 'billow', + 'billowed', + 'billowier', 'billowiest', + 'billowing', + 'billows', + 'billowy', + 'bills', + 'billy', + 'billycan', + 'billycans', + 'billycock', 'billycocks', + 'bilobate', + 'bilobed', 'bilocation', 'bilocations', + 'bilsted', + 'bilsteds', + 'biltong', + 'biltongs', + 'bima', + 'bimah', + 'bimahs', + 'bimanous', + 'bimanual', 'bimanually', + 'bimas', + 'bimbo', + 'bimboes', + 'bimbos', + 'bimensal', + 'bimester', + 'bimesters', + 'bimetal', 'bimetallic', 'bimetallics', 'bimetallism', @@ -5494,32 +14510,92 @@ export const scrabble_array = [ 'bimetallist', 'bimetallistic', 'bimetallists', + 'bimetals', + 'bimethyl', + 'bimethyls', 'bimillenaries', 'bimillenary', 'bimillennial', 'bimillennials', + 'bimodal', 'bimodalities', 'bimodality', 'bimolecular', 'bimolecularly', 'bimonthlies', + 'bimonthly', + 'bimorph', 'bimorphemic', + 'bimorphs', + 'bin', + 'binal', + 'binaries', + 'binary', + 'binate', + 'binately', 'binational', + 'binaural', 'binaurally', + 'bind', + 'bindable', + 'binder', + 'binderies', + 'binders', + 'bindery', + 'bindi', + 'binding', + 'bindingly', 'bindingness', 'bindingnesses', + 'bindings', + 'bindis', + 'bindle', + 'bindles', + 'binds', + 'bindweed', + 'bindweeds', + 'bine', + 'bines', + 'binge', + 'binged', + 'bingeing', + 'binger', + 'bingers', + 'binges', + 'binging', + 'bingo', + 'bingos', + 'binit', + 'binits', + 'binnacle', + 'binnacles', + 'binned', + 'binning', + 'binocle', + 'binocles', + 'binocs', + 'binocular', 'binocularities', 'binocularity', 'binocularly', 'binoculars', + 'binomial', 'binomially', + 'binomials', + 'bins', + 'bint', + 'bints', 'binucleate', 'binucleated', + 'bio', 'bioacoustics', + 'bioactive', 'bioactivities', 'bioactivity', + 'bioassay', 'bioassayed', 'bioassaying', + 'bioassays', 'bioavailabilities', 'bioavailability', 'bioavailable', @@ -5532,6 +14608,12 @@ export const scrabble_array = [ 'biochemistries', 'biochemistry', 'biochemists', + 'biochip', + 'biochips', + 'biocidal', + 'biocide', + 'biocides', + 'bioclean', 'bioclimatic', 'biocoenoses', 'biocoenosis', @@ -5542,6 +14624,8 @@ export const scrabble_array = [ 'biocontrols', 'bioconversion', 'bioconversions', + 'biocycle', + 'biocycles', 'biodegradabilities', 'biodegradability', 'biodegradable', @@ -5567,17 +14651,28 @@ export const scrabble_array = [ 'bioengineering', 'bioengineerings', 'bioengineers', + 'bioethic', 'bioethical', 'bioethicist', 'bioethicists', + 'bioethics', 'biofeedback', 'biofeedbacks', 'biofouling', 'biofoulings', + 'biogas', + 'biogases', + 'biogasses', + 'biogen', 'biogeneses', 'biogenesis', 'biogenetic', 'biogenetically', + 'biogenic', + 'biogenies', + 'biogenous', + 'biogens', + 'biogeny', 'biogeochemical', 'biogeochemicals', 'biogeochemistries', @@ -5596,59 +14691,106 @@ export const scrabble_array = [ 'biographical', 'biographically', 'biographies', + 'biography', + 'biohazard', 'biohazards', + 'bioherm', + 'bioherms', + 'biologic', 'biological', 'biologically', 'biologicals', + 'biologics', + 'biologies', + 'biologism', 'biologisms', + 'biologist', 'biologistic', 'biologists', + 'biology', 'bioluminescence', 'bioluminescences', 'bioluminescent', + 'biolyses', + 'biolysis', + 'biolytic', + 'biomass', + 'biomasses', 'biomaterial', 'biomaterials', 'biomathematical', 'biomathematician', 'biomathematicians', 'biomathematics', + 'biome', 'biomechanical', 'biomechanically', 'biomechanics', 'biomedical', 'biomedicine', 'biomedicines', + 'biomes', 'biometeorological', 'biometeorologies', 'biometeorology', + 'biometric', 'biometrical', 'biometrician', 'biometricians', 'biometrics', 'biometries', + 'biometry', 'biomolecular', 'biomolecule', 'biomolecules', 'biomorphic', + 'bionic', + 'bionics', + 'bionomic', + 'bionomics', + 'bionomies', + 'bionomy', + 'biont', + 'biontic', + 'bionts', 'biophysical', 'biophysicist', 'biophysicists', 'biophysics', + 'biopic', + 'biopics', + 'bioplasm', + 'bioplasms', 'biopolymer', 'biopolymers', + 'biopsic', + 'biopsied', + 'biopsies', + 'biopsy', + 'biopsying', + 'bioptic', 'bioreactor', 'bioreactors', + 'biorhythm', 'biorhythmic', 'biorhythms', + 'bios', 'biosafeties', + 'biosafety', 'bioscience', 'biosciences', 'bioscientific', 'bioscientist', 'bioscientists', + 'bioscope', + 'bioscopes', 'bioscopies', + 'bioscopy', + 'biosensor', 'biosensors', + 'biosocial', 'biosocially', + 'biosphere', 'biospheres', 'biospheric', 'biostatistical', @@ -5666,32 +14808,73 @@ export const scrabble_array = [ 'biosystematics', 'biosystematist', 'biosystematists', + 'biota', + 'biotas', + 'biotech', 'biotechnical', 'biotechnological', 'biotechnologies', 'biotechnologist', 'biotechnologists', 'biotechnology', + 'biotechs', 'biotelemetric', 'biotelemetries', 'biotelemetry', + 'biotic', + 'biotical', + 'biotics', + 'biotin', + 'biotins', + 'biotite', + 'biotites', + 'biotitic', + 'biotope', + 'biotopes', + 'biotoxin', + 'biotoxins', 'biotransformation', 'biotransformations', + 'biotron', + 'biotrons', + 'biotype', + 'biotypes', + 'biotypic', + 'biovular', + 'bipack', + 'bipacks', 'biparental', 'biparentally', + 'biparous', + 'biparted', 'bipartisan', 'bipartisanism', 'bipartisanisms', 'bipartisanship', 'bipartisanships', + 'bipartite', 'bipartitely', 'bipartition', 'bipartitions', + 'biparty', + 'biped', + 'bipedal', 'bipedalism', 'bipedalisms', 'bipedalities', 'bipedality', + 'bipedally', + 'bipeds', + 'biphasic', + 'biphenyl', + 'biphenyls', + 'bipinnate', 'bipinnately', + 'biplane', + 'biplanes', + 'bipod', + 'bipods', + 'bipolar', 'bipolarities', 'bipolarity', 'bipolarization', @@ -5702,54 +14885,220 @@ export const scrabble_array = [ 'bipolarizing', 'bipropellant', 'bipropellants', + 'bipyramid', 'bipyramidal', 'bipyramids', 'biquadratic', 'biquadratics', + 'biracial', 'biracialism', 'biracialisms', + 'biradial', + 'biramose', + 'biramous', + 'birch', + 'birched', + 'birchen', + 'birches', + 'birching', + 'bird', + 'birdbath', + 'birdbaths', + 'birdbrain', 'birdbrained', 'birdbrains', + 'birdcage', + 'birdcages', + 'birdcall', + 'birdcalls', + 'birded', + 'birder', + 'birders', + 'birdfarm', + 'birdfarms', + 'birdhouse', 'birdhouses', + 'birdie', + 'birdied', + 'birdieing', + 'birdies', + 'birding', + 'birdings', + 'birdlike', + 'birdlime', + 'birdlimed', + 'birdlimes', 'birdliming', + 'birdman', + 'birdmen', + 'birds', + 'birdseed', + 'birdseeds', + 'birdseye', + 'birdseyes', + 'birdshot', + 'birdshots', + 'birdsong', + 'birdsongs', 'birdwatcher', 'birdwatchers', 'birefringence', 'birefringences', 'birefringent', + 'bireme', + 'biremes', + 'biretta', + 'birettas', + 'birk', + 'birkie', + 'birkies', + 'birks', + 'birl', + 'birle', + 'birled', + 'birler', + 'birlers', + 'birles', + 'birling', + 'birlings', + 'birls', + 'birr', + 'birred', + 'birretta', + 'birrettas', + 'birring', + 'birrotch', + 'birrs', + 'birse', + 'birses', + 'birth', + 'birthdate', 'birthdates', + 'birthday', + 'birthdays', + 'birthed', + 'birthing', + 'birthmark', 'birthmarks', 'birthplace', 'birthplaces', + 'birthrate', 'birthrates', 'birthright', 'birthrights', + 'birthroot', 'birthroots', + 'births', 'birthstone', 'birthstones', + 'birthwort', 'birthworts', + 'bis', + 'biscuit', + 'biscuits', + 'bise', + 'bisect', + 'bisected', + 'bisecting', + 'bisection', 'bisectional', 'bisectionally', 'bisections', + 'bisector', + 'bisectors', + 'bisects', + 'bises', + 'bisexual', 'bisexualities', 'bisexuality', 'bisexually', + 'bisexuals', + 'bishop', + 'bishoped', + 'bishoping', + 'bishopric', 'bishoprics', + 'bishops', + 'bisk', + 'bisks', + 'bismuth', + 'bismuthic', + 'bismuths', + 'bisnaga', + 'bisnagas', + 'bison', + 'bisons', + 'bisontine', + 'bisque', + 'bisques', + 'bistate', + 'bister', + 'bistered', + 'bisters', + 'bistort', + 'bistorts', 'bistouries', + 'bistoury', + 'bistre', + 'bistred', + 'bistres', + 'bistro', + 'bistroic', + 'bistros', + 'bisulfate', 'bisulfates', + 'bisulfide', 'bisulfides', + 'bisulfite', 'bisulfites', + 'bit', + 'bitable', 'bitartrate', 'bitartrates', + 'bitch', + 'bitched', 'bitcheries', + 'bitchery', + 'bitches', + 'bitchier', + 'bitchiest', + 'bitchily', 'bitchiness', 'bitchinesses', + 'bitching', + 'bitchy', + 'bite', + 'biteable', + 'biter', + 'biters', + 'bites', + 'bitewing', + 'bitewings', + 'biting', + 'bitingly', + 'bits', + 'bitstock', + 'bitstocks', + 'bitsy', + 'bitt', + 'bitted', + 'bitten', + 'bitter', 'bitterbrush', 'bitterbrushes', + 'bittered', + 'bitterer', + 'bitterest', + 'bittering', + 'bitterish', + 'bitterly', + 'bittern', 'bitterness', 'bitternesses', + 'bitterns', 'bitterroot', 'bitterroots', + 'bitters', 'bittersweet', 'bittersweetly', 'bittersweetness', @@ -5757,6 +15106,16 @@ export const scrabble_array = [ 'bittersweets', 'bitterweed', 'bitterweeds', + 'bittier', + 'bittiest', + 'bitting', + 'bittings', + 'bittock', + 'bittocks', + 'bitts', + 'bitty', + 'bitumen', + 'bitumens', 'bituminization', 'bituminizations', 'bituminize', @@ -5764,25 +15123,62 @@ export const scrabble_array = [ 'bituminizes', 'bituminizing', 'bituminous', + 'biunique', 'biuniqueness', 'biuniquenesses', + 'bivalent', + 'bivalents', + 'bivalve', + 'bivalved', + 'bivalves', + 'bivariate', + 'bivinyl', + 'bivinyls', + 'bivouac', 'bivouacked', 'bivouacking', + 'bivouacks', + 'bivouacs', 'biweeklies', + 'biweekly', + 'biyearly', + 'biz', + 'bizarre', + 'bizarrely', 'bizarreness', 'bizarrenesses', 'bizarrerie', 'bizarreries', + 'bizarres', + 'bize', + 'bizes', + 'biznaga', + 'biznagas', + 'bizonal', + 'bizone', + 'bizones', + 'bizzes', + 'blab', + 'blabbed', + 'blabber', + 'blabbered', 'blabbering', 'blabbermouth', 'blabbermouths', + 'blabbers', + 'blabbing', + 'blabby', + 'blabs', + 'black', 'blackamoor', 'blackamoors', + 'blackball', 'blackballed', 'blackballing', 'blackballs', 'blackberries', 'blackberry', + 'blackbird', 'blackbirded', 'blackbirder', 'blackbirders', @@ -5791,13 +15187,31 @@ export const scrabble_array = [ 'blackboard', 'blackboards', 'blackbodies', + 'blackbody', + 'blackboy', + 'blackboys', + 'blackcap', + 'blackcaps', + 'blackcock', 'blackcocks', + 'blacked', + 'blacken', + 'blackened', + 'blackener', 'blackeners', 'blackening', 'blackenings', + 'blackens', + 'blacker', + 'blackest', + 'blackface', 'blackfaces', + 'blackfin', + 'blackfins', + 'blackfish', 'blackfishes', 'blackflies', + 'blackfly', 'blackguard', 'blackguarded', 'blackguarding', @@ -5805,57 +15219,115 @@ export const scrabble_array = [ 'blackguardisms', 'blackguardly', 'blackguards', + 'blackgum', + 'blackgums', 'blackhander', 'blackhanders', + 'blackhead', 'blackheads', 'blackheart', 'blackhearts', + 'blacking', + 'blackings', + 'blackish', + 'blackjack', 'blackjacked', 'blackjacking', 'blackjacks', + 'blackland', 'blacklands', + 'blacklead', 'blackleads', + 'blackleg', + 'blacklegs', + 'blacklist', 'blacklisted', 'blacklister', 'blacklisters', 'blacklisting', 'blacklists', + 'blackly', + 'blackmail', 'blackmailed', 'blackmailer', 'blackmailers', 'blackmailing', 'blackmails', + 'blackness', 'blacknesses', + 'blackout', + 'blackouts', + 'blackpoll', 'blackpolls', + 'blacks', 'blacksmith', 'blacksmithing', 'blacksmithings', 'blacksmiths', 'blacksnake', 'blacksnakes', + 'blacktail', 'blacktails', 'blackthorn', 'blackthorns', + 'blacktop', 'blacktopped', 'blacktopping', + 'blacktops', 'blackwater', 'blackwaters', + 'blackwood', 'blackwoods', + 'bladder', 'bladderlike', 'bladdernut', 'bladdernuts', + 'bladders', 'bladderwort', 'bladderworts', + 'bladdery', + 'blade', + 'bladed', + 'bladelike', + 'blades', + 'blae', 'blaeberries', + 'blaeberry', + 'blah', + 'blahs', + 'blain', + 'blains', + 'blam', + 'blamable', + 'blamably', + 'blame', + 'blamed', + 'blameful', 'blamefully', + 'blameless', 'blamelessly', 'blamelessness', 'blamelessnesses', + 'blamer', + 'blamers', + 'blames', 'blameworthiness', 'blameworthinesses', 'blameworthy', + 'blaming', + 'blams', + 'blanch', + 'blanched', + 'blancher', + 'blanchers', + 'blanches', + 'blanching', 'blancmange', 'blancmanges', + 'bland', + 'blander', + 'blandest', + 'blandish', 'blandished', 'blandisher', 'blandishers', @@ -5863,15 +15335,37 @@ export const scrabble_array = [ 'blandishing', 'blandishment', 'blandishments', + 'blandly', + 'blandness', 'blandnesses', + 'blank', + 'blanked', + 'blanker', + 'blankest', + 'blanket', + 'blanketed', 'blanketflower', 'blanketflowers', 'blanketing', 'blanketlike', + 'blankets', + 'blanking', + 'blankly', + 'blankness', 'blanknesses', + 'blanks', 'blanquette', 'blanquettes', + 'blare', + 'blared', + 'blares', + 'blaring', + 'blarney', + 'blarneyed', 'blarneying', + 'blarneys', + 'blase', + 'blaspheme', 'blasphemed', 'blasphemer', 'blasphemers', @@ -5882,8 +15376,23 @@ export const scrabble_array = [ 'blasphemously', 'blasphemousness', 'blasphemousnesses', + 'blasphemy', + 'blast', + 'blasted', + 'blastema', + 'blastemal', + 'blastemas', 'blastemata', 'blastematic', + 'blaster', + 'blasters', + 'blastie', + 'blastier', + 'blasties', + 'blastiest', + 'blasting', + 'blastings', + 'blastment', 'blastments', 'blastocoel', 'blastocoele', @@ -5896,6 +15405,10 @@ export const scrabble_array = [ 'blastoderms', 'blastodisc', 'blastodiscs', + 'blastoff', + 'blastoffs', + 'blastoma', + 'blastomas', 'blastomata', 'blastomere', 'blastomeres', @@ -5906,71 +15419,309 @@ export const scrabble_array = [ 'blastoporic', 'blastospore', 'blastospores', + 'blasts', + 'blastula', + 'blastulae', + 'blastulas', 'blastulation', 'blastulations', + 'blasty', + 'blat', 'blatancies', + 'blatancy', + 'blatant', + 'blatantly', + 'blate', + 'blather', + 'blathered', + 'blatherer', 'blatherers', 'blathering', + 'blathers', 'blatherskite', 'blatherskites', + 'blats', + 'blatted', + 'blatter', + 'blattered', 'blattering', + 'blatters', + 'blatting', + 'blaubok', + 'blauboks', + 'blaw', + 'blawed', + 'blawing', + 'blawn', + 'blaws', 'blaxploitation', 'blaxploitations', + 'blaze', + 'blazed', + 'blazer', + 'blazers', + 'blazes', + 'blazing', + 'blazingly', + 'blazon', + 'blazoned', + 'blazoner', + 'blazoners', + 'blazoning', 'blazonings', 'blazonries', + 'blazonry', + 'blazons', + 'bleach', 'bleachable', + 'bleached', + 'bleacher', 'bleacherite', 'bleacherites', + 'bleachers', + 'bleaches', + 'bleaching', + 'bleak', + 'bleaker', + 'bleakest', + 'bleakish', + 'bleakly', + 'bleakness', 'bleaknesses', + 'bleaks', + 'blear', + 'bleared', + 'blearier', + 'bleariest', + 'blearily', 'bleariness', 'blearinesses', + 'blearing', + 'blears', + 'bleary', + 'bleat', + 'bleated', + 'bleater', + 'bleaters', + 'bleating', + 'bleats', + 'bleb', + 'blebby', + 'blebs', + 'bled', + 'bleed', + 'bleeder', + 'bleeders', + 'bleeding', + 'bleedings', + 'bleeds', + 'bleep', + 'bleeped', + 'bleeping', + 'bleeps', + 'blellum', + 'blellums', + 'blemish', + 'blemished', + 'blemishes', 'blemishing', + 'blench', + 'blenched', + 'blencher', + 'blenchers', + 'blenches', + 'blenching', + 'blend', + 'blende', + 'blended', + 'blender', + 'blenders', + 'blendes', + 'blending', + 'blends', + 'blennies', + 'blenny', + 'blent', 'blepharoplast', 'blepharoplasties', 'blepharoplasts', 'blepharoplasty', 'blepharospasm', 'blepharospasms', + 'blesbok', + 'blesboks', + 'blesbuck', + 'blesbucks', + 'bless', + 'blessed', + 'blesseder', 'blessedest', + 'blessedly', 'blessedness', 'blessednesses', + 'blesser', + 'blessers', + 'blesses', + 'blessing', + 'blessings', + 'blest', + 'blet', + 'blether', + 'blethered', 'blethering', + 'blethers', + 'blets', + 'blew', + 'blight', + 'blighted', + 'blighter', + 'blighters', + 'blighties', + 'blighting', + 'blights', + 'blighty', + 'blimey', + 'blimp', + 'blimpish', 'blimpishly', 'blimpishness', 'blimpishnesses', + 'blimps', + 'blimy', + 'blin', + 'blind', + 'blindage', + 'blindages', + 'blinded', + 'blinder', + 'blinders', + 'blindest', + 'blindfish', 'blindfishes', + 'blindfold', 'blindfolded', 'blindfolding', 'blindfolds', + 'blinding', 'blindingly', + 'blindly', + 'blindness', 'blindnesses', + 'blinds', + 'blindside', 'blindsided', 'blindsides', 'blindsiding', + 'blindworm', 'blindworms', + 'blini', + 'blinis', + 'blink', + 'blinkard', + 'blinkards', + 'blinked', + 'blinker', + 'blinkered', 'blinkering', + 'blinkers', + 'blinking', + 'blinks', + 'blintz', + 'blintze', + 'blintzes', + 'blip', + 'blipped', + 'blipping', + 'blips', + 'bliss', + 'blissed', + 'blisses', + 'blissful', 'blissfully', 'blissfulness', 'blissfulnesses', + 'blissing', + 'blister', + 'blistered', 'blistering', 'blisteringly', + 'blisters', + 'blistery', + 'blite', + 'blites', + 'blithe', + 'blithely', + 'blither', + 'blithered', 'blithering', + 'blithers', 'blithesome', 'blithesomely', + 'blithest', + 'blitz', + 'blitzed', + 'blitzes', + 'blitzing', 'blitzkrieg', 'blitzkriegs', + 'blizzard', 'blizzardly', + 'blizzards', + 'blizzardy', + 'bloat', + 'bloated', + 'bloater', + 'bloaters', + 'bloating', + 'bloats', + 'blob', + 'blobbed', + 'blobbing', + 'blobs', + 'bloc', + 'block', + 'blockade', + 'blockaded', + 'blockader', 'blockaders', + 'blockades', 'blockading', + 'blockage', + 'blockages', 'blockbuster', 'blockbusters', 'blockbusting', 'blockbustings', + 'blocked', + 'blocker', + 'blockers', + 'blockhead', 'blockheads', 'blockhouse', 'blockhouses', + 'blockier', + 'blockiest', + 'blocking', + 'blockish', + 'blocks', + 'blocky', + 'blocs', + 'bloke', + 'blokes', + 'blond', + 'blonde', + 'blonder', + 'blondes', + 'blondest', + 'blondish', + 'blonds', + 'blood', + 'bloodbath', 'bloodbaths', 'bloodcurdling', + 'blooded', + 'bloodfin', + 'bloodfins', 'bloodguilt', 'bloodguiltiness', 'bloodguiltinesses', @@ -5978,18 +15729,32 @@ export const scrabble_array = [ 'bloodguilty', 'bloodhound', 'bloodhounds', + 'bloodied', + 'bloodier', + 'bloodies', + 'bloodiest', + 'bloodily', 'bloodiness', 'bloodinesses', + 'blooding', + 'bloodings', + 'bloodless', 'bloodlessly', 'bloodlessness', 'bloodlessnesses', 'bloodletting', 'bloodlettings', + 'bloodline', 'bloodlines', 'bloodmobile', 'bloodmobiles', + 'bloodred', + 'bloodroot', 'bloodroots', + 'bloods', + 'bloodshed', 'bloodsheds', + 'bloodshot', 'bloodstain', 'bloodstained', 'bloodstains', @@ -6006,240 +15771,1260 @@ export const scrabble_array = [ 'bloodthirstiness', 'bloodthirstinesses', 'bloodthirsty', + 'bloodworm', 'bloodworms', + 'bloody', + 'bloodying', + 'blooey', + 'blooie', + 'bloom', + 'bloomed', + 'bloomer', 'bloomeries', + 'bloomers', + 'bloomery', + 'bloomier', + 'bloomiest', + 'blooming', + 'blooms', + 'bloomy', + 'bloop', + 'blooped', + 'blooper', + 'bloopers', + 'blooping', + 'bloops', + 'blossom', + 'blossomed', 'blossoming', + 'blossoms', + 'blossomy', + 'blot', + 'blotch', + 'blotched', + 'blotches', + 'blotchier', 'blotchiest', + 'blotchily', + 'blotching', + 'blotchy', + 'blotless', + 'blots', + 'blotted', + 'blotter', + 'blotters', + 'blottier', + 'blottiest', + 'blotting', + 'blotto', + 'blotty', + 'blouse', + 'bloused', + 'blouses', + 'blousier', + 'blousiest', + 'blousily', + 'blousing', + 'blouson', + 'blousons', + 'blousy', + 'bloviate', + 'bloviated', + 'bloviates', 'bloviating', + 'blow', + 'blowback', + 'blowbacks', + 'blowball', + 'blowballs', + 'blowby', + 'blowbys', + 'blowdown', + 'blowdowns', + 'blowed', + 'blower', + 'blowers', + 'blowfish', 'blowfishes', + 'blowflies', + 'blowfly', + 'blowgun', + 'blowguns', + 'blowhard', + 'blowhards', + 'blowhole', + 'blowholes', + 'blowier', + 'blowiest', + 'blowing', + 'blowjob', + 'blowjobs', + 'blown', + 'blowoff', + 'blowoffs', + 'blowout', + 'blowouts', + 'blowpipe', + 'blowpipes', + 'blows', + 'blowsed', + 'blowsier', + 'blowsiest', + 'blowsily', + 'blowsy', + 'blowtorch', 'blowtorches', + 'blowtube', + 'blowtubes', + 'blowup', + 'blowups', + 'blowy', + 'blowzed', + 'blowzier', + 'blowziest', + 'blowzily', + 'blowzy', + 'blub', + 'blubbed', + 'blubber', + 'blubbered', 'blubbering', + 'blubbers', + 'blubbery', + 'blubbing', + 'blubs', + 'blucher', + 'bluchers', + 'bludgeon', 'bludgeoned', 'bludgeoning', + 'bludgeons', + 'bludger', + 'bludgers', + 'blue', + 'blueball', + 'blueballs', + 'bluebeard', 'bluebeards', + 'bluebell', + 'bluebells', 'blueberries', + 'blueberry', + 'bluebill', + 'bluebills', + 'bluebird', + 'bluebirds', 'bluebonnet', 'bluebonnets', + 'bluebook', + 'bluebooks', 'bluebottle', 'bluebottles', + 'bluecap', + 'bluecaps', + 'bluecoat', + 'bluecoats', + 'blued', + 'bluefin', + 'bluefins', + 'bluefish', 'bluefishes', + 'bluegill', + 'bluegills', + 'bluegrass', 'bluegrasses', + 'bluegum', + 'bluegums', + 'bluehead', + 'blueheads', + 'blueing', + 'blueings', + 'blueish', + 'bluejack', 'bluejacket', 'bluejackets', + 'bluejacks', + 'bluejay', + 'bluejays', + 'bluejeans', + 'blueline', + 'bluelines', + 'bluely', + 'blueness', 'bluenesses', + 'bluenose', + 'bluenoses', + 'bluepoint', 'bluepoints', + 'blueprint', 'blueprinted', 'blueprinting', 'blueprints', + 'bluer', + 'blues', + 'blueshift', 'blueshifted', 'blueshifts', + 'bluesier', + 'bluesiest', + 'bluesman', + 'bluesmen', + 'bluest', + 'bluestem', + 'bluestems', 'bluestocking', 'bluestockings', + 'bluestone', 'bluestones', + 'bluesy', + 'bluet', + 'bluetick', + 'blueticks', 'bluetongue', 'bluetongues', + 'bluets', + 'blueweed', + 'blueweeds', + 'bluewood', + 'bluewoods', + 'bluey', + 'blueys', + 'bluff', + 'bluffed', + 'bluffer', + 'bluffers', + 'bluffest', + 'bluffing', + 'bluffly', + 'bluffness', 'bluffnesses', + 'bluffs', + 'bluing', + 'bluings', + 'bluish', 'bluishness', 'bluishnesses', + 'blume', + 'blumed', + 'blumes', + 'bluming', + 'blunder', 'blunderbuss', 'blunderbusses', + 'blundered', + 'blunderer', 'blunderers', 'blundering', 'blunderingly', + 'blunders', + 'blunge', + 'blunged', + 'blunger', + 'blungers', + 'blunges', + 'blunging', + 'blunt', + 'blunted', + 'blunter', + 'bluntest', + 'blunting', + 'bluntly', + 'bluntness', 'bluntnesses', + 'blunts', + 'blur', + 'blurb', + 'blurbed', + 'blurbing', + 'blurbs', + 'blurred', + 'blurrier', + 'blurriest', + 'blurrily', 'blurriness', 'blurrinesses', + 'blurring', 'blurringly', + 'blurry', + 'blurs', + 'blurt', + 'blurted', + 'blurter', + 'blurters', + 'blurting', + 'blurts', + 'blush', + 'blushed', + 'blusher', + 'blushers', + 'blushes', + 'blushful', + 'blushing', 'blushingly', + 'bluster', + 'blustered', + 'blusterer', 'blusterers', 'blustering', 'blusteringly', 'blusterous', + 'blusters', + 'blustery', + 'blype', + 'blypes', + 'bo', + 'boa', + 'boar', + 'board', + 'boarded', + 'boarder', + 'boarders', + 'boarding', 'boardinghouse', 'boardinghouses', + 'boardings', + 'boardlike', + 'boardman', + 'boardmen', + 'boardroom', 'boardrooms', + 'boards', 'boardsailing', 'boardsailings', 'boardsailor', 'boardsailors', + 'boardwalk', 'boardwalks', + 'boarfish', 'boarfishes', + 'boarish', + 'boars', + 'boart', + 'boarts', + 'boas', + 'boast', + 'boasted', + 'boaster', + 'boasters', + 'boastful', 'boastfully', 'boastfulness', 'boastfulnesses', + 'boasting', + 'boasts', + 'boat', + 'boatable', + 'boatbill', + 'boatbills', 'boatbuilder', 'boatbuilders', 'boatbuilding', 'boatbuildings', + 'boated', + 'boatel', + 'boatels', + 'boater', + 'boaters', + 'boatful', + 'boatfuls', + 'boathook', + 'boathooks', + 'boathouse', 'boathouses', + 'boating', + 'boatings', + 'boatlike', + 'boatload', + 'boatloads', + 'boatman', + 'boatmen', + 'boats', + 'boatsman', + 'boatsmen', + 'boatswain', 'boatswains', + 'boatyard', + 'boatyards', + 'bob', + 'bobbed', + 'bobber', + 'bobberies', + 'bobbers', + 'bobbery', + 'bobbies', + 'bobbin', + 'bobbinet', + 'bobbinets', + 'bobbing', + 'bobbins', + 'bobble', + 'bobbled', + 'bobbles', + 'bobbling', + 'bobby', + 'bobcat', + 'bobcats', + 'bobeche', + 'bobeches', + 'bobolink', + 'bobolinks', + 'bobs', + 'bobsled', 'bobsledded', 'bobsledder', 'bobsledders', 'bobsledding', 'bobsleddings', + 'bobsleds', + 'bobstay', + 'bobstays', + 'bobtail', + 'bobtailed', 'bobtailing', + 'bobtails', + 'bobwhite', + 'bobwhites', + 'bocaccio', + 'bocaccios', + 'bocce', + 'bocces', + 'bocci', + 'boccia', + 'boccias', + 'boccie', + 'boccies', + 'boccis', + 'boche', + 'boches', + 'bock', + 'bocks', + 'bod', + 'bodacious', 'bodaciously', 'boddhisattva', 'boddhisattvas', + 'bode', + 'boded', + 'bodega', + 'bodegas', + 'bodement', + 'bodements', + 'bodes', 'bodhisattva', 'bodhisattvas', + 'bodhran', + 'bodhrans', + 'bodice', + 'bodices', + 'bodied', + 'bodies', + 'bodiless', + 'bodily', + 'boding', + 'bodingly', + 'bodings', + 'bodkin', + 'bodkins', + 'bods', + 'body', 'bodybuilder', 'bodybuilders', 'bodybuilding', 'bodybuildings', + 'bodycheck', 'bodychecked', 'bodychecking', 'bodychecks', + 'bodyguard', 'bodyguards', + 'bodying', + 'bodysuit', + 'bodysuits', + 'bodysurf', 'bodysurfed', 'bodysurfer', 'bodysurfers', 'bodysurfing', + 'bodysurfs', + 'bodywork', + 'bodyworks', + 'boehmite', + 'boehmites', + 'boff', + 'boffin', + 'boffins', + 'boffo', + 'boffola', + 'boffolas', + 'boffos', + 'boffs', + 'bog', + 'bogan', + 'bogans', + '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', + 'bogwood', + 'bogwoods', + 'bogy', + 'bogyism', + 'bogyisms', + 'bogyman', + 'bogymen', + 'bohea', + 'boheas', + 'bohemia', + 'bohemian', 'bohemianism', 'bohemianisms', + 'bohemians', + 'bohemias', + 'bohunk', + 'bohunks', + 'boil', + 'boilable', + 'boiled', + 'boiler', 'boilermaker', 'boilermakers', 'boilerplate', 'boilerplates', + 'boilers', 'boilersuit', 'boilersuits', + 'boiling', + 'boiloff', + 'boiloffs', + 'boils', + 'boing', + 'boiserie', + 'boiseries', 'boisterous', 'boisterously', 'boisterousness', 'boisterousnesses', + 'boite', + 'boites', + 'bola', + 'bolar', + 'bolas', + 'bolases', + 'bold', + 'bolder', + 'boldest', + 'boldface', + 'boldfaced', + 'boldfaces', 'boldfacing', + 'boldly', + 'boldness', 'boldnesses', + 'bolds', + 'bole', + 'bolero', + 'boleros', + 'boles', + 'bolete', + 'boletes', + 'boleti', + 'boletus', + 'boletuses', + 'bolide', + 'bolides', + 'bolivar', + 'bolivares', + 'bolivars', + 'bolivia', + 'boliviano', 'bolivianos', + 'bolivias', + 'boll', + 'bollard', + 'bollards', + 'bolled', + 'bolling', + 'bollix', + 'bollixed', + 'bollixes', + 'bollixing', + 'bollocks', + 'bollox', + 'bolloxed', + 'bolloxes', + 'bolloxing', + 'bolls', + 'bollworm', + 'bollworms', + 'bolo', + 'bologna', + 'bolognas', + 'bolometer', 'bolometers', 'bolometric', 'bolometrically', + 'boloney', + 'boloneys', + 'bolos', 'bolshevism', 'bolshevisms', 'bolshevize', 'bolshevized', 'bolshevizes', 'bolshevizing', + 'bolshie', + 'bolshies', + 'bolshy', + 'bolson', + 'bolsons', + 'bolster', + 'bolstered', + 'bolsterer', 'bolsterers', 'bolstering', + 'bolsters', + 'bolt', + 'bolted', + 'bolter', + 'bolters', + 'bolthead', + 'boltheads', + 'bolthole', + 'boltholes', + 'bolting', + 'boltonia', + 'boltonias', + 'boltrope', + 'boltropes', + 'bolts', + 'bolus', + 'boluses', + 'bomb', + 'bombard', + 'bombarded', 'bombardier', 'bombardiers', 'bombarding', 'bombardment', 'bombardments', + 'bombardon', 'bombardons', + 'bombards', + 'bombast', + 'bombastic', 'bombastically', + 'bombasts', + 'bombax', + 'bombazine', 'bombazines', + 'bombe', + 'bombed', + 'bomber', + 'bombers', + 'bombes', + 'bombesin', + 'bombesins', + 'bombinate', 'bombinated', 'bombinates', 'bombinating', 'bombination', 'bombinations', + 'bombing', + 'bombings', + 'bombload', + 'bombloads', + 'bombproof', + 'bombs', + 'bombshell', 'bombshells', + 'bombsight', 'bombsights', + 'bombycid', + 'bombycids', + 'bombyx', + 'bombyxes', + 'bonaci', + 'bonacis', + 'bonanza', + 'bonanzas', + 'bonbon', + 'bonbons', + 'bond', + 'bondable', + 'bondage', + 'bondages', + 'bonded', + 'bonder', + 'bonders', 'bondholder', 'bondholders', + 'bonding', + 'bondings', + 'bondmaid', + 'bondmaids', + 'bondman', + 'bondmen', + 'bonds', + 'bondsman', + 'bondsmen', + 'bondstone', 'bondstones', + 'bonduc', + 'bonducs', + 'bondwoman', + 'bondwomen', + 'bone', + 'boned', + 'bonefish', 'bonefishes', 'bonefishing', 'bonefishings', + 'bonehead', 'boneheaded', 'boneheadedness', 'boneheadednesses', + 'boneheads', + 'boneless', + 'bonemeal', + 'bonemeals', + 'boner', + 'boners', + 'bones', + 'boneset', + 'bonesets', 'bonesetter', 'bonesetters', + 'boney', + 'boneyard', + 'boneyards', + 'bonfire', + 'bonfires', + 'bong', + 'bonged', + 'bonging', + 'bongo', + 'bongoes', + 'bongoist', + 'bongoists', + 'bongos', + 'bongs', + 'bonhomie', + 'bonhomies', + 'bonhomous', + 'bonier', + 'boniest', + 'boniface', + 'bonifaces', + 'boniness', 'boninesses', + 'boning', + 'bonita', + 'bonitas', + 'bonito', + 'bonitoes', + 'bonitos', + 'bonk', + 'bonked', + 'bonkers', + 'bonking', + 'bonks', + 'bonne', + 'bonnes', + 'bonnet', + 'bonneted', + 'bonneting', + 'bonnets', + 'bonnie', + 'bonnier', + 'bonniest', + 'bonnily', + 'bonnock', + 'bonnocks', + 'bonny', 'bonnyclabber', 'bonnyclabbers', + 'bonsai', + 'bonspell', + 'bonspells', + 'bonspiel', + 'bonspiels', + 'bontebok', + 'bonteboks', + 'bonus', + 'bonuses', + 'bony', + 'bonze', + 'bonzer', + 'bonzes', + 'boo', + 'boob', + 'boobed', + 'boobie', + 'boobies', + 'boobing', + 'boobish', + 'booboisie', 'booboisies', + 'booboo', + 'booboos', + 'boobs', + 'booby', + 'boodle', + 'boodled', + 'boodler', + 'boodlers', + 'boodles', + 'boodling', + 'booed', + 'booger', + 'boogerman', + 'boogermen', + 'boogers', + 'boogey', + 'boogeyed', + 'boogeying', + 'boogeyman', + 'boogeymen', + 'boogeys', + 'boogie', + 'boogied', + 'boogies', + 'boogy', + 'boogying', + 'boogyman', + 'boogymen', + 'boohoo', + 'boohooed', + 'boohooing', + 'boohoos', + 'booing', + 'book', + 'bookable', 'bookbinder', 'bookbinderies', 'bookbinders', 'bookbindery', 'bookbinding', 'bookbindings', + 'bookcase', + 'bookcases', + 'booked', + 'bookend', + 'bookends', + 'booker', + 'bookers', + 'bookful', + 'bookfuls', + 'bookie', + 'bookies', + 'booking', + 'bookings', + 'bookish', + 'bookishly', 'bookishness', 'bookishnesses', 'bookkeeper', 'bookkeepers', 'bookkeeping', 'bookkeepings', + 'booklet', + 'booklets', + 'booklice', + 'booklore', + 'booklores', + 'booklouse', + 'bookmaker', 'bookmakers', 'bookmaking', 'bookmakings', + 'bookman', + 'bookmark', 'bookmarker', 'bookmarkers', + 'bookmarks', + 'bookmen', 'bookmobile', 'bookmobiles', + 'bookplate', 'bookplates', + 'bookrack', + 'bookracks', + 'bookrest', + 'bookrests', + 'books', 'bookseller', 'booksellers', 'bookselling', 'booksellings', + 'bookshelf', 'bookshelves', + 'bookshop', + 'bookshops', + 'bookstall', 'bookstalls', + 'bookstore', 'bookstores', + 'bookworm', + 'bookworms', + 'boom', + 'boombox', + 'boomboxes', + 'boomed', + 'boomer', + 'boomerang', 'boomeranged', 'boomeranging', 'boomerangs', + 'boomers', + 'boomier', + 'boomiest', + 'booming', + 'boomkin', + 'boomkins', + 'boomlet', + 'boomlets', + 'booms', + 'boomtown', + 'boomtowns', + 'boomy', + 'boon', + 'boondock', + 'boondocks', 'boondoggle', 'boondoggled', 'boondoggler', 'boondogglers', 'boondoggles', 'boondoggling', + 'boonies', + 'boons', + 'boor', + 'boorish', + 'boorishly', 'boorishness', 'boorishnesses', + 'boors', + 'boos', + 'boost', + 'boosted', + 'booster', 'boosterism', 'boosterisms', + 'boosters', + 'boosting', + 'boosts', + 'boot', + 'bootable', + 'bootblack', 'bootblacks', + 'booted', + 'bootee', + 'bootees', + 'booteries', + 'bootery', + 'booth', + 'booths', + 'bootie', + 'booties', + 'booting', + 'bootjack', + 'bootjacks', + 'bootlace', + 'bootlaces', + 'bootleg', 'bootlegged', 'bootlegger', 'bootleggers', 'bootlegging', + 'bootlegs', + 'bootless', 'bootlessly', 'bootlessness', 'bootlessnesses', + 'bootlick', 'bootlicked', 'bootlicker', 'bootlickers', 'bootlicking', + 'bootlicks', + 'boots', + 'bootstrap', 'bootstrapped', 'bootstrapping', 'bootstraps', + 'booty', + 'booze', + 'boozed', + 'boozer', + 'boozers', + 'boozes', + 'boozier', + 'booziest', + 'boozily', + 'boozing', + 'boozy', + 'bop', + 'bopeep', + 'bopeeps', + 'bopped', + 'bopper', + 'boppers', + 'bopping', + 'bops', + 'bora', + 'boraces', + 'boracic', + 'boracite', + 'boracites', + 'borage', + 'borages', + 'boral', + 'borals', + 'borane', + 'boranes', + 'boras', + 'borate', + 'borated', + 'borates', + 'borating', + 'borax', + 'boraxes', 'borborygmi', 'borborygmus', + 'bordeaux', + 'bordel', + 'bordello', + 'bordellos', + 'bordels', + 'border', + 'bordereau', 'bordereaux', + 'bordered', + 'borderer', + 'borderers', + 'bordering', 'borderland', 'borderlands', 'borderline', 'borderlines', + 'borders', + 'bordure', + 'bordures', + 'bore', + 'boreal', + 'borecole', + 'borecoles', + 'bored', + 'boredom', + 'boredoms', + 'boreen', + 'boreens', + 'borehole', + 'boreholes', + 'borer', + 'borers', + 'bores', + 'borescope', 'borescopes', + 'boresome', + 'boric', + 'boride', + 'borides', + 'boring', + 'boringly', 'boringness', 'boringnesses', + 'borings', + 'born', + 'borne', + 'borneol', + 'borneols', + 'bornite', + 'bornites', 'borohydride', 'borohydrides', + 'boron', + 'boronic', + 'borons', 'borosilicate', 'borosilicates', + 'borough', + 'boroughs', + 'borrow', + 'borrowed', + 'borrower', + 'borrowers', + 'borrowing', 'borrowings', + 'borrows', + 'borsch', + 'borsches', + 'borscht', + 'borschts', + 'borsht', + 'borshts', + 'borstal', + 'borstals', + 'bort', + 'borts', + 'borty', + 'bortz', + 'bortzes', + 'borzoi', + 'borzois', + 'bos', + 'boscage', + 'boscages', + 'boschbok', + 'boschboks', + 'bosh', + 'boshbok', + 'boshboks', + 'boshes', + 'boshvark', + 'boshvarks', + 'bosk', + 'boskage', + 'boskages', + 'bosker', + 'bosket', + 'boskets', + 'boskier', + 'boskiest', + 'bosks', + 'bosky', + 'bosom', + 'bosomed', + 'bosoming', + 'bosoms', + 'bosomy', + 'boson', + 'bosons', + 'bosque', + 'bosques', + 'bosquet', + 'bosquets', + 'boss', + 'bossdom', + 'bossdoms', + 'bossed', + 'bosses', + 'bossier', + 'bossies', + 'bossiest', + 'bossily', + 'bossiness', 'bossinesses', + 'bossing', + 'bossism', + 'bossisms', + 'bossy', + 'boston', + 'bostons', + 'bosun', + 'bosuns', + 'bot', + 'bota', + 'botanic', + 'botanica', + 'botanical', 'botanically', 'botanicals', + 'botanicas', + 'botanies', + 'botanise', + 'botanised', + 'botanises', 'botanising', + 'botanist', + 'botanists', + 'botanize', + 'botanized', + 'botanizes', 'botanizing', + 'botany', + 'botas', + 'botch', + 'botched', + 'botcher', 'botcheries', + 'botchers', + 'botchery', + 'botches', + 'botchier', + 'botchiest', + 'botchily', + 'botching', + 'botchy', + 'botel', + 'botels', + 'botflies', + 'botfly', + 'both', + 'bother', 'botheration', 'botherations', + 'bothered', + 'bothering', + 'bothers', 'bothersome', + 'bothies', + 'bothria', + 'bothrium', + 'bothriums', + 'bothy', + 'botonee', + 'botonnee', + 'botryoid', 'botryoidal', + 'botryose', + 'botrytis', 'botrytises', + 'bots', + 'bott', + 'bottle', 'bottlebrush', 'bottlebrushes', + 'bottled', + 'bottleful', 'bottlefuls', 'bottleneck', 'bottlenecked', 'bottlenecking', 'bottlenecks', + 'bottler', + 'bottlers', + 'bottles', + 'bottling', + 'bottlings', + 'bottom', + 'bottomed', + 'bottomer', + 'bottomers', + 'bottoming', 'bottomland', 'bottomlands', 'bottomless', @@ -6248,35 +17033,109 @@ export const scrabble_array = [ 'bottomlessnesses', 'bottommost', 'bottomries', + 'bottomry', + 'bottoms', + 'botts', + 'botulin', + 'botulinal', + 'botulins', + 'botulinum', 'botulinums', + 'botulinus', 'botulinuses', + 'botulism', + 'botulisms', + 'boubou', + 'boubous', + 'bouchee', + 'bouchees', + 'boucle', + 'boucles', + 'boudoir', + 'boudoirs', + 'bouffant', + 'bouffants', + 'bouffe', + 'bouffes', 'bougainvillaea', 'bougainvillaeas', 'bougainvillea', 'bougainvilleas', + 'bough', + 'boughed', + 'boughpot', + 'boughpots', + 'boughs', + 'bought', + 'boughten', + 'bougie', + 'bougies', 'bouillabaisse', 'bouillabaisses', + 'bouillon', + 'bouillons', + 'boulder', + 'bouldered', + 'boulders', + 'bouldery', + 'boule', + 'boules', + 'boulevard', 'boulevardier', 'boulevardiers', 'boulevards', 'bouleversement', 'bouleversements', + 'boulle', + 'boulles', + 'bounce', + 'bounced', + 'bouncer', + 'bouncers', + 'bounces', + 'bouncier', + 'bounciest', + 'bouncily', + 'bouncing', 'bouncingly', + 'bouncy', + 'bound', 'boundaries', + 'boundary', + 'bounded', 'boundedness', 'boundednesses', + 'bounden', + 'bounder', 'bounderish', + 'bounders', + 'bounding', + 'boundless', 'boundlessly', 'boundlessness', 'boundlessnesses', + 'bounds', + 'bounteous', 'bounteously', 'bounteousness', 'bounteousnesses', + 'bountied', + 'bounties', + 'bountiful', 'bountifully', 'bountifulness', 'bountifulnesses', + 'bounty', + 'bouquet', + 'bouquets', + 'bourbon', 'bourbonism', 'bourbonisms', + 'bourbons', + 'bourdon', + 'bourdons', + 'bourg', + 'bourgeois', 'bourgeoise', 'bourgeoises', 'bourgeoisie', @@ -6287,16 +17146,57 @@ export const scrabble_array = [ 'bourgeoisifies', 'bourgeoisify', 'bourgeoisifying', + 'bourgeon', 'bourgeoned', 'bourgeoning', + 'bourgeons', + 'bourgs', 'bourguignon', 'bourguignonne', + 'bourn', + 'bourne', + 'bournes', + 'bourns', + 'bourree', + 'bourrees', + 'bourride', + 'bourrides', + 'bourse', + 'bourses', + 'bourtree', + 'bourtrees', + 'bouse', + 'boused', + 'bouses', + 'bousing', + 'bousouki', + 'bousoukia', + 'bousoukis', 'boustrophedon', 'boustrophedonic', 'boustrophedons', + 'bousy', + 'bout', + 'boutique', + 'boutiques', + 'bouton', 'boutonniere', 'boutonnieres', + 'boutons', + 'bouts', + 'bouvier', + 'bouviers', + 'bouzouki', + 'bouzoukia', + 'bouzoukis', + 'bovid', + 'bovids', + 'bovine', + 'bovinely', + 'bovines', 'bovinities', + 'bovinity', + 'bow', 'bowdlerise', 'bowdlerised', 'bowdlerises', @@ -6309,18 +17209,161 @@ export const scrabble_array = [ 'bowdlerizers', 'bowdlerizes', 'bowdlerizing', + 'bowed', + 'bowel', + 'boweled', + 'boweling', + 'bowelled', + 'bowelless', + 'bowelling', + 'bowels', + 'bower', + 'bowerbird', 'bowerbirds', + 'bowered', + 'boweries', + 'bowering', + 'bowers', + 'bowery', + 'bowfin', + 'bowfins', + 'bowfront', + 'bowhead', + 'bowheads', + 'bowing', + 'bowingly', + 'bowings', + 'bowknot', + 'bowknots', + 'bowl', + 'bowlder', + 'bowlders', + 'bowled', + 'bowleg', + 'bowlegged', + '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', + 'bowsprits', + 'bowstring', 'bowstrings', + 'bowwow', + 'bowwowed', + 'bowwowing', + 'bowwows', + 'bowyer', + 'bowyers', + 'box', 'boxberries', + 'boxberry', + 'boxboard', + 'boxboards', + 'boxcar', + 'boxcars', + 'boxed', + 'boxer', + 'boxers', + 'boxes', + 'boxfish', + 'boxfishes', + 'boxful', + 'boxfuls', + 'boxhaul', + 'boxhauled', 'boxhauling', + 'boxhauls', + 'boxier', + 'boxiest', + 'boxiness', 'boxinesses', + 'boxing', + 'boxings', + 'boxlike', + 'boxthorn', + 'boxthorns', + 'boxwood', + 'boxwoods', + 'boxy', + 'boy', + 'boyar', + 'boyard', + 'boyards', + 'boyarism', + 'boyarisms', + 'boyars', + 'boychick', + 'boychicks', + 'boychik', + 'boychiks', + 'boycott', + 'boycotted', + 'boycotter', 'boycotters', 'boycotting', + 'boycotts', + 'boyfriend', 'boyfriends', + 'boyhood', + 'boyhoods', + 'boyish', + 'boyishly', 'boyishness', 'boyishnesses', + 'boyla', + 'boylas', + 'boyo', + 'boyos', + 'boys', 'boysenberries', 'boysenberry', + 'bozo', + 'bozos', + 'bra', + 'brabble', + 'brabbled', + 'brabbler', + 'brabblers', + 'brabbles', + 'brabbling', + 'brace', + 'braced', + 'bracelet', + 'bracelets', + 'bracer', + 'bracero', + 'braceros', + 'bracers', + 'braces', + 'brach', + 'braches', + 'brachet', + 'brachets', + 'brachia', + 'brachial', + 'brachials', + 'brachiate', 'brachiated', 'brachiates', 'brachiating', @@ -6330,33 +17373,111 @@ export const scrabble_array = [ 'brachiators', 'brachiopod', 'brachiopods', + 'brachium', + 'brachs', 'brachycephalic', 'brachycephalies', 'brachycephaly', 'brachypterous', + 'bracing', + 'bracingly', + 'bracings', + 'braciola', + 'braciolas', + 'braciole', + 'bracioles', + 'bracken', + 'brackens', + 'bracket', + 'bracketed', 'bracketing', + 'brackets', + 'brackish', 'brackishness', 'brackishnesses', + 'braconid', + 'braconids', + 'bract', + 'bracteal', + 'bracteate', + 'bracted', + 'bracteole', 'bracteoles', + 'bractlet', + 'bractlets', + 'bracts', + 'brad', + 'bradawl', + 'bradawls', + 'bradded', + 'bradding', + 'bradoon', + 'bradoons', + 'brads', 'bradycardia', 'bradycardias', 'bradykinin', 'bradykinins', + 'brae', + 'braes', + 'brag', 'braggadocio', 'braggadocios', + 'braggart', + 'braggarts', + 'bragged', + 'bragger', + 'braggers', + 'braggest', + 'braggier', + 'braggiest', + 'bragging', + 'braggy', + 'brags', + 'brahma', + 'brahmas', + 'braid', + 'braided', + 'braider', + 'braiders', + 'braiding', + 'braidings', + 'braids', + 'brail', + 'brailed', + 'brailing', + 'braille', + 'brailled', + 'brailles', 'braillewriter', 'braillewriters', + 'brailling', + 'braillist', 'braillists', + 'brails', + 'brain', + 'braincase', 'braincases', 'brainchild', 'brainchildren', + 'brained', + 'brainier', + 'brainiest', + 'brainily', 'braininess', 'braininesses', + 'braining', + 'brainish', + 'brainless', 'brainlessly', 'brainlessness', 'brainlessnesses', + 'brainpan', + 'brainpans', 'brainpower', 'brainpowers', + 'brains', + 'brainsick', 'brainsickly', 'brainstorm', 'brainstormed', @@ -6367,63 +17488,278 @@ export const scrabble_array = [ 'brainstorms', 'brainteaser', 'brainteasers', + 'brainwash', 'brainwashed', 'brainwasher', 'brainwashers', 'brainwashes', 'brainwashing', 'brainwashings', + 'brainy', + 'braise', + 'braised', + 'braises', + 'braising', + 'braize', + 'braizes', + 'brake', + 'brakeage', + 'brakeages', + 'braked', + 'brakeless', + 'brakeman', + 'brakemen', + 'brakes', + 'brakier', + 'brakiest', + 'braking', + 'braky', + 'braless', + 'bramble', + 'brambled', + 'brambles', + 'bramblier', 'brambliest', + 'brambling', + 'brambly', + 'bran', + 'branch', + 'branched', + 'branches', + 'branchia', + 'branchiae', + 'branchial', + 'branchier', 'branchiest', + 'branching', 'branchiopod', 'branchiopods', 'branchless', + 'branchlet', 'branchlets', 'branchline', 'branchlines', + 'branchy', + 'brand', + 'branded', + 'brander', + 'branders', + 'brandied', + 'brandies', + 'branding', + 'brandish', 'brandished', 'brandishes', 'brandishing', + 'brands', + 'brandy', + 'brandying', + 'brank', + 'branks', + 'branned', + 'branner', + 'branners', + 'brannier', + 'branniest', + 'brannigan', 'brannigans', + 'branning', + 'branny', + 'brans', + 'brant', + 'brantail', + 'brantails', + 'brants', + 'bras', + 'brash', + 'brasher', + 'brashes', + 'brashest', + 'brashier', + 'brashiest', + 'brashly', + 'brashness', 'brashnesses', + 'brashy', + 'brasier', + 'brasiers', + 'brasil', + 'brasilin', + 'brasilins', + 'brasils', + 'brass', + 'brassage', + 'brassages', + 'brassard', + 'brassards', + 'brassart', + 'brassarts', 'brassbound', + 'brassed', + 'brasserie', 'brasseries', + 'brasses', + 'brassica', + 'brassicas', + 'brassie', + 'brassier', + 'brassiere', 'brassieres', + 'brassies', + 'brassiest', + 'brassily', 'brassiness', 'brassinesses', + 'brassing', + 'brassish', + 'brassy', + 'brat', + 'brats', + 'brattice', + 'bratticed', + 'brattices', 'bratticing', + 'brattier', + 'brattiest', 'brattiness', 'brattinesses', + 'brattish', + 'brattle', + 'brattled', + 'brattles', + 'brattling', + 'bratty', + 'bratwurst', 'bratwursts', + 'braunite', + 'braunites', 'braunschweiger', 'braunschweigers', + 'brava', + 'bravado', + 'bravadoes', + 'bravados', + 'bravas', + 'brave', + 'braved', + 'bravely', + 'braver', + 'braveries', + 'bravers', + 'bravery', + 'braves', + 'bravest', + 'bravi', + 'braving', + 'bravo', + 'bravoed', + 'bravoes', + 'bravoing', + 'bravos', + 'bravura', + 'bravuras', + 'bravure', + 'braw', + 'brawer', + 'brawest', + 'brawl', + 'brawled', + 'brawler', + 'brawlers', + 'brawlie', + 'brawlier', + 'brawliest', + 'brawling', + 'brawls', + 'brawly', + 'brawn', + 'brawnier', + 'brawniest', + 'brawnily', 'brawniness', 'brawninesses', + 'brawns', + 'brawny', + 'braws', + 'braxies', + 'braxy', + 'bray', + 'brayed', + 'brayer', + 'brayers', + 'braying', + 'brays', + 'braza', + 'brazas', + 'braze', + 'brazed', + 'brazen', + 'brazened', + 'brazening', + 'brazenly', 'brazenness', 'brazennesses', + 'brazens', + 'brazer', + 'brazers', + 'brazes', + 'brazier', + 'braziers', + 'brazil', + 'brazilin', + 'brazilins', + 'brazils', 'brazilwood', 'brazilwoods', + 'brazing', + 'breach', + 'breached', + 'breacher', + 'breachers', + 'breaches', + 'breaching', + 'bread', 'breadbasket', 'breadbaskets', 'breadboard', 'breadboarded', 'breadboarding', 'breadboards', + 'breadbox', 'breadboxes', + 'breaded', 'breadfruit', 'breadfruits', + 'breading', + 'breadline', 'breadlines', + 'breadnut', + 'breadnuts', + 'breads', 'breadstuff', 'breadstuffs', + 'breadth', + 'breadths', 'breadthwise', 'breadwinner', 'breadwinners', 'breadwinning', 'breadwinnings', + 'bready', + 'break', + 'breakable', 'breakables', + 'breakage', + 'breakages', + 'breakaway', 'breakaways', + 'breakdown', 'breakdowns', + 'breaker', + 'breakers', + 'breakeven', 'breakevens', + 'breakfast', 'breakfasted', 'breakfaster', 'breakfasters', @@ -6431,120 +17767,404 @@ export const scrabble_array = [ 'breakfasts', 'breakfront', 'breakfronts', + 'breaking', + 'breakings', + 'breakneck', + 'breakout', + 'breakouts', + 'breaks', 'breaksaway', 'breakthrough', 'breakthroughs', + 'breakup', + 'breakups', 'breakwater', 'breakwaters', + 'bream', + 'breamed', + 'breaming', + 'breams', + 'breast', 'breastbone', 'breastbones', + 'breasted', + 'breasting', 'breastplate', 'breastplates', + 'breasts', 'breaststroke', 'breaststroker', 'breaststrokers', 'breaststrokes', 'breastwork', 'breastworks', + 'breath', 'breathabilities', 'breathability', 'breathable', + 'breathe', + 'breathed', + 'breather', + 'breathers', + 'breathes', + 'breathier', 'breathiest', + 'breathily', 'breathiness', 'breathinesses', + 'breathing', 'breathings', 'breathless', 'breathlessly', 'breathlessness', 'breathlessnesses', + 'breaths', 'breathtaking', 'breathtakingly', + 'breathy', + 'breccia', + 'breccial', + 'breccias', + 'brecciate', 'brecciated', 'brecciates', 'brecciating', 'brecciation', 'brecciations', + 'brecham', + 'brechams', + 'brechan', + 'brechans', + 'bred', + 'brede', + 'bredes', + 'bree', + 'breech', 'breechblock', 'breechblocks', 'breechcloth', 'breechcloths', 'breechclout', 'breechclouts', + 'breeched', + 'breeches', + 'breeching', 'breechings', 'breechloader', 'breechloaders', + 'breed', + 'breeder', + 'breeders', + 'breeding', + 'breedings', + 'breeds', + 'breeks', + 'brees', + 'breeze', + 'breezed', 'breezeless', + 'breezes', + 'breezeway', 'breezeways', + 'breezier', + 'breeziest', + 'breezily', 'breeziness', 'breezinesses', + 'breezing', + 'breezy', + 'bregma', + 'bregmata', + 'bregmate', 'bremsstrahlung', 'bremsstrahlungs', + 'bren', + 'brens', + 'brent', + 'brents', + 'brethren', + 'breve', + 'breves', + 'brevet', 'brevetcies', + 'brevetcy', + 'breveted', + 'breveting', + 'brevets', + 'brevetted', 'brevetting', 'breviaries', + 'breviary', + 'brevier', + 'breviers', + 'brevities', + 'brevity', + 'brew', + 'brewage', + 'brewages', + 'brewed', + 'brewer', + 'breweries', + 'brewers', + 'brewery', + 'brewing', + 'brewings', + 'brewis', + 'brewises', + 'brews', + 'briar', + 'briard', + 'briards', + 'briars', + 'briary', + 'bribable', + 'bribe', + 'bribed', + 'bribee', + 'bribees', + 'briber', + 'briberies', + 'bribers', + 'bribery', + 'bribes', + 'bribing', + 'brick', + 'brickbat', + 'brickbats', + 'bricked', 'brickfield', 'brickfields', + 'brickier', + 'brickiest', + 'bricking', 'bricklayer', 'bricklayers', 'bricklaying', 'bricklayings', + 'brickle', + 'brickles', + 'bricks', + 'brickwork', 'brickworks', + 'bricky', + 'brickyard', 'brickyards', + 'bricolage', 'bricolages', + 'bricole', + 'bricoles', + 'bridal', + 'bridally', + 'bridals', + 'bride', 'bridegroom', 'bridegrooms', + 'brides', 'bridesmaid', 'bridesmaids', + 'bridewell', 'bridewells', + 'bridge', 'bridgeable', + 'bridged', 'bridgehead', 'bridgeheads', 'bridgeless', + 'bridges', 'bridgework', 'bridgeworks', + 'bridging', + 'bridgings', + 'bridle', + 'bridled', + 'bridler', + 'bridlers', + 'bridles', + 'bridling', + 'bridoon', + 'bridoons', + 'brie', + 'brief', + 'briefcase', 'briefcases', + 'briefed', + 'briefer', + 'briefers', + 'briefest', + 'briefing', + 'briefings', + 'briefless', + 'briefly', + 'briefness', 'briefnesses', + 'briefs', + 'brier', + 'briers', + 'briery', + 'bries', + 'brig', + 'brigade', + 'brigaded', + 'brigades', + 'brigadier', 'brigadiers', + 'brigading', + 'brigand', 'brigandage', 'brigandages', 'brigandine', 'brigandines', + 'brigands', 'brigantine', 'brigantines', + 'bright', + 'brighten', 'brightened', 'brightener', 'brighteners', 'brightening', + 'brightens', + 'brighter', + 'brightest', + 'brightly', 'brightness', 'brightnesses', + 'brights', 'brightwork', 'brightworks', + 'brigs', + 'brill', 'brilliance', 'brilliances', 'brilliancies', 'brilliancy', + 'brilliant', 'brilliantine', 'brilliantines', 'brilliantly', 'brilliants', + 'brills', + 'brim', + 'brimful', + 'brimfull', + 'brimless', + 'brimmed', + 'brimmer', + 'brimmers', + 'brimming', + 'brims', + 'brimstone', 'brimstones', + 'brin', + 'brinded', + 'brindle', + 'brindled', + 'brindles', + 'brine', + 'brined', + 'briner', + 'briners', + 'brines', + 'bring', + 'bringdown', 'bringdowns', + 'bringer', + 'bringers', + 'bringing', + 'brings', + 'brinier', + 'brinies', + 'briniest', + 'brininess', 'brininesses', + 'brining', + 'brinish', + 'brink', 'brinkmanship', 'brinkmanships', + 'brinks', 'brinksmanship', 'brinksmanships', + 'brins', + 'briny', + 'brio', + 'brioche', + 'brioches', + 'briolette', 'briolettes', + 'brionies', + 'briony', + 'brios', + 'briquet', + 'briquets', + 'briquette', 'briquetted', 'briquettes', 'briquetting', + 'bris', + 'brisance', + 'brisances', + 'brisant', + 'brisk', + 'brisked', + 'brisker', + 'briskest', + 'brisket', + 'briskets', + 'brisking', + 'briskly', + 'briskness', 'brisknesses', + 'brisks', + 'brisling', + 'brislings', + 'brisses', + 'bristle', + 'bristled', 'bristlelike', + 'bristles', 'bristletail', 'bristletails', + 'bristlier', 'bristliest', + 'bristling', + 'bristly', + 'bristol', + 'bristols', + 'brit', + 'britches', + 'brits', + 'britska', + 'britskas', + 'britt', + 'brittle', + 'brittled', + 'brittlely', 'brittleness', 'brittlenesses', + 'brittler', + 'brittles', + 'brittlest', + 'brittling', + 'brittly', + 'britts', + 'britzka', + 'britzkas', + 'britzska', + 'britzskas', + 'bro', + 'broach', + 'broached', + 'broacher', + 'broachers', + 'broaches', + 'broaching', + 'broad', + 'broadax', + 'broadaxe', + 'broadaxes', + 'broadband', + 'broadcast', 'broadcasted', 'broadcaster', 'broadcasters', @@ -6552,42 +18172,140 @@ export const scrabble_array = [ 'broadcasts', 'broadcloth', 'broadcloths', + 'broaden', + 'broadened', 'broadening', + 'broadens', + 'broader', + 'broadest', + 'broadish', + 'broadleaf', + 'broadloom', 'broadlooms', + 'broadly', + 'broadness', 'broadnesses', + 'broads', 'broadscale', 'broadsheet', 'broadsheets', + 'broadside', 'broadsided', 'broadsides', 'broadsiding', 'broadsword', 'broadswords', + 'broadtail', 'broadtails', + 'brocade', + 'brocaded', + 'brocades', + 'brocading', + 'brocatel', 'brocatelle', 'brocatelles', + 'brocatels', + 'broccoli', + 'broccolis', + 'broche', + 'brochette', 'brochettes', + 'brochure', + 'brochures', + 'brock', + 'brockage', + 'brockages', + 'brocket', + 'brockets', + 'brocks', + 'brocoli', + 'brocolis', + 'brogan', + 'brogans', + 'brogue', 'brogueries', + 'broguery', + 'brogues', + 'broguish', + 'broider', + 'broidered', 'broideries', 'broidering', + 'broiders', + 'broidery', + 'broil', + 'broiled', + 'broiler', + 'broilers', + 'broiling', + 'broils', + 'brokage', + 'brokages', + 'broke', + 'broken', 'brokenhearted', + 'brokenly', 'brokenness', 'brokennesses', + 'broker', + 'brokerage', 'brokerages', + 'brokered', + 'brokering', 'brokerings', + 'brokers', + 'broking', + 'brokings', + 'brollies', + 'brolly', + 'bromal', + 'bromals', + 'bromate', + 'bromated', + 'bromates', + 'bromating', + 'brome', 'bromegrass', 'bromegrasses', + 'bromelain', 'bromelains', + 'bromeliad', 'bromeliads', + 'bromelin', + 'bromelins', + 'bromes', + 'bromic', + 'bromid', + 'bromide', + 'bromides', + 'bromidic', + 'bromids', + 'bromin', + 'brominate', 'brominated', 'brominates', 'brominating', 'bromination', 'brominations', + 'bromine', + 'bromines', + 'bromins', + 'bromism', + 'bromisms', + 'bromize', + 'bromized', + 'bromizes', + 'bromizing', + 'bromo', 'bromocriptine', 'bromocriptines', + 'bromos', 'bromouracil', 'bromouracils', + 'bronc', + 'bronchi', + 'bronchia', + 'bronchial', 'bronchially', 'bronchiectases', 'bronchiectasis', @@ -6599,11 +18317,14 @@ export const scrabble_array = [ 'bronchitides', 'bronchitis', 'bronchitises', + 'bronchium', + 'broncho', 'bronchodilator', 'bronchodilators', 'bronchogenic', 'bronchopneumonia', 'bronchopneumonias', + 'bronchos', 'bronchoscope', 'bronchoscopes', 'bronchoscopic', @@ -6614,167 +18335,853 @@ export const scrabble_array = [ 'bronchospasm', 'bronchospasms', 'bronchospastic', + 'bronchus', + 'bronco', 'broncobuster', 'broncobusters', + 'broncos', + 'broncs', 'brontosaur', 'brontosaurs', 'brontosaurus', 'brontosauruses', + 'bronze', + 'bronzed', + 'bronzer', + 'bronzers', + 'bronzes', + 'bronzier', + 'bronziest', + 'bronzing', + 'bronzings', + 'bronzy', + 'broo', + 'brooch', + 'brooches', + 'brood', + 'brooded', + 'brooder', + 'brooders', + 'broodier', + 'broodiest', + 'broodily', 'broodiness', 'broodinesses', + 'brooding', 'broodingly', + 'broodmare', 'broodmares', + 'broods', + 'broody', + 'brook', + 'brooked', + 'brookie', + 'brookies', + 'brooking', + 'brookite', + 'brookites', + 'brooklet', + 'brooklets', + 'brooks', + 'broom', + 'broomball', 'broomballer', 'broomballers', 'broomballs', + 'broomcorn', 'broomcorns', + 'broomed', + 'broomier', + 'broomiest', + 'brooming', + 'broomrape', 'broomrapes', + 'brooms', 'broomstick', 'broomsticks', + 'broomy', + 'broos', + 'bros', + 'brose', + 'broses', + 'brosy', + 'broth', + 'brothel', + 'brothels', + 'brother', + 'brothered', 'brotherhood', 'brotherhoods', 'brothering', 'brotherliness', 'brotherlinesses', + 'brotherly', + 'brothers', + 'broths', + 'brothy', + 'brougham', + 'broughams', + 'brought', + 'brouhaha', + 'brouhahas', + 'brow', + 'browband', + 'browbands', + 'browbeat', 'browbeaten', 'browbeating', + 'browbeats', + 'browed', + 'browless', + 'brown', + 'browned', + 'browner', + 'brownest', + 'brownie', + 'brownier', + 'brownies', + 'browniest', + 'browning', + 'brownish', + 'brownnose', 'brownnosed', 'brownnoser', 'brownnosers', 'brownnoses', 'brownnosing', + 'brownout', + 'brownouts', + 'browns', 'brownshirt', 'brownshirts', 'brownstone', 'brownstones', + 'browny', + 'browridge', 'browridges', + 'brows', + 'browse', + 'browsed', + 'browser', + 'browsers', + 'browses', + 'browsing', + 'brr', + 'brrr', + 'brucella', + 'brucellae', + 'brucellas', 'brucelloses', 'brucellosis', + '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', + 'brummagem', 'brummagems', + 'brumous', + 'brunch', + 'brunched', + 'brunches', + 'brunching', + 'brunet', + 'brunets', + 'brunette', + 'brunettes', + 'brunizem', + 'brunizems', + 'brunt', + 'brunts', + 'brush', 'brushabilities', 'brushability', + 'brushback', 'brushbacks', + 'brushed', + 'brusher', + 'brushers', + 'brushes', + 'brushfire', + 'brushier', + 'brushiest', + 'brushing', + 'brushland', 'brushlands', + 'brushoff', + 'brushoffs', + 'brushup', + 'brushups', + 'brushwood', 'brushwoods', + 'brushwork', 'brushworks', + 'brushy', + 'brusk', + 'brusker', + 'bruskest', + 'brusque', + 'brusquely', 'brusqueness', 'brusquenesses', + 'brusquer', 'brusquerie', 'brusqueries', + 'brusquest', + 'brut', + 'brutal', + 'brutalise', 'brutalised', 'brutalises', 'brutalising', 'brutalities', + 'brutality', 'brutalization', 'brutalizations', + 'brutalize', 'brutalized', 'brutalizes', 'brutalizing', + 'brutally', + 'brute', + 'bruted', + 'brutely', + 'brutes', + 'brutified', + 'brutifies', + 'brutify', 'brutifying', + 'bruting', + 'brutish', + 'brutishly', 'brutishness', 'brutishnesses', + 'brutism', + 'brutisms', + 'bruxism', + 'bruxisms', 'bryological', 'bryologies', 'bryologist', 'bryologists', + 'bryology', + 'bryonies', + 'bryony', 'bryophyllum', 'bryophyllums', + 'bryophyte', 'bryophytes', 'bryophytic', + 'bryozoan', + 'bryozoans', + 'bub', + 'bubal', + 'bubale', + 'bubales', + 'bubaline', + 'bubalis', + 'bubalises', + 'bubals', + 'bubbies', + 'bubble', + 'bubbled', + 'bubblegum', 'bubblegums', 'bubblehead', 'bubbleheaded', 'bubbleheads', + 'bubbler', + 'bubblers', + 'bubbles', + 'bubblier', + 'bubblies', + 'bubbliest', + 'bubbling', + 'bubbly', + 'bubby', + 'bubinga', + 'bubingas', + 'bubo', + 'buboed', + 'buboes', + 'bubonic', + 'bubs', + 'buccal', + 'buccally', + 'buccaneer', 'buccaneered', 'buccaneering', 'buccaneerish', 'buccaneers', 'buccinator', 'buccinators', + 'buck', + 'buckaroo', + 'buckaroos', + 'buckayro', + 'buckayros', + 'buckbean', + 'buckbeans', + 'buckboard', 'buckboards', + 'bucked', + 'buckeen', + 'buckeens', + 'bucker', + 'buckeroo', + 'buckeroos', + 'buckers', + 'bucket', + 'bucketed', + 'bucketful', 'bucketfuls', + 'bucketing', + 'buckets', 'bucketsful', + 'buckeye', + 'buckeyes', + 'bucking', + 'buckish', + 'buckle', + 'buckled', + 'buckler', + 'bucklered', 'bucklering', + 'bucklers', + 'buckles', + 'buckling', 'buckminsterfullerene', 'buckminsterfullerenes', + 'bucko', + 'buckoes', + 'buckra', + 'buckram', + 'buckramed', 'buckraming', + 'buckrams', + 'buckras', + 'bucks', + 'bucksaw', + 'bucksaws', + 'buckshee', + 'buckshees', + 'buckshot', + 'buckshots', + 'buckskin', 'buckskinned', + 'buckskins', + 'bucktail', + 'bucktails', + 'buckteeth', + 'buckthorn', 'buckthorns', + 'bucktooth', 'bucktoothed', + 'buckwheat', 'buckwheats', + 'buckyball', 'buckyballs', + 'bucolic', 'bucolically', + 'bucolics', + 'bud', + 'budded', + 'budder', + 'budders', + 'buddied', + 'buddies', + 'budding', + 'buddings', + 'buddle', + 'buddleia', + 'buddleias', + 'buddles', + 'buddy', + 'buddying', + 'budge', + 'budged', + 'budger', 'budgerigar', 'budgerigars', + 'budgers', + 'budges', + 'budget', + 'budgetary', + 'budgeted', + 'budgeteer', 'budgeteers', + 'budgeter', + 'budgeters', + 'budgeting', + 'budgets', + 'budgie', + 'budgies', + 'budging', + 'budless', + 'budlike', + 'buds', + 'budworm', + 'budworms', + 'buff', + 'buffable', + 'buffalo', 'buffaloberries', 'buffaloberry', + 'buffaloed', + 'buffaloes', 'buffalofish', 'buffalofishes', 'buffaloing', + 'buffalos', + 'buffed', + 'buffer', + 'buffered', + 'buffering', + 'buffers', + 'buffet', + 'buffeted', + 'buffeter', + 'buffeters', + 'buffeting', + 'buffets', + 'buffi', + 'buffier', + 'buffiest', + 'buffing', 'bufflehead', 'buffleheads', + 'buffo', + 'buffoon', 'buffooneries', 'buffoonery', 'buffoonish', + 'buffoons', + 'buffos', + 'buffs', + 'buffy', + 'bug', + 'bugaboo', + 'bugaboos', + 'bugbane', + 'bugbanes', + 'bugbear', + 'bugbears', + 'bugeye', + 'bugeyes', + 'bugged', + 'bugger', + 'buggered', + 'buggeries', + 'buggering', + 'buggers', + 'buggery', + 'buggier', + 'buggies', + 'buggiest', + 'bugging', + 'buggy', + 'bughouse', + 'bughouses', + 'bugle', + 'bugled', + 'bugler', + 'buglers', + 'bugles', + 'bugleweed', 'bugleweeds', + 'bugling', + 'bugloss', + 'buglosses', + 'bugs', + 'bugseed', + 'bugseeds', + 'bugsha', + 'bugshas', + 'buhl', + 'buhls', + 'buhlwork', + 'buhlworks', + 'buhr', + 'buhrs', + 'buhrstone', 'buhrstones', + 'build', + 'buildable', + 'builded', + 'builder', + 'builders', + 'building', + 'buildings', + 'builds', + 'buildup', + 'buildups', + 'built', + 'buirdly', + 'bulb', + 'bulbar', + 'bulbed', + 'bulbel', + 'bulbels', + 'bulbil', + 'bulbils', + 'bulblet', + 'bulblets', + 'bulbous', + 'bulbously', + 'bulbs', + 'bulbul', + 'bulbuls', + 'bulge', + 'bulged', + 'bulger', + 'bulgers', + 'bulges', + 'bulgier', + 'bulgiest', + 'bulging', + 'bulgur', + 'bulgurs', + 'bulgy', + 'bulimia', + 'bulimiac', + 'bulimias', + 'bulimic', + 'bulimics', + 'bulk', + 'bulkage', + 'bulkages', + 'bulked', + 'bulkhead', + 'bulkheads', + 'bulkier', + 'bulkiest', + 'bulkily', + 'bulkiness', 'bulkinesses', + 'bulking', + 'bulks', + 'bulky', + 'bull', + 'bulla', + 'bullace', + 'bullaces', + 'bullae', + 'bullate', 'bullbaiting', 'bullbaitings', + 'bullbat', + 'bullbats', + 'bulldog', 'bulldogged', 'bulldogger', 'bulldoggers', 'bulldogging', 'bulldoggings', + 'bulldogs', + 'bulldoze', + 'bulldozed', + 'bulldozer', 'bulldozers', + 'bulldozes', 'bulldozing', + 'bulled', + 'bullet', + 'bulleted', + 'bulletin', 'bulletined', + 'bulleting', 'bulletining', + 'bulletins', 'bulletproof', + 'bullets', + 'bullfight', 'bullfighter', 'bullfighters', 'bullfighting', 'bullfightings', 'bullfights', + 'bullfinch', 'bullfinches', + 'bullfrog', + 'bullfrogs', + 'bullhead', 'bullheaded', 'bullheadedly', 'bullheadedness', 'bullheadednesses', + 'bullheads', + 'bullhorn', + 'bullhorns', + 'bullied', + 'bullier', + 'bullies', + 'bulliest', + 'bulling', + 'bullion', + 'bullions', + 'bullish', + 'bullishly', 'bullishness', 'bullishnesses', 'bullmastiff', 'bullmastiffs', + 'bullneck', 'bullnecked', + 'bullnecks', + 'bullnose', + 'bullnoses', + 'bullock', + 'bullocks', + 'bullocky', + 'bullous', + 'bullpen', + 'bullpens', + 'bullpout', + 'bullpouts', + 'bullring', + 'bullrings', + 'bullrush', 'bullrushes', + 'bulls', + 'bullshit', + 'bullshits', 'bullshitted', 'bullshitting', + 'bullshot', + 'bullshots', 'bullterrier', 'bullterriers', + 'bullweed', + 'bullweeds', + 'bullwhip', 'bullwhipped', 'bullwhipping', + 'bullwhips', + 'bully', + 'bullyboy', + 'bullyboys', + 'bullying', + 'bullyrag', 'bullyragged', 'bullyragging', + 'bullyrags', + 'bulrush', + 'bulrushes', + 'bulwark', + 'bulwarked', 'bulwarking', + 'bulwarks', + 'bum', 'bumbershoot', 'bumbershoots', + 'bumble', + 'bumblebee', 'bumblebees', + 'bumbled', + 'bumbler', + 'bumblers', + 'bumbles', + 'bumbling', 'bumblingly', + 'bumblings', + 'bumboat', + 'bumboats', + 'bumf', + 'bumfs', + 'bumkin', + 'bumkins', + 'bummed', + 'bummer', + 'bummers', + 'bummest', + 'bumming', + 'bump', + 'bumped', + 'bumper', + 'bumpered', + 'bumpering', + 'bumpers', + 'bumph', + 'bumphs', + 'bumpier', + 'bumpiest', + 'bumpily', + 'bumpiness', 'bumpinesses', + 'bumping', + 'bumpkin', 'bumpkinish', + 'bumpkinly', + 'bumpkins', + 'bumps', + 'bumptious', 'bumptiously', 'bumptiousness', 'bumptiousnesses', + 'bumpy', + 'bums', + 'bun', + 'bunch', 'bunchberries', 'bunchberry', + 'bunched', + 'bunches', 'bunchgrass', 'bunchgrasses', + 'bunchier', + 'bunchiest', + 'bunchily', + 'bunching', + 'bunchy', + 'bunco', + 'buncoed', + 'buncoing', + 'buncombe', + 'buncombes', + 'buncos', + 'bund', + 'bundist', + 'bundists', + 'bundle', + 'bundled', + 'bundler', + 'bundlers', + 'bundles', + 'bundling', + 'bundlings', + 'bunds', + 'bundt', + 'bundts', + 'bung', + 'bungalow', + 'bungalows', + 'bunged', + 'bungee', + 'bungees', + 'bunghole', + 'bungholes', + 'bunging', + 'bungle', + 'bungled', + 'bungler', + 'bunglers', + 'bungles', 'bunglesome', + 'bungling', 'bunglingly', + 'bunglings', + 'bungs', + 'bunion', + 'bunions', + 'bunk', + 'bunked', + 'bunker', + 'bunkered', + 'bunkering', + 'bunkers', + 'bunkhouse', 'bunkhouses', + 'bunking', + 'bunkmate', + 'bunkmates', + 'bunko', + 'bunkoed', + 'bunkoing', + 'bunkos', + 'bunks', + 'bunkum', + 'bunkums', + 'bunn', + 'bunnies', + 'bunns', + 'bunny', + 'bunraku', + 'bunrakus', + 'buns', + 'bunt', + 'bunted', + 'bunter', + 'bunters', + 'bunting', + 'buntings', + 'buntline', + 'buntlines', + 'bunts', + 'bunya', + 'bunyas', + 'buoy', + 'buoyage', + 'buoyages', + 'buoyance', + 'buoyances', 'buoyancies', + 'buoyancy', + 'buoyant', + 'buoyantly', + 'buoyed', + 'buoying', + 'buoys', + 'buppie', + 'buppies', + 'buqsha', + 'buqshas', + 'bur', + 'bura', + 'buran', + 'burans', + 'buras', + 'burble', + 'burbled', + 'burbler', + 'burblers', + 'burbles', + 'burblier', + 'burbliest', + 'burbling', + 'burbly', + 'burbot', + 'burbots', + 'burbs', + 'burd', + 'burden', + 'burdened', + 'burdener', + 'burdeners', + 'burdening', + 'burdens', 'burdensome', + 'burdie', + 'burdies', + 'burdock', + 'burdocks', + 'burds', + 'bureau', 'bureaucracies', 'bureaucracy', 'bureaucrat', @@ -6795,7 +19202,31 @@ export const scrabble_array = [ 'bureaucratizes', 'bureaucratizing', 'bureaucrats', + 'bureaus', + 'bureaux', + 'buret', + 'burets', + 'burette', + 'burettes', + 'burg', + 'burgage', + 'burgages', + 'burgee', + 'burgees', + 'burgeon', + 'burgeoned', 'burgeoning', + 'burgeons', + 'burger', + 'burgers', + 'burgess', + 'burgesses', + 'burgh', + 'burghal', + 'burgher', + 'burghers', + 'burghs', + 'burglar', 'burglaries', 'burglarious', 'burglariously', @@ -6804,36 +19235,228 @@ export const scrabble_array = [ 'burglarizes', 'burglarizing', 'burglarproof', + 'burglars', + 'burglary', + 'burgle', + 'burgled', + 'burgles', + 'burgling', 'burgomaster', 'burgomasters', + 'burgonet', + 'burgonets', + 'burgoo', + 'burgoos', + 'burgout', + 'burgouts', + 'burgrave', + 'burgraves', + 'burgs', 'burgundies', + 'burgundy', + 'burial', + 'burials', + 'buried', + 'burier', + 'buriers', + 'buries', + 'burin', + 'burins', + 'burke', + 'burked', + 'burker', + 'burkers', + 'burkes', + 'burking', + 'burkite', + 'burkites', + 'burl', + 'burladero', 'burladeros', + 'burlap', + 'burlaps', + 'burled', + 'burler', + 'burlers', + 'burlesk', + 'burlesks', + 'burlesque', 'burlesqued', 'burlesquely', 'burlesquer', 'burlesquers', 'burlesques', 'burlesquing', + 'burley', + 'burleys', + 'burlier', + 'burliest', + 'burlily', + 'burliness', 'burlinesses', + 'burling', + 'burls', + 'burly', + 'burn', + 'burnable', + 'burnables', + 'burned', + 'burner', + 'burners', + 'burnet', + 'burnets', + 'burnie', + 'burnies', + 'burning', + 'burningly', + 'burnings', + 'burnish', + 'burnished', + 'burnisher', 'burnishers', + 'burnishes', 'burnishing', 'burnishings', + 'burnoose', + 'burnoosed', + 'burnooses', + 'burnous', + 'burnouses', + 'burnout', + 'burnouts', + 'burns', + 'burnsides', + 'burnt', + 'burp', + 'burped', + 'burping', + 'burps', + 'burr', + 'burred', + 'burrer', + 'burrers', + 'burrier', + 'burriest', + 'burring', + 'burrito', + 'burritos', + 'burro', + 'burros', + 'burrow', + 'burrowed', + 'burrower', + 'burrowers', + 'burrowing', + 'burrows', + 'burrs', + 'burrstone', 'burrstones', + 'burry', + 'burs', + 'bursa', + 'bursae', + 'bursal', + 'bursar', + 'bursaries', + 'bursars', + 'bursary', + 'bursas', + 'bursate', + 'burse', + 'burseed', + 'burseeds', + 'bursera', + 'burses', + 'bursitis', 'bursitises', + 'burst', + 'bursted', + 'burster', + 'bursters', + 'bursting', + 'burstone', + 'burstones', + 'bursts', + 'burthen', + 'burthened', 'burthening', + 'burthens', + 'burton', + 'burtons', + 'burweed', + 'burweeds', + 'bury', + 'burying', + 'bus', + 'busbar', + 'busbars', + 'busbies', + 'busboy', + 'busboys', + 'busby', + 'bused', + 'buses', + 'bush', + 'bushbuck', + 'bushbucks', + 'bushed', + 'bushel', + 'busheled', + 'busheler', + 'bushelers', + 'busheling', + 'bushelled', 'bushelling', + 'bushels', + 'busher', + 'bushers', + 'bushes', + 'bushfire', + 'bushfires', + 'bushgoat', + 'bushgoats', + 'bushido', + 'bushidos', + 'bushier', + 'bushiest', + 'bushily', + 'bushiness', 'bushinesses', + 'bushing', + 'bushings', + 'bushland', + 'bushlands', + 'bushless', + 'bushlike', + 'bushman', 'bushmaster', 'bushmasters', + 'bushmen', + 'bushpig', + 'bushpigs', 'bushranger', 'bushrangers', 'bushranging', 'bushrangings', + 'bushtit', + 'bushtits', + 'bushwa', + 'bushwah', + 'bushwahs', + 'bushwas', + 'bushwhack', 'bushwhacked', 'bushwhacker', 'bushwhackers', 'bushwhacking', 'bushwhacks', + 'bushy', + 'busied', + 'busier', + 'busies', + 'busiest', + 'busily', + 'business', 'businesses', 'businesslike', 'businessman', @@ -6843,15 +19466,100 @@ export const scrabble_array = [ 'businesspersons', 'businesswoman', 'businesswomen', + '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', + 'bustles', + 'bustline', + 'bustlines', + 'bustling', 'bustlingly', + 'busts', + 'busty', + 'busulfan', + 'busulfans', + 'busy', 'busybodies', + 'busybody', + 'busying', + 'busyness', 'busynesses', + 'busywork', + 'busyworks', + 'but', + 'butadiene', 'butadienes', + 'butane', + 'butanes', + 'butanol', + 'butanols', + 'butanone', + 'butanones', + 'butch', + 'butcher', + 'butchered', 'butcheries', 'butchering', + 'butcherly', + 'butchers', + 'butchery', + 'butches', + 'bute', + 'butene', + 'butenes', + 'buteo', + 'buteos', + 'butle', + 'butled', + 'butler', + 'butleries', + 'butlers', + 'butlery', + 'butles', + 'butling', + 'buts', + 'butt', + 'buttals', + 'butte', + 'butted', + 'butter', 'butterball', 'butterballs', + 'buttercup', 'buttercups', + 'buttered', + 'butterfat', 'butterfats', 'butterfingered', 'butterfingers', @@ -6859,25 +19567,43 @@ export const scrabble_array = [ 'butterfishes', 'butterflied', 'butterflies', + 'butterfly', 'butterflyer', 'butterflyers', 'butterflying', + 'butterier', + 'butteries', 'butteriest', + 'buttering', 'butterless', 'buttermilk', 'buttermilks', + 'butternut', 'butternuts', + 'butters', 'butterscotch', 'butterscotches', 'butterweed', 'butterweeds', 'butterwort', 'butterworts', + 'buttery', + 'buttes', + 'butties', + 'butting', + 'buttinski', 'buttinskies', + 'buttinsky', + 'buttock', + 'buttocks', + 'button', 'buttonball', 'buttonballs', 'buttonbush', 'buttonbushes', + 'buttoned', + 'buttoner', + 'buttoners', 'buttonhole', 'buttonholed', 'buttonholer', @@ -6888,120 +19614,585 @@ export const scrabble_array = [ 'buttonhooked', 'buttonhooking', 'buttonhooks', + 'buttoning', 'buttonless', + 'buttons', 'buttonwood', 'buttonwoods', + 'buttony', + 'buttress', 'buttressed', 'buttresses', 'buttressing', + 'butts', + 'buttstock', 'buttstocks', + 'butty', + 'butut', + 'bututs', + 'butyl', + 'butylate', + 'butylated', + 'butylates', 'butylating', 'butylation', 'butylations', + 'butylene', + 'butylenes', + 'butyls', + 'butyral', 'butyraldehyde', 'butyraldehydes', + 'butyrals', + 'butyrate', + 'butyrates', + 'butyric', + 'butyrin', + 'butyrins', 'butyrophenone', 'butyrophenones', + 'butyrous', + 'butyryl', + 'butyryls', + 'buxom', + 'buxomer', + 'buxomest', + 'buxomly', + 'buxomness', 'buxomnesses', + 'buy', + 'buyable', + 'buyback', + 'buybacks', + 'buyer', + 'buyers', + 'buying', + 'buyout', + 'buyouts', + 'buys', + 'buzuki', + 'buzukia', + 'buzukis', + 'buzz', + 'buzzard', + 'buzzards', + 'buzzed', + 'buzzer', + 'buzzers', + 'buzzes', + 'buzzing', + 'buzzwig', + 'buzzwigs', + 'buzzword', + 'buzzwords', + 'bwana', + 'bwanas', + 'by', + 'bye', + 'byelaw', + 'byelaws', + 'byes', + 'bygone', + 'bygones', + 'bylaw', + 'bylaws', + 'byline', + 'bylined', + 'byliner', + 'byliners', + 'bylines', + 'bylining', + 'byname', + 'bynames', + 'bypass', + 'bypassed', + 'bypasses', + 'bypassing', + 'bypast', + 'bypath', + 'bypaths', + 'byplay', + 'byplays', + 'byproduct', 'byproducts', + 'byre', + 'byres', + 'byrl', + 'byrled', + 'byrling', + 'byrls', + 'byrnie', + 'byrnies', + 'byroad', + 'byroads', + 'bys', + 'byssi', 'byssinoses', 'byssinosis', + 'byssus', + 'byssuses', + 'bystander', 'bystanders', + 'bystreet', + 'bystreets', + 'bytalk', + 'bytalks', + 'byte', + 'bytes', + 'byway', + 'byways', + 'byword', + 'bywords', + 'bywork', + 'byworks', + 'byzant', + 'byzantine', + 'byzants', + 'cab', + 'cabal', + 'cabala', + 'cabalas', + 'cabaletta', 'cabalettas', + 'cabalism', + 'cabalisms', + 'cabalist', 'cabalistic', + 'cabalists', + 'caballed', + 'caballero', 'caballeros', + 'caballing', + 'cabals', + 'cabana', + 'cabanas', + 'cabaret', + 'cabarets', + 'cabbage', + 'cabbaged', + 'cabbages', 'cabbageworm', 'cabbageworms', + 'cabbaging', + 'cabbala', + 'cabbalah', + 'cabbalahs', + 'cabbalas', + 'cabbed', + 'cabbie', + 'cabbies', + 'cabbing', + 'cabby', + 'cabdriver', 'cabdrivers', + 'caber', + 'cabernet', + 'cabernets', + 'cabers', + 'cabestro', + 'cabestros', + 'cabezon', + 'cabezone', + 'cabezones', + 'cabezons', + 'cabildo', + 'cabildos', + 'cabin', + 'cabined', + 'cabinet', 'cabinetmaker', 'cabinetmakers', 'cabinetmaking', 'cabinetmakings', 'cabinetries', + 'cabinetry', + 'cabinets', 'cabinetwork', 'cabinetworks', + 'cabining', + 'cabins', + 'cable', + 'cabled', + 'cablegram', 'cablegrams', + 'cables', + 'cablet', + 'cablets', + 'cableway', + 'cableways', + 'cabling', + 'cabman', + 'cabmen', + 'cabob', + 'cabobs', + 'caboched', + 'cabochon', + 'cabochons', + 'cabomba', + 'cabombas', + 'caboodle', + 'caboodles', + 'caboose', + 'cabooses', + 'caboshed', + 'cabotage', + 'cabotages', + 'cabresta', + 'cabrestas', + 'cabresto', + 'cabrestos', + 'cabretta', + 'cabrettas', + 'cabrilla', + 'cabrillas', + 'cabriole', + 'cabrioles', + 'cabriolet', 'cabriolets', + 'cabs', + 'cabstand', + 'cabstands', + 'caca', + 'cacao', + 'cacaos', + 'cacas', 'cacciatore', + 'cachalot', + 'cachalots', + 'cache', + 'cachectic', + 'cached', + 'cachepot', + 'cachepots', + 'caches', + 'cachet', + 'cacheted', + 'cacheting', + 'cachets', + 'cachexia', + 'cachexias', + 'cachexic', + 'cachexies', + 'cachexy', + 'caching', 'cachinnate', 'cachinnated', 'cachinnates', 'cachinnating', 'cachinnation', 'cachinnations', + 'cachou', + 'cachous', + 'cachucha', + 'cachuchas', + 'cacique', + 'caciques', + 'caciquism', 'caciquisms', + 'cackle', + 'cackled', + 'cackler', + 'cacklers', + 'cackles', + 'cackling', + 'cacodemon', 'cacodemonic', 'cacodemons', + 'cacodyl', + 'cacodyls', + 'cacoethes', 'cacographical', 'cacographies', 'cacography', 'cacomistle', 'cacomistles', + 'cacomixl', + 'cacomixls', 'cacophonies', 'cacophonous', 'cacophonously', + 'cacophony', + 'cacti', + 'cactoid', + 'cactus', + 'cactuses', + 'cacuminal', + 'cad', + 'cadaster', + 'cadasters', + 'cadastral', 'cadastrally', + 'cadastre', + 'cadastres', + 'cadaver', + 'cadaveric', 'cadaverine', 'cadaverines', 'cadaverous', 'cadaverously', + 'cadavers', + 'caddice', + 'caddices', + 'caddie', + 'caddied', + 'caddies', + 'caddis', + 'caddises', + 'caddish', + 'caddishly', 'caddishness', 'caddishnesses', 'caddisworm', 'caddisworms', + 'caddy', + 'caddying', + 'cade', + 'cadelle', + 'cadelles', + 'cadence', + 'cadenced', + 'cadences', + 'cadencies', + 'cadencing', + 'cadency', + 'cadent', + 'cadential', + 'cadenza', + 'cadenzas', + 'cades', + 'cadet', + 'cadets', + 'cadetship', 'cadetships', + 'cadge', + 'cadged', + 'cadger', + 'cadgers', + 'cadges', + 'cadging', + 'cadgy', + 'cadi', + 'cadis', + 'cadmic', + 'cadmium', + 'cadmiums', + 'cadre', + 'cadres', + 'cads', + 'caducean', + 'caducei', + 'caduceus', 'caducities', + 'caducity', + 'caducous', + 'caeca', + 'caecal', + 'caecally', + 'caecilian', 'caecilians', + 'caecum', + 'caeoma', + 'caeomas', + 'caesar', + 'caesarean', 'caesareans', + 'caesarian', 'caesarians', + 'caesars', + 'caesium', + 'caesiums', 'caespitose', + 'caestus', + 'caestuses', + 'caesura', + 'caesurae', + 'caesural', + 'caesuras', + 'caesuric', + 'cafe', + 'cafes', + 'cafeteria', 'cafeterias', 'cafetorium', 'cafetoriums', + 'caff', + 'caffein', 'caffeinated', + 'caffeine', + 'caffeines', + 'caffeins', + 'caffs', + 'caftan', + 'caftans', + 'cage', + 'caged', + 'cageful', + 'cagefuls', + 'cageling', + 'cagelings', + 'cager', + 'cagers', + 'cages', + 'cagey', + 'cageyness', 'cageynesses', + 'cagier', + 'cagiest', + 'cagily', + 'caginess', 'caginesses', + 'caging', + 'cagy', + 'cahier', + 'cahiers', + 'cahoot', + 'cahoots', + 'cahow', + 'cahows', + 'caid', + 'caids', + 'caiman', + 'caimans', + 'cain', + 'cains', + 'caique', + 'caiques', + 'caird', + 'cairds', + 'cairn', + 'cairned', + 'cairngorm', 'cairngorms', + 'cairns', + 'cairny', + 'caisson', + 'caissons', + 'caitiff', + 'caitiffs', + 'cajaput', + 'cajaputs', + 'cajeput', + 'cajeputs', + 'cajole', + 'cajoled', 'cajolement', 'cajolements', + 'cajoler', 'cajoleries', + 'cajolers', + 'cajolery', + 'cajoles', + 'cajoling', + 'cajon', + 'cajones', + 'cajuput', + 'cajuputs', + 'cake', + 'caked', + 'cakes', + 'cakewalk', 'cakewalked', 'cakewalker', 'cakewalkers', 'cakewalking', + 'cakewalks', + 'cakey', + 'cakier', + 'cakiest', + 'caking', + 'caky', + 'calabash', 'calabashes', + 'calaboose', 'calabooses', + 'caladium', + 'caladiums', 'calamander', 'calamanders', + 'calamar', + 'calamari', 'calamaries', + 'calamaris', + 'calamars', + 'calamary', + 'calami', + 'calamine', + 'calamined', + 'calamines', 'calamining', + 'calamint', + 'calamints', + 'calamite', + 'calamites', 'calamities', 'calamitous', 'calamitously', + 'calamity', 'calamondin', 'calamondins', + 'calamus', + 'calando', + 'calash', + 'calashes', + 'calathi', + 'calathos', + 'calathus', + 'calcanea', + 'calcaneal', + 'calcanei', + 'calcaneum', + 'calcaneus', + 'calcar', 'calcareous', 'calcareously', + 'calcaria', + 'calcars', + 'calceate', + 'calces', + 'calcic', + 'calcicole', 'calcicoles', 'calcicolous', 'calciferol', 'calciferols', 'calciferous', + 'calcific', 'calcification', 'calcifications', + 'calcified', + 'calcifies', + 'calcifuge', 'calcifuges', 'calcifugous', + 'calcify', 'calcifying', + 'calcimine', 'calcimined', 'calcimines', 'calcimining', 'calcination', 'calcinations', + 'calcine', + 'calcined', + 'calcines', + 'calcining', 'calcinoses', 'calcinosis', + 'calcite', + 'calcites', + 'calcitic', 'calcitonin', 'calcitonins', + 'calcium', + 'calciums', + 'calcspar', + 'calcspars', + 'calctufa', + 'calctufas', + 'calctuff', + 'calctuffs', 'calculable', + 'calculate', 'calculated', 'calculatedly', 'calculatedness', @@ -7014,18 +20205,48 @@ export const scrabble_array = [ 'calculations', 'calculator', 'calculators', + 'calculi', + 'calculous', + 'calculus', 'calculuses', + 'caldaria', + 'caldarium', + 'caldera', + 'calderas', + 'caldron', + 'caldrons', + 'caleche', + 'caleches', 'calefactories', 'calefactory', + 'calendal', + 'calendar', 'calendared', 'calendaring', + 'calendars', + 'calender', 'calendered', 'calenderer', 'calenderers', 'calendering', + 'calenders', + 'calendric', 'calendrical', + 'calends', + 'calendula', 'calendulas', + 'calenture', 'calentures', + 'calesa', + 'calesas', + 'calf', + 'calflike', + 'calfs', + 'calfskin', + 'calfskins', + 'caliber', + 'calibers', + 'calibrate', 'calibrated', 'calibrates', 'calibrating', @@ -7033,14 +20254,69 @@ export const scrabble_array = [ 'calibrations', 'calibrator', 'calibrators', + 'calibre', + 'calibred', + 'calibres', + 'calices', + 'caliche', + 'caliches', + 'calicle', + 'calicles', + 'calico', + 'calicoes', + 'calicos', + 'calif', + 'califate', + 'califates', 'californium', 'californiums', + 'califs', 'caliginous', + 'calipash', 'calipashes', + 'calipee', + 'calipees', + 'caliper', + 'calipered', 'calipering', + 'calipers', + 'caliph', + 'caliphal', + 'caliphate', 'caliphates', + 'caliphs', + 'calisaya', + 'calisayas', 'calisthenic', 'calisthenics', + 'calix', + 'calk', + 'calked', + 'calker', + 'calkers', + 'calkin', + 'calking', + 'calkins', + 'calks', + 'call', + 'calla', + 'callable', + 'callaloo', + 'callaloos', + 'callan', + 'callans', + 'callant', + 'callants', + 'callas', + 'callback', + 'callbacks', + 'callboy', + 'callboys', + 'called', + 'caller', + 'callers', + 'callet', + 'callets', 'calligrapher', 'calligraphers', 'calligraphic', @@ -7049,31 +20325,97 @@ export const scrabble_array = [ 'calligraphist', 'calligraphists', 'calligraphy', + 'calling', + 'callings', + 'calliope', + 'calliopes', + 'callipee', + 'callipees', + 'calliper', 'callipered', 'callipering', + 'callipers', 'callipygian', 'callipygous', 'callithump', 'callithumpian', 'callithumps', + 'callose', + 'calloses', 'callosities', + 'callosity', + 'callous', + 'calloused', + 'callouses', 'callousing', + 'callously', 'callousness', 'callousnesses', + 'callow', + 'callower', + 'callowest', 'callowness', 'callownesses', + 'calls', + 'callus', + 'callused', + 'calluses', + 'callusing', + 'calm', + 'calmative', 'calmatives', + 'calmed', + 'calmer', + 'calmest', + 'calming', + 'calmly', + 'calmness', 'calmnesses', 'calmodulin', 'calmodulins', + 'calms', + 'calo', + 'calomel', + 'calomels', + 'caloric', 'calorically', + 'calorics', + 'calorie', + 'calories', + 'calorific', 'calorimeter', 'calorimeters', 'calorimetric', 'calorimetrically', 'calorimetries', 'calorimetry', + 'calorize', + 'calorized', + 'calorizes', 'calorizing', + 'calory', + 'calotte', + 'calottes', + 'calotype', + 'calotypes', + 'caloyer', + 'caloyers', + 'calpac', + 'calpack', + 'calpacks', + 'calpacs', + 'calque', + 'calqued', + 'calques', + 'calquing', + 'calthrop', + 'calthrops', + 'caltrap', + 'caltraps', + 'caltrop', + 'caltrops', + 'calumet', + 'calumets', 'calumniate', 'calumniated', 'calumniates', @@ -7082,25 +20424,127 @@ export const scrabble_array = [ 'calumniations', 'calumniator', 'calumniators', + 'calumnies', 'calumnious', 'calumniously', + 'calumny', + 'calutron', + 'calutrons', + 'calvados', 'calvadoses', + 'calvaria', + 'calvarias', + 'calvaries', + 'calvarium', + 'calvary', + 'calve', + 'calved', + 'calves', + 'calving', + 'calx', + 'calxes', + 'calycate', + 'calyceal', + 'calyces', + 'calycine', + 'calycle', + 'calycles', + 'calyculi', + 'calyculus', + 'calypso', + 'calypsoes', 'calypsonian', 'calypsonians', + 'calypsos', + 'calypter', + 'calypters', + 'calyptra', + 'calyptras', + 'calyx', + 'calyxes', + 'calzone', + 'calzones', + 'cam', + 'camail', + 'camailed', + 'camails', 'camaraderie', 'camaraderies', + 'camarilla', 'camarillas', + 'camas', + 'camases', + 'camass', + 'camasses', + 'camber', + 'cambered', + 'cambering', + 'cambers', + 'cambia', + 'cambial', + 'cambism', + 'cambisms', + 'cambist', + 'cambists', + 'cambium', + 'cambiums', + 'cambogia', + 'cambogias', + 'cambric', + 'cambrics', + 'camcorder', 'camcorders', + 'came', + 'camel', + 'camelback', 'camelbacks', + 'cameleer', + 'cameleers', + 'camelia', + 'camelias', + 'camellia', + 'camellias', 'camelopard', 'camelopards', + 'camels', + 'cameo', + 'cameoed', + 'cameoing', + 'cameos', + 'camera', + 'camerae', + 'cameral', + 'cameraman', + 'cameramen', 'cameraperson', 'camerapersons', + 'cameras', 'camerawoman', 'camerawomen', 'camerlengo', 'camerlengos', + 'cames', + 'camion', + 'camions', + 'camisa', + 'camisade', + 'camisades', + 'camisado', 'camisadoes', + 'camisados', + 'camisas', + 'camise', + 'camises', + 'camisia', + 'camisias', + 'camisole', + 'camisoles', + 'camlet', + 'camlets', + 'camomile', + 'camomiles', + 'camorra', + 'camorras', 'camorrista', 'camorristi', 'camouflage', @@ -7109,65 +20553,176 @@ export const scrabble_array = [ 'camouflages', 'camouflagic', 'camouflaging', + 'camp', + 'campagna', + 'campagne', + 'campaign', 'campaigned', 'campaigner', 'campaigners', 'campaigning', + 'campaigns', + 'campanile', 'campaniles', + 'campanili', 'campanologies', 'campanologist', 'campanologists', 'campanology', + 'campanula', 'campanulas', 'campanulate', + 'campcraft', 'campcrafts', + 'camped', + 'camper', + 'campers', + 'campesino', 'campesinos', 'campestral', + 'campfire', + 'campfires', 'campground', 'campgrounds', + 'camphene', + 'camphenes', + 'camphine', + 'camphines', + 'camphire', + 'camphires', + 'camphol', + 'camphols', + 'camphor', 'camphoraceous', 'camphorate', 'camphorated', 'camphorates', 'camphorating', + 'camphors', + 'campi', + 'campier', + 'campiest', + 'campily', + 'campiness', 'campinesses', + 'camping', + 'campings', + 'campion', + 'campions', + 'campo', + 'campong', + 'campongs', + 'camporee', + 'camporees', + 'campos', + 'camps', + 'campsite', + 'campsites', + 'campus', + 'campused', + 'campuses', + 'campusing', + 'campy', 'campylobacter', 'campylobacters', 'campylotropous', + 'cams', + 'camshaft', + 'camshafts', + 'can', + 'canaille', + 'canailles', + 'canakin', + 'canakins', + 'canal', + 'canaled', 'canalicular', 'canaliculi', 'canaliculus', + 'canaling', + 'canalise', + 'canalised', + 'canalises', 'canalising', 'canalization', 'canalizations', + 'canalize', + 'canalized', + 'canalizes', 'canalizing', + 'canalled', + 'canaller', + 'canallers', + 'canalling', + 'canals', + 'canape', + 'canapes', + 'canard', + 'canards', + 'canaries', + 'canary', + 'canasta', + 'canastas', + 'cancan', + 'cancans', + 'cancel', 'cancelable', 'cancelation', 'cancelations', + 'canceled', + 'canceler', + 'cancelers', + 'canceling', 'cancellable', 'cancellation', 'cancellations', + 'cancelled', + 'canceller', 'cancellers', 'cancelling', 'cancellous', + 'cancels', + 'cancer', + 'cancerous', 'cancerously', + 'cancers', + 'cancha', + 'canchas', + 'cancroid', + 'cancroids', + 'candela', 'candelabra', 'candelabras', 'candelabrum', 'candelabrums', + 'candelas', + 'candent', 'candescence', 'candescences', 'candescent', + 'candid', + 'candida', 'candidacies', + 'candidacy', + 'candidas', + 'candidate', 'candidates', 'candidature', 'candidatures', + 'candider', + 'candidest', 'candidiases', 'candidiasis', + 'candidly', 'candidness', 'candidnesses', + 'candids', + 'candied', + 'candies', + 'candle', 'candleberries', 'candleberry', + 'candled', 'candlefish', 'candlefishes', 'candleholder', @@ -7177,10 +20732,16 @@ export const scrabble_array = [ 'candlelighter', 'candlelighters', 'candlelights', + 'candlelit', + 'candlenut', 'candlenuts', + 'candlepin', 'candlepins', 'candlepower', 'candlepowers', + 'candler', + 'candlers', + 'candles', 'candlesnuffer', 'candlesnuffers', 'candlestick', @@ -7189,19 +20750,79 @@ export const scrabble_array = [ 'candlewicks', 'candlewood', 'candlewoods', + 'candling', + 'candor', + 'candors', + 'candour', + 'candours', + 'candy', 'candyfloss', 'candyflosses', + 'candying', + 'candytuft', 'candytufts', + 'cane', + 'canebrake', 'canebrakes', + 'caned', + 'canella', + 'canellas', + 'canephor', + 'canephors', + 'caner', + 'caners', + 'canes', + 'canescent', + 'caneware', + 'canewares', + 'canfield', + 'canfields', + 'canful', + 'canfuls', + 'cangue', + 'cangues', + 'canicular', + 'canid', + 'canids', + 'canikin', + 'canikins', + 'canine', + 'canines', + 'caning', 'caninities', + 'caninity', + 'canister', + 'canisters', + 'canities', + 'canker', + 'cankered', + 'cankering', + 'cankerous', + 'cankers', 'cankerworm', 'cankerworms', + 'canna', + 'cannabic', + 'cannabin', 'cannabinoid', 'cannabinoids', 'cannabinol', 'cannabinols', + 'cannabins', + 'cannabis', 'cannabises', + 'cannas', + 'canned', + 'cannel', 'cannelloni', + 'cannelon', + 'cannelons', + 'cannels', + 'canner', + 'canneries', + 'canners', + 'cannery', + 'cannibal', 'cannibalise', 'cannibalised', 'cannibalises', @@ -7215,8 +20836,22 @@ export const scrabble_array = [ 'cannibalized', 'cannibalizes', 'cannibalizing', + 'cannibals', + 'cannie', + 'cannier', + 'canniest', + 'cannikin', + 'cannikins', + 'cannily', + 'canniness', 'canninesses', + 'canning', + 'cannings', + 'cannister', 'cannisters', + 'cannoli', + 'cannon', + 'cannonade', 'cannonaded', 'cannonades', 'cannonading', @@ -7224,21 +20859,73 @@ export const scrabble_array = [ 'cannonballed', 'cannonballing', 'cannonballs', + 'cannoned', + 'cannoneer', 'cannoneers', + 'cannoning', 'cannonries', + 'cannonry', + 'cannons', + 'cannot', + 'cannula', + 'cannulae', + 'cannular', + 'cannulas', + 'canny', + 'canoe', + 'canoeable', + 'canoed', + 'canoeing', + 'canoeist', + 'canoeists', + 'canoes', + 'canola', + 'canon', + 'canoness', 'canonesses', + 'canonic', + 'canonical', 'canonically', 'canonicals', 'canonicities', 'canonicity', + 'canonise', + 'canonised', + 'canonises', 'canonising', + 'canonist', + 'canonists', 'canonization', 'canonizations', + 'canonize', + 'canonized', + 'canonizes', 'canonizing', + 'canonries', + 'canonry', + 'canons', + 'canoodle', + 'canoodled', + 'canoodles', 'canoodling', + 'canopied', + 'canopies', + 'canopy', + 'canopying', + 'canorous', 'canorously', 'canorousness', 'canorousnesses', + 'cans', + 'cansful', + 'canso', + 'cansos', + 'canst', + 'cant', + 'cantabile', + 'cantala', + 'cantalas', + 'cantaloup', 'cantaloupe', 'cantaloupes', 'cantaloups', @@ -7246,14 +20933,33 @@ export const scrabble_array = [ 'cantankerously', 'cantankerousness', 'cantankerousnesses', + 'cantata', + 'cantatas', 'cantatrice', 'cantatrices', 'cantatrici', + 'cantdog', + 'cantdogs', + 'canted', + 'canteen', + 'canteens', + 'canter', + 'cantered', + 'cantering', + 'canters', + 'canthal', 'cantharides', 'cantharidin', 'cantharidins', + 'cantharis', 'canthaxanthin', 'canthaxanthins', + 'canthi', + 'canthus', + 'cantic', + 'canticle', + 'canticles', + 'cantilena', 'cantilenas', 'cantilever', 'cantilevered', @@ -7265,20 +20971,75 @@ export const scrabble_array = [ 'cantillating', 'cantillation', 'cantillations', + 'cantina', + 'cantinas', + 'canting', + 'cantle', + 'cantles', + 'canto', + 'canton', + 'cantonal', + 'cantoned', + 'cantoning', 'cantonment', 'cantonments', + 'cantons', + 'cantor', + 'cantorial', + 'cantors', + 'cantos', + 'cantraip', + 'cantraips', + 'cantrap', + 'cantraps', + 'cantrip', + 'cantrips', + 'cants', + 'cantus', + 'canty', + 'canula', + 'canulae', + 'canulas', + 'canulate', + 'canulated', + 'canulates', 'canulating', + 'canvas', 'canvasback', 'canvasbacks', + 'canvased', + 'canvaser', + 'canvasers', + 'canvases', + 'canvasing', 'canvaslike', + 'canvass', + 'canvassed', + 'canvasser', 'canvassers', + 'canvasses', 'canvassing', + 'canyon', + 'canyons', + 'canzona', + 'canzonas', + 'canzone', + 'canzones', + 'canzonet', + 'canzonets', + 'canzoni', 'caoutchouc', 'caoutchoucs', + 'cap', 'capabilities', 'capability', + 'capable', 'capableness', 'capablenesses', + 'capabler', + 'capablest', + 'capably', + 'capacious', 'capaciously', 'capaciousness', 'capaciousnesses', @@ -7293,17 +21054,48 @@ export const scrabble_array = [ 'capacities', 'capacitive', 'capacitively', + 'capacitor', 'capacitors', + 'capacity', + 'caparison', 'caparisoned', 'caparisoning', 'caparisons', + 'cape', + 'caped', + 'capelan', + 'capelans', + 'capelet', + 'capelets', + 'capelin', + 'capelins', + 'caper', 'capercaillie', 'capercaillies', 'capercailzie', 'capercailzies', + 'capered', + 'caperer', + 'caperers', + 'capering', + 'capers', + 'capes', + 'capeskin', + 'capeskins', + 'capework', + 'capeworks', + 'capful', + 'capfuls', + 'caph', + 'caphs', + 'capias', + 'capiases', 'capillaries', 'capillarities', 'capillarity', + 'capillary', + 'capita', + 'capital', 'capitalise', 'capitalised', 'capitalises', @@ -7320,8 +21112,15 @@ export const scrabble_array = [ 'capitalized', 'capitalizes', 'capitalizing', + 'capitally', + 'capitals', + 'capitate', 'capitation', 'capitations', + 'capitol', + 'capitols', + 'capitula', + 'capitular', 'capitularies', 'capitulary', 'capitulate', @@ -7330,34 +21129,114 @@ export const scrabble_array = [ 'capitulating', 'capitulation', 'capitulations', + 'capitulum', + 'capless', + 'caplet', + 'caplets', + 'caplin', + 'caplins', + 'capmaker', + 'capmakers', + 'capo', + 'capon', + 'caponata', + 'caponatas', + 'caponier', + 'caponiers', + 'caponize', + 'caponized', + 'caponizes', 'caponizing', + 'capons', + 'caporal', + 'caporals', + 'capos', + 'capote', + 'capotes', + 'capouch', + 'capouches', + 'capped', 'cappelletti', + 'capper', + 'cappers', + 'capping', + 'cappings', 'cappuccino', 'cappuccinos', + 'capric', + 'capricci', + 'capriccio', 'capriccios', + 'caprice', + 'caprices', 'capricious', 'capriciously', 'capriciousness', 'capriciousnesses', 'caprification', 'caprifications', + 'caprifig', + 'caprifigs', + 'caprine', + 'capriole', + 'caprioled', + 'caprioles', 'caprioling', + 'capris', + 'caprock', + 'caprocks', 'caprolactam', 'caprolactams', + 'caps', + 'capsaicin', 'capsaicins', + 'capsicin', + 'capsicins', + 'capsicum', + 'capsicums', + 'capsid', + 'capsidal', + 'capsids', + 'capsize', + 'capsized', + 'capsizes', + 'capsizing', + 'capsomer', + 'capsomers', + 'capstan', + 'capstans', + 'capstone', + 'capstones', + 'capsular', 'capsulated', + 'capsule', + 'capsuled', + 'capsules', + 'capsuling', + 'capsulize', 'capsulized', 'capsulizes', 'capsulizing', + 'captain', 'captaincies', + 'captaincy', + 'captained', 'captaining', + 'captains', 'captainship', 'captainships', + 'captan', + 'captans', + 'caption', + 'captioned', 'captioning', 'captionless', + 'captions', + 'captious', 'captiously', 'captiousness', 'captiousnesses', + 'captivate', 'captivated', 'captivates', 'captivating', @@ -7365,21 +21244,73 @@ export const scrabble_array = [ 'captivations', 'captivator', 'captivators', + 'captive', + 'captives', 'captivities', + 'captivity', + 'captopril', 'captoprils', + 'captor', + 'captors', + 'capture', + 'captured', + 'capturer', + 'capturers', + 'captures', + 'capturing', + 'capuche', + 'capuched', + 'capuches', + 'capuchin', + 'capuchins', + 'caput', + 'capybara', + 'capybaras', + 'car', + 'carabao', + 'carabaos', + 'carabid', + 'carabids', + 'carabin', + 'carabine', 'carabineer', 'carabineers', + 'carabiner', 'carabinero', 'carabineros', 'carabiners', + 'carabines', 'carabinier', 'carabiniere', 'carabinieri', 'carabiniers', + 'carabins', + 'caracal', + 'caracals', + 'caracara', + 'caracaras', + 'carack', + 'caracks', + 'caracol', + 'caracole', + 'caracoled', + 'caracoles', 'caracoling', 'caracolled', 'caracolling', + 'caracols', + 'caracul', + 'caraculs', + 'carafe', + 'carafes', + 'caragana', + 'caraganas', + 'carageen', + 'carageens', + 'caramba', + 'carambola', 'carambolas', + 'caramel', 'caramelise', 'caramelised', 'caramelises', @@ -7388,50 +21319,108 @@ export const scrabble_array = [ 'caramelized', 'caramelizes', 'caramelizing', + 'caramels', + 'carangid', + 'carangids', + 'carapace', + 'carapaces', + 'carapax', + 'carapaxes', + 'carassow', + 'carassows', + 'carat', + 'carate', + 'carates', + 'carats', + 'caravan', + 'caravaned', + 'caravaner', 'caravaners', 'caravaning', 'caravanned', 'caravanner', 'caravanners', 'caravanning', + 'caravans', 'caravansaries', 'caravansary', 'caravanserai', 'caravanserais', + 'caravel', + 'caravels', + 'caraway', + 'caraways', + 'carb', + 'carbachol', 'carbachols', + 'carbamate', 'carbamates', + 'carbamic', + 'carbamide', 'carbamides', + 'carbamino', + 'carbamyl', + 'carbamyls', + 'carbanion', 'carbanions', + 'carbarn', + 'carbarns', + 'carbaryl', + 'carbaryls', + 'carbazole', 'carbazoles', + 'carbide', + 'carbides', + 'carbine', + 'carbines', + 'carbinol', + 'carbinols', + 'carbo', 'carbocyclic', 'carbohydrase', 'carbohydrases', 'carbohydrate', 'carbohydrates', + 'carbolic', + 'carbolics', + 'carbon', 'carbonaceous', + 'carbonade', 'carbonades', + 'carbonado', 'carbonadoed', 'carbonadoes', 'carbonadoing', 'carbonados', + 'carbonara', 'carbonaras', + 'carbonate', 'carbonated', 'carbonates', 'carbonating', 'carbonation', 'carbonations', + 'carbonic', 'carboniferous', 'carbonization', 'carbonizations', + 'carbonize', 'carbonized', 'carbonizes', 'carbonizing', 'carbonless', 'carbonnade', 'carbonnades', + 'carbons', + 'carbonyl', 'carbonylation', 'carbonylations', 'carbonylic', + 'carbonyls', + 'carbora', + 'carboras', + 'carbos', + 'carboxyl', 'carboxylase', 'carboxylases', 'carboxylate', @@ -7441,33 +21430,53 @@ export const scrabble_array = [ 'carboxylation', 'carboxylations', 'carboxylic', + 'carboxyls', 'carboxymethylcellulose', 'carboxymethylcelluloses', 'carboxypeptidase', 'carboxypeptidases', + 'carboy', + 'carboyed', + 'carboys', + 'carbs', + 'carbuncle', 'carbuncled', 'carbuncles', 'carbuncular', + 'carburet', 'carbureted', 'carbureting', 'carburetion', 'carburetions', 'carburetor', 'carburetors', + 'carburets', 'carburetted', 'carburetter', 'carburetters', 'carburetting', 'carburettor', 'carburettors', + 'carburise', 'carburised', 'carburises', 'carburising', 'carburization', 'carburizations', + 'carburize', 'carburized', 'carburizes', 'carburizing', + 'carcajou', + 'carcajous', + 'carcanet', + 'carcanets', + 'carcase', + 'carcases', + 'carcass', + 'carcasses', + 'carcel', + 'carcels', 'carcinogen', 'carcinogeneses', 'carcinogenesis', @@ -7475,7 +21484,9 @@ export const scrabble_array = [ 'carcinogenicities', 'carcinogenicity', 'carcinogens', + 'carcinoid', 'carcinoids', + 'carcinoma', 'carcinomas', 'carcinomata', 'carcinomatoses', @@ -7485,16 +21496,40 @@ export const scrabble_array = [ 'carcinosarcoma', 'carcinosarcomas', 'carcinosarcomata', + 'card', + 'cardamom', + 'cardamoms', + 'cardamon', + 'cardamons', + 'cardamum', + 'cardamums', + 'cardboard', 'cardboards', + 'cardcase', + 'cardcases', + 'carded', + 'carder', + 'carders', 'cardholder', 'cardholders', + 'cardia', + 'cardiac', + 'cardiacs', + 'cardiae', + 'cardias', + 'cardigan', + 'cardigans', + 'cardinal', 'cardinalate', 'cardinalates', 'cardinalities', 'cardinality', 'cardinally', + 'cardinals', 'cardinalship', 'cardinalships', + 'carding', + 'cardings', 'cardiogenic', 'cardiogram', 'cardiograms', @@ -7503,6 +21538,8 @@ export const scrabble_array = [ 'cardiographies', 'cardiographs', 'cardiography', + 'cardioid', + 'cardioids', 'cardiological', 'cardiologies', 'cardiologist', @@ -7518,29 +21555,88 @@ export const scrabble_array = [ 'cardiotonic', 'cardiotonics', 'cardiovascular', + 'carditic', + 'carditis', 'carditises', + 'cardoon', + 'cardoons', 'cardplayer', 'cardplayers', + 'cards', + 'cardsharp', 'cardsharper', 'cardsharpers', 'cardsharps', + 'care', + 'cared', + 'careen', + 'careened', + 'careener', + 'careeners', + 'careening', + 'careens', + 'career', + 'careered', + 'careerer', + 'careerers', + 'careering', + 'careerism', 'careerisms', + 'careerist', 'careerists', + 'careers', + 'carefree', + 'careful', 'carefuller', 'carefullest', + 'carefully', 'carefulness', 'carefulnesses', + 'caregiver', 'caregivers', 'caregiving', 'caregivings', + 'careless', 'carelessly', 'carelessness', 'carelessnesses', + 'carer', + 'carers', + 'cares', + 'caress', + 'caressed', + 'caresser', + 'caressers', + 'caresses', + 'caressing', 'caressingly', + 'caressive', 'caressively', + 'caret', + 'caretake', + 'caretaken', + 'caretaker', 'caretakers', + 'caretakes', 'caretaking', 'caretakings', + 'caretook', + 'carets', + 'careworn', + 'carex', + 'carfare', + 'carfares', + 'carful', + 'carfuls', + 'cargo', + 'cargoes', + 'cargos', + 'carhop', + 'carhops', + 'caribe', + 'caribes', + 'caribou', + 'caribous', 'caricatural', 'caricature', 'caricatured', @@ -7548,62 +21644,207 @@ export const scrabble_array = [ 'caricaturing', 'caricaturist', 'caricaturists', + 'carices', + 'caried', + 'caries', + 'carillon', 'carillonned', 'carillonneur', 'carillonneurs', 'carillonning', + 'carillons', + 'carina', + 'carinae', + 'carinal', + 'carinas', + 'carinate', + 'carinated', + 'caring', + 'carioca', + 'cariocas', 'cariogenic', + 'cariole', + 'carioles', + 'carious', + 'caritas', + 'caritases', + 'carjacker', 'carjackers', 'carjacking', 'carjackings', + 'cark', + 'carked', + 'carking', + 'carks', + 'carl', + 'carle', + 'carles', + 'carless', + 'carlin', + 'carline', + 'carlines', + 'carling', + 'carlings', + 'carlins', + 'carlish', + 'carload', + 'carloads', + 'carls', 'carmagnole', 'carmagnoles', + 'carmaker', + 'carmakers', + 'carman', + 'carmen', 'carminative', 'carminatives', + 'carmine', + 'carmines', + 'carn', + 'carnage', + 'carnages', + 'carnal', 'carnalities', + 'carnality', 'carnallite', 'carnallites', + 'carnally', 'carnassial', 'carnassials', + 'carnation', 'carnations', + 'carnauba', + 'carnaubas', + 'carnelian', 'carnelians', + 'carnet', + 'carnets', + 'carney', + 'carneys', + 'carnie', + 'carnies', + 'carnified', + 'carnifies', + 'carnify', 'carnifying', + 'carnitine', 'carnitines', + 'carnival', + 'carnivals', + 'carnivora', + 'carnivore', 'carnivores', 'carnivorous', 'carnivorously', 'carnivorousness', 'carnivorousnesses', + 'carnotite', 'carnotites', + 'carns', + 'carny', + 'caroach', + 'caroaches', + 'carob', + 'carobs', + 'caroch', + 'caroche', + 'caroches', + 'carol', + 'caroled', + 'caroler', + 'carolers', + 'caroli', + 'caroling', + 'carolled', + 'caroller', + 'carollers', + 'carolling', + 'carols', + 'carolus', + 'caroluses', + 'carom', + 'caromed', + 'caroming', + 'caroms', + 'carotene', + 'carotenes', 'carotenoid', 'carotenoids', + 'carotid', + 'carotids', + 'carotin', 'carotinoid', 'carotinoids', + 'carotins', + 'carousal', + 'carousals', + 'carouse', + 'caroused', + 'carousel', + 'carousels', + 'carouser', + 'carousers', + 'carouses', + 'carousing', + 'carp', + 'carpaccio', 'carpaccios', + 'carpal', + 'carpale', + 'carpalia', + 'carpals', + 'carped', + 'carpel', 'carpellary', 'carpellate', + 'carpels', + 'carpenter', 'carpentered', 'carpentering', 'carpenters', 'carpentries', + 'carpentry', + 'carper', + 'carpers', + 'carpet', + 'carpetbag', 'carpetbagger', 'carpetbaggeries', 'carpetbaggers', 'carpetbaggery', 'carpetbagging', 'carpetbags', + 'carpeted', + 'carpeting', 'carpetings', + 'carpets', 'carpetweed', 'carpetweeds', + 'carpi', + 'carping', + 'carpingly', + 'carpings', 'carpogonia', 'carpogonial', 'carpogonium', + 'carpool', + 'carpooled', + 'carpooler', 'carpoolers', 'carpooling', + 'carpools', 'carpophore', 'carpophores', + 'carport', + 'carports', 'carpospore', 'carpospores', + 'carps', + 'carpus', + 'carr', + 'carrack', + 'carracks', + 'carrageen', 'carrageenan', 'carrageenans', 'carrageenin', @@ -7611,31 +21852,94 @@ export const scrabble_array = [ 'carrageens', 'carragheen', 'carragheens', + 'carrefour', 'carrefours', + 'carrel', + 'carrell', + 'carrells', + 'carrels', + 'carriage', + 'carriages', 'carriageway', 'carriageways', + 'carried', + 'carrier', + 'carriers', + 'carries', + 'carriole', + 'carrioles', + 'carrion', + 'carrions', + 'carritch', 'carritches', + 'carroch', + 'carroches', + 'carrom', + 'carromed', + 'carroming', + 'carroms', + 'carronade', 'carronades', + 'carrot', + 'carrotier', 'carrotiest', + 'carrotin', + 'carrotins', + 'carrots', + 'carrottop', 'carrottopped', 'carrottops', + 'carroty', + 'carrousel', 'carrousels', + 'carrs', + 'carry', + 'carryall', + 'carryalls', + 'carryback', 'carrybacks', 'carryforward', 'carryforwards', + 'carrying', + 'carryon', + 'carryons', + 'carryout', + 'carryouts', + 'carryover', 'carryovers', + 'cars', + 'carse', + 'carses', + 'carsick', 'carsickness', 'carsicknesses', + 'cart', + 'cartable', + 'cartage', + 'cartages', + 'carte', + 'carted', + 'cartel', + 'cartelise', 'cartelised', 'cartelises', 'cartelising', 'cartelization', 'cartelizations', + 'cartelize', 'cartelized', 'cartelizes', 'cartelizing', + 'cartels', + 'carter', + 'carters', + 'cartes', + 'cartilage', 'cartilages', 'cartilaginous', + 'carting', + 'cartload', + 'cartloads', 'cartographer', 'cartographers', 'cartographic', @@ -7643,6 +21947,12 @@ export const scrabble_array = [ 'cartographically', 'cartographies', 'cartography', + 'carton', + 'cartoned', + 'cartoning', + 'cartons', + 'cartoon', + 'cartooned', 'cartooning', 'cartoonings', 'cartoonish', @@ -7650,37 +21960,204 @@ export const scrabble_array = [ 'cartoonist', 'cartoonists', 'cartoonlike', + 'cartoons', + 'cartoony', + 'cartop', + 'cartopper', 'cartoppers', + 'cartouch', + 'cartouche', 'cartouches', + 'cartridge', 'cartridges', + 'carts', 'cartularies', + 'cartulary', + 'cartwheel', 'cartwheeled', 'cartwheeler', 'cartwheelers', 'cartwheeling', 'cartwheels', + 'caruncle', + 'caruncles', + 'carvacrol', 'carvacrols', + 'carve', + 'carved', + 'carvel', + 'carvels', + 'carven', + 'carver', + 'carvers', + 'carves', + 'carving', + 'carvings', + 'carwash', + 'carwashes', + 'caryatic', + 'caryatid', 'caryatides', + 'caryatids', + 'caryopses', 'caryopsides', + 'caryopsis', + 'caryotin', + 'caryotins', + 'casa', + 'casaba', + 'casabas', + 'casas', + 'casava', + 'casavas', + 'casbah', + 'casbahs', + 'cascabel', + 'cascabels', + 'cascable', + 'cascables', + 'cascade', + 'cascaded', + 'cascades', + 'cascading', + 'cascara', + 'cascaras', 'cascarilla', 'cascarillas', + 'case', + 'casease', + 'caseases', + 'caseate', + 'caseated', + 'caseates', + 'caseating', + 'caseation', 'caseations', 'casebearer', 'casebearers', + 'casebook', + 'casebooks', + 'cased', + 'casefied', + 'casefies', + 'casefy', + 'casefying', + 'caseic', + 'casein', + 'caseinate', 'caseinates', + 'caseins', + 'caseload', + 'caseloads', + 'casemate', + 'casemates', + 'casement', + 'casements', + 'caseose', + 'caseoses', + 'caseous', + 'casern', + 'caserne', + 'casernes', + 'caserns', + 'cases', + 'casette', + 'casettes', + 'casework', 'caseworker', 'caseworkers', + 'caseworks', + 'caseworm', + 'caseworms', + 'cash', + 'cashable', + 'cashaw', + 'cashaws', + 'cashbook', + 'cashbooks', + 'cashbox', + 'cashboxes', + 'cashed', + 'cashes', + 'cashew', + 'cashews', + 'cashier', + 'cashiered', 'cashiering', + 'cashiers', + 'cashing', + 'cashless', + 'cashmere', + 'cashmeres', + 'cashoo', + 'cashoos', + 'casimere', + 'casimeres', + 'casimire', + 'casimires', + 'casing', + 'casings', + 'casini', + 'casino', + 'casinos', + 'casita', + 'casitas', + 'cask', + 'casked', + 'casket', + 'casketed', + 'casketing', + 'caskets', + 'casking', + 'casks', + 'casky', + 'casque', + 'casqued', + 'casques', + 'cassaba', + 'cassabas', + 'cassata', + 'cassatas', + 'cassava', + 'cassavas', + 'casserole', 'casseroles', + 'cassette', + 'cassettes', + 'cassia', + 'cassias', + 'cassimere', 'cassimeres', + 'cassino', + 'cassinos', + 'cassis', + 'cassises', 'cassiterite', 'cassiterites', + 'cassock', + 'cassocks', + 'cassoulet', 'cassoulets', 'cassowaries', + 'cassowary', + 'cast', 'castabilities', 'castability', + 'castable', + 'castanet', + 'castanets', + 'castaway', + 'castaways', + 'caste', + 'casteism', + 'casteisms', + 'castellan', 'castellans', 'castellated', + 'caster', + 'casters', + 'castes', + 'castigate', 'castigated', 'castigates', 'castigating', @@ -7688,18 +22165,49 @@ export const scrabble_array = [ 'castigations', 'castigator', 'castigators', + 'casting', + 'castings', + 'castle', + 'castled', + 'castles', + 'castling', + 'castoff', + 'castoffs', + 'castor', + 'castoreum', 'castoreums', + 'castors', + 'castrate', + 'castrated', + 'castrates', + 'castrati', 'castrating', 'castration', 'castrations', + 'castrato', + 'castrator', 'castrators', 'castratory', + 'castratos', + 'casts', + 'casual', + 'casually', 'casualness', 'casualnesses', + 'casuals', 'casualties', + 'casualty', + 'casuarina', 'casuarinas', + 'casuist', + 'casuistic', 'casuistical', 'casuistries', + 'casuistry', + 'casuists', + 'casus', + 'cat', + 'catabolic', 'catabolically', 'catabolism', 'catabolisms', @@ -7714,47 +22222,90 @@ export const scrabble_array = [ 'catachrestic', 'catachrestical', 'catachrestically', + 'cataclysm', 'cataclysmal', 'cataclysmic', 'cataclysmically', 'cataclysms', + 'catacomb', + 'catacombs', 'catadioptric', 'catadromous', 'catafalque', 'catafalques', + 'catalase', + 'catalases', + 'catalatic', 'catalectic', 'catalectics', 'catalepsies', + 'catalepsy', 'cataleptic', 'cataleptically', 'cataleptics', + 'catalexes', + 'catalexis', + 'catalo', + 'cataloes', + 'catalog', + 'cataloged', + 'cataloger', 'catalogers', 'cataloging', + 'catalogs', + 'catalogue', 'catalogued', 'cataloguer', 'cataloguers', 'catalogues', 'cataloguing', + 'catalos', + 'catalpa', + 'catalpas', + 'catalyses', + 'catalysis', + 'catalyst', + 'catalysts', + 'catalytic', 'catalytically', + 'catalyze', + 'catalyzed', + 'catalyzer', 'catalyzers', + 'catalyzes', 'catalyzing', + 'catamaran', 'catamarans', + 'catamenia', 'catamenial', + 'catamite', + 'catamites', + 'catamount', 'catamounts', + 'cataphora', 'cataphoras', 'cataphoreses', 'cataphoresis', 'cataphoretic', 'cataphoretically', 'cataphoric', + 'cataplasm', 'cataplasms', 'cataplexies', + 'cataplexy', + 'catapult', 'catapulted', 'catapulting', + 'catapults', + 'cataract', 'cataractous', + 'cataracts', + 'catarrh', + 'catarrhal', 'catarrhally', 'catarrhine', 'catarrhines', + 'catarrhs', 'catastrophe', 'catastrophes', 'catastrophic', @@ -7763,37 +22314,81 @@ export const scrabble_array = [ 'catastrophisms', 'catastrophist', 'catastrophists', + 'catatonia', 'catatonias', + 'catatonic', 'catatonically', 'catatonics', + 'catawba', + 'catawbas', + 'catbird', + 'catbirds', + 'catboat', + 'catboats', + 'catbrier', + 'catbriers', + 'catcall', + 'catcalled', 'catcalling', + 'catcalls', + 'catch', + 'catchable', + 'catchall', + 'catchalls', + 'catcher', + 'catchers', + 'catches', 'catchflies', + 'catchfly', + 'catchier', + 'catchiest', + 'catching', + 'catchment', 'catchments', 'catchpenny', 'catchphrase', 'catchphrases', + 'catchpole', 'catchpoles', + 'catchpoll', 'catchpolls', + 'catchup', + 'catchups', + 'catchword', 'catchwords', + 'catchy', + 'catclaw', + 'catclaws', + 'cate', 'catecheses', 'catechesis', 'catechetical', + 'catechin', + 'catechins', + 'catechism', 'catechismal', 'catechisms', + 'catechist', 'catechistic', 'catechists', 'catechization', 'catechizations', + 'catechize', 'catechized', 'catechizer', 'catechizers', 'catechizes', 'catechizing', + 'catechol', 'catecholamine', 'catecholaminergic', 'catecholamines', + 'catechols', + 'catechu', 'catechumen', 'catechumens', + 'catechus', + 'categoric', 'categorical', 'categorically', 'categories', @@ -7807,31 +22402,86 @@ export const scrabble_array = [ 'categorized', 'categorizes', 'categorizing', + 'category', + 'catena', + 'catenae', 'catenaries', + 'catenary', + 'catenas', + 'catenate', + 'catenated', + 'catenates', 'catenating', 'catenation', 'catenations', + 'catenoid', + 'catenoids', + 'cater', + 'cateran', + 'caterans', 'catercorner', 'catercornered', + 'catered', + 'caterer', + 'caterers', + 'cateress', 'cateresses', + 'catering', 'caterpillar', 'caterpillars', + 'caters', + 'caterwaul', 'caterwauled', 'caterwauling', 'caterwauls', + 'cates', + 'catface', + 'catfaces', + 'catfacing', 'catfacings', + 'catfall', + 'catfalls', + 'catfight', + 'catfights', + 'catfish', + 'catfishes', + 'catgut', + 'catguts', + 'catharses', + 'catharsis', + 'cathartic', 'cathartics', + 'cathead', + 'catheads', + 'cathect', + 'cathected', + 'cathectic', 'cathecting', + 'cathects', + 'cathedra', + 'cathedrae', + 'cathedral', 'cathedrals', + 'cathedras', + 'cathepsin', 'cathepsins', + 'catheter', 'catheterization', 'catheterizations', 'catheterize', 'catheterized', 'catheterizes', 'catheterizing', + 'catheters', + 'cathexes', + 'cathexis', + 'cathodal', 'cathodally', + 'cathode', + 'cathodes', + 'cathodic', 'cathodically', + 'catholic', 'catholically', 'catholicate', 'catholicates', @@ -7846,62 +22496,322 @@ export const scrabble_array = [ 'catholicons', 'catholicos', 'catholicoses', + 'catholics', + 'cathouse', + 'cathouses', + 'cation', + 'cationic', 'cationically', + 'cations', + 'catkin', + 'catkins', + 'catlike', + 'catlin', + 'catling', + 'catlings', + 'catlins', + 'catmint', + 'catmints', + 'catnap', + 'catnaper', + 'catnapers', + 'catnapped', + 'catnapper', 'catnappers', 'catnapping', + 'catnaps', + 'catnip', + 'catnips', + 'catoptric', + 'cats', + 'catspaw', + 'catspaws', + 'catsup', + 'catsups', + 'cattail', + 'cattails', + 'cattalo', + 'cattaloes', + 'cattalos', + 'catted', + 'catteries', + 'cattery', + 'cattie', + 'cattier', + 'catties', + 'cattiest', + 'cattily', + 'cattiness', 'cattinesses', + 'catting', + 'cattish', + 'cattle', + 'cattleman', + 'cattlemen', + 'cattleya', + 'cattleyas', + 'catty', + 'catwalk', + 'catwalks', + 'caucus', + 'caucused', + 'caucuses', + 'caucusing', + 'caucussed', + 'caucusses', 'caucussing', + 'caudad', + 'caudal', + 'caudally', + 'caudate', + 'caudated', + 'caudates', + 'caudex', + 'caudexes', + 'caudices', 'caudillismo', 'caudillismos', + 'caudillo', + 'caudillos', + 'caudle', + 'caudles', + 'caught', + 'caul', + 'cauld', + 'cauldron', + 'cauldrons', + 'caulds', + 'caules', + 'caulicle', + 'caulicles', 'cauliflower', 'caulifloweret', 'cauliflowerets', 'cauliflowers', + 'cauline', + 'caulis', + 'caulk', + 'caulked', + 'caulker', + 'caulkers', + 'caulking', + 'caulkings', + 'caulks', + 'cauls', + 'causable', + 'causal', + 'causalgia', 'causalgias', + 'causalgic', 'causalities', + 'causality', + 'causally', + 'causals', + 'causation', 'causations', + 'causative', 'causatively', 'causatives', + 'cause', + 'caused', + 'causeless', + 'causer', + 'causerie', + 'causeries', + 'causers', + 'causes', + 'causeway', 'causewayed', 'causewaying', + 'causeways', + 'causey', + 'causeys', + 'causing', + 'caustic', 'caustically', 'causticities', 'causticity', + 'caustics', + 'cauteries', 'cauterization', 'cauterizations', + 'cauterize', 'cauterized', 'cauterizes', 'cauterizing', + 'cautery', + 'caution', 'cautionary', + 'cautioned', 'cautioning', + 'cautions', + 'cautious', 'cautiously', 'cautiousness', 'cautiousnesses', + 'cavalcade', 'cavalcades', + 'cavalero', + 'cavaleros', + 'cavaletti', + 'cavalier', 'cavaliered', 'cavaliering', 'cavalierism', 'cavalierisms', 'cavalierly', + 'cavaliers', + 'cavalla', + 'cavallas', 'cavalletti', + 'cavallies', + 'cavally', + 'cavalries', + 'cavalry', 'cavalryman', 'cavalrymen', + 'cavatina', + 'cavatinas', + 'cavatine', + 'cave', + 'caveat', + 'caveated', + 'caveating', + 'caveator', + 'caveators', + 'caveats', + 'caved', + 'cavefish', 'cavefishes', + 'cavelike', + 'caveman', + 'cavemen', + 'caver', + 'cavern', + 'caverned', 'cavernicolous', + 'caverning', + 'cavernous', 'cavernously', + 'caverns', + 'cavers', + 'caves', + 'cavetti', + 'cavetto', + 'cavettos', + 'caviar', + 'caviare', + 'caviares', + 'caviars', + 'cavicorn', + 'cavie', + 'cavies', + 'cavil', + 'caviled', + 'caviler', + 'cavilers', + 'caviling', + 'cavilled', + 'caviller', + 'cavillers', + 'cavilling', + 'cavils', + 'caving', + 'cavings', + 'cavitary', + 'cavitate', + 'cavitated', + 'cavitates', 'cavitating', 'cavitation', 'cavitations', + 'cavitied', + 'cavities', + 'cavity', + 'cavort', + 'cavorted', + 'cavorter', + 'cavorters', + 'cavorting', + 'cavorts', + 'cavy', + 'caw', + 'cawed', + 'cawing', + 'caws', + 'cay', + 'cayenne', + 'cayenned', + 'cayennes', + 'cayman', + 'caymans', + 'cays', + 'cayuse', + 'cayuses', + 'cazique', + 'caziques', + 'ceanothus', 'ceanothuses', + 'cease', + 'ceased', + 'ceaseless', 'ceaselessly', 'ceaselessness', 'ceaselessnesses', + 'ceases', + 'ceasing', + 'cebid', + 'cebids', + 'ceboid', + 'ceboids', + 'ceca', + 'cecal', + 'cecally', + 'cecum', + 'cedar', + 'cedarbird', 'cedarbirds', + 'cedarn', + 'cedars', + 'cedarwood', 'cedarwoods', + 'cede', + 'ceded', + 'ceder', + 'ceders', + 'cedes', + 'cedi', + 'cedilla', + 'cedillas', + 'ceding', + 'cedis', + 'cedula', + 'cedulas', + 'cee', + 'cees', + 'ceiba', + 'ceibas', + 'ceil', + 'ceiled', + 'ceiler', + 'ceilers', + 'ceiling', + 'ceilinged', + 'ceilings', 'ceilometer', 'ceilometers', + 'ceils', + 'ceinture', + 'ceintures', + 'cel', + 'celadon', + 'celadons', + 'celandine', 'celandines', + 'celeb', + 'celebrant', 'celebrants', + 'celebrate', 'celebrated', 'celebratedness', 'celebratednesses', @@ -7913,77 +22823,216 @@ export const scrabble_array = [ 'celebrators', 'celebratory', 'celebrities', + 'celebrity', + 'celebs', + 'celeriac', + 'celeriacs', + 'celeries', 'celerities', + 'celerity', + 'celery', + 'celesta', + 'celestas', + 'celeste', + 'celestes', + 'celestial', 'celestially', 'celestials', + 'celestite', 'celestites', + 'celiac', + 'celiacs', 'celibacies', + 'celibacy', + 'celibate', + 'celibates', + 'cell', + 'cella', + 'cellae', + 'cellar', + 'cellarage', 'cellarages', + 'cellared', + 'cellarer', + 'cellarers', + 'cellaret', + 'cellarets', 'cellarette', 'cellarettes', + 'cellaring', + 'cellars', + 'cellblock', 'cellblocks', + 'celled', + 'celli', + 'celling', + 'cellist', + 'cellists', + 'cellmate', + 'cellmates', + 'cello', 'cellobiose', 'cellobioses', + 'celloidin', 'celloidins', 'cellophane', 'cellophanes', + 'cellos', + 'cells', + 'cellular', 'cellularities', 'cellularity', + 'cellulase', 'cellulases', + 'cellule', + 'cellules', + 'cellulite', 'cellulites', 'cellulitides', 'cellulitis', 'cellulitises', + 'celluloid', 'celluloids', 'cellulolytic', + 'cellulose', 'celluloses', 'cellulosic', 'cellulosics', + 'celom', + 'celomata', + 'celoms', + 'celosia', + 'celosias', + 'cels', + 'celt', + 'celts', + 'cembali', + 'cembalo', + 'cembalos', + 'cement', + 'cementa', 'cementation', 'cementations', + 'cemented', + 'cementer', + 'cementers', + 'cementing', + 'cementite', 'cementites', 'cementitious', + 'cements', + 'cementum', 'cemeteries', + 'cemetery', + 'cenacle', + 'cenacles', + 'cenobite', + 'cenobites', + 'cenobitic', 'cenospecies', + 'cenotaph', + 'cenotaphs', + 'cenote', + 'cenotes', + 'cense', + 'censed', + 'censer', + 'censers', + 'censes', + 'censing', + 'censor', + 'censored', + 'censorial', + 'censoring', 'censorious', 'censoriously', 'censoriousness', 'censoriousnesses', + 'censors', 'censorship', 'censorships', + 'censual', 'censurable', + 'censure', + 'censured', + 'censurer', + 'censurers', + 'censures', + 'censuring', + 'census', + 'censused', + 'censuses', + 'censusing', + 'cent', + 'cental', + 'centals', + 'centare', + 'centares', + 'centaur', + 'centaurea', 'centaureas', 'centauries', + 'centaurs', + 'centaury', + 'centavo', + 'centavos', 'centenarian', 'centenarians', 'centenaries', + 'centenary', 'centennial', 'centennially', 'centennials', + 'center', 'centerboard', 'centerboards', + 'centered', 'centeredness', 'centerednesses', 'centerfold', 'centerfolds', + 'centering', 'centerless', 'centerline', 'centerlines', 'centerpiece', 'centerpieces', + 'centers', + 'centeses', 'centesimal', + 'centesimi', + 'centesimo', 'centesimos', + 'centesis', + 'centiare', + 'centiares', 'centigrade', + 'centigram', 'centigrams', + 'centile', + 'centiles', 'centiliter', 'centiliters', 'centillion', 'centillions', + 'centime', + 'centimes', 'centimeter', 'centimeters', + 'centimo', 'centimorgan', 'centimorgans', + 'centimos', + 'centipede', 'centipedes', + 'centner', + 'centners', + 'cento', + 'centones', + 'centos', + 'centra', + 'central', + 'centraler', 'centralest', 'centralise', 'centralised', @@ -8004,6 +23053,12 @@ export const scrabble_array = [ 'centralizers', 'centralizes', 'centralizing', + 'centrally', + 'centrals', + 'centre', + 'centred', + 'centres', + 'centric', 'centrically', 'centricities', 'centricity', @@ -8016,20 +23071,50 @@ export const scrabble_array = [ 'centrifuged', 'centrifuges', 'centrifuging', + 'centring', + 'centrings', + 'centriole', 'centrioles', 'centripetal', 'centripetally', + 'centrism', + 'centrisms', + 'centrist', + 'centrists', + 'centroid', + 'centroids', 'centromere', 'centromeres', 'centromeric', 'centrosome', 'centrosomes', 'centrosymmetric', + 'centrum', + 'centrums', + 'cents', + 'centum', + 'centums', + 'centuple', + 'centupled', + 'centuples', 'centupling', + 'centuries', + 'centurion', 'centurions', + 'century', + 'ceorl', + 'ceorlish', + 'ceorls', + 'cep', + 'cepe', + 'cepes', + 'cephalad', 'cephalexin', 'cephalexins', + 'cephalic', 'cephalically', + 'cephalin', + 'cephalins', 'cephalization', 'cephalizations', 'cephalometric', @@ -8046,24 +23131,63 @@ export const scrabble_array = [ 'cephalothoraces', 'cephalothorax', 'cephalothoraxes', + 'cepheid', + 'cepheids', + 'ceps', + 'ceramal', + 'ceramals', + 'ceramic', 'ceramicist', 'ceramicists', + 'ceramics', + 'ceramist', + 'ceramists', + 'cerastes', + 'cerate', + 'cerated', + 'cerates', + 'ceratin', + 'ceratins', + 'ceratoid', 'ceratopsian', 'ceratopsians', + 'cercaria', + 'cercariae', + 'cercarial', + 'cercarias', + 'cerci', + 'cercis', + 'cercises', + 'cercus', + 'cere', + 'cereal', + 'cereals', + 'cerebella', 'cerebellar', 'cerebellum', 'cerebellums', + 'cerebra', + 'cerebral', 'cerebrally', + 'cerebrals', + 'cerebrate', 'cerebrated', 'cerebrates', 'cerebrating', 'cerebration', 'cerebrations', + 'cerebric', 'cerebroside', 'cerebrosides', 'cerebrospinal', 'cerebrovascular', + 'cerebrum', + 'cerebrums', + 'cerecloth', 'cerecloths', + 'cered', + 'cerement', + 'cerements', 'ceremonial', 'ceremonialism', 'ceremonialisms', @@ -8076,8 +23200,38 @@ export const scrabble_array = [ 'ceremoniously', 'ceremoniousness', 'ceremoniousnesses', + 'ceremony', + 'ceres', + 'cereus', + 'cereuses', + 'ceria', + 'cerias', + 'ceric', + 'cering', + 'ceriph', + 'ceriphs', + 'cerise', + 'cerises', + 'cerite', + 'cerites', + 'cerium', + 'ceriums', + 'cermet', + 'cermets', + 'cernuous', + 'cero', + 'ceros', + 'cerotic', + 'cerotype', + 'cerotypes', + 'cerous', + 'certain', + 'certainer', 'certainest', + 'certainly', 'certainties', + 'certainty', + 'certes', 'certifiable', 'certifiably', 'certificate', @@ -8087,92 +23241,314 @@ export const scrabble_array = [ 'certification', 'certifications', 'certificatory', + 'certified', + 'certifier', 'certifiers', + 'certifies', + 'certify', 'certifying', 'certiorari', 'certioraris', + 'certitude', 'certitudes', + 'cerulean', + 'ceruleans', 'ceruloplasmin', 'ceruloplasmins', + 'cerumen', + 'cerumens', 'ceruminous', + 'ceruse', + 'ceruses', + 'cerusite', + 'cerusites', + 'cerussite', 'cerussites', + 'cervelas', 'cervelases', + 'cervelat', + 'cervelats', + 'cervical', + 'cervices', 'cervicites', 'cervicitides', 'cervicitis', 'cervicitises', + 'cervid', + 'cervine', + 'cervix', + 'cervixes', + 'cesarean', + 'cesareans', + 'cesarian', + 'cesarians', + 'cesium', + 'cesiums', + 'cess', + 'cessation', 'cessations', + 'cessed', + 'cesses', + 'cessing', + 'cession', + 'cessions', + 'cesspit', + 'cesspits', + 'cesspool', + 'cesspools', + 'cesta', + 'cestas', + 'cesti', + 'cestode', + 'cestodes', + 'cestoi', + 'cestoid', + 'cestoids', + 'cestos', + 'cestus', + 'cestuses', + 'cesura', + 'cesurae', + 'cesuras', + 'cetacean', + 'cetaceans', + 'cetaceous', + 'cetane', + 'cetanes', + 'cete', + 'cetes', 'cetologies', 'cetologist', 'cetologists', + 'cetology', + 'ceviche', + 'ceviches', + 'chablis', + 'chabouk', + 'chabouks', + 'chabuk', + 'chabuks', + 'chacma', + 'chacmas', + 'chaconne', + 'chaconnes', + 'chad', + 'chadar', + 'chadarim', + 'chadars', + 'chadless', + 'chador', + 'chadors', + 'chadri', + 'chads', + 'chaeta', + 'chaetae', + 'chaetal', 'chaetognath', 'chaetognaths', + 'chafe', + 'chafed', + 'chafer', + 'chafers', + 'chafes', + 'chaff', + 'chaffed', + 'chaffer', + 'chaffered', + 'chafferer', 'chafferers', 'chaffering', + 'chaffers', + 'chaffier', + 'chaffiest', + 'chaffinch', 'chaffinches', + 'chaffing', + 'chaffs', + 'chaffy', + 'chafing', + 'chagrin', + 'chagrined', 'chagrining', 'chagrinned', 'chagrinning', + 'chagrins', + 'chain', + 'chaine', + 'chained', + 'chaines', + 'chaining', + 'chainman', + 'chainmen', + 'chains', + 'chainsaw', 'chainsawed', 'chainsawing', + 'chainsaws', 'chainwheel', 'chainwheels', + 'chair', + 'chaired', + 'chairing', + 'chairlift', 'chairlifts', + 'chairman', 'chairmaned', 'chairmaning', 'chairmanned', 'chairmanning', + 'chairmans', 'chairmanship', 'chairmanships', + 'chairmen', 'chairperson', 'chairpersons', + 'chairs', 'chairwoman', 'chairwomen', + 'chaise', + 'chaises', + 'chakra', + 'chakras', + 'chalah', + 'chalahs', + 'chalaza', + 'chalazae', + 'chalazal', + 'chalazas', + 'chalazia', + 'chalazion', 'chalazions', 'chalcedonic', 'chalcedonies', 'chalcedony', + 'chalcid', + 'chalcids', 'chalcocite', 'chalcocites', + 'chalcogen', 'chalcogenide', 'chalcogenides', 'chalcogens', 'chalcopyrite', 'chalcopyrites', + 'chaldron', + 'chaldrons', + 'chaleh', + 'chalehs', + 'chalet', + 'chalets', + 'chalice', + 'chaliced', + 'chalices', + 'chalk', 'chalkboard', 'chalkboards', + 'chalked', + 'chalkier', + 'chalkiest', + 'chalking', + 'chalks', + 'chalky', + 'challa', + 'challah', + 'challahs', + 'challas', + 'challenge', 'challenged', 'challenger', 'challengers', 'challenges', 'challenging', 'challengingly', + 'challie', + 'challies', + 'challis', + 'challises', + 'challot', + 'challoth', + 'chally', + 'chalone', + 'chalones', + 'chalot', + 'chaloth', + 'chalutz', + 'chalutzim', 'chalybeate', 'chalybeates', + 'cham', + 'chamade', + 'chamades', 'chamaephyte', 'chamaephytes', + 'chamber', + 'chambered', 'chambering', 'chamberlain', 'chamberlains', 'chambermaid', 'chambermaids', + 'chambers', + 'chambray', + 'chambrays', + 'chameleon', 'chameleonic', 'chameleonlike', 'chameleons', + 'chamfer', + 'chamfered', 'chamfering', + 'chamfers', + 'chamfron', + 'chamfrons', + 'chamise', + 'chamises', + 'chamiso', + 'chamisos', + 'chammied', + 'chammies', + 'chammy', + 'chammying', + 'chamois', + 'chamoised', + 'chamoises', 'chamoising', + 'chamoix', + 'chamomile', 'chamomiles', + 'champ', + 'champac', + 'champacs', + 'champagne', 'champagnes', + 'champaign', 'champaigns', + 'champak', + 'champaks', + 'champed', + 'champer', + 'champers', 'champerties', 'champertous', + 'champerty', 'champignon', 'champignons', + 'champing', + 'champion', 'championed', 'championing', + 'champions', 'championship', 'championships', + 'champleve', 'champleves', + 'champs', + 'champy', + 'chams', + 'chance', + 'chanced', + 'chanceful', + 'chancel', 'chancelleries', 'chancellery', 'chancellor', @@ -8181,24 +23557,46 @@ export const scrabble_array = [ 'chancellorship', 'chancellorships', 'chancellory', + 'chancels', 'chanceries', + 'chancery', + 'chances', + 'chancier', + 'chanciest', + 'chancily', 'chanciness', 'chancinesses', + 'chancing', + 'chancre', + 'chancres', + 'chancroid', 'chancroidal', 'chancroids', + 'chancrous', + 'chancy', 'chandelier', 'chandeliered', 'chandeliers', + 'chandelle', 'chandelled', 'chandelles', 'chandelling', + 'chandler', 'chandleries', + 'chandlers', + 'chandlery', + 'chanfron', + 'chanfrons', + 'chang', + 'change', 'changeabilities', 'changeability', 'changeable', 'changeableness', 'changeablenesses', 'changeably', + 'changed', + 'changeful', 'changefully', 'changefulness', 'changefulnesses', @@ -8210,6 +23608,14 @@ export const scrabble_array = [ 'changelings', 'changeover', 'changeovers', + 'changer', + 'changers', + 'changes', + 'changing', + 'changs', + 'channel', + 'channeled', + 'channeler', 'channelers', 'channeling', 'channelization', @@ -8220,27 +23626,96 @@ export const scrabble_array = [ 'channelizing', 'channelled', 'channelling', + 'channels', + 'chanson', 'chansonnier', 'chansonniers', + 'chansons', + 'chant', + 'chantage', + 'chantages', + 'chanted', + 'chanter', 'chanterelle', 'chanterelles', + 'chanters', + 'chanteuse', 'chanteuses', + 'chantey', + 'chanteys', 'chanticleer', 'chanticleers', + 'chanties', + 'chanting', + 'chantor', + 'chantors', + 'chantries', + 'chantry', + 'chants', + 'chanty', + 'chao', + 'chaos', + 'chaoses', + 'chaotic', 'chaotically', + 'chap', 'chaparajos', 'chaparejos', + 'chaparral', 'chaparrals', + 'chapati', + 'chapatis', + 'chapatti', + 'chapattis', + 'chapbook', + 'chapbooks', + 'chape', + 'chapeau', + 'chapeaus', + 'chapeaux', + 'chapel', + 'chapels', + 'chaperon', 'chaperonage', 'chaperonages', + 'chaperone', 'chaperoned', 'chaperones', 'chaperoning', + 'chaperons', + 'chapes', 'chapfallen', + 'chapiter', + 'chapiters', + 'chaplain', 'chaplaincies', 'chaplaincy', + 'chaplains', + 'chaplet', + 'chapleted', + 'chaplets', + 'chapman', + 'chapmen', + 'chappati', + 'chappatis', + 'chapped', + 'chapping', + 'chaps', + 'chapt', + 'chapter', + 'chaptered', 'chaptering', + 'chapters', + 'chaqueta', + 'chaquetas', + 'char', + 'charabanc', 'charabancs', + 'characid', + 'characids', + 'characin', + 'characins', + 'character', 'charactered', 'characterful', 'characteries', @@ -8259,61 +23734,195 @@ export const scrabble_array = [ 'characterologically', 'characters', 'charactery', + 'charade', + 'charades', + 'charas', + 'charases', + 'charbroil', 'charbroiled', 'charbroiler', 'charbroilers', 'charbroiling', 'charbroils', + 'charcoal', 'charcoaled', 'charcoaling', + 'charcoals', 'charcuterie', 'charcuteries', + 'chard', 'chardonnay', 'chardonnays', + 'chards', + 'chare', + 'chared', + 'chares', + 'charge', 'chargeable', + 'charged', 'chargehand', 'chargehands', + 'charger', + 'chargers', + 'charges', + 'charging', + 'charier', + 'chariest', + 'charily', + 'chariness', 'charinesses', + 'charing', + 'chariot', + 'charioted', 'charioteer', 'charioteers', 'charioting', + 'chariots', + 'charism', + 'charisma', 'charismata', 'charismatic', 'charismatics', + 'charisms', 'charitable', 'charitableness', 'charitablenesses', 'charitably', + 'charities', + 'charity', + 'charivari', 'charivaris', + 'chark', + 'charka', + 'charkas', + 'charked', + 'charkha', + 'charkhas', + 'charking', + 'charks', 'charladies', + 'charlady', + 'charlatan', 'charlatanism', 'charlatanisms', 'charlatanries', 'charlatanry', 'charlatans', + 'charley', + 'charleys', + 'charlie', + 'charlies', + 'charlock', + 'charlocks', + 'charlotte', 'charlottes', + 'charm', + 'charmed', + 'charmer', + 'charmers', + 'charmeuse', 'charmeuses', + 'charming', 'charminger', 'charmingest', 'charmingly', + 'charmless', + 'charms', + 'charnel', + 'charnels', + 'charpai', + 'charpais', + 'charpoy', + 'charpoys', + 'charqui', + 'charquid', + 'charquis', + 'charr', + 'charred', + 'charrier', + 'charriest', + 'charring', + 'charro', + 'charros', + 'charrs', + 'charry', + 'chars', + 'chart', + 'charted', + 'charter', + 'chartered', + 'charterer', 'charterers', 'chartering', + 'charters', + 'charting', + 'chartist', + 'chartists', 'chartreuse', 'chartreuses', + 'charts', 'chartularies', 'chartulary', + 'charwoman', + 'charwomen', + 'chary', + 'chase', + 'chased', + 'chaser', + 'chasers', + 'chases', + 'chasing', + 'chasings', + 'chasm', + 'chasmal', + 'chasmed', + 'chasmic', + 'chasms', + 'chasmy', + 'chasse', + 'chassed', + 'chasseing', + 'chassepot', 'chassepots', + 'chasses', + 'chasseur', + 'chasseurs', + 'chassis', + 'chaste', + 'chastely', + 'chasten', + 'chastened', + 'chastener', 'chasteners', 'chasteness', 'chastenesses', 'chastening', + 'chastens', + 'chaster', + 'chastest', + 'chastise', + 'chastised', 'chastisement', 'chastisements', + 'chastiser', 'chastisers', + 'chastises', 'chastising', 'chastities', + 'chastity', + 'chasuble', + 'chasubles', + 'chat', + 'chatchka', + 'chatchkas', + 'chatchke', + 'chatchkes', + 'chateau', 'chateaubriand', 'chateaubriands', + 'chateaus', + 'chateaux', + 'chatelain', 'chatelaine', 'chatelaines', 'chatelains', @@ -8321,18 +23930,46 @@ export const scrabble_array = [ 'chatoyances', 'chatoyancies', 'chatoyancy', + 'chatoyant', 'chatoyants', + 'chats', + 'chatted', + 'chattel', + 'chattels', + 'chatter', 'chatterbox', 'chatterboxes', + 'chattered', + 'chatterer', 'chatterers', 'chattering', + 'chatters', + 'chattery', + 'chattier', + 'chattiest', + 'chattily', 'chattiness', 'chattinesses', + 'chatting', + 'chatty', + 'chaufer', + 'chaufers', + 'chauffer', + 'chauffers', + 'chauffeur', 'chauffeured', 'chauffeuring', 'chauffeurs', 'chaulmoogra', 'chaulmoogras', + 'chaunt', + 'chaunted', + 'chaunter', + 'chaunters', + 'chaunting', + 'chaunts', + 'chausses', + 'chaussure', 'chaussures', 'chautauqua', 'chautauquas', @@ -8342,78 +23979,238 @@ export const scrabble_array = [ 'chauvinistic', 'chauvinistically', 'chauvinists', + 'chaw', + 'chawbacon', 'chawbacons', + 'chawed', + 'chawer', + 'chawers', + 'chawing', + 'chaws', + 'chay', + 'chayote', + 'chayotes', + 'chays', + 'chazan', + 'chazanim', + 'chazans', + 'chazzan', + 'chazzanim', + 'chazzans', + 'chazzen', + 'chazzenim', + 'chazzens', + 'cheap', + 'cheapen', + 'cheapened', 'cheapening', + 'cheapens', + 'cheaper', + 'cheapest', + 'cheapie', + 'cheapies', + 'cheapish', 'cheapishly', + 'cheapjack', 'cheapjacks', + 'cheaply', + 'cheapness', 'cheapnesses', + 'cheapo', + 'cheapos', + 'cheaps', 'cheapskate', 'cheapskates', + 'cheat', + 'cheated', + 'cheater', + 'cheaters', + 'cheating', + 'cheats', + 'chebec', + 'chebecs', + 'chechako', + 'chechakos', + 'check', + 'checkable', + 'checkbook', 'checkbooks', + 'checked', + 'checker', 'checkerberries', 'checkerberry', 'checkerboard', 'checkerboards', + 'checkered', 'checkering', + 'checkers', + 'checking', + 'checkless', + 'checklist', 'checklists', + 'checkmark', 'checkmarked', 'checkmarking', 'checkmarks', + 'checkmate', 'checkmated', 'checkmates', 'checkmating', + 'checkoff', + 'checkoffs', + 'checkout', + 'checkouts', 'checkpoint', 'checkpoints', + 'checkrein', 'checkreins', + 'checkroom', 'checkrooms', + 'checkrow', 'checkrowed', 'checkrowing', + 'checkrows', + 'checks', + 'checkup', + 'checkups', + 'cheddar', + 'cheddars', + 'cheddite', + 'cheddites', + 'cheder', + 'cheders', + 'chedite', + 'chedites', + 'cheechako', 'cheechakos', + 'cheek', + 'cheekbone', 'cheekbones', + 'cheeked', + 'cheekful', + 'cheekfuls', + 'cheekier', + 'cheekiest', + 'cheekily', 'cheekiness', 'cheekinesses', + 'cheeking', + 'cheeks', + 'cheeky', + 'cheep', + 'cheeped', + 'cheeper', + 'cheepers', + 'cheeping', + 'cheeps', + 'cheer', + 'cheered', + 'cheerer', + 'cheerers', + 'cheerful', 'cheerfuller', 'cheerfullest', 'cheerfully', 'cheerfulness', 'cheerfulnesses', + 'cheerier', + 'cheeriest', + 'cheerily', 'cheeriness', 'cheerinesses', + 'cheering', + 'cheerio', + 'cheerios', + 'cheerlead', 'cheerleader', 'cheerleaders', 'cheerleading', 'cheerleads', + 'cheerled', + 'cheerless', 'cheerlessly', 'cheerlessness', 'cheerlessnesses', + 'cheerly', + 'cheero', + 'cheeros', + 'cheers', + 'cheery', + 'cheese', 'cheeseburger', 'cheeseburgers', 'cheesecake', 'cheesecakes', 'cheesecloth', 'cheesecloths', + 'cheesed', 'cheeseparing', 'cheeseparings', + 'cheeses', + 'cheesier', + 'cheesiest', + 'cheesily', 'cheesiness', 'cheesinesses', + 'cheesing', + 'cheesy', + 'cheetah', + 'cheetahs', + 'chef', + 'chefdom', + 'chefdoms', + 'cheffed', + 'cheffing', + 'chefs', + 'chegoe', + 'chegoes', + 'chela', + 'chelae', + 'chelas', 'chelatable', + 'chelate', + 'chelated', + 'chelates', + 'chelating', + 'chelation', 'chelations', + 'chelator', + 'chelators', + 'chelicera', 'chelicerae', 'cheliceral', + 'cheliped', + 'chelipeds', + 'cheloid', + 'cheloids', + 'chelonian', 'chelonians', + 'chemic', + 'chemical', 'chemically', + 'chemicals', + 'chemics', 'chemiluminescence', 'chemiluminescences', 'chemiluminescent', 'chemiosmotic', + 'chemise', + 'chemises', 'chemisette', 'chemisettes', + 'chemism', + 'chemisms', + 'chemisorb', 'chemisorbed', 'chemisorbing', 'chemisorbs', 'chemisorption', 'chemisorptions', + 'chemist', 'chemistries', + 'chemistry', + 'chemists', + 'chemo', 'chemoautotrophic', 'chemoautotrophies', 'chemoautotrophy', @@ -8425,6 +24222,7 @@ export const scrabble_array = [ 'chemoreceptive', 'chemoreceptor', 'chemoreceptors', + 'chemos', 'chemosurgeries', 'chemosurgery', 'chemosurgical', @@ -8450,114 +24248,428 @@ export const scrabble_array = [ 'chemotropism', 'chemotropisms', 'chemurgies', + 'chemurgy', + 'chenille', + 'chenilles', + 'chenopod', + 'chenopods', + 'cheongsam', 'cheongsams', + 'cheque', + 'chequer', + 'chequered', 'chequering', + 'chequers', + 'cheques', + 'cherimoya', 'cherimoyas', + 'cherish', 'cherishable', + 'cherished', + 'cherisher', 'cherishers', + 'cherishes', 'cherishing', + 'chernozem', 'chernozemic', 'chernozems', + 'cheroot', + 'cheroots', + 'cherries', + 'cherry', 'cherrylike', 'cherrystone', 'cherrystones', + 'chert', + 'chertier', + 'chertiest', + 'cherts', + 'cherty', + 'cherub', + 'cherubic', 'cherubically', + 'cherubim', + 'cherubims', 'cherublike', + 'cherubs', + 'chervil', + 'chervils', + 'chess', 'chessboard', 'chessboards', + 'chesses', + 'chessman', + 'chessmen', + 'chest', + 'chested', 'chesterfield', 'chesterfields', + 'chestful', + 'chestfuls', + 'chestier', + 'chestiest', + 'chestnut', + 'chestnuts', + 'chests', + 'chesty', + 'chetah', + 'chetahs', + 'cheth', + 'cheths', + 'chetrum', + 'chetrums', + 'chevalet', + 'chevalets', + 'chevalier', 'chevaliers', + 'chevelure', 'chevelures', + 'cheveron', + 'cheverons', + 'chevied', + 'chevies', + 'cheviot', + 'cheviots', + 'chevre', + 'chevres', + 'chevron', + 'chevrons', + 'chevy', + 'chevying', + 'chew', + 'chewable', + 'chewed', + 'chewer', + 'chewers', + 'chewier', + 'chewiest', + 'chewing', + 'chewink', + 'chewinks', + 'chews', + 'chewy', + 'chez', + 'chi', + 'chia', + 'chiao', 'chiaroscurist', 'chiaroscurists', 'chiaroscuro', 'chiaroscuros', + 'chias', + 'chiasm', + 'chiasma', + 'chiasmal', + 'chiasmas', + 'chiasmata', 'chiasmatic', + 'chiasmi', + 'chiasmic', + 'chiasms', + 'chiasmus', + 'chiastic', + 'chiaus', + 'chiauses', + 'chibouk', + 'chibouks', + 'chibouque', 'chibouques', + 'chic', + 'chicane', + 'chicaned', + 'chicaner', 'chicaneries', + 'chicaners', + 'chicanery', + 'chicanes', + 'chicaning', + 'chicano', + 'chicanos', 'chiccories', + 'chiccory', + 'chicer', + 'chicest', + 'chichi', + 'chichis', + 'chick', + 'chickadee', 'chickadees', + 'chickaree', 'chickarees', + 'chickee', + 'chickees', + 'chicken', + 'chickened', 'chickenhearted', 'chickening', 'chickenpox', 'chickenpoxes', + 'chickens', 'chickenshit', 'chickenshits', 'chickories', + 'chickory', + 'chickpea', + 'chickpeas', + 'chicks', + 'chickweed', 'chickweeds', + 'chicle', + 'chicles', + 'chicly', + 'chicness', 'chicnesses', + 'chico', + 'chicories', + 'chicory', + 'chicos', + 'chics', + 'chid', + 'chidden', + 'chide', + 'chided', + 'chider', + 'chiders', + 'chides', + 'chiding', + 'chief', + 'chiefdom', + 'chiefdoms', + 'chiefer', + 'chiefest', + 'chiefly', + 'chiefs', + 'chiefship', 'chiefships', + 'chieftain', 'chieftaincies', 'chieftaincy', 'chieftains', 'chieftainship', 'chieftainships', + 'chiel', + 'chield', + 'chields', + 'chiels', 'chiffchaff', 'chiffchaffs', + 'chiffon', 'chiffonade', 'chiffonades', 'chiffonier', 'chiffoniers', + 'chiffons', 'chifforobe', 'chifforobes', + 'chigetai', + 'chigetais', + 'chigger', + 'chiggers', + 'chignon', + 'chignons', + 'chigoe', + 'chigoes', + 'chihuahua', 'chihuahuas', + 'chilblain', 'chilblains', + 'child', 'childbearing', 'childbearings', + 'childbed', + 'childbeds', 'childbirth', 'childbirths', + 'childe', + 'childes', + 'childhood', 'childhoods', + 'childing', + 'childish', 'childishly', 'childishness', 'childishnesses', + 'childless', 'childlessness', 'childlessnesses', + 'childlier', 'childliest', + 'childlike', 'childlikeness', 'childlikenesses', + 'childly', 'childproof', 'childproofed', 'childproofing', 'childproofs', + 'children', + 'chile', + 'chiles', + 'chili', + 'chiliad', + 'chiliads', + 'chiliasm', + 'chiliasms', + 'chiliast', 'chiliastic', + 'chiliasts', + 'chilidog', + 'chilidogs', + 'chilies', + 'chill', + 'chilled', + 'chiller', + 'chillers', + 'chillest', + 'chilli', + 'chillier', + 'chillies', + 'chilliest', + 'chillily', 'chilliness', 'chillinesses', + 'chilling', 'chillingly', + 'chillness', 'chillnesses', + 'chills', + 'chillum', + 'chillums', + 'chilly', + 'chilopod', + 'chilopods', + 'chimaera', + 'chimaeras', + 'chimaeric', 'chimaerism', 'chimaerisms', + 'chimar', + 'chimars', + 'chimb', + 'chimbley', + 'chimbleys', + 'chimblies', + 'chimbly', + 'chimbs', + 'chime', + 'chimed', + 'chimer', + 'chimera', + 'chimeras', + 'chimere', + 'chimeres', + 'chimeric', 'chimerical', 'chimerically', + 'chimerism', 'chimerisms', + 'chimers', + 'chimes', 'chimichanga', 'chimichangas', + 'chiming', + 'chimla', + 'chimlas', + 'chimley', + 'chimleys', + 'chimney', 'chimneylike', 'chimneypiece', 'chimneypieces', + 'chimneys', + 'chimp', 'chimpanzee', 'chimpanzees', + 'chimps', + 'chin', + 'china', 'chinaberries', 'chinaberry', + 'chinas', + 'chinaware', 'chinawares', + 'chinbone', + 'chinbones', + 'chinch', 'chincherinchee', 'chincherinchees', + 'chinches', + 'chinchier', 'chinchiest', 'chinchilla', 'chinchillas', + 'chinchy', + 'chine', + 'chined', + 'chines', + 'chining', + 'chink', + 'chinkapin', 'chinkapins', + 'chinked', + 'chinkier', + 'chinkiest', + 'chinking', + 'chinks', + 'chinky', + 'chinless', + 'chinned', + 'chinning', + 'chino', 'chinoiserie', 'chinoiseries', + 'chinone', + 'chinones', + 'chinook', + 'chinooks', + 'chinos', 'chinquapin', 'chinquapins', + 'chins', + 'chints', + 'chintses', + 'chintz', + 'chintzes', + 'chintzier', 'chintziest', + 'chintzy', 'chionodoxa', 'chionodoxas', + 'chip', + 'chipboard', 'chipboards', + 'chipmuck', + 'chipmucks', + 'chipmunk', + 'chipmunks', + 'chipped', + 'chipper', + 'chippered', 'chippering', + 'chippers', + 'chippie', + 'chippier', + 'chippies', + 'chippiest', + 'chipping', + 'chippy', + 'chips', + 'chiral', 'chiralities', + 'chirality', + 'chirimoya', 'chirimoyas', + 'chirk', + 'chirked', + 'chirker', + 'chirkest', + 'chirking', + 'chirks', + 'chirm', + 'chirmed', + 'chirming', + 'chirms', + 'chiro', 'chirographer', 'chirographers', 'chirographic', @@ -8573,48 +24685,138 @@ export const scrabble_array = [ 'chiropodies', 'chiropodist', 'chiropodists', + 'chiropody', 'chiropractic', 'chiropractics', 'chiropractor', 'chiropractors', 'chiropteran', 'chiropterans', + 'chiros', + 'chirp', + 'chirped', + 'chirper', + 'chirpers', + 'chirpier', + 'chirpiest', + 'chirpily', + 'chirping', + 'chirps', + 'chirpy', + 'chirr', + 'chirre', + 'chirred', + 'chirres', + 'chirring', + 'chirrs', + 'chirrup', + 'chirruped', 'chirruping', + 'chirrups', + 'chirrupy', 'chirurgeon', 'chirurgeons', + 'chis', + 'chisel', + 'chiseled', + 'chiseler', + 'chiselers', + 'chiseling', + 'chiselled', + 'chiseller', 'chisellers', 'chiselling', + 'chisels', + 'chit', + 'chital', + 'chitchat', + 'chitchats', 'chitchatted', 'chitchatting', + 'chitin', + 'chitinous', + 'chitins', + 'chitlin', + 'chitling', + 'chitlings', + 'chitlins', + 'chiton', + 'chitons', + 'chitosan', + 'chitosans', + 'chits', + 'chitter', + 'chittered', 'chittering', 'chitterlings', + 'chitters', + 'chitties', + 'chitty', + 'chivalric', 'chivalries', 'chivalrous', 'chivalrously', 'chivalrousness', 'chivalrousnesses', + 'chivalry', + 'chivaree', + 'chivareed', 'chivareeing', + 'chivarees', + 'chivari', + 'chivaried', + 'chivaries', 'chivariing', + 'chive', + 'chives', + 'chivied', + 'chivies', + 'chivvied', + 'chivvies', + 'chivvy', + 'chivvying', + 'chivy', + 'chivying', + 'chlamydes', + 'chlamydia', 'chlamydiae', 'chlamydial', 'chlamydospore', 'chlamydospores', + 'chlamys', + 'chlamyses', + 'chloasma', 'chloasmata', + 'chloracne', 'chloracnes', + 'chloral', 'chloralose', 'chloralosed', 'chloraloses', + 'chlorals', 'chloramine', 'chloramines', 'chloramphenicol', 'chloramphenicols', + 'chlorate', + 'chlorates', + 'chlordan', + 'chlordane', 'chlordanes', + 'chlordans', 'chlordiazepoxide', 'chlordiazepoxides', + 'chlorella', 'chlorellas', 'chlorenchyma', 'chlorenchymas', 'chlorenchymata', + 'chloric', + 'chlorid', + 'chloride', + 'chlorides', + 'chlorids', + 'chlorin', 'chlorinate', 'chlorinated', 'chlorinates', @@ -8623,8 +24825,14 @@ export const scrabble_array = [ 'chlorinations', 'chlorinator', 'chlorinators', + 'chlorine', + 'chlorines', 'chlorinities', 'chlorinity', + 'chlorins', + 'chlorite', + 'chlorites', + 'chloritic', 'chlorobenzene', 'chlorobenzenes', 'chlorofluorocarbon', @@ -8649,36 +24857,73 @@ export const scrabble_array = [ 'chloroprenes', 'chloroquine', 'chloroquines', + 'chloroses', + 'chlorosis', 'chlorothiazide', 'chlorothiazides', + 'chlorotic', + 'chlorous', 'chlorpromazine', 'chlorpromazines', 'chlorpropamide', 'chlorpropamides', 'chlortetracycline', 'chlortetracyclines', + 'choana', + 'choanae', 'choanocyte', 'choanocytes', + 'chock', 'chockablock', + 'chocked', + 'chockful', + 'chocking', + 'chocks', 'chocoholic', 'chocoholics', + 'chocolate', 'chocolates', 'chocolatey', 'chocolatier', 'chocolatiers', + 'chocolaty', + 'choice', + 'choicely', 'choiceness', 'choicenesses', + 'choicer', + 'choices', + 'choicest', + 'choir', + 'choirboy', + 'choirboys', + 'choired', + 'choiring', 'choirmaster', 'choirmasters', + 'choirs', + 'choke', 'chokeberries', 'chokeberry', 'chokecherries', 'chokecherry', + 'choked', + 'choker', + 'chokers', + 'chokes', + 'chokey', + 'chokier', + 'chokiest', + 'choking', + 'chokingly', + 'choky', 'cholangiogram', 'cholangiograms', 'cholangiographic', 'cholangiographies', 'cholangiography', + 'cholate', + 'cholates', 'cholecalciferol', 'cholecalciferols', 'cholecystectomies', @@ -8692,7 +24937,14 @@ export const scrabble_array = [ 'cholecystokinins', 'cholelithiases', 'cholelithiasis', + 'cholent', + 'cholents', + 'choler', + 'cholera', + 'choleras', + 'choleric', 'cholerically', + 'cholers', 'cholestases', 'cholestasis', 'cholestatic', @@ -8701,12 +24953,26 @@ export const scrabble_array = [ 'cholesterols', 'cholestyramine', 'cholestyramines', + 'choline', 'cholinergic', 'cholinergically', + 'cholines', 'cholinesterase', 'cholinesterases', + 'cholla', + 'chollas', + 'cholo', + 'cholos', + 'chomp', + 'chomped', + 'chomper', + 'chompers', + 'chomping', + 'chomps', + 'chon', 'chondriosome', 'chondriosomes', + 'chondrite', 'chondrites', 'chondritic', 'chondrocrania', @@ -8714,20 +24980,75 @@ export const scrabble_array = [ 'chondrocraniums', 'chondroitin', 'chondroitins', + 'chondrule', 'chondrules', + 'chook', + 'chooks', + 'choose', + 'chooser', + 'choosers', + 'chooses', + 'choosey', + 'choosier', + 'choosiest', + 'choosing', + 'choosy', + 'chop', 'chopfallen', + 'chophouse', 'chophouses', + 'chopin', + 'chopine', + 'chopines', + 'chopins', + 'choplogic', 'choplogics', + 'chopped', + 'chopper', + 'choppered', 'choppering', + 'choppers', + 'choppier', + 'choppiest', + 'choppily', 'choppiness', 'choppinesses', + 'chopping', + 'choppy', + 'chops', + 'chopstick', 'chopsticks', + 'choragi', + 'choragic', + 'choragus', 'choraguses', + 'choral', + 'chorale', + 'chorales', + 'chorally', + 'chorals', + 'chord', + 'chordal', 'chordamesoderm', 'chordamesodermal', 'chordamesoderms', + 'chordate', + 'chordates', + 'chorded', + 'chording', + 'chords', + 'chore', + 'chorea', + 'choreal', + 'choreas', + 'chored', + 'choregi', + 'choregus', 'choreguses', + 'choreic', 'choreiform', + 'choreman', + 'choremen', 'choreograph', 'choreographed', 'choreographer', @@ -8738,41 +25059,126 @@ export const scrabble_array = [ 'choreographing', 'choreographs', 'choreography', + 'choreoid', + 'chores', + 'chorial', + 'choriamb', + 'choriambs', + 'choric', + 'chorine', + 'chorines', + 'choring', 'chorioallantoic', 'chorioallantoides', 'chorioallantois', 'choriocarcinoma', 'choriocarcinomas', 'choriocarcinomata', + 'chorioid', + 'chorioids', + 'chorion', + 'chorionic', + 'chorions', + 'chorister', 'choristers', + 'chorizo', + 'chorizos', 'chorographer', 'chorographers', 'chorographic', 'chorographies', 'chorography', + 'choroid', + 'choroidal', + 'choroids', + 'chortle', + 'chortled', + 'chortler', + 'chortlers', + 'chortles', + 'chortling', + 'chorus', + 'chorused', + 'choruses', + 'chorusing', + 'chorussed', + 'chorusses', 'chorussing', + 'chose', + 'chosen', + 'choses', + 'chott', + 'chotts', + 'chough', + 'choughs', + 'chouse', + 'choused', + 'chouser', + 'chousers', + 'chouses', + 'choush', + 'choushes', + 'chousing', + 'chow', + 'chowchow', + 'chowchows', + 'chowder', + 'chowdered', 'chowderhead', 'chowderheaded', 'chowderheads', 'chowdering', + 'chowders', + 'chowed', + 'chowhound', 'chowhounds', + 'chowing', + 'chows', + 'chowse', + 'chowsed', + 'chowses', + 'chowsing', + 'chowtime', + 'chowtimes', + 'chresard', + 'chresards', 'chrestomathies', 'chrestomathy', + 'chrism', + 'chrisma', + 'chrismal', 'chrismation', 'chrismations', + 'chrismon', + 'chrismons', + 'chrisms', + 'chrisom', + 'chrisoms', + 'christen', 'christened', 'christening', 'christenings', + 'christens', 'christiania', 'christianias', + 'christie', + 'christies', + 'christy', + 'chroma', 'chromaffin', + 'chromas', + 'chromate', + 'chromates', + 'chromatic', 'chromatically', 'chromaticism', 'chromaticisms', 'chromaticities', 'chromaticity', 'chromatics', + 'chromatid', 'chromatids', + 'chromatin', 'chromatinic', 'chromatins', 'chromatogram', @@ -8792,12 +25198,29 @@ export const scrabble_array = [ 'chromatolytic', 'chromatophore', 'chromatophores', + 'chrome', + 'chromed', + 'chromes', + 'chromic', + 'chromide', + 'chromides', 'chrominance', 'chrominances', + 'chroming', + 'chromings', + 'chromite', + 'chromites', + 'chromium', + 'chromiums', + 'chromize', + 'chromized', + 'chromizes', 'chromizing', + 'chromo', 'chromocenter', 'chromocenters', 'chromodynamics', + 'chromogen', 'chromogenic', 'chromogens', 'chromolithograph', @@ -8824,6 +25247,7 @@ export const scrabble_array = [ 'chromoplasts', 'chromoprotein', 'chromoproteins', + 'chromos', 'chromosomal', 'chromosomally', 'chromosome', @@ -8831,15 +25255,23 @@ export const scrabble_array = [ 'chromosphere', 'chromospheres', 'chromospheric', + 'chromous', + 'chromyl', + 'chromyls', + 'chronaxie', 'chronaxies', + 'chronaxy', + 'chronic', 'chronically', 'chronicities', 'chronicity', + 'chronicle', 'chronicled', 'chronicler', 'chroniclers', 'chronicles', 'chronicling', + 'chronics', 'chronobiologic', 'chronobiological', 'chronobiologies', @@ -8869,10 +25301,14 @@ export const scrabble_array = [ 'chronometrically', 'chronometries', 'chronometry', + 'chronon', + 'chronons', 'chronotherapies', 'chronotherapy', + 'chrysalid', 'chrysalides', 'chrysalids', + 'chrysalis', 'chrysalises', 'chrysanthemum', 'chrysanthemums', @@ -8890,80 +25326,286 @@ export const scrabble_array = [ 'chrysoprases', 'chrysotile', 'chrysotiles', + 'chthonian', + 'chthonic', + 'chub', + 'chubasco', + 'chubascos', + 'chubbier', + 'chubbiest', + 'chubbily', 'chubbiness', 'chubbinesses', + 'chubby', + 'chubs', + 'chuck', 'chuckawalla', 'chuckawallas', + 'chucked', + 'chuckhole', 'chuckholes', + 'chuckies', + 'chucking', + 'chuckle', + 'chuckled', 'chucklehead', 'chuckleheaded', 'chuckleheads', + 'chuckler', + 'chucklers', + 'chuckles', 'chucklesome', + 'chuckling', 'chucklingly', + 'chucks', 'chuckwalla', 'chuckwallas', + 'chucky', + 'chuddah', + 'chuddahs', + 'chuddar', + 'chuddars', + 'chudder', + 'chudders', + 'chufa', + 'chufas', + 'chuff', + 'chuffed', + 'chuffer', + 'chuffest', + 'chuffier', + 'chuffiest', + 'chuffing', + 'chuffs', + 'chuffy', + 'chug', + 'chugalug', 'chugalugged', 'chugalugging', + 'chugalugs', + 'chugged', + 'chugger', + 'chuggers', + 'chugging', + 'chugs', + 'chukar', + 'chukars', + 'chukka', + 'chukkar', + 'chukkars', + 'chukkas', + 'chukker', + 'chukkers', + 'chum', + 'chummed', + 'chummier', + 'chummiest', + 'chummily', 'chumminess', 'chumminesses', + 'chumming', + 'chummy', + 'chump', + 'chumped', + 'chumping', + 'chumps', + 'chums', + 'chumship', + 'chumships', + 'chunk', + 'chunked', + 'chunkier', + 'chunkiest', + 'chunkily', + 'chunking', + 'chunks', + 'chunky', + 'chunter', + 'chuntered', 'chuntering', + 'chunters', + 'church', + 'churched', + 'churches', 'churchgoer', 'churchgoers', 'churchgoing', 'churchgoings', 'churchianities', 'churchianity', + 'churchier', 'churchiest', + 'churching', 'churchings', 'churchless', 'churchlier', 'churchliest', 'churchliness', 'churchlinesses', + 'churchly', + 'churchman', 'churchmanship', 'churchmanships', + 'churchmen', 'churchwarden', 'churchwardens', 'churchwoman', 'churchwomen', + 'churchy', 'churchyard', 'churchyards', + 'churl', + 'churlish', 'churlishly', 'churlishness', 'churlishnesses', + 'churls', + 'churn', + 'churned', + 'churner', + 'churners', + 'churning', + 'churnings', + 'churns', + 'churr', + 'churred', 'churrigueresque', + 'churring', + 'churrs', + 'chute', + 'chuted', + 'chutes', + 'chuting', + 'chutist', + 'chutists', + 'chutnee', + 'chutnees', + 'chutney', + 'chutneys', + 'chutzpa', + 'chutzpah', + 'chutzpahs', + 'chutzpas', + 'chyle', + 'chyles', 'chylomicron', 'chylomicrons', + 'chylous', + 'chyme', + 'chymes', + 'chymic', + 'chymics', + 'chymist', + 'chymists', + 'chymosin', + 'chymosins', 'chymotrypsin', 'chymotrypsinogen', 'chymotrypsinogens', 'chymotrypsins', 'chymotryptic', + 'chymous', + 'ciao', + 'cibol', + 'cibols', + 'ciboria', + 'ciborium', + 'ciboule', + 'ciboules', + 'cicada', + 'cicadae', + 'cicadas', + 'cicala', + 'cicalas', + 'cicale', 'cicatrices', 'cicatricial', + 'cicatrix', 'cicatrixes', 'cicatrization', 'cicatrizations', + 'cicatrize', 'cicatrized', 'cicatrizes', 'cicatrizing', + 'cicelies', + 'cicely', + 'cicero', + 'cicerone', + 'cicerones', + 'ciceroni', + 'ciceros', + 'cichlid', + 'cichlidae', + 'cichlids', + 'cicisbei', 'cicisbeism', 'cicisbeisms', + 'cicisbeo', + 'cicisbeos', + 'cicoree', + 'cicorees', + 'cider', + 'ciders', + 'cigar', + 'cigaret', + 'cigarets', + 'cigarette', 'cigarettes', + 'cigarillo', 'cigarillos', + 'cigars', + 'ciguatera', 'ciguateras', + 'cilantro', + 'cilantros', + 'cilia', + 'ciliary', + 'ciliate', + 'ciliated', + 'ciliates', + 'ciliation', 'ciliations', + 'cilice', + 'cilices', + 'cilium', + 'cimbalom', + 'cimbaloms', 'cimetidine', 'cimetidines', + 'cimex', + 'cimices', + 'cinch', + 'cinched', + 'cinches', + 'cinching', + 'cinchona', + 'cinchonas', 'cinchonine', 'cinchonines', 'cinchonism', 'cinchonisms', + 'cincture', + 'cinctured', + 'cinctures', 'cincturing', + 'cinder', + 'cindered', + 'cindering', + 'cinders', + 'cindery', + 'cine', + 'cineast', + 'cineaste', + 'cineastes', + 'cineasts', + 'cinema', 'cinemagoer', 'cinemagoers', + 'cinemas', 'cinematheque', 'cinematheques', + 'cinematic', 'cinematically', 'cinematize', 'cinematized', @@ -8977,9 +25619,32 @@ export const scrabble_array = [ 'cinematographies', 'cinematographs', 'cinematography', + 'cineol', + 'cineole', + 'cineoles', + 'cineols', + 'cineraria', 'cinerarias', 'cinerarium', + 'cinerary', + 'cinereous', + 'cinerin', + 'cinerins', + 'cines', + 'cingula', + 'cingulate', + 'cingulum', + 'cinnabar', 'cinnabarine', + 'cinnabars', + 'cinnamic', + 'cinnamon', + 'cinnamons', + 'cinnamyl', + 'cinnamyls', + 'cinquain', + 'cinquains', + 'cinque', 'cinquecentist', 'cinquecentisti', 'cinquecentists', @@ -8987,9 +25652,36 @@ export const scrabble_array = [ 'cinquecentos', 'cinquefoil', 'cinquefoils', + 'cinques', + 'cion', + 'cions', + 'cioppino', + 'cioppinos', + 'cipher', + 'ciphered', + 'ciphering', + 'ciphers', 'ciphertext', 'ciphertexts', + 'ciphonies', + 'ciphony', + 'cipolin', + 'cipolins', + 'circa', + 'circadian', + 'circinate', 'circinately', + 'circle', + 'circled', + 'circler', + 'circlers', + 'circles', + 'circlet', + 'circlets', + 'circling', + 'circuit', + 'circuital', + 'circuited', 'circuities', 'circuiting', 'circuitous', @@ -8997,6 +25689,10 @@ export const scrabble_array = [ 'circuitousness', 'circuitousnesses', 'circuitries', + 'circuitry', + 'circuits', + 'circuity', + 'circular', 'circularise', 'circularised', 'circularises', @@ -9012,7 +25708,9 @@ export const scrabble_array = [ 'circularly', 'circularness', 'circularnesses', + 'circulars', 'circulatable', + 'circulate', 'circulated', 'circulates', 'circulating', @@ -9106,62 +25804,230 @@ export const scrabble_array = [ 'circumvents', 'circumvolution', 'circumvolutions', + 'circus', + 'circuses', + 'circusy', + 'cire', + 'cires', + 'cirque', + 'cirques', + 'cirrate', + 'cirrhoses', + 'cirrhosis', + 'cirrhotic', 'cirrhotics', + 'cirri', + 'cirriped', + 'cirripeds', 'cirrocumuli', 'cirrocumulus', + 'cirrose', 'cirrostrati', 'cirrostratus', + 'cirrous', + 'cirrus', + 'cirsoid', + 'cis', + 'cisalpine', + 'cisco', + 'ciscoes', + 'ciscos', + 'cislunar', + 'cisplatin', 'cisplatins', + 'cissies', + 'cissoid', + 'cissoids', + 'cissy', + 'cist', + 'cistern', + 'cisterna', + 'cisternae', + 'cisternal', + 'cisterns', + 'cistron', + 'cistronic', + 'cistrons', + 'cists', + 'cistus', + 'cistuses', + 'citable', + 'citadel', + 'citadels', + 'citation', 'citational', + 'citations', + 'citator', + 'citators', + 'citatory', + 'cite', + 'citeable', + 'cited', + 'citer', + 'citers', + 'cites', + 'cithara', + 'citharas', + 'cither', + 'cithern', + 'citherns', + 'cithers', + 'cithren', + 'cithrens', + 'citied', + 'cities', 'citification', 'citifications', + 'citified', + 'citifies', + 'citify', + 'citifying', + 'citing', + 'citizen', 'citizeness', 'citizenesses', + 'citizenly', 'citizenries', + 'citizenry', + 'citizens', 'citizenship', 'citizenships', + 'citola', + 'citolas', + 'citole', + 'citoles', + 'citral', + 'citrals', + 'citrate', + 'citrated', + 'citrates', + 'citreous', + 'citric', 'citriculture', 'citricultures', 'citriculturist', 'citriculturists', + 'citrin', + 'citrine', + 'citrines', + 'citrinin', + 'citrinins', + 'citrins', + 'citron', 'citronella', 'citronellal', 'citronellals', 'citronellas', 'citronellol', 'citronellols', + 'citrons', + 'citrous', 'citrulline', 'citrullines', + 'citrus', + 'citruses', + 'citrusy', + 'cittern', + 'citterns', + 'city', + 'cityfied', + 'cityscape', 'cityscapes', + 'cityward', + 'citywide', + 'civet', + 'civets', + 'civic', + 'civically', + 'civicism', + 'civicisms', + 'civics', + 'civie', + 'civies', + 'civil', + 'civilian', 'civilianization', 'civilianizations', 'civilianize', 'civilianized', 'civilianizes', 'civilianizing', + 'civilians', 'civilisation', 'civilisations', + 'civilise', + 'civilised', + 'civilises', 'civilising', 'civilities', + 'civility', 'civilization', 'civilizational', 'civilizations', + 'civilize', + 'civilized', + 'civilizer', 'civilizers', + 'civilizes', 'civilizing', + 'civilly', + 'civism', + 'civisms', + 'civvies', + 'civvy', + 'clabber', + 'clabbered', 'clabbering', + 'clabbers', + 'clach', + 'clachan', + 'clachans', + 'clachs', + 'clack', + 'clacked', + 'clacker', + 'clackers', + 'clacking', + 'clacks', + 'clad', + 'cladding', + 'claddings', + 'clade', + 'clades', + 'cladist', + 'cladistic', 'cladistically', 'cladistics', + 'cladists', 'cladoceran', 'cladocerans', + 'cladode', + 'cladodes', + 'cladodial', 'cladogeneses', 'cladogenesis', 'cladogenetic', 'cladogenetically', + 'cladogram', 'cladograms', 'cladophyll', 'cladophylla', 'cladophylls', 'cladophyllum', + 'clads', + 'clag', + 'clagged', + 'clagging', + 'clags', + 'claim', + 'claimable', + 'claimant', + 'claimants', + 'claimed', + 'claimer', + 'claimers', + 'claiming', + 'claims', 'clairaudience', 'clairaudiences', 'clairaudient', @@ -9171,47 +26037,163 @@ export const scrabble_array = [ 'clairvoyant', 'clairvoyantly', 'clairvoyants', + 'clam', + 'clamant', + 'clamantly', + 'clambake', + 'clambakes', + 'clamber', + 'clambered', + 'clamberer', 'clamberers', 'clambering', + 'clambers', + 'clammed', + 'clammer', + 'clammers', + 'clammier', + 'clammiest', + 'clammily', 'clamminess', 'clamminesses', + 'clamming', + 'clammy', + 'clamor', + 'clamored', + 'clamorer', + 'clamorers', + 'clamoring', + 'clamorous', 'clamorously', 'clamorousness', 'clamorousnesses', + 'clamors', + 'clamour', + 'clamoured', 'clamouring', + 'clamours', + 'clamp', + 'clampdown', 'clampdowns', + 'clamped', + 'clamper', + 'clampers', + 'clamping', + 'clamps', + 'clams', + 'clamshell', 'clamshells', + 'clamworm', + 'clamworms', + 'clan', 'clandestine', 'clandestinely', 'clandestineness', 'clandestinenesses', 'clandestinities', 'clandestinity', + 'clang', + 'clanged', + 'clanger', + 'clangers', + 'clanging', + 'clangor', + 'clangored', 'clangoring', 'clangorous', 'clangorously', + 'clangors', + 'clangour', 'clangoured', 'clangouring', + 'clangours', + 'clangs', + 'clank', + 'clanked', + 'clanking', 'clankingly', + 'clanks', + 'clannish', 'clannishly', 'clannishness', 'clannishnesses', + 'clans', + 'clansman', + 'clansmen', + 'clap', + 'clapboard', 'clapboarded', 'clapboarding', 'clapboards', + 'clapped', + 'clapper', 'clapperclaw', 'clapperclawed', 'clapperclawing', 'clapperclaws', + 'clappers', + 'clapping', + 'claps', + 'clapt', + 'claptrap', + 'claptraps', + 'claque', + 'claquer', + 'claquers', + 'claques', + 'claqueur', + 'claqueurs', + 'clarence', + 'clarences', + 'claret', + 'clarets', + 'claries', 'clarification', 'clarifications', + 'clarified', + 'clarifier', 'clarifiers', + 'clarifies', + 'clarify', 'clarifying', + 'clarinet', 'clarinetist', 'clarinetists', + 'clarinets', 'clarinettist', 'clarinettists', + 'clarion', + 'clarioned', 'clarioning', + 'clarions', + 'clarities', + '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', + 'classical', 'classicalities', 'classicality', 'classically', @@ -9224,6 +26206,10 @@ export const scrabble_array = [ 'classicized', 'classicizes', 'classicizing', + 'classico', + 'classics', + 'classier', + 'classiest', 'classifiable', 'classification', 'classifications', @@ -9232,83 +26218,292 @@ export const scrabble_array = [ 'classifier', 'classifiers', 'classifies', + 'classify', 'classifying', + 'classily', 'classiness', 'classinesses', + 'classing', + 'classis', + 'classism', + 'classisms', + 'classist', + 'classists', + 'classless', 'classlessness', 'classlessnesses', + 'classmate', 'classmates', + 'classroom', 'classrooms', + 'classy', + 'clast', + 'clastic', + 'clastics', + 'clasts', + 'clathrate', 'clathrates', + 'clatter', + 'clattered', + 'clatterer', 'clatterers', 'clattering', 'clatteringly', + 'clatters', + 'clattery', + 'claucht', 'claudication', 'claudications', + 'claught', + 'claughted', 'claughting', + 'claughts', + 'clausal', + 'clause', + 'clauses', + 'claustra', + 'claustral', 'claustrophobe', 'claustrophobes', 'claustrophobia', 'claustrophobias', 'claustrophobic', 'claustrophobically', + 'claustrum', + 'clavate', + 'clave', + 'claver', + 'clavered', + 'clavering', + 'clavers', + 'claves', + 'clavi', 'clavichord', 'clavichordist', 'clavichordists', 'clavichords', + 'clavicle', + 'clavicles', 'clavicular', + 'clavier', 'clavierist', 'clavieristic', 'clavierists', + 'claviers', + 'clavus', + 'claw', + 'clawed', + 'clawer', + 'clawers', 'clawhammer', + 'clawing', + 'clawless', + 'clawlike', + 'claws', + 'claxon', + 'claxons', + 'clay', + 'claybank', + 'claybanks', + 'clayed', + 'clayey', + 'clayier', + 'clayiest', + 'claying', + 'clayish', + 'claylike', + 'claymore', + 'claymores', + 'claypan', + 'claypans', + 'clays', + 'clayware', + 'claywares', + 'clean', 'cleanabilities', 'cleanability', + 'cleanable', + 'cleaned', + 'cleaner', + 'cleaners', + 'cleanest', 'cleanhanded', + 'cleaning', + 'cleanlier', 'cleanliest', 'cleanliness', 'cleanlinesses', + 'cleanly', + 'cleanness', 'cleannesses', + 'cleans', + 'cleanse', + 'cleansed', + 'cleanser', + 'cleansers', + 'cleanses', + 'cleansing', + 'cleanup', + 'cleanups', + 'clear', + 'clearable', + 'clearance', 'clearances', + 'cleared', + 'clearer', + 'clearers', + 'clearest', 'clearheaded', 'clearheadedly', 'clearheadedness', 'clearheadednesses', + 'clearing', 'clearinghouse', 'clearinghouses', + 'clearings', + 'clearly', + 'clearness', 'clearnesses', + 'clears', 'clearstories', 'clearstory', + 'clearwing', 'clearwings', + 'cleat', + 'cleated', + 'cleating', + 'cleats', + 'cleavable', + 'cleavage', + 'cleavages', + 'cleave', + 'cleaved', + 'cleaver', + 'cleavers', + 'cleaves', + 'cleaving', + 'cleek', + 'cleeked', + 'cleeking', + 'cleeks', + 'clef', + 'clefs', + 'cleft', + 'clefted', + 'clefting', + 'clefts', + 'cleidoic', 'cleistogamic', 'cleistogamies', 'cleistogamous', 'cleistogamously', 'cleistogamy', + 'clematis', 'clematises', 'clemencies', + 'clemency', + 'clement', + 'clemently', + 'clench', + 'clenched', + 'clencher', + 'clenchers', + 'clenches', + 'clenching', + 'cleome', + 'cleomes', + 'clepe', + 'cleped', + 'clepes', + 'cleping', + 'clepsydra', 'clepsydrae', 'clepsydras', + 'clept', 'clerestories', 'clerestory', + 'clergies', + 'clergy', + 'clergyman', + 'clergymen', 'clergywoman', 'clergywomen', + 'cleric', + 'clerical', 'clericalism', 'clericalisms', 'clericalist', 'clericalists', 'clerically', + 'clericals', + 'clerics', + 'clerid', + 'clerids', + 'clerihew', + 'clerihews', + 'clerisies', + 'clerisy', + 'clerk', + 'clerkdom', + 'clerkdoms', + 'clerked', + 'clerking', + 'clerkish', + 'clerklier', 'clerkliest', + 'clerkly', + 'clerks', + 'clerkship', 'clerkships', + 'cleveite', + 'cleveites', + 'clever', + 'cleverer', + 'cleverest', + 'cleverish', + 'cleverly', 'cleverness', 'clevernesses', + 'clevis', + 'clevises', + 'clew', + 'clewed', + 'clewing', + 'clews', + 'cliche', + 'cliched', + 'cliches', + 'click', + 'clicked', + 'clicker', + 'clickers', + 'clicking', + 'clicks', + 'client', + 'clientage', 'clientages', + 'cliental', + 'clientele', 'clienteles', 'clientless', + 'clients', + 'cliff', 'cliffhanger', 'cliffhangers', + 'cliffier', + 'cliffiest', + 'cliffs', + 'cliffy', + 'clift', + 'clifts', 'climacteric', 'climacterics', + 'climactic', 'climactically', + 'climatal', + 'climate', + 'climates', + 'climatic', 'climatically', 'climatological', 'climatologically', @@ -9316,65 +26511,253 @@ export const scrabble_array = [ 'climatologist', 'climatologists', 'climatology', + 'climax', + 'climaxed', + 'climaxes', + 'climaxing', 'climaxless', + 'climb', + 'climbable', + 'climbed', + 'climber', + 'climbers', + 'climbing', + 'climbs', + 'clime', + 'climes', + 'clinal', + 'clinally', + 'clinch', + 'clinched', + 'clincher', + 'clinchers', + 'clinches', + 'clinching', 'clinchingly', + 'cline', + 'clines', + 'cling', + 'clinged', + 'clinger', + 'clingers', + 'clingier', + 'clingiest', + 'clinging', + 'clings', 'clingstone', 'clingstones', + 'clingy', + 'clinic', + 'clinical', 'clinically', + 'clinician', 'clinicians', 'clinicopathologic', 'clinicopathological', 'clinicopathologically', + 'clinics', + 'clink', + 'clinked', + 'clinker', + 'clinkered', 'clinkering', + 'clinkers', + 'clinking', + 'clinks', 'clinometer', 'clinometers', + 'clinquant', 'clinquants', + 'clintonia', 'clintonias', 'cliometric', 'cliometrician', 'cliometricians', 'cliometrics', + 'clip', + 'clipboard', 'clipboards', + 'clipped', + 'clipper', + 'clippers', + 'clipping', + 'clippings', + 'clips', + 'clipsheet', 'clipsheets', + 'clipt', + 'clique', + 'cliqued', + 'cliques', + 'cliquey', + 'cliquier', + 'cliquiest', + 'cliquing', + 'cliquish', 'cliquishly', 'cliquishness', 'cliquishnesses', + 'cliquy', + 'clitella', + 'clitellum', + 'clitic', + 'clitics', + 'clitoral', 'clitorectomies', 'clitorectomy', + 'clitoric', 'clitoridectomies', 'clitoridectomy', 'clitorides', + 'clitoris', 'clitorises', + 'clivers', + 'clivia', + 'clivias', + 'cloaca', + 'cloacae', + 'cloacal', + 'cloacas', + 'cloak', + 'cloaked', + 'cloaking', + 'cloakroom', 'cloakrooms', + 'cloaks', + 'clobber', + 'clobbered', 'clobbering', + 'clobbers', + 'clochard', + 'clochards', + 'cloche', + 'cloches', + 'clock', + 'clocked', + 'clocker', + 'clockers', + 'clocking', + 'clocklike', + 'clocks', + 'clockwise', + 'clockwork', 'clockworks', + 'clod', + 'cloddier', + 'cloddiest', + 'cloddish', 'cloddishness', 'cloddishnesses', + 'cloddy', 'clodhopper', 'clodhoppers', 'clodhopping', + 'clodpate', + 'clodpates', + 'clodpole', + 'clodpoles', + 'clodpoll', + 'clodpolls', + 'clods', 'clofibrate', 'clofibrates', + 'clog', + 'clogged', + 'clogger', + 'cloggers', + 'cloggier', + 'cloggiest', + 'clogging', + 'cloggy', + 'clogs', + 'cloisonne', 'cloisonnes', + 'cloister', 'cloistered', 'cloistering', + 'cloisters', + 'cloistral', 'cloistress', 'cloistresses', + 'clomb', 'clomiphene', 'clomiphenes', + 'clomp', + 'clomped', + 'clomping', + 'clomps', + 'clon', + 'clonal', + 'clonally', + 'clone', + 'cloned', + 'cloner', + 'cloners', + 'clones', + 'clonic', 'clonicities', + 'clonicity', + 'clonidine', 'clonidines', + 'cloning', + 'clonings', + 'clonism', + 'clonisms', + 'clonk', + 'clonked', + 'clonking', + 'clonks', + 'clons', + 'clonus', + 'clonuses', + 'cloot', + 'cloots', + 'clop', + 'clopped', + 'clopping', + 'clops', + 'cloque', + 'cloques', + 'closable', + 'close', + 'closeable', + 'closed', + 'closedown', 'closedowns', 'closefisted', + 'closely', 'closemouthed', + 'closeness', 'closenesses', + 'closeout', + 'closeouts', + 'closer', + 'closers', + 'closes', + 'closest', 'closestool', 'closestools', + 'closet', + 'closeted', + 'closetful', 'closetfuls', + 'closeting', + 'closets', + 'closing', + 'closings', 'clostridia', 'clostridial', 'clostridium', + 'closure', + 'closured', + 'closures', + 'closuring', + 'clot', + 'cloth', 'clothbound', + 'clothe', + 'clothed', + 'clothes', 'clotheshorse', 'clotheshorses', 'clothesline', @@ -9385,127 +26768,451 @@ export const scrabble_array = [ 'clothespins', 'clothespress', 'clothespresses', + 'clothier', + 'clothiers', + 'clothing', + 'clothings', + 'cloths', + 'clots', + 'clotted', + 'clotting', + 'clotty', + 'cloture', + 'clotured', + 'clotures', + 'cloturing', + 'cloud', 'cloudberries', 'cloudberry', 'cloudburst', 'cloudbursts', + 'clouded', + 'cloudier', + 'cloudiest', + 'cloudily', 'cloudiness', 'cloudinesses', + 'clouding', + 'cloudland', 'cloudlands', + 'cloudless', 'cloudlessly', 'cloudlessness', 'cloudlessnesses', + 'cloudlet', + 'cloudlets', + 'clouds', 'cloudscape', 'cloudscapes', + 'cloudy', + 'clough', + 'cloughs', + 'clour', + 'cloured', + 'clouring', + 'clours', + 'clout', + 'clouted', + 'clouter', + 'clouters', + 'clouting', + 'clouts', + 'clove', + 'cloven', + 'clover', 'cloverleaf', 'cloverleafs', 'cloverleaves', + 'clovers', + 'cloves', + 'clowder', + 'clowders', + 'clown', + 'clowned', 'clowneries', + 'clownery', + 'clowning', + 'clownish', 'clownishly', 'clownishness', 'clownishnesses', + 'clowns', 'cloxacillin', 'cloxacillins', + 'cloy', + 'cloyed', + 'cloying', + 'cloyingly', + 'cloys', + 'cloze', + 'clozes', + 'club', + 'clubable', + 'clubbable', + 'clubbed', + 'clubber', + 'clubbers', + 'clubbier', + 'clubbiest', 'clubbiness', 'clubbinesses', + 'clubbing', + 'clubbish', + 'clubby', + 'clubfeet', + 'clubfoot', 'clubfooted', + 'clubhand', + 'clubhands', + 'clubhaul', 'clubhauled', 'clubhauling', + 'clubhauls', + 'clubhouse', 'clubhouses', + 'clubman', + 'clubmen', + 'clubroom', + 'clubrooms', + 'clubroot', + 'clubroots', + 'clubs', + 'cluck', + 'clucked', + 'clucking', + 'clucks', + 'clue', + 'clued', + 'clueing', + 'clueless', + 'clues', + 'cluing', + 'clumber', + 'clumbers', + 'clump', + 'clumped', + 'clumpier', + 'clumpiest', + 'clumping', + 'clumpish', + 'clumps', + 'clumpy', + 'clumsier', + 'clumsiest', + 'clumsily', 'clumsiness', 'clumsinesses', + 'clumsy', + 'clung', + 'clunk', + 'clunked', + 'clunker', + 'clunkers', + 'clunkier', + 'clunkiest', + 'clunking', + 'clunks', + 'clunky', + 'clupeid', + 'clupeids', + 'clupeoid', + 'clupeoids', + 'cluster', + 'clustered', 'clustering', + 'clusters', + 'clustery', + 'clutch', + 'clutched', + 'clutches', + 'clutching', + 'clutchy', + 'clutter', + 'cluttered', 'cluttering', + 'clutters', + 'cluttery', + 'clypeal', + 'clypeate', + 'clypei', + 'clypeus', + 'clyster', + 'clysters', + 'cnidarian', 'cnidarians', 'coacervate', 'coacervates', 'coacervation', 'coacervations', + 'coach', + 'coachable', + 'coached', + 'coacher', + 'coachers', + 'coaches', + 'coaching', + 'coachman', + 'coachmen', + 'coachwork', 'coachworks', + 'coact', + 'coacted', + 'coacting', + 'coaction', + 'coactions', + 'coactive', + 'coactor', + 'coactors', + 'coacts', 'coadaptation', 'coadaptations', + 'coadapted', + 'coadjutor', 'coadjutors', 'coadjutrices', 'coadjutrix', 'coadministration', 'coadministrations', + 'coadmire', + 'coadmired', + 'coadmires', 'coadmiring', + 'coadmit', + 'coadmits', 'coadmitted', 'coadmitting', + 'coaeval', + 'coaevals', 'coagencies', + 'coagency', + 'coagent', + 'coagents', + 'coagula', 'coagulabilities', 'coagulability', 'coagulable', + 'coagulant', 'coagulants', + 'coagulase', 'coagulases', + 'coagulate', 'coagulated', 'coagulates', 'coagulating', 'coagulation', 'coagulations', + 'coagulum', + 'coagulums', + 'coal', + 'coala', + 'coalas', + 'coalbin', + 'coalbins', + 'coalbox', + 'coalboxes', + 'coaled', + 'coaler', + 'coalers', + 'coalesce', + 'coalesced', 'coalescence', 'coalescences', 'coalescent', + 'coalesces', 'coalescing', + 'coalfield', 'coalfields', + 'coalfish', 'coalfishes', + 'coalhole', + 'coalholes', + 'coalier', + 'coaliest', 'coalification', 'coalifications', + 'coalified', + 'coalifies', + 'coalify', 'coalifying', + 'coaling', + 'coalition', 'coalitionist', 'coalitionists', 'coalitions', + 'coalless', + 'coalpit', + 'coalpits', + 'coals', + 'coalsack', + 'coalsacks', + 'coalshed', + 'coalsheds', + 'coaly', + 'coalyard', + 'coalyards', + 'coaming', + 'coamings', + 'coanchor', 'coanchored', 'coanchoring', + 'coanchors', + 'coannex', + 'coannexed', + 'coannexes', 'coannexing', + 'coappear', 'coappeared', 'coappearing', + 'coappears', + 'coapt', 'coaptation', 'coaptations', + 'coapted', + 'coapting', + 'coapts', 'coarctation', 'coarctations', + 'coarse', + 'coarsely', + 'coarsen', + 'coarsened', 'coarseness', 'coarsenesses', 'coarsening', + 'coarsens', + 'coarser', + 'coarsest', + 'coassist', 'coassisted', 'coassisting', + 'coassists', + 'coassume', + 'coassumed', + 'coassumes', 'coassuming', + 'coast', + 'coastal', + 'coasted', + 'coaster', + 'coasters', 'coastguard', 'coastguardman', 'coastguardmen', 'coastguards', 'coastguardsman', 'coastguardsmen', + 'coasting', + 'coastings', + 'coastland', 'coastlands', + 'coastline', 'coastlines', + 'coasts', + 'coastward', 'coastwards', + 'coastwise', + 'coat', + 'coatdress', 'coatdresses', + 'coated', + 'coatee', + 'coatees', + 'coater', + 'coaters', + 'coati', 'coatimundi', 'coatimundis', + 'coating', + 'coatings', + 'coatis', + 'coatless', + 'coatrack', + 'coatracks', + 'coatroom', + 'coatrooms', + 'coats', + 'coattail', + 'coattails', + 'coattend', 'coattended', 'coattending', + 'coattends', + 'coattest', 'coattested', 'coattesting', + 'coattests', + 'coauthor', 'coauthored', 'coauthoring', + 'coauthors', 'coauthorship', 'coauthorships', + 'coax', + 'coaxal', + 'coaxed', + 'coaxer', + 'coaxers', + 'coaxes', + 'coaxial', + 'coaxially', + 'coaxing', + 'cob', + 'cobalamin', 'cobalamins', + 'cobalt', + 'cobaltic', + 'cobaltine', 'cobaltines', + 'cobaltite', 'cobaltites', + 'cobaltous', + 'cobalts', + 'cobb', + 'cobber', + 'cobbers', + 'cobbier', + 'cobbiest', + 'cobble', + 'cobbled', + 'cobbler', + 'cobblers', + 'cobbles', 'cobblestone', 'cobblestoned', 'cobblestones', + 'cobbling', + 'cobbs', + 'cobby', 'cobelligerent', 'cobelligerents', + 'cobia', + 'cobias', + 'coble', + 'cobles', + 'cobnut', + 'cobnuts', + 'cobra', + 'cobras', + 'cobs', + 'cobweb', + 'cobwebbed', 'cobwebbier', 'cobwebbiest', 'cobwebbing', + 'cobwebby', + 'cobwebs', + 'coca', + 'cocain', + 'cocaine', + 'cocaines', 'cocainization', 'cocainizations', + 'cocainize', 'cocainized', 'cocainizes', 'cocainizing', + 'cocains', + 'cocaptain', 'cocaptained', 'cocaptaining', 'cocaptains', @@ -9514,70 +27221,188 @@ export const scrabble_array = [ 'cocarcinogen', 'cocarcinogenic', 'cocarcinogens', + 'cocas', 'cocatalyst', 'cocatalysts', + 'coccal', + 'cocci', + 'coccic', + 'coccid', + 'coccidia', 'coccidioidomycoses', 'coccidioidomycosis', 'coccidioses', 'coccidiosis', + 'coccidium', + 'coccids', + 'coccoid', + 'coccoids', + 'coccous', + 'coccus', + 'coccygeal', + 'coccyges', + 'coccyx', + 'coccyxes', + 'cochair', + 'cochaired', 'cochairing', 'cochairman', 'cochairmen', 'cochairperson', 'cochairpersons', + 'cochairs', 'cochairwoman', 'cochairwomen', 'cochampion', 'cochampions', + 'cochin', + 'cochineal', 'cochineals', + 'cochins', + 'cochlea', + 'cochleae', + 'cochlear', + 'cochleas', + 'cocinera', + 'cocineras', + 'cock', + 'cockade', + 'cockaded', + 'cockades', 'cockalorum', 'cockalorums', 'cockamamie', + 'cockamamy', + 'cockapoo', + 'cockapoos', + 'cockatiel', 'cockatiels', + 'cockatoo', + 'cockatoos', 'cockatrice', 'cockatrices', + 'cockbill', 'cockbilled', 'cockbilling', + 'cockbills', + 'cockboat', + 'cockboats', 'cockchafer', 'cockchafers', + 'cockcrow', + 'cockcrows', + 'cocked', + 'cocker', + 'cockered', + 'cockerel', + 'cockerels', + 'cockering', + 'cockers', + 'cockeye', + 'cockeyed', 'cockeyedly', 'cockeyedness', 'cockeyednesses', + 'cockeyes', + 'cockfight', 'cockfighting', 'cockfightings', 'cockfights', + 'cockhorse', 'cockhorses', + 'cockier', + 'cockiest', + 'cockily', + 'cockiness', 'cockinesses', + 'cocking', + 'cockish', + 'cockle', + 'cocklebur', 'cockleburs', + 'cockled', + 'cockles', 'cockleshell', 'cockleshells', + 'cocklike', + 'cockling', + 'cockloft', + 'cocklofts', + 'cockney', 'cockneyfied', 'cockneyfies', + 'cockneyfy', 'cockneyfying', 'cockneyish', 'cockneyism', 'cockneyisms', + 'cockneys', + 'cockpit', + 'cockpits', + 'cockroach', 'cockroaches', + 'cocks', + 'cockscomb', 'cockscombs', + 'cocksfoot', 'cocksfoots', + 'cockshies', + 'cockshut', + 'cockshuts', + 'cockshy', + 'cockspur', + 'cockspurs', 'cocksucker', 'cocksuckers', + 'cocksure', 'cocksurely', 'cocksureness', 'cocksurenesses', + 'cocktail', 'cocktailed', 'cocktailing', + 'cocktails', + 'cockup', + 'cockups', + 'cocky', + 'coco', + 'cocoa', + 'cocoanut', + 'cocoanuts', + 'cocoas', + 'cocobola', + 'cocobolas', + 'cocobolo', + 'cocobolos', + 'cocomat', + 'cocomats', 'cocomposer', 'cocomposers', 'coconspirator', 'coconspirators', + 'coconut', + 'coconuts', + 'cocoon', + 'cocooned', + 'cocooning', 'cocoonings', + 'cocoons', + 'cocos', + 'cocotte', + 'cocottes', + 'cocounsel', 'cocounseled', 'cocounseling', 'cocounselled', 'cocounselling', 'cocounsels', + 'cocoyam', + 'cocoyams', + 'cocreate', + 'cocreated', + 'cocreates', 'cocreating', + 'cocreator', 'cocreators', 'cocultivate', 'cocultivated', @@ -9585,30 +27410,82 @@ export const scrabble_array = [ 'cocultivating', 'cocultivation', 'cocultivations', + 'coculture', 'cocultured', 'cocultures', 'coculturing', + 'cocurator', 'cocurators', 'cocurricular', + 'cod', + 'coda', + 'codable', + 'codas', + 'codded', + 'codder', + 'codders', + 'codding', + 'coddle', + 'coddled', + 'coddler', + 'coddlers', + 'coddles', + 'coddling', + 'code', + 'codebook', + 'codebooks', + 'codebtor', + 'codebtors', + 'codec', + 'codecs', + 'coded', 'codefendant', 'codefendants', + 'codeia', + 'codeias', + 'codein', + 'codeina', + 'codeinas', + 'codeine', + 'codeines', + 'codeins', + 'codeless', + 'coden', + 'codens', 'codependence', 'codependences', 'codependencies', 'codependency', 'codependent', 'codependents', + 'coder', + 'coderive', + 'coderived', + 'coderives', 'coderiving', + 'coders', + 'codes', + 'codesign', 'codesigned', 'codesigning', + 'codesigns', 'codetermination', 'codeterminations', + 'codevelop', 'codeveloped', 'codeveloper', 'codevelopers', 'codeveloping', 'codevelops', + 'codex', + 'codfish', + 'codfishes', + 'codger', + 'codgers', + 'codices', + 'codicil', 'codicillary', + 'codicils', 'codicological', 'codicologies', 'codicology', @@ -9616,26 +27493,61 @@ export const scrabble_array = [ 'codifiability', 'codification', 'codifications', + 'codified', + 'codifier', + 'codifiers', + 'codifies', + 'codify', + 'codifying', + 'coding', + 'codirect', 'codirected', 'codirecting', 'codirection', 'codirections', 'codirector', 'codirectors', + 'codirects', 'codiscover', 'codiscovered', 'codiscoverer', 'codiscoverers', 'codiscovering', 'codiscovers', + 'codlin', + 'codling', + 'codlings', + 'codlins', 'codominant', 'codominants', + 'codon', + 'codons', + 'codpiece', + 'codpieces', + 'codrive', + 'codriven', + 'codriver', + 'codrivers', + 'codrives', + 'codriving', + 'codrove', + 'cods', 'codswallop', 'codswallops', + 'coed', + 'coedit', + 'coedited', + 'coediting', + 'coeditor', + 'coeditors', + 'coedits', + 'coeds', 'coeducation', 'coeducational', 'coeducationally', 'coeducations', + 'coeffect', + 'coeffects', 'coefficient', 'coefficients', 'coelacanth', @@ -9644,148 +27556,432 @@ export const scrabble_array = [ 'coelenterate', 'coelenterates', 'coelenteron', + 'coeliac', + 'coelom', + 'coelomata', + 'coelomate', 'coelomates', + 'coelome', + 'coelomes', + 'coelomic', + 'coeloms', 'coembodied', 'coembodies', + 'coembody', 'coembodying', + 'coemploy', 'coemployed', 'coemploying', + 'coemploys', + 'coempt', + 'coempted', + 'coempting', + 'coempts', + 'coenact', + 'coenacted', 'coenacting', + 'coenacts', + 'coenamor', 'coenamored', 'coenamoring', + 'coenamors', + 'coendure', + 'coendured', + 'coendures', 'coenduring', + 'coenobite', 'coenobites', + 'coenocyte', 'coenocytes', 'coenocytic', + 'coenure', + 'coenures', + 'coenuri', + 'coenurus', 'coenzymatic', 'coenzymatically', + 'coenzyme', + 'coenzymes', + 'coequal', 'coequalities', 'coequality', + 'coequally', + 'coequals', + 'coequate', + 'coequated', + 'coequates', 'coequating', + 'coerce', + 'coerced', + 'coercer', + 'coercers', + 'coerces', + 'coercible', + 'coercing', + 'coercion', + 'coercions', + 'coercive', 'coercively', 'coerciveness', 'coercivenesses', 'coercivities', 'coercivity', + 'coerect', + 'coerected', 'coerecting', + 'coerects', + 'coesite', + 'coesites', 'coetaneous', + 'coeternal', + 'coeval', 'coevalities', + 'coevality', + 'coevally', + 'coevals', 'coevolution', 'coevolutionary', 'coevolutions', + 'coevolve', + 'coevolved', + 'coevolves', 'coevolving', 'coexecutor', 'coexecutors', + 'coexert', + 'coexerted', 'coexerting', + 'coexerts', + 'coexist', + 'coexisted', 'coexistence', 'coexistences', 'coexistent', 'coexisting', + 'coexists', + 'coextend', 'coextended', 'coextending', + 'coextends', 'coextensive', 'coextensively', + 'cofactor', + 'cofactors', 'cofavorite', 'cofavorites', + 'cofeature', 'cofeatured', 'cofeatures', 'cofeaturing', + 'coff', + 'coffee', 'coffeecake', 'coffeecakes', 'coffeehouse', 'coffeehouses', 'coffeemaker', 'coffeemakers', + 'coffeepot', 'coffeepots', + 'coffees', + 'coffer', + 'cofferdam', 'cofferdams', + 'coffered', + 'coffering', + 'coffers', + 'coffin', + 'coffined', + 'coffing', + 'coffining', + 'coffins', + 'coffle', + 'coffled', + 'coffles', + 'coffling', + 'coffret', + 'coffrets', + 'coffs', + 'cofinance', 'cofinanced', 'cofinances', 'cofinancing', + 'cofound', + 'cofounded', + 'cofounder', 'cofounders', 'cofounding', + 'cofounds', + 'coft', 'cofunction', 'cofunctions', + 'cog', + 'cogencies', + 'cogency', 'cogeneration', 'cogenerations', 'cogenerator', 'cogenerators', + 'cogent', + 'cogently', + 'cogged', + 'cogging', + 'cogitable', + 'cogitate', + 'cogitated', + 'cogitates', 'cogitating', 'cogitation', 'cogitations', 'cogitative', + 'cogito', + 'cogitos', + 'cognac', + 'cognacs', + 'cognate', + 'cognately', + 'cognates', + 'cognation', 'cognations', + 'cognise', + 'cognised', + 'cognises', + 'cognising', + 'cognition', 'cognitional', 'cognitions', + 'cognitive', 'cognitively', 'cognizable', 'cognizably', 'cognizance', 'cognizances', + 'cognizant', + 'cognize', + 'cognized', + 'cognizer', + 'cognizers', + 'cognizes', + 'cognizing', + 'cognomen', + 'cognomens', + 'cognomina', 'cognominal', 'cognoscente', 'cognoscenti', 'cognoscible', + 'cognovit', + 'cognovits', + 'cogon', + 'cogons', + 'cogs', + 'cogway', + 'cogways', + 'cogwheel', + 'cogwheels', + 'cohabit', 'cohabitant', 'cohabitants', 'cohabitation', 'cohabitations', + 'cohabited', 'cohabiting', + 'cohabits', + 'cohead', + 'coheaded', + 'coheading', + 'coheads', + 'coheir', + 'coheiress', 'coheiresses', + 'coheirs', + 'cohere', + 'cohered', + 'coherence', 'coherences', 'coherencies', + 'coherency', + 'coherent', 'coherently', + 'coherer', + 'coherers', + 'coheres', + 'cohering', + 'cohesion', 'cohesionless', + 'cohesions', + 'cohesive', 'cohesively', 'cohesiveness', 'cohesivenesses', + 'coho', + 'cohobate', + 'cohobated', + 'cohobates', 'cohobating', + 'cohog', + 'cohogs', + 'coholder', + 'coholders', 'cohomological', 'cohomologies', 'cohomology', + 'cohort', + 'cohorts', + 'cohos', + 'cohosh', + 'cohoshes', + 'cohost', + 'cohosted', + 'cohostess', 'cohostessed', 'cohostesses', 'cohostessing', + 'cohosting', + 'cohosts', + 'cohune', + 'cohunes', + 'coif', + 'coifed', + 'coiffe', + 'coiffed', + 'coiffes', + 'coiffeur', + 'coiffeurs', + 'coiffeuse', 'coiffeuses', + 'coiffing', + 'coiffure', + 'coiffured', + 'coiffures', 'coiffuring', + 'coifing', + 'coifs', + 'coign', + 'coigne', + 'coigned', + 'coignes', + 'coigning', + 'coigns', + 'coil', 'coilabilities', 'coilability', + 'coiled', + 'coiler', + 'coilers', + 'coiling', + 'coils', + 'coin', + 'coinable', + 'coinage', + 'coinages', + 'coincide', + 'coincided', 'coincidence', 'coincidences', 'coincident', 'coincidental', 'coincidentally', 'coincidently', + 'coincides', 'coinciding', + 'coined', + 'coiner', + 'coiners', + 'coinfer', 'coinferred', 'coinferring', + 'coinfers', + 'coinhere', + 'coinhered', + 'coinheres', 'coinhering', + 'coining', + 'coinmate', + 'coinmates', + 'coins', 'coinsurance', 'coinsurances', + 'coinsure', + 'coinsured', + 'coinsurer', 'coinsurers', + 'coinsures', 'coinsuring', + 'cointer', 'cointerred', 'cointerring', + 'cointers', + 'coinvent', 'coinvented', 'coinventing', 'coinventor', 'coinventors', + 'coinvents', 'coinvestigator', 'coinvestigators', 'coinvestor', 'coinvestors', + 'coir', + 'coirs', + 'coistrel', + 'coistrels', + 'coistril', + 'coistrils', + 'coital', + 'coitally', + 'coition', + 'coitional', + 'coitions', + 'coitus', + 'coituses', + 'cojoin', + 'cojoined', + 'cojoining', + 'cojoins', + 'coke', + 'coked', + 'cokehead', + 'cokeheads', + 'cokes', + 'coking', + 'col', + 'cola', + 'colander', + 'colanders', + 'colas', 'colatitude', 'colatitudes', + 'colcannon', 'colcannons', 'colchicine', 'colchicines', + 'colchicum', 'colchicums', + 'cold', + 'coldblood', + 'coldcock', 'coldcocked', 'coldcocking', + 'coldcocks', + 'colder', + 'coldest', 'coldhearted', 'coldheartedly', 'coldheartedness', 'coldheartednesses', + 'coldish', + 'coldly', + 'coldness', 'coldnesses', + 'colds', + 'cole', + 'colead', + 'coleader', + 'coleaders', + 'coleading', + 'coleads', + 'coled', 'colemanite', 'colemanites', 'coleoptera', @@ -9798,10 +27994,45 @@ export const scrabble_array = [ 'coleoptiles', 'coleorhiza', 'coleorhizae', + 'coles', + 'coleseed', + 'coleseeds', + 'coleslaw', + 'coleslaws', + 'colessee', + 'colessees', + 'colessor', + 'colessors', + 'coleus', + 'coleuses', + 'colewort', + 'coleworts', + 'colic', + 'colicin', + 'colicine', + 'colicines', + 'colicins', + 'colicky', + 'colicroot', 'colicroots', + 'colics', + 'colies', + 'coliform', + 'coliforms', + 'colin', + 'colinear', 'colinearities', 'colinearity', + 'colins', + 'coliphage', 'coliphages', + 'coliseum', + 'coliseums', + 'colistin', + 'colistins', + 'colitic', + 'colitis', + 'colitises', 'collaborate', 'collaborated', 'collaborates', @@ -9817,17 +28048,37 @@ export const scrabble_array = [ 'collaboratives', 'collaborator', 'collaborators', + 'collage', + 'collaged', + 'collagen', 'collagenase', 'collagenases', 'collagenous', + 'collagens', + 'collages', + 'collaging', + 'collagist', 'collagists', + 'collapse', + 'collapsed', + 'collapses', 'collapsibilities', 'collapsibility', 'collapsible', 'collapsing', + 'collar', 'collarbone', 'collarbones', + 'collard', + 'collards', + 'collared', + 'collaret', + 'collarets', + 'collaring', 'collarless', + 'collars', + 'collate', + 'collated', 'collateral', 'collateralities', 'collaterality', @@ -9837,13 +28088,21 @@ export const scrabble_array = [ 'collateralizing', 'collaterally', 'collaterals', + 'collates', + 'collating', + 'collation', 'collations', + 'collator', + 'collators', + 'colleague', 'colleagues', 'colleagueship', 'colleagueships', + 'collect', 'collectable', 'collectables', 'collectanea', + 'collected', 'collectedly', 'collectedness', 'collectednesses', @@ -9873,15 +28132,27 @@ export const scrabble_array = [ 'collectivized', 'collectivizes', 'collectivizing', + 'collector', 'collectors', 'collectorship', 'collectorships', + 'collects', + 'colleen', + 'colleens', + 'college', + 'colleger', + 'collegers', + 'colleges', + 'collegia', + 'collegial', 'collegialities', 'collegiality', 'collegially', + 'collegian', 'collegians', 'collegiate', 'collegiately', + 'collegium', 'collegiums', 'collembolan', 'collembolans', @@ -9890,15 +28161,33 @@ export const scrabble_array = [ 'collenchymas', 'collenchymata', 'collenchymatous', + 'collet', + 'colleted', + 'colleting', + 'collets', + 'collide', + 'collided', + 'collider', + 'colliders', + 'collides', + 'colliding', + 'collie', + 'collied', + 'collier', 'collieries', + 'colliers', + 'colliery', + 'collies', 'collieshangie', 'collieshangies', + 'colligate', 'colligated', 'colligates', 'colligating', 'colligation', 'colligations', 'colligative', + 'collimate', 'collimated', 'collimates', 'collimating', @@ -9906,20 +28195,35 @@ export const scrabble_array = [ 'collimations', 'collimator', 'collimators', + 'collinear', 'collinearities', 'collinearity', + 'collins', + 'collinses', + 'collision', 'collisional', 'collisionally', 'collisions', + 'collocate', 'collocated', 'collocates', 'collocating', 'collocation', 'collocational', 'collocations', + 'collodion', 'collodions', + 'collogue', + 'collogued', + 'collogues', 'colloguing', + 'colloid', + 'colloidal', 'colloidally', + 'colloids', + 'collop', + 'collops', + 'colloquia', 'colloquial', 'colloquialism', 'colloquialisms', @@ -9932,18 +28236,55 @@ export const scrabble_array = [ 'colloquists', 'colloquium', 'colloquiums', + 'colloquy', + 'collotype', 'collotypes', + 'collude', + 'colluded', + 'colluder', + 'colluders', + 'colludes', + 'colluding', + 'collusion', 'collusions', + 'collusive', 'collusively', + 'colluvia', + 'colluvial', + 'colluvium', 'colluviums', + 'colly', + 'collying', + 'collyria', + 'collyrium', 'collyriums', 'collywobbles', + 'colobi', + 'coloboma', 'colobomata', + 'colobus', + 'colocate', + 'colocated', + 'colocates', 'colocating', + 'colocynth', 'colocynths', + 'colog', 'cologarithm', 'cologarithms', + 'cologne', + 'cologned', + 'colognes', + 'cologs', + 'colon', + 'colone', + 'colonel', 'colonelcies', + 'colonelcy', + 'colonels', + 'colones', + 'coloni', + 'colonial', 'colonialism', 'colonialisms', 'colonialist', @@ -9956,18 +28297,44 @@ export const scrabble_array = [ 'colonially', 'colonialness', 'colonialnesses', + 'colonials', + 'colonic', + 'colonics', + 'colonies', 'colonisation', 'colonisations', + 'colonise', + 'colonised', + 'colonises', 'colonising', + 'colonist', + 'colonists', 'colonization', 'colonizationist', 'colonizationists', 'colonizations', + 'colonize', + 'colonized', + 'colonizer', 'colonizers', + 'colonizes', 'colonizing', + 'colonnade', 'colonnaded', 'colonnades', + 'colons', + 'colonus', + 'colony', + 'colophon', 'colophonies', + 'colophons', + 'colophony', + 'color', + 'colorable', + 'colorably', + 'colorado', + 'colorant', + 'colorants', 'coloration', 'colorations', 'coloratura', @@ -9975,62 +28342,166 @@ export const scrabble_array = [ 'colorblind', 'colorblindness', 'colorblindnesses', + 'colorbred', 'colorectal', + 'colored', + 'coloreds', + 'colorer', + 'colorers', + 'colorfast', 'colorfastness', 'colorfastnesses', + 'colorful', 'colorfully', 'colorfulness', 'colorfulnesses', + 'colorific', 'colorimeter', 'colorimeters', 'colorimetric', 'colorimetrically', 'colorimetries', 'colorimetry', + 'coloring', + 'colorings', + 'colorism', + 'colorisms', + 'colorist', 'coloristic', 'coloristically', + 'colorists', 'colorization', 'colorizations', + 'colorize', + 'colorized', + 'colorizes', 'colorizing', + 'colorless', 'colorlessly', 'colorlessness', 'colorlessnesses', + 'colorman', + 'colormen', 'colorpoint', 'colorpoints', + 'colors', + 'colossal', 'colossally', + 'colosseum', 'colosseums', + 'colossi', + 'colossus', 'colossuses', 'colostomies', + 'colostomy', + 'colostral', + 'colostrum', 'colostrums', 'colotomies', + 'colotomy', + 'colour', + 'coloured', + 'colourer', + 'colourers', + 'colouring', + 'colours', + 'colpitis', 'colpitises', 'colportage', 'colportages', 'colporteur', 'colporteurs', + 'cols', + 'colt', + 'colter', + 'colters', + 'coltish', + 'coltishly', 'coltishness', 'coltishnesses', + 'colts', + 'coltsfoot', 'coltsfoots', + 'colubrid', + 'colubrids', + 'colubrine', + 'colugo', + 'colugos', 'columbaria', 'columbarium', + 'columbic', + 'columbine', 'columbines', + 'columbite', 'columbites', + 'columbium', 'columbiums', + 'columel', + 'columella', 'columellae', 'columellar', + 'columels', + 'column', + 'columnal', + 'columnar', + 'columned', 'columniation', 'columniations', + 'columnist', 'columnistic', 'columnists', + 'columns', + 'colure', + 'colures', + 'coly', + 'colza', + 'colzas', + 'coma', + 'comade', + 'comae', + 'comake', + 'comaker', + 'comakers', + 'comakes', + 'comaking', + 'comal', + 'comanage', + 'comanaged', 'comanagement', 'comanagements', + 'comanager', 'comanagers', + 'comanages', 'comanaging', + 'comas', + 'comate', + 'comates', + 'comatic', + 'comatik', + 'comatiks', + 'comatose', + 'comatula', + 'comatulae', + 'comb', + 'combat', + 'combatant', 'combatants', + 'combated', + 'combater', + 'combaters', + 'combating', + 'combative', 'combatively', 'combativeness', 'combativenesses', + 'combats', + 'combatted', 'combatting', + 'combe', + 'combed', + 'comber', + 'combers', + 'combes', 'combinable', 'combination', 'combinational', @@ -10040,6 +28511,20 @@ export const scrabble_array = [ 'combinatorially', 'combinatorics', 'combinatory', + 'combine', + 'combined', + 'combiner', + 'combiners', + 'combines', + 'combing', + 'combings', + 'combining', + 'comblike', + 'combo', + 'combos', + 'combs', + 'combust', + 'combusted', 'combustibilities', 'combustibility', 'combustible', @@ -10049,34 +28534,94 @@ export const scrabble_array = [ 'combustion', 'combustions', 'combustive', + 'combustor', 'combustors', + 'combusts', + 'come', + 'comeback', + 'comebacks', + 'comedian', + 'comedians', + 'comedic', 'comedically', 'comedienne', 'comediennes', + 'comedies', + 'comedo', + 'comedones', + 'comedos', + 'comedown', + 'comedowns', + 'comedy', + 'comelier', + 'comeliest', + 'comelily', 'comeliness', 'comelinesses', + 'comely', + 'comember', + 'comembers', + 'comer', + 'comers', + 'comes', 'comestible', 'comestibles', + 'comet', + 'cometary', + 'cometh', + 'comether', + 'comethers', + 'cometic', + 'comets', 'comeuppance', 'comeuppances', + 'comfier', + 'comfiest', + 'comfit', + 'comfits', + 'comfort', 'comfortable', 'comfortableness', 'comfortablenesses', 'comfortably', + 'comforted', + 'comforter', 'comforters', 'comforting', 'comfortingly', 'comfortless', + 'comforts', + 'comfrey', + 'comfreys', + 'comfy', + 'comic', + 'comical', 'comicalities', 'comicality', + 'comically', + 'comics', + 'coming', + 'comingle', + 'comingled', + 'comingles', 'comingling', + 'comings', + 'comitia', + 'comitial', + 'comities', + 'comity', + 'comix', + 'comma', + 'command', 'commandable', 'commandant', 'commandants', + 'commanded', 'commandeer', 'commandeered', 'commandeering', 'commandeers', + 'commander', 'commanderies', 'commanders', 'commandership', @@ -10086,7 +28631,12 @@ export const scrabble_array = [ 'commandingly', 'commandment', 'commandments', + 'commando', 'commandoes', + 'commandos', + 'commands', + 'commas', + 'commata', 'commemorate', 'commemorated', 'commemorates', @@ -10098,17 +28648,26 @@ export const scrabble_array = [ 'commemoratives', 'commemorator', 'commemorators', + 'commence', + 'commenced', 'commencement', 'commencements', + 'commencer', 'commencers', + 'commences', 'commencing', + 'commend', 'commendable', 'commendably', 'commendation', 'commendations', 'commendatory', + 'commended', + 'commender', 'commenders', 'commending', + 'commends', + 'commensal', 'commensalism', 'commensalisms', 'commensally', @@ -10121,6 +28680,7 @@ export const scrabble_array = [ 'commensurately', 'commensuration', 'commensurations', + 'comment', 'commentaries', 'commentary', 'commentate', @@ -10129,7 +28689,12 @@ export const scrabble_array = [ 'commentating', 'commentator', 'commentators', + 'commented', 'commenting', + 'comments', + 'commerce', + 'commerced', + 'commerces', 'commercial', 'commercialise', 'commercialised', @@ -10151,12 +28716,16 @@ export const scrabble_array = [ 'commercially', 'commercials', 'commercing', + 'commie', + 'commies', 'commination', 'comminations', 'comminatory', + 'commingle', 'commingled', 'commingles', 'commingling', + 'comminute', 'comminuted', 'comminutes', 'comminuting', @@ -10170,6 +28739,7 @@ export const scrabble_array = [ 'commiseration', 'commiserations', 'commiserative', + 'commissar', 'commissarial', 'commissariat', 'commissariats', @@ -10189,40 +28759,62 @@ export const scrabble_array = [ 'commissural', 'commissure', 'commissures', + 'commit', 'commitment', 'commitments', + 'commits', 'committable', + 'committal', 'committals', + 'committed', + 'committee', 'committeeman', 'committeemen', 'committees', 'committeewoman', 'committeewomen', 'committing', + 'commix', + 'commixed', + 'commixes', + 'commixing', + 'commixt', 'commixture', 'commixtures', + 'commode', + 'commodes', 'commodification', 'commodifications', 'commodified', 'commodifies', + 'commodify', 'commodifying', 'commodious', 'commodiously', 'commodiousness', 'commodiousnesses', 'commodities', + 'commodity', + 'commodore', 'commodores', + 'common', + 'commonage', 'commonages', 'commonalities', 'commonality', 'commonalties', 'commonalty', + 'commoner', + 'commoners', + 'commonest', + 'commonly', 'commonness', 'commonnesses', 'commonplace', 'commonplaceness', 'commonplacenesses', 'commonplaces', + 'commons', 'commonsense', 'commonsensible', 'commonsensical', @@ -10231,7 +28823,13 @@ export const scrabble_array = [ 'commonweals', 'commonwealth', 'commonwealths', + 'commotion', 'commotions', + 'commove', + 'commoved', + 'commoves', + 'commoving', + 'communal', 'communalism', 'communalisms', 'communalist', @@ -10243,7 +28841,11 @@ export const scrabble_array = [ 'communalizes', 'communalizing', 'communally', + 'communard', 'communards', + 'commune', + 'communed', + 'communes', 'communicabilities', 'communicability', 'communicable', @@ -10268,13 +28870,18 @@ export const scrabble_array = [ 'communicator', 'communicators', 'communicatory', + 'communing', + 'communion', 'communions', 'communique', 'communiques', + 'communise', 'communised', 'communises', 'communising', + 'communism', 'communisms', + 'communist', 'communistic', 'communistically', 'communists', @@ -10283,12 +28890,15 @@ export const scrabble_array = [ 'communitarianisms', 'communitarians', 'communities', + 'community', 'communization', 'communizations', + 'communize', 'communized', 'communizes', 'communizing', 'commutable', + 'commutate', 'commutated', 'commutates', 'commutating', @@ -10299,16 +28909,38 @@ export const scrabble_array = [ 'commutativity', 'commutator', 'commutators', + 'commute', + 'commuted', + 'commuter', + 'commuters', + 'commutes', + 'commuting', + 'commy', + 'comonomer', 'comonomers', + 'comose', + 'comous', + 'comp', + 'compact', + 'compacted', + 'compacter', 'compacters', 'compactest', 'compactible', 'compacting', 'compaction', 'compactions', + 'compactly', 'compactness', 'compactnesses', + 'compactor', 'compactors', + 'compacts', + 'compadre', + 'compadres', + 'companied', + 'companies', + 'companion', 'companionabilities', 'companionability', 'companionable', @@ -10323,6 +28955,7 @@ export const scrabble_array = [ 'companionships', 'companionway', 'companionways', + 'company', 'companying', 'comparabilities', 'comparability', @@ -10341,8 +28974,16 @@ export const scrabble_array = [ 'comparativists', 'comparator', 'comparators', + 'compare', + 'compared', + 'comparer', + 'comparers', + 'compares', + 'comparing', 'comparison', 'comparisons', + 'compart', + 'comparted', 'comparting', 'compartment', 'compartmental', @@ -10361,7 +29002,11 @@ export const scrabble_array = [ 'compartmented', 'compartmenting', 'compartments', + 'comparts', + 'compass', 'compassable', + 'compassed', + 'compasses', 'compassing', 'compassion', 'compassionate', @@ -10383,18 +29028,28 @@ export const scrabble_array = [ 'compatriot', 'compatriotic', 'compatriots', + 'comped', + 'compeer', + 'compeered', 'compeering', + 'compeers', + 'compel', 'compellable', 'compellation', 'compellations', + 'compelled', 'compelling', 'compellingly', + 'compels', + 'compend', + 'compendia', 'compendious', 'compendiously', 'compendiousness', 'compendiousnesses', 'compendium', 'compendiums', + 'compends', 'compensabilities', 'compensability', 'compensable', @@ -10409,11 +29064,20 @@ export const scrabble_array = [ 'compensator', 'compensators', 'compensatory', + 'compere', + 'compered', + 'comperes', + 'compering', + 'compete', + 'competed', 'competence', 'competences', 'competencies', 'competency', + 'competent', 'competently', + 'competes', + 'competing', 'competition', 'competitions', 'competitive', @@ -10424,12 +29088,20 @@ export const scrabble_array = [ 'competitors', 'compilation', 'compilations', + 'compile', + 'compiled', + 'compiler', + 'compilers', + 'compiles', + 'compiling', + 'comping', 'complacence', 'complacences', 'complacencies', 'complacency', 'complacent', 'complacently', + 'complain', 'complainant', 'complainants', 'complained', @@ -10437,13 +29109,18 @@ export const scrabble_array = [ 'complainers', 'complaining', 'complainingly', + 'complains', + 'complaint', 'complaints', 'complaisance', 'complaisances', 'complaisant', 'complaisantly', + 'compleat', + 'complect', 'complected', 'complecting', + 'complects', 'complement', 'complemental', 'complementaries', @@ -10460,9 +29137,13 @@ export const scrabble_array = [ 'complementizer', 'complementizers', 'complements', + 'complete', + 'completed', 'completely', 'completeness', 'completenesses', + 'completer', + 'completes', 'completest', 'completing', 'completion', @@ -10470,8 +29151,12 @@ export const scrabble_array = [ 'completist', 'completists', 'completive', + 'complex', 'complexation', 'complexations', + 'complexed', + 'complexer', + 'complexes', 'complexest', 'complexified', 'complexifies', @@ -10484,12 +29169,14 @@ export const scrabble_array = [ 'complexions', 'complexities', 'complexity', + 'complexly', 'complexness', 'complexnesses', 'compliance', 'compliances', 'compliancies', 'compliancy', + 'compliant', 'compliantly', 'complicacies', 'complicacy', @@ -10502,25 +29189,55 @@ export const scrabble_array = [ 'complicating', 'complication', 'complications', + 'complice', + 'complices', + 'complicit', 'complicities', 'complicitous', 'complicity', + 'complied', + 'complier', + 'compliers', + 'complies', 'compliment', 'complimentarily', 'complimentary', 'complimented', 'complimenting', 'compliments', + 'complin', + 'compline', + 'complines', + 'complins', + 'complot', + 'complots', 'complotted', 'complotting', + 'comply', + 'complying', + 'compo', + 'compone', + 'component', 'componential', 'components', + 'compony', + 'comport', + 'comported', 'comporting', 'comportment', 'comportments', + 'comports', + 'compos', + 'compose', + 'composed', 'composedly', 'composedness', 'composednesses', + 'composer', + 'composers', + 'composes', + 'composing', + 'composite', 'composited', 'compositely', 'composites', @@ -10531,13 +29248,22 @@ export const scrabble_array = [ 'compositions', 'compositor', 'compositors', + 'compost', + 'composted', 'composting', + 'composts', + 'composure', 'composures', + 'compote', + 'compotes', + 'compound', 'compoundable', 'compounded', 'compounder', 'compounders', 'compounding', + 'compounds', + 'comprador', 'compradore', 'compradores', 'compradors', @@ -10558,6 +29284,7 @@ export const scrabble_array = [ 'comprehensively', 'comprehensiveness', 'comprehensivenesses', + 'compress', 'compressed', 'compressedly', 'compresses', @@ -10572,7 +29299,13 @@ export const scrabble_array = [ 'compressively', 'compressor', 'compressors', + 'comprise', + 'comprised', + 'comprises', 'comprising', + 'comprize', + 'comprized', + 'comprizes', 'comprizing', 'compromise', 'compromised', @@ -10580,10 +29313,15 @@ export const scrabble_array = [ 'compromisers', 'compromises', 'compromising', + 'comps', + 'compt', + 'compted', + 'compting', 'comptroller', 'comptrollers', 'comptrollership', 'comptrollerships', + 'compts', 'compulsion', 'compulsions', 'compulsive', @@ -10608,6 +29346,9 @@ export const scrabble_array = [ 'computational', 'computationally', 'computations', + 'compute', + 'computed', + 'computer', 'computerdom', 'computerdoms', 'computerese', @@ -10634,11 +29375,27 @@ export const scrabble_array = [ 'computerphobia', 'computerphobias', 'computerphobic', + 'computers', + 'computes', + 'computing', + 'comrade', 'comradeliness', 'comradelinesses', + 'comradely', 'comraderies', + 'comradery', + 'comrades', 'comradeship', 'comradeships', + 'comsymp', + 'comsymps', + 'comte', + 'comtes', + 'con', + 'conation', + 'conations', + 'conative', + 'conatus', 'concanavalin', 'concanavalins', 'concatenate', @@ -10647,25 +29404,47 @@ export const scrabble_array = [ 'concatenating', 'concatenation', 'concatenations', + 'concave', + 'concaved', + 'concaves', + 'concaving', 'concavities', + 'concavity', + 'conceal', 'concealable', + 'concealed', + 'concealer', 'concealers', 'concealing', 'concealingly', 'concealment', 'concealments', + 'conceals', + 'concede', + 'conceded', 'concededly', + 'conceder', + 'conceders', + 'concedes', + 'conceding', + 'conceit', + 'conceited', 'conceitedly', 'conceitedness', 'conceitednesses', 'conceiting', + 'conceits', 'conceivabilities', 'conceivability', 'conceivable', 'conceivableness', 'conceivablenesses', 'conceivably', + 'conceive', + 'conceived', + 'conceiver', 'conceivers', + 'conceives', 'conceiving', 'concelebrant', 'concelebrants', @@ -10675,6 +29454,8 @@ export const scrabble_array = [ 'concelebrating', 'concelebration', 'concelebrations', + 'concent', + 'concenter', 'concentered', 'concentering', 'concenters', @@ -10692,12 +29473,15 @@ export const scrabble_array = [ 'concentrically', 'concentricities', 'concentricity', + 'concents', + 'concept', 'conceptacle', 'conceptacles', 'conception', 'conceptional', 'conceptions', 'conceptive', + 'concepts', 'conceptual', 'conceptualise', 'conceptualised', @@ -10720,10 +29504,16 @@ export const scrabble_array = [ 'conceptualizes', 'conceptualizing', 'conceptually', + 'conceptus', 'conceptuses', + 'concern', + 'concerned', 'concerning', 'concernment', 'concernments', + 'concerns', + 'concert', + 'concerted', 'concertedly', 'concertedness', 'concertednesses', @@ -10731,6 +29521,7 @@ export const scrabble_array = [ 'concertgoers', 'concertgoing', 'concertgoings', + 'concerti', 'concertina', 'concertinas', 'concerting', @@ -10744,6 +29535,9 @@ export const scrabble_array = [ 'concertmasters', 'concertmeister', 'concertmeisters', + 'concerto', + 'concertos', + 'concerts', 'concession', 'concessionaire', 'concessionaires', @@ -10754,13 +29548,26 @@ export const scrabble_array = [ 'concessions', 'concessive', 'concessively', + 'conch', + 'concha', + 'conchae', + 'conchal', + 'conches', + 'conchie', + 'conchies', + 'conchoid', 'conchoidal', 'conchoidally', + 'conchoids', 'conchologies', 'conchologist', 'conchologists', 'conchology', + 'conchs', + 'conchy', + 'concierge', 'concierges', + 'conciliar', 'conciliarly', 'conciliate', 'conciliated', @@ -10774,10 +29581,21 @@ export const scrabble_array = [ 'conciliatory', 'concinnities', 'concinnity', + 'concise', + 'concisely', 'conciseness', 'concisenesses', + 'conciser', + 'concisest', + 'concision', 'concisions', + 'conclave', + 'conclaves', + 'conclude', + 'concluded', + 'concluder', 'concluders', + 'concludes', 'concluding', 'conclusion', 'conclusionary', @@ -10787,28 +29605,39 @@ export const scrabble_array = [ 'conclusiveness', 'conclusivenesses', 'conclusory', + 'concoct', + 'concocted', + 'concocter', 'concocters', 'concocting', 'concoction', 'concoctions', 'concoctive', + 'concocts', 'concomitance', 'concomitances', 'concomitant', 'concomitantly', 'concomitants', + 'concord', 'concordance', 'concordances', 'concordant', 'concordantly', + 'concordat', 'concordats', + 'concords', + 'concourse', 'concourses', 'concrescence', 'concrescences', 'concrescent', + 'concrete', + 'concreted', 'concretely', 'concreteness', 'concretenesses', + 'concretes', 'concreting', 'concretion', 'concretionary', @@ -10825,11 +29654,14 @@ export const scrabble_array = [ 'concretizing', 'concubinage', 'concubinages', + 'concubine', 'concubines', 'concupiscence', 'concupiscences', 'concupiscent', 'concupiscible', + 'concur', + 'concurred', 'concurrence', 'concurrences', 'concurrencies', @@ -10838,24 +29670,37 @@ export const scrabble_array = [ 'concurrently', 'concurrents', 'concurring', + 'concurs', + 'concuss', + 'concussed', + 'concusses', 'concussing', 'concussion', 'concussions', 'concussive', + 'condemn', 'condemnable', 'condemnation', 'condemnations', 'condemnatory', + 'condemned', + 'condemner', 'condemners', 'condemning', + 'condemnor', 'condemnors', + 'condemns', 'condensable', 'condensate', 'condensates', 'condensation', 'condensational', 'condensations', + 'condense', + 'condensed', + 'condenser', 'condensers', + 'condenses', 'condensible', 'condensing', 'condescend', @@ -10867,8 +29712,12 @@ export const scrabble_array = [ 'condescends', 'condescension', 'condescensions', + 'condign', + 'condignly', + 'condiment', 'condimental', 'condiments', + 'condition', 'conditionable', 'conditional', 'conditionalities', @@ -10880,20 +29729,49 @@ export const scrabble_array = [ 'conditioners', 'conditioning', 'conditions', + 'condo', + 'condoes', 'condolatory', + 'condole', + 'condoled', 'condolence', 'condolences', + 'condoler', + 'condolers', + 'condoles', + 'condoling', + 'condom', 'condominium', 'condominiums', + 'condoms', 'condonable', 'condonation', 'condonations', + 'condone', + 'condoned', + 'condoner', + 'condoners', + 'condones', + 'condoning', + 'condor', + 'condores', + 'condors', + 'condos', 'condottiere', 'condottieri', + 'conduce', + 'conduced', + 'conducer', + 'conducers', + 'conduces', + 'conducing', + 'conducive', 'conduciveness', 'conducivenesses', + 'conduct', 'conductance', 'conductances', + 'conducted', 'conductibilities', 'conductibility', 'conductible', @@ -10905,17 +29783,42 @@ export const scrabble_array = [ 'conductivities', 'conductivity', 'conductometric', + 'conductor', 'conductorial', 'conductors', 'conductress', 'conductresses', + 'conducts', + 'conduit', + 'conduits', 'conduplicate', + 'condylar', + 'condyle', + 'condyles', + 'condyloid', + 'condyloma', 'condylomas', 'condylomata', 'condylomatous', + 'cone', + 'coned', 'coneflower', 'coneflowers', + 'conelrad', + 'conelrads', + 'conenose', + 'conenoses', + 'conepate', + 'conepates', + 'conepatl', + 'conepatls', + 'cones', + 'coney', + 'coneys', + 'confab', + 'confabbed', 'confabbing', + 'confabs', 'confabulate', 'confabulated', 'confabulates', @@ -10925,6 +29828,8 @@ export const scrabble_array = [ 'confabulator', 'confabulators', 'confabulatory', + 'confect', + 'confected', 'confecting', 'confection', 'confectionaries', @@ -10934,6 +29839,7 @@ export const scrabble_array = [ 'confectioners', 'confectionery', 'confections', + 'confects', 'confederacies', 'confederacy', 'confederal', @@ -10944,6 +29850,9 @@ export const scrabble_array = [ 'confederation', 'confederations', 'confederative', + 'confer', + 'conferee', + 'conferees', 'conference', 'conferences', 'conferencing', @@ -10952,13 +29861,23 @@ export const scrabble_array = [ 'conferment', 'conferments', 'conferrable', + 'conferral', 'conferrals', + 'conferred', 'conferrence', 'conferrences', + 'conferrer', 'conferrers', 'conferring', + 'confers', + 'conferva', + 'confervae', + 'confervas', + 'confess', 'confessable', + 'confessed', 'confessedly', + 'confesses', 'confessing', 'confession', 'confessional', @@ -10969,17 +29888,28 @@ export const scrabble_array = [ 'confessionally', 'confessionals', 'confessions', + 'confessor', 'confessors', + 'confetti', + 'confetto', + 'confidant', 'confidante', 'confidantes', 'confidants', + 'confide', + 'confided', 'confidence', 'confidences', + 'confident', 'confidential', 'confidentialities', 'confidentiality', 'confidentially', 'confidently', + 'confider', + 'confiders', + 'confides', + 'confiding', 'confidingly', 'confidingness', 'confidingnesses', @@ -10988,11 +29918,19 @@ export const scrabble_array = [ 'configurationally', 'configurations', 'configurative', + 'configure', 'configured', 'configures', 'configuring', + 'confine', + 'confined', 'confinement', 'confinements', + 'confiner', + 'confiners', + 'confines', + 'confining', + 'confirm', 'confirmabilities', 'confirmability', 'confirmable', @@ -11002,10 +29940,12 @@ export const scrabble_array = [ 'confirmational', 'confirmations', 'confirmatory', + 'confirmed', 'confirmedly', 'confirmedness', 'confirmednesses', 'confirming', + 'confirms', 'confiscable', 'confiscatable', 'confiscate', @@ -11017,14 +29957,22 @@ export const scrabble_array = [ 'confiscator', 'confiscators', 'confiscatory', + 'confit', + 'confiteor', 'confiteors', + 'confits', + 'confiture', 'confitures', 'conflagrant', 'conflagration', 'conflagrations', + 'conflate', + 'conflated', + 'conflates', 'conflating', 'conflation', 'conflations', + 'conflict', 'conflicted', 'conflictful', 'conflicting', @@ -11032,18 +29980,27 @@ export const scrabble_array = [ 'confliction', 'conflictions', 'conflictive', + 'conflicts', 'conflictual', 'confluence', 'confluences', + 'confluent', 'confluents', + 'conflux', + 'confluxes', + 'confocal', 'confocally', + 'conform', 'conformable', 'conformably', + 'conformal', 'conformance', 'conformances', 'conformation', 'conformational', 'conformations', + 'conformed', + 'conformer', 'conformers', 'conforming', 'conformism', @@ -11052,14 +30009,20 @@ export const scrabble_array = [ 'conformists', 'conformities', 'conformity', + 'conforms', + 'confound', 'confounded', 'confoundedly', 'confounder', 'confounders', 'confounding', 'confoundingly', + 'confounds', 'confraternities', 'confraternity', + 'confrere', + 'confreres', + 'confront', 'confrontal', 'confrontals', 'confrontation', @@ -11071,37 +30034,76 @@ export const scrabble_array = [ 'confronter', 'confronters', 'confronting', + 'confronts', + 'confuse', + 'confused', 'confusedly', 'confusedness', 'confusednesses', + 'confuses', + 'confusing', 'confusingly', + 'confusion', 'confusional', 'confusions', 'confutation', 'confutations', 'confutative', + 'confute', + 'confuted', + 'confuter', + 'confuters', + 'confutes', + 'confuting', + 'conga', + 'congaed', + 'congaing', + 'congas', + 'conge', + 'congeal', + 'congealed', 'congealing', 'congealment', 'congealments', + 'congeals', + 'congee', + 'congeed', + 'congeeing', + 'congees', 'congelation', 'congelations', + 'congener', 'congeneric', 'congenerous', + 'congeners', + 'congenial', 'congenialities', 'congeniality', 'congenially', 'congenital', 'congenitally', + 'conger', + 'congeries', + 'congers', + 'conges', + 'congest', + 'congested', 'congesting', 'congestion', 'congestions', 'congestive', + 'congests', + 'congii', + 'congius', 'conglobate', 'conglobated', 'conglobates', 'conglobating', 'conglobation', 'conglobations', + 'conglobe', + 'conglobed', + 'conglobes', 'conglobing', 'conglomerate', 'conglomerated', @@ -11121,6 +30123,12 @@ export const scrabble_array = [ 'conglutinating', 'conglutination', 'conglutinations', + 'congo', + 'congoes', + 'congos', + 'congou', + 'congous', + 'congrats', 'congratulate', 'congratulated', 'congratulates', @@ -11145,6 +30153,7 @@ export const scrabble_array = [ 'congregations', 'congregator', 'congregators', + 'congress', 'congressed', 'congresses', 'congressing', @@ -11161,15 +30170,42 @@ export const scrabble_array = [ 'congruences', 'congruencies', 'congruency', + 'congruent', 'congruently', 'congruities', + 'congruity', + 'congruous', 'congruously', 'congruousness', 'congruousnesses', + 'coni', + 'conic', + 'conical', + 'conically', 'conicities', + 'conicity', + 'conics', + 'conidia', + 'conidial', + 'conidian', 'conidiophore', 'conidiophores', + 'conidium', + 'conies', + 'conifer', 'coniferous', + 'conifers', + 'coniine', + 'coniines', + 'conin', + 'conine', + 'conines', + 'coning', + 'conins', + 'conioses', + 'coniosis', + 'conium', + 'coniums', 'conjectural', 'conjecturally', 'conjecture', @@ -11178,12 +30214,19 @@ export const scrabble_array = [ 'conjecturers', 'conjectures', 'conjecturing', + 'conjoin', + 'conjoined', 'conjoining', + 'conjoins', + 'conjoint', 'conjointly', + 'conjugal', 'conjugalities', 'conjugality', 'conjugally', + 'conjugant', 'conjugants', + 'conjugate', 'conjugated', 'conjugately', 'conjugateness', @@ -11194,6 +30237,7 @@ export const scrabble_array = [ 'conjugational', 'conjugationally', 'conjugations', + 'conjunct', 'conjunction', 'conjunctional', 'conjunctionally', @@ -11209,18 +30253,40 @@ export const scrabble_array = [ 'conjunctivitides', 'conjunctivitis', 'conjunctivitises', + 'conjuncts', 'conjuncture', 'conjunctures', 'conjuration', 'conjurations', + 'conjure', + 'conjured', + 'conjurer', + 'conjurers', + 'conjures', + 'conjuring', + 'conjuror', + 'conjurors', + 'conk', + 'conked', + 'conker', + 'conkers', + 'conking', + 'conks', + 'conky', + 'conn', + 'connate', + 'connately', 'connatural', 'connaturalities', 'connaturality', 'connaturally', + 'connect', 'connectable', + 'connected', 'connectedly', 'connectedness', 'connectednesses', + 'connecter', 'connecters', 'connectible', 'connecting', @@ -11232,12 +30298,26 @@ export const scrabble_array = [ 'connectives', 'connectivities', 'connectivity', + 'connector', 'connectors', + 'connects', + 'conned', + 'conner', + 'conners', + 'connexion', 'connexions', + 'conning', 'conniption', 'conniptions', 'connivance', 'connivances', + 'connive', + 'connived', + 'connivent', + 'conniver', + 'connivers', + 'connives', + 'conniving', 'connoisseur', 'connoisseurs', 'connoisseurship', @@ -11247,17 +30327,38 @@ export const scrabble_array = [ 'connotations', 'connotative', 'connotatively', + 'connote', + 'connoted', + 'connotes', + 'connoting', + 'conns', + 'connubial', 'connubialism', 'connubialisms', 'connubialities', 'connubiality', 'connubially', + 'conodont', + 'conodonts', + 'conoid', + 'conoidal', + 'conoids', + 'conominee', 'conominees', + 'conquer', + 'conquered', 'conquering', + 'conqueror', 'conquerors', + 'conquers', + 'conquest', + 'conquests', + 'conquian', + 'conquians', 'conquistador', 'conquistadores', 'conquistadors', + 'cons', 'consanguine', 'consanguineous', 'consanguineously', @@ -11271,13 +30372,16 @@ export const scrabble_array = [ 'conscientiousness', 'conscientiousnesses', 'conscionable', + 'conscious', 'consciouses', 'consciously', 'consciousness', 'consciousnesses', + 'conscribe', 'conscribed', 'conscribes', 'conscribing', + 'conscript', 'conscripted', 'conscripting', 'conscription', @@ -11301,12 +30405,17 @@ export const scrabble_array = [ 'consecutivenesses', 'consensual', 'consensually', + 'consensus', 'consensuses', + 'consent', 'consentaneous', 'consentaneously', + 'consented', + 'consenter', 'consenters', 'consenting', 'consentingly', + 'consents', 'consequence', 'consequences', 'consequent', @@ -11345,8 +30454,13 @@ export const scrabble_array = [ 'conservatorship', 'conservatorships', 'conservatory', + 'conserve', + 'conserved', + 'conserver', 'conservers', + 'conserves', 'conserving', + 'consider', 'considerable', 'considerables', 'considerably', @@ -11358,16 +30472,24 @@ export const scrabble_array = [ 'considerations', 'considered', 'considering', + 'considers', 'consigliere', 'consiglieri', + 'consign', 'consignable', 'consignation', 'consignations', + 'consigned', + 'consignee', 'consignees', 'consigning', 'consignment', 'consignments', + 'consignor', 'consignors', + 'consigns', + 'consist', + 'consisted', 'consistence', 'consistences', 'consistencies', @@ -11378,6 +30500,7 @@ export const scrabble_array = [ 'consistorial', 'consistories', 'consistory', + 'consists', 'consociate', 'consociated', 'consociates', @@ -11385,9 +30508,15 @@ export const scrabble_array = [ 'consociation', 'consociational', 'consociations', + 'consol', 'consolation', 'consolations', 'consolatory', + 'console', + 'consoled', + 'consoler', + 'consolers', + 'consoles', 'consolidate', 'consolidated', 'consolidates', @@ -11396,17 +30525,26 @@ export const scrabble_array = [ 'consolidations', 'consolidator', 'consolidators', + 'consoling', 'consolingly', + 'consols', + 'consomme', + 'consommes', 'consonance', 'consonances', 'consonancies', 'consonancy', + 'consonant', 'consonantal', 'consonantly', 'consonants', + 'consort', + 'consorted', + 'consortia', 'consorting', 'consortium', 'consortiums', + 'consorts', 'conspecific', 'conspecifics', 'conspectus', @@ -11426,14 +30564,21 @@ export const scrabble_array = [ 'conspiratorial', 'conspiratorially', 'conspirators', + 'conspire', + 'conspired', + 'conspires', 'conspiring', + 'constable', 'constables', 'constabularies', 'constabulary', 'constancies', + 'constancy', + 'constant', 'constantan', 'constantans', 'constantly', + 'constants', 'constative', 'constatives', 'constellate', @@ -11484,12 +30629,14 @@ export const scrabble_array = [ 'constitutions', 'constitutive', 'constitutively', + 'constrain', 'constrained', 'constrainedly', 'constraining', 'constrains', 'constraint', 'constraints', + 'constrict', 'constricted', 'constricting', 'constriction', @@ -11504,6 +30651,7 @@ export const scrabble_array = [ 'constringes', 'constringing', 'construable', + 'construct', 'constructed', 'constructible', 'constructing', @@ -11524,6 +30672,9 @@ export const scrabble_array = [ 'constructor', 'constructors', 'constructs', + 'construe', + 'construed', + 'construes', 'construing', 'consubstantial', 'consubstantiation', @@ -11531,9 +30682,14 @@ export const scrabble_array = [ 'consuetude', 'consuetudes', 'consuetudinary', + 'consul', + 'consular', + 'consulate', 'consulates', + 'consuls', 'consulship', 'consulships', + 'consult', 'consultancies', 'consultancy', 'consultant', @@ -11543,20 +30699,30 @@ export const scrabble_array = [ 'consultation', 'consultations', 'consultative', + 'consulted', + 'consulter', 'consulters', 'consulting', 'consultive', + 'consultor', 'consultors', + 'consults', 'consumable', 'consumables', + 'consume', + 'consumed', 'consumedly', + 'consumer', 'consumerism', 'consumerisms', 'consumerist', 'consumeristic', 'consumerists', + 'consumers', 'consumership', 'consumerships', + 'consumes', + 'consuming', 'consummate', 'consummated', 'consummately', @@ -11573,13 +30739,22 @@ export const scrabble_array = [ 'consumptive', 'consumptively', 'consumptives', + 'contact', + 'contacted', 'contacting', + 'contacts', + 'contagia', + 'contagion', 'contagions', 'contagious', 'contagiously', 'contagiousness', 'contagiousnesses', + 'contagium', + 'contain', 'containable', + 'contained', + 'container', 'containerboard', 'containerboards', 'containerisation', @@ -11603,6 +30778,7 @@ export const scrabble_array = [ 'containing', 'containment', 'containments', + 'contains', 'contaminant', 'contaminants', 'contaminate', @@ -11614,9 +30790,15 @@ export const scrabble_array = [ 'contaminative', 'contaminator', 'contaminators', + 'conte', + 'contemn', + 'contemned', + 'contemner', 'contemners', 'contemning', + 'contemnor', 'contemnors', + 'contemns', 'contemplate', 'contemplated', 'contemplates', @@ -11643,18 +30825,26 @@ export const scrabble_array = [ 'contemporized', 'contemporizes', 'contemporizing', + 'contempt', 'contemptibilities', 'contemptibility', 'contemptible', 'contemptibleness', 'contemptiblenesses', 'contemptibly', + 'contempts', 'contemptuous', 'contemptuously', 'contemptuousness', 'contemptuousnesses', + 'contend', + 'contended', + 'contender', 'contenders', 'contending', + 'contends', + 'content', + 'contented', 'contentedly', 'contentedness', 'contentednesses', @@ -11667,16 +30857,24 @@ export const scrabble_array = [ 'contentiousnesses', 'contentment', 'contentments', + 'contents', 'conterminous', 'conterminously', + 'contes', + 'contest', 'contestable', 'contestant', 'contestants', 'contestation', 'contestations', + 'contested', + 'contester', 'contesters', 'contesting', + 'contests', + 'context', 'contextless', + 'contexts', 'contextual', 'contextualize', 'contextualized', @@ -11693,6 +30891,7 @@ export const scrabble_array = [ 'contiguousnesses', 'continence', 'continences', + 'continent', 'continental', 'continentally', 'continentals', @@ -11705,6 +30904,8 @@ export const scrabble_array = [ 'contingent', 'contingently', 'contingents', + 'continua', + 'continual', 'continually', 'continuance', 'continuances', @@ -11716,16 +30917,26 @@ export const scrabble_array = [ 'continuative', 'continuator', 'continuators', + 'continue', + 'continued', + 'continuer', 'continuers', + 'continues', 'continuing', 'continuingly', 'continuities', 'continuity', + 'continuo', + 'continuos', 'continuous', 'continuously', 'continuousness', 'continuousnesses', + 'continuum', 'continuums', + 'conto', + 'contort', + 'contorted', 'contorting', 'contortion', 'contortionist', @@ -11733,7 +30944,13 @@ export const scrabble_array = [ 'contortionists', 'contortions', 'contortive', + 'contorts', + 'contos', + 'contour', + 'contoured', 'contouring', + 'contours', + 'contra', 'contraband', 'contrabandist', 'contrabandists', @@ -11748,6 +30965,7 @@ export const scrabble_array = [ 'contraceptions', 'contraceptive', 'contraceptives', + 'contract', 'contracted', 'contractibilities', 'contractibility', @@ -11763,6 +30981,7 @@ export const scrabble_array = [ 'contractive', 'contractor', 'contractors', + 'contracts', 'contractual', 'contractually', 'contracture', @@ -11790,6 +31009,8 @@ export const scrabble_array = [ 'contradistinguished', 'contradistinguishes', 'contradistinguishing', + 'contrail', + 'contrails', 'contraindicate', 'contraindicated', 'contraindicates', @@ -11797,6 +31018,7 @@ export const scrabble_array = [ 'contraindication', 'contraindications', 'contralateral', + 'contralto', 'contraltos', 'contraoctave', 'contraoctaves', @@ -11820,11 +31042,16 @@ export const scrabble_array = [ 'contrarinesses', 'contrarious', 'contrariwise', + 'contrary', + 'contras', + 'contrast', 'contrastable', 'contrasted', 'contrasting', 'contrastive', 'contrastively', + 'contrasts', + 'contrasty', 'contravene', 'contravened', 'contravener', @@ -11847,6 +31074,7 @@ export const scrabble_array = [ 'contributor', 'contributors', 'contributory', + 'contrite', 'contritely', 'contriteness', 'contritenesses', @@ -11854,8 +31082,13 @@ export const scrabble_array = [ 'contritions', 'contrivance', 'contrivances', + 'contrive', + 'contrived', + 'contriver', 'contrivers', + 'contrives', 'contriving', + 'control', 'controllabilities', 'controllability', 'controllable', @@ -11867,6 +31100,7 @@ export const scrabble_array = [ 'controlling', 'controlment', 'controlments', + 'controls', 'controversial', 'controversialism', 'controversialisms', @@ -11885,13 +31119,22 @@ export const scrabble_array = [ 'contumacies', 'contumacious', 'contumaciously', + 'contumacy', 'contumelies', 'contumelious', 'contumeliously', + 'contumely', + 'contuse', + 'contused', + 'contuses', + 'contusing', + 'contusion', 'contusions', + 'conundrum', 'conundrums', 'conurbation', 'conurbations', + 'conus', 'convalesce', 'convalesced', 'convalescence', @@ -11900,18 +31143,32 @@ export const scrabble_array = [ 'convalescents', 'convalesces', 'convalescing', + 'convect', + 'convected', 'convecting', 'convection', 'convectional', 'convections', 'convective', + 'convector', 'convectors', + 'convects', + 'convene', + 'convened', + 'convener', + 'conveners', + 'convenes', 'convenience', 'conveniences', 'conveniencies', 'conveniency', 'convenient', 'conveniently', + 'convening', + 'convenor', + 'convenors', + 'convent', + 'convented', 'conventicle', 'conventicler', 'conventiclers', @@ -11935,14 +31192,18 @@ export const scrabble_array = [ 'conventioneer', 'conventioneers', 'conventions', + 'convents', 'conventual', 'conventually', 'conventuals', + 'converge', + 'converged', 'convergence', 'convergences', 'convergencies', 'convergency', 'convergent', + 'converges', 'converging', 'conversable', 'conversance', @@ -11959,14 +31220,21 @@ export const scrabble_array = [ 'conversazione', 'conversaziones', 'conversazioni', + 'converse', + 'conversed', 'conversely', + 'converser', 'conversers', + 'converses', 'conversing', 'conversion', 'conversional', 'conversions', + 'convert', 'convertaplane', 'convertaplanes', + 'converted', + 'converter', 'converters', 'convertibilities', 'convertibility', @@ -11978,14 +31246,26 @@ export const scrabble_array = [ 'converting', 'convertiplane', 'convertiplanes', + 'convertor', 'convertors', + 'converts', + 'convex', + 'convexes', 'convexities', + 'convexity', + 'convexly', + 'convey', 'conveyance', 'conveyancer', 'conveyancers', 'conveyances', 'conveyancing', 'conveyancings', + 'conveyed', + 'conveyer', + 'conveyers', + 'conveying', + 'conveyor', 'conveyorise', 'conveyorised', 'conveyorises', @@ -11996,31 +31276,58 @@ export const scrabble_array = [ 'conveyorized', 'conveyorizes', 'conveyorizing', + 'conveyors', + 'conveys', + 'convict', + 'convicted', 'convicting', 'conviction', 'convictions', + 'convicts', + 'convince', + 'convinced', + 'convincer', 'convincers', + 'convinces', 'convincing', 'convincingly', 'convincingness', 'convincingnesses', + 'convivial', 'convivialities', 'conviviality', 'convivially', 'convocation', 'convocational', 'convocations', + 'convoke', + 'convoked', + 'convoker', + 'convokers', + 'convokes', + 'convoking', + 'convolute', 'convoluted', 'convolutes', 'convoluting', 'convolution', 'convolutions', + 'convolve', + 'convolved', + 'convolves', 'convolving', 'convolvuli', 'convolvulus', 'convolvuluses', + 'convoy', + 'convoyed', + 'convoying', + 'convoys', 'convulsant', 'convulsants', + 'convulse', + 'convulsed', + 'convulses', 'convulsing', 'convulsion', 'convulsionary', @@ -12029,13 +31336,99 @@ export const scrabble_array = [ 'convulsively', 'convulsiveness', 'convulsivenesses', + 'cony', + 'coo', + 'cooch', + 'cooches', + 'coocoo', + 'cooed', + 'cooee', + 'cooeed', + 'cooeeing', + 'cooees', + 'cooer', + 'cooers', + 'cooey', + 'cooeyed', + 'cooeying', + 'cooeys', + 'coof', + 'coofs', + 'cooing', + 'cooingly', + 'cook', + 'cookable', + 'cookbook', + 'cookbooks', + 'cooked', + 'cooker', + 'cookeries', + 'cookers', + 'cookery', + 'cookey', + 'cookeys', + 'cookhouse', 'cookhouses', + 'cookie', + 'cookies', + 'cooking', + 'cookings', + 'cookless', + 'cookout', + 'cookouts', + 'cooks', + 'cookshack', 'cookshacks', + 'cookshop', + 'cookshops', + 'cookstove', 'cookstoves', + 'cooktop', + 'cooktops', + 'cookware', + 'cookwares', + 'cooky', + 'cool', + 'coolant', + 'coolants', + 'cooldown', + 'cooldowns', + 'cooled', + 'cooler', + 'coolers', + 'coolest', 'coolheaded', + 'coolie', + 'coolies', + 'cooling', + 'coolish', + 'coolly', + 'coolness', 'coolnesses', + 'cools', + 'coolth', + 'coolths', + 'cooly', + 'coomb', + 'coombe', + 'coombes', + 'coombs', + 'coon', + 'cooncan', + 'cooncans', + 'coonhound', 'coonhounds', + 'coons', + 'coonskin', + 'coonskins', + 'coontie', + 'coonties', + 'coop', + 'cooped', + 'cooper', + 'cooperage', 'cooperages', + 'cooperate', 'cooperated', 'cooperates', 'cooperating', @@ -12050,6 +31443,19 @@ export const scrabble_array = [ 'cooperatives', 'cooperator', 'cooperators', + 'coopered', + 'cooperies', + 'coopering', + 'coopers', + 'coopery', + 'cooping', + 'coops', + 'coopt', + 'coopted', + 'coopting', + 'cooption', + 'cooptions', + 'coopts', 'coordinate', 'coordinated', 'coordinately', @@ -12062,24 +31468,80 @@ export const scrabble_array = [ 'coordinative', 'coordinator', 'coordinators', + 'coos', + 'coot', + 'cooter', + 'cooters', + 'cootie', + 'cooties', + 'coots', + 'cop', + 'copacetic', + 'copaiba', + 'copaibas', + 'copal', + 'copalm', + 'copalms', + 'copals', 'coparcenaries', 'coparcenary', 'coparcener', 'coparceners', + 'coparent', + 'coparents', + 'copartner', 'copartnered', 'copartnering', 'copartners', 'copartnership', 'copartnerships', + 'copasetic', + 'copastor', + 'copastors', + 'copatron', + 'copatrons', + 'copayment', 'copayments', + 'cope', + 'copeck', + 'copecks', + 'coped', + 'copemate', + 'copemates', + 'copen', + 'copens', + 'copepod', + 'copepods', + 'coper', + 'copers', + 'copes', + 'copesetic', + 'copestone', 'copestones', + 'copied', + 'copier', + 'copiers', + 'copies', + 'copihue', + 'copihues', + 'copilot', + 'copilots', + 'coping', + 'copings', 'copingstone', 'copingstones', + 'copious', + 'copiously', 'copiousness', 'copiousnesses', + 'coplanar', 'coplanarities', 'coplanarity', + 'coplot', + 'coplots', + 'coplotted', 'coplotting', + 'copolymer', 'copolymeric', 'copolymerization', 'copolymerizations', @@ -12088,18 +31550,44 @@ export const scrabble_array = [ 'copolymerizes', 'copolymerizing', 'copolymers', + 'copped', + 'copper', + 'copperah', + 'copperahs', + 'copperas', 'copperases', + 'coppered', 'copperhead', 'copperheads', + 'coppering', 'copperplate', 'copperplates', + 'coppers', 'coppersmith', 'coppersmiths', + 'coppery', + 'coppice', + 'coppiced', + 'coppices', + 'coppicing', + 'copping', + 'coppra', + 'coppras', + 'copra', + 'coprah', + 'coprahs', + 'copras', + 'copremia', + 'copremias', + 'copremic', + 'copresent', 'copresented', 'copresenting', 'copresents', 'copresident', 'copresidents', + 'coprince', + 'coprinces', 'coprincipal', 'coprincipals', 'coprisoner', @@ -12108,14 +31596,17 @@ export const scrabble_array = [ 'coprocessings', 'coprocessor', 'coprocessors', + 'coproduce', 'coproduced', 'coproducer', 'coproducers', 'coproduces', 'coproducing', + 'coproduct', 'coproduction', 'coproductions', 'coproducts', + 'coprolite', 'coprolites', 'coprolitic', 'copromoter', @@ -12134,11 +31625,24 @@ export const scrabble_array = [ 'coproprietorships', 'coprosperities', 'coprosperity', + 'cops', + 'copse', + 'copses', + 'copter', + 'copters', + 'copublish', 'copublished', 'copublisher', 'copublishers', 'copublishes', 'copublishing', + 'copula', + 'copulae', + 'copular', + 'copulas', + 'copulate', + 'copulated', + 'copulates', 'copulating', 'copulation', 'copulations', @@ -12147,64 +31651,177 @@ export const scrabble_array = [ 'copulatory', 'copurified', 'copurifies', + 'copurify', 'copurifying', + 'copy', + 'copybook', + 'copybooks', + 'copyboy', + 'copyboys', + 'copycat', + 'copycats', 'copycatted', 'copycatting', + 'copydesk', + 'copydesks', + 'copyedit', 'copyedited', 'copyediting', + 'copyedits', + 'copyhold', 'copyholder', 'copyholders', + 'copyholds', + 'copying', + 'copyist', + 'copyists', + 'copyread', 'copyreader', 'copyreaders', 'copyreading', + 'copyreads', + 'copyright', 'copyrightable', 'copyrighted', 'copyrighting', 'copyrights', 'copywriter', 'copywriters', + 'coquet', 'coquetries', + 'coquetry', + 'coquets', + 'coquette', + 'coquetted', + 'coquettes', 'coquetting', 'coquettish', 'coquettishly', 'coquettishness', 'coquettishnesses', + 'coquille', + 'coquilles', + 'coquina', + 'coquinas', + 'coquito', + 'coquitos', + 'cor', + 'coracle', + 'coracles', + 'coracoid', + 'coracoids', + 'coral', 'coralbells', 'coralberries', 'coralberry', + 'coralline', 'corallines', + 'coralloid', + 'corals', + 'coranto', + 'corantoes', + 'corantos', + 'corban', + 'corbans', + 'corbeil', + 'corbeille', 'corbeilles', + 'corbeils', + 'corbel', + 'corbeled', + 'corbeling', 'corbelings', + 'corbelled', 'corbelling', + 'corbels', + 'corbicula', 'corbiculae', + 'corbie', + 'corbies', + 'corbina', + 'corbinas', + 'corby', + 'cord', + 'cordage', + 'cordages', + 'cordate', + 'cordately', + 'corded', + 'cordelle', + 'cordelled', + 'cordelles', 'cordelling', + 'corder', + 'corders', + 'cordgrass', 'cordgrasses', + 'cordial', 'cordialities', 'cordiality', + 'cordially', 'cordialness', 'cordialnesses', + 'cordials', 'cordierite', 'cordierites', + 'cordiform', 'cordillera', 'cordilleran', 'cordilleras', + 'cording', + 'cordings', + 'cordite', + 'cordites', + 'cordless', + 'cordlike', + 'cordoba', + 'cordobas', + 'cordon', + 'cordoned', + 'cordoning', + 'cordons', + 'cordovan', + 'cordovans', + 'cords', + 'corduroy', 'corduroyed', 'corduroying', + 'corduroys', + 'cordwain', 'cordwainer', 'cordwaineries', 'cordwainers', 'cordwainery', + 'cordwains', + 'cordwood', + 'cordwoods', + 'core', 'corecipient', 'corecipients', + 'cored', + 'coredeem', 'coredeemed', 'coredeeming', + 'coredeems', + 'coreign', + 'coreigns', + 'corelate', + 'corelated', + 'corelates', 'corelating', + 'coreless', 'coreligionist', 'coreligionists', + 'coremia', + 'coremium', + 'coreopsis', 'corepressor', 'corepressors', 'corequisite', 'corequisites', + 'corer', + 'corers', + 'cores', 'coresearcher', 'coresearchers', 'coresident', @@ -12212,62 +31829,190 @@ export const scrabble_array = [ 'coresidents', 'corespondent', 'corespondents', + 'corf', + 'corgi', + 'corgis', + 'coria', 'coriaceous', + 'coriander', 'corianders', + 'coring', + 'corium', + 'cork', + 'corkage', + 'corkages', + 'corkboard', 'corkboards', + 'corked', + 'corker', + 'corkers', + 'corkier', + 'corkiest', + 'corkiness', 'corkinesses', + 'corking', + 'corklike', + 'corks', + 'corkscrew', 'corkscrewed', 'corkscrewing', 'corkscrews', + 'corkwood', + 'corkwoods', + 'corky', + 'corm', + 'cormel', + 'cormels', + 'cormlike', + 'cormoid', + 'cormorant', 'cormorants', + 'cormous', + 'corms', + 'corn', + 'cornball', + 'cornballs', + 'cornbread', 'cornbreads', + 'corncake', + 'corncakes', + 'corncob', + 'corncobs', + 'corncrake', 'corncrakes', + 'corncrib', + 'corncribs', + 'cornea', + 'corneal', + 'corneas', + 'corned', + 'cornel', + 'cornelian', 'cornelians', + 'cornels', + 'corneous', + 'corner', 'cornerback', 'cornerbacks', + 'cornered', + 'cornering', + 'cornerman', + 'cornermen', + 'corners', 'cornerstone', 'cornerstones', 'cornerways', 'cornerwise', + 'cornet', 'cornetcies', + 'cornetcy', + 'cornetist', 'cornetists', + 'cornets', 'cornettist', 'cornettists', + 'cornfed', + 'cornfield', 'cornfields', 'cornflakes', 'cornflower', 'cornflowers', + 'cornhusk', 'cornhusker', 'cornhuskers', 'cornhusking', 'cornhuskings', + 'cornhusks', + 'cornice', + 'corniced', + 'cornices', + 'corniche', + 'corniches', + 'cornicing', + 'cornicle', + 'cornicles', + 'cornier', + 'corniest', 'cornification', 'cornifications', + 'cornily', + 'corniness', 'corninesses', + 'corning', + 'cornmeal', + 'cornmeals', + 'cornpone', + 'cornpones', + 'cornrow', + 'cornrowed', 'cornrowing', + 'cornrows', + 'corns', + 'cornstalk', 'cornstalks', 'cornstarch', 'cornstarches', + 'cornu', + 'cornua', + 'cornual', 'cornucopia', 'cornucopian', 'cornucopias', + 'cornus', + 'cornuses', + 'cornute', + 'cornuted', + 'cornuto', + 'cornutos', + 'corny', + 'corodies', + 'corody', + 'corolla', 'corollaries', + 'corollary', + 'corollas', + 'corollate', 'coromandel', 'coromandels', + 'corona', + 'coronach', + 'coronachs', + 'coronae', 'coronagraph', 'coronagraphs', + 'coronal', + 'coronals', 'coronaries', + 'coronary', + 'coronas', + 'coronate', + 'coronated', + 'coronates', 'coronating', 'coronation', 'coronations', + 'coronel', + 'coronels', + 'coroner', + 'coroners', + 'coronet', + 'coronets', 'coronograph', 'coronographs', + 'coronoid', + 'corotate', + 'corotated', + 'corotates', 'corotating', 'corotation', 'corotations', + 'corpora', + 'corporal', 'corporalities', 'corporality', 'corporally', + 'corporals', + 'corporate', 'corporately', 'corporation', 'corporations', @@ -12279,6 +32024,7 @@ export const scrabble_array = [ 'corporativisms', 'corporator', 'corporators', + 'corporeal', 'corporealities', 'corporeality', 'corporeally', @@ -12286,17 +32032,38 @@ export const scrabble_array = [ 'corporealnesses', 'corporeities', 'corporeity', + 'corposant', 'corposants', + 'corps', + 'corpse', + 'corpses', + 'corpsman', + 'corpsmen', 'corpulence', 'corpulences', 'corpulencies', 'corpulency', + 'corpulent', 'corpulently', + 'corpus', + 'corpuscle', 'corpuscles', 'corpuscular', + 'corrade', + 'corraded', + 'corrades', + 'corrading', + 'corral', + 'corralled', 'corralling', + 'corrals', + 'corrasion', 'corrasions', + 'corrasive', + 'correct', 'correctable', + 'corrected', + 'correcter', 'correctest', 'correcting', 'correction', @@ -12307,10 +32074,14 @@ export const scrabble_array = [ 'corrective', 'correctively', 'correctives', + 'correctly', 'correctness', 'correctnesses', + 'corrector', 'correctors', + 'corrects', 'correlatable', + 'correlate', 'correlated', 'correlates', 'correlating', @@ -12334,11 +32105,19 @@ export const scrabble_array = [ 'correspondingly', 'corresponds', 'corresponsive', + 'corrida', + 'corridas', + 'corridor', + 'corridors', + 'corrie', + 'corries', 'corrigenda', 'corrigendum', 'corrigibilities', 'corrigibility', 'corrigible', + 'corrival', + 'corrivals', 'corroborant', 'corroborate', 'corroborated', @@ -12352,17 +32131,29 @@ export const scrabble_array = [ 'corroboratory', 'corroboree', 'corroborees', + 'corrode', + 'corroded', + 'corrodes', 'corrodible', + 'corrodies', + 'corroding', + 'corrody', + 'corrosion', 'corrosions', + 'corrosive', 'corrosively', 'corrosiveness', 'corrosivenesses', 'corrosives', + 'corrugate', 'corrugated', 'corrugates', 'corrugating', 'corrugation', 'corrugations', + 'corrupt', + 'corrupted', + 'corrupter', 'corrupters', 'corruptest', 'corruptibilities', @@ -12376,15 +32167,42 @@ export const scrabble_array = [ 'corruptions', 'corruptive', 'corruptively', + 'corruptly', 'corruptness', 'corruptnesses', + 'corruptor', 'corruptors', + 'corrupts', + 'corsac', + 'corsacs', + 'corsage', + 'corsages', + 'corsair', + 'corsairs', + 'corse', + 'corselet', + 'corselets', 'corselette', 'corselettes', + 'corses', + 'corset', + 'corseted', 'corsetiere', 'corsetieres', + 'corseting', 'corsetries', + 'corsetry', + 'corsets', + 'corslet', + 'corslets', + 'cortege', + 'corteges', + 'cortex', + 'cortexes', + 'cortical', 'cortically', + 'cortices', + 'corticoid', 'corticoids', 'corticosteroid', 'corticosteroids', @@ -12394,26 +32212,97 @@ export const scrabble_array = [ 'corticotrophins', 'corticotropin', 'corticotropins', + 'cortin', + 'cortins', + 'cortisol', + 'cortisols', + 'cortisone', 'cortisones', + 'coruler', + 'corulers', + 'corundum', + 'corundums', + 'coruscant', + 'coruscate', 'coruscated', 'coruscates', 'coruscating', 'coruscation', 'coruscations', + 'corvee', + 'corvees', + 'corves', + 'corvet', + 'corvets', + 'corvette', + 'corvettes', + 'corvina', + 'corvinas', + 'corvine', + 'cory', + 'corybant', 'corybantes', 'corybantic', + 'corybants', + 'corydalis', 'corydalises', + 'corymb', + 'corymbed', + 'corymbose', 'corymbosely', + 'corymbs', 'corynebacteria', 'corynebacterial', 'corynebacterium', 'coryneform', + 'coryphaei', 'coryphaeus', + 'coryphee', + 'coryphees', + 'coryza', + 'coryzal', + 'coryzas', + 'cos', + 'coscript', 'coscripted', 'coscripting', + 'coscripts', + 'cosec', + 'cosecant', + 'cosecants', + 'cosecs', + 'coses', + 'coset', + 'cosets', + 'cosey', + 'coseys', + 'cosh', + 'coshed', + 'cosher', + 'coshered', + 'coshering', + 'coshers', + 'coshes', + 'coshing', + 'cosie', + 'cosied', + 'cosier', + 'cosies', + 'cosiest', + 'cosign', 'cosignatories', 'cosignatory', + 'cosigned', + 'cosigner', + 'cosigners', + 'cosigning', + 'cosigns', + 'cosily', + 'cosine', + 'cosines', + 'cosiness', 'cosinesses', + 'cosmetic', 'cosmetically', 'cosmetician', 'cosmeticians', @@ -12421,11 +32310,18 @@ export const scrabble_array = [ 'cosmeticized', 'cosmeticizes', 'cosmeticizing', + 'cosmetics', 'cosmetologies', 'cosmetologist', 'cosmetologists', 'cosmetology', + 'cosmic', + 'cosmical', 'cosmically', + 'cosmism', + 'cosmisms', + 'cosmist', + 'cosmists', 'cosmochemical', 'cosmochemist', 'cosmochemistries', @@ -12437,6 +32333,7 @@ export const scrabble_array = [ 'cosmogonies', 'cosmogonist', 'cosmogonists', + 'cosmogony', 'cosmographer', 'cosmographers', 'cosmographic', @@ -12448,6 +32345,8 @@ export const scrabble_array = [ 'cosmologies', 'cosmologist', 'cosmologists', + 'cosmology', + 'cosmonaut', 'cosmonauts', 'cosmopolis', 'cosmopolises', @@ -12459,30 +32358,99 @@ export const scrabble_array = [ 'cosmopolites', 'cosmopolitism', 'cosmopolitisms', + 'cosmos', + 'cosmoses', + 'cosponsor', 'cosponsored', 'cosponsoring', 'cosponsors', 'cosponsorship', 'cosponsorships', + 'coss', + 'cossack', + 'cossacks', + 'cosset', + 'cosseted', + 'cosseting', + 'cossets', + 'cost', + 'costa', + 'costae', + 'costal', + 'costar', + 'costard', + 'costards', + 'costarred', 'costarring', + 'costars', + 'costate', + 'costed', + 'coster', 'costermonger', 'costermongers', + 'costers', + 'costing', + 'costive', + 'costively', 'costiveness', 'costivenesses', + 'costless', 'costlessly', + 'costlier', + 'costliest', 'costliness', 'costlinesses', + 'costly', 'costmaries', + 'costmary', + 'costrel', + 'costrels', + 'costs', + 'costume', + 'costumed', + 'costumer', 'costumeries', + 'costumers', + 'costumery', + 'costumes', + 'costumey', + 'costumier', 'costumiers', + 'costuming', 'cosurfactant', 'cosurfactants', + 'cosy', + 'cosying', + 'cot', + 'cotan', + 'cotangent', 'cotangents', + 'cotans', + 'cote', + 'coteau', + 'coteaux', + 'coted', + 'cotenant', + 'cotenants', + 'coterie', + 'coteries', 'coterminous', 'coterminously', + 'cotes', + 'cothurn', + 'cothurni', + 'cothurns', + 'cothurnus', + 'cotidal', + 'cotillion', 'cotillions', + 'cotillon', + 'cotillons', + 'coting', 'cotoneaster', 'cotoneasters', + 'cotquean', + 'cotqueans', 'cotransduce', 'cotransduced', 'cotransduces', @@ -12497,10 +32465,31 @@ export const scrabble_array = [ 'cotransported', 'cotransporting', 'cotransports', + 'cotrustee', 'cotrustees', + 'cots', + 'cotta', + 'cottae', + 'cottage', + 'cottager', + 'cottagers', + 'cottages', + 'cottagey', + 'cottar', + 'cottars', + 'cottas', + 'cotter', + 'cottered', 'cotterless', + 'cotters', + 'cottier', + 'cottiers', + 'cotton', + 'cottoned', + 'cottoning', 'cottonmouth', 'cottonmouths', + 'cottons', 'cottonseed', 'cottonseeds', 'cottontail', @@ -12509,16 +32498,60 @@ export const scrabble_array = [ 'cottonweeds', 'cottonwood', 'cottonwoods', + 'cottony', + 'cotyledon', 'cotyledonary', 'cotyledons', + 'cotyloid', 'cotylosaur', 'cotylosaurs', + 'cotype', + 'cotypes', + 'couch', + 'couchant', + 'couched', + 'coucher', + 'couchers', + 'couches', + 'couching', + 'couchings', + 'coude', + 'cougar', + 'cougars', + 'cough', + 'coughed', + 'cougher', + 'coughers', + 'coughing', + 'coughs', + 'could', + 'couldest', + 'couldst', + 'coulee', + 'coulees', + 'coulis', + 'coulises', + 'coulisse', + 'coulisses', + 'couloir', + 'couloirs', + 'coulomb', + 'coulombic', + 'coulombs', 'coulometer', 'coulometers', 'coulometric', 'coulometrically', 'coulometries', 'coulometry', + 'coulter', + 'coulters', + 'coumaric', + 'coumarin', + 'coumarins', + 'coumarou', + 'coumarous', + 'council', 'councillor', 'councillors', 'councillorship', @@ -12526,9 +32559,14 @@ export const scrabble_array = [ 'councilman', 'councilmanic', 'councilmen', + 'councilor', 'councilors', + 'councils', 'councilwoman', 'councilwomen', + 'counsel', + 'counseled', + 'counselee', 'counselees', 'counseling', 'counselings', @@ -12537,18 +32575,26 @@ export const scrabble_array = [ 'counsellings', 'counsellor', 'counsellors', + 'counselor', 'counselors', 'counselorship', 'counselorships', + 'counsels', + 'count', 'countabilities', 'countability', + 'countable', + 'countably', + 'countdown', 'countdowns', + 'counted', 'countenance', 'countenanced', 'countenancer', 'countenancers', 'countenances', 'countenancing', + 'counter', 'counteraccusation', 'counteraccusations', 'counteract', @@ -12657,6 +32703,7 @@ export const scrabble_array = [ 'counterdemonstrators', 'counterdeployment', 'counterdeployments', + 'countered', 'countereducational', 'countereffort', 'counterefforts', @@ -12845,6 +32892,7 @@ export const scrabble_array = [ 'counterrevolutionaries', 'counterrevolutionary', 'counterrevolutions', + 'counters', 'counterscientific', 'countershading', 'countershadings', @@ -12941,11 +32989,19 @@ export const scrabble_array = [ 'counterweights', 'counterworld', 'counterworlds', + 'countess', 'countesses', + 'countian', + 'countians', + 'counties', + 'counting', 'countinghouse', 'countinghouses', + 'countless', 'countlessly', + 'countries', 'countrified', + 'country', 'countryfied', 'countryish', 'countryman', @@ -12957,52 +33013,141 @@ export const scrabble_array = [ 'countrywide', 'countrywoman', 'countrywomen', + 'counts', + 'county', + 'coup', + 'coupe', + 'couped', + 'coupes', + 'couping', + 'couple', + 'coupled', 'couplement', 'couplements', + 'coupler', + 'couplers', + 'couples', + 'couplet', + 'couplets', + 'coupling', + 'couplings', + 'coupon', + 'couponing', 'couponings', + 'coupons', + 'coups', + 'courage', 'courageous', 'courageously', 'courageousness', 'courageousnesses', + 'courages', + 'courant', + 'courante', + 'courantes', + 'couranto', 'courantoes', + 'courantos', + 'courants', + 'courgette', 'courgettes', + 'courier', + 'couriers', + 'courlan', + 'courlans', + 'course', + 'coursed', + 'courser', + 'coursers', + 'courses', 'courseware', 'coursewares', + 'coursing', + 'coursings', + 'court', + 'courted', + 'courteous', 'courteously', 'courteousness', 'courteousnesses', + 'courter', + 'courters', + 'courtesan', 'courtesans', 'courtesied', 'courtesies', + 'courtesy', 'courtesying', 'courthouse', 'courthouses', + 'courtier', + 'courtiers', + 'courting', + 'courtlier', 'courtliest', 'courtliness', 'courtlinesses', + 'courtly', + 'courtroom', 'courtrooms', + 'courts', + 'courtship', 'courtships', + 'courtside', 'courtsides', + 'courtyard', 'courtyards', + 'couscous', 'couscouses', + 'cousin', + 'cousinage', 'cousinages', 'cousinhood', 'cousinhoods', + 'cousinly', 'cousinries', + 'cousinry', + 'cousins', 'cousinship', 'cousinships', + 'couteau', + 'couteaux', + 'couter', + 'couters', + 'couth', + 'couther', + 'couthest', + 'couthie', + 'couthier', + 'couthiest', + 'couths', + 'couture', + 'coutures', + 'couturier', 'couturiere', 'couturieres', 'couturiers', + 'couvade', + 'couvades', + 'covalence', 'covalences', 'covalencies', + 'covalency', + 'covalent', 'covalently', 'covariance', 'covariances', + 'covariant', 'covariation', 'covariations', + 'cove', + 'coved', + 'covelline', 'covellines', + 'covellite', 'covellites', + 'coven', + 'covenant', 'covenantal', 'covenanted', 'covenantee', @@ -13012,67 +33157,364 @@ export const scrabble_array = [ 'covenanting', 'covenantor', 'covenantors', + 'covenants', + 'covens', + 'cover', + 'coverable', + 'coverage', + 'coverages', + 'coverall', 'coveralled', + 'coveralls', + 'covered', + 'coverer', + 'coverers', + 'covering', + 'coverings', + 'coverless', + 'coverlet', + 'coverlets', + 'coverlid', + 'coverlids', + 'covers', + 'coverslip', 'coverslips', + 'covert', + 'covertly', 'covertness', 'covertnesses', + 'coverts', + 'coverture', 'covertures', + 'coverup', + 'coverups', + 'coves', + 'covet', + 'covetable', + 'coveted', + 'coveter', + 'coveters', + 'coveting', 'covetingly', + 'covetous', 'covetously', 'covetousness', 'covetousnesses', + 'covets', + 'covey', + 'coveys', + 'covin', + 'coving', + 'covings', + 'covins', + 'cow', + 'cowage', + 'cowages', + 'coward', + 'cowardice', 'cowardices', 'cowardliness', 'cowardlinesses', + 'cowardly', + 'cowards', + 'cowbane', + 'cowbanes', + 'cowbell', + 'cowbells', 'cowberries', + 'cowberry', + 'cowbind', + 'cowbinds', + 'cowbird', + 'cowbirds', + 'cowboy', + 'cowboys', 'cowcatcher', 'cowcatchers', + 'cowed', + 'cowedly', + 'cower', + 'cowered', + 'cowering', + 'cowers', + 'cowfish', + 'cowfishes', + 'cowflap', + 'cowflaps', + 'cowflop', + 'cowflops', + 'cowgirl', + 'cowgirls', + 'cowhage', + 'cowhages', + 'cowhand', + 'cowhands', + 'cowherb', + 'cowherbs', + 'cowherd', + 'cowherds', + 'cowhide', + 'cowhided', + 'cowhides', + 'cowhiding', + 'cowier', + 'cowiest', + 'cowing', + 'cowinner', + 'cowinners', + 'cowl', + 'cowled', + 'cowlick', + 'cowlicks', + 'cowling', + 'cowlings', + 'cowls', + 'cowlstaff', 'cowlstaffs', 'cowlstaves', + 'cowman', + 'cowmen', + 'coworker', + 'coworkers', + 'cowpat', + 'cowpats', + 'cowpea', + 'cowpeas', + 'cowpie', + 'cowpies', + 'cowplop', + 'cowplops', + 'cowpoke', + 'cowpokes', + 'cowpox', + 'cowpoxes', 'cowpuncher', 'cowpunchers', + 'cowrie', + 'cowries', + 'cowrite', + 'cowrites', + 'cowriting', + 'cowritten', + 'cowrote', + 'cowry', + 'cows', + 'cowshed', + 'cowsheds', + 'cowskin', + 'cowskins', + 'cowslip', + 'cowslips', + 'cowy', + 'cox', + 'coxa', + 'coxae', + 'coxal', + 'coxalgia', + 'coxalgias', + 'coxalgic', + 'coxalgies', + 'coxalgy', + 'coxcomb', 'coxcombical', 'coxcombries', + 'coxcombry', + 'coxcombs', + 'coxed', + 'coxes', + 'coxing', + 'coxitides', + 'coxitis', + 'coxswain', 'coxswained', 'coxswaining', + 'coxswains', + 'coy', + 'coydog', + 'coydogs', + 'coyed', + 'coyer', + 'coyest', + 'coying', + 'coyish', + 'coyly', + 'coyness', + 'coynesses', + 'coyote', + 'coyotes', + 'coyotillo', 'coyotillos', + 'coypou', + 'coypous', + 'coypu', + 'coypus', + 'coys', + 'coz', + 'cozen', + 'cozenage', + 'cozenages', + 'cozened', + 'cozener', + 'cozeners', + 'cozening', + 'cozens', + 'cozes', + 'cozey', + 'cozeys', + 'cozie', + 'cozied', + 'cozier', + 'cozies', + 'coziest', + 'cozily', + 'coziness', 'cozinesses', + 'cozy', + 'cozying', + 'cozzes', + 'craal', + 'craaled', + 'craaling', + 'craals', + 'crab', + 'crabbed', 'crabbedness', 'crabbednesses', + 'crabber', + 'crabbers', + 'crabbier', + 'crabbiest', + 'crabbily', + 'crabbing', + 'crabby', + 'crabgrass', 'crabgrasses', + 'crabmeat', + 'crabmeats', + 'crabs', + 'crabstick', 'crabsticks', + 'crabwise', + 'crack', 'crackajack', 'crackajacks', + 'crackback', 'crackbacks', 'crackbrain', 'crackbrained', 'crackbrains', + 'crackdown', 'crackdowns', + 'cracked', + 'cracker', 'crackerjack', 'crackerjacks', + 'crackers', + 'cracking', + 'crackings', + 'crackle', + 'crackled', + 'crackles', 'crackleware', 'cracklewares', + 'cracklier', 'crackliest', + 'crackling', 'cracklings', + 'crackly', + 'cracknel', + 'cracknels', + 'crackpot', + 'crackpots', + 'cracks', + 'cracksman', + 'cracksmen', + 'crackup', + 'crackups', + 'cracky', + 'cradle', + 'cradled', + 'cradler', + 'cradlers', + 'cradles', 'cradlesong', 'cradlesongs', + 'cradling', + 'craft', + 'crafted', + 'craftier', + 'craftiest', + 'craftily', 'craftiness', 'craftinesses', + 'crafting', + 'crafts', + 'craftsman', 'craftsmanlike', 'craftsmanly', 'craftsmanship', 'craftsmanships', + 'craftsmen', 'craftspeople', 'craftsperson', 'craftspersons', 'craftswoman', 'craftswomen', + 'crafty', + 'crag', + 'cragged', + 'craggier', + 'craggiest', + 'craggily', 'cragginess', 'cragginesses', + 'craggy', + 'crags', + 'cragsman', + 'cragsmen', + 'crake', + 'crakes', + 'cram', + 'crambe', + 'crambes', + 'crambo', + 'cramboes', + 'crambos', + 'crammed', + 'crammer', + 'crammers', + 'cramming', + 'cramoisie', 'cramoisies', + 'cramoisy', + 'cramp', + 'cramped', + 'cramping', + 'crampit', + 'crampits', + 'crampon', + 'crampons', + 'crampoon', + 'crampoons', + 'cramps', + 'crams', 'cranberries', + 'cranberry', + 'cranch', + 'cranched', + 'cranches', + 'cranching', + 'crane', + 'craned', + 'cranes', 'cranesbill', 'cranesbills', + 'crania', + 'cranial', + 'cranially', + 'craniate', + 'craniates', + 'craning', 'craniocerebral', 'craniofacial', 'craniologies', @@ -13082,60 +33524,239 @@ export const scrabble_array = [ 'craniosacral', 'craniotomies', 'craniotomy', + 'cranium', + 'craniums', + 'crank', + 'crankcase', 'crankcases', + 'cranked', + 'cranker', + 'crankest', + 'crankier', + 'crankiest', + 'crankily', 'crankiness', 'crankinesses', + 'cranking', + 'crankish', + 'crankle', + 'crankled', + 'crankles', + 'crankling', + 'crankly', + 'crankous', + 'crankpin', + 'crankpins', + 'cranks', 'crankshaft', 'crankshafts', + 'cranky', + 'crannied', + 'crannies', + 'crannog', + 'crannoge', + 'crannoges', + 'crannogs', + 'cranny', + 'cranreuch', 'cranreuchs', + 'crap', + 'crape', + 'craped', + 'crapes', + 'craping', + 'crapped', + 'crapper', + 'crappers', + 'crappie', + 'crappier', + 'crappies', + 'crappiest', + 'crapping', + 'crappy', + 'craps', + 'crapshoot', 'crapshooter', 'crapshooters', 'crapshoots', + 'crapulous', + 'crases', + 'crash', + 'crashed', + 'crasher', + 'crashers', + 'crashes', + 'crashing', 'crashingly', 'crashworthiness', 'crashworthinesses', 'crashworthy', + 'crasis', + 'crass', + 'crasser', + 'crassest', 'crassitude', 'crassitudes', + 'crassly', + 'crassness', 'crassnesses', + 'cratch', + 'cratches', + 'crate', + 'crated', + 'crater', + 'cratered', + 'cratering', + 'craterlet', 'craterlets', 'craterlike', + 'craters', + 'crates', + 'crating', + 'craton', + 'cratonic', + 'cratons', + 'craunch', + 'craunched', + 'craunches', 'craunching', + 'cravat', + 'cravats', + 'crave', + 'craved', + 'craven', + 'cravened', + 'cravening', + 'cravenly', 'cravenness', 'cravennesses', + 'cravens', + 'craver', + 'cravers', + 'craves', + 'craving', + 'cravings', + 'craw', + 'crawdad', + 'crawdads', + 'crawfish', 'crawfished', 'crawfishes', 'crawfishing', + 'crawl', + 'crawled', + 'crawler', + 'crawlers', + 'crawlier', + 'crawliest', + 'crawling', + 'crawls', 'crawlspace', 'crawlspaces', + 'crawlway', + 'crawlways', + 'crawly', + 'craws', + 'crayfish', 'crayfishes', + 'crayon', + 'crayoned', + 'crayoning', + 'crayonist', 'crayonists', + 'crayons', + 'craze', + 'crazed', + 'crazes', + 'crazier', + 'crazies', + 'craziest', + 'crazily', + 'craziness', 'crazinesses', + 'crazing', + 'crazy', + 'crazyweed', 'crazyweeds', + 'creak', + 'creaked', + 'creakier', + 'creakiest', + 'creakily', 'creakiness', 'creakinesses', + 'creaking', + 'creaks', + 'creaky', + 'cream', + 'creamcups', + 'creamed', + 'creamer', 'creameries', + 'creamers', + 'creamery', + 'creamier', + 'creamiest', + 'creamily', 'creaminess', 'creaminesses', + 'creaming', + 'creampuff', 'creampuffs', + 'creams', + 'creamware', 'creamwares', + 'creamy', + 'crease', + 'creased', 'creaseless', + 'creaser', + 'creasers', + 'creases', + 'creasier', + 'creasiest', + 'creasing', + 'creasy', + 'create', + 'created', + 'creates', + 'creatin', + 'creatine', + 'creatines', + 'creating', 'creatinine', 'creatinines', + 'creatins', + 'creation', 'creationism', 'creationisms', 'creationist', 'creationists', + 'creations', + 'creative', 'creatively', 'creativeness', 'creativenesses', 'creativities', 'creativity', + 'creator', + 'creators', + 'creatural', + 'creature', 'creaturehood', 'creaturehoods', 'creatureliness', 'creaturelinesses', 'creaturely', + 'creatures', + 'creche', + 'creches', + 'credal', + 'credence', + 'credences', + 'credenda', + 'credendum', + 'credent', 'credential', 'credentialed', 'credentialing', @@ -13144,70 +33765,248 @@ export const scrabble_array = [ 'credentialled', 'credentialling', 'credentials', + 'credenza', + 'credenzas', 'credibilities', 'credibility', + 'credible', + 'credibly', + 'credit', 'creditabilities', 'creditability', 'creditable', 'creditableness', 'creditablenesses', 'creditably', + 'credited', + 'crediting', + 'creditor', + 'creditors', + 'credits', 'creditworthiness', 'creditworthinesses', 'creditworthy', + 'credo', + 'credos', 'credulities', + 'credulity', + 'credulous', 'credulously', 'credulousness', 'credulousnesses', + 'creed', + 'creedal', + 'creeds', + 'creek', + 'creeks', + 'creel', + 'creeled', + 'creeling', + 'creels', + 'creep', + 'creepage', + 'creepages', + 'creeper', + 'creepers', + 'creepie', + 'creepier', + 'creepies', + 'creepiest', + 'creepily', 'creepiness', 'creepinesses', + 'creeping', + 'creeps', + 'creepy', + 'creese', + 'creeses', + 'creesh', + 'creeshed', + 'creeshes', + 'creeshing', + 'cremains', + 'cremate', + 'cremated', + 'cremates', + 'cremating', + 'cremation', 'cremations', + 'cremator', 'crematoria', 'crematories', 'crematorium', 'crematoriums', + 'cremators', + 'crematory', + 'creme', + 'cremes', + 'crenate', + 'crenated', + 'crenation', 'crenations', + 'crenel', 'crenelated', 'crenelation', 'crenelations', + 'creneled', + 'creneling', 'crenellated', 'crenellation', 'crenellations', + 'crenelle', + 'crenelled', + 'crenelles', 'crenelling', + 'crenels', + 'crenulate', 'crenulated', 'crenulation', 'crenulations', + 'creodont', + 'creodonts', + 'creole', + 'creoles', + 'creolise', + 'creolised', + 'creolises', 'creolising', 'creolization', 'creolizations', + 'creolize', + 'creolized', + 'creolizes', 'creolizing', + 'creosol', + 'creosols', + 'creosote', + 'creosoted', + 'creosotes', 'creosoting', + 'crepe', + 'creped', + 'crepes', + 'crepey', + 'crepier', + 'crepiest', + 'creping', + 'crepitant', + 'crepitate', 'crepitated', 'crepitates', 'crepitating', 'crepitation', 'crepitations', + 'crepon', + 'crepons', + 'crept', + 'crepuscle', 'crepuscles', 'crepuscular', 'crepuscule', 'crepuscules', + 'crepy', + 'crescendi', + 'crescendo', 'crescendoed', 'crescendoes', 'crescendoing', 'crescendos', + 'crescent', 'crescentic', + 'crescents', + 'crescive', 'crescively', + 'cresol', + 'cresols', + 'cress', + 'cresses', + 'cresset', + 'cressets', + 'crest', + 'crestal', + 'crested', 'crestfallen', 'crestfallenly', 'crestfallenness', 'crestfallennesses', + 'cresting', + 'crestings', + 'crestless', + 'crests', + 'cresyl', + 'cresylic', + 'cresyls', + 'cretic', + 'cretics', + 'cretin', + 'cretinism', 'cretinisms', + 'cretinous', + 'cretins', + 'cretonne', + 'cretonnes', + 'crevalle', + 'crevalles', + 'crevasse', + 'crevassed', + 'crevasses', 'crevassing', + 'crevice', + 'creviced', + 'crevices', + 'crew', + 'crewed', + 'crewel', + 'crewels', 'crewelwork', 'crewelworks', + 'crewing', + 'crewless', + 'crewman', + 'crewmate', + 'crewmates', + 'crewmen', + 'crewneck', + 'crewnecks', + 'crews', + 'crib', + 'cribbage', + 'cribbages', + 'cribbed', + 'cribber', + 'cribbers', + 'cribbing', + 'cribbings', + 'cribbled', 'cribriform', + 'cribrous', + 'cribs', + 'cribwork', + 'cribworks', + 'cricetid', + 'cricetids', + 'crick', + 'cricked', + 'cricket', + 'cricketed', + 'cricketer', 'cricketers', 'cricketing', + 'crickets', + 'crickey', + 'cricking', + 'cricks', + 'cricoid', + 'cricoids', + 'cried', + 'crier', + 'criers', + 'cries', + 'crikey', + 'crime', + 'crimeless', + 'crimes', + 'criminal', 'criminalistics', 'criminalities', 'criminality', @@ -13218,6 +34017,8 @@ export const scrabble_array = [ 'criminalizes', 'criminalizing', 'criminally', + 'criminals', + 'criminate', 'criminated', 'criminates', 'criminating', @@ -13229,23 +34030,105 @@ export const scrabble_array = [ 'criminologist', 'criminologists', 'criminology', + 'criminous', + 'crimmer', + 'crimmers', + 'crimp', + 'crimped', + 'crimper', + 'crimpers', + 'crimpier', + 'crimpiest', + 'crimping', + 'crimple', + 'crimpled', + 'crimples', + 'crimpling', + 'crimps', + 'crimpy', + 'crimson', + 'crimsoned', 'crimsoning', + 'crimsons', + 'cringe', + 'cringed', + 'cringer', + 'cringers', + 'cringes', + 'cringing', + 'cringle', + 'cringles', + 'crinite', + 'crinites', + 'crinkle', + 'crinkled', + 'crinkles', + 'crinklier', 'crinkliest', + 'crinkling', + 'crinkly', + 'crinoid', + 'crinoids', + 'crinoline', 'crinolined', 'crinolines', + 'crinum', + 'crinums', + 'criollo', + 'criollos', + 'cripe', + 'cripes', + 'cripple', + 'crippled', + 'crippler', + 'cripplers', + 'cripples', + 'crippling', 'cripplingly', + 'cris', + 'crises', + 'crisic', + 'crisis', + 'crisp', + 'crispate', 'crispbread', 'crispbreads', + 'crisped', + 'crispen', + 'crispened', 'crispening', + 'crispens', + 'crisper', + 'crispers', + 'crispest', + 'crispier', + 'crispiest', + 'crispily', 'crispiness', 'crispinesses', + 'crisping', + 'crisply', + 'crispness', 'crispnesses', + 'crisps', + 'crispy', + 'crissa', + 'crissal', 'crisscross', 'crisscrossed', 'crisscrosses', 'crisscrossing', + 'crissum', + 'crista', + 'cristae', + 'cristate', + 'criteria', + 'criterion', 'criterions', + 'criterium', 'criteriums', + 'critic', + 'critical', 'criticalities', 'criticality', 'critically', @@ -13253,51 +34136,158 @@ export const scrabble_array = [ 'criticalnesses', 'criticaster', 'criticasters', + 'criticise', 'criticised', 'criticises', 'criticising', + 'criticism', 'criticisms', 'criticizable', + 'criticize', 'criticized', 'criticizer', 'criticizers', 'criticizes', 'criticizing', + 'critics', + 'critique', + 'critiqued', + 'critiques', 'critiquing', + 'critter', + 'critters', + 'crittur', + 'critturs', + 'croak', + 'croaked', + 'croaker', + 'croakers', + 'croakier', + 'croakiest', + 'croakily', + 'croaking', + 'croaks', + 'croaky', + 'croc', + 'crocein', + 'croceine', + 'croceines', + 'croceins', + 'crochet', + 'crocheted', + 'crocheter', 'crocheters', 'crocheting', + 'crochets', + 'croci', 'crocidolite', 'crocidolites', + 'crocine', + 'crock', + 'crocked', 'crockeries', + 'crockery', + 'crocket', + 'crocketed', + 'crockets', + 'crocking', + 'crocks', + 'crocodile', 'crocodiles', 'crocodilian', 'crocodilians', + 'crocoite', + 'crocoites', + 'crocs', + 'crocus', + 'crocuses', + 'croft', + 'crofter', + 'crofters', + 'crofts', + 'croissant', 'croissants', + 'crojik', + 'crojiks', + 'cromlech', + 'cromlechs', + 'crone', + 'crones', + 'cronies', + 'crony', + 'cronyism', + 'cronyisms', + 'crook', + 'crookback', 'crookbacked', 'crookbacks', + 'crooked', + 'crookeder', 'crookedest', + 'crookedly', 'crookedness', 'crookednesses', 'crookeries', + 'crookery', + 'crooking', + 'crookneck', 'crooknecks', + 'crooks', + 'croon', + 'crooned', + 'crooner', + 'crooners', + 'crooning', + 'croons', + 'crop', + 'cropland', + 'croplands', + 'cropless', + 'cropped', + 'cropper', + 'croppers', + 'croppie', + 'croppies', + 'cropping', + 'crops', + 'croquet', + 'croqueted', 'croqueting', + 'croquets', + 'croquette', 'croquettes', 'croquignole', 'croquignoles', + 'croquis', + 'crore', + 'crores', + 'crosier', + 'crosiers', + 'cross', 'crossabilities', 'crossability', + 'crossable', + 'crossarm', + 'crossarms', 'crossbanded', 'crossbanding', 'crossbandings', + 'crossbar', 'crossbarred', 'crossbarring', + 'crossbars', + 'crossbeam', 'crossbeams', 'crossbearer', 'crossbearers', + 'crossbill', 'crossbills', 'crossbones', + 'crossbow', 'crossbowman', 'crossbowmen', + 'crossbows', + 'crossbred', 'crossbreds', 'crossbreed', 'crossbreeding', @@ -13305,81 +34295,343 @@ export const scrabble_array = [ 'crosscourt', 'crosscurrent', 'crosscurrents', + 'crosscut', + 'crosscuts', 'crosscutting', 'crosscuttings', + 'crosse', + 'crossed', + 'crosser', + 'crossers', + 'crosses', + 'crossest', + 'crossfire', 'crossfires', + 'crosshair', 'crosshairs', 'crosshatch', 'crosshatched', 'crosshatches', 'crosshatching', + 'crosshead', 'crossheads', + 'crossing', + 'crossings', + 'crosslet', + 'crosslets', 'crosslinguistic', 'crosslinguistically', + 'crossly', + 'crossness', 'crossnesses', 'crossopterygian', 'crossopterygians', + 'crossover', 'crossovers', 'crosspatch', 'crosspatches', 'crosspiece', 'crosspieces', + 'crossroad', 'crossroads', + 'crossruff', 'crossruffed', 'crossruffing', 'crossruffs', + 'crosstalk', 'crosstalks', + 'crosstie', + 'crossties', + 'crosstown', 'crosstrees', + 'crosswalk', 'crosswalks', + 'crossway', + 'crossways', + 'crosswind', 'crosswinds', + 'crosswise', + 'crossword', 'crosswords', + 'crotch', + 'crotched', + 'crotches', + 'crotchet', 'crotchetiness', 'crotchetinesses', + 'crotchets', + 'crotchety', + 'croton', + 'crotons', + 'crouch', + 'crouched', + 'crouches', + 'crouching', + 'croup', + 'croupe', + 'croupes', + 'croupier', + 'croupiers', + 'croupiest', + 'croupily', + 'croupous', + 'croups', + 'croupy', + 'crouse', + 'crousely', + 'croustade', 'croustades', + 'crouton', + 'croutons', + 'crow', + 'crowbar', 'crowbarred', 'crowbarring', + 'crowbars', 'crowberries', + 'crowberry', + 'crowd', + 'crowded', 'crowdedness', 'crowdednesses', + 'crowder', + 'crowders', + 'crowdie', + 'crowdies', + 'crowding', + 'crowds', + 'crowdy', + 'crowed', + 'crower', + 'crowers', + 'crowfeet', + 'crowfoot', + 'crowfoots', + 'crowing', 'crowkeeper', 'crowkeepers', + 'crown', + 'crowned', + 'crowner', + 'crowners', + 'crownet', + 'crownets', + 'crowning', + 'crownless', + 'crowns', + 'crows', + 'crowstep', 'crowstepped', + 'crowsteps', + 'croze', + 'crozer', + 'crozers', + 'crozes', + 'crozier', + 'croziers', + 'cruces', + 'crucial', + 'crucially', + 'crucian', + 'crucians', + 'cruciate', + 'crucible', + 'crucibles', + 'crucifer', 'cruciferous', + 'crucifers', + 'crucified', + 'crucifies', + 'crucifix', 'crucifixes', 'crucifixion', 'crucifixions', + 'cruciform', 'cruciforms', + 'crucify', 'crucifying', + 'cruck', + 'crucks', + 'crud', + 'crudded', + 'cruddier', + 'cruddiest', + 'crudding', + 'cruddy', + 'crude', + 'crudely', + 'crudeness', 'crudenesses', + 'cruder', + 'crudes', + 'crudest', + 'crudites', + 'crudities', + 'crudity', + 'cruds', + 'cruel', + 'crueler', + 'cruelest', + 'crueller', + 'cruellest', + 'cruelly', + 'cruelness', 'cruelnesses', + 'cruelties', + 'cruelty', + 'cruet', + 'cruets', + 'cruise', + 'cruised', + 'cruiser', + 'cruisers', 'cruiserweight', 'cruiserweights', + 'cruises', + 'cruising', + 'cruisings', + 'cruller', + 'crullers', + 'crumb', + 'crumbed', + 'crumber', + 'crumbers', + 'crumbier', + 'crumbiest', + 'crumbing', + 'crumble', + 'crumbled', + 'crumbles', + 'crumblier', 'crumbliest', 'crumbliness', 'crumblinesses', + 'crumbling', 'crumblings', + 'crumbly', + 'crumbs', + 'crumbum', + 'crumbums', + 'crumby', + 'crumhorn', + 'crumhorns', + 'crummie', + 'crummier', + 'crummies', + 'crummiest', 'crumminess', 'crumminesses', + 'crummy', + 'crump', + 'crumped', + 'crumpet', + 'crumpets', + 'crumping', + 'crumple', + 'crumpled', + 'crumples', + 'crumplier', 'crumpliest', + 'crumpling', + 'crumply', + 'crumps', + 'crunch', 'crunchable', + 'crunched', + 'cruncher', + 'crunchers', + 'crunches', + 'crunchier', 'crunchiest', + 'crunchily', 'crunchiness', 'crunchinesses', + 'crunching', + 'crunchy', + 'crunodal', + 'crunode', + 'crunodes', + 'cruor', + 'cruors', + 'crupper', + 'cruppers', + 'crura', + 'crural', + 'crus', + 'crusade', + 'crusaded', + 'crusader', + 'crusaders', + 'crusades', + 'crusading', + 'crusado', + 'crusadoes', + 'crusados', + 'cruse', + 'cruses', + 'cruset', + 'crusets', + 'crush', + 'crushable', + 'crushed', + 'crusher', + 'crushers', + 'crushes', + 'crushing', 'crushingly', 'crushproof', + 'crusily', + 'crust', + 'crustacea', 'crustacean', 'crustaceans', 'crustaceous', + 'crustal', + 'crusted', + 'crustier', + 'crustiest', + 'crustily', 'crustiness', 'crustinesses', + 'crusting', + 'crustless', + 'crustose', + 'crusts', + 'crusty', + 'crutch', + 'crutched', + 'crutches', + 'crutching', + 'crux', + 'cruxes', + 'cruzado', + 'cruzadoes', + 'cruzados', + 'cruzeiro', + 'cruzeiros', + 'crwth', + 'crwths', + 'cry', + 'crybabies', + 'crybaby', + 'crying', + 'cryingly', 'cryobiological', 'cryobiologies', 'cryobiologist', 'cryobiologists', 'cryobiology', + 'cryogen', + 'cryogenic', 'cryogenically', 'cryogenics', 'cryogenies', + 'cryogens', + 'cryogeny', + 'cryolite', + 'cryolites', + 'cryonic', + 'cryonics', 'cryophilic', 'cryopreservation', 'cryopreservations', @@ -13387,14 +34639,19 @@ export const scrabble_array = [ 'cryopreserved', 'cryopreserves', 'cryopreserving', + 'cryoprobe', 'cryoprobes', 'cryoprotectant', 'cryoprotectants', 'cryoprotective', + 'cryoscope', 'cryoscopes', 'cryoscopic', 'cryoscopies', + 'cryoscopy', + 'cryostat', 'cryostatic', + 'cryostats', 'cryosurgeon', 'cryosurgeons', 'cryosurgeries', @@ -13402,6 +34659,10 @@ export const scrabble_array = [ 'cryosurgical', 'cryotherapies', 'cryotherapy', + 'cryotron', + 'cryotrons', + 'crypt', + 'cryptal', 'cryptanalyses', 'cryptanalysis', 'cryptanalyst', @@ -13410,13 +34671,16 @@ export const scrabble_array = [ 'cryptanalytical', 'cryptarithm', 'cryptarithms', + 'cryptic', 'cryptically', + 'crypto', 'cryptococcal', 'cryptococci', 'cryptococcoses', 'cryptococcosis', 'cryptococcus', 'cryptocrystalline', + 'cryptogam', 'cryptogamic', 'cryptogamous', 'cryptogams', @@ -13439,6 +34703,7 @@ export const scrabble_array = [ 'cryptology', 'cryptomeria', 'cryptomerias', + 'cryptonym', 'cryptonyms', 'cryptorchid', 'cryptorchidism', @@ -13446,10 +34711,13 @@ export const scrabble_array = [ 'cryptorchids', 'cryptorchism', 'cryptorchisms', + 'cryptos', 'cryptozoologies', 'cryptozoologist', 'cryptozoologists', 'cryptozoology', + 'crypts', + 'crystal', 'crystalize', 'crystalized', 'crystalizes', @@ -13481,43 +34749,215 @@ export const scrabble_array = [ 'crystalloid', 'crystalloidal', 'crystalloids', + 'crystals', + 'ctenidia', + 'ctenidium', + 'ctenoid', 'ctenophoran', 'ctenophorans', 'ctenophore', 'ctenophores', + 'cuadrilla', 'cuadrillas', + 'cub', + 'cubage', + 'cubages', + 'cubature', + 'cubatures', + 'cubbies', + 'cubbish', + 'cubby', + 'cubbyhole', 'cubbyholes', + 'cube', + 'cubeb', + 'cubebs', + 'cubed', + 'cuber', + 'cubers', + 'cubes', + 'cubic', + 'cubical', + 'cubically', 'cubicities', + 'cubicity', + 'cubicle', + 'cubicles', + 'cubicly', + 'cubics', + 'cubicula', + 'cubiculum', + 'cubiform', + 'cubing', + 'cubism', + 'cubisms', + 'cubist', + 'cubistic', + 'cubists', + 'cubit', + 'cubital', + 'cubits', + 'cuboid', + 'cuboidal', + 'cuboids', + 'cubs', + 'cuckold', + 'cuckolded', 'cuckolding', 'cuckoldries', + 'cuckoldry', + 'cuckolds', + 'cuckoo', + 'cuckooed', 'cuckooflower', 'cuckooflowers', + 'cuckooing', 'cuckoopint', 'cuckoopints', + 'cuckoos', + 'cucullate', + 'cucumber', + 'cucumbers', + 'cucurbit', + 'cucurbits', + 'cud', + 'cudbear', + 'cudbears', + 'cuddie', + 'cuddies', + 'cuddle', + 'cuddled', + 'cuddler', + 'cuddlers', + 'cuddles', 'cuddlesome', + 'cuddlier', + 'cuddliest', + 'cuddling', + 'cuddly', + 'cuddy', + 'cudgel', + 'cudgeled', + 'cudgeler', + 'cudgelers', + 'cudgeling', + 'cudgelled', 'cudgelling', + 'cudgels', + 'cuds', + 'cudweed', + 'cudweeds', + 'cue', + 'cued', + 'cueing', + 'cues', + 'cuesta', + 'cuestas', + 'cuff', + 'cuffed', + 'cuffing', + 'cuffless', + 'cuffs', + 'cuif', + 'cuifs', + 'cuing', + 'cuirass', + 'cuirassed', + 'cuirasses', 'cuirassier', 'cuirassiers', 'cuirassing', + 'cuish', + 'cuishes', + 'cuisine', + 'cuisines', + 'cuisse', + 'cuisses', + 'cuittle', + 'cuittled', + 'cuittles', + 'cuittling', + 'cuke', + 'cukes', + 'culch', + 'culches', + 'culet', + 'culets', + 'culex', + 'culices', + 'culicid', + 'culicids', + 'culicine', + 'culicines', 'culinarian', 'culinarians', 'culinarily', + 'culinary', + 'cull', + 'cullay', + 'cullays', + 'culled', + 'cullender', 'cullenders', + 'culler', + 'cullers', + 'cullet', + 'cullets', + 'cullied', + 'cullies', + 'culling', + 'cullion', + 'cullions', + 'cullis', + 'cullises', + 'culls', + 'cully', + 'cullying', + 'culm', + 'culmed', + 'culminant', + 'culminate', 'culminated', 'culminates', 'culminating', 'culmination', 'culminations', + 'culming', + 'culms', + 'culotte', + 'culottes', + 'culpa', 'culpabilities', 'culpability', + 'culpable', 'culpableness', 'culpablenesses', + 'culpably', + 'culpae', + 'culprit', + 'culprits', + 'cult', + 'cultch', + 'cultches', + 'culti', + 'cultic', + 'cultigen', + 'cultigens', + 'cultish', + 'cultishly', 'cultishness', 'cultishnesses', + 'cultism', + 'cultisms', + 'cultist', + 'cultists', 'cultivabilities', 'cultivability', 'cultivable', + 'cultivar', + 'cultivars', 'cultivatable', + 'cultivate', 'cultivated', 'cultivates', 'cultivating', @@ -13525,18 +34965,58 @@ export const scrabble_array = [ 'cultivations', 'cultivator', 'cultivators', + 'cultlike', + 'cultrate', + 'cults', + 'cultural', 'culturally', + 'culturati', + 'culture', + 'cultured', + 'cultures', + 'culturing', + 'cultus', + 'cultuses', + 'culver', + 'culverin', + 'culverins', + 'culvers', + 'culvert', + 'culverts', + 'cum', + 'cumarin', + 'cumarins', + 'cumber', 'cumberbund', 'cumberbunds', + 'cumbered', + 'cumberer', + 'cumberers', + 'cumbering', + 'cumbers', 'cumbersome', 'cumbersomely', 'cumbersomeness', 'cumbersomenesses', + 'cumbrous', 'cumbrously', 'cumbrousness', 'cumbrousnesses', + 'cumin', + 'cumins', + 'cummer', 'cummerbund', 'cummerbunds', + 'cummers', + 'cummin', + 'cummins', + 'cumquat', + 'cumquats', + 'cumshaw', + 'cumshaws', + 'cumulate', + 'cumulated', + 'cumulates', 'cumulating', 'cumulation', 'cumulations', @@ -13544,131 +35024,584 @@ export const scrabble_array = [ 'cumulatively', 'cumulativeness', 'cumulativenesses', + 'cumuli', 'cumuliform', 'cumulonimbi', 'cumulonimbus', 'cumulonimbuses', + 'cumulous', + 'cumulus', 'cunctation', 'cunctations', 'cunctative', + 'cundum', + 'cundums', + 'cuneal', + 'cuneate', + 'cuneated', + 'cuneatic', + 'cuneiform', 'cuneiforms', + 'cuniform', + 'cuniforms', + 'cunner', + 'cunners', 'cunnilinctus', 'cunnilinctuses', 'cunnilingus', 'cunnilinguses', + 'cunning', + 'cunninger', 'cunningest', + 'cunningly', 'cunningness', 'cunningnesses', + 'cunnings', + 'cunt', + 'cunts', + 'cup', + 'cupbearer', 'cupbearers', + 'cupboard', + 'cupboards', + 'cupcake', + 'cupcakes', + 'cupel', + 'cupeled', + 'cupeler', + 'cupelers', + 'cupeling', 'cupellation', 'cupellations', + 'cupelled', + 'cupeller', + 'cupellers', + 'cupelling', + 'cupels', + 'cupful', + 'cupfuls', + 'cupid', 'cupidities', + 'cupidity', + 'cupids', + 'cuplike', + 'cupola', + 'cupolaed', + 'cupolaing', + 'cupolas', + 'cuppa', + 'cuppas', + 'cupped', + 'cupper', + 'cuppers', + 'cuppier', + 'cuppiest', + 'cupping', + 'cuppings', + 'cuppy', + 'cupreous', + 'cupric', 'cupriferous', + 'cuprite', + 'cuprites', 'cupronickel', 'cupronickels', + 'cuprous', + 'cuprum', + 'cuprums', + 'cups', + 'cupsful', + 'cupula', + 'cupulae', + 'cupular', + 'cupulate', + 'cupule', + 'cupules', + 'cur', 'curabilities', 'curability', + 'curable', 'curableness', 'curablenesses', + 'curably', + 'curacao', + 'curacaos', + 'curacies', + 'curacoa', + 'curacoas', + 'curacy', + 'curagh', + 'curaghs', + 'curara', + 'curaras', + 'curare', + 'curares', + 'curari', + 'curarine', + 'curarines', + 'curaris', 'curarization', 'curarizations', + 'curarize', + 'curarized', + 'curarizes', 'curarizing', + 'curassow', + 'curassows', + 'curate', + 'curated', + 'curates', + 'curating', + 'curative', 'curatively', + 'curatives', + 'curator', 'curatorial', + 'curators', 'curatorship', 'curatorships', + 'curb', + 'curbable', + 'curbed', + 'curber', + 'curbers', + 'curbing', + 'curbings', + 'curbs', + 'curbside', + 'curbsides', + 'curbstone', 'curbstones', + 'curch', + 'curches', + 'curculio', + 'curculios', + 'curcuma', + 'curcumas', + 'curd', + 'curded', + 'curdier', + 'curdiest', + 'curding', + 'curdle', + 'curdled', + 'curdler', + 'curdlers', + 'curdles', + 'curdling', + 'curds', + 'curdy', + 'cure', + 'cured', + 'cureless', + 'curer', + 'curers', + 'cures', + 'curet', + 'curets', + 'curettage', 'curettages', + 'curette', + 'curetted', 'curettement', 'curettements', + 'curettes', + 'curetting', + 'curf', + 'curfew', + 'curfews', + 'curfs', + 'curia', + 'curiae', + 'curial', + 'curie', + 'curies', + 'curing', + 'curio', + 'curios', + 'curiosa', 'curiosities', + 'curiosity', + 'curious', + 'curiouser', 'curiousest', + 'curiously', 'curiousness', 'curiousnesses', + 'curite', + 'curites', + 'curium', + 'curiums', + 'curl', + 'curled', + 'curler', + 'curlers', + 'curlew', + 'curlews', + 'curlicue', + 'curlicued', + 'curlicues', 'curlicuing', + 'curlier', + 'curliest', + 'curlily', + 'curliness', 'curlinesses', + 'curling', + 'curlings', + 'curlpaper', 'curlpapers', + 'curls', + 'curly', + 'curlycue', + 'curlycues', 'curmudgeon', 'curmudgeonliness', 'curmudgeonlinesses', 'curmudgeonly', 'curmudgeons', + 'curn', + 'curns', + 'curr', + 'currach', + 'currachs', + 'curragh', + 'curraghs', + 'curran', + 'currans', + 'currant', + 'currants', + 'curred', 'currencies', + 'currency', + 'current', + 'currently', 'currentness', 'currentnesses', + 'currents', + 'curricle', + 'curricles', + 'curricula', 'curricular', 'curriculum', 'curriculums', + 'currie', + 'curried', + 'currier', 'currieries', + 'curriers', + 'curriery', + 'curries', + 'curring', + 'currish', + 'currishly', + 'currs', + 'curry', + 'currycomb', 'currycombed', 'currycombing', 'currycombs', + 'currying', + 'curs', + 'curse', + 'cursed', + 'curseder', + 'cursedest', + 'cursedly', 'cursedness', 'cursednesses', + 'curser', + 'cursers', + 'curses', + 'cursing', + 'cursive', + 'cursively', 'cursiveness', 'cursivenesses', + 'cursives', + 'cursor', + 'cursorial', + 'cursorily', 'cursoriness', 'cursorinesses', + 'cursors', + 'cursory', + 'curst', + 'curt', + 'curtail', + 'curtailed', + 'curtailer', 'curtailers', 'curtailing', 'curtailment', 'curtailments', + 'curtails', + 'curtain', + 'curtained', 'curtaining', 'curtainless', + 'curtains', + 'curtal', + 'curtalax', 'curtalaxes', + 'curtals', + 'curtate', + 'curter', + 'curtesies', + 'curtest', + 'curtesy', + 'curtilage', 'curtilages', + 'curtly', + 'curtness', 'curtnesses', + 'curtsey', + 'curtseyed', 'curtseying', + 'curtseys', + 'curtsied', + 'curtsies', + 'curtsy', + 'curtsying', + 'curule', 'curvaceous', 'curvacious', + 'curvature', 'curvatures', + 'curve', + 'curveball', 'curveballed', 'curveballing', 'curveballs', + 'curved', + 'curvedly', + 'curves', + 'curvet', + 'curveted', + 'curveting', + 'curvets', + 'curvetted', 'curvetting', + 'curvey', + 'curvier', + 'curviest', 'curvilinear', 'curvilinearities', 'curvilinearity', + 'curving', + 'curvy', + 'cuscus', + 'cuscuses', + 'cusec', + 'cusecs', + 'cushat', + 'cushats', + 'cushaw', + 'cushaws', + 'cushier', + 'cushiest', + 'cushily', + 'cushion', + 'cushioned', 'cushioning', 'cushionless', + 'cushions', + 'cushiony', + 'cushy', + 'cusk', + 'cusks', + 'cusp', + 'cuspate', + 'cuspated', + 'cusped', + 'cuspid', + 'cuspidal', + 'cuspidate', 'cuspidation', 'cuspidations', + 'cuspides', + 'cuspidor', + 'cuspidors', + 'cuspids', + 'cuspis', + 'cusps', + 'cuss', + 'cussed', + 'cussedly', 'cussedness', 'cussednesses', + 'cusser', + 'cussers', + 'cusses', + 'cussing', + 'cusso', + 'cussos', + 'cussword', + 'cusswords', + 'custard', + 'custards', + 'custardy', + 'custodes', + 'custodial', + 'custodian', 'custodians', 'custodianship', 'custodianships', + 'custodies', + 'custody', + 'custom', 'customarily', 'customariness', 'customarinesses', + 'customary', + 'customer', + 'customers', 'customhouse', 'customhouses', + 'customise', 'customised', 'customises', 'customising', 'customization', 'customizations', + 'customize', 'customized', 'customizer', 'customizers', 'customizes', 'customizing', + 'customs', 'customshouse', 'customshouses', + 'custos', + 'custumal', + 'custumals', + 'cut', 'cutabilities', 'cutability', + 'cutaneous', 'cutaneously', + 'cutaway', + 'cutaways', + 'cutback', + 'cutbacks', + 'cutbank', + 'cutbanks', + 'cutch', 'cutcheries', + 'cutchery', + 'cutches', + 'cutdown', + 'cutdowns', + 'cute', + 'cutely', + 'cuteness', 'cutenesses', + 'cuter', + 'cutes', + 'cutesie', + 'cutesier', + 'cutesiest', + 'cutest', + 'cutesy', + 'cutey', + 'cuteys', + 'cutgrass', 'cutgrasses', + 'cuticle', + 'cuticles', + 'cuticula', + 'cuticulae', + 'cuticular', + 'cutie', + 'cuties', + 'cutin', + 'cutinise', + 'cutinised', + 'cutinises', 'cutinising', + 'cutinize', + 'cutinized', + 'cutinizes', 'cutinizing', + 'cutins', + 'cutis', + 'cutises', + 'cutlas', + 'cutlases', + 'cutlass', + 'cutlasses', + 'cutler', + 'cutleries', + 'cutlers', + 'cutlery', + 'cutlet', + 'cutlets', + 'cutline', + 'cutlines', + 'cutoff', + 'cutoffs', + 'cutout', + 'cutouts', + 'cutover', + 'cutovers', + 'cutpurse', + 'cutpurses', + 'cuts', + 'cuttable', + 'cuttage', + 'cuttages', + 'cutter', + 'cutters', + 'cutthroat', 'cutthroats', + 'cutties', + 'cutting', + 'cuttingly', + 'cuttings', + 'cuttle', 'cuttlebone', 'cuttlebones', + 'cuttled', 'cuttlefish', 'cuttlefishes', + 'cuttles', + 'cuttling', + 'cutty', + 'cutup', + 'cutups', + 'cutwater', + 'cutwaters', + 'cutwork', + 'cutworks', + 'cutworm', + 'cutworms', + 'cuvette', + 'cuvettes', + 'cwm', + 'cwms', + 'cyan', + 'cyanamid', + 'cyanamide', 'cyanamides', + 'cyanamids', + 'cyanate', + 'cyanates', + 'cyanic', + 'cyanid', + 'cyanide', + 'cyanided', + 'cyanides', + 'cyaniding', + 'cyanids', + 'cyanin', + 'cyanine', + 'cyanines', + 'cyanins', + 'cyanite', + 'cyanites', + 'cyanitic', + 'cyano', 'cyanoacrylate', 'cyanoacrylates', 'cyanobacteria', @@ -13683,12 +35616,19 @@ export const scrabble_array = [ 'cyanoethylating', 'cyanoethylation', 'cyanoethylations', + 'cyanogen', 'cyanogeneses', 'cyanogenesis', 'cyanogenetic', 'cyanogenic', + 'cyanogens', 'cyanohydrin', 'cyanohydrins', + 'cyanosed', + 'cyanoses', + 'cyanosis', + 'cyanotic', + 'cyans', 'cybernated', 'cybernation', 'cybernations', @@ -13700,21 +35640,61 @@ export const scrabble_array = [ 'cyberneticist', 'cyberneticists', 'cybernetics', + 'cyberpunk', 'cyberpunks', 'cyberspace', 'cyberspaces', + 'cyborg', + 'cyborgs', + 'cycad', + 'cycadeoid', 'cycadeoids', 'cycadophyte', 'cycadophytes', + 'cycads', + 'cycas', + 'cycases', + 'cycasin', + 'cycasins', + 'cyclamate', 'cyclamates', + 'cyclamen', + 'cyclamens', + 'cyclase', + 'cyclases', 'cyclazocine', 'cyclazocines', + 'cycle', + 'cyclecar', + 'cyclecars', + 'cycled', + 'cycler', + 'cycleries', + 'cyclers', + 'cyclery', + 'cycles', + 'cyclic', + 'cyclical', 'cyclicalities', 'cyclicality', 'cyclically', + 'cyclicals', 'cyclicities', + 'cyclicity', + 'cyclicly', + 'cycling', + 'cyclings', + 'cyclist', + 'cyclists', + 'cyclitol', + 'cyclitols', 'cyclization', 'cyclizations', + 'cyclize', + 'cyclized', + 'cyclizes', + 'cyclizing', + 'cyclo', 'cycloaddition', 'cycloadditions', 'cycloaliphatic', @@ -13732,8 +35712,15 @@ export const scrabble_array = [ 'cycloheximides', 'cyclohexylamine', 'cyclohexylamines', + 'cycloid', + 'cycloidal', + 'cycloids', 'cyclometer', 'cyclometers', + 'cyclonal', + 'cyclone', + 'cyclones', + 'cyclonic', 'cyclonically', 'cycloolefin', 'cycloolefinic', @@ -13742,6 +35729,7 @@ export const scrabble_array = [ 'cyclopaedias', 'cycloparaffin', 'cycloparaffins', + 'cyclopean', 'cyclopedia', 'cyclopedias', 'cyclopedic', @@ -13749,10 +35737,15 @@ export const scrabble_array = [ 'cyclophosphamides', 'cyclopropane', 'cyclopropanes', + 'cyclops', + 'cyclorama', 'cycloramas', 'cycloramic', + 'cyclos', 'cycloserine', 'cycloserines', + 'cycloses', + 'cyclosis', 'cyclosporine', 'cyclosporines', 'cyclostome', @@ -13765,14 +35758,81 @@ export const scrabble_array = [ 'cyclothymias', 'cyclothymic', 'cyclotomic', + 'cyclotron', 'cyclotrons', + 'cyder', + 'cyders', + 'cyeses', + 'cyesis', + 'cygnet', + 'cygnets', + 'cylices', + 'cylinder', 'cylindered', 'cylindering', + 'cylinders', + 'cylindric', 'cylindrical', 'cylindrically', + 'cylix', + 'cyma', + 'cymae', + 'cymar', + 'cymars', + 'cymas', + 'cymatia', + 'cymatium', + 'cymbal', + 'cymbaler', + 'cymbalers', + 'cymbalist', 'cymbalists', + 'cymbalom', + 'cymbaloms', + 'cymbals', + 'cymbidia', + 'cymbidium', 'cymbidiums', + 'cymbling', + 'cymblings', + 'cyme', + 'cymene', + 'cymenes', + 'cymes', + 'cymlin', + 'cymling', + 'cymlings', + 'cymlins', + 'cymogene', + 'cymogenes', + 'cymoid', + 'cymol', + 'cymols', + 'cymophane', 'cymophanes', + 'cymose', + 'cymosely', + 'cymous', + 'cynic', + 'cynical', + 'cynically', + 'cynicism', + 'cynicisms', + 'cynics', + 'cynosure', + 'cynosures', + 'cypher', + 'cyphered', + 'cyphering', + 'cyphers', + 'cypres', + 'cypreses', + 'cypress', + 'cypresses', + 'cyprian', + 'cyprians', + 'cyprinid', + 'cyprinids', 'cypripedia', 'cypripedium', 'cypripediums', @@ -13780,24 +35840,46 @@ export const scrabble_array = [ 'cyproheptadines', 'cyproterone', 'cyproterones', + 'cyprus', + 'cypruses', + 'cypsela', + 'cypselae', + 'cyst', 'cysteamine', 'cysteamines', + 'cystein', + 'cysteine', + 'cysteines', + 'cysteins', + 'cystic', 'cysticerci', 'cysticercoid', 'cysticercoids', 'cysticercoses', 'cysticercosis', 'cysticercus', + 'cystine', + 'cystines', 'cystinuria', 'cystinurias', 'cystitides', + 'cystitis', + 'cystocarp', 'cystocarps', + 'cystoid', + 'cystoids', + 'cystolith', 'cystoliths', 'cystoscope', 'cystoscopes', 'cystoscopic', 'cystoscopies', 'cystoscopy', + 'cysts', + 'cytaster', + 'cytasters', + 'cytidine', + 'cytidines', 'cytochalasin', 'cytochalasins', 'cytochemical', @@ -13814,21 +35896,33 @@ export const scrabble_array = [ 'cytogeneticists', 'cytogenetics', 'cytogenies', + 'cytogeny', + 'cytokine', + 'cytokines', 'cytokineses', 'cytokinesis', 'cytokinetic', + 'cytokinin', 'cytokinins', + 'cytologic', 'cytological', 'cytologically', 'cytologies', 'cytologist', 'cytologists', + 'cytology', + 'cytolyses', + 'cytolysin', 'cytolysins', + 'cytolysis', + 'cytolytic', 'cytomegalic', 'cytomegalovirus', 'cytomegaloviruses', 'cytomembrane', 'cytomembranes', + 'cyton', + 'cytons', 'cytopathic', 'cytopathogenic', 'cytopathogenicities', @@ -13837,12 +35931,18 @@ export const scrabble_array = [ 'cytophotometric', 'cytophotometries', 'cytophotometry', + 'cytoplasm', 'cytoplasmic', 'cytoplasmically', 'cytoplasms', + 'cytosine', + 'cytosines', 'cytoskeletal', 'cytoskeleton', 'cytoskeletons', + 'cytosol', + 'cytosolic', + 'cytosols', 'cytostatic', 'cytostatically', 'cytostatics', @@ -13854,16 +35954,128 @@ export const scrabble_array = [ 'cytotechnologist', 'cytotechnologists', 'cytotechnology', + 'cytotoxic', 'cytotoxicities', 'cytotoxicity', + 'cytotoxin', 'cytotoxins', + 'czar', + 'czardas', + 'czardases', + 'czardom', + 'czardoms', 'czarevitch', 'czarevitches', + 'czarevna', + 'czarevnas', + 'czarina', + 'czarinas', + 'czarism', + 'czarisms', + 'czarist', + 'czarists', + 'czaritza', + 'czaritzas', + 'czars', + 'dab', + 'dabbed', + 'dabber', + 'dabbers', + 'dabbing', + 'dabble', + 'dabbled', + 'dabbler', + 'dabblers', + 'dabbles', + 'dabbling', + 'dabblings', + 'dabchick', + 'dabchicks', + 'dabs', + 'dabster', + 'dabsters', + 'dace', + 'daces', + 'dacha', + 'dachas', + 'dachshund', 'dachshunds', + 'dacker', + 'dackered', + 'dackering', + 'dackers', + 'dacoit', + 'dacoities', + 'dacoits', + 'dacoity', + 'dactyl', + 'dactyli', + 'dactylic', + 'dactylics', 'dactylologies', 'dactylology', + 'dactyls', + 'dactylus', + 'dad', + 'dada', + 'dadaism', + 'dadaisms', + 'dadaist', + 'dadaistic', + 'dadaists', + 'dadas', + 'daddies', + 'daddle', + 'daddled', + 'daddles', + 'daddling', + 'daddy', + 'dado', + 'dadoed', + 'dadoes', + 'dadoing', + 'dados', + 'dads', + 'daedal', + 'daemon', + 'daemonic', + 'daemons', + 'daff', + 'daffed', + 'daffier', + 'daffiest', + 'daffily', + 'daffing', + 'daffodil', + 'daffodils', + 'daffs', + 'daffy', + 'daft', + 'dafter', + 'daftest', + 'daftly', + 'daftness', 'daftnesses', + 'dag', + 'dagga', + 'daggas', + 'dagger', + 'daggered', + 'daggering', 'daggerlike', + 'daggers', + 'daggle', + 'daggled', + 'daggles', + 'daggling', + 'daglock', + 'daglocks', + 'dago', + 'dagoba', + 'dagobas', + 'dagoes', + 'dagos', + 'dags', 'daguerreotype', 'daguerreotyped', 'daguerreotypes', @@ -13872,84 +36084,599 @@ export const scrabble_array = [ 'daguerreotypist', 'daguerreotypists', 'daguerreotypy', + 'dagwood', + 'dagwoods', + 'dah', + 'dahabeah', + 'dahabeahs', + 'dahabiah', + 'dahabiahs', + 'dahabieh', + 'dahabiehs', + 'dahabiya', + 'dahabiyas', + 'dahl', + 'dahlia', + 'dahlias', + 'dahls', + 'dahoon', + 'dahoons', + 'dahs', + 'daiker', + 'daikered', + 'daikering', + 'daikers', + 'daikon', + 'daikons', + 'dailies', + 'dailiness', 'dailinesses', + 'daily', + 'daimen', + 'daimio', + 'daimios', + 'daimon', + 'daimones', + 'daimonic', + 'daimons', + 'daimyo', + 'daimyos', + 'daintier', + 'dainties', + 'daintiest', + 'daintily', 'daintiness', 'daintinesses', + 'dainty', + 'daiquiri', + 'daiquiris', + 'dairies', + 'dairy', + 'dairying', + 'dairyings', + 'dairymaid', 'dairymaids', + 'dairyman', + 'dairymen', + 'dais', + 'daises', + 'daishiki', + 'daishikis', + 'daisied', + 'daisies', + 'daisy', + 'dak', + 'dakerhen', + 'dakerhens', + 'dakoit', + 'dakoities', + 'dakoits', + 'dakoity', + 'daks', + 'dal', + 'dalapon', + 'dalapons', + 'dalasi', + 'dalasis', + 'dale', + 'daledh', + 'daledhs', + 'dales', + 'dalesman', + 'dalesmen', + 'daleth', + 'daleths', + 'dalles', + 'dalliance', 'dalliances', + 'dallied', + 'dallier', + 'dalliers', + 'dallies', + 'dally', + 'dallying', + 'dalmatian', 'dalmatians', + 'dalmatic', + 'dalmatics', + 'dals', + 'dalton', + 'daltonic', + 'daltons', + 'dam', + 'damage', 'damageabilities', 'damageability', + 'damaged', + 'damager', + 'damagers', + 'damages', + 'damaging', 'damagingly', + 'daman', + 'damans', + 'damar', + 'damars', + 'damascene', 'damascened', 'damascenes', 'damascening', + 'damask', + 'damasked', + 'damasking', + 'damasks', + 'dame', + 'dames', + 'damewort', + 'dameworts', + 'dammar', + 'dammars', + 'dammed', + 'dammer', + 'dammers', + 'damming', + 'damn', + 'damnable', 'damnableness', 'damnablenesses', + 'damnably', + 'damnation', 'damnations', + 'damnatory', + 'damndest', + 'damndests', + 'damned', + 'damneder', + 'damnedest', 'damnedests', + 'damner', + 'damners', + 'damnified', + 'damnifies', + 'damnify', 'damnifying', + 'damning', + 'damningly', + 'damns', + 'damosel', + 'damosels', + 'damozel', + 'damozels', + 'damp', + 'damped', + 'dampen', + 'dampened', + 'dampener', + 'dampeners', + 'dampening', + 'dampens', + 'damper', + 'dampers', + 'dampest', + 'damping', + 'dampings', + 'dampish', + 'damply', + 'dampness', 'dampnesses', + 'damps', + 'dams', + 'damsel', 'damselfish', 'damselfishes', 'damselflies', + 'damselfly', + 'damsels', + 'damson', + 'damsons', + 'dance', + 'danceable', + 'danced', + 'dancer', + 'dancers', + 'dances', + 'dancing', + 'dandelion', 'dandelions', + 'dander', + 'dandered', + 'dandering', + 'danders', + 'dandiacal', + 'dandier', + 'dandies', + 'dandiest', 'dandification', 'dandifications', + 'dandified', + 'dandifies', + 'dandify', 'dandifying', + 'dandily', + 'dandle', + 'dandled', + 'dandler', + 'dandlers', + 'dandles', + 'dandling', + 'dandriff', + 'dandriffs', + 'dandruff', + 'dandruffs', + 'dandruffy', + 'dandy', + 'dandyish', 'dandyishly', + 'dandyism', + 'dandyisms', + 'danegeld', + 'danegelds', + 'daneweed', + 'daneweeds', + 'danewort', + 'daneworts', + 'dang', + 'danged', + 'danger', + 'dangered', + 'dangering', + 'dangerous', 'dangerously', 'dangerousness', 'dangerousnesses', + 'dangers', + 'danging', + 'dangle', + 'dangled', + 'dangler', + 'danglers', + 'dangles', + 'dangling', + 'dangs', + 'danio', + 'danios', + 'danish', + 'dank', + 'danker', + 'dankest', + 'dankly', + 'dankness', 'danknesses', + 'danseur', + 'danseurs', + 'danseuse', + 'danseuses', + 'dap', + 'daphne', + 'daphnes', + 'daphnia', + 'daphnias', + 'dapped', + 'dapper', + 'dapperer', + 'dapperest', + 'dapperly', 'dapperness', 'dappernesses', + 'dapping', + 'dapple', + 'dappled', + 'dapples', + 'dappling', + 'daps', + 'dapsone', + 'dapsones', + 'darb', + 'darbies', + 'darbs', + 'dare', + 'dared', + 'daredevil', 'daredevilries', 'daredevilry', 'daredevils', 'daredeviltries', 'daredeviltry', + 'dareful', + 'darer', + 'darers', + 'dares', + 'daresay', + 'daric', + 'darics', + 'daring', + 'daringly', 'daringness', 'daringnesses', + 'darings', + 'dariole', + 'darioles', + 'dark', + 'darked', + 'darken', + 'darkened', + 'darkener', + 'darkeners', + 'darkening', + 'darkens', + 'darker', + 'darkest', + 'darkey', + 'darkeys', + 'darkie', + 'darkies', + 'darking', + 'darkish', + 'darkle', + 'darkled', + 'darkles', + 'darklier', + 'darkliest', + 'darkling', + 'darkly', + 'darkness', 'darknesses', + 'darkroom', + 'darkrooms', + 'darks', + 'darksome', + 'darky', + 'darling', + 'darlingly', 'darlingness', 'darlingnesses', + 'darlings', + 'darn', + 'darndest', + 'darndests', + 'darned', + 'darneder', + 'darnedest', + 'darnel', + 'darnels', + 'darner', + 'darners', + 'darning', + 'darnings', + 'darns', + 'darshan', + 'darshans', + 'dart', + 'dartboard', 'dartboards', + 'darted', + 'darter', + 'darters', + 'darting', + 'dartle', + 'dartled', + 'dartles', + 'dartling', + 'darts', + 'dash', + 'dashboard', 'dashboards', + 'dashed', + 'dasheen', + 'dasheens', + 'dasher', + 'dashers', + 'dashes', + 'dashi', + 'dashier', + 'dashiest', + 'dashiki', + 'dashikis', + 'dashing', + 'dashingly', + 'dashis', + 'dashpot', + 'dashpots', + 'dashy', + 'dassie', + 'dassies', + 'dastard', 'dastardliness', 'dastardlinesses', + 'dastardly', + 'dastards', + 'dasyure', + 'dasyures', + 'data', + 'databank', + 'databanks', + 'database', + 'databases', + 'datable', + 'dataries', + 'datary', + 'datcha', + 'datchas', + 'date', + 'dateable', + 'dated', + 'datedly', + 'datedness', 'datednesses', + 'dateless', + 'dateline', + 'datelined', + 'datelines', 'datelining', + 'dater', + 'daters', + 'dates', + 'dating', + 'datival', + 'dative', + 'datively', + 'datives', + 'dato', + 'datos', + 'datto', + 'dattos', + 'datum', + 'datums', + 'datura', + 'daturas', + 'daturic', + 'daub', + 'daube', + 'daubed', + 'dauber', + 'dauberies', + 'daubers', + 'daubery', + 'daubes', + 'daubier', + 'daubiest', + 'daubing', + 'daubries', + 'daubry', + 'daubs', + 'dauby', + 'daughter', 'daughterless', + 'daughters', + 'daunder', + 'daundered', 'daundering', + 'daunders', 'daunomycin', 'daunomycins', 'daunorubicin', 'daunorubicins', + 'daunt', + 'daunted', + 'daunter', + 'daunters', + 'daunting', 'dauntingly', + 'dauntless', 'dauntlessly', 'dauntlessness', 'dauntlessnesses', + 'daunts', + 'dauphin', + 'dauphine', + 'dauphines', + 'dauphins', + 'daut', + 'dauted', + 'dautie', + 'dauties', + 'dauting', + 'dauts', + 'daven', + 'davened', + 'davening', + 'davenport', 'davenports', + 'davens', + 'davies', + 'davit', + 'davits', + 'davy', + 'daw', + 'dawdle', + 'dawdled', + 'dawdler', + 'dawdlers', + 'dawdles', + 'dawdling', + 'dawed', + 'dawen', + 'dawing', + 'dawk', + 'dawks', + 'dawn', + 'dawned', + 'dawning', + 'dawnlike', + 'dawns', + 'daws', + 'dawsonite', 'dawsonites', + 'dawt', + 'dawted', + 'dawtie', + 'dawties', + 'dawting', + 'dawts', + 'day', + 'daybed', + 'daybeds', + 'daybook', + 'daybooks', + 'daybreak', + 'daybreaks', + 'daydream', 'daydreamed', 'daydreamer', 'daydreamers', 'daydreaming', 'daydreamlike', + 'daydreams', + 'daydreamt', + 'dayflies', + 'dayflower', 'dayflowers', + 'dayfly', + 'dayglow', + 'dayglows', + 'daylight', 'daylighted', 'daylighting', 'daylightings', + 'daylights', + 'daylilies', + 'daylily', + 'daylit', + 'daylong', + 'daymare', + 'daymares', + 'dayroom', + 'dayrooms', + 'days', + 'dayside', + 'daysides', + 'daysman', + 'daysmen', + 'daystar', + 'daystars', + 'daytime', + 'daytimes', + 'daywork', + 'dayworks', + 'daze', + 'dazed', + 'dazedly', + 'dazedness', 'dazednesses', + 'dazes', + 'dazing', + 'dazzle', + 'dazzled', + 'dazzler', + 'dazzlers', + 'dazzles', + 'dazzling', 'dazzlingly', + 'de', 'deacidification', 'deacidifications', 'deacidified', 'deacidifies', + 'deacidify', 'deacidifying', + 'deacon', + 'deaconed', + 'deaconess', 'deaconesses', + 'deaconing', 'deaconries', + 'deaconry', + 'deacons', 'deactivate', 'deactivated', 'deactivates', @@ -13958,60 +36685,204 @@ export const scrabble_array = [ 'deactivations', 'deactivator', 'deactivators', + 'dead', + 'deadbeat', + 'deadbeats', + 'deadbolt', + 'deadbolts', + 'deaden', + 'deadened', + 'deadener', + 'deadeners', + 'deadening', 'deadeningly', 'deadenings', + 'deadens', + 'deader', + 'deadest', + 'deadeye', + 'deadeyes', + 'deadfall', + 'deadfalls', + 'deadhead', 'deadheaded', 'deadheading', + 'deadheads', + 'deadlier', + 'deadliest', + 'deadlift', 'deadlifted', 'deadlifting', + 'deadlifts', + 'deadlight', 'deadlights', + 'deadline', + 'deadlines', 'deadliness', 'deadlinesses', + 'deadlock', 'deadlocked', 'deadlocking', + 'deadlocks', + 'deadly', + 'deadness', 'deadnesses', + 'deadpan', 'deadpanned', 'deadpanner', 'deadpanners', 'deadpanning', + 'deadpans', + 'deads', 'deadweight', 'deadweights', + 'deadwood', + 'deadwoods', + 'deaerate', + 'deaerated', + 'deaerates', 'deaerating', 'deaeration', 'deaerations', + 'deaerator', 'deaerators', + 'deaf', + 'deafen', + 'deafened', + 'deafening', 'deafeningly', + 'deafens', + 'deafer', + 'deafest', + 'deafish', + 'deafly', + 'deafness', 'deafnesses', + 'deair', + 'deaired', + 'deairing', + 'deairs', + 'deal', + 'dealate', + 'dealated', + 'dealates', + 'dealation', 'dealations', + 'dealer', + 'dealers', 'dealership', 'dealerships', + 'dealfish', 'dealfishes', + 'dealing', + 'dealings', + 'deals', + 'dealt', + 'deaminase', 'deaminases', + 'deaminate', 'deaminated', 'deaminates', 'deaminating', 'deamination', 'deaminations', + 'dean', + 'deaned', + 'deaneries', + 'deanery', + 'deaning', + 'deans', + 'deanship', + 'deanships', + 'dear', + 'dearer', + 'dearest', + 'dearie', + 'dearies', + 'dearly', + 'dearness', 'dearnesses', + 'dears', + 'dearth', + 'dearths', + 'deary', + 'deash', + 'deashed', + 'deashes', + 'deashing', + 'deasil', + 'death', + 'deathbed', + 'deathbeds', + 'deathblow', 'deathblows', + 'deathcup', + 'deathcups', + 'deathful', + 'deathless', 'deathlessly', 'deathlessness', 'deathlessnesses', + 'deathly', + 'deaths', + 'deathsman', + 'deathsmen', + 'deathtrap', 'deathtraps', 'deathwatch', 'deathwatches', + 'deathy', + 'deave', + 'deaved', + 'deaves', + 'deaving', + 'deb', + 'debacle', + 'debacles', + 'debar', + 'debark', 'debarkation', 'debarkations', + 'debarked', + 'debarking', + 'debarks', + 'debarment', 'debarments', + 'debarred', + 'debarring', + 'debars', + 'debase', + 'debased', 'debasement', 'debasements', + 'debaser', + 'debasers', + 'debases', + 'debasing', + 'debatable', + 'debate', + 'debated', 'debatement', 'debatements', + 'debater', + 'debaters', + 'debates', + 'debating', + 'debauch', + 'debauched', + 'debauchee', 'debauchees', + 'debaucher', 'debaucheries', 'debauchers', 'debauchery', + 'debauches', 'debauching', + 'debeak', + 'debeaked', + 'debeaking', + 'debeaks', + 'debenture', 'debentures', 'debilitate', 'debilitated', @@ -14020,46 +36891,135 @@ export const scrabble_array = [ 'debilitation', 'debilitations', 'debilities', + 'debility', + 'debit', + 'debited', + 'debiting', + 'debits', + 'debonair', 'debonairly', 'debonairness', 'debonairnesses', + 'debone', + 'deboned', + 'deboner', + 'deboners', + 'debones', + 'deboning', + 'debouch', + 'debouche', + 'debouched', + 'debouches', 'debouching', 'debouchment', 'debouchments', + 'debride', + 'debrided', 'debridement', 'debridements', + 'debrides', + 'debriding', + 'debrief', + 'debriefed', 'debriefing', 'debriefings', + 'debriefs', + 'debris', + 'debruise', + 'debruised', + 'debruises', 'debruising', + 'debs', + 'debt', + 'debtless', + 'debtor', + 'debtors', + 'debts', + 'debug', + 'debugged', + 'debugger', + 'debuggers', + 'debugging', + 'debugs', + 'debunk', + 'debunked', + 'debunker', + 'debunkers', + 'debunking', + 'debunks', + 'debut', + 'debutant', + 'debutante', 'debutantes', + 'debutants', + 'debuted', + 'debuting', + 'debuts', + 'debye', + 'debyes', + 'decadal', + 'decade', + 'decadence', 'decadences', 'decadencies', + 'decadency', + 'decadent', 'decadently', + 'decadents', + 'decades', + 'decaf', 'decaffeinate', 'decaffeinated', 'decaffeinates', 'decaffeinating', 'decaffeination', 'decaffeinations', + 'decafs', + 'decagon', + 'decagons', + 'decagram', + 'decagrams', + 'decahedra', 'decahedron', 'decahedrons', + 'decal', 'decalcification', 'decalcifications', 'decalcified', 'decalcifies', + 'decalcify', 'decalcifying', 'decalcomania', 'decalcomanias', + 'decaliter', 'decaliters', + 'decalog', + 'decalogs', + 'decalogue', 'decalogues', + 'decals', + 'decameter', 'decameters', 'decamethonium', 'decamethoniums', 'decametric', + 'decamp', + 'decamped', + 'decamping', 'decampment', 'decampments', + 'decamps', + 'decanal', + 'decane', + 'decanes', + 'decant', 'decantation', 'decantations', + 'decanted', + 'decanter', + 'decanters', + 'decanting', + 'decants', 'decapitate', 'decapitated', 'decapitates', @@ -14068,8 +37028,11 @@ export const scrabble_array = [ 'decapitations', 'decapitator', 'decapitators', + 'decapod', + 'decapodan', 'decapodans', 'decapodous', + 'decapods', 'decarbonate', 'decarbonated', 'decarbonates', @@ -14096,6 +37059,8 @@ export const scrabble_array = [ 'decarburized', 'decarburizes', 'decarburizing', + 'decare', + 'decares', 'decasualization', 'decasualizations', 'decasyllabic', @@ -14104,11 +37069,33 @@ export const scrabble_array = [ 'decasyllables', 'decathlete', 'decathletes', + 'decathlon', 'decathlons', + 'decay', + 'decayed', + 'decayer', + 'decayers', + 'decaying', + 'decays', + 'decease', + 'deceased', + 'deceases', + 'deceasing', + 'decedent', + 'decedents', + 'deceit', + 'deceitful', 'deceitfully', 'deceitfulness', 'deceitfulnesses', + 'deceits', 'deceivable', + 'deceive', + 'deceived', + 'deceiver', + 'deceivers', + 'deceives', + 'deceiving', 'deceivingly', 'decelerate', 'decelerated', @@ -14118,24 +37105,43 @@ export const scrabble_array = [ 'decelerations', 'decelerator', 'decelerators', + 'decemvir', 'decemviral', 'decemvirate', 'decemvirates', + 'decemviri', + 'decemvirs', 'decenaries', + 'decenary', + 'decencies', + 'decency', + 'decennia', + 'decennial', 'decennially', 'decennials', + 'decennium', 'decenniums', + 'decent', + 'decenter', 'decentered', 'decentering', + 'decenters', + 'decentest', + 'decently', 'decentralization', 'decentralizations', 'decentralize', 'decentralized', 'decentralizes', 'decentralizing', + 'decentre', + 'decentred', + 'decentres', 'decentring', + 'deception', 'deceptional', 'deceptions', + 'deceptive', 'deceptively', 'deceptiveness', 'deceptivenesses', @@ -14145,10 +37151,15 @@ export const scrabble_array = [ 'decerebrating', 'decerebration', 'decerebrations', + 'decern', + 'decerned', + 'decerning', + 'decerns', 'decertification', 'decertifications', 'decertified', 'decertifies', + 'decertify', 'decertifying', 'dechlorinate', 'dechlorinated', @@ -14156,24 +37167,56 @@ export const scrabble_array = [ 'dechlorinating', 'dechlorination', 'dechlorinations', + 'deciare', + 'deciares', + 'decibel', + 'decibels', 'decidabilities', 'decidability', + 'decidable', + 'decide', + 'decided', + 'decidedly', 'decidedness', 'decidednesses', + 'decider', + 'deciders', + 'decides', + 'deciding', + 'decidua', + 'deciduae', + 'decidual', + 'deciduas', + 'deciduate', + 'deciduous', 'deciduousness', 'deciduousnesses', + 'decigram', + 'decigrams', + 'decile', + 'deciles', + 'deciliter', 'deciliters', + 'decillion', 'decillions', + 'decimal', 'decimalization', 'decimalizations', 'decimalize', 'decimalized', 'decimalizes', 'decimalizing', + 'decimally', + 'decimals', + 'decimate', + 'decimated', + 'decimates', 'decimating', 'decimation', 'decimations', + 'decimeter', 'decimeters', + 'decipher', 'decipherable', 'deciphered', 'decipherer', @@ -14181,25 +37224,58 @@ export const scrabble_array = [ 'deciphering', 'decipherment', 'decipherments', + 'deciphers', + 'decision', 'decisional', 'decisioned', 'decisioning', + 'decisions', + 'decisive', 'decisively', 'decisiveness', 'decisivenesses', + 'deck', + 'decked', + 'deckel', + 'deckels', + 'decker', + 'deckers', + 'deckhand', + 'deckhands', + 'deckhouse', 'deckhouses', + 'decking', + 'deckings', + 'deckle', + 'deckles', + 'decks', + 'declaim', + 'declaimed', + 'declaimer', 'declaimers', 'declaiming', + 'declaims', 'declamation', 'declamations', 'declamatory', 'declarable', + 'declarant', 'declarants', 'declaration', 'declarations', 'declarative', 'declaratively', 'declaratory', + 'declare', + 'declared', + 'declarer', + 'declarers', + 'declares', + 'declaring', + 'declass', + 'declasse', + 'declassed', + 'declasses', 'declassification', 'declassifications', 'declassified', @@ -14207,6 +37283,10 @@ export const scrabble_array = [ 'declassify', 'declassifying', 'declassing', + 'declaw', + 'declawed', + 'declawing', + 'declaws', 'declension', 'declensional', 'declensions', @@ -14214,9 +37294,29 @@ export const scrabble_array = [ 'declination', 'declinational', 'declinations', + 'decline', + 'declined', + 'decliner', + 'decliners', + 'declines', + 'declining', 'declivities', 'declivitous', + 'declivity', + 'deco', + 'decoct', + 'decocted', + 'decocting', + 'decoction', 'decoctions', + 'decocts', + 'decode', + 'decoded', + 'decoder', + 'decoders', + 'decodes', + 'decoding', + 'decollate', 'decollated', 'decollates', 'decollating', @@ -14224,6 +37324,7 @@ export const scrabble_array = [ 'decollations', 'decolletage', 'decolletages', + 'decollete', 'decolletes', 'decolonization', 'decolonizations', @@ -14231,6 +37332,8 @@ export const scrabble_array = [ 'decolonized', 'decolonizes', 'decolonizing', + 'decolor', + 'decolored', 'decoloring', 'decolorization', 'decolorizations', @@ -14240,8 +37343,11 @@ export const scrabble_array = [ 'decolorizers', 'decolorizes', 'decolorizing', + 'decolors', + 'decolour', 'decoloured', 'decolouring', + 'decolours', 'decommission', 'decommissioned', 'decommissioning', @@ -14255,6 +37361,7 @@ export const scrabble_array = [ 'decomposabilities', 'decomposability', 'decomposable', + 'decompose', 'decomposed', 'decomposer', 'decomposers', @@ -14279,6 +37386,7 @@ export const scrabble_array = [ 'deconditioned', 'deconditioning', 'deconditions', + 'decongest', 'decongestant', 'decongestants', 'decongested', @@ -14312,9 +37420,14 @@ export const scrabble_array = [ 'decontaminations', 'decontaminator', 'decontaminators', + 'decontrol', 'decontrolled', 'decontrolling', 'decontrols', + 'decor', + 'decorate', + 'decorated', + 'decorates', 'decorating', 'decoration', 'decorations', @@ -14322,10 +37435,13 @@ export const scrabble_array = [ 'decoratively', 'decorativeness', 'decorativenesses', + 'decorator', 'decorators', + 'decorous', 'decorously', 'decorousness', 'decorousnesses', + 'decors', 'decorticate', 'decorticated', 'decorticates', @@ -14334,16 +37450,40 @@ export const scrabble_array = [ 'decortications', 'decorticator', 'decorticators', + 'decorum', + 'decorums', + 'decos', + 'decoupage', 'decoupaged', 'decoupages', 'decoupaging', + 'decouple', + 'decoupled', + 'decouples', 'decoupling', + 'decoy', + 'decoyed', + 'decoyer', + 'decoyers', + 'decoying', + 'decoys', + 'decrease', + 'decreased', + 'decreases', 'decreasing', 'decreasingly', + 'decree', + 'decreed', + 'decreeing', + 'decreer', + 'decreers', + 'decrees', + 'decrement', 'decremental', 'decremented', 'decrementing', 'decrements', + 'decrepit', 'decrepitate', 'decrepitated', 'decrepitates', @@ -14356,26 +37496,67 @@ export const scrabble_array = [ 'decrescendo', 'decrescendos', 'decrescent', + 'decretal', + 'decretals', + 'decretive', + 'decretory', + 'decrial', + 'decrials', + 'decried', + 'decrier', + 'decriers', + 'decries', 'decriminalization', 'decriminalizations', 'decriminalize', 'decriminalized', 'decriminalizes', 'decriminalizing', + 'decrown', + 'decrowned', 'decrowning', + 'decrowns', + 'decry', + 'decrying', + 'decrypt', + 'decrypted', 'decrypting', 'decryption', 'decryptions', + 'decrypts', + 'decuman', + 'decumbent', + 'decuple', + 'decupled', + 'decuples', + 'decupling', + 'decuries', + 'decurion', + 'decurions', + 'decurrent', + 'decurve', + 'decurved', + 'decurves', + 'decurving', + 'decury', + 'decussate', 'decussated', 'decussates', 'decussating', 'decussation', 'decussations', + 'dedal', + 'dedans', + 'dedicate', + 'dedicated', 'dedicatedly', + 'dedicatee', 'dedicatees', + 'dedicates', 'dedicating', 'dedication', 'dedications', + 'dedicator', 'dedicators', 'dedicatory', 'dedifferentiate', @@ -14384,25 +37565,91 @@ export const scrabble_array = [ 'dedifferentiating', 'dedifferentiation', 'dedifferentiations', + 'deduce', + 'deduced', + 'deduces', + 'deducible', + 'deducing', + 'deduct', + 'deducted', 'deductibilities', 'deductibility', 'deductible', 'deductibles', + 'deducting', + 'deduction', 'deductions', + 'deductive', 'deductively', + 'deducts', + 'dee', + 'deed', + 'deeded', + 'deedier', + 'deediest', + 'deeding', + 'deedless', + 'deeds', + 'deedy', + 'deejay', + 'deejays', + 'deem', + 'deemed', + 'deeming', + 'deems', + 'deemster', + 'deemsters', + 'deep', + 'deepen', + 'deepened', + 'deepener', + 'deepeners', + 'deepening', + 'deepens', + 'deeper', + 'deepest', + 'deeply', + 'deepness', 'deepnesses', + 'deeps', + 'deepwater', + 'deer', 'deerberries', + 'deerberry', + 'deerflies', + 'deerfly', + 'deerhound', 'deerhounds', + 'deerlike', + 'deers', + 'deerskin', + 'deerskins', 'deerstalker', 'deerstalkers', + 'deerweed', + 'deerweeds', + 'deeryard', + 'deeryards', + 'dees', 'deescalate', 'deescalated', 'deescalates', 'deescalating', 'deescalation', 'deescalations', + 'deet', + 'deets', + 'deewan', + 'deewans', + 'deface', + 'defaced', 'defacement', 'defacements', + 'defacer', + 'defacers', + 'defaces', + 'defacing', + 'defalcate', 'defalcated', 'defalcates', 'defalcating', @@ -14413,62 +37660,131 @@ export const scrabble_array = [ 'defamation', 'defamations', 'defamatory', + 'defame', + 'defamed', + 'defamer', + 'defamers', + 'defames', + 'defaming', + 'defang', + 'defanged', + 'defanging', + 'defangs', + 'defat', + 'defats', + 'defatted', + 'defatting', + 'default', + 'defaulted', + 'defaulter', 'defaulters', 'defaulting', + 'defaults', 'defeasance', 'defeasances', 'defeasibilities', 'defeasibility', 'defeasible', + 'defeat', + 'defeated', + 'defeater', + 'defeaters', + 'defeating', + 'defeatism', 'defeatisms', + 'defeatist', 'defeatists', + 'defeats', + 'defeature', 'defeatures', + 'defecate', + 'defecated', + 'defecates', 'defecating', 'defecation', 'defecations', + 'defect', + 'defected', + 'defecting', + 'defection', 'defections', + 'defective', 'defectively', 'defectiveness', 'defectivenesses', 'defectives', + 'defector', + 'defectors', + 'defects', 'defeminization', 'defeminizations', 'defeminize', 'defeminized', 'defeminizes', 'defeminizing', + 'defence', 'defenceman', 'defencemen', + 'defences', + 'defend', 'defendable', + 'defendant', 'defendants', + 'defended', + 'defender', + 'defenders', + 'defending', + 'defends', 'defenestrate', 'defenestrated', 'defenestrates', 'defenestrating', 'defenestration', 'defenestrations', + 'defense', + 'defensed', 'defenseless', 'defenselessly', 'defenselessness', 'defenselessnesses', 'defenseman', 'defensemen', + 'defenses', 'defensibilities', 'defensibility', 'defensible', 'defensibly', + 'defensing', + 'defensive', 'defensively', 'defensiveness', 'defensivenesses', 'defensives', + 'defer', + 'deference', 'deferences', + 'deferent', 'deferential', 'deferentially', + 'deferents', + 'deferment', 'deferments', 'deferrable', 'deferrables', + 'deferral', + 'deferrals', + 'deferred', + 'deferrer', + 'deferrers', + 'deferring', + 'defers', 'defervescence', 'defervescences', + 'defi', + 'defiance', + 'defiances', + 'defiant', + 'defiantly', 'defibrillate', 'defibrillated', 'defibrillates', @@ -14485,16 +37801,42 @@ export const scrabble_array = [ 'defibrinations', 'deficiencies', 'deficiency', + 'deficient', 'deficiently', 'deficients', + 'deficit', + 'deficits', + 'defied', + 'defier', + 'defiers', + 'defies', + 'defilade', + 'defiladed', + 'defilades', 'defilading', + 'defile', + 'defiled', 'defilement', 'defilements', + 'defiler', + 'defilers', + 'defiles', + 'defiling', + 'definable', + 'definably', + 'define', + 'defined', 'definement', 'definements', + 'definer', + 'definers', + 'defines', 'definienda', 'definiendum', + 'definiens', 'definientia', + 'defining', + 'definite', 'definitely', 'definiteness', 'definitenesses', @@ -14512,31 +37854,69 @@ export const scrabble_array = [ 'definitizing', 'definitude', 'definitudes', + 'defis', 'deflagrate', 'deflagrated', 'deflagrates', 'deflagrating', 'deflagration', 'deflagrations', + 'deflate', + 'deflated', + 'deflater', + 'deflaters', + 'deflates', + 'deflating', + 'deflation', 'deflationary', 'deflations', + 'deflator', + 'deflators', + 'deflea', + 'defleaed', + 'defleaing', + 'defleas', + 'deflect', 'deflectable', + 'deflected', 'deflecting', 'deflection', 'deflections', 'deflective', + 'deflector', 'deflectors', + 'deflects', + 'deflexed', 'defloration', 'deflorations', + 'deflower', 'deflowered', 'deflowerer', 'deflowerers', 'deflowering', + 'deflowers', + 'defoam', + 'defoamed', + 'defoamer', + 'defoamers', + 'defoaming', + 'defoams', + 'defocus', + 'defocused', + 'defocuses', 'defocusing', 'defocussed', 'defocusses', 'defocussing', + 'defog', + 'defogged', + 'defogger', + 'defoggers', + 'defogging', + 'defogs', + 'defoliant', 'defoliants', + 'defoliate', 'defoliated', 'defoliates', 'defoliating', @@ -14544,12 +37924,19 @@ export const scrabble_array = [ 'defoliations', 'defoliator', 'defoliators', + 'deforce', + 'deforced', 'deforcement', 'deforcements', + 'deforces', + 'deforcing', + 'deforest', 'deforestation', 'deforestations', 'deforested', 'deforesting', + 'deforests', + 'deform', 'deformable', 'deformalize', 'deformalized', @@ -14559,15 +37946,76 @@ export const scrabble_array = [ 'deformational', 'deformations', 'deformative', + 'deformed', + 'deformer', + 'deformers', + 'deforming', 'deformities', + 'deformity', + 'deforms', + 'defraud', + 'defrauded', + 'defrauder', 'defrauders', 'defrauding', + 'defrauds', + 'defray', 'defrayable', + 'defrayal', + 'defrayals', + 'defrayed', + 'defrayer', + 'defrayers', + 'defraying', + 'defrays', + 'defrock', + 'defrocked', 'defrocking', + 'defrocks', + 'defrost', + 'defrosted', + 'defroster', 'defrosters', 'defrosting', + 'defrosts', + 'deft', + 'defter', + 'deftest', + 'deftly', + 'deftness', 'deftnesses', + 'defunct', + 'defund', + 'defunded', + 'defunding', + 'defunds', + 'defuse', + 'defused', + 'defuses', + 'defusing', + 'defuze', + 'defuzed', + 'defuzes', + 'defuzing', + 'defy', + 'defying', + 'degage', + 'degame', + 'degames', + 'degami', + 'degamis', + 'degas', + 'degases', + 'degassed', + 'degasser', + 'degassers', + 'degasses', + 'degassing', + 'degauss', + 'degaussed', + 'degausser', 'degaussers', + 'degausses', 'degaussing', 'degeneracies', 'degeneracy', @@ -14581,6 +38029,10 @@ export const scrabble_array = [ 'degeneration', 'degenerations', 'degenerative', + 'degerm', + 'degermed', + 'degerming', + 'degerms', 'deglaciated', 'deglaciation', 'deglaciations', @@ -14590,26 +38042,66 @@ export const scrabble_array = [ 'deglamorized', 'deglamorizes', 'deglamorizing', + 'deglaze', + 'deglazed', + 'deglazes', + 'deglazing', 'deglutition', 'deglutitions', 'degradable', 'degradation', 'degradations', 'degradative', + 'degrade', + 'degraded', 'degradedly', + 'degrader', + 'degraders', + 'degrades', + 'degrading', 'degradingly', 'degranulation', 'degranulations', + 'degrease', + 'degreased', + 'degreaser', 'degreasers', + 'degreases', 'degreasing', + 'degree', + 'degreed', + 'degrees', 'degressive', 'degressively', 'degringolade', 'degringolades', + 'degum', + 'degummed', + 'degumming', + 'degums', + 'degust', 'degustation', 'degustations', + 'degusted', + 'degusting', + 'degusts', + 'dehisce', + 'dehisced', 'dehiscence', 'dehiscences', + 'dehiscent', + 'dehisces', + 'dehiscing', + 'dehorn', + 'dehorned', + 'dehorner', + 'dehorners', + 'dehorning', + 'dehorns', + 'dehort', + 'dehorted', + 'dehorting', + 'dehorts', 'dehumanization', 'dehumanizations', 'dehumanize', @@ -14624,6 +38116,7 @@ export const scrabble_array = [ 'dehumidifies', 'dehumidify', 'dehumidifying', + 'dehydrate', 'dehydrated', 'dehydrates', 'dehydrating', @@ -14647,8 +38140,33 @@ export const scrabble_array = [ 'dehydrogenating', 'dehydrogenation', 'dehydrogenations', + 'deice', + 'deiced', + 'deicer', + 'deicers', + 'deices', + 'deicidal', + 'deicide', + 'deicides', + 'deicing', + 'deictic', + 'deific', + 'deifical', 'deification', 'deifications', + 'deified', + 'deifier', + 'deifiers', + 'deifies', + 'deiform', + 'deify', + 'deifying', + 'deign', + 'deigned', + 'deigning', + 'deigns', + 'deil', + 'deils', 'deindustrialization', 'deindustrializations', 'deindustrialize', @@ -14665,22 +38183,82 @@ export const scrabble_array = [ 'deinstitutionalizing', 'deionization', 'deionizations', + 'deionize', + 'deionized', + 'deionizer', 'deionizers', + 'deionizes', 'deionizing', + 'deism', + 'deisms', + 'deist', + 'deistic', + 'deistical', 'deistically', + 'deists', + 'deities', + 'deity', + 'deixis', + 'deixises', + 'deject', + 'dejecta', + 'dejected', 'dejectedly', 'dejectedness', 'dejectednesses', + 'dejecting', + 'dejection', 'dejections', + 'dejects', + 'dejeuner', + 'dejeuners', + 'dekagram', + 'dekagrams', + 'dekaliter', 'dekaliters', + 'dekameter', 'dekameters', 'dekametric', + 'dekare', + 'dekares', + 'deke', + 'deked', + 'dekes', + 'deking', + 'dekko', + 'dekkos', + 'del', + 'delaine', + 'delaines', 'delaminate', 'delaminated', 'delaminates', 'delaminating', 'delamination', 'delaminations', + 'delate', + 'delated', + 'delates', + 'delating', + 'delation', + 'delations', + 'delator', + 'delators', + 'delay', + 'delayed', + 'delayer', + 'delayers', + 'delaying', + 'delays', + 'dele', + 'delead', + 'deleaded', + 'deleading', + 'deleads', + 'deleave', + 'deleaved', + 'deleaves', + 'deleaving', 'delectabilities', 'delectability', 'delectable', @@ -14688,19 +38266,41 @@ export const scrabble_array = [ 'delectably', 'delectation', 'delectations', + 'deled', + 'delegable', 'delegacies', + 'delegacy', + 'delegate', + 'delegated', + 'delegatee', 'delegatees', + 'delegates', 'delegating', 'delegation', 'delegations', + 'delegator', 'delegators', 'delegitimation', 'delegitimations', + 'deleing', + 'deles', + 'delete', + 'deleted', 'deleterious', 'deleteriously', 'deleteriousness', 'deleteriousnesses', + 'deletes', + 'deleting', + 'deletion', + 'deletions', + 'delf', + 'delfs', + 'delft', + 'delfts', + 'delftware', 'delftwares', + 'deli', 'deliberate', 'deliberated', 'deliberately', @@ -14715,26 +38315,45 @@ export const scrabble_array = [ 'deliberativeness', 'deliberativenesses', 'delicacies', + 'delicacy', + 'delicate', 'delicately', + 'delicates', 'delicatessen', 'delicatessens', + 'delicious', 'deliciously', 'deliciousness', 'deliciousnesses', + 'delict', + 'delicts', + 'delight', + 'delighted', 'delightedly', 'delightedness', 'delightednesses', + 'delighter', 'delighters', 'delightful', 'delightfully', 'delightfulness', 'delightfulnesses', 'delighting', + 'delights', 'delightsome', + 'delime', + 'delimed', + 'delimes', + 'deliming', + 'delimit', 'delimitation', 'delimitations', + 'delimited', + 'delimiter', 'delimiters', 'delimiting', + 'delimits', + 'delineate', 'delineated', 'delineates', 'delineating', @@ -14755,36 +38374,92 @@ export const scrabble_array = [ 'deliquescent', 'deliquesces', 'deliquescing', + 'deliria', + 'delirious', 'deliriously', 'deliriousness', 'deliriousnesses', + 'delirium', + 'deliriums', + 'delis', + 'delist', + 'delisted', + 'delisting', + 'delists', + 'deliver', 'deliverabilities', 'deliverability', 'deliverable', 'deliverance', 'deliverances', + 'delivered', + 'deliverer', 'deliverers', 'deliveries', 'delivering', + 'delivers', + 'delivery', 'deliveryman', 'deliverymen', + 'dell', + 'dellies', + 'dells', + 'delly', 'delocalization', 'delocalizations', 'delocalize', 'delocalized', 'delocalizes', 'delocalizing', + 'delouse', + 'deloused', + 'delouser', + 'delousers', + 'delouses', + 'delousing', + 'delphic', 'delphically', 'delphinium', 'delphiniums', + 'dels', + 'delta', + 'deltaic', + 'deltas', + 'deltic', + 'deltoid', + 'deltoidei', 'deltoideus', + 'deltoids', + 'delude', + 'deluded', + 'deluder', + 'deluders', + 'deludes', + 'deluding', + 'deluge', + 'deluged', + 'deluges', + 'deluging', + 'delusion', 'delusional', 'delusionary', + 'delusions', + 'delusive', 'delusively', 'delusiveness', 'delusivenesses', + 'delusory', + 'deluster', 'delustered', 'delustering', + 'delusters', + 'deluxe', + 'delve', + 'delved', + 'delver', + 'delvers', + 'delves', + 'delving', 'demagnetization', 'demagnetizations', 'demagnetize', @@ -14793,48 +38468,113 @@ export const scrabble_array = [ 'demagnetizers', 'demagnetizes', 'demagnetizing', + 'demagog', + 'demagoged', + 'demagogic', 'demagogically', 'demagogies', 'demagoging', + 'demagogs', + 'demagogue', 'demagogued', 'demagogueries', 'demagoguery', 'demagogues', 'demagoguing', + 'demagogy', + 'demand', 'demandable', + 'demandant', 'demandants', + 'demanded', + 'demander', + 'demanders', + 'demanding', 'demandingly', 'demandingness', 'demandingnesses', + 'demands', + 'demantoid', 'demantoids', + 'demarcate', 'demarcated', 'demarcates', 'demarcating', 'demarcation', 'demarcations', + 'demarche', + 'demarches', + 'demark', + 'demarked', + 'demarking', + 'demarks', + 'demast', + 'demasted', + 'demasting', + 'demasts', 'dematerialization', 'dematerializations', 'dematerialize', 'dematerialized', 'dematerializes', 'dematerializing', + 'deme', + 'demean', + 'demeaned', + 'demeaning', + 'demeanor', + 'demeanors', + 'demeanour', 'demeanours', + 'demeans', + 'dement', + 'demented', 'dementedly', 'dementedness', 'dementednesses', + 'dementia', + 'demential', + 'dementias', + 'dementing', + 'dements', + 'demerara', + 'demeraras', + 'demerge', + 'demerged', + 'demerger', 'demergered', 'demergering', + 'demergers', + 'demerges', + 'demerging', + 'demerit', + 'demerited', 'demeriting', + 'demerits', + 'demersal', + 'demes', + 'demesne', + 'demesnes', + 'demeton', + 'demetons', + 'demies', + 'demigod', 'demigoddess', 'demigoddesses', + 'demigods', + 'demijohn', + 'demijohns', 'demilitarization', 'demilitarizations', 'demilitarize', 'demilitarized', 'demilitarizes', 'demilitarizing', + 'demilune', + 'demilunes', 'demimondaine', 'demimondaines', + 'demimonde', 'demimondes', 'demineralization', 'demineralizations', @@ -14844,19 +38584,44 @@ export const scrabble_array = [ 'demineralizers', 'demineralizes', 'demineralizing', + 'demirep', + 'demireps', + 'demise', + 'demised', 'demisemiquaver', 'demisemiquavers', + 'demises', + 'demising', + 'demission', 'demissions', + 'demit', + 'demitasse', 'demitasses', + 'demits', + 'demitted', + 'demitting', + 'demiurge', + 'demiurges', + 'demiurgic', 'demiurgical', + 'demivolt', + 'demivolts', + 'demiworld', 'demiworlds', + 'demo', + 'demob', + 'demobbed', + 'demobbing', 'demobilization', 'demobilizations', 'demobilize', 'demobilized', 'demobilizes', 'demobilizing', + 'demobs', 'democracies', + 'democracy', + 'democrat', 'democratic', 'democratically', 'democratization', @@ -14867,6 +38632,9 @@ export const scrabble_array = [ 'democratizers', 'democratizes', 'democratizing', + 'democrats', + 'demode', + 'demoded', 'demodulate', 'demodulated', 'demodulates', @@ -14885,6 +38653,7 @@ export const scrabble_array = [ 'demography', 'demoiselle', 'demoiselles', + 'demolish', 'demolished', 'demolisher', 'demolishers', @@ -14896,6 +38665,8 @@ export const scrabble_array = [ 'demolitionist', 'demolitionists', 'demolitions', + 'demon', + 'demoness', 'demonesses', 'demonetization', 'demonetizations', @@ -14903,18 +38674,34 @@ export const scrabble_array = [ 'demonetized', 'demonetizes', 'demonetizing', + 'demoniac', 'demoniacal', 'demoniacally', + 'demoniacs', + 'demonian', + 'demonic', + 'demonical', 'demonically', + 'demonise', + 'demonised', + 'demonises', 'demonising', + 'demonism', + 'demonisms', + 'demonist', + 'demonists', 'demonization', 'demonizations', + 'demonize', + 'demonized', + 'demonizes', 'demonizing', 'demonological', 'demonologies', 'demonologist', 'demonologists', 'demonology', + 'demons', 'demonstrabilities', 'demonstrability', 'demonstrable', @@ -14942,14 +38729,46 @@ export const scrabble_array = [ 'demoralizes', 'demoralizing', 'demoralizingly', + 'demos', + 'demoses', + 'demote', + 'demoted', + 'demotes', + 'demotic', + 'demotics', + 'demoting', + 'demotion', + 'demotions', + 'demotist', + 'demotists', + 'demount', 'demountable', + 'demounted', 'demounting', + 'demounts', + 'dempster', + 'dempsters', + 'demulcent', 'demulcents', 'demultiplexer', 'demultiplexers', + 'demur', + 'demure', + 'demurely', 'demureness', 'demurenesses', + 'demurer', + 'demurest', + 'demurrage', 'demurrages', + 'demurral', + 'demurrals', + 'demurred', + 'demurrer', + 'demurrers', + 'demurring', + 'demurs', + 'demy', 'demyelinating', 'demyelination', 'demyelinations', @@ -14957,6 +38776,7 @@ export const scrabble_array = [ 'demystifications', 'demystified', 'demystifies', + 'demystify', 'demystifying', 'demythologization', 'demythologizations', @@ -14966,6 +38786,10 @@ export const scrabble_array = [ 'demythologizers', 'demythologizes', 'demythologizing', + 'den', + 'denarii', + 'denarius', + 'denary', 'denationalization', 'denationalizations', 'denationalize', @@ -14982,13 +38806,20 @@ export const scrabble_array = [ 'denaturants', 'denaturation', 'denaturations', + 'denature', + 'denatured', + 'denatures', 'denaturing', 'denazification', 'denazifications', 'denazified', 'denazifies', + 'denazify', 'denazifying', 'dendriform', + 'dendrite', + 'dendrites', + 'dendritic', 'dendrochronological', 'dendrochronologically', 'dendrochronologies', @@ -14997,21 +38828,38 @@ export const scrabble_array = [ 'dendrochronology', 'dendrogram', 'dendrograms', + 'dendroid', 'dendrologic', 'dendrological', 'dendrologies', 'dendrologist', 'dendrologists', 'dendrology', + 'dendron', + 'dendrons', + 'dene', 'denegation', 'denegations', + 'denervate', 'denervated', 'denervates', 'denervating', 'denervation', 'denervations', + 'denes', + 'dengue', + 'dengues', 'deniabilities', 'deniability', + 'deniable', + 'deniably', + 'denial', + 'denials', + 'denied', + 'denier', + 'deniers', + 'denies', + 'denigrate', 'denigrated', 'denigrates', 'denigrating', @@ -15021,14 +38869,23 @@ export const scrabble_array = [ 'denigrator', 'denigrators', 'denigratory', + 'denim', + 'denims', 'denitrification', 'denitrifications', 'denitrified', 'denitrifier', 'denitrifiers', 'denitrifies', + 'denitrify', 'denitrifying', + 'denizen', + 'denizened', 'denizening', + 'denizens', + 'denned', + 'denning', + 'denominal', 'denominate', 'denominated', 'denominates', @@ -15045,31 +38902,83 @@ export const scrabble_array = [ 'denotation', 'denotations', 'denotative', + 'denote', + 'denoted', 'denotement', 'denotements', + 'denotes', + 'denoting', + 'denotive', 'denouement', 'denouements', + 'denounce', + 'denounced', 'denouncement', 'denouncements', + 'denouncer', 'denouncers', + 'denounces', 'denouncing', + 'dens', + 'dense', + 'densely', + 'denseness', 'densenesses', + 'denser', + 'densest', 'densification', 'densifications', + 'densified', + 'densifies', + 'densify', 'densifying', + 'densities', 'densitometer', 'densitometers', 'densitometric', 'densitometries', 'densitometry', + 'density', + 'dent', + 'dental', + 'dentalia', + 'dentalium', + 'dentally', + 'dentals', + 'dentate', + 'dentated', + 'dented', + 'denticle', + 'denticles', 'denticulate', 'denticulated', 'denticulation', 'denticulations', + 'dentiform', 'dentifrice', 'dentifrices', + 'dentil', + 'dentiled', + 'dentils', + 'dentin', + 'dentinal', + 'dentine', + 'dentines', + 'denting', + 'dentins', + 'dentist', 'dentistries', + 'dentistry', + 'dentists', + 'dentition', 'dentitions', + 'dentoid', + 'dents', + 'dentulous', + 'dentural', + 'denture', + 'dentures', + 'denturist', 'denturists', 'denuclearization', 'denuclearizations', @@ -15077,11 +38986,20 @@ export const scrabble_array = [ 'denuclearized', 'denuclearizes', 'denuclearizing', + 'denudate', + 'denudated', + 'denudates', 'denudating', 'denudation', 'denudations', + 'denude', + 'denuded', 'denudement', 'denudements', + 'denuder', + 'denuders', + 'denudes', + 'denuding', 'denumerabilities', 'denumerability', 'denumerable', @@ -15090,27 +39008,44 @@ export const scrabble_array = [ 'denunciations', 'denunciative', 'denunciatory', + 'deny', + 'denying', + 'denyingly', + 'deodand', + 'deodands', + 'deodar', + 'deodara', + 'deodaras', + 'deodars', + 'deodorant', 'deodorants', 'deodorization', 'deodorizations', + 'deodorize', 'deodorized', 'deodorizer', 'deodorizers', 'deodorizes', 'deodorizing', + 'deontic', 'deontological', 'deontologies', 'deontologist', 'deontologists', 'deontology', + 'deorbit', + 'deorbited', 'deorbiting', + 'deorbits', 'deoxidation', 'deoxidations', + 'deoxidize', 'deoxidized', 'deoxidizer', 'deoxidizers', 'deoxidizes', 'deoxidizing', + 'deoxy', 'deoxygenate', 'deoxygenated', 'deoxygenates', @@ -15123,7 +39058,15 @@ export const scrabble_array = [ 'deoxyribonucleotides', 'deoxyribose', 'deoxyriboses', + 'depaint', + 'depainted', 'depainting', + 'depaints', + 'depart', + 'departed', + 'departee', + 'departees', + 'departing', 'department', 'departmental', 'departmentalization', @@ -15134,8 +39077,11 @@ export const scrabble_array = [ 'departmentalizing', 'departmentally', 'departments', + 'departs', + 'departure', 'departures', 'depauperate', + 'depend', 'dependabilities', 'dependability', 'dependable', @@ -15144,13 +39090,22 @@ export const scrabble_array = [ 'dependably', 'dependance', 'dependances', + 'dependant', 'dependants', + 'depended', 'dependence', 'dependences', 'dependencies', 'dependency', + 'dependent', 'dependently', 'dependents', + 'depending', + 'depends', + 'deperm', + 'depermed', + 'deperming', + 'deperms', 'depersonalization', 'depersonalizations', 'depersonalize', @@ -15163,24 +39118,60 @@ export const scrabble_array = [ 'dephosphorylating', 'dephosphorylation', 'dephosphorylations', + 'depict', + 'depicted', + 'depicter', + 'depicters', + 'depicting', + 'depiction', 'depictions', + 'depictor', + 'depictors', + 'depicts', 'depigmentation', 'depigmentations', + 'depilate', + 'depilated', + 'depilates', 'depilating', 'depilation', 'depilations', 'depilatories', 'depilatory', + 'deplane', + 'deplaned', + 'deplanes', + 'deplaning', 'depletable', + 'deplete', + 'depleted', + 'depletes', + 'depleting', + 'depletion', 'depletions', + 'depletive', 'deplorable', 'deplorableness', 'deplorablenesses', 'deplorably', + 'deplore', + 'deplored', + 'deplorer', + 'deplorers', + 'deplores', + 'deploring', 'deploringly', + 'deploy', 'deployable', + 'deployed', + 'deploying', 'deployment', 'deployments', + 'deploys', + 'deplume', + 'deplumed', + 'deplumes', + 'depluming', 'depolarization', 'depolarizations', 'depolarize', @@ -15189,6 +39180,7 @@ export const scrabble_array = [ 'depolarizers', 'depolarizes', 'depolarizing', + 'depolish', 'depolished', 'depolishes', 'depolishing', @@ -15204,34 +39196,68 @@ export const scrabble_array = [ 'depolymerized', 'depolymerizes', 'depolymerizing', + 'depone', + 'deponed', + 'deponent', + 'deponents', + 'depones', + 'deponing', 'depopulate', 'depopulated', 'depopulates', 'depopulating', 'depopulation', 'depopulations', + 'deport', 'deportable', 'deportation', 'deportations', + 'deported', + 'deportee', + 'deportees', + 'deporting', 'deportment', 'deportments', + 'deports', + 'deposal', + 'deposals', + 'depose', + 'deposed', + 'deposer', + 'deposers', + 'deposes', + 'deposing', + 'deposit', 'depositaries', 'depositary', + 'deposited', 'depositing', 'deposition', 'depositional', 'depositions', + 'depositor', 'depositories', 'depositors', 'depository', + 'deposits', + 'depot', + 'depots', 'depravation', 'depravations', + 'deprave', + 'depraved', 'depravedly', 'depravedness', 'depravednesses', 'depravement', 'depravements', + 'depraver', + 'depravers', + 'depraves', + 'depraving', 'depravities', + 'depravity', + 'deprecate', 'deprecated', 'deprecates', 'deprecating', @@ -15252,6 +39278,7 @@ export const scrabble_array = [ 'depreciator', 'depreciators', 'depreciatory', + 'depredate', 'depredated', 'depredates', 'depredating', @@ -15260,8 +39287,11 @@ export const scrabble_array = [ 'depredator', 'depredators', 'depredatory', + 'depress', 'depressant', 'depressants', + 'depressed', + 'depresses', 'depressible', 'depressing', 'depressingly', @@ -15270,6 +39300,7 @@ export const scrabble_array = [ 'depressive', 'depressively', 'depressives', + 'depressor', 'depressors', 'depressurization', 'depressurizations', @@ -15277,8 +39308,17 @@ export const scrabble_array = [ 'depressurized', 'depressurizes', 'depressurizing', + 'deprival', + 'deprivals', 'deprivation', 'deprivations', + 'deprive', + 'deprived', + 'depriver', + 'deprivers', + 'deprives', + 'depriving', + 'deprogram', 'deprogramed', 'deprograming', 'deprogrammed', @@ -15286,25 +39326,66 @@ export const scrabble_array = [ 'deprogrammers', 'deprogramming', 'deprograms', + 'depside', + 'depsides', + 'depth', + 'depthless', + 'depths', + 'depurate', + 'depurated', + 'depurates', 'depurating', 'deputation', 'deputations', + 'depute', + 'deputed', + 'deputes', + 'deputies', + 'deputing', 'deputization', 'deputizations', + 'deputize', + 'deputized', + 'deputizes', 'deputizing', + 'deputy', 'deracinate', 'deracinated', 'deracinates', 'deracinating', 'deracination', 'deracinations', + 'deraign', + 'deraigned', 'deraigning', + 'deraigns', + 'derail', + 'derailed', + 'derailing', 'derailleur', 'derailleurs', 'derailment', 'derailments', + 'derails', + 'derange', + 'deranged', 'derangement', 'derangements', + 'deranges', + 'deranging', + 'derat', + 'derate', + 'derated', + 'derates', + 'derating', + 'derats', + 'deratted', + 'deratting', + 'deray', + 'derays', + 'derbies', + 'derby', + 'dere', 'derealization', 'derealizations', 'deregulate', @@ -15313,17 +39394,35 @@ export const scrabble_array = [ 'deregulating', 'deregulation', 'deregulations', + 'derelict', 'dereliction', 'derelictions', + 'derelicts', + 'derepress', 'derepressed', 'derepresses', 'derepressing', 'derepression', 'derepressions', + 'deride', + 'derided', + 'derider', + 'deriders', + 'derides', + 'deriding', 'deridingly', + 'deringer', + 'deringers', + 'derision', + 'derisions', + 'derisive', 'derisively', 'derisiveness', 'derisivenesses', + 'derisory', + 'derivable', + 'derivate', + 'derivates', 'derivation', 'derivational', 'derivations', @@ -15338,8 +39437,18 @@ export const scrabble_array = [ 'derivatized', 'derivatizes', 'derivatizing', + 'derive', + 'derived', + 'deriver', + 'derivers', + 'derives', + 'deriving', + 'derm', + 'derma', 'dermabrasion', 'dermabrasions', + 'dermal', + 'dermas', 'dermatites', 'dermatitides', 'dermatitis', @@ -15355,12 +39464,24 @@ export const scrabble_array = [ 'dermatologists', 'dermatology', 'dermatomal', + 'dermatome', 'dermatomes', 'dermatophyte', 'dermatophytes', 'dermatoses', 'dermatosis', + 'dermestid', 'dermestids', + 'dermic', + 'dermis', + 'dermises', + 'dermoid', + 'dermoids', + 'derms', + 'dernier', + 'derogate', + 'derogated', + 'derogates', 'derogating', 'derogation', 'derogations', @@ -15368,7 +39489,18 @@ export const scrabble_array = [ 'derogatively', 'derogatorily', 'derogatory', + 'derrick', + 'derricks', + 'derriere', + 'derrieres', + 'derries', + 'derringer', 'derringers', + 'derris', + 'derrises', + 'derry', + 'dervish', + 'dervishes', 'desacralization', 'desacralizations', 'desacralize', @@ -15389,19 +39521,46 @@ export const scrabble_array = [ 'desalinized', 'desalinizes', 'desalinizing', + 'desalt', + 'desalted', + 'desalter', + 'desalters', + 'desalting', + 'desalts', + 'desand', + 'desanded', + 'desanding', + 'desands', + 'descant', + 'descanted', 'descanting', + 'descants', + 'descend', 'descendant', 'descendants', + 'descended', 'descendent', 'descendents', + 'descender', 'descenders', 'descendible', 'descending', + 'descends', 'descension', 'descensions', + 'descent', + 'descents', 'describable', + 'describe', + 'described', + 'describer', 'describers', + 'describes', 'describing', + 'descried', + 'descrier', + 'descriers', + 'descries', 'description', 'descriptions', 'descriptive', @@ -15410,6 +39569,9 @@ export const scrabble_array = [ 'descriptivenesses', 'descriptor', 'descriptors', + 'descry', + 'descrying', + 'desecrate', 'desecrated', 'desecrater', 'desecraters', @@ -15425,8 +39587,10 @@ export const scrabble_array = [ 'desegregating', 'desegregation', 'desegregations', + 'deselect', 'deselected', 'deselecting', + 'deselects', 'desensitization', 'desensitizations', 'desensitize', @@ -15435,13 +39599,31 @@ export const scrabble_array = [ 'desensitizers', 'desensitizes', 'desensitizing', + 'desert', + 'deserted', + 'deserter', + 'deserters', + 'desertic', 'desertification', 'desertifications', + 'deserting', + 'desertion', 'desertions', + 'deserts', + 'deserve', + 'deserved', 'deservedly', 'deservedness', 'deservednesses', + 'deserver', + 'deservers', + 'deserves', + 'deserving', 'deservings', + 'desex', + 'desexed', + 'desexes', + 'desexing', 'desexualization', 'desexualizations', 'desexualize', @@ -15450,7 +39632,9 @@ export const scrabble_array = [ 'desexualizing', 'deshabille', 'deshabilles', + 'desiccant', 'desiccants', + 'desiccate', 'desiccated', 'desiccates', 'desiccating', @@ -15468,6 +39652,8 @@ export const scrabble_array = [ 'desiderations', 'desiderative', 'desideratum', + 'design', + 'designate', 'designated', 'designates', 'designating', @@ -15477,44 +39663,98 @@ export const scrabble_array = [ 'designator', 'designators', 'designatory', + 'designed', 'designedly', + 'designee', + 'designees', + 'designer', + 'designers', + 'designing', 'designment', 'designments', + 'designs', + 'desilver', 'desilvered', 'desilvering', + 'desilvers', + 'desinent', 'desipramine', 'desipramines', 'desirabilities', 'desirability', + 'desirable', 'desirableness', 'desirablenesses', 'desirables', + 'desirably', + 'desire', + 'desired', + 'desirer', + 'desirers', + 'desires', + 'desiring', + 'desirous', 'desirously', 'desirousness', 'desirousnesses', + 'desist', 'desistance', 'desistances', + 'desisted', + 'desisting', + 'desists', + 'desk', + 'deskbound', + 'deskman', + 'deskmen', + 'desks', + 'desktop', + 'desktops', + 'desman', + 'desmans', + 'desmid', + 'desmids', + 'desmoid', + 'desmoids', 'desmosomal', + 'desmosome', 'desmosomes', + 'desolate', + 'desolated', 'desolately', 'desolateness', 'desolatenesses', + 'desolater', 'desolaters', + 'desolates', 'desolating', 'desolatingly', 'desolation', 'desolations', + 'desolator', 'desolators', + 'desorb', + 'desorbed', + 'desorbing', + 'desorbs', 'desorption', 'desorptions', + 'desoxy', + 'despair', + 'despaired', + 'despairer', 'despairers', 'despairing', 'despairingly', + 'despairs', + 'despatch', 'despatched', 'despatches', 'despatching', + 'desperado', 'desperadoes', 'desperados', + 'desperate', 'desperately', 'desperateness', 'desperatenesses', @@ -15528,20 +39768,36 @@ export const scrabble_array = [ 'despiritualized', 'despiritualizes', 'despiritualizing', + 'despise', + 'despised', 'despisement', 'despisements', + 'despiser', + 'despisers', + 'despises', + 'despising', + 'despite', + 'despited', 'despiteful', 'despitefully', 'despitefulness', 'despitefulnesses', 'despiteous', 'despiteously', + 'despites', + 'despiting', + 'despoil', + 'despoiled', + 'despoiler', 'despoilers', 'despoiling', 'despoilment', 'despoilments', + 'despoils', 'despoliation', 'despoliations', + 'despond', + 'desponded', 'despondence', 'despondences', 'despondencies', @@ -15549,14 +39805,21 @@ export const scrabble_array = [ 'despondent', 'despondently', 'desponding', + 'desponds', + 'despot', + 'despotic', 'despotically', + 'despotism', 'despotisms', + 'despots', 'desquamate', 'desquamated', 'desquamates', 'desquamating', 'desquamation', 'desquamations', + 'dessert', + 'desserts', 'dessertspoon', 'dessertspoonful', 'dessertspoonfuls', @@ -15568,15 +39831,32 @@ export const scrabble_array = [ 'destabilized', 'destabilizes', 'destabilizing', + 'destain', + 'destained', 'destaining', + 'destains', 'destination', 'destinations', + 'destine', + 'destined', + 'destines', + 'destinies', + 'destining', + 'destiny', + 'destitute', 'destituteness', 'destitutenesses', 'destitution', 'destitutions', + 'destrier', + 'destriers', + 'destroy', + 'destroyed', + 'destroyer', 'destroyers', 'destroying', + 'destroys', + 'destruct', 'destructed', 'destructibilities', 'destructibility', @@ -15592,8 +39872,14 @@ export const scrabble_array = [ 'destructivenesses', 'destructivities', 'destructivity', + 'destructs', + 'desuetude', 'desuetudes', + 'desugar', + 'desugared', 'desugaring', + 'desugars', + 'desulfur', 'desulfured', 'desulfuring', 'desulfurization', @@ -15602,37 +39888,84 @@ export const scrabble_array = [ 'desulfurized', 'desulfurizes', 'desulfurizing', + 'desulfurs', 'desultorily', 'desultoriness', 'desultorinesses', + 'desultory', + 'detach', 'detachabilities', 'detachability', 'detachable', 'detachably', + 'detached', 'detachedly', 'detachedness', 'detachednesses', + 'detacher', + 'detachers', + 'detaches', + 'detaching', 'detachment', 'detachments', + 'detail', + 'detailed', 'detailedly', 'detailedness', 'detailednesses', + 'detailer', + 'detailers', + 'detailing', + 'details', + 'detain', + 'detained', + 'detainee', + 'detainees', + 'detainer', + 'detainers', + 'detaining', 'detainment', 'detainments', + 'detains', + 'detassel', 'detasseled', 'detasseling', 'detasselled', 'detasselling', + 'detassels', + 'detect', 'detectabilities', 'detectability', 'detectable', + 'detected', + 'detecter', + 'detecters', + 'detecting', + 'detection', 'detections', + 'detective', 'detectivelike', 'detectives', + 'detector', + 'detectors', + 'detects', + 'detent', + 'detente', + 'detentes', + 'detention', 'detentions', + 'detents', + 'deter', + 'deterge', + 'deterged', 'detergencies', 'detergency', + 'detergent', 'detergents', + 'deterger', + 'detergers', + 'deterges', + 'deterging', 'deteriorate', 'deteriorated', 'deteriorates', @@ -15640,6 +39973,7 @@ export const scrabble_array = [ 'deterioration', 'deteriorations', 'deteriorative', + 'determent', 'determents', 'determinable', 'determinableness', @@ -15660,6 +39994,7 @@ export const scrabble_array = [ 'determinatives', 'determinator', 'determinators', + 'determine', 'determined', 'determinedly', 'determinedness', @@ -15677,29 +40012,66 @@ export const scrabble_array = [ 'deterrabilities', 'deterrability', 'deterrable', + 'deterred', 'deterrence', 'deterrences', + 'deterrent', 'deterrently', 'deterrents', + 'deterrer', + 'deterrers', + 'deterring', + 'deters', + 'detersive', 'detersives', + 'detest', 'detestable', 'detestableness', 'detestablenesses', 'detestably', 'detestation', 'detestations', + 'detested', + 'detester', + 'detesters', + 'detesting', + 'detests', + 'dethrone', + 'dethroned', 'dethronement', 'dethronements', + 'dethroner', 'dethroners', + 'dethrones', 'dethroning', + 'detick', + 'deticked', + 'deticker', + 'detickers', + 'deticking', + 'deticks', + 'detinue', + 'detinues', 'detonabilities', 'detonability', + 'detonable', 'detonatable', + 'detonate', + 'detonated', + 'detonates', 'detonating', 'detonation', 'detonations', 'detonative', + 'detonator', 'detonators', + 'detour', + 'detoured', + 'detouring', + 'detours', + 'detox', + 'detoxed', + 'detoxes', 'detoxicant', 'detoxicants', 'detoxicate', @@ -15712,30 +40084,52 @@ export const scrabble_array = [ 'detoxifications', 'detoxified', 'detoxifies', + 'detoxify', 'detoxifying', + 'detoxing', + 'detract', + 'detracted', 'detracting', 'detraction', 'detractions', 'detractive', 'detractively', + 'detractor', 'detractors', + 'detracts', + 'detrain', + 'detrained', 'detraining', 'detrainment', 'detrainments', + 'detrains', 'detribalization', 'detribalizations', 'detribalize', 'detribalized', 'detribalizes', 'detribalizing', + 'detriment', 'detrimental', 'detrimentally', 'detrimentals', 'detriments', + 'detrital', + 'detrition', 'detritions', + 'detritus', + 'detrude', + 'detruded', + 'detrudes', + 'detruding', 'detumescence', 'detumescences', 'detumescent', + 'deuce', + 'deuced', + 'deucedly', + 'deuces', + 'deucing', 'deuteragonist', 'deuteragonists', 'deuteranomalies', @@ -15746,22 +40140,38 @@ export const scrabble_array = [ 'deuteranopia', 'deuteranopias', 'deuteranopic', + 'deuterate', 'deuterated', 'deuterates', 'deuterating', 'deuteration', 'deuterations', + 'deuteric', + 'deuterium', 'deuteriums', 'deuterocanonical', + 'deuteron', + 'deuterons', 'deuterostome', 'deuterostomes', 'deutoplasm', 'deutoplasms', + 'deutzia', + 'deutzias', + 'dev', + 'deva', + 'devaluate', 'devaluated', 'devaluates', 'devaluating', 'devaluation', 'devaluations', + 'devalue', + 'devalued', + 'devalues', + 'devaluing', + 'devas', + 'devastate', 'devastated', 'devastates', 'devastating', @@ -15771,30 +40181,94 @@ export const scrabble_array = [ 'devastative', 'devastator', 'devastators', + 'devein', + 'deveined', + 'deveining', + 'deveins', + 'devel', + 'develed', + 'develing', + 'develop', 'developable', + 'develope', + 'developed', + 'developer', 'developers', + 'developes', 'developing', 'development', 'developmental', 'developmentally', 'developments', + 'develops', + 'devels', + 'deverbal', 'deverbative', 'deverbatives', + 'devest', + 'devested', + 'devesting', + 'devests', + 'deviance', + 'deviances', 'deviancies', + 'deviancy', + 'deviant', + 'deviants', + 'deviate', + 'deviated', + 'deviates', + 'deviating', + 'deviation', 'deviationism', 'deviationisms', 'deviationist', 'deviationists', 'deviations', + 'deviator', + 'deviators', + 'deviatory', + 'device', + 'devices', + 'devil', + 'deviled', + 'devilfish', 'devilfishes', + 'deviling', + 'devilish', 'devilishly', 'devilishness', 'devilishnesses', + 'devilkin', + 'devilkins', + 'devilled', + 'devilling', + 'devilment', 'devilments', + 'devilries', + 'devilry', + 'devils', 'deviltries', + 'deviltry', + 'devilwood', 'devilwoods', + 'devious', + 'deviously', 'deviousness', 'deviousnesses', + 'devisable', + 'devisal', + 'devisals', + 'devise', + 'devised', + 'devisee', + 'devisees', + 'deviser', + 'devisers', + 'devises', + 'devising', + 'devisor', + 'devisors', 'devitalize', 'devitalized', 'devitalizes', @@ -15803,77 +40277,247 @@ export const scrabble_array = [ 'devitrifications', 'devitrified', 'devitrifies', + 'devitrify', 'devitrifying', 'devocalize', 'devocalized', 'devocalizes', 'devocalizing', + 'devoice', + 'devoiced', + 'devoices', + 'devoicing', + 'devoid', + 'devoir', + 'devoirs', 'devolution', 'devolutionary', 'devolutionist', 'devolutionists', 'devolutions', + 'devolve', + 'devolved', + 'devolves', + 'devolving', + 'devon', + 'devons', + 'devote', + 'devoted', + 'devotedly', 'devotedness', 'devotednesses', + 'devotee', + 'devotees', 'devotement', 'devotements', + 'devotes', + 'devoting', + 'devotion', 'devotional', 'devotionally', 'devotionals', + 'devotions', + 'devour', + 'devoured', + 'devourer', + 'devourers', + 'devouring', + 'devours', + 'devout', + 'devouter', + 'devoutest', + 'devoutly', 'devoutness', 'devoutnesses', + 'devs', + 'dew', + 'dewan', + 'dewans', + 'dewar', + 'dewars', + 'dewater', + 'dewatered', + 'dewaterer', 'dewaterers', 'dewatering', + 'dewaters', + 'dewax', + 'dewaxed', + 'dewaxes', + 'dewaxing', 'dewberries', + 'dewberry', + 'dewclaw', + 'dewclaws', + 'dewdrop', + 'dewdrops', + 'dewed', + 'dewfall', + 'dewfalls', + 'dewier', + 'dewiest', + 'dewily', + 'dewiness', 'dewinesses', + 'dewing', + 'dewlap', + 'dewlapped', + 'dewlaps', + 'dewless', + 'dewool', + 'dewooled', + 'dewooling', + 'dewools', + 'deworm', + 'dewormed', + 'dewormer', + 'dewormers', + 'deworming', + 'deworms', + 'dews', + 'dewy', + 'dex', 'dexamethasone', 'dexamethasones', + 'dexes', + 'dexie', + 'dexies', + 'dexter', 'dexterities', + 'dexterity', + 'dexterous', 'dexterously', 'dexterousness', 'dexterousnesses', + 'dextral', + 'dextran', 'dextranase', 'dextranases', + 'dextrans', + 'dextrin', + 'dextrine', + 'dextrines', + 'dextrins', + 'dextro', 'dextroamphetamine', 'dextroamphetamines', 'dextrorotary', 'dextrorotatory', + 'dextrose', + 'dextroses', + 'dextrous', + 'dexy', + 'dey', + 'deys', + 'dezinc', + 'dezinced', + 'dezincing', + 'dezincked', 'dezincking', + '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', + 'diabetics', 'diabetogenic', 'diabetologist', 'diabetologists', + 'diablerie', 'diableries', + 'diablery', + 'diabolic', 'diabolical', 'diabolically', 'diabolicalness', 'diabolicalnesses', + 'diabolism', 'diabolisms', + 'diabolist', 'diabolists', + 'diabolize', 'diabolized', 'diabolizes', 'diabolizing', + 'diabolo', + 'diabolos', + 'diacetyl', + 'diacetyls', 'diachronic', 'diachronically', 'diachronies', + 'diachrony', + 'diacid', + 'diacidic', + 'diacids', + 'diaconal', + 'diaconate', 'diaconates', + 'diacritic', 'diacritical', 'diacritics', 'diadelphous', + 'diadem', + 'diademed', + 'diademing', + 'diadems', 'diadromous', + 'diaereses', + 'diaeresis', + 'diaeretic', 'diageneses', 'diagenesis', 'diagenetic', 'diagenetically', 'diageotropic', 'diagnosable', + 'diagnose', 'diagnoseable', + 'diagnosed', + 'diagnoses', 'diagnosing', + 'diagnosis', 'diagnostic', 'diagnostical', 'diagnostically', 'diagnostician', 'diagnosticians', 'diagnostics', + 'diagonal', 'diagonalizable', 'diagonalization', 'diagonalizations', @@ -15882,6 +40526,9 @@ export const scrabble_array = [ 'diagonalizes', 'diagonalizing', 'diagonally', + 'diagonals', + 'diagram', + 'diagramed', 'diagraming', 'diagrammable', 'diagrammatic', @@ -15889,9 +40536,16 @@ export const scrabble_array = [ 'diagrammatically', 'diagrammed', 'diagramming', + 'diagrams', + 'diagraph', + 'diagraphs', 'diakineses', 'diakinesis', + 'dial', + 'dialect', + 'dialectal', 'dialectally', + 'dialectic', 'dialectical', 'dialectically', 'dialectician', @@ -15903,52 +40557,156 @@ export const scrabble_array = [ 'dialectologist', 'dialectologists', 'dialectology', + 'dialects', + 'dialed', + 'dialer', + 'dialers', + 'dialing', + 'dialings', + 'dialist', + 'dialists', + 'diallage', + 'diallages', + 'dialled', + 'diallel', + 'dialler', + 'diallers', + 'dialling', + 'diallings', + 'diallist', + 'diallists', + 'dialog', + 'dialoged', + 'dialoger', + 'dialogers', + 'dialogic', 'dialogical', 'dialogically', + 'dialoging', + 'dialogist', 'dialogistic', 'dialogists', + 'dialogs', + 'dialogue', + 'dialogued', + 'dialogues', 'dialoguing', + 'dials', + 'dialysate', 'dialysates', + 'dialyse', + 'dialysed', + 'dialyser', + 'dialysers', + 'dialyses', + 'dialysing', + 'dialysis', + 'dialytic', 'dialyzable', + 'dialyzate', 'dialyzates', + 'dialyze', + 'dialyzed', + 'dialyzer', + 'dialyzers', + 'dialyzes', + 'dialyzing', 'diamagnetic', 'diamagnetism', 'diamagnetisms', + 'diamante', + 'diamantes', + 'diameter', + 'diameters', + 'diametral', + 'diametric', 'diametrical', 'diametrically', + 'diamide', + 'diamides', + 'diamin', + 'diamine', + 'diamines', + 'diamins', + 'diamond', 'diamondback', 'diamondbacks', + 'diamonded', 'diamondiferous', 'diamonding', + 'diamonds', + 'dianthus', 'dianthuses', + 'diapason', + 'diapasons', + 'diapause', + 'diapaused', + 'diapauses', 'diapausing', 'diapedeses', 'diapedesis', + 'diaper', + 'diapered', + 'diapering', + 'diapers', 'diaphaneities', 'diaphaneity', 'diaphanous', 'diaphanously', 'diaphanousness', 'diaphanousnesses', + 'diaphone', + 'diaphones', 'diaphonies', + 'diaphony', 'diaphorase', 'diaphorases', 'diaphoreses', 'diaphoresis', 'diaphoretic', 'diaphoretics', + 'diaphragm', 'diaphragmatic', 'diaphragmatically', 'diaphragms', 'diaphyseal', + 'diaphyses', 'diaphysial', + 'diaphysis', + 'diapir', + 'diapiric', + 'diapirs', 'diapositive', 'diapositives', + 'diapsid', + 'diarchic', + 'diarchies', + 'diarchy', + 'diaries', + 'diarist', + 'diarists', + 'diarrhea', + 'diarrheal', + 'diarrheas', + 'diarrheic', 'diarrhetic', + 'diarrhoea', 'diarrhoeas', 'diarthroses', 'diarthrosis', + 'diary', + 'diaspora', + 'diasporas', + 'diaspore', + 'diaspores', + 'diastase', + 'diastases', + 'diastatic', + 'diastem', + 'diastema', 'diastemata', + 'diastems', + 'diaster', 'diastereoisomer', 'diastereoisomeric', 'diastereoisomerism', @@ -15957,6 +40715,11 @@ export const scrabble_array = [ 'diastereomer', 'diastereomeric', 'diastereomers', + 'diasters', + 'diastole', + 'diastoles', + 'diastolic', + 'diastral', 'diastrophic', 'diastrophically', 'diastrophism', @@ -15966,19 +40729,75 @@ export const scrabble_array = [ 'diathermanous', 'diathermic', 'diathermies', + 'diathermy', + 'diatheses', + 'diathesis', + 'diathetic', + 'diatom', 'diatomaceous', + 'diatomic', + 'diatomite', 'diatomites', + 'diatoms', + 'diatonic', 'diatonically', + 'diatribe', + 'diatribes', + 'diatron', + 'diatrons', + 'diazepam', + 'diazepams', + 'diazin', + 'diazine', + 'diazines', + 'diazinon', + 'diazinons', + 'diazins', + 'diazo', + 'diazole', + 'diazoles', + 'diazonium', 'diazoniums', 'diazotization', 'diazotizations', + 'diazotize', 'diazotized', 'diazotizes', 'diazotizing', + 'dib', + 'dibasic', + 'dibbed', + 'dibber', + 'dibbers', + 'dibbing', + 'dibble', + 'dibbled', + 'dibbler', + 'dibblers', + 'dibbles', + 'dibbling', + 'dibbuk', + 'dibbukim', + 'dibbuks', 'dibenzofuran', 'dibenzofurans', + 'dibs', 'dicarboxylic', + 'dicast', + 'dicastic', + 'dicasts', + 'dice', + 'diced', + 'dicentra', + 'dicentras', + 'dicentric', 'dicentrics', + 'dicer', + 'dicers', + 'dices', + 'dicey', + 'dichasia', + 'dichasium', 'dichlorobenzene', 'dichlorobenzenes', 'dichlorodifluoromethane', @@ -15989,7 +40808,10 @@ export const scrabble_array = [ 'dichlorvoses', 'dichogamies', 'dichogamous', + 'dichogamy', + 'dichondra', 'dichondras', + 'dichotic', 'dichotically', 'dichotomies', 'dichotomist', @@ -16004,7 +40826,11 @@ export const scrabble_array = [ 'dichotomously', 'dichotomousness', 'dichotomousnesses', + 'dichotomy', + 'dichroic', + 'dichroism', 'dichroisms', + 'dichromat', 'dichromate', 'dichromates', 'dichromatic', @@ -16013,69 +40839,200 @@ export const scrabble_array = [ 'dichromats', 'dichroscope', 'dichroscopes', + 'dicier', + 'diciest', + 'dicing', + 'dick', 'dickcissel', 'dickcissels', + 'dicked', + 'dickens', + 'dickenses', + 'dicker', + 'dickered', + 'dickering', + 'dickers', + 'dickey', + 'dickeys', + 'dickie', + 'dickier', + 'dickies', + 'dickiest', + 'dicking', + 'dicks', + 'dicky', + 'diclinies', + 'diclinous', + 'dicliny', + 'dicot', + 'dicots', + 'dicotyl', 'dicotyledon', 'dicotyledonous', 'dicotyledons', + 'dicotyls', 'dicoumarin', 'dicoumarins', 'dicoumarol', 'dicoumarols', + 'dicrotal', + 'dicrotic', + 'dicrotism', 'dicrotisms', + 'dicta', + 'dictate', + 'dictated', + 'dictates', + 'dictating', + 'dictation', 'dictations', + 'dictator', 'dictatorial', 'dictatorially', 'dictatorialness', 'dictatorialnesses', + 'dictators', 'dictatorship', 'dictatorships', + 'dictier', + 'dictiest', + 'diction', + 'dictional', 'dictionally', 'dictionaries', 'dictionary', + 'dictions', + 'dictum', + 'dictums', + 'dicty', 'dictyosome', 'dictyosomes', 'dictyostele', 'dictyosteles', + 'dicumarol', 'dicumarols', + 'dicyclic', + 'dicyclies', + 'dicycly', 'dicynodont', 'dicynodonts', + 'did', + 'didact', + 'didactic', 'didactical', 'didactically', 'didacticism', 'didacticisms', + 'didactics', + 'didacts', + 'didactyl', + 'didapper', + 'didappers', + 'diddle', + 'diddled', + 'diddler', + 'diddlers', + 'diddles', + 'diddley', + 'diddleys', + 'diddlies', + 'diddling', + 'diddly', 'diddlysquat', 'didgeridoo', 'didgeridoos', + 'didie', + 'didies', 'didjeridoo', 'didjeridoos', + 'dido', + 'didoes', + 'didos', + 'didst', + 'didy', + 'didymium', + 'didymiums', + 'didymous', 'didynamies', + 'didynamy', + 'die', + 'dieback', + 'diebacks', + 'diecious', + 'died', 'dieffenbachia', 'dieffenbachias', + 'diehard', + 'diehards', + 'dieing', + 'diel', + 'dieldrin', + 'dieldrins', 'dielectric', 'dielectrics', + 'diemaker', + 'diemakers', 'diencephala', 'diencephalic', 'diencephalon', 'diencephalons', + 'diene', + 'dienes', + 'diereses', + 'dieresis', + 'dieretic', + 'dies', + 'diesel', + 'dieseled', + 'dieseling', 'dieselings', 'dieselization', 'dieselizations', + 'dieselize', 'dieselized', 'dieselizes', 'dieselizing', + 'diesels', + 'dieses', + 'diesis', + 'diester', + 'diesters', + 'diestock', + 'diestocks', + 'diestrous', + 'diestrum', + 'diestrums', + 'diestrus', 'diestruses', + 'diet', + 'dietaries', + 'dietarily', + 'dietary', + 'dieted', + 'dieter', + 'dieters', + 'dietetic', 'dietetically', + 'dietetics', + 'diether', + 'diethers', 'diethylcarbamazine', 'diethylcarbamazines', 'diethylstilbestrol', 'diethylstilbestrols', + 'dietician', 'dieticians', + 'dieting', + 'dietitian', 'dietitians', + 'diets', + 'differ', + 'differed', 'difference', 'differenced', 'differences', 'differencing', + 'different', 'differentia', 'differentiabilities', 'differentiability', @@ -16093,12 +41050,18 @@ export const scrabble_array = [ 'differently', 'differentness', 'differentnesses', + 'differing', + 'differs', + 'difficile', + 'difficult', 'difficulties', 'difficultly', 'difficulty', 'diffidence', 'diffidences', + 'diffident', 'diffidently', + 'diffract', 'diffracted', 'diffracting', 'diffraction', @@ -16108,28 +41071,73 @@ export const scrabble_array = [ 'diffractometric', 'diffractometries', 'diffractometry', + 'diffracts', + 'diffuse', + 'diffused', + 'diffusely', 'diffuseness', 'diffusenesses', + 'diffuser', + 'diffusers', + 'diffuses', 'diffusible', + 'diffusing', + 'diffusion', 'diffusional', 'diffusionism', 'diffusionisms', 'diffusionist', 'diffusionists', 'diffusions', + 'diffusive', 'diffusively', 'diffusiveness', 'diffusivenesses', 'diffusivities', 'diffusivity', + 'diffusor', + 'diffusors', 'difunctional', + 'dig', + 'digamies', + 'digamist', + 'digamists', + 'digamma', + 'digammas', + 'digamous', + 'digamy', + 'digastric', + 'digenetic', + 'digest', + 'digested', + 'digester', + 'digesters', 'digestibilities', 'digestibility', 'digestible', + 'digesting', + 'digestion', 'digestions', + 'digestive', 'digestively', 'digestives', + 'digestor', + 'digestors', + 'digests', + 'digged', + 'digger', + 'diggers', + 'digging', + 'diggings', + 'dight', + 'dighted', + 'dighting', + 'dights', + 'digit', + 'digital', + 'digitalin', 'digitalins', + 'digitalis', 'digitalises', 'digitalization', 'digitalizations', @@ -16137,21 +41145,47 @@ export const scrabble_array = [ 'digitalized', 'digitalizes', 'digitalizing', + 'digitally', + 'digitals', + 'digitate', 'digitately', 'digitigrade', 'digitization', 'digitizations', + 'digitize', + 'digitized', + 'digitizer', 'digitizers', + 'digitizes', 'digitizing', + 'digitonin', 'digitonins', 'digitoxigenin', 'digitoxigenins', + 'digitoxin', 'digitoxins', + 'digits', + 'diglot', + 'diglots', 'diglyceride', 'diglycerides', + 'dignified', + 'dignifies', + 'dignify', 'dignifying', 'dignitaries', + 'dignitary', + 'dignities', + 'dignity', + 'digoxin', + 'digoxins', + 'digraph', + 'digraphic', 'digraphically', + 'digraphs', + 'digress', + 'digressed', + 'digresses', 'digressing', 'digression', 'digressional', @@ -16161,10 +41195,29 @@ export const scrabble_array = [ 'digressively', 'digressiveness', 'digressivenesses', + 'digs', + 'dihedral', + 'dihedrals', + 'dihedron', + 'dihedrons', + 'dihybrid', + 'dihybrids', + 'dihydric', 'dihydroergotamine', 'dihydroergotamines', 'dihydroxyacetone', 'dihydroxyacetones', + 'dikdik', + 'dikdiks', + 'dike', + 'diked', + 'diker', + 'dikers', + 'dikes', + 'dikey', + 'diking', + 'diktat', + 'diktats', 'dilapidate', 'dilapidated', 'dilapidates', @@ -16173,35 +41226,89 @@ export const scrabble_array = [ 'dilapidations', 'dilatabilities', 'dilatability', + 'dilatable', 'dilatancies', + 'dilatancy', + 'dilatant', + 'dilatants', + 'dilatate', 'dilatation', 'dilatational', 'dilatations', + 'dilate', + 'dilated', + 'dilater', + 'dilaters', + 'dilates', + 'dilating', + 'dilation', + 'dilations', + 'dilative', 'dilatometer', 'dilatometers', 'dilatometric', 'dilatometries', 'dilatometry', + 'dilator', 'dilatorily', 'dilatoriness', 'dilatorinesses', + 'dilators', + 'dilatory', + 'dildo', + 'dildoe', + 'dildoes', + 'dildos', + 'dilemma', + 'dilemmas', 'dilemmatic', + 'dilemmic', 'dilettante', 'dilettantes', 'dilettanti', 'dilettantish', 'dilettantism', 'dilettantisms', + 'diligence', 'diligences', + 'diligent', 'diligently', + 'dill', + 'dilled', + 'dillies', + 'dills', + 'dilly', 'dillydallied', 'dillydallies', 'dillydally', 'dillydallying', + 'diluent', + 'diluents', + 'dilute', + 'diluted', 'diluteness', 'dilutenesses', + 'diluter', + 'diluters', + 'dilutes', + 'diluting', + 'dilution', + 'dilutions', + 'dilutive', + 'dilutor', + 'dilutors', + 'diluvia', + 'diluvial', + 'diluvian', + 'diluvion', + 'diluvions', + 'diluvium', + 'diluviums', + 'dim', + 'dime', 'dimenhydrinate', 'dimenhydrinates', + 'dimension', 'dimensional', 'dimensionalities', 'dimensionality', @@ -16210,19 +41317,35 @@ export const scrabble_array = [ 'dimensioning', 'dimensionless', 'dimensions', + 'dimer', 'dimercaprol', 'dimercaprols', + 'dimeric', + 'dimerism', + 'dimerisms', 'dimerization', 'dimerizations', + 'dimerize', + 'dimerized', + 'dimerizes', 'dimerizing', + 'dimerous', + 'dimers', + 'dimes', + 'dimeter', + 'dimeters', 'dimethoate', 'dimethoates', + 'dimethyl', 'dimethylhydrazine', 'dimethylhydrazines', 'dimethylnitrosamine', 'dimethylnitrosamines', + 'dimethyls', 'dimethyltryptamine', 'dimethyltryptamines', + 'dimetric', + 'diminish', 'diminishable', 'diminished', 'diminishes', @@ -16238,37 +41361,188 @@ export const scrabble_array = [ 'diminutiveness', 'diminutivenesses', 'diminutives', + 'dimities', + 'dimity', + 'dimly', + 'dimmable', + 'dimmed', + 'dimmer', + 'dimmers', + 'dimmest', + 'dimming', + 'dimness', + 'dimnesses', + 'dimorph', + 'dimorphic', 'dimorphism', 'dimorphisms', 'dimorphous', + 'dimorphs', + 'dimout', + 'dimouts', + 'dimple', + 'dimpled', + 'dimples', + 'dimplier', + 'dimpliest', + 'dimpling', + 'dimply', + 'dims', + 'dimwit', + 'dimwits', + 'dimwitted', + 'din', + 'dinar', + 'dinars', + 'dindle', + 'dindled', + 'dindles', + 'dindling', + 'dine', + 'dined', + 'diner', + 'dineric', + 'dinero', + 'dineros', + 'diners', + 'dines', + 'dinette', + 'dinettes', + 'ding', + 'dingbat', + 'dingbats', + 'dingdong', 'dingdonged', 'dingdonging', + 'dingdongs', + 'dinge', + 'dinged', + 'dinger', + 'dingers', + 'dinges', + 'dingey', + 'dingeys', + 'dinghies', + 'dinghy', + 'dingier', + 'dingies', + 'dingiest', + 'dingily', + 'dinginess', 'dinginesses', + 'dinging', + 'dingle', 'dingleberries', 'dingleberry', + 'dingles', + 'dingo', + 'dingoes', + 'dings', + 'dingus', + 'dinguses', + 'dingy', + 'dining', + 'dinitro', 'dinitrobenzene', 'dinitrobenzenes', 'dinitrophenol', 'dinitrophenols', + 'dink', + 'dinked', + 'dinkey', + 'dinkeys', + 'dinkier', + 'dinkies', + 'dinkiest', + 'dinking', + 'dinkly', + 'dinks', + 'dinkum', + 'dinkums', + 'dinky', + 'dinned', + 'dinner', 'dinnerless', + 'dinners', 'dinnertime', 'dinnertimes', 'dinnerware', 'dinnerwares', + 'dinning', 'dinoflagellate', 'dinoflagellates', + 'dinosaur', 'dinosaurian', + 'dinosaurs', + 'dins', + 'dint', + 'dinted', + 'dinting', + 'dints', 'dinucleotide', 'dinucleotides', + 'diobol', + 'diobolon', + 'diobolons', + 'diobols', + 'diocesan', + 'diocesans', + 'diocese', + 'dioceses', + 'diode', + 'diodes', + 'dioecies', + 'dioecious', + 'dioecism', + 'dioecisms', + 'dioecy', + 'dioicous', + 'diol', + 'diolefin', + 'diolefins', + 'diols', + 'diopside', + 'diopsides', + 'diopsidic', + 'dioptase', + 'dioptases', + 'diopter', + 'diopters', + 'dioptral', + 'dioptre', + 'dioptres', + 'dioptric', + 'diorama', + 'dioramas', + 'dioramic', + 'diorite', + 'diorites', + 'dioritic', + 'dioxan', + 'dioxane', + 'dioxanes', + 'dioxans', + 'dioxid', + 'dioxide', + 'dioxides', + 'dioxids', + 'dioxin', + 'dioxins', + 'dip', 'dipeptidase', 'dipeptidases', + 'dipeptide', 'dipeptides', + 'diphase', + 'diphasic', 'diphenhydramine', 'diphenhydramines', + 'diphenyl', 'diphenylamine', 'diphenylamines', 'diphenylhydantoin', 'diphenylhydantoins', + 'diphenyls', 'diphosgene', 'diphosgenes', 'diphosphate', @@ -16279,6 +41553,7 @@ export const scrabble_array = [ 'diphtheritic', 'diphtheroid', 'diphtheroids', + 'diphthong', 'diphthongal', 'diphthongization', 'diphthongizations', @@ -16289,33 +41564,112 @@ export const scrabble_array = [ 'diphthongs', 'diphyletic', 'diphyodont', + 'diplegia', + 'diplegias', + 'diplex', + 'diplexer', + 'diplexers', 'diploblastic', 'diplococci', 'diplococcus', 'diplodocus', 'diplodocuses', + 'diploe', + 'diploes', + 'diploic', + 'diploid', 'diploidies', + 'diploids', + 'diploidy', + 'diploma', 'diplomacies', + 'diplomacy', + 'diplomaed', 'diplomaing', + 'diplomas', + 'diplomat', + 'diplomata', + 'diplomate', 'diplomates', 'diplomatic', 'diplomatically', 'diplomatist', 'diplomatists', + 'diplomats', + 'diplont', + 'diplontic', + 'diplonts', 'diplophase', 'diplophases', + 'diplopia', + 'diplopias', + 'diplopic', + 'diplopod', + 'diplopods', + 'diploses', + 'diplosis', + 'diplotene', 'diplotenes', + 'dipnet', + 'dipnets', + 'dipnetted', 'dipnetting', + 'dipnoan', + 'dipnoans', + 'dipodic', + 'dipodies', + 'dipody', + 'dipolar', + 'dipole', + 'dipoles', + 'dippable', + 'dipped', + 'dipper', + 'dipperful', 'dipperfuls', + 'dippers', + 'dippier', + 'dippiest', + 'dipping', + 'dippy', + 'dips', + 'dipsades', + 'dipsas', + 'dipso', 'dipsomania', 'dipsomaniac', 'dipsomaniacal', 'dipsomaniacs', 'dipsomanias', + 'dipsos', + 'dipstick', + 'dipsticks', + 'dipt', + 'diptera', + 'dipteral', + 'dipteran', + 'dipterans', 'dipterocarp', 'dipterocarps', + 'dipteron', + 'dipterous', + 'diptyca', + 'diptycas', + 'diptych', + 'diptychs', + 'diquat', + 'diquats', + 'dirdum', + 'dirdums', + 'dire', + 'direct', + 'directed', 'directedness', 'directednesses', + 'directer', + 'directest', + 'directing', + 'direction', 'directional', 'directionalities', 'directionality', @@ -16323,35 +41677,89 @@ export const scrabble_array = [ 'directionlessness', 'directionlessnesses', 'directions', + 'directive', 'directives', 'directivities', 'directivity', + 'directly', 'directness', 'directnesses', + 'director', 'directorate', 'directorates', 'directorial', 'directories', + 'directors', 'directorship', 'directorships', + 'directory', 'directress', 'directresses', 'directrice', 'directrices', + 'directrix', 'directrixes', + 'directs', + 'direful', + 'direfully', + 'direly', + 'direness', 'direnesses', + 'direr', + 'direst', + 'dirge', + 'dirgeful', + 'dirgelike', + 'dirges', + 'dirham', + 'dirhams', + 'dirigible', 'dirigibles', + 'dirigisme', 'dirigismes', + 'dirigiste', + 'diriment', + 'dirk', + 'dirked', + 'dirking', + 'dirks', + 'dirl', + 'dirled', + 'dirling', + 'dirls', + 'dirndl', + 'dirndls', + 'dirt', + 'dirtbag', + 'dirtbags', + 'dirtied', + 'dirtier', + 'dirties', + 'dirtiest', + 'dirtily', + 'dirtiness', 'dirtinesses', + 'dirts', + 'dirty', + 'dirtying', + 'dis', 'disabilities', 'disability', + 'disable', + 'disabled', 'disablement', 'disablements', + 'disables', + 'disabling', + 'disabuse', + 'disabused', + 'disabuses', 'disabusing', 'disaccharidase', 'disaccharidases', 'disaccharide', 'disaccharides', + 'disaccord', 'disaccorded', 'disaccording', 'disaccords', @@ -16369,6 +41777,7 @@ export const scrabble_array = [ 'disadvantageousnesses', 'disadvantages', 'disadvantaging', + 'disaffect', 'disaffected', 'disaffecting', 'disaffection', @@ -16380,6 +41789,7 @@ export const scrabble_array = [ 'disaffiliating', 'disaffiliation', 'disaffiliations', + 'disaffirm', 'disaffirmance', 'disaffirmances', 'disaffirmed', @@ -16392,25 +41802,33 @@ export const scrabble_array = [ 'disaggregation', 'disaggregations', 'disaggregative', + 'disagree', 'disagreeable', 'disagreeableness', 'disagreeablenesses', 'disagreeably', + 'disagreed', 'disagreeing', 'disagreement', 'disagreements', + 'disagrees', + 'disallow', 'disallowance', 'disallowances', 'disallowed', 'disallowing', + 'disallows', 'disambiguate', 'disambiguated', 'disambiguates', 'disambiguating', 'disambiguation', 'disambiguations', + 'disannul', 'disannulled', 'disannulling', + 'disannuls', + 'disappear', 'disappearance', 'disappearances', 'disappeared', @@ -16435,17 +41853,25 @@ export const scrabble_array = [ 'disapproves', 'disapproving', 'disapprovingly', + 'disarm', 'disarmament', 'disarmaments', + 'disarmed', + 'disarmer', + 'disarmers', + 'disarming', 'disarmingly', + 'disarms', 'disarrange', 'disarranged', 'disarrangement', 'disarrangements', 'disarranges', 'disarranging', + 'disarray', 'disarrayed', 'disarraying', + 'disarrays', 'disarticulate', 'disarticulated', 'disarticulates', @@ -16464,17 +41890,30 @@ export const scrabble_array = [ 'disassociating', 'disassociation', 'disassociations', + 'disaster', + 'disasters', 'disastrous', 'disastrously', + 'disavow', 'disavowable', + 'disavowal', 'disavowals', + 'disavowed', 'disavowing', + 'disavows', + 'disband', + 'disbanded', 'disbanding', 'disbandment', 'disbandments', + 'disbands', + 'disbar', 'disbarment', 'disbarments', + 'disbarred', 'disbarring', + 'disbars', + 'disbelief', 'disbeliefs', 'disbelieve', 'disbelieved', @@ -16484,29 +41923,62 @@ export const scrabble_array = [ 'disbelieving', 'disbenefit', 'disbenefits', + 'disbosom', 'disbosomed', 'disbosoming', + 'disbosoms', + 'disbound', + 'disbowel', 'disboweled', 'disboweling', 'disbowelled', 'disbowelling', + 'disbowels', + 'disbud', + 'disbudded', 'disbudding', + 'disbuds', + 'disburden', 'disburdened', 'disburdening', 'disburdenment', 'disburdenments', 'disburdens', + 'disburse', + 'disbursed', 'disbursement', 'disbursements', + 'disburser', 'disbursers', + 'disburses', 'disbursing', + 'disc', + 'discalced', + 'discant', + 'discanted', 'discanting', + 'discants', + 'discard', 'discardable', + 'discarded', + 'discarder', 'discarders', 'discarding', + 'discards', 'discarnate', + 'discase', + 'discased', + 'discases', + 'discasing', + 'disced', + 'discept', + 'discepted', 'discepting', + 'discepts', + 'discern', 'discernable', + 'discerned', + 'discerner', 'discerners', 'discernible', 'discernibly', @@ -16514,6 +41986,8 @@ export const scrabble_array = [ 'discerningly', 'discernment', 'discernments', + 'discerns', + 'discharge', 'dischargeable', 'discharged', 'dischargee', @@ -16522,6 +41996,12 @@ export const scrabble_array = [ 'dischargers', 'discharges', 'discharging', + 'disci', + 'disciform', + 'discing', + 'disciple', + 'discipled', + 'disciples', 'discipleship', 'discipleships', 'disciplinable', @@ -16539,33 +42019,50 @@ export const scrabble_array = [ 'disciplines', 'discipling', 'disciplining', + 'disclaim', 'disclaimed', 'disclaimer', 'disclaimers', 'disclaiming', + 'disclaims', 'disclamation', 'disclamations', + 'disclike', + 'disclimax', 'disclimaxes', + 'disclose', + 'disclosed', + 'discloser', 'disclosers', + 'discloses', 'disclosing', 'disclosure', 'disclosures', + 'disco', + 'discoed', 'discographer', 'discographers', 'discographic', 'discographical', 'discographies', 'discography', + 'discoid', + 'discoidal', + 'discoids', + 'discoing', + 'discolor', 'discoloration', 'discolorations', 'discolored', 'discoloring', + 'discolors', 'discombobulate', 'discombobulated', 'discombobulates', 'discombobulating', 'discombobulation', 'discombobulations', + 'discomfit', 'discomfited', 'discomfiting', 'discomfits', @@ -16641,15 +42138,20 @@ export const scrabble_array = [ 'discontinuously', 'discophile', 'discophiles', + 'discord', 'discordance', 'discordances', 'discordancies', 'discordancy', 'discordant', 'discordantly', + 'discorded', 'discording', + 'discords', + 'discos', 'discotheque', 'discotheques', + 'discount', 'discountable', 'discounted', 'discountenance', @@ -16659,6 +42161,7 @@ export const scrabble_array = [ 'discounter', 'discounters', 'discounting', + 'discounts', 'discourage', 'discourageable', 'discouraged', @@ -16669,6 +42172,7 @@ export const scrabble_array = [ 'discourages', 'discouraging', 'discouragingly', + 'discourse', 'discoursed', 'discourser', 'discoursers', @@ -16680,17 +42184,22 @@ export const scrabble_array = [ 'discourteousnesses', 'discourtesies', 'discourtesy', + 'discover', 'discoverable', 'discovered', 'discoverer', 'discoverers', 'discoveries', 'discovering', + 'discovers', + 'discovery', + 'discredit', 'discreditable', 'discreditably', 'discredited', 'discrediting', 'discredits', + 'discreet', 'discreeter', 'discreetest', 'discreetly', @@ -16700,6 +42209,7 @@ export const scrabble_array = [ 'discrepancy', 'discrepant', 'discrepantly', + 'discrete', 'discretely', 'discreteness', 'discretenesses', @@ -16725,27 +42235,44 @@ export const scrabble_array = [ 'discriminatorily', 'discriminators', 'discriminatory', + 'discrown', 'discrowned', 'discrowning', + 'discrowns', + 'discs', 'discursive', 'discursively', 'discursiveness', 'discursivenesses', + 'discus', + 'discuses', + 'discuss', 'discussable', 'discussant', 'discussants', + 'discussed', + 'discusser', 'discussers', + 'discusses', 'discussible', 'discussing', 'discussion', 'discussions', + 'disdain', + 'disdained', 'disdainful', 'disdainfully', 'disdainfulness', 'disdainfulnesses', 'disdaining', + 'disdains', + 'disease', + 'diseased', + 'diseases', + 'diseasing', 'diseconomies', 'diseconomy', + 'disembark', 'disembarkation', 'disembarkations', 'disembarked', @@ -16757,6 +42284,7 @@ export const scrabble_array = [ 'disembarrassing', 'disembodied', 'disembodies', + 'disembody', 'disembodying', 'disembogue', 'disembogued', @@ -16783,23 +42311,27 @@ export const scrabble_array = [ 'disencumbered', 'disencumbering', 'disencumbers', + 'disendow', 'disendowed', 'disendower', 'disendowers', 'disendowing', 'disendowment', 'disendowments', + 'disendows', 'disenfranchise', 'disenfranchised', 'disenfranchisement', 'disenfranchisements', 'disenfranchises', 'disenfranchising', + 'disengage', 'disengaged', 'disengagement', 'disengagements', 'disengages', 'disengaging', + 'disentail', 'disentailed', 'disentailing', 'disentails', @@ -16836,11 +42368,17 @@ export const scrabble_array = [ 'disestablishmentarian', 'disestablishmentarians', 'disestablishments', + 'disesteem', 'disesteemed', 'disesteeming', 'disesteems', + 'diseuse', + 'diseuses', + 'disfavor', 'disfavored', 'disfavoring', + 'disfavors', + 'disfigure', 'disfigured', 'disfigurement', 'disfigurements', @@ -16852,8 +42390,10 @@ export const scrabble_array = [ 'disfranchisements', 'disfranchises', 'disfranchising', + 'disfrock', 'disfrocked', 'disfrocking', + 'disfrocks', 'disfunction', 'disfunctional', 'disfunctions', @@ -16863,12 +42403,19 @@ export const scrabble_array = [ 'disfurnishing', 'disfurnishment', 'disfurnishments', + 'disgorge', + 'disgorged', + 'disgorges', 'disgorging', + 'disgrace', + 'disgraced', 'disgraceful', 'disgracefully', 'disgracefulness', 'disgracefulnesses', + 'disgracer', 'disgracers', + 'disgraces', 'disgracing', 'disgruntle', 'disgruntled', @@ -16876,16 +42423,24 @@ export const scrabble_array = [ 'disgruntlements', 'disgruntles', 'disgruntling', + 'disguise', + 'disguised', 'disguisedly', 'disguisement', 'disguisements', + 'disguiser', 'disguisers', + 'disguises', 'disguising', + 'disgust', + 'disgusted', 'disgustedly', 'disgustful', 'disgustfully', 'disgusting', 'disgustingly', + 'disgusts', + 'dish', 'dishabille', 'dishabilles', 'disharmonies', @@ -16895,7 +42450,9 @@ export const scrabble_array = [ 'disharmonizes', 'disharmonizing', 'disharmony', + 'dishcloth', 'dishcloths', + 'dishclout', 'dishclouts', 'dishearten', 'disheartened', @@ -16904,16 +42461,33 @@ export const scrabble_array = [ 'disheartenment', 'disheartenments', 'disheartens', + 'dished', + 'dishelm', + 'dishelmed', 'dishelming', + 'dishelms', + 'disherit', 'disherited', 'disheriting', + 'disherits', + 'dishes', + 'dishevel', 'disheveled', 'disheveling', 'dishevelled', 'dishevelling', + 'dishevels', + 'dishful', + 'dishfuls', + 'dishier', + 'dishiest', + 'dishing', + 'dishlike', + 'dishonest', 'dishonesties', 'dishonestly', 'dishonesty', + 'dishonor', 'dishonorable', 'dishonorableness', 'dishonorablenesses', @@ -16922,10 +42496,20 @@ export const scrabble_array = [ 'dishonorer', 'dishonorers', 'dishonoring', + 'dishonors', + 'dishpan', + 'dishpans', + 'dishrag', + 'dishrags', + 'dishtowel', 'dishtowels', + 'dishware', + 'dishwares', 'dishwasher', 'dishwashers', + 'dishwater', 'dishwaters', + 'dishy', 'disillusion', 'disillusioned', 'disillusioning', @@ -16940,6 +42524,7 @@ export const scrabble_array = [ 'disinclined', 'disinclines', 'disinclining', + 'disinfect', 'disinfectant', 'disinfectants', 'disinfected', @@ -16947,6 +42532,7 @@ export const scrabble_array = [ 'disinfection', 'disinfections', 'disinfects', + 'disinfest', 'disinfestant', 'disinfestants', 'disinfestation', @@ -16984,6 +42570,7 @@ export const scrabble_array = [ 'disintegrative', 'disintegrator', 'disintegrators', + 'disinter', 'disinterest', 'disinterested', 'disinterestedly', @@ -16997,81 +42584,144 @@ export const scrabble_array = [ 'disinterments', 'disinterred', 'disinterring', + 'disinters', 'disintoxicate', 'disintoxicated', 'disintoxicates', 'disintoxicating', 'disintoxication', 'disintoxications', + 'disinvest', 'disinvested', 'disinvesting', 'disinvestment', 'disinvestments', 'disinvests', + 'disinvite', 'disinvited', 'disinvites', 'disinviting', + 'disject', + 'disjected', 'disjecting', + 'disjects', + 'disjoin', + 'disjoined', 'disjoining', + 'disjoins', + 'disjoint', 'disjointed', 'disjointedly', 'disjointedness', 'disjointednesses', 'disjointing', + 'disjoints', + 'disjunct', 'disjunction', 'disjunctions', 'disjunctive', 'disjunctively', 'disjunctives', + 'disjuncts', 'disjuncture', 'disjunctures', + 'disk', + 'disked', + 'diskette', + 'diskettes', + 'disking', + 'disklike', + 'disks', 'dislikable', + 'dislike', 'dislikeable', + 'disliked', + 'disliker', + 'dislikers', + 'dislikes', + 'disliking', + 'dislimn', + 'dislimned', 'dislimning', + 'dislimns', + 'dislocate', 'dislocated', 'dislocates', 'dislocating', 'dislocation', 'dislocations', + 'dislodge', + 'dislodged', 'dislodgement', 'dislodgements', + 'dislodges', 'dislodging', 'dislodgment', 'dislodgments', + 'disloyal', 'disloyally', 'disloyalties', 'disloyalty', + 'dismal', + 'dismaler', + 'dismalest', + 'dismally', 'dismalness', 'dismalnesses', + 'dismals', + 'dismantle', 'dismantled', 'dismantlement', 'dismantlements', 'dismantles', 'dismantling', + 'dismast', + 'dismasted', 'dismasting', + 'dismasts', + 'dismay', + 'dismayed', + 'dismaying', 'dismayingly', + 'dismays', + 'disme', + 'dismember', 'dismembered', 'dismembering', 'dismemberment', 'dismemberments', 'dismembers', + 'dismes', + 'dismiss', + 'dismissal', 'dismissals', + 'dismissed', + 'dismisses', 'dismissing', 'dismission', 'dismissions', 'dismissive', 'dismissively', + 'dismount', 'dismounted', 'dismounting', + 'dismounts', 'disobedience', 'disobediences', 'disobedient', 'disobediently', + 'disobey', + 'disobeyed', + 'disobeyer', 'disobeyers', 'disobeying', + 'disobeys', + 'disoblige', 'disobliged', 'disobliges', 'disobliging', + 'disomic', + 'disorder', 'disordered', 'disorderedly', 'disorderedness', @@ -17080,12 +42730,14 @@ export const scrabble_array = [ 'disorderliness', 'disorderlinesses', 'disorderly', + 'disorders', 'disorganization', 'disorganizations', 'disorganize', 'disorganized', 'disorganizes', 'disorganizing', + 'disorient', 'disorientate', 'disorientated', 'disorientates', @@ -17095,8 +42747,13 @@ export const scrabble_array = [ 'disoriented', 'disorienting', 'disorients', + 'disown', + 'disowned', + 'disowning', 'disownment', 'disownments', + 'disowns', + 'disparage', 'disparaged', 'disparagement', 'disparagements', @@ -17105,24 +42762,36 @@ export const scrabble_array = [ 'disparages', 'disparaging', 'disparagingly', + 'disparate', 'disparately', 'disparateness', 'disparatenesses', 'disparities', + 'disparity', + 'dispart', + 'disparted', 'disparting', + 'disparts', 'dispassion', 'dispassionate', 'dispassionately', 'dispassionateness', 'dispassionatenesses', 'dispassions', + 'dispatch', 'dispatched', 'dispatcher', 'dispatchers', 'dispatches', 'dispatching', + 'dispel', + 'dispelled', 'dispelling', + 'dispels', + 'dispend', + 'dispended', 'dispending', + 'dispends', 'dispensabilities', 'dispensability', 'dispensable', @@ -17133,16 +42802,26 @@ export const scrabble_array = [ 'dispensations', 'dispensatories', 'dispensatory', + 'dispense', + 'dispensed', + 'dispenser', 'dispensers', + 'dispenses', 'dispensing', + 'dispeople', 'dispeopled', 'dispeoples', 'dispeopling', + 'dispersal', 'dispersals', 'dispersant', 'dispersants', + 'disperse', + 'dispersed', 'dispersedly', + 'disperser', 'dispersers', + 'disperses', 'dispersible', 'dispersing', 'dispersion', @@ -17153,36 +42832,64 @@ export const scrabble_array = [ 'dispersivenesses', 'dispersoid', 'dispersoids', + 'dispirit', 'dispirited', 'dispiritedly', 'dispiritedness', 'dispiritednesses', 'dispiriting', + 'dispirits', 'dispiteous', + 'displace', 'displaceable', + 'displaced', 'displacement', 'displacements', + 'displaces', 'displacing', + 'displant', 'displanted', 'displanting', + 'displants', + 'display', 'displayable', + 'displayed', 'displaying', + 'displays', + 'displease', 'displeased', 'displeases', 'displeasing', 'displeasure', 'displeasures', + 'displode', + 'disploded', + 'displodes', 'disploding', 'displosion', 'displosions', + 'displume', + 'displumed', + 'displumes', 'displuming', + 'disport', + 'disported', 'disporting', 'disportment', 'disportments', + 'disports', 'disposabilities', 'disposability', 'disposable', 'disposables', + 'disposal', + 'disposals', + 'dispose', + 'disposed', + 'disposer', + 'disposers', + 'disposes', + 'disposing', 'disposition', 'dispositional', 'dispositions', @@ -17195,15 +42902,24 @@ export const scrabble_array = [ 'dispossessions', 'dispossessor', 'dispossessors', + 'disposure', 'disposures', + 'dispraise', 'dispraised', 'dispraiser', 'dispraisers', 'dispraises', 'dispraising', 'dispraisingly', + 'dispread', 'dispreading', + 'dispreads', + 'disprize', + 'disprized', + 'disprizes', 'disprizing', + 'disproof', + 'disproofs', 'disproportion', 'disproportional', 'disproportionate', @@ -17217,9 +42933,14 @@ export const scrabble_array = [ 'disproportioning', 'disproportions', 'disprovable', + 'disprove', + 'disproved', + 'disproven', + 'disproves', 'disproving', 'disputable', 'disputably', + 'disputant', 'disputants', 'disputation', 'disputations', @@ -17227,6 +42948,12 @@ export const scrabble_array = [ 'disputatiously', 'disputatiousness', 'disputatiousnesses', + 'dispute', + 'disputed', + 'disputer', + 'disputers', + 'disputes', + 'disputing', 'disqualification', 'disqualifications', 'disqualified', @@ -17237,14 +42964,21 @@ export const scrabble_array = [ 'disquantities', 'disquantity', 'disquantitying', + 'disquiet', 'disquieted', 'disquieting', 'disquietingly', 'disquietly', + 'disquiets', 'disquietude', 'disquietudes', 'disquisition', 'disquisitions', + 'disrate', + 'disrated', + 'disrates', + 'disrating', + 'disregard', 'disregarded', 'disregardful', 'disregarding', @@ -17252,6 +42986,7 @@ export const scrabble_array = [ 'disrelated', 'disrelation', 'disrelations', + 'disrelish', 'disrelished', 'disrelishes', 'disrelishing', @@ -17259,6 +42994,7 @@ export const scrabble_array = [ 'disremembered', 'disremembering', 'disremembers', + 'disrepair', 'disrepairs', 'disreputabilities', 'disreputability', @@ -17266,6 +43002,7 @@ export const scrabble_array = [ 'disreputableness', 'disreputablenesses', 'disreputably', + 'disrepute', 'disreputes', 'disrespect', 'disrespectabilities', @@ -17278,7 +43015,19 @@ export const scrabble_array = [ 'disrespectfulnesses', 'disrespecting', 'disrespects', + 'disrobe', + 'disrobed', + 'disrober', + 'disrobers', + 'disrobes', + 'disrobing', + 'disroot', + 'disrooted', 'disrooting', + 'disroots', + 'disrupt', + 'disrupted', + 'disrupter', 'disrupters', 'disrupting', 'disruption', @@ -17287,6 +43036,8 @@ export const scrabble_array = [ 'disruptively', 'disruptiveness', 'disruptivenesses', + 'disrupts', + 'diss', 'dissatisfaction', 'dissatisfactions', 'dissatisfactory', @@ -17294,16 +43045,38 @@ export const scrabble_array = [ 'dissatisfies', 'dissatisfy', 'dissatisfying', + 'dissave', + 'dissaved', + 'dissaves', + 'dissaving', + 'disseat', + 'disseated', 'disseating', + 'disseats', + 'dissect', + 'dissected', 'dissecting', 'dissection', 'dissections', + 'dissector', 'dissectors', + 'dissects', + 'dissed', + 'disseise', + 'disseised', + 'disseises', + 'disseisin', 'disseising', 'disseisins', + 'disseisor', 'disseisors', + 'disseize', + 'disseized', + 'disseizes', + 'disseizin', 'disseizing', 'disseizins', + 'dissemble', 'dissembled', 'dissembler', 'dissemblers', @@ -17321,7 +43094,11 @@ export const scrabble_array = [ 'disseminules', 'dissension', 'dissensions', + 'dissensus', 'dissensuses', + 'dissent', + 'dissented', + 'dissenter', 'dissenters', 'dissentient', 'dissentients', @@ -17329,8 +43106,10 @@ export const scrabble_array = [ 'dissention', 'dissentions', 'dissentious', + 'dissents', 'dissepiment', 'dissepiments', + 'dissert', 'dissertate', 'dissertated', 'dissertates', @@ -17340,19 +43119,28 @@ export const scrabble_array = [ 'dissertations', 'dissertator', 'dissertators', + 'disserted', 'disserting', + 'disserts', + 'disserve', + 'disserved', + 'disserves', 'disservice', 'disserviceable', 'disservices', 'disserving', + 'disses', + 'dissever', 'disseverance', 'disseverances', 'dissevered', 'dissevering', 'disseverment', 'disseverments', + 'dissevers', 'dissidence', 'dissidences', + 'dissident', 'dissidents', 'dissimilar', 'dissimilarities', @@ -17376,6 +43164,8 @@ export const scrabble_array = [ 'dissimulations', 'dissimulator', 'dissimulators', + 'dissing', + 'dissipate', 'dissipated', 'dissipatedly', 'dissipatedness', @@ -17390,6 +43180,7 @@ export const scrabble_array = [ 'dissociabilities', 'dissociability', 'dissociable', + 'dissocial', 'dissociate', 'dissociated', 'dissociates', @@ -17398,20 +43189,30 @@ export const scrabble_array = [ 'dissociations', 'dissociative', 'dissoluble', + 'dissolute', 'dissolutely', 'dissoluteness', 'dissolutenesses', 'dissolution', 'dissolutions', 'dissolvable', + 'dissolve', + 'dissolved', 'dissolvent', 'dissolvents', + 'dissolver', 'dissolvers', + 'dissolves', 'dissolving', 'dissonance', 'dissonances', + 'dissonant', 'dissonantly', + 'dissuade', + 'dissuaded', + 'dissuader', 'dissuaders', + 'dissuades', 'dissuading', 'dissuasion', 'dissuasions', @@ -17424,40 +43225,70 @@ export const scrabble_array = [ 'dissymmetric', 'dissymmetries', 'dissymmetry', + 'distaff', + 'distaffs', + 'distain', + 'distained', 'distaining', + 'distains', + 'distal', + 'distally', + 'distance', + 'distanced', + 'distances', 'distancing', + 'distant', + 'distantly', 'distantness', 'distantnesses', + 'distaste', + 'distasted', 'distasteful', 'distastefully', 'distastefulness', 'distastefulnesses', + 'distastes', 'distasting', + 'distaves', 'distelfink', 'distelfinks', + 'distemper', 'distemperate', 'distemperature', 'distemperatures', 'distempered', 'distempering', 'distempers', + 'distend', + 'distended', 'distending', + 'distends', 'distensibilities', 'distensibility', 'distensible', 'distension', 'distensions', + 'distent', 'distention', 'distentions', + 'distich', 'distichous', + 'distichs', + 'distil', + 'distill', 'distillate', 'distillates', 'distillation', 'distillations', + 'distilled', + 'distiller', 'distilleries', 'distillers', 'distillery', 'distilling', + 'distills', + 'distils', + 'distinct', 'distincter', 'distinctest', 'distinction', @@ -17469,6 +43300,7 @@ export const scrabble_array = [ 'distinctly', 'distinctness', 'distinctnesses', + 'distingue', 'distinguish', 'distinguishabilities', 'distinguishability', @@ -17477,11 +43309,18 @@ export const scrabble_array = [ 'distinguished', 'distinguishes', 'distinguishing', + 'distome', + 'distomes', + 'distort', + 'distorted', + 'distorter', 'distorters', 'distorting', 'distortion', 'distortional', 'distortions', + 'distorts', + 'distract', 'distractable', 'distracted', 'distractedly', @@ -17493,6 +43332,8 @@ export const scrabble_array = [ 'distraction', 'distractions', 'distractive', + 'distracts', + 'distrain', 'distrainable', 'distrained', 'distrainer', @@ -17500,9 +43341,14 @@ export const scrabble_array = [ 'distraining', 'distrainor', 'distrainors', + 'distrains', + 'distraint', 'distraints', + 'distrait', + 'distraite', 'distraught', 'distraughtly', + 'distress', 'distressed', 'distresses', 'distressful', @@ -17530,61 +43376,160 @@ export const scrabble_array = [ 'distributors', 'distributorship', 'distributorships', + 'district', 'districted', 'districting', + 'districts', + 'distrust', 'distrusted', 'distrustful', 'distrustfully', 'distrustfulness', 'distrustfulnesses', 'distrusting', + 'distrusts', + 'disturb', 'disturbance', 'disturbances', + 'disturbed', + 'disturber', 'disturbers', 'disturbing', 'disturbingly', + 'disturbs', 'disubstituted', + 'disulfid', + 'disulfide', 'disulfides', + 'disulfids', 'disulfiram', 'disulfirams', 'disulfoton', 'disulfotons', + 'disunion', 'disunionist', 'disunionists', + 'disunions', + 'disunite', + 'disunited', + 'disunites', 'disunities', 'disuniting', + 'disunity', + 'disuse', + 'disused', + 'disuses', + 'disusing', 'disutilities', 'disutility', + 'disvalue', + 'disvalued', + 'disvalues', 'disvaluing', 'disyllabic', 'disyllable', 'disyllables', + 'disyoke', + 'disyoked', + 'disyokes', + 'disyoking', + 'dit', + 'dita', + 'ditas', + 'ditch', 'ditchdigger', 'ditchdiggers', + 'ditched', + 'ditcher', + 'ditchers', + 'ditches', + 'ditching', + 'dite', + 'dites', + 'ditheism', + 'ditheisms', + 'ditheist', + 'ditheists', + 'dither', + 'dithered', + 'ditherer', + 'ditherers', + 'dithering', + 'dithers', + 'dithery', 'dithiocarbamate', 'dithiocarbamates', + 'dithiol', + 'dithyramb', 'dithyrambic', 'dithyrambically', 'dithyrambs', 'ditransitive', 'ditransitives', + 'dits', + 'ditsier', + 'ditsiest', + 'ditsy', + 'dittanies', + 'dittany', + 'ditties', + 'ditto', + 'dittoed', + 'dittoing', + 'dittos', + 'ditty', + 'ditz', + 'ditzes', + 'ditzier', + 'ditziest', + 'ditzy', + 'diureses', + 'diuresis', + 'diuretic', 'diuretically', + 'diuretics', + 'diurnal', + 'diurnally', + 'diurnals', + 'diuron', + 'diurons', + 'diva', + 'divagate', + 'divagated', + 'divagates', 'divagating', 'divagation', 'divagations', + 'divalent', + 'divan', + 'divans', 'divaricate', 'divaricated', 'divaricates', 'divaricating', 'divarication', 'divarications', + 'divas', + 'dive', + 'divebomb', 'divebombed', 'divebombing', + 'divebombs', + 'dived', + 'diver', + 'diverge', + 'diverged', 'divergence', 'divergences', 'divergencies', 'divergency', + 'divergent', 'divergently', + 'diverges', + 'diverging', + 'divers', + 'diverse', + 'diversely', 'diverseness', 'diversenesses', 'diversification', @@ -17593,12 +43538,19 @@ export const scrabble_array = [ 'diversifier', 'diversifiers', 'diversifies', + 'diversify', 'diversifying', + 'diversion', 'diversionary', 'diversionist', 'diversionists', 'diversions', 'diversities', + 'diversity', + 'divert', + 'diverted', + 'diverter', + 'diverters', 'diverticula', 'diverticular', 'diverticulites', @@ -17612,54 +43564,207 @@ export const scrabble_array = [ 'divertimenti', 'divertimento', 'divertimentos', + 'diverting', 'divertissement', 'divertissements', + 'diverts', + 'dives', + 'divest', + 'divested', + 'divesting', 'divestiture', 'divestitures', 'divestment', 'divestments', + 'divests', + 'dividable', + 'divide', + 'divided', + 'dividedly', 'dividedness', 'dividednesses', + 'dividend', 'dividendless', + 'dividends', + 'divider', + 'dividers', + 'divides', + 'dividing', + 'dividual', 'divination', 'divinations', 'divinatory', + 'divine', + 'divined', + 'divinely', + 'diviner', + 'diviners', + 'divines', + 'divinest', + 'diving', + 'divining', + 'divinise', + 'divinised', + 'divinises', 'divinising', 'divinities', + 'divinity', + 'divinize', + 'divinized', + 'divinizes', 'divinizing', 'divisibilities', 'divisibility', + 'divisible', + 'division', 'divisional', 'divisionism', 'divisionisms', 'divisionist', 'divisionists', + 'divisions', + 'divisive', 'divisively', 'divisiveness', 'divisivenesses', + 'divisor', + 'divisors', + 'divorce', + 'divorced', + 'divorcee', + 'divorcees', 'divorcement', 'divorcements', + 'divorcer', + 'divorcers', + 'divorces', + 'divorcing', + 'divot', + 'divots', + 'divulge', + 'divulged', 'divulgence', 'divulgences', + 'divulger', + 'divulgers', + 'divulges', + 'divulging', + 'divvied', + 'divvies', + 'divvy', + 'divvying', + 'diwan', + 'diwans', + 'dixit', + 'dixits', + 'dizen', + 'dizened', + 'dizening', + 'dizens', + 'dizygotic', + 'dizygous', + 'dizzied', + 'dizzier', + 'dizzies', + 'dizziest', + 'dizzily', + 'dizziness', 'dizzinesses', + 'dizzy', + 'dizzying', 'dizzyingly', + 'djebel', + 'djebels', + 'djellaba', + 'djellabah', 'djellabahs', + 'djellabas', + 'djin', + 'djinn', + 'djinni', + 'djinns', + 'djinny', + 'djins', + 'do', + 'doable', + 'doat', + 'doated', + 'doating', + 'doats', + 'dobber', + 'dobbers', + 'dobbies', + 'dobbin', + 'dobbins', + 'dobby', + 'dobie', + 'dobies', + 'dobla', + 'doblas', + 'doblon', + 'doblones', + 'doblons', + 'dobra', + 'dobras', + 'dobson', 'dobsonflies', + 'dobsonfly', + 'dobsons', + 'doby', + 'doc', + 'docent', + 'docents', + 'docetic', + 'docile', + 'docilely', 'docilities', + 'docility', + 'dock', + 'dockage', + 'dockages', + 'docked', + 'docker', + 'dockers', + 'docket', + 'docketed', + 'docketing', + 'dockets', + 'dockhand', + 'dockhands', + 'docking', + 'dockland', + 'docklands', 'dockmaster', 'dockmasters', + 'docks', + 'dockside', + 'docksides', 'dockworker', 'dockworkers', + 'dockyard', + 'dockyards', + 'docs', + 'doctor', + 'doctoral', + 'doctorate', 'doctorates', + 'doctored', + 'doctoring', 'doctorless', + 'doctors', 'doctorship', 'doctorships', 'doctrinaire', 'doctrinaires', 'doctrinairism', 'doctrinairisms', + 'doctrinal', 'doctrinally', + 'doctrine', + 'doctrines', + 'docudrama', 'docudramas', + 'document', 'documentable', 'documental', 'documentalist', @@ -17678,6 +43783,15 @@ export const scrabble_array = [ 'documenter', 'documenters', 'documenting', + 'documents', + 'dodder', + 'doddered', + 'dodderer', + 'dodderers', + 'doddering', + 'dodders', + 'doddery', + 'dodecagon', 'dodecagons', 'dodecahedra', 'dodecahedral', @@ -17689,65 +43803,264 @@ export const scrabble_array = [ 'dodecaphonist', 'dodecaphonists', 'dodecaphony', + 'dodge', + 'dodgeball', 'dodgeballs', + 'dodged', + 'dodgem', + 'dodgems', + 'dodger', + 'dodgeries', + 'dodgers', + 'dodgery', + 'dodges', + 'dodgier', + 'dodgiest', + 'dodginess', 'dodginesses', + 'dodging', + 'dodgy', + 'dodo', + 'dodoes', + 'dodoism', + 'dodoisms', + 'dodos', + 'doe', + 'doer', + 'doers', + 'does', + 'doeskin', + 'doeskins', + 'doest', + 'doeth', + 'doff', + 'doffed', + 'doffer', + 'doffers', + 'doffing', + 'doffs', + 'dog', + 'dogbane', + 'dogbanes', 'dogberries', + 'dogberry', + 'dogcart', + 'dogcarts', 'dogcatcher', 'dogcatchers', + 'dogdom', + 'dogdoms', + 'doge', + 'dogear', + 'dogeared', + 'dogearing', + 'dogears', + 'dogedom', + 'dogedoms', + 'doges', + 'dogeship', + 'dogeships', + 'dogey', + 'dogeys', + 'dogface', + 'dogfaces', + 'dogfight', 'dogfighting', + 'dogfights', + 'dogfish', + 'dogfishes', + 'dogfought', + 'dogged', + 'doggedly', 'doggedness', 'doggednesses', + 'dogger', + 'doggerel', + 'doggerels', + 'doggeries', + 'doggers', + 'doggery', + 'doggie', + 'doggier', + 'doggies', + 'doggiest', + 'dogging', + 'doggish', + 'doggishly', 'doggishness', 'doggishnesses', + 'doggo', + 'doggone', + 'doggoned', 'doggoneder', 'doggonedest', + 'doggoner', + 'doggones', + 'doggonest', + 'doggoning', + 'doggrel', + 'doggrels', + 'doggy', + 'doghouse', + 'doghouses', + 'dogie', + 'dogies', + 'dogleg', + 'doglegged', 'doglegging', + 'doglegs', + 'doglike', + 'dogma', + 'dogmas', + 'dogmata', + 'dogmatic', 'dogmatical', 'dogmatically', 'dogmaticalness', 'dogmaticalnesses', + 'dogmatics', + 'dogmatism', 'dogmatisms', + 'dogmatist', 'dogmatists', 'dogmatization', 'dogmatizations', + 'dogmatize', 'dogmatized', 'dogmatizer', 'dogmatizers', 'dogmatizes', 'dogmatizing', + 'dognap', + 'dognaped', + 'dognaper', + 'dognapers', + 'dognaping', + 'dognapped', + 'dognapper', 'dognappers', 'dognapping', + 'dognaps', + 'dogs', 'dogsbodies', + 'dogsbody', + 'dogsled', 'dogsledded', 'dogsledder', 'dogsledders', 'dogsledding', + 'dogsleds', + 'dogteeth', + 'dogtooth', + 'dogtrot', + 'dogtrots', 'dogtrotted', 'dogtrotting', + 'dogvane', + 'dogvanes', + 'dogwatch', 'dogwatches', + 'dogwood', + 'dogwoods', + 'dogy', + 'doiled', + 'doilies', + 'doily', + 'doing', + 'doings', + 'doit', + 'doited', + 'doits', + 'dojo', + 'dojos', + 'dol', + 'dolce', + 'dolci', + 'doldrums', + 'dole', + 'doled', + 'doleful', 'dolefuller', 'dolefullest', + 'dolefully', 'dolefulness', 'dolefulnesses', + 'dolerite', + 'dolerites', + 'doleritic', + 'doles', + 'dolesome', 'dolichocephalic', 'dolichocephalies', 'dolichocephaly', + 'doling', + 'doll', + 'dollar', + 'dollars', + 'dolled', + 'dollhouse', 'dollhouses', + 'dollied', + 'dollies', + 'dolling', + 'dollish', + 'dollishly', 'dollishness', 'dollishnesses', + 'dollop', + 'dolloped', + 'dolloping', + 'dollops', + 'dolls', + 'dolly', + 'dollying', + 'dolma', + 'dolmades', + 'dolman', + 'dolmans', + 'dolmas', + 'dolmen', + 'dolmens', + 'dolomite', + 'dolomites', + 'dolomitic', 'dolomitization', 'dolomitizations', 'dolomitize', 'dolomitized', 'dolomitizes', 'dolomitizing', + 'dolor', + 'doloroso', + 'dolorous', 'dolorously', 'dolorousness', 'dolorousnesses', + 'dolors', + 'dolour', + 'dolours', + 'dolphin', 'dolphinfish', 'dolphinfishes', + 'dolphins', + 'dols', + 'dolt', + 'doltish', + 'doltishly', 'doltishness', 'doltishnesses', + 'dolts', + 'dom', + 'domain', + 'domains', + 'domal', + 'dome', + 'domed', + 'domelike', + 'domes', + 'domesday', + 'domesdays', + 'domestic', 'domestically', 'domesticate', 'domesticated', @@ -17757,6 +44070,13 @@ export const scrabble_array = [ 'domestications', 'domesticities', 'domesticity', + 'domestics', + 'domic', + 'domical', + 'domicil', + 'domicile', + 'domiciled', + 'domiciles', 'domiciliary', 'domiciliate', 'domiciliated', @@ -17765,50 +44085,263 @@ export const scrabble_array = [ 'domiciliation', 'domiciliations', 'domiciling', + 'domicils', + 'dominance', 'dominances', + 'dominant', 'dominantly', + 'dominants', + 'dominate', + 'dominated', + 'dominates', 'dominating', 'domination', 'dominations', 'dominative', + 'dominator', 'dominators', 'dominatrices', 'dominatrix', 'dominatrixes', + 'domine', + 'domineer', 'domineered', 'domineering', 'domineeringly', 'domineeringness', 'domineeringnesses', + 'domineers', + 'domines', + 'doming', + 'dominical', + 'dominick', 'dominicker', 'dominickers', + 'dominicks', + 'dominie', + 'dominies', + 'dominion', + 'dominions', + 'dominique', 'dominiques', + 'dominium', + 'dominiums', + 'domino', + 'dominoes', + 'dominos', + 'doms', + 'don', + 'dona', + 'donas', + 'donate', + 'donated', + 'donates', + 'donating', + 'donation', + 'donations', + 'donative', + 'donatives', + 'donator', + 'donators', + 'done', + 'donee', + 'donees', + 'doneness', 'donenesses', + 'dong', + 'donga', + 'dongas', + 'dongola', + 'dongolas', + 'dongs', + 'donjon', + 'donjons', + 'donkey', + 'donkeys', 'donkeywork', 'donkeyworks', + 'donna', + 'donnas', + 'donne', + 'donned', + 'donnee', + 'donnees', + 'donnerd', + 'donnered', + 'donnert', + 'donnicker', 'donnickers', + 'donniker', + 'donnikers', + 'donning', + 'donnish', + 'donnishly', 'donnishness', 'donnishnesses', 'donnybrook', 'donnybrooks', + 'donor', + 'donors', + 'dons', + 'donsie', + 'donsy', + 'donut', + 'donuts', + 'donzel', + 'donzels', + 'doodad', + 'doodads', + 'doodle', + 'doodlebug', 'doodlebugs', + 'doodled', + 'doodler', + 'doodlers', + 'doodles', + 'doodling', + 'doofus', + 'doofuses', + 'doohickey', 'doohickeys', 'doohickies', + 'doolee', + 'doolees', + 'doolie', + 'doolies', + 'dooly', + 'doom', + 'doomed', + 'doomful', + 'doomfully', + 'doomily', + 'dooming', + 'dooms', + 'doomsayer', 'doomsayers', 'doomsaying', 'doomsayings', + 'doomsday', 'doomsdayer', 'doomsdayers', + 'doomsdays', + 'doomster', + 'doomsters', + 'doomy', + 'door', + 'doorbell', + 'doorbells', + 'doorjamb', + 'doorjambs', 'doorkeeper', 'doorkeepers', + 'doorknob', + 'doorknobs', + 'doorless', + 'doorman', + 'doormat', + 'doormats', + 'doormen', + 'doornail', + 'doornails', + 'doorplate', 'doorplates', + 'doorpost', + 'doorposts', + 'doors', + 'doorsill', + 'doorsills', + 'doorstep', + 'doorsteps', + 'doorstop', + 'doorstops', + 'doorway', + 'doorways', + 'dooryard', + 'dooryards', + 'doozer', + 'doozers', + 'doozie', + 'doozies', + 'doozy', + 'dopa', + 'dopamine', 'dopaminergic', + 'dopamines', + 'dopant', + 'dopants', + 'dopas', + 'dope', + 'doped', + 'dopehead', + 'dopeheads', + 'doper', + 'dopers', + 'dopes', + 'dopester', + 'dopesters', + 'dopey', + 'dopier', + 'dopiest', + 'dopiness', 'dopinesses', + 'doping', 'doppelganger', 'doppelgangers', + 'dopy', + 'dor', + 'dorado', + 'dorados', + 'dorbug', + 'dorbugs', + 'dore', + 'dorhawk', + 'dorhawks', + 'dories', + 'dork', + 'dorkier', + 'dorkiest', + 'dorks', + 'dorky', + 'dorm', 'dormancies', + 'dormancy', + 'dormant', + 'dormer', + 'dormers', + 'dormice', + 'dormie', + 'dormient', + 'dormin', + 'dormins', 'dormitories', + 'dormitory', + 'dormouse', + 'dorms', + 'dormy', + 'dorneck', + 'dornecks', + 'dornick', + 'dornicks', + 'dornock', + 'dornocks', + 'doronicum', 'doronicums', + 'dorp', + 'dorper', + 'dorpers', + 'dorps', + 'dorr', + 'dorrs', + 'dors', + 'dorsa', + 'dorsad', + 'dorsal', + 'dorsally', + 'dorsals', + 'dorsel', + 'dorsels', + 'dorser', + 'dorsers', 'dorsiventral', 'dorsiventralities', 'dorsiventrality', @@ -17818,120 +44351,517 @@ export const scrabble_array = [ 'dorsoventralities', 'dorsoventrality', 'dorsoventrally', + 'dorsum', + 'dorty', + 'dory', + 'dos', + 'dosage', + 'dosages', + 'dose', + 'dosed', + 'doser', + 'dosers', + 'doses', + 'dosimeter', 'dosimeters', 'dosimetric', 'dosimetries', + 'dosimetry', + 'dosing', + 'doss', + 'dossal', + 'dossals', + 'dossed', + 'dossel', + 'dossels', + 'dosser', + 'dosseret', + 'dosserets', + 'dossers', + 'dosses', + 'dossier', + 'dossiers', + 'dossil', + 'dossils', + 'dossing', + 'dost', + 'dot', + 'dotage', + 'dotages', + 'dotal', + 'dotard', + 'dotardly', + 'dotards', + 'dotation', + 'dotations', + 'dote', + 'doted', + 'doter', + 'doters', + 'dotes', + 'doth', + 'dotier', + 'dotiest', + 'doting', + 'dotingly', + 'dots', + 'dotted', + 'dottel', + 'dottels', + 'dotter', + 'dotterel', + 'dotterels', + 'dotters', + 'dottier', + 'dottiest', + 'dottily', + 'dottiness', 'dottinesses', + 'dotting', + 'dottle', + 'dottles', + 'dottrel', + 'dottrels', + 'dotty', + 'doty', + 'double', + 'doubled', 'doubleheader', 'doubleheaders', 'doubleness', 'doublenesses', + 'doubler', + 'doublers', + 'doubles', 'doublespeak', 'doublespeaker', 'doublespeakers', 'doublespeaks', + 'doublet', 'doublethink', 'doublethinks', + 'doubleton', 'doubletons', + 'doublets', + 'doubling', + 'doubloon', + 'doubloons', + 'doublure', + 'doublures', + 'doubly', + 'doubt', + 'doubtable', + 'doubted', + 'doubter', + 'doubters', + 'doubtful', 'doubtfully', 'doubtfulness', 'doubtfulnesses', + 'doubting', 'doubtingly', + 'doubtless', 'doubtlessly', 'doubtlessness', 'doubtlessnesses', + 'doubts', + 'douce', + 'doucely', + 'douceur', + 'douceurs', + 'douche', + 'douched', + 'douches', + 'douching', + 'dough', + 'doughboy', + 'doughboys', + 'doughface', 'doughfaces', + 'doughier', + 'doughiest', + 'doughlike', + 'doughnut', 'doughnutlike', + 'doughnuts', + 'doughs', + 'dought', + 'doughtier', 'doughtiest', + 'doughtily', 'doughtiness', 'doughtinesses', + 'doughty', + 'doughy', + 'doum', + 'douma', + 'doumas', + 'doums', + 'doupioni', + 'doupionis', + 'dour', + 'doura', + 'dourah', + 'dourahs', + 'douras', + 'dourer', + 'dourest', + 'dourine', + 'dourines', + 'dourly', + 'dourness', 'dournesses', 'douroucouli', 'douroucoulis', + 'douse', + 'doused', + 'douser', + 'dousers', + 'douses', + 'dousing', + 'doux', + 'douzeper', + 'douzepers', + 'dove', + 'dovecot', + 'dovecote', + 'dovecotes', + 'dovecots', + 'dovekey', + 'dovekeys', + 'dovekie', + 'dovekies', + 'dovelike', + 'doven', + 'dovened', + 'dovening', + 'dovens', + 'doves', + 'dovetail', 'dovetailed', 'dovetailing', + 'dovetails', + 'dovish', 'dovishness', 'dovishnesses', + 'dow', + 'dowable', + 'dowager', + 'dowagers', + 'dowdier', + 'dowdies', + 'dowdiest', + 'dowdily', + 'dowdiness', 'dowdinesses', + 'dowdy', + 'dowdyish', + 'dowed', + 'dowel', + 'doweled', + 'doweling', + 'dowelled', + 'dowelling', + 'dowels', + 'dower', + 'dowered', + 'doweries', + 'dowering', + 'dowers', + 'dowery', + 'dowie', + 'dowing', + 'dowitcher', 'dowitchers', + 'down', + 'downbeat', + 'downbeats', + 'downburst', 'downbursts', + 'downcast', + 'downcasts', + 'downcome', + 'downcomes', + 'downcourt', + 'downdraft', 'downdrafts', + 'downed', + 'downer', + 'downers', + 'downfall', 'downfallen', + 'downfalls', + 'downfield', + 'downgrade', 'downgraded', 'downgrades', 'downgrading', + 'downhaul', + 'downhauls', 'downhearted', 'downheartedly', 'downheartedness', 'downheartednesses', + 'downhill', 'downhiller', 'downhillers', + 'downhills', + 'downier', + 'downiest', + 'downing', + 'downland', + 'downlands', + 'downlink', + 'downlinks', + 'download', 'downloadable', 'downloaded', 'downloading', + 'downloads', + 'downpipe', + 'downpipes', + 'downplay', 'downplayed', 'downplaying', + 'downplays', + 'downpour', + 'downpours', + 'downrange', + 'downright', 'downrightly', 'downrightness', 'downrightnesses', + 'downriver', + 'downs', + 'downscale', 'downscaled', 'downscales', 'downscaling', + 'downshift', 'downshifted', 'downshifting', 'downshifts', + 'downside', + 'downsides', + 'downsize', + 'downsized', + 'downsizes', 'downsizing', + 'downslide', 'downslides', + 'downslope', + 'downspout', 'downspouts', + 'downstage', 'downstages', 'downstairs', + 'downstate', 'downstater', 'downstaters', 'downstates', 'downstream', 'downstroke', 'downstrokes', + 'downswing', 'downswings', + 'downtick', + 'downticks', + 'downtime', + 'downtimes', + 'downtown', 'downtowner', 'downtowners', + 'downtowns', + 'downtrend', 'downtrends', + 'downtrod', 'downtrodden', + 'downturn', + 'downturns', + 'downward', 'downwardly', 'downwardness', 'downwardnesses', + 'downwards', + 'downwash', 'downwashes', + 'downwind', + 'downy', + 'dowries', + 'dowry', + 'dows', + 'dowsabel', + 'dowsabels', + 'dowse', + 'dowsed', + 'dowser', + 'dowsers', + 'dowses', + 'dowsing', + 'doxie', + 'doxies', 'doxologies', + 'doxology', 'doxorubicin', 'doxorubicins', + 'doxy', 'doxycycline', 'doxycyclines', + 'doyen', + 'doyenne', + 'doyennes', + 'doyens', + 'doyley', + 'doyleys', + 'doylies', + 'doyly', + 'doze', + 'dozed', + 'dozen', + 'dozened', + 'dozening', + 'dozens', + 'dozenth', + 'dozenths', + 'dozer', + 'dozers', + 'dozes', + 'dozier', + 'doziest', + 'dozily', + 'doziness', 'dozinesses', + 'dozing', + 'dozy', + 'drab', + 'drabbed', + 'drabber', + 'drabbest', + 'drabbet', + 'drabbets', + 'drabbing', + 'drabble', + 'drabbled', + 'drabbles', + 'drabbling', + 'drably', + 'drabness', 'drabnesses', + 'drabs', + 'dracaena', + 'dracaenas', + 'drachm', + 'drachma', + 'drachmae', + 'drachmai', + 'drachmas', + 'drachms', + 'draconian', + 'draconic', + 'draff', + 'draffier', + 'draffiest', + 'draffish', + 'draffs', + 'draffy', + 'draft', + 'draftable', + 'drafted', + 'draftee', + 'draftees', + 'drafter', + 'drafters', + 'draftier', + 'draftiest', + 'draftily', 'draftiness', 'draftinesses', + 'drafting', + 'draftings', + 'drafts', + 'draftsman', 'draftsmanship', 'draftsmanships', + 'draftsmen', 'draftsperson', 'draftspersons', + 'drafty', + 'drag', + 'dragee', + 'dragees', + 'dragged', + 'dragger', + 'draggers', + 'draggier', + 'draggiest', + 'dragging', 'draggingly', + 'draggle', + 'draggled', + 'draggles', + 'draggling', + 'draggy', + 'dragline', + 'draglines', + 'dragnet', + 'dragnets', + 'dragoman', + 'dragomans', + 'dragomen', + 'dragon', + 'dragonet', + 'dragonets', 'dragonflies', + 'dragonfly', 'dragonhead', 'dragonheads', + 'dragonish', + 'dragons', + 'dragoon', + 'dragooned', 'dragooning', + 'dragoons', + 'dragrope', + 'dragropes', + 'drags', + 'dragster', + 'dragsters', + 'drail', + 'drails', + 'drain', + 'drainage', + 'drainages', + 'drained', + 'drainer', + 'drainers', + 'draining', + 'drainpipe', 'drainpipes', + 'drains', + 'drake', + 'drakes', + 'dram', + 'drama', + 'dramas', + 'dramatic', 'dramatically', + 'dramatics', 'dramatisation', 'dramatisations', + 'dramatise', 'dramatised', 'dramatises', 'dramatising', + 'dramatist', 'dramatists', 'dramatizable', 'dramatization', 'dramatizations', + 'dramatize', 'dramatized', 'dramatizes', 'dramatizing', + 'dramaturg', 'dramaturge', 'dramaturges', 'dramaturgic', @@ -17940,133 +44870,783 @@ export const scrabble_array = [ 'dramaturgies', 'dramaturgs', 'dramaturgy', + 'dramedies', + 'dramedy', + 'drammed', + 'dramming', + 'drammock', + 'drammocks', + 'drams', + 'dramshop', + 'dramshops', + 'drank', 'drapabilities', 'drapability', + 'drapable', + 'drape', 'drapeabilities', 'drapeability', + 'drapeable', + 'draped', + 'draper', + 'draperies', + 'drapers', + 'drapery', + 'drapes', + 'drapey', + 'draping', + 'drastic', 'drastically', + 'drat', + 'drats', + 'dratted', + 'dratting', + 'draught', + 'draughted', 'draughtier', 'draughtiest', 'draughting', + 'draughts', 'draughtsman', 'draughtsmen', + 'draughty', + 'drave', + 'draw', + 'drawable', + 'drawback', + 'drawbacks', + 'drawbar', + 'drawbars', + 'drawbore', + 'drawbores', 'drawbridge', 'drawbridges', + 'drawdown', + 'drawdowns', + 'drawee', + 'drawees', + 'drawer', + 'drawerful', 'drawerfuls', + 'drawers', + 'drawing', + 'drawings', + 'drawknife', 'drawknives', + 'drawl', + 'drawled', + 'drawler', + 'drawlers', + 'drawlier', + 'drawliest', + 'drawling', 'drawlingly', + 'drawls', + 'drawly', + 'drawn', + 'drawnwork', 'drawnworks', + 'drawplate', 'drawplates', + 'draws', + 'drawshave', 'drawshaves', 'drawstring', 'drawstrings', + 'drawtube', + 'drawtubes', + 'dray', + 'drayage', + 'drayages', + 'drayed', + 'draying', + 'drayman', + 'draymen', + 'drays', + 'dread', + 'dreaded', + 'dreadful', 'dreadfully', 'dreadfulness', 'dreadfulnesses', + 'dreadfuls', + 'dreading', + 'dreadlock', 'dreadlocks', 'dreadnought', 'dreadnoughts', + 'dreads', + 'dream', + 'dreamed', + 'dreamer', + 'dreamers', + 'dreamful', 'dreamfully', 'dreamfulness', 'dreamfulnesses', + 'dreamier', + 'dreamiest', + 'dreamily', 'dreaminess', 'dreaminesses', + 'dreaming', + 'dreamland', 'dreamlands', + 'dreamless', 'dreamlessly', 'dreamlessness', 'dreamlessnesses', + 'dreamlike', + 'dreams', + 'dreamt', + 'dreamtime', 'dreamtimes', 'dreamworld', 'dreamworlds', + 'dreamy', + 'drear', + 'drearier', + 'drearies', + 'dreariest', + 'drearily', 'dreariness', 'drearinesses', + 'drears', + 'dreary', + 'dreck', + 'drecks', + 'drecky', + 'dredge', + 'dredged', + 'dredger', + 'dredgers', + 'dredges', + 'dredging', + 'dredgings', + 'dree', + 'dreed', + 'dreeing', + 'drees', + 'dreg', + 'dreggier', + 'dreggiest', + 'dreggish', + 'dreggy', + 'dregs', + 'dreich', + 'dreidel', + 'dreidels', + 'dreidl', + 'dreidls', + 'dreigh', + 'drek', + 'dreks', + 'drench', + 'drenched', + 'drencher', + 'drenchers', + 'drenches', + 'drenching', + 'dress', + 'dressage', + 'dressages', + 'dressed', + 'dresser', + 'dressers', + 'dresses', + 'dressier', + 'dressiest', + 'dressily', 'dressiness', 'dressinesses', + 'dressing', + 'dressings', 'dressmaker', 'dressmakers', 'dressmaking', 'dressmakings', + 'dressy', + 'drest', + 'drew', + 'drib', + 'dribbed', + 'dribbing', + 'dribble', + 'dribbled', + 'dribbler', + 'dribblers', + 'dribbles', + 'dribblet', + 'dribblets', + 'dribbling', + 'dribbly', + 'driblet', + 'driblets', + 'dribs', + 'dried', + 'driegh', + 'drier', + 'driers', + 'dries', + 'driest', + 'drift', + 'driftage', + 'driftages', + 'drifted', + 'drifter', + 'drifters', + 'driftier', + 'driftiest', + 'drifting', 'driftingly', + 'driftpin', + 'driftpins', + 'drifts', + 'driftwood', 'driftwoods', + 'drifty', + 'drill', 'drillabilities', 'drillability', + 'drillable', + 'drilled', + 'driller', + 'drillers', + 'drilling', + 'drillings', 'drillmaster', 'drillmasters', + 'drills', + 'drily', + 'drink', 'drinkabilities', 'drinkability', + 'drinkable', 'drinkables', + 'drinker', + 'drinkers', + 'drinking', + 'drinks', + 'drip', + 'dripless', + 'dripped', + 'dripper', + 'drippers', + 'drippier', + 'drippiest', + 'dripping', + 'drippings', + 'drippy', + 'drips', + 'dripstone', 'dripstones', + 'dript', 'drivabilities', 'drivability', + 'drivable', + 'drive', 'driveabilities', 'driveability', + 'driveable', + 'drivel', + 'driveled', + 'driveler', + 'drivelers', + 'driveline', 'drivelines', + 'driveling', + 'drivelled', 'drivelling', + 'drivels', + 'driven', 'drivenness', 'drivennesses', + 'driver', 'driverless', + 'drivers', + 'drives', 'driveshaft', 'driveshafts', 'drivetrain', 'drivetrains', + 'driveway', + 'driveways', + 'driving', + 'drivings', + 'drizzle', + 'drizzled', + 'drizzles', + 'drizzlier', 'drizzliest', + 'drizzling', 'drizzlingly', + 'drizzly', + 'drogue', + 'drogues', + 'droit', + 'droits', + 'droll', + 'drolled', + 'droller', 'drolleries', + 'drollery', + 'drollest', + 'drolling', + 'drollness', 'drollnesses', + 'drolls', + 'drolly', 'dromedaries', + 'dromedary', + 'dromon', + 'dromond', + 'dromonds', + 'dromons', + 'drone', + 'droned', + 'droner', + 'droners', + 'drones', + 'drongo', + 'drongos', + 'droning', + 'droningly', + 'dronish', + 'drool', + 'drooled', + 'drooling', + 'drools', + 'droop', + 'drooped', + 'droopier', + 'droopiest', + 'droopily', + 'drooping', 'droopingly', + 'droops', + 'droopy', + 'drop', + 'dropcloth', 'dropcloths', + 'drophead', + 'dropheads', + 'dropkick', 'dropkicker', 'dropkickers', + 'dropkicks', + 'droplet', + 'droplets', + 'droplight', 'droplights', + 'dropout', + 'dropouts', + 'droppable', + 'dropped', + 'dropper', 'dropperful', 'dropperfuls', + 'droppers', 'droppersful', + 'dropping', + 'droppings', + 'drops', + 'dropshot', + 'dropshots', + 'dropsical', + 'dropsied', + 'dropsies', + 'dropsy', + 'dropt', + 'dropwort', + 'dropworts', + 'drosera', + 'droseras', + 'droshkies', + 'droshky', + 'droskies', + 'drosky', 'drosophila', 'drosophilas', + 'dross', + 'drosses', + 'drossier', + 'drossiest', + 'drossy', + 'drought', 'droughtier', 'droughtiest', 'droughtiness', 'droughtinesses', + 'droughts', + 'droughty', + 'drouk', + 'drouked', + 'drouking', + 'drouks', + 'drouth', + 'drouthier', 'drouthiest', + 'drouths', + 'drouthy', + 'drove', + 'droved', + 'drover', + 'drovers', + 'droves', + 'droving', + 'drown', + 'drownd', + 'drownded', + 'drownding', + 'drownds', + 'drowned', + 'drowner', + 'drowners', + 'drowning', + 'drowns', + 'drowse', + 'drowsed', + 'drowses', + 'drowsier', + 'drowsiest', + 'drowsily', 'drowsiness', 'drowsinesses', + 'drowsing', + 'drowsy', + 'drub', + 'drubbed', + 'drubber', + 'drubbers', + 'drubbing', + 'drubbings', + 'drubs', + 'drudge', + 'drudged', + 'drudger', 'drudgeries', + 'drudgers', + 'drudgery', + 'drudges', + 'drudging', 'drudgingly', + 'drug', + 'drugged', + 'drugget', + 'druggets', + 'druggie', + 'druggier', + 'druggies', + 'druggiest', + 'drugging', + 'druggist', + 'druggists', + 'druggy', + 'drugmaker', 'drugmakers', + 'drugs', + 'drugstore', 'drugstores', + 'druid', + 'druidess', 'druidesses', + 'druidic', + 'druidical', + 'druidism', + 'druidisms', + 'druids', + 'drum', + 'drumbeat', 'drumbeater', 'drumbeaters', 'drumbeating', 'drumbeatings', + 'drumbeats', + 'drumble', + 'drumbled', + 'drumbles', + 'drumbling', + 'drumfire', + 'drumfires', + 'drumfish', 'drumfishes', + 'drumhead', + 'drumheads', + 'drumlier', + 'drumliest', + 'drumlike', + 'drumlin', + 'drumlins', + 'drumly', + 'drummed', + 'drummer', + 'drummers', + 'drumming', + 'drumroll', + 'drumrolls', + 'drums', + 'drumstick', 'drumsticks', + 'drunk', + 'drunkard', + 'drunkards', + 'drunken', + 'drunkenly', 'drunkenness', 'drunkennesses', + 'drunker', + 'drunkest', + 'drunks', 'drupaceous', + 'drupe', + 'drupelet', + 'drupelets', + 'drupes', + 'druse', + 'druses', + 'druthers', + 'dry', + 'dryable', + 'dryad', + 'dryades', + 'dryadic', + 'dryads', + 'dryasdust', 'dryasdusts', + 'dryer', + 'dryers', + 'dryest', + 'drying', + 'dryish', + 'dryland', + 'drylot', + 'drylots', + 'dryly', + 'dryness', + 'drynesses', 'dryopithecine', 'dryopithecines', + 'drypoint', + 'drypoints', + 'drys', + 'drysalter', 'drysalteries', 'drysalters', 'drysaltery', + 'drystone', + 'drywall', + 'drywalls', + 'duad', + 'duads', + 'dual', + 'dualism', + 'dualisms', + 'dualist', + 'dualistic', 'dualistically', + 'dualists', + 'dualities', + 'duality', + 'dualize', + 'dualized', + 'dualizes', + 'dualizing', + 'dually', + 'duals', + 'dub', + 'dubbed', + 'dubber', + 'dubbers', + 'dubbin', + 'dubbing', + 'dubbings', + 'dubbins', + 'dubieties', + 'dubiety', + 'dubious', + 'dubiously', 'dubiousness', 'dubiousnesses', + 'dubitable', 'dubitation', 'dubitations', + 'dubonnet', + 'dubonnets', + 'dubs', + 'ducal', + 'ducally', + 'ducat', + 'ducats', + 'duce', + 'duces', + 'duchess', + 'duchesses', + 'duchies', + 'duchy', + 'duci', + 'duck', + 'duckbill', + 'duckbills', + 'duckboard', 'duckboards', + 'ducked', + 'ducker', + 'duckers', + 'duckie', + 'duckier', + 'duckies', + 'duckiest', + 'ducking', + 'duckling', + 'ducklings', + 'duckpin', + 'duckpins', + 'ducks', + 'ducktail', + 'ducktails', + 'duckwalk', 'duckwalked', 'duckwalking', + 'duckwalks', + 'duckweed', + 'duckweeds', + 'ducky', + 'duct', + 'ductal', + 'ducted', + 'ductile', 'ductilities', + 'ductility', + 'ducting', + 'ductings', + 'ductless', + 'ducts', + 'ductule', + 'ductules', + 'ductwork', + 'ductworks', + 'dud', + 'duddie', + 'duddy', + 'dude', + 'duded', + 'dudeen', + 'dudeens', + 'dudes', + 'dudgeon', + 'dudgeons', + 'duding', + 'dudish', + 'dudishly', + 'duds', + 'due', + 'duecento', + 'duecentos', + 'duel', + 'dueled', + 'dueler', + 'duelers', + 'dueling', + 'duelist', + 'duelists', + 'duelled', + 'dueller', + 'duellers', + 'duelli', + 'duelling', + 'duellist', + 'duellists', + 'duello', + 'duellos', + 'duels', + 'duende', + 'duendes', + 'dueness', + 'duenesses', + 'duenna', + 'duennas', 'duennaship', 'duennaships', + 'dues', + 'duet', + 'duets', + 'duetted', + 'duetting', + 'duettist', + 'duettists', + 'duff', + 'duffel', + 'duffels', + 'duffer', + 'duffers', + 'duffle', + 'duffles', + 'duffs', + 'dug', + 'dugong', + 'dugongs', + 'dugout', + 'dugouts', + 'dugs', + 'dui', + 'duiker', + 'duikers', + 'duit', + 'duits', + 'duke', + 'duked', + 'dukedom', + 'dukedoms', + 'dukes', + 'duking', + 'dulcet', + 'dulcetly', + 'dulcets', + 'dulciana', + 'dulcianas', + 'dulcified', + 'dulcifies', + 'dulcify', 'dulcifying', + 'dulcimer', + 'dulcimers', + 'dulcimore', 'dulcimores', + 'dulcinea', + 'dulcineas', + 'dulia', + 'dulias', + 'dull', + 'dullard', + 'dullards', + 'dulled', + 'duller', + 'dullest', + 'dulling', + 'dullish', + 'dullishly', + 'dullness', 'dullnesses', + 'dulls', 'dullsville', 'dullsvilles', + 'dully', + 'dulness', + 'dulnesses', + 'dulse', + 'dulses', + 'duly', + 'duma', + 'dumas', + 'dumb', + 'dumbbell', + 'dumbbells', + 'dumbcane', + 'dumbcanes', + 'dumbed', + 'dumber', + 'dumbest', + 'dumbfound', 'dumbfounded', 'dumbfounder', 'dumbfoundered', @@ -18074,27 +45654,153 @@ export const scrabble_array = [ 'dumbfounders', 'dumbfounding', 'dumbfounds', + 'dumbhead', + 'dumbheads', + 'dumbing', + 'dumbly', + 'dumbness', 'dumbnesses', + 'dumbs', 'dumbstruck', 'dumbwaiter', 'dumbwaiters', + 'dumdum', + 'dumdums', + 'dumfound', 'dumfounded', 'dumfounding', + 'dumfounds', + 'dumka', + 'dumky', + 'dummied', + 'dummies', + 'dummkopf', + 'dummkopfs', + 'dummy', + 'dummying', 'dumortierite', 'dumortierites', + 'dump', + 'dumpcart', + 'dumpcarts', + 'dumped', + 'dumper', + 'dumpers', + 'dumpier', + 'dumpiest', + 'dumpily', + 'dumpiness', 'dumpinesses', + 'dumping', + 'dumpings', + 'dumpish', + 'dumpling', + 'dumplings', + 'dumps', + 'dumpy', + 'dun', + 'dunam', + 'dunams', + 'dunce', + 'dunces', + 'dunch', + 'dunches', + 'duncical', + 'duncish', 'dunderhead', 'dunderheaded', 'dunderheads', 'dundrearies', + 'dune', + 'duneland', + 'dunelands', + 'dunelike', + 'dunes', + 'dung', + 'dungaree', + 'dungarees', + 'dunged', + 'dungeon', + 'dungeoned', 'dungeoning', + 'dungeons', + 'dunghill', + 'dunghills', + 'dungier', + 'dungiest', + 'dunging', + 'dungs', + 'dungy', + 'dunite', + 'dunites', + 'dunitic', + 'dunk', + 'dunked', + 'dunker', + 'dunkers', + 'dunking', + 'dunks', + 'dunlin', + 'dunlins', + 'dunnage', + 'dunnages', + 'dunned', + 'dunner', + 'dunness', + 'dunnesses', + 'dunnest', + 'dunning', + 'dunnite', + 'dunnites', + 'duns', + 'dunt', + 'dunted', + 'dunting', + 'dunts', + 'duo', 'duodecillion', 'duodecillions', 'duodecimal', 'duodecimals', + 'duodecimo', 'duodecimos', + 'duodena', + 'duodenal', + 'duodenum', + 'duodenums', + 'duolog', + 'duologs', + 'duologue', + 'duologues', + 'duomi', + 'duomo', + 'duomos', + 'duopolies', 'duopolistic', + 'duopoly', 'duopsonies', + 'duopsony', + 'duos', + 'duotone', + 'duotones', + 'dup', + 'dupable', + 'dupe', + 'duped', + 'duper', + 'duperies', + 'dupers', + 'dupery', + 'dupes', + 'duping', + 'duple', + 'duplex', + 'duplexed', + 'duplexer', + 'duplexers', + 'duplexes', + 'duplexing', + 'duplicate', 'duplicated', 'duplicates', 'duplicating', @@ -18106,132 +45812,561 @@ export const scrabble_array = [ 'duplicities', 'duplicitous', 'duplicitously', + 'duplicity', + 'dupped', + 'dupping', + 'dups', + 'dura', 'durabilities', 'durability', + 'durable', 'durableness', 'durablenesses', + 'durables', + 'durably', + 'dural', + 'duralumin', 'duralumins', + 'duramen', + 'duramens', + 'durance', + 'durances', + 'duras', + 'duration', + 'durations', + 'durative', + 'duratives', + 'durbar', + 'durbars', + 'dure', + 'dured', + 'dures', + 'duress', + 'duresses', + 'durian', + 'durians', + 'during', + 'durion', + 'durions', + 'durmast', + 'durmasts', + 'durn', + 'durndest', + 'durned', + 'durneder', + 'durnedest', + 'durning', + 'durns', + 'duro', + 'duroc', + 'durocs', + 'durometer', 'durometers', + 'duros', + 'durr', + 'durra', + 'durras', + 'durrie', + 'durries', + 'durrs', + 'durst', + 'durum', + 'durums', + 'dusk', + 'dusked', + 'duskier', + 'duskiest', + 'duskily', + 'duskiness', 'duskinesses', + 'dusking', + 'duskish', + 'dusks', + 'dusky', + 'dust', + 'dustbin', + 'dustbins', + 'dustcover', 'dustcovers', + 'dusted', + 'duster', + 'dusters', + 'dustheap', + 'dustheaps', + 'dustier', + 'dustiest', + 'dustily', + 'dustiness', 'dustinesses', + 'dusting', + 'dustless', + 'dustlike', + 'dustman', + 'dustmen', + 'dustoff', + 'dustoffs', + 'dustpan', + 'dustpans', + 'dustrag', + 'dustrags', + 'dusts', + 'dustup', + 'dustups', + 'dusty', + 'dutch', + 'dutchman', + 'dutchmen', + 'duteous', + 'dutiable', + 'duties', + 'dutiful', + 'dutifully', 'dutifulness', 'dutifulnesses', + 'duty', + 'duumvir', 'duumvirate', 'duumvirates', + 'duumviri', + 'duumvirs', + 'duvet', + 'duvetine', + 'duvetines', + 'duvets', + 'duvetyn', + 'duvetyne', + 'duvetynes', + 'duvetyns', + 'duxelles', + 'dwarf', + 'dwarfed', + 'dwarfer', + 'dwarfest', + 'dwarfing', + 'dwarfish', 'dwarfishly', 'dwarfishness', 'dwarfishnesses', + 'dwarfism', + 'dwarfisms', + 'dwarflike', + 'dwarfness', 'dwarfnesses', + 'dwarfs', + 'dwarves', + 'dweeb', + 'dweebs', + 'dwell', + 'dwelled', + 'dweller', + 'dwellers', + 'dwelling', + 'dwellings', + 'dwells', + 'dwelt', + 'dwindle', + 'dwindled', + 'dwindles', + 'dwindling', + 'dwine', + 'dwined', + 'dwines', + 'dwining', + 'dyable', + 'dyad', + 'dyadic', 'dyadically', + 'dyadics', + 'dyads', + 'dyarchic', + 'dyarchies', + 'dyarchy', + 'dybbuk', + 'dybbukim', + 'dybbuks', + 'dye', 'dyeabilities', 'dyeability', + 'dyeable', + 'dyed', + 'dyeing', + 'dyeings', + 'dyer', + 'dyers', + 'dyes', + 'dyestuff', + 'dyestuffs', + 'dyeweed', + 'dyeweeds', + 'dyewood', + 'dyewoods', + 'dying', + 'dyings', + 'dyke', + 'dyked', + 'dykes', + 'dykey', + 'dyking', + 'dynamic', + 'dynamical', 'dynamically', + 'dynamics', + 'dynamism', + 'dynamisms', + 'dynamist', 'dynamistic', + 'dynamists', + 'dynamite', + 'dynamited', + 'dynamiter', 'dynamiters', + 'dynamites', + 'dynamitic', 'dynamiting', + 'dynamo', 'dynamometer', 'dynamometers', 'dynamometric', 'dynamometries', 'dynamometry', + 'dynamos', + 'dynamotor', 'dynamotors', + 'dynast', + 'dynastic', 'dynastically', + 'dynasties', + 'dynasts', + 'dynasty', + 'dynatron', + 'dynatrons', + 'dyne', + 'dynein', + 'dynel', + 'dynels', + 'dynes', + 'dynode', + 'dynodes', 'dysarthria', 'dysarthrias', + 'dyscrasia', 'dyscrasias', 'dysenteric', 'dysenteries', + 'dysentery', 'dysfunction', 'dysfunctional', 'dysfunctions', 'dysgeneses', 'dysgenesis', + 'dysgenic', 'dyskinesia', 'dyskinesias', 'dyskinetic', + 'dyslexia', + 'dyslexias', + 'dyslexic', + 'dyslexics', 'dyslogistic', 'dyslogistically', 'dysmenorrhea', 'dysmenorrheas', 'dysmenorrheic', + 'dyspepsia', 'dyspepsias', 'dyspepsies', + 'dyspepsy', + 'dyspeptic', 'dyspeptically', 'dyspeptics', + 'dysphagia', 'dysphagias', + 'dysphasia', 'dysphasias', + 'dysphasic', 'dysphasics', 'dysphemism', 'dysphemisms', 'dysphemistic', + 'dysphonia', 'dysphonias', + 'dysphoria', 'dysphorias', + 'dysphoric', + 'dysplasia', 'dysplasias', 'dysplastic', + 'dyspnea', + 'dyspneal', + 'dyspneas', + 'dyspneic', + 'dyspnoea', + 'dyspnoeas', + 'dyspnoic', 'dysprosium', 'dysprosiums', 'dysrhythmia', 'dysrhythmias', 'dysrhythmic', + 'dystaxia', + 'dystaxias', + 'dystocia', + 'dystocias', + 'dystonia', + 'dystonias', + 'dystonic', + 'dystopia', + 'dystopian', + 'dystopias', 'dystrophic', 'dystrophies', + 'dystrophy', + 'dysuria', + 'dysurias', + 'dysuric', + 'dyvour', + 'dyvours', + 'each', + 'eager', + 'eagerer', + 'eagerest', + 'eagerly', + 'eagerness', 'eagernesses', + 'eagers', + 'eagle', + 'eagles', + 'eaglet', + 'eaglets', + 'eagre', + 'eagres', + 'ealdorman', + 'ealdormen', + 'eanling', + 'eanlings', + 'ear', + 'earache', + 'earaches', + 'eardrop', + 'eardrops', + 'eardrum', + 'eardrums', + 'eared', + 'earflap', + 'earflaps', + 'earful', + 'earfuls', + 'earing', + 'earings', + 'earl', + 'earlap', + 'earlaps', + 'earldom', + 'earldoms', + 'earless', + 'earlier', + 'earliest', + 'earliness', 'earlinesses', + 'earlobe', + 'earlobes', + 'earlock', + 'earlocks', + 'earls', + 'earlship', + 'earlships', + 'early', + 'earlywood', 'earlywoods', + 'earmark', + 'earmarked', 'earmarking', + 'earmarks', + 'earmuff', + 'earmuffs', + 'earn', + 'earned', + 'earner', + 'earners', + 'earnest', + 'earnestly', 'earnestness', 'earnestnesses', + 'earnests', + 'earning', + 'earnings', + 'earns', + 'earphone', + 'earphones', + 'earpiece', + 'earpieces', + 'earplug', + 'earplugs', + 'earring', + 'earrings', + 'ears', + 'earshot', + 'earshots', 'earsplitting', + 'earstone', + 'earstones', + 'earth', + 'earthborn', 'earthbound', + 'earthed', + 'earthen', 'earthenware', 'earthenwares', + 'earthier', + 'earthiest', + 'earthily', 'earthiness', 'earthinesses', + 'earthing', + 'earthlier', 'earthliest', 'earthlight', 'earthlights', + 'earthlike', 'earthliness', 'earthlinesses', + 'earthling', 'earthlings', + 'earthly', + 'earthman', + 'earthmen', 'earthmover', 'earthmovers', 'earthmoving', 'earthmovings', + 'earthnut', + 'earthnuts', + 'earthpea', + 'earthpeas', 'earthquake', 'earthquakes', + 'earthrise', 'earthrises', + 'earths', + 'earthset', + 'earthsets', 'earthshaker', 'earthshakers', 'earthshaking', 'earthshakingly', 'earthshine', 'earthshines', + 'earthstar', 'earthstars', + 'earthward', 'earthwards', + 'earthwork', 'earthworks', + 'earthworm', 'earthworms', + 'earthy', + 'earwax', + 'earwaxes', + 'earwig', + 'earwigged', 'earwigging', + 'earwigs', 'earwitness', 'earwitnesses', + 'earworm', + 'earworms', + 'ease', + 'eased', + 'easeful', + 'easefully', + 'easel', + 'easels', + 'easement', + 'easements', + 'eases', + 'easier', + 'easies', + 'easiest', + 'easily', + 'easiness', 'easinesses', + 'easing', + 'east', + 'eastbound', + 'easter', 'easterlies', + 'easterly', + 'eastern', + 'easterner', 'easterners', 'easternmost', + 'easters', + 'easting', + 'eastings', + 'easts', + 'eastward', + 'eastwards', + 'easy', + 'easygoing', 'easygoingness', 'easygoingnesses', + 'eat', + 'eatable', + 'eatables', + 'eaten', + 'eater', + 'eateries', + 'eaters', + 'eatery', + 'eath', + 'eating', + 'eatings', + 'eats', + 'eau', + 'eaux', + 'eave', + 'eaved', + 'eaves', + 'eavesdrop', 'eavesdropped', 'eavesdropper', 'eavesdroppers', 'eavesdropping', 'eavesdrops', + 'ebb', + 'ebbed', + 'ebbet', + 'ebbets', + 'ebbing', + 'ebbs', + 'ebon', + 'ebonies', + 'ebonise', + 'ebonised', + 'ebonises', + 'ebonising', + 'ebonite', + 'ebonites', + 'ebonize', + 'ebonized', + 'ebonizes', + 'ebonizing', + 'ebons', + 'ebony', 'ebullience', 'ebulliences', 'ebulliencies', 'ebulliency', + 'ebullient', 'ebulliently', 'ebullition', 'ebullitions', + 'ecarte', + 'ecartes', + 'ecaudate', + 'ecbolic', + 'ecbolics', + 'eccentric', 'eccentrically', 'eccentricities', 'eccentricity', @@ -18239,6 +46374,9 @@ export const scrabble_array = [ 'ecchymoses', 'ecchymosis', 'ecchymotic', + 'ecclesia', + 'ecclesiae', + 'ecclesial', 'ecclesiastic', 'ecclesiastical', 'ecclesiastically', @@ -18250,9 +46388,37 @@ export const scrabble_array = [ 'ecclesiologist', 'ecclesiologists', 'ecclesiology', + 'eccrine', + 'ecdyses', + 'ecdysial', + 'ecdysiast', 'ecdysiasts', + 'ecdysis', + 'ecdyson', + 'ecdysone', + 'ecdysones', + 'ecdysons', + 'ecesis', + 'ecesises', + 'echard', + 'echards', + 'eche', + 'eched', + 'echelle', + 'echelles', + 'echelon', + 'echeloned', 'echeloning', + 'echelons', + 'eches', + 'echeveria', 'echeverias', + 'echidna', + 'echidnae', + 'echidnas', + 'echinate', + 'eching', + 'echini', 'echinococci', 'echinococcoses', 'echinococcosis', @@ -18260,7 +46426,12 @@ export const scrabble_array = [ 'echinoderm', 'echinodermatous', 'echinoderms', + 'echinoid', + 'echinoids', + 'echinus', + 'echiuroid', 'echiuroids', + 'echo', 'echocardiogram', 'echocardiograms', 'echocardiographer', @@ -18268,22 +46439,69 @@ export const scrabble_array = [ 'echocardiographic', 'echocardiographies', 'echocardiography', + 'echoed', + 'echoer', + 'echoers', + 'echoes', + 'echoey', + 'echogram', + 'echograms', + 'echoic', + 'echoing', + 'echoism', + 'echoisms', + 'echolalia', 'echolalias', + 'echolalic', + 'echoless', 'echolocation', 'echolocations', + 'echos', + 'echovirus', 'echoviruses', + 'eclair', 'eclaircissement', 'eclaircissements', + 'eclairs', + 'eclampsia', 'eclampsias', + 'eclamptic', + 'eclat', + 'eclats', + 'eclectic', 'eclectically', 'eclecticism', 'eclecticisms', + 'eclectics', + 'eclipse', + 'eclipsed', + 'eclipses', + 'eclipsing', + 'eclipsis', 'eclipsises', + 'ecliptic', + 'ecliptics', + 'eclogite', + 'eclogites', + 'eclogue', + 'eclogues', + 'eclosion', + 'eclosions', 'ecocatastrophe', 'ecocatastrophes', + 'ecocidal', + 'ecocide', + 'ecocides', + 'ecofreak', + 'ecofreaks', + 'ecologic', 'ecological', 'ecologically', + 'ecologies', + 'ecologist', 'ecologists', + 'ecology', + 'econobox', 'econoboxes', 'econometric', 'econometrically', @@ -18292,40 +46510,89 @@ export const scrabble_array = [ 'econometrics', 'econometrist', 'econometrists', + 'economic', 'economical', 'economically', + 'economics', + 'economies', + 'economise', 'economised', 'economises', 'economising', + 'economist', 'economists', + 'economize', 'economized', 'economizer', 'economizers', 'economizes', 'economizing', + 'economy', 'ecophysiological', 'ecophysiologies', 'ecophysiology', 'ecospecies', + 'ecosphere', 'ecospheres', + 'ecosystem', 'ecosystems', + 'ecotonal', + 'ecotone', + 'ecotones', 'ecotourism', 'ecotourisms', 'ecotourist', 'ecotourists', + 'ecotype', + 'ecotypes', + 'ecotypic', + 'ecraseur', + 'ecraseurs', + 'ecru', + 'ecrus', + 'ecstasies', + 'ecstasy', + 'ecstatic', 'ecstatically', + 'ecstatics', + 'ectases', + 'ectasis', + 'ectatic', + 'ecthyma', + 'ecthymata', + 'ectoderm', 'ectodermal', + 'ectoderms', + 'ectomere', + 'ectomeres', + 'ectomorph', 'ectomorphic', 'ectomorphs', 'ectoparasite', 'ectoparasites', 'ectoparasitic', + 'ectopia', + 'ectopias', + 'ectopic', 'ectopically', + 'ectoplasm', 'ectoplasmic', 'ectoplasms', + 'ectosarc', + 'ectosarcs', + 'ectotherm', 'ectothermic', 'ectotherms', 'ectotrophic', + 'ectozoa', + 'ectozoan', + 'ectozoans', + 'ectozoon', + 'ectypal', + 'ectype', + 'ectypes', + 'ecu', + 'ecumenic', 'ecumenical', 'ecumenicalism', 'ecumenicalisms', @@ -18336,18 +46603,84 @@ export const scrabble_array = [ 'ecumenicists', 'ecumenicities', 'ecumenicity', + 'ecumenics', + 'ecumenism', 'ecumenisms', + 'ecumenist', 'ecumenists', + 'ecus', + 'eczema', + 'eczemas', 'eczematous', + 'ed', + 'edacious', + 'edacities', + 'edacity', + 'edaphic', 'edaphically', + 'eddied', + 'eddies', + 'eddo', + 'eddoes', + 'eddy', + 'eddying', + 'edelweiss', 'edelweisses', + 'edema', + 'edemas', + 'edemata', + 'edematous', + 'edenic', + 'edentate', + 'edentates', 'edentulous', + 'edge', + 'edged', + 'edgeless', + 'edger', + 'edgers', + 'edges', + 'edgeways', + 'edgewise', + 'edgier', + 'edgiest', + 'edgily', + 'edginess', 'edginesses', + 'edging', + 'edgings', + 'edgy', + 'edh', + 'edhs', 'edibilities', + 'edibility', + 'edible', 'edibleness', 'ediblenesses', + 'edibles', + 'edict', + 'edictal', + 'edicts', 'edification', 'edifications', + 'edifice', + 'edifices', + 'edified', + 'edifier', + 'edifiers', + 'edifies', + 'edify', + 'edifying', + 'edile', + 'ediles', + 'edit', + 'editable', + 'edited', + 'editing', + 'edition', + 'editions', + 'editor', + 'editorial', 'editorialist', 'editorialists', 'editorialization', @@ -18360,13 +46693,23 @@ export const scrabble_array = [ 'editorializing', 'editorially', 'editorials', + 'editors', 'editorship', 'editorships', + 'editress', 'editresses', + 'edits', 'educabilities', 'educability', + 'educable', + 'educables', + 'educate', + 'educated', 'educatedness', 'educatednesses', + 'educates', + 'educating', + 'education', 'educational', 'educationalist', 'educationalists', @@ -18376,23 +46719,74 @@ export const scrabble_array = [ 'educationist', 'educationists', 'educations', + 'educative', + 'educator', + 'educators', + 'educe', + 'educed', + 'educes', + 'educible', + 'educing', + 'educt', + 'eduction', + 'eductions', + 'eductive', + 'eductor', + 'eductors', + 'educts', 'edulcorate', 'edulcorated', 'edulcorates', 'edulcorating', 'edutainment', 'edutainments', + 'eel', + 'eelgrass', 'eelgrasses', + 'eelier', + 'eeliest', + 'eellike', + 'eelpout', + 'eelpouts', + 'eels', + 'eelworm', + 'eelworms', + 'eely', + 'eerie', + 'eerier', + 'eeriest', + 'eerily', + 'eeriness', 'eerinesses', + 'eery', + 'ef', + 'eff', + 'effable', + 'efface', 'effaceable', + 'effaced', 'effacement', 'effacements', + 'effacer', + 'effacers', + 'effaces', + 'effacing', + 'effect', + 'effected', + 'effecter', + 'effecters', + 'effecting', + 'effective', 'effectively', 'effectiveness', 'effectivenesses', 'effectives', 'effectivities', 'effectivity', + 'effector', + 'effectors', + 'effects', + 'effectual', 'effectualities', 'effectuality', 'effectually', @@ -18409,7 +46803,11 @@ export const scrabble_array = [ 'effeminate', 'effeminately', 'effeminates', + 'effendi', + 'effendis', + 'efferent', 'efferently', + 'efferents', 'effervesce', 'effervesced', 'effervescence', @@ -18418,6 +46816,8 @@ export const scrabble_array = [ 'effervescently', 'effervesces', 'effervescing', + 'effete', + 'effetely', 'effeteness', 'effetenesses', 'efficacies', @@ -18427,9 +46827,14 @@ export const scrabble_array = [ 'efficaciousnesses', 'efficacities', 'efficacity', + 'efficacy', 'efficiencies', 'efficiency', + 'efficient', 'efficiently', + 'effigial', + 'effigies', + 'effigy', 'effloresce', 'effloresced', 'efflorescence', @@ -18437,9 +46842,19 @@ export const scrabble_array = [ 'efflorescent', 'effloresces', 'efflorescing', + 'effluence', 'effluences', + 'effluent', + 'effluents', + 'effluvia', + 'effluvium', 'effluviums', + 'efflux', + 'effluxes', + 'effluxion', 'effluxions', + 'effort', + 'effortful', 'effortfully', 'effortfulness', 'effortfulnesses', @@ -18447,21 +46862,84 @@ export const scrabble_array = [ 'effortlessly', 'effortlessness', 'effortlessnesses', + 'efforts', 'effronteries', 'effrontery', + 'effs', + 'effulge', + 'effulged', 'effulgence', 'effulgences', + 'effulgent', + 'effulges', + 'effulging', + 'effuse', + 'effused', + 'effuses', + 'effusing', + 'effusion', + 'effusions', + 'effusive', 'effusively', 'effusiveness', 'effusivenesses', + 'efs', + 'eft', + 'efts', + 'eftsoon', + 'eftsoons', + 'egad', + 'egads', + 'egal', 'egalitarian', 'egalitarianism', 'egalitarianisms', 'egalitarians', + 'egalite', + 'egalites', + 'eger', + 'egers', + 'egest', + 'egesta', + 'egested', + 'egesting', + 'egestion', + 'egestions', + 'egestive', + 'egests', + 'egg', + 'eggar', + 'eggars', + 'eggbeater', 'eggbeaters', + 'eggcup', + 'eggcups', + 'egged', + 'egger', + 'eggers', + 'egghead', + 'eggheaded', 'eggheadedness', 'eggheadednesses', + 'eggheads', + 'egging', + 'eggless', + 'eggnog', + 'eggnogs', + 'eggplant', + 'eggplants', + 'eggs', + 'eggshell', + 'eggshells', + 'eggy', + 'egis', + 'egises', + 'eglantine', 'eglantines', + 'eglatere', + 'eglateres', + 'eglomise', + 'ego', 'egocentric', 'egocentrically', 'egocentricities', @@ -18469,35 +46947,99 @@ export const scrabble_array = [ 'egocentrics', 'egocentrism', 'egocentrisms', + 'egoism', + 'egoisms', + 'egoist', + 'egoistic', 'egoistical', 'egoistically', + 'egoists', + 'egoless', + 'egomania', + 'egomaniac', 'egomaniacal', 'egomaniacally', 'egomaniacs', + 'egomanias', + 'egos', + 'egotism', + 'egotisms', + 'egotist', + 'egotistic', 'egotistical', 'egotistically', + 'egotists', + 'egregious', 'egregiously', 'egregiousness', 'egregiousnesses', + 'egress', + 'egressed', + 'egresses', + 'egressing', + 'egression', 'egressions', + 'egret', + 'egrets', + 'egyptian', + 'egyptians', + 'eh', 'eicosanoid', 'eicosanoids', + 'eide', + 'eider', + 'eiderdown', 'eiderdowns', + 'eiders', + 'eidetic', 'eidetically', + 'eidola', + 'eidolic', + 'eidolon', + 'eidolons', + 'eidos', + 'eigenmode', 'eigenmodes', 'eigenvalue', 'eigenvalues', 'eigenvector', 'eigenvectors', + 'eight', + 'eighteen', + 'eighteens', 'eighteenth', 'eighteenths', + 'eightfold', + 'eighth', + 'eighthly', + 'eighths', + 'eighties', + 'eightieth', 'eightieths', + 'eights', + 'eightvo', + 'eightvos', + 'eighty', + 'eikon', + 'eikones', + 'eikons', + 'einkorn', + 'einkorns', + 'einstein', 'einsteinium', 'einsteiniums', + 'einsteins', + 'eirenic', + 'eisegeses', + 'eisegesis', 'eisteddfod', 'eisteddfodau', 'eisteddfodic', 'eisteddfods', + 'eiswein', + 'eisweins', + 'either', + 'ejaculate', 'ejaculated', 'ejaculates', 'ejaculating', @@ -18506,7 +47048,33 @@ export const scrabble_array = [ 'ejaculator', 'ejaculators', 'ejaculatory', + 'eject', + 'ejecta', + 'ejectable', + 'ejected', + 'ejecting', + 'ejection', + 'ejections', + 'ejective', + 'ejectives', + 'ejectment', 'ejectments', + 'ejector', + 'ejectors', + 'ejects', + 'eke', + 'eked', + 'ekes', + 'eking', + 'ekistic', + 'ekistics', + 'ekpwele', + 'ekpweles', + 'ektexine', + 'ektexines', + 'ekuele', + 'el', + 'elaborate', 'elaborated', 'elaborately', 'elaborateness', @@ -18516,51 +47084,125 @@ export const scrabble_array = [ 'elaboration', 'elaborations', 'elaborative', + 'elain', + 'elains', + 'elan', + 'eland', + 'elands', + 'elans', + 'elaphine', + 'elapid', + 'elapids', + 'elapine', + 'elapse', + 'elapsed', + 'elapses', + 'elapsing', 'elasmobranch', 'elasmobranchs', + 'elastase', + 'elastases', + 'elastic', 'elastically', 'elasticities', 'elasticity', 'elasticized', + 'elastics', + 'elastin', + 'elastins', + 'elastomer', 'elastomeric', 'elastomers', + 'elate', + 'elated', + 'elatedly', 'elatedness', 'elatednesses', + 'elater', + 'elaterid', + 'elaterids', + 'elaterin', + 'elaterins', + 'elaterite', 'elaterites', + 'elaters', + 'elates', + 'elating', + 'elation', + 'elations', + 'elative', + 'elatives', + 'elbow', + 'elbowed', + 'elbowing', + 'elbowroom', 'elbowrooms', + 'elbows', + 'eld', + 'elder', 'elderberries', 'elderberry', + 'elderlies', 'elderliness', 'elderlinesses', + 'elderly', + 'elders', + 'eldership', 'elderships', + 'eldest', + 'eldress', + 'eldresses', + 'eldrich', + 'eldritch', + 'elds', 'elecampane', 'elecampanes', + 'elect', 'electabilities', 'electability', + 'electable', + 'elected', + 'electee', + 'electees', + 'electing', + 'election', 'electioneer', 'electioneered', 'electioneerer', 'electioneerers', 'electioneering', 'electioneers', + 'elections', + 'elective', 'electively', 'electiveness', 'electivenesses', + 'electives', + 'elector', + 'electoral', 'electorally', 'electorate', 'electorates', + 'electors', + 'electress', 'electresses', + 'electret', + 'electrets', + 'electric', 'electrical', 'electrically', 'electrician', 'electricians', 'electricities', 'electricity', + 'electrics', 'electrification', 'electrifications', 'electrified', 'electrifies', + 'electrify', 'electrifying', + 'electro', 'electroacoustic', 'electroacoustics', 'electroanalyses', @@ -18587,6 +47229,7 @@ export const scrabble_array = [ 'electrocuting', 'electrocution', 'electrocutions', + 'electrode', 'electrodeposit', 'electrodeposited', 'electrodepositing', @@ -18604,6 +47247,7 @@ export const scrabble_array = [ 'electrodynamics', 'electrodynamometer', 'electrodynamometers', + 'electroed', 'electroencephalogram', 'electroencephalograms', 'electroencephalograph', @@ -18669,12 +47313,14 @@ export const scrabble_array = [ 'electromyographies', 'electromyographs', 'electromyography', + 'electron', 'electronegative', 'electronegativities', 'electronegativity', 'electronic', 'electronically', 'electronics', + 'electrons', 'electrooculogram', 'electrooculograms', 'electrooculographies', @@ -18722,6 +47368,7 @@ export const scrabble_array = [ 'electroretinographies', 'electroretinographs', 'electroretinography', + 'electros', 'electroscope', 'electroscopes', 'electroshock', @@ -18749,25 +47396,102 @@ export const scrabble_array = [ 'electroweak', 'electrowinning', 'electrowinnings', + 'electrum', + 'electrums', + 'elects', 'electuaries', + 'electuary', + 'eledoisin', 'eledoisins', 'eleemosynary', + 'elegance', + 'elegances', 'elegancies', + 'elegancy', + 'elegant', + 'elegantly', + 'elegiac', + 'elegiacal', 'elegiacally', + 'elegiacs', + 'elegies', + 'elegise', + 'elegised', + 'elegises', + 'elegising', + 'elegist', + 'elegists', + 'elegit', + 'elegits', + 'elegize', + 'elegized', + 'elegizes', + 'elegizing', + 'elegy', + 'element', + 'elemental', 'elementally', 'elementals', 'elementarily', 'elementariness', 'elementarinesses', 'elementary', + 'elements', + 'elemi', + 'elemis', + 'elenchi', + 'elenchic', + 'elenchus', + 'elenctic', + 'elephant', 'elephantiases', 'elephantiasis', 'elephantine', + 'elephants', + 'elevate', + 'elevated', + 'elevateds', + 'elevates', + 'elevating', + 'elevation', 'elevations', + 'elevator', + 'elevators', + 'eleven', + 'elevens', + 'elevenses', + 'eleventh', + 'elevenths', + 'elevon', + 'elevons', + 'elf', + 'elfin', + 'elfins', + 'elfish', + 'elfishly', + 'elflike', + 'elflock', + 'elflocks', + 'elhi', + 'elicit', 'elicitation', 'elicitations', + 'elicited', + 'eliciting', + 'elicitor', + 'elicitors', + 'elicits', + 'elide', + 'elided', + 'elides', + 'elidible', + 'eliding', 'eligibilities', 'eligibility', + 'eligible', + 'eligibles', + 'eligibly', + 'eliminate', 'eliminated', 'eliminates', 'eliminating', @@ -18776,23 +47500,86 @@ export const scrabble_array = [ 'eliminative', 'eliminator', 'eliminators', + 'elint', + 'elints', + 'elision', + 'elisions', + 'elite', + 'elites', + 'elitism', + 'elitisms', + 'elitist', + 'elitists', + 'elixir', + 'elixirs', + 'elk', + 'elkhound', + 'elkhounds', + 'elks', + 'ell', + 'ellipse', + 'ellipses', + 'ellipsis', + 'ellipsoid', 'ellipsoidal', 'ellipsoids', + 'elliptic', 'elliptical', 'elliptically', 'ellipticals', 'ellipticities', 'ellipticity', + 'ells', + 'elm', + 'elmier', + 'elmiest', + 'elms', + 'elmy', + 'elocution', 'elocutionary', 'elocutionist', 'elocutionists', 'elocutions', + 'elodea', + 'elodeas', + 'eloign', + 'eloigned', + 'eloigner', + 'eloigners', + 'eloigning', + 'eloigns', + 'eloin', + 'eloined', + 'eloiner', + 'eloiners', + 'eloining', + 'eloins', + 'elongate', + 'elongated', + 'elongates', 'elongating', 'elongation', 'elongations', + 'elope', + 'eloped', + 'elopement', 'elopements', + 'eloper', + 'elopers', + 'elopes', + 'eloping', + 'eloquence', 'eloquences', + 'eloquent', 'eloquently', + 'els', + 'else', + 'elsewhere', + 'eluant', + 'eluants', + 'eluate', + 'eluates', + 'elucidate', 'elucidated', 'elucidates', 'elucidating', @@ -18807,8 +47594,28 @@ export const scrabble_array = [ 'elucubrating', 'elucubration', 'elucubrations', + 'elude', + 'eluded', + 'eluder', + 'eluders', + 'eludes', + 'eluding', + 'eluent', + 'eluents', + 'elusion', + 'elusions', + 'elusive', + 'elusively', 'elusiveness', 'elusivenesses', + 'elusory', + 'elute', + 'eluted', + 'elutes', + 'eluting', + 'elution', + 'elutions', + 'elutriate', 'elutriated', 'elutriates', 'elutriating', @@ -18816,14 +47623,44 @@ export const scrabble_array = [ 'elutriations', 'elutriator', 'elutriators', + 'eluvia', + 'eluvial', + 'eluviate', + 'eluviated', + 'eluviates', 'eluviating', 'eluviation', 'eluviations', + 'eluvium', + 'eluviums', + 'elver', + 'elvers', + 'elves', + 'elvish', + 'elvishly', + 'elysian', + 'elytra', + 'elytroid', + 'elytron', + 'elytrous', + 'elytrum', + 'em', + 'emaciate', + 'emaciated', + 'emaciates', 'emaciating', 'emaciation', 'emaciations', 'emalangeni', + 'emanate', + 'emanated', + 'emanates', + 'emanating', + 'emanation', 'emanations', + 'emanative', + 'emanator', + 'emanators', 'emancipate', 'emancipated', 'emancipates', @@ -18845,17 +47682,36 @@ export const scrabble_array = [ 'emasculations', 'emasculator', 'emasculators', + 'embalm', + 'embalmed', + 'embalmer', + 'embalmers', + 'embalming', 'embalmment', 'embalmments', + 'embalms', + 'embank', + 'embanked', + 'embanking', 'embankment', 'embankments', + 'embanks', + 'embar', 'embarcadero', 'embarcaderos', + 'embargo', + 'embargoed', + 'embargoes', 'embargoing', + 'embark', 'embarkation', 'embarkations', + 'embarked', + 'embarking', 'embarkment', 'embarkments', + 'embarks', + 'embarrass', 'embarrassable', 'embarrassed', 'embarrassedly', @@ -18864,13 +47720,33 @@ export const scrabble_array = [ 'embarrassingly', 'embarrassment', 'embarrassments', + 'embarred', + 'embarring', + 'embars', + 'embassage', 'embassages', + 'embassies', + 'embassy', + 'embattle', + 'embattled', 'embattlement', 'embattlements', + 'embattles', 'embattling', + 'embay', + 'embayed', + 'embaying', + 'embayment', 'embayments', + 'embays', + 'embed', + 'embedded', + 'embedding', 'embeddings', + 'embedment', 'embedments', + 'embeds', + 'embellish', 'embellished', 'embellisher', 'embellishers', @@ -18878,14 +47754,29 @@ export const scrabble_array = [ 'embellishing', 'embellishment', 'embellishments', + 'ember', + 'embers', + 'embezzle', + 'embezzled', 'embezzlement', 'embezzlements', + 'embezzler', 'embezzlers', + 'embezzles', 'embezzling', + 'embitter', 'embittered', 'embittering', 'embitterment', 'embitterments', + 'embitters', + 'emblaze', + 'emblazed', + 'emblazer', + 'emblazers', + 'emblazes', + 'emblazing', + 'emblazon', 'emblazoned', 'emblazoner', 'emblazoners', @@ -18894,6 +47785,8 @@ export const scrabble_array = [ 'emblazonments', 'emblazonries', 'emblazonry', + 'emblazons', + 'emblem', 'emblematic', 'emblematical', 'emblematically', @@ -18901,44 +47794,99 @@ export const scrabble_array = [ 'emblematized', 'emblematizes', 'emblematizing', + 'emblemed', 'emblements', + 'embleming', + 'emblems', + 'embodied', + 'embodier', + 'embodiers', + 'embodies', 'embodiment', 'embodiments', + 'embody', + 'embodying', + 'embolden', 'emboldened', 'emboldening', + 'emboldens', 'embolectomies', 'embolectomy', + 'emboli', + 'embolic', + 'embolies', + 'embolism', 'embolismic', + 'embolisms', 'embolization', 'embolizations', + 'embolus', + 'emboly', 'embonpoint', 'embonpoints', + 'emborder', 'embordered', 'embordering', + 'emborders', + 'embosk', + 'embosked', + 'embosking', + 'embosks', + 'embosom', + 'embosomed', 'embosoming', + 'embosoms', + 'emboss', 'embossable', + 'embossed', + 'embosser', + 'embossers', + 'embosses', + 'embossing', 'embossment', 'embossments', 'embouchure', 'embouchures', 'embourgeoisement', 'embourgeoisements', + 'embow', + 'embowed', + 'embowel', + 'emboweled', 'emboweling', 'embowelled', 'embowelling', + 'embowels', + 'embower', + 'embowered', 'embowering', + 'embowers', + 'embowing', + 'embows', + 'embrace', 'embraceable', + 'embraced', 'embracement', 'embracements', + 'embraceor', 'embraceors', + 'embracer', 'embraceries', + 'embracers', + 'embracery', + 'embraces', + 'embracing', 'embracingly', + 'embracive', + 'embrangle', 'embrangled', 'embranglement', 'embranglements', 'embrangles', 'embrangling', + 'embrasure', 'embrasures', + 'embrittle', 'embrittled', 'embrittlement', 'embrittlements', @@ -18946,6 +47894,7 @@ export const scrabble_array = [ 'embrittling', 'embrocation', 'embrocations', + 'embroider', 'embroidered', 'embroiderer', 'embroiderers', @@ -18953,44 +47902,167 @@ export const scrabble_array = [ 'embroidering', 'embroiders', 'embroidery', + 'embroil', + 'embroiled', 'embroiling', 'embroilment', 'embroilments', + 'embroils', + 'embrown', + 'embrowned', 'embrowning', + 'embrowns', + 'embrue', + 'embrued', + 'embrues', + 'embruing', + 'embrute', + 'embruted', + 'embrutes', + 'embruting', + 'embryo', 'embryogeneses', 'embryogenesis', 'embryogenetic', 'embryogenic', 'embryogenies', 'embryogeny', + 'embryoid', + 'embryoids', 'embryological', 'embryologically', 'embryologies', 'embryologist', 'embryologists', 'embryology', + 'embryon', + 'embryonal', 'embryonated', + 'embryonic', 'embryonically', + 'embryons', 'embryophyte', 'embryophytes', + 'embryos', + 'emcee', + 'emceed', + 'emceeing', + 'emcees', + 'eme', + 'emeer', + 'emeerate', + 'emeerates', + 'emeers', + 'emend', + 'emendable', + 'emendate', + 'emendated', + 'emendates', 'emendating', 'emendation', 'emendations', + 'emended', + 'emender', + 'emenders', + 'emending', + 'emends', + 'emerald', + 'emeralds', + 'emerge', + 'emerged', + 'emergence', 'emergences', 'emergencies', + 'emergency', + 'emergent', + 'emergents', + 'emerges', + 'emerging', + 'emeries', + 'emerita', + 'emeritae', + 'emeriti', + 'emeritus', + 'emerod', + 'emerods', + 'emeroid', + 'emeroids', + 'emersed', + 'emersion', + 'emersions', + 'emery', + 'emes', + 'emeses', + 'emesis', + 'emetic', 'emetically', + 'emetics', + 'emetin', + 'emetine', + 'emetines', + 'emetins', + 'emeu', + 'emeus', + 'emeute', + 'emeutes', + 'emf', + 'emfs', + 'emic', + 'emigrant', + 'emigrants', + 'emigrate', + 'emigrated', + 'emigrates', 'emigrating', 'emigration', 'emigrations', + 'emigre', + 'emigres', + 'eminence', + 'eminences', 'eminencies', + 'eminency', + 'eminent', + 'eminently', + 'emir', + 'emirate', + 'emirates', + 'emirs', 'emissaries', + 'emissary', + 'emission', + 'emissions', + 'emissive', 'emissivities', 'emissivity', + 'emit', + 'emits', + 'emittance', 'emittances', + 'emitted', + 'emitter', + 'emitters', + 'emitting', 'emmenagogue', 'emmenagogues', + 'emmer', + 'emmers', + 'emmet', + 'emmets', + 'emodin', + 'emodins', + 'emollient', 'emollients', + 'emolument', 'emoluments', + 'emote', + 'emoted', + 'emoter', + 'emoters', + 'emotes', + 'emoting', + 'emotion', + 'emotional', 'emotionalism', 'emotionalisms', 'emotionalist', @@ -19007,58 +48079,159 @@ export const scrabble_array = [ 'emotionlessly', 'emotionlessness', 'emotionlessnesses', + 'emotions', + 'emotive', + 'emotively', 'emotivities', + 'emotivity', + 'empale', + 'empaled', + 'empaler', + 'empalers', + 'empales', + 'empaling', + 'empanada', + 'empanadas', + 'empanel', + 'empaneled', 'empaneling', 'empanelled', 'empanelling', + 'empanels', 'empathetic', 'empathetically', + 'empathic', 'empathically', + 'empathies', + 'empathise', 'empathised', 'empathises', 'empathising', + 'empathize', 'empathized', 'empathizes', 'empathizing', + 'empathy', + 'empennage', 'empennages', + 'emperies', + 'emperor', + 'emperors', 'emperorship', 'emperorships', + 'empery', + 'emphases', + 'emphasis', + 'emphasise', 'emphasised', 'emphasises', 'emphasising', + 'emphasize', 'emphasized', 'emphasizes', 'emphasizing', + 'emphatic', 'emphatically', + 'emphysema', 'emphysemas', 'emphysematous', 'emphysemic', + 'empire', + 'empires', + 'empiric', + 'empirical', 'empirically', 'empiricism', 'empiricisms', 'empiricist', 'empiricists', + 'empirics', + 'emplace', + 'emplaced', 'emplacement', 'emplacements', + 'emplaces', + 'emplacing', + 'emplane', + 'emplaned', + 'emplanes', + 'emplaning', + 'employ', 'employabilities', 'employability', 'employable', 'employables', + 'employe', + 'employed', + 'employee', + 'employees', + 'employer', + 'employers', + 'employes', + 'employing', 'employment', 'employments', + 'employs', + 'empoison', 'empoisoned', 'empoisoning', 'empoisonment', 'empoisonments', + 'empoisons', + 'emporia', + 'emporium', + 'emporiums', + 'empower', + 'empowered', 'empowering', 'empowerment', 'empowerments', + 'empowers', + 'empress', 'empressement', 'empressements', + 'empresses', + 'emprise', + 'emprises', + 'emprize', + 'emprizes', + 'emptied', + 'emptier', + 'emptiers', + 'empties', + 'emptiest', + 'emptily', + 'emptiness', 'emptinesses', + 'emptings', + 'emptins', + 'empty', + 'emptying', + 'empurple', + 'empurpled', + 'empurples', 'empurpling', + 'empyema', + 'empyemas', + 'empyemata', + 'empyemic', + 'empyreal', + 'empyrean', + 'empyreans', + 'ems', + 'emu', + 'emulate', + 'emulated', + 'emulates', + 'emulating', + 'emulation', 'emulations', + 'emulative', 'emulatively', + 'emulator', + 'emulators', + 'emulous', + 'emulously', 'emulousness', 'emulousnesses', 'emulsifiable', @@ -19068,16 +48241,60 @@ export const scrabble_array = [ 'emulsifier', 'emulsifiers', 'emulsifies', + 'emulsify', 'emulsifying', + 'emulsion', + 'emulsions', + 'emulsive', + 'emulsoid', 'emulsoidal', + 'emulsoids', + 'emus', + 'emyd', + 'emyde', + 'emydes', + 'emyds', + 'en', + 'enable', + 'enabled', + 'enabler', + 'enablers', + 'enables', + 'enabling', + 'enact', + 'enacted', + 'enacting', + 'enactive', + 'enactment', 'enactments', + 'enactor', + 'enactors', + 'enactory', + 'enacts', + 'enamel', + 'enameled', + 'enameler', + 'enamelers', + 'enameling', + 'enamelist', 'enamelists', + 'enamelled', 'enamelling', + 'enamels', 'enamelware', 'enamelwares', + 'enamine', + 'enamines', + 'enamor', 'enamoration', 'enamorations', + 'enamored', + 'enamoring', + 'enamors', + 'enamour', + 'enamoured', 'enamouring', + 'enamours', 'enantiomer', 'enantiomeric', 'enantiomers', @@ -19087,23 +48304,50 @@ export const scrabble_array = [ 'enantiomorphisms', 'enantiomorphous', 'enantiomorphs', + 'enate', + 'enates', + 'enatic', + 'enation', + 'enations', + 'encaenia', + 'encage', + 'encaged', + 'encages', + 'encaging', + 'encamp', + 'encamped', + 'encamping', 'encampment', 'encampments', + 'encamps', 'encapsulate', 'encapsulated', 'encapsulates', 'encapsulating', 'encapsulation', 'encapsulations', + 'encapsule', 'encapsuled', 'encapsules', 'encapsuling', + 'encase', + 'encased', 'encasement', 'encasements', + 'encases', + 'encash', 'encashable', + 'encashed', + 'encashes', + 'encashing', 'encashment', 'encashments', + 'encasing', + 'encaustic', 'encaustics', + 'enceinte', + 'enceintes', + 'encephala', 'encephalitic', 'encephalitides', 'encephalitis', @@ -19124,9 +48368,15 @@ export const scrabble_array = [ 'encephalopathic', 'encephalopathies', 'encephalopathy', + 'enchain', + 'enchained', 'enchaining', 'enchainment', 'enchainments', + 'enchains', + 'enchant', + 'enchanted', + 'enchanter', 'enchanters', 'enchanting', 'enchantingly', @@ -19134,31 +48384,79 @@ export const scrabble_array = [ 'enchantments', 'enchantress', 'enchantresses', + 'enchants', + 'enchase', + 'enchased', + 'enchaser', + 'enchasers', + 'enchases', + 'enchasing', + 'enchilada', 'enchiladas', 'enchiridia', 'enchiridion', 'enchiridions', + 'enchoric', + 'encina', + 'encinal', + 'encinas', + 'encipher', 'enciphered', 'encipherer', 'encipherers', 'enciphering', 'encipherment', 'encipherments', + 'enciphers', + 'encircle', + 'encircled', 'encirclement', 'encirclements', + 'encircles', 'encircling', + 'enclasp', + 'enclasped', 'enclasping', + 'enclasps', + 'enclave', + 'enclaves', + 'enclitic', + 'enclitics', + 'enclose', + 'enclosed', + 'encloser', + 'enclosers', + 'encloses', + 'enclosing', + 'enclosure', 'enclosures', + 'encode', + 'encoded', + 'encoder', + 'encoders', + 'encodes', + 'encoding', + 'encomia', + 'encomiast', 'encomiastic', 'encomiasts', + 'encomium', + 'encomiums', + 'encompass', 'encompassed', 'encompasses', 'encompassing', 'encompassment', 'encompassments', + 'encore', + 'encored', + 'encores', + 'encoring', + 'encounter', 'encountered', 'encountering', 'encounters', + 'encourage', 'encouraged', 'encouragement', 'encouragements', @@ -19167,9 +48465,11 @@ export const scrabble_array = [ 'encourages', 'encouraging', 'encouragingly', + 'encrimson', 'encrimsoned', 'encrimsoning', 'encrimsons', + 'encroach', 'encroached', 'encroacher', 'encroachers', @@ -19177,20 +48477,30 @@ export const scrabble_array = [ 'encroaching', 'encroachment', 'encroachments', + 'encrust', 'encrustation', 'encrustations', + 'encrusted', 'encrusting', + 'encrusts', + 'encrypt', + 'encrypted', 'encrypting', 'encryption', 'encryptions', + 'encrypts', + 'encumber', 'encumbered', 'encumbering', + 'encumbers', 'encumbrance', 'encumbrancer', 'encumbrancers', 'encumbrances', + 'encyclic', 'encyclical', 'encyclicals', + 'encyclics', 'encyclopaedia', 'encyclopaedias', 'encyclopaedic', @@ -19202,39 +48512,98 @@ export const scrabble_array = [ 'encyclopedisms', 'encyclopedist', 'encyclopedists', + 'encyst', + 'encysted', + 'encysting', 'encystment', 'encystments', + 'encysts', + 'end', + 'endamage', + 'endamaged', + 'endamages', 'endamaging', + 'endameba', + 'endamebae', + 'endamebas', + 'endamoeba', 'endamoebae', 'endamoebas', + 'endanger', 'endangered', 'endangering', 'endangerment', 'endangerments', + 'endangers', + 'endarch', 'endarchies', + 'endarchy', 'endarterectomies', 'endarterectomy', + 'endbrain', + 'endbrains', + 'endear', + 'endeared', + 'endearing', 'endearingly', 'endearment', 'endearments', + 'endears', + 'endeavor', 'endeavored', 'endeavoring', + 'endeavors', + 'endeavour', 'endeavoured', 'endeavouring', 'endeavours', + 'ended', + 'endemial', + 'endemic', 'endemically', 'endemicities', 'endemicity', + 'endemics', + 'endemism', + 'endemisms', + 'ender', 'endergonic', + 'endermic', + 'enders', + 'endexine', + 'endexines', + 'endgame', + 'endgames', + 'ending', + 'endings', + 'endite', + 'endited', + 'endites', + 'enditing', + 'endive', + 'endives', + 'endleaf', + 'endleaves', + 'endless', + 'endlessly', 'endlessness', 'endlessnesses', + 'endlong', + 'endmost', + 'endnote', + 'endnotes', 'endobiotic', 'endocardia', 'endocardial', 'endocarditis', 'endocarditises', 'endocardium', + 'endocarp', + 'endocarps', + 'endocast', + 'endocasts', 'endochondral', + 'endocrine', 'endocrines', 'endocrinologic', 'endocrinological', @@ -19246,9 +48615,11 @@ export const scrabble_array = [ 'endocytosis', 'endocytosises', 'endocytotic', + 'endoderm', 'endodermal', 'endodermis', 'endodermises', + 'endoderms', 'endodontic', 'endodontically', 'endodontics', @@ -19256,12 +48627,19 @@ export const scrabble_array = [ 'endodontists', 'endoenzyme', 'endoenzymes', + 'endoergic', 'endogamies', 'endogamous', + 'endogamy', + 'endogen', + 'endogenic', 'endogenies', 'endogenous', 'endogenously', + 'endogens', + 'endogeny', 'endolithic', + 'endolymph', 'endolymphatic', 'endolymphs', 'endometria', @@ -19277,7 +48655,9 @@ export const scrabble_array = [ 'endomitoses', 'endomitosis', 'endomitotic', + 'endomixis', 'endomixises', + 'endomorph', 'endomorphic', 'endomorphies', 'endomorphism', @@ -19296,30 +48676,58 @@ export const scrabble_array = [ 'endopeptidases', 'endoperoxide', 'endoperoxides', + 'endophyte', 'endophytes', 'endophytic', + 'endoplasm', 'endoplasmic', 'endoplasms', + 'endopod', 'endopodite', 'endopodites', + 'endopods', 'endopolyploid', 'endopolyploidies', 'endopolyploidy', + 'endorphin', 'endorphins', 'endorsable', + 'endorse', + 'endorsed', + 'endorsee', + 'endorsees', 'endorsement', 'endorsements', + 'endorser', + 'endorsers', + 'endorses', + 'endorsing', + 'endorsor', + 'endorsors', + 'endosarc', + 'endosarcs', + 'endoscope', 'endoscopes', 'endoscopic', 'endoscopically', 'endoscopies', + 'endoscopy', 'endoskeletal', 'endoskeleton', 'endoskeletons', + 'endosmos', 'endosmoses', + 'endosome', + 'endosomes', + 'endosperm', 'endosperms', + 'endospore', 'endospores', + 'endostea', + 'endosteal', 'endosteally', + 'endosteum', + 'endostyle', 'endostyles', 'endosulfan', 'endosulfans', @@ -19336,126 +48744,409 @@ export const scrabble_array = [ 'endotheliomas', 'endotheliomata', 'endothelium', + 'endotherm', 'endothermic', 'endothermies', 'endotherms', 'endothermy', + 'endotoxic', + 'endotoxin', 'endotoxins', 'endotracheal', 'endotrophic', + 'endow', + 'endowed', + 'endower', + 'endowers', + 'endowing', + 'endowment', 'endowments', + 'endows', + 'endozoic', + 'endpaper', + 'endpapers', + 'endplate', + 'endplates', + 'endpoint', + 'endpoints', + 'endrin', + 'endrins', + 'ends', + 'endue', + 'endued', + 'endues', + 'enduing', + 'endurable', + 'endurably', + 'endurance', 'endurances', + 'endure', + 'endured', + 'endures', + 'enduring', 'enduringly', 'enduringness', 'enduringnesses', + 'enduro', + 'enduros', + 'endways', + 'endwise', + 'enema', + 'enemas', + 'enemata', + 'enemies', + 'enemy', + 'energetic', 'energetically', 'energetics', + 'energid', + 'energids', + 'energies', + 'energise', + 'energised', + 'energises', 'energising', 'energization', 'energizations', + 'energize', + 'energized', + 'energizer', 'energizers', + 'energizes', 'energizing', + 'energy', + 'enervate', + 'enervated', + 'enervates', 'enervating', 'enervation', 'enervations', + 'enface', + 'enfaced', + 'enfaces', + 'enfacing', + 'enfeeble', + 'enfeebled', 'enfeeblement', 'enfeeblements', + 'enfeebles', 'enfeebling', + 'enfeoff', + 'enfeoffed', 'enfeoffing', 'enfeoffment', 'enfeoffments', + 'enfeoffs', + 'enfetter', 'enfettered', 'enfettering', + 'enfetters', + 'enfever', + 'enfevered', 'enfevering', + 'enfevers', + 'enfilade', + 'enfiladed', + 'enfilades', 'enfilading', + 'enflame', + 'enflamed', + 'enflames', + 'enflaming', 'enfleurage', 'enfleurages', + 'enfold', + 'enfolded', + 'enfolder', + 'enfolders', + 'enfolding', + 'enfolds', + 'enforce', 'enforceabilities', 'enforceability', 'enforceable', + 'enforced', 'enforcement', 'enforcements', + 'enforcer', + 'enforcers', + 'enforces', + 'enforcing', + 'enframe', + 'enframed', 'enframement', 'enframements', + 'enframes', + 'enframing', 'enfranchise', 'enfranchised', 'enfranchisement', 'enfranchisements', 'enfranchises', 'enfranchising', + 'eng', + 'engage', + 'engaged', 'engagement', 'engagements', + 'engager', + 'engagers', + 'engages', + 'engaging', 'engagingly', + 'engarland', 'engarlanded', 'engarlanding', 'engarlands', + 'engender', 'engendered', 'engendering', + 'engenders', + 'engild', + 'engilded', + 'engilding', + 'engilds', + 'engine', + 'engined', + 'engineer', 'engineered', 'engineering', 'engineerings', + 'engineers', 'engineries', + 'enginery', + 'engines', + 'engining', + 'enginous', + 'engird', + 'engirded', + 'engirding', + 'engirdle', + 'engirdled', + 'engirdles', 'engirdling', + 'engirds', + 'engirt', + 'english', + 'englished', + 'englishes', 'englishing', + 'englut', + 'engluts', + 'englutted', 'englutting', + 'engorge', + 'engorged', 'engorgement', 'engorgements', + 'engorges', + 'engorging', + 'engraft', + 'engrafted', 'engrafting', 'engraftment', 'engraftments', + 'engrafts', + 'engrail', + 'engrailed', 'engrailing', + 'engrails', + 'engrain', + 'engrained', 'engraining', + 'engrains', + 'engram', + 'engramme', + 'engrammes', + 'engrams', + 'engrave', + 'engraved', + 'engraver', + 'engravers', + 'engraves', + 'engraving', 'engravings', + 'engross', + 'engrossed', + 'engrosser', 'engrossers', + 'engrosses', 'engrossing', 'engrossingly', 'engrossment', 'engrossments', + 'engs', + 'engulf', + 'engulfed', + 'engulfing', 'engulfment', 'engulfments', + 'engulfs', + 'enhalo', + 'enhaloed', + 'enhaloes', + 'enhaloing', + 'enhalos', + 'enhance', + 'enhanced', 'enhancement', 'enhancements', + 'enhancer', + 'enhancers', + 'enhances', + 'enhancing', 'enharmonic', 'enharmonically', + 'enigma', + 'enigmas', + 'enigmata', + 'enigmatic', 'enigmatical', 'enigmatically', + 'enisle', + 'enisled', + 'enisles', + 'enisling', + 'enjambed', 'enjambement', 'enjambements', 'enjambment', 'enjambments', + 'enjoin', + 'enjoined', + 'enjoiner', + 'enjoiners', + 'enjoining', + 'enjoins', + 'enjoy', + 'enjoyable', 'enjoyableness', 'enjoyablenesses', + 'enjoyably', + 'enjoyed', + 'enjoyer', + 'enjoyers', + 'enjoying', + 'enjoyment', 'enjoyments', + 'enjoys', 'enkephalin', 'enkephalins', + 'enkindle', + 'enkindled', + 'enkindles', 'enkindling', + 'enlace', + 'enlaced', 'enlacement', 'enlacements', + 'enlaces', + 'enlacing', + 'enlarge', 'enlargeable', + 'enlarged', 'enlargement', 'enlargements', + 'enlarger', + 'enlargers', + 'enlarges', + 'enlarging', + 'enlighten', 'enlightened', 'enlightening', 'enlightenment', 'enlightenments', 'enlightens', + 'enlist', + 'enlisted', + 'enlistee', + 'enlistees', + 'enlister', + 'enlisters', + 'enlisting', 'enlistment', 'enlistments', + 'enlists', + 'enliven', + 'enlivened', 'enlivening', + 'enlivens', + 'enmesh', + 'enmeshed', + 'enmeshes', + 'enmeshing', 'enmeshment', 'enmeshments', + 'enmities', + 'enmity', + 'ennead', + 'enneadic', + 'enneads', + 'enneagon', + 'enneagons', + 'ennoble', + 'ennobled', 'ennoblement', 'ennoblements', + 'ennobler', + 'ennoblers', + 'ennobles', + 'ennobling', + 'ennui', + 'ennuis', + 'ennuye', + 'ennuyee', + 'enoki', + 'enokidake', 'enokidakes', + 'enokis', + 'enol', + 'enolase', + 'enolases', + 'enolic', 'enological', + 'enologies', + 'enologist', 'enologists', + 'enology', + 'enols', + 'enorm', 'enormities', + 'enormity', + 'enormous', 'enormously', 'enormousness', 'enormousnesses', + 'enosis', + 'enosises', + 'enough', + 'enoughs', + 'enounce', + 'enounced', + 'enounces', + 'enouncing', + 'enow', + 'enows', + 'enplane', + 'enplaned', + 'enplanes', + 'enplaning', + 'enquire', + 'enquired', + 'enquires', + 'enquiries', + 'enquiring', + 'enquiry', + 'enrage', + 'enraged', + 'enrages', + 'enraging', + 'enrapt', + 'enrapture', 'enraptured', 'enraptures', 'enrapturing', + 'enravish', 'enravished', 'enravishes', 'enravishing', @@ -19463,55 +49154,192 @@ export const scrabble_array = [ 'enregistered', 'enregistering', 'enregisters', + 'enrich', + 'enriched', + 'enricher', + 'enrichers', + 'enriches', + 'enriching', 'enrichment', 'enrichments', + 'enrobe', + 'enrobed', + 'enrober', + 'enrobers', + 'enrobes', + 'enrobing', + 'enrol', + 'enroll', + 'enrolled', + 'enrollee', + 'enrollees', + 'enroller', + 'enrollers', + 'enrolling', 'enrollment', 'enrollments', + 'enrolls', + 'enrols', + 'enroot', + 'enrooted', + 'enrooting', + 'enroots', + 'ens', + 'ensample', + 'ensamples', 'ensanguine', 'ensanguined', 'ensanguines', 'ensanguining', + 'ensconce', + 'ensconced', + 'ensconces', 'ensconcing', + 'enscroll', 'enscrolled', 'enscrolling', + 'enscrolls', + 'ensemble', + 'ensembles', + 'enserf', + 'enserfed', + 'enserfing', 'enserfment', 'enserfments', + 'enserfs', + 'ensheath', + 'ensheathe', 'ensheathed', 'ensheathes', 'ensheathing', + 'ensheaths', + 'enshrine', + 'enshrined', + 'enshrinee', 'enshrinees', 'enshrinement', 'enshrinements', + 'enshrines', 'enshrining', + 'enshroud', 'enshrouded', 'enshrouding', + 'enshrouds', + 'ensiform', + 'ensign', 'ensigncies', + 'ensigncy', + 'ensigns', + 'ensilage', + 'ensilaged', + 'ensilages', 'ensilaging', + 'ensile', + 'ensiled', + 'ensiles', + 'ensiling', + 'enskied', + 'enskies', + 'ensky', + 'enskyed', + 'enskying', + 'enslave', + 'enslaved', 'enslavement', 'enslavements', + 'enslaver', + 'enslavers', + 'enslaves', + 'enslaving', + 'ensnare', + 'ensnared', + 'ensnarer', + 'ensnarers', + 'ensnares', + 'ensnaring', + 'ensnarl', + 'ensnarled', 'ensnarling', + 'ensnarls', + 'ensorcel', 'ensorceled', 'ensorceling', + 'ensorcell', 'ensorcelled', 'ensorcelling', 'ensorcellment', 'ensorcellments', 'ensorcells', + 'ensorcels', + 'ensoul', + 'ensouled', + 'ensouling', + 'ensouls', + 'ensphere', + 'ensphered', + 'enspheres', 'ensphering', + 'ensue', + 'ensued', + 'ensues', + 'ensuing', + 'ensure', + 'ensured', + 'ensurer', + 'ensurers', + 'ensures', + 'ensuring', + 'enswathe', + 'enswathed', + 'enswathes', 'enswathing', 'entablature', 'entablatures', + 'entail', + 'entailed', + 'entailer', + 'entailers', + 'entailing', 'entailment', 'entailments', + 'entails', + 'entameba', + 'entamebae', + 'entamebas', + 'entamoeba', 'entamoebae', 'entamoebas', + 'entangle', + 'entangled', 'entanglement', 'entanglements', + 'entangler', 'entanglers', + 'entangles', 'entangling', + 'entases', + 'entasia', + 'entasias', + 'entasis', + 'entastic', 'entelechies', + 'entelechy', + 'entellus', 'entelluses', + 'entente', + 'ententes', + 'enter', + 'entera', + 'enterable', + 'enteral', + 'enterally', + 'entered', + 'enterer', + 'enterers', + 'enteric', + 'entering', 'enteritides', + 'enteritis', 'enteritises', 'enterobacteria', 'enterobacterial', @@ -19534,6 +49362,8 @@ export const scrabble_array = [ 'enterogastrones', 'enterokinase', 'enterokinases', + 'enteron', + 'enterons', 'enteropathies', 'enteropathogenic', 'enteropathy', @@ -19550,6 +49380,8 @@ export const scrabble_array = [ 'enterprisers', 'enterprises', 'enterprising', + 'enters', + 'entertain', 'entertained', 'entertainer', 'entertainers', @@ -19559,32 +49391,73 @@ export const scrabble_array = [ 'entertainments', 'entertains', 'enthalpies', + 'enthalpy', + 'enthetic', + 'enthral', + 'enthrall', 'enthralled', 'enthralling', 'enthrallment', 'enthrallments', + 'enthralls', + 'enthrals', + 'enthrone', + 'enthroned', 'enthronement', 'enthronements', + 'enthrones', 'enthroning', + 'enthuse', + 'enthused', + 'enthuses', 'enthusiasm', 'enthusiasms', 'enthusiast', 'enthusiastic', 'enthusiastically', 'enthusiasts', + 'enthusing', + 'enthymeme', 'enthymemes', + 'entia', + 'entice', + 'enticed', 'enticement', 'enticements', + 'enticer', + 'enticers', + 'entices', + 'enticing', 'enticingly', + 'entire', + 'entirely', 'entireness', 'entirenesses', + 'entires', 'entireties', + 'entirety', + 'entities', + 'entitle', + 'entitled', 'entitlement', 'entitlements', + 'entitles', + 'entitling', + 'entity', + 'entoderm', 'entodermal', 'entodermic', + 'entoderms', + 'entoil', + 'entoiled', + 'entoiling', + 'entoils', + 'entomb', + 'entombed', + 'entombing', 'entombment', 'entombments', + 'entombs', 'entomofauna', 'entomofaunae', 'entomofaunas', @@ -19598,32 +49471,66 @@ export const scrabble_array = [ 'entomophilies', 'entomophilous', 'entomophily', + 'entopic', + 'entoproct', 'entoprocts', + 'entourage', 'entourages', + 'entozoa', + 'entozoal', + 'entozoan', + 'entozoans', + 'entozoic', + 'entozoon', + 'entrails', + 'entrain', + 'entrained', + 'entrainer', 'entrainers', 'entraining', 'entrainment', 'entrainments', + 'entrains', + 'entrance', + 'entranced', 'entrancement', 'entrancements', + 'entrances', 'entranceway', 'entranceways', 'entrancing', + 'entrant', + 'entrants', + 'entrap', 'entrapment', 'entrapments', + 'entrapped', 'entrapping', + 'entraps', + 'entreat', + 'entreated', 'entreaties', 'entreating', 'entreatingly', 'entreatment', 'entreatments', + 'entreats', + 'entreaty', + 'entrechat', 'entrechats', + 'entrecote', 'entrecotes', + 'entree', + 'entrees', + 'entremets', + 'entrench', 'entrenched', 'entrenches', 'entrenching', 'entrenchment', 'entrenchments', + 'entrepot', + 'entrepots', 'entrepreneur', 'entrepreneurial', 'entrepreneurialism', @@ -19632,12 +49539,33 @@ export const scrabble_array = [ 'entrepreneurs', 'entrepreneurship', 'entrepreneurships', + 'entresol', + 'entresols', + 'entries', + 'entropic', 'entropically', + 'entropies', + 'entropion', 'entropions', + 'entropy', + 'entrust', + 'entrusted', 'entrusting', 'entrustment', 'entrustments', + 'entrusts', + 'entry', + 'entryway', + 'entryways', + 'entwine', + 'entwined', + 'entwines', + 'entwining', + 'entwist', + 'entwisted', 'entwisting', + 'entwists', + 'enucleate', 'enucleated', 'enucleates', 'enucleating', @@ -19646,6 +49574,7 @@ export const scrabble_array = [ 'enumerabilities', 'enumerability', 'enumerable', + 'enumerate', 'enumerated', 'enumerates', 'enumerating', @@ -19655,6 +49584,7 @@ export const scrabble_array = [ 'enumerator', 'enumerators', 'enunciable', + 'enunciate', 'enunciated', 'enunciates', 'enunciating', @@ -19662,17 +49592,42 @@ export const scrabble_array = [ 'enunciations', 'enunciator', 'enunciators', + 'enure', + 'enured', + 'enures', + 'enuresis', 'enuresises', + 'enuretic', + 'enuretics', + 'enuring', + 'envelop', + 'envelope', + 'enveloped', + 'envelopes', 'enveloping', 'envelopment', 'envelopments', + 'envelops', + 'envenom', + 'envenomed', 'envenoming', 'envenomization', 'envenomizations', + 'envenoms', + 'enviable', 'enviableness', 'enviablenesses', + 'enviably', + 'envied', + 'envier', + 'enviers', + 'envies', + 'envious', + 'enviously', 'enviousness', 'enviousnesses', + 'environ', + 'environed', 'environing', 'environment', 'environmental', @@ -19682,72 +49637,212 @@ export const scrabble_array = [ 'environmentalists', 'environmentally', 'environments', + 'environs', + 'envisage', + 'envisaged', + 'envisages', 'envisaging', + 'envision', 'envisioned', 'envisioning', + 'envisions', + 'envoi', + 'envois', + 'envoy', + 'envoys', + 'envy', + 'envying', + 'envyingly', + 'enwheel', + 'enwheeled', 'enwheeling', + 'enwheels', + 'enwind', + 'enwinding', + 'enwinds', + 'enwomb', + 'enwombed', + 'enwombing', + 'enwombs', + 'enwound', + 'enwrap', + 'enwrapped', 'enwrapping', + 'enwraps', + 'enwreathe', 'enwreathed', 'enwreathes', 'enwreathing', + 'enzootic', + 'enzootics', + 'enzym', + 'enzymatic', 'enzymatically', + 'enzyme', + 'enzymes', + 'enzymic', 'enzymically', 'enzymologies', 'enzymologist', 'enzymologists', 'enzymology', + 'enzyms', + 'eobiont', + 'eobionts', + 'eohippus', 'eohippuses', + 'eolian', + 'eolipile', + 'eolipiles', + 'eolith', + 'eolithic', + 'eoliths', + 'eolopile', + 'eolopiles', + 'eon', + 'eonian', + 'eonism', + 'eonisms', + 'eons', + 'eosin', + 'eosine', + 'eosines', + 'eosinic', 'eosinophil', 'eosinophilia', 'eosinophilias', 'eosinophilic', 'eosinophils', + 'eosins', + 'epact', + 'epacts', + 'eparch', + 'eparchies', + 'eparchs', + 'eparchy', + 'epaulet', + 'epaulets', + 'epaulette', 'epauletted', 'epaulettes', + 'epazote', + 'epazotes', + 'epee', + 'epeeist', + 'epeeists', + 'epees', + 'epeiric', 'epeirogenic', 'epeirogenically', 'epeirogenies', 'epeirogeny', + 'ependyma', + 'ependymas', 'epentheses', 'epenthesis', 'epenthetic', + 'epergne', + 'epergnes', 'epexegeses', 'epexegesis', 'epexegetic', 'epexegetical', 'epexegetically', + 'epha', + 'ephah', + 'ephahs', + 'ephas', + 'ephebe', + 'ephebes', + 'ephebi', + 'ephebic', + 'epheboi', + 'ephebos', + 'ephebus', + 'ephedra', + 'ephedras', + 'ephedrin', + 'ephedrine', 'ephedrines', + 'ephedrins', + 'ephemera', + 'ephemerae', + 'ephemeral', 'ephemeralities', 'ephemerality', 'ephemerally', 'ephemerals', + 'ephemeras', + 'ephemerid', 'ephemerides', 'ephemerids', + 'ephemeris', + 'ephemeron', + 'ephod', + 'ephods', + 'ephor', + 'ephoral', + 'ephorate', + 'ephorates', + 'ephori', + 'ephors', + 'epiblast', 'epiblastic', + 'epiblasts', + 'epibolic', + 'epibolies', + 'epiboly', + 'epic', + 'epical', + 'epically', 'epicalyces', + 'epicalyx', 'epicalyxes', + 'epicardia', 'epicardial', 'epicardium', + 'epicarp', + 'epicarps', + 'epicedia', + 'epicedium', + 'epicene', + 'epicenes', + 'epicenism', 'epicenisms', + 'epicenter', 'epicenters', 'epicentral', 'epichlorohydrin', 'epichlorohydrins', + 'epiclike', 'epicontinental', + 'epicotyl', + 'epicotyls', + 'epicritic', + 'epics', + 'epicure', + 'epicurean', 'epicureanism', 'epicureanisms', 'epicureans', + 'epicures', + 'epicurism', 'epicurisms', 'epicuticle', 'epicuticles', 'epicuticular', + 'epicycle', + 'epicycles', + 'epicyclic', 'epicycloid', 'epicycloidal', 'epicycloids', + 'epidemic', 'epidemical', 'epidemically', 'epidemicities', 'epidemicity', + 'epidemics', 'epidemiologic', 'epidemiological', 'epidemiologically', @@ -19757,8 +49852,13 @@ export const scrabble_array = [ 'epidemiology', 'epidendrum', 'epidendrums', + 'epiderm', + 'epidermal', + 'epidermic', + 'epidermis', 'epidermises', 'epidermoid', + 'epiderms', 'epidiascope', 'epidiascopes', 'epididymal', @@ -19768,17 +49868,42 @@ export const scrabble_array = [ 'epididymitides', 'epididymitis', 'epididymitises', + 'epidote', + 'epidotes', + 'epidotic', + 'epidural', + 'epifauna', + 'epifaunae', + 'epifaunal', + 'epifaunas', + 'epifocal', 'epigastric', + 'epigeal', + 'epigean', + 'epigeic', + 'epigene', 'epigeneses', 'epigenesis', 'epigenetic', 'epigenetically', + 'epigenic', + 'epigeous', 'epiglottal', 'epiglottic', 'epiglottides', 'epiglottis', 'epiglottises', + 'epigon', + 'epigone', + 'epigones', + 'epigoni', + 'epigonic', + 'epigonism', 'epigonisms', + 'epigonous', + 'epigons', + 'epigonus', + 'epigram', 'epigrammatic', 'epigrammatically', 'epigrammatism', @@ -19791,6 +49916,8 @@ export const scrabble_array = [ 'epigrammatizers', 'epigrammatizes', 'epigrammatizing', + 'epigrams', + 'epigraph', 'epigrapher', 'epigraphers', 'epigraphic', @@ -19799,8 +49926,16 @@ export const scrabble_array = [ 'epigraphies', 'epigraphist', 'epigraphists', + 'epigraphs', + 'epigraphy', + 'epigynies', + 'epigynous', + 'epigyny', + 'epilation', 'epilations', 'epilepsies', + 'epilepsy', + 'epileptic', 'epileptically', 'epileptics', 'epileptiform', @@ -19808,27 +49943,52 @@ export const scrabble_array = [ 'epileptoid', 'epilimnion', 'epilimnions', + 'epilog', + 'epilogs', + 'epilogue', + 'epilogued', + 'epilogues', 'epiloguing', + 'epimer', + 'epimerase', 'epimerases', + 'epimere', + 'epimeres', + 'epimeric', + 'epimers', + 'epimysia', + 'epimysium', + 'epinaoi', + 'epinaos', 'epinasties', + 'epinasty', 'epinephrin', 'epinephrine', 'epinephrines', 'epinephrins', + 'epineuria', 'epineurium', 'epineuriums', 'epipelagic', + 'epiphanic', 'epiphanies', 'epiphanous', + 'epiphany', 'epiphenomena', 'epiphenomenal', 'epiphenomenalism', 'epiphenomenalisms', 'epiphenomenally', 'epiphenomenon', + 'epiphragm', 'epiphragms', 'epiphyseal', + 'epiphyses', 'epiphysial', + 'epiphysis', + 'epiphyte', + 'epiphytes', + 'epiphytic', 'epiphytically', 'epiphytism', 'epiphytisms', @@ -19836,17 +49996,35 @@ export const scrabble_array = [ 'epiphytology', 'epiphytotic', 'epiphytotics', + 'episcia', + 'episcias', 'episcopacies', 'episcopacy', + 'episcopal', 'episcopally', 'episcopate', 'episcopates', + 'episcope', + 'episcopes', 'episiotomies', 'episiotomy', + 'episode', + 'episodes', + 'episodic', 'episodical', 'episodically', + 'episomal', 'episomally', + 'episome', + 'episomes', + 'epistases', 'epistasies', + 'epistasis', + 'epistasy', + 'epistatic', + 'epistaxes', + 'epistaxis', + 'epistemic', 'epistemically', 'epistemological', 'epistemologically', @@ -19854,18 +50032,37 @@ export const scrabble_array = [ 'epistemologist', 'epistemologists', 'epistemology', + 'epistle', + 'epistler', + 'epistlers', + 'epistles', 'epistolaries', 'epistolary', + 'epistoler', 'epistolers', + 'epistome', + 'epistomes', 'epistrophe', 'epistrophes', + 'epistyle', + 'epistyles', + 'epitaph', 'epitaphial', + 'epitaphic', + 'epitaphs', + 'epitases', + 'epitasis', + 'epitaxial', 'epitaxially', + 'epitaxic', + 'epitaxies', + 'epitaxy', 'epithalamia', 'epithalamic', 'epithalamion', 'epithalamium', 'epithalamiums', + 'epithelia', 'epithelial', 'epithelialization', 'epithelializations', @@ -19886,54 +50083,132 @@ export const scrabble_array = [ 'epithelized', 'epithelizes', 'epithelizing', + 'epithet', + 'epithetic', 'epithetical', + 'epithets', + 'epitome', + 'epitomes', + 'epitomic', 'epitomical', + 'epitomise', 'epitomised', 'epitomises', 'epitomising', + 'epitomize', 'epitomized', 'epitomizes', 'epitomizing', + 'epitope', + 'epitopes', + 'epizoa', + 'epizoic', + 'epizoism', + 'epizoisms', + 'epizoite', + 'epizoites', + 'epizoon', + 'epizootic', 'epizootics', 'epizooties', 'epizootiologic', 'epizootiological', 'epizootiologies', 'epizootiology', + 'epizooty', + 'epoch', + 'epochal', + 'epochally', + 'epochs', + 'epode', + 'epodes', + 'eponym', + 'eponymic', + 'eponymies', + 'eponymous', + 'eponyms', + 'eponymy', + 'epopee', + 'epopees', + 'epopoeia', + 'epopoeias', + 'epos', + 'eposes', 'epoxidation', 'epoxidations', + 'epoxide', + 'epoxides', + 'epoxidize', 'epoxidized', 'epoxidizes', 'epoxidizing', + 'epoxied', + 'epoxies', + 'epoxy', + 'epoxyed', + 'epoxying', + 'epsilon', + 'epsilonic', + 'epsilons', 'equabilities', 'equability', + 'equable', 'equableness', 'equablenesses', + 'equably', + 'equal', + 'equaled', + 'equaling', + 'equalise', + 'equalised', + 'equaliser', 'equalisers', + 'equalises', 'equalising', 'equalitarian', 'equalitarianism', 'equalitarianisms', 'equalitarians', 'equalities', + 'equality', 'equalization', 'equalizations', + 'equalize', + 'equalized', + 'equalizer', 'equalizers', + 'equalizes', 'equalizing', + 'equalled', + 'equalling', + 'equally', + 'equals', 'equanimities', 'equanimity', + 'equate', + 'equated', + 'equates', + 'equating', + 'equation', 'equational', 'equationally', + 'equations', + 'equator', 'equatorial', + 'equators', 'equatorward', + 'equerries', + 'equerry', 'equestrian', 'equestrians', 'equestrienne', 'equestriennes', 'equiangular', 'equicaloric', + 'equid', 'equidistant', 'equidistantly', + 'equids', 'equilateral', 'equilibrant', 'equilibrants', @@ -19952,10 +50227,22 @@ export const scrabble_array = [ 'equilibrists', 'equilibrium', 'equilibriums', + 'equimolar', + 'equine', + 'equinely', + 'equines', 'equinities', + 'equinity', 'equinoctial', 'equinoctials', + 'equinox', + 'equinoxes', + 'equip', + 'equipage', + 'equipages', + 'equipment', 'equipments', + 'equipoise', 'equipoised', 'equipoises', 'equipoising', @@ -19966,14 +50253,27 @@ export const scrabble_array = [ 'equipollents', 'equiponderant', 'equipotential', + 'equipped', + 'equipper', + 'equippers', + 'equipping', 'equiprobable', + 'equips', + 'equiseta', + 'equisetum', 'equisetums', 'equitabilities', 'equitability', + 'equitable', 'equitableness', 'equitablenesses', + 'equitably', + 'equitant', 'equitation', 'equitations', + 'equites', + 'equities', + 'equity', 'equivalence', 'equivalences', 'equivalencies', @@ -19981,6 +50281,7 @@ export const scrabble_array = [ 'equivalent', 'equivalently', 'equivalents', + 'equivocal', 'equivocalities', 'equivocality', 'equivocally', @@ -19994,9 +50295,18 @@ export const scrabble_array = [ 'equivocations', 'equivocator', 'equivocators', + 'equivoke', + 'equivokes', + 'equivoque', 'equivoques', + 'er', + 'era', + 'eradiate', + 'eradiated', + 'eradiates', 'eradiating', 'eradicable', + 'eradicate', 'eradicated', 'eradicates', 'eradicating', @@ -20004,21 +50314,76 @@ export const scrabble_array = [ 'eradications', 'eradicator', 'eradicators', + 'eras', 'erasabilities', 'erasability', + 'erasable', + 'erase', + 'erased', + 'eraser', + 'erasers', + 'erases', + 'erasing', + 'erasion', + 'erasions', + 'erasure', + 'erasures', + 'erbium', + 'erbiums', + 'ere', + 'erect', + 'erectable', + 'erected', + 'erecter', + 'erecters', + 'erectile', 'erectilities', 'erectility', + 'erecting', + 'erection', + 'erections', + 'erective', + 'erectly', + 'erectness', 'erectnesses', + 'erector', + 'erectors', + 'erects', + 'erelong', + 'eremite', + 'eremites', + 'eremitic', 'eremitical', + 'eremitism', 'eremitisms', + 'eremuri', + 'eremurus', + 'erenow', + 'erepsin', + 'erepsins', + 'erethic', + 'erethism', + 'erethisms', + 'erewhile', + 'erewhiles', + 'erg', + 'ergastic', 'ergastoplasm', 'ergastoplasmic', 'ergastoplasms', + 'ergate', + 'ergates', + 'ergative', + 'ergo', + 'ergodic', 'ergodicities', 'ergodicity', + 'ergograph', 'ergographs', + 'ergometer', 'ergometers', 'ergometric', + 'ergonomic', 'ergonomically', 'ergonomics', 'ergonomist', @@ -20027,50 +50392,171 @@ export const scrabble_array = [ 'ergonovines', 'ergosterol', 'ergosterols', + 'ergot', 'ergotamine', 'ergotamines', + 'ergotic', + 'ergotism', + 'ergotisms', + 'ergotized', + 'ergots', + 'ergs', + 'erica', 'ericaceous', + 'ericas', + 'ericoid', + 'erigeron', + 'erigerons', + 'eringo', + 'eringoes', + 'eringos', + 'eriophyid', 'eriophyids', + 'eristic', + 'eristical', 'eristically', + 'eristics', + 'erlking', + 'erlkings', + 'ermine', + 'ermined', + 'ermines', + 'ern', + 'erne', + 'ernes', + 'erns', + 'erode', + 'eroded', + 'erodent', + 'erodes', 'erodibilities', 'erodibility', + 'erodible', + 'eroding', + 'erogenic', + 'erogenous', + 'eros', + 'erose', + 'erosely', + 'eroses', + 'erosible', + 'erosion', + 'erosional', 'erosionally', + 'erosions', + 'erosive', 'erosiveness', 'erosivenesses', 'erosivities', + 'erosivity', + 'erotic', + 'erotica', + 'erotical', 'erotically', + 'eroticism', 'eroticisms', + 'eroticist', 'eroticists', 'eroticization', 'eroticizations', + 'eroticize', 'eroticized', 'eroticizes', 'eroticizing', + 'erotics', + 'erotism', + 'erotisms', 'erotization', 'erotizations', + 'erotize', + 'erotized', + 'erotizes', + 'erotizing', 'erotogenic', + 'err', + 'errancies', + 'errancy', + 'errand', + 'errands', + 'errant', + 'errantly', 'errantries', + 'errantry', + 'errants', + 'errata', + 'erratas', + 'erratic', + 'erratical', 'erratically', 'erraticism', 'erraticisms', + 'erratics', + 'erratum', + 'erred', + 'errhine', + 'errhines', + 'erring', + 'erringly', + 'erroneous', 'erroneously', 'erroneousness', 'erroneousnesses', + 'error', + 'errorless', + 'errors', + 'errs', + 'ers', + 'ersatz', + 'ersatzes', + 'erses', + 'erst', + 'erstwhile', + 'eruct', + 'eructate', + 'eructated', + 'eructates', 'eructating', 'eructation', 'eructations', + 'eructed', + 'eructing', + 'eructs', + 'erudite', + 'eruditely', + 'erudition', 'eruditions', + 'erugo', + 'erugos', + 'erumpent', + 'erupt', + 'erupted', + 'eruptible', + 'erupting', + 'eruption', + 'eruptions', + 'eruptive', 'eruptively', + 'eruptives', + 'erupts', + 'ervil', + 'ervils', + 'eryngo', + 'eryngoes', + 'eryngos', 'erysipelas', 'erysipelases', + 'erythema', + 'erythemas', 'erythematous', 'erythorbate', 'erythorbates', 'erythremia', 'erythremias', + 'erythrism', 'erythrismal', 'erythrisms', 'erythristic', + 'erythrite', 'erythrites', 'erythroblast', 'erythroblastic', @@ -20080,8 +50566,11 @@ export const scrabble_array = [ 'erythrocyte', 'erythrocytes', 'erythrocytic', + 'erythroid', 'erythromycin', 'erythromycins', + 'erythron', + 'erythrons', 'erythropoieses', 'erythropoiesis', 'erythropoietic', @@ -20091,54 +50580,181 @@ export const scrabble_array = [ 'erythrosine', 'erythrosines', 'erythrosins', + 'es', 'escadrille', 'escadrilles', + 'escalade', + 'escaladed', + 'escalader', 'escaladers', + 'escalades', 'escalading', + 'escalate', + 'escalated', + 'escalates', 'escalating', 'escalation', 'escalations', + 'escalator', 'escalators', 'escalatory', + 'escallop', 'escalloped', 'escalloping', + 'escallops', + 'escalop', + 'escaloped', 'escaloping', + 'escalops', + 'escapade', + 'escapades', + 'escape', + 'escaped', + 'escapee', + 'escapees', 'escapement', 'escapements', + 'escaper', + 'escapers', + 'escapes', + 'escaping', + 'escapism', + 'escapisms', + 'escapist', + 'escapists', 'escapologies', 'escapologist', 'escapologists', 'escapology', + 'escar', + 'escargot', + 'escargots', + 'escarole', + 'escaroles', + 'escarp', + 'escarped', + 'escarping', 'escarpment', 'escarpments', + 'escarps', + 'escars', + 'eschalot', + 'eschalots', + 'eschar', 'escharotic', 'escharotics', + 'eschars', 'eschatological', 'eschatologically', 'eschatologies', 'eschatology', + 'escheat', 'escheatable', + 'escheated', 'escheating', + 'escheats', + 'eschew', + 'eschewal', + 'eschewals', + 'eschewed', + 'eschewing', + 'eschews', + 'escolar', + 'escolars', + 'escort', + 'escorted', + 'escorting', + 'escorts', + 'escot', + 'escoted', + 'escoting', + 'escots', 'escritoire', 'escritoires', + 'escrow', + 'escrowed', + 'escrowing', + 'escrows', + 'escuage', + 'escuages', + 'escudo', + 'escudos', + 'esculent', + 'esculents', 'escutcheon', 'escutcheons', 'esemplastic', + 'eserine', + 'eserines', + 'eses', + 'eskar', + 'eskars', + 'esker', + 'eskers', 'esophageal', + 'esophagi', + 'esophagus', + 'esoteric', + 'esoterica', 'esoterically', 'esotericism', 'esotericisms', 'espadrille', 'espadrilles', + 'espalier', 'espaliered', 'espaliering', + 'espaliers', + 'espanol', + 'espanoles', + 'esparto', + 'espartos', + 'especial', 'especially', + 'esperance', 'esperances', + 'espial', + 'espials', + 'espied', + 'espiegle', 'espieglerie', 'espiegleries', + 'espies', + 'espionage', 'espionages', + 'esplanade', 'esplanades', + 'espousal', + 'espousals', + 'espouse', + 'espoused', + 'espouser', + 'espousers', + 'espouses', + 'espousing', + 'espresso', + 'espressos', + 'esprit', + 'esprits', + 'espy', + 'espying', + 'esquire', + 'esquired', + 'esquires', + 'esquiring', + 'ess', + 'essay', + 'essayed', + 'essayer', + 'essayers', + 'essaying', + 'essayist', 'essayistic', + 'essayists', + 'essays', + 'essence', + 'essences', + 'essential', 'essentialism', 'essentialisms', 'essentialist', @@ -20153,6 +50769,12 @@ export const scrabble_array = [ 'essentialness', 'essentialnesses', 'essentials', + 'esses', + 'essoin', + 'essoins', + 'essonite', + 'essonites', + 'establish', 'establishable', 'established', 'establisher', @@ -20165,52 +50787,179 @@ export const scrabble_array = [ 'establishmentarianisms', 'establishmentarians', 'establishments', + 'estaminet', 'estaminets', + 'estancia', + 'estancias', + 'estate', + 'estated', + 'estates', + 'estating', + 'esteem', + 'esteemed', + 'esteeming', + 'esteems', + 'ester', + 'esterase', + 'esterases', 'esterification', 'esterifications', 'esterified', 'esterifies', + 'esterify', 'esterifying', + 'esters', + 'estheses', + 'esthesia', + 'esthesias', + 'esthesis', 'esthesises', + 'esthete', + 'esthetes', + 'esthetic', 'esthetician', 'estheticians', 'estheticism', 'estheticisms', + 'esthetics', + 'estimable', 'estimableness', 'estimablenesses', + 'estimably', + 'estimate', + 'estimated', + 'estimates', 'estimating', 'estimation', 'estimations', 'estimative', + 'estimator', 'estimators', + 'estival', + 'estivate', + 'estivated', + 'estivates', 'estivating', 'estivation', 'estivations', + 'estop', + 'estopped', + 'estoppel', + 'estoppels', + 'estopping', + 'estops', + 'estovers', + 'estradiol', 'estradiols', + 'estragon', + 'estragons', + 'estral', + 'estrange', + 'estranged', 'estrangement', 'estrangements', + 'estranger', 'estrangers', + 'estranges', 'estranging', + 'estray', + 'estrayed', + 'estraying', + 'estrays', + 'estreat', + 'estreated', 'estreating', + 'estreats', + 'estrin', + 'estrins', + 'estriol', + 'estriols', + 'estrogen', 'estrogenic', 'estrogenically', + 'estrogens', + 'estrone', + 'estrones', + 'estrous', + 'estrual', + 'estrum', + 'estrums', + 'estrus', + 'estruses', + 'estuarial', + 'estuaries', + 'estuarine', + 'estuary', + 'esurience', 'esuriences', + 'esurient', 'esuriently', + 'et', + 'eta', + 'etagere', + 'etageres', + 'etalon', + 'etalons', + 'etamin', + 'etamine', + 'etamines', + 'etamins', + 'etape', + 'etapes', + 'etas', + 'etatism', + 'etatisms', + 'etatist', + 'etcetera', + 'etceteras', + 'etch', + 'etchant', + 'etchants', + 'etched', + 'etcher', + 'etchers', + 'etches', + 'etching', + 'etchings', + 'eternal', 'eternalize', 'eternalized', 'eternalizes', 'eternalizing', + 'eternally', 'eternalness', 'eternalnesses', + 'eternals', + 'eterne', + 'eternise', + 'eternised', + 'eternises', 'eternising', 'eternities', + 'eternity', 'eternization', 'eternizations', + 'eternize', + 'eternized', + 'eternizes', 'eternizing', + 'etesian', + 'etesians', + 'eth', 'ethambutol', 'ethambutols', + 'ethane', + 'ethanes', + 'ethanol', 'ethanolamine', 'ethanolamines', + 'ethanols', + 'ethene', + 'ethenes', + 'ethephon', + 'ethephons', + 'ether', + 'ethereal', 'etherealities', 'ethereality', 'etherealization', @@ -20222,23 +50971,57 @@ export const scrabble_array = [ 'ethereally', 'etherealness', 'etherealnesses', + 'etheric', 'etherified', 'etherifies', + 'etherify', 'etherifying', + 'etherish', 'etherization', 'etherizations', + 'etherize', + 'etherized', + 'etherizer', 'etherizers', + 'etherizes', 'etherizing', + 'ethers', + 'ethic', + 'ethical', 'ethicalities', 'ethicality', + 'ethically', 'ethicalness', 'ethicalnesses', + 'ethicals', + 'ethician', + 'ethicians', + 'ethicist', + 'ethicists', + 'ethicize', + 'ethicized', + 'ethicizes', 'ethicizing', + 'ethics', + 'ethinyl', + 'ethinyls', + 'ethion', 'ethionamide', 'ethionamides', + 'ethionine', 'ethionines', + 'ethions', + 'ethmoid', + 'ethmoidal', + 'ethmoids', + 'ethnarch', + 'ethnarchs', + 'ethnic', + 'ethnical', 'ethnically', 'ethnicities', + 'ethnicity', + 'ethnics', 'ethnobotanical', 'ethnobotanies', 'ethnobotanist', @@ -20267,6 +51050,7 @@ export const scrabble_array = [ 'ethnologies', 'ethnologist', 'ethnologists', + 'ethnology', 'ethnomethodologies', 'ethnomethodologist', 'ethnomethodologists', @@ -20276,24 +51060,67 @@ export const scrabble_array = [ 'ethnomusicologist', 'ethnomusicologists', 'ethnomusicology', + 'ethnos', 'ethnoscience', 'ethnosciences', + 'ethnoses', 'ethological', 'ethologies', 'ethologist', 'ethologists', + 'ethology', + 'ethos', + 'ethoses', + 'ethoxies', + 'ethoxy', + 'ethoxyl', + 'ethoxyls', + 'eths', + 'ethyl', + 'ethylate', + 'ethylated', + 'ethylates', 'ethylating', 'ethylbenzene', 'ethylbenzenes', + 'ethylene', 'ethylenediaminetetraacetate', 'ethylenediaminetetraacetates', + 'ethylenes', + 'ethylenic', + 'ethylic', + 'ethyls', + 'ethyne', + 'ethynes', + 'ethynyl', + 'ethynyls', + 'etic', + 'etiolate', + 'etiolated', + 'etiolates', 'etiolating', 'etiolation', 'etiolations', + 'etiologic', 'etiological', 'etiologically', 'etiologies', + 'etiology', + 'etiquette', 'etiquettes', + 'etna', + 'etnas', + 'etoile', + 'etoiles', + 'etouffee', + 'etouffees', + 'etude', + 'etudes', + 'etui', + 'etuis', + 'etwee', + 'etwees', + 'etyma', 'etymological', 'etymologically', 'etymologies', @@ -20307,35 +51134,71 @@ export const scrabble_array = [ 'etymologized', 'etymologizes', 'etymologizing', + 'etymology', + 'etymon', + 'etymons', + 'eucaine', + 'eucaines', + 'eucalypt', + 'eucalypti', 'eucalyptol', 'eucalyptole', 'eucalyptoles', 'eucalyptols', + 'eucalypts', 'eucalyptus', 'eucalyptuses', + 'eucaryote', 'eucaryotes', + 'eucharis', 'eucharises', 'eucharistic', + 'euchre', + 'euchred', + 'euchres', + 'euchring', 'euchromatic', 'euchromatin', 'euchromatins', + 'euclase', + 'euclases', + 'euclidean', + 'euclidian', + 'eucrite', + 'eucrites', + 'eucritic', + 'eudaemon', 'eudaemonism', 'eudaemonisms', 'eudaemonist', 'eudaemonistic', 'eudaemonists', + 'eudaemons', 'eudaimonism', 'eudaimonisms', + 'eudemon', + 'eudemons', 'eudiometer', 'eudiometers', 'eudiometric', 'eudiometrically', + 'eugenia', + 'eugenias', + 'eugenic', 'eugenically', 'eugenicist', 'eugenicists', + 'eugenics', + 'eugenist', + 'eugenists', + 'eugenol', + 'eugenols', 'eugeosynclinal', 'eugeosyncline', 'eugeosynclines', + 'euglena', + 'euglenas', + 'euglenoid', 'euglenoids', 'euglobulin', 'euglobulins', @@ -20344,57 +51207,149 @@ export const scrabble_array = [ 'euhemerist', 'euhemeristic', 'euhemerists', + 'eukaryote', 'eukaryotes', 'eukaryotic', + 'eulachan', + 'eulachans', + 'eulachon', + 'eulachons', + 'eulogia', + 'eulogiae', + 'eulogias', + 'eulogies', + 'eulogise', + 'eulogised', + 'eulogises', 'eulogising', + 'eulogist', 'eulogistic', 'eulogistically', + 'eulogists', + 'eulogium', + 'eulogiums', + 'eulogize', + 'eulogized', + 'eulogizer', 'eulogizers', + 'eulogizes', 'eulogizing', + 'eulogy', + 'eunuch', + 'eunuchism', 'eunuchisms', + 'eunuchoid', 'eunuchoids', + 'eunuchs', + 'euonymus', 'euonymuses', + 'eupatrid', 'eupatridae', + 'eupatrids', + 'eupepsia', + 'eupepsias', + 'eupepsies', + 'eupepsy', + 'eupeptic', 'euphausiid', 'euphausiids', + 'euphemise', 'euphemised', 'euphemises', 'euphemising', + 'euphemism', 'euphemisms', + 'euphemist', 'euphemistic', 'euphemistically', 'euphemists', + 'euphemize', 'euphemized', 'euphemizer', 'euphemizers', 'euphemizes', 'euphemizing', + 'euphenic', + 'euphenics', + 'euphonic', 'euphonically', + 'euphonies', 'euphonious', 'euphoniously', 'euphoniousness', 'euphoniousnesses', + 'euphonium', 'euphoniums', + 'euphony', + 'euphorbia', 'euphorbias', + 'euphoria', 'euphoriant', 'euphoriants', + 'euphorias', + 'euphoric', 'euphorically', + 'euphotic', 'euphrasies', + 'euphrasy', + 'euphroe', + 'euphroes', + 'euphuism', + 'euphuisms', + 'euphuist', 'euphuistic', 'euphuistically', + 'euphuists', + 'euploid', 'euploidies', + 'euploids', + 'euploidy', + 'eupnea', + 'eupneas', + 'eupneic', + 'eupnoea', + 'eupnoeas', + 'eupnoeic', + 'eureka', 'eurhythmic', 'eurhythmics', 'eurhythmies', + 'eurhythmy', + 'euripi', + 'euripus', + 'euro', + 'eurokies', + 'eurokous', + 'euroky', + 'europium', + 'europiums', + 'euros', + 'eurybath', 'eurybathic', + 'eurybaths', 'euryhaline', + 'euryokies', + 'euryoky', 'eurypterid', 'eurypterids', 'eurythermal', 'eurythermic', 'eurythermous', + 'eurythmic', 'eurythmics', 'eurythmies', + 'eurythmy', + 'eurytopic', + 'eustacies', + 'eustacy', + 'eustatic', + 'eustele', + 'eusteles', + 'eutaxies', + 'eutaxy', + 'eutectic', + 'eutectics', + 'eutectoid', 'eutectoids', 'euthanasia', 'euthanasias', @@ -20403,29 +51358,62 @@ export const scrabble_array = [ 'euthanatized', 'euthanatizes', 'euthanatizing', + 'euthanize', 'euthanized', 'euthanizes', 'euthanizing', + 'euthenics', + 'euthenist', 'euthenists', + 'eutherian', 'eutherians', + 'euthyroid', + 'eutrophic', 'eutrophication', 'eutrophications', 'eutrophies', + 'eutrophy', + 'euxenite', + 'euxenites', + 'evacuant', + 'evacuants', + 'evacuate', + 'evacuated', + 'evacuates', 'evacuating', 'evacuation', 'evacuations', 'evacuative', + 'evacuee', + 'evacuees', + 'evadable', + 'evade', + 'evaded', + 'evader', + 'evaders', + 'evades', + 'evadible', + 'evading', 'evagination', 'evaginations', + 'evaluate', + 'evaluated', + 'evaluates', 'evaluating', 'evaluation', 'evaluations', 'evaluative', + 'evaluator', 'evaluators', + 'evanesce', + 'evanesced', 'evanescence', 'evanescences', 'evanescent', + 'evanesces', 'evanescing', + 'evangel', + 'evangelic', 'evangelical', 'evangelically', 'evangelism', @@ -20440,7 +51428,12 @@ export const scrabble_array = [ 'evangelized', 'evangelizes', 'evangelizing', + 'evangels', + 'evanish', + 'evanished', + 'evanishes', 'evanishing', + 'evaporate', 'evaporated', 'evaporates', 'evaporating', @@ -20449,58 +51442,160 @@ export const scrabble_array = [ 'evaporative', 'evaporator', 'evaporators', + 'evaporite', 'evaporites', 'evaporitic', 'evapotranspiration', 'evapotranspirations', + 'evasion', + 'evasions', + 'evasive', + 'evasively', 'evasiveness', 'evasivenesses', + 'eve', + 'evection', + 'evections', + 'even', + 'evened', + 'evener', + 'eveners', + 'evenest', + 'evenfall', + 'evenfalls', 'evenhanded', 'evenhandedly', 'evenhandedness', 'evenhandednesses', + 'evening', + 'evenings', + 'evenly', + 'evenness', 'evennesses', + 'evens', + 'evensong', + 'evensongs', + 'event', + 'eventful', 'eventfully', 'eventfulness', 'eventfulnesses', + 'eventide', + 'eventides', + 'eventless', + 'events', + 'eventual', 'eventualities', 'eventuality', 'eventually', + 'eventuate', 'eventuated', 'eventuates', 'eventuating', + 'ever', 'everblooming', 'everduring', + 'everglade', 'everglades', + 'evergreen', 'evergreens', 'everlasting', 'everlastingly', 'everlastingness', 'everlastingnesses', 'everlastings', + 'evermore', + 'eversible', + 'eversion', + 'eversions', + 'evert', + 'everted', + 'everting', + 'evertor', + 'evertors', + 'everts', + 'every', + 'everybody', + 'everyday', 'everydayness', 'everydaynesses', + 'everyman', + 'everymen', + 'everyone', 'everyplace', 'everything', + 'everyway', 'everywhere', 'everywoman', 'everywomen', + 'eves', + 'evict', + 'evicted', + 'evictee', + 'evictees', + 'evicting', + 'eviction', + 'evictions', + 'evictor', + 'evictors', + 'evicts', + 'evidence', + 'evidenced', + 'evidences', 'evidencing', + 'evident', 'evidential', 'evidentially', 'evidentiary', + 'evidently', + 'evil', + 'evildoer', + 'evildoers', + 'evildoing', 'evildoings', + 'eviler', + 'evilest', + 'eviller', + 'evillest', + 'evilly', + 'evilness', 'evilnesses', + 'evils', + 'evince', + 'evinced', + 'evinces', + 'evincible', + 'evincing', + 'evincive', 'eviscerate', 'eviscerated', 'eviscerates', 'eviscerating', 'evisceration', 'eviscerations', + 'evitable', + 'evite', + 'evited', + 'evites', + 'eviting', + 'evocable', + 'evocation', 'evocations', + 'evocative', 'evocatively', 'evocativeness', 'evocativenesses', + 'evocator', + 'evocators', + 'evoke', + 'evoked', + 'evoker', + 'evokers', + 'evokes', + 'evoking', + 'evolute', + 'evolutes', + 'evolution', 'evolutionarily', 'evolutionary', 'evolutionism', @@ -20508,21 +51603,54 @@ export const scrabble_array = [ 'evolutionist', 'evolutionists', 'evolutions', + 'evolvable', + 'evolve', + 'evolved', 'evolvement', 'evolvements', + 'evolver', + 'evolvers', + 'evolves', + 'evolving', + 'evonymus', 'evonymuses', + 'evulsion', + 'evulsions', + 'evzone', + 'evzones', + 'ewe', + 'ewer', + 'ewers', + 'ewes', + 'ex', 'exacerbate', 'exacerbated', 'exacerbates', 'exacerbating', 'exacerbation', 'exacerbations', + 'exact', + 'exacta', + 'exactable', + 'exactas', + 'exacted', + 'exacter', + 'exacters', + 'exactest', + 'exacting', 'exactingly', 'exactingness', 'exactingnesses', + 'exaction', + 'exactions', 'exactitude', 'exactitudes', + 'exactly', + 'exactness', 'exactnesses', + 'exactor', + 'exactors', + 'exacts', 'exaggerate', 'exaggerated', 'exaggeratedly', @@ -20536,18 +51664,52 @@ export const scrabble_array = [ 'exaggerator', 'exaggerators', 'exaggeratory', + 'exalt', 'exaltation', 'exaltations', + 'exalted', + 'exaltedly', + 'exalter', + 'exalters', + 'exalting', + 'exalts', + 'exam', + 'examen', + 'examens', 'examinable', + 'examinant', 'examinants', 'examination', 'examinational', 'examinations', + 'examine', + 'examined', + 'examinee', + 'examinees', + 'examiner', + 'examiners', + 'examines', + 'examining', + 'example', + 'exampled', + 'examples', + 'exampling', + 'exams', + 'exanimate', + 'exanthem', + 'exanthema', 'exanthemas', 'exanthemata', 'exanthematic', 'exanthematous', + 'exanthems', + 'exarch', + 'exarchal', + 'exarchate', 'exarchates', + 'exarchies', + 'exarchs', + 'exarchy', 'exasperate', 'exasperated', 'exasperatedly', @@ -20556,18 +51718,38 @@ export const scrabble_array = [ 'exasperatingly', 'exasperation', 'exasperations', + 'excavate', + 'excavated', + 'excavates', 'excavating', 'excavation', 'excavational', 'excavations', + 'excavator', 'excavators', + 'exceed', + 'exceeded', + 'exceeder', + 'exceeders', + 'exceeding', 'exceedingly', + 'exceeds', + 'excel', + 'excelled', 'excellence', 'excellences', 'excellencies', 'excellency', + 'excellent', 'excellently', + 'excelling', + 'excels', + 'excelsior', 'excelsiors', + 'except', + 'excepted', + 'excepting', + 'exception', 'exceptionabilities', 'exceptionability', 'exceptionable', @@ -20581,46 +51763,110 @@ export const scrabble_array = [ 'exceptionalness', 'exceptionalnesses', 'exceptions', + 'exceptive', + 'excepts', + 'excerpt', + 'excerpted', + 'excerpter', 'excerpters', 'excerpting', 'excerption', 'excerptions', + 'excerptor', 'excerptors', + 'excerpts', + 'excess', + 'excessed', + 'excesses', + 'excessing', + 'excessive', 'excessively', 'excessiveness', 'excessivenesses', + 'exchange', 'exchangeabilities', 'exchangeability', 'exchangeable', + 'exchanged', + 'exchanger', 'exchangers', + 'exchanges', 'exchanging', + 'exchequer', 'exchequers', + 'excide', + 'excided', + 'excides', + 'exciding', + 'excimer', + 'excimers', + 'excipient', 'excipients', + 'exciple', + 'exciples', + 'excisable', + 'excise', + 'excised', + 'exciseman', + 'excisemen', + 'excises', + 'excising', + 'excision', 'excisional', + 'excisions', 'excitabilities', 'excitability', + 'excitable', 'excitableness', 'excitablenesses', + 'excitant', + 'excitants', 'excitation', 'excitations', 'excitative', 'excitatory', + 'excite', + 'excited', + 'excitedly', 'excitement', 'excitements', + 'exciter', + 'exciters', + 'excites', + 'exciting', 'excitingly', + 'exciton', + 'excitonic', + 'excitons', + 'excitor', + 'excitors', + 'exclaim', + 'exclaimed', + 'exclaimer', 'exclaimers', 'exclaiming', + 'exclaims', 'exclamation', 'exclamations', 'exclamatory', + 'exclave', + 'exclaves', 'excludabilities', 'excludability', 'excludable', + 'exclude', + 'excluded', + 'excluder', + 'excluders', + 'excludes', 'excludible', + 'excluding', + 'exclusion', 'exclusionary', 'exclusionist', 'exclusionists', 'exclusions', + 'exclusive', 'exclusively', 'exclusiveness', 'exclusivenesses', @@ -20647,11 +51893,13 @@ export const scrabble_array = [ 'excommunicative', 'excommunicator', 'excommunicators', + 'excoriate', 'excoriated', 'excoriates', 'excoriating', 'excoriation', 'excoriations', + 'excrement', 'excremental', 'excrementitious', 'excrements', @@ -20661,7 +51909,17 @@ export const scrabble_array = [ 'excrescency', 'excrescent', 'excrescently', + 'excreta', + 'excretal', + 'excrete', + 'excreted', + 'excreter', + 'excreters', + 'excretes', + 'excreting', + 'excretion', 'excretions', + 'excretory', 'excruciate', 'excruciated', 'excruciates', @@ -20669,73 +51927,158 @@ export const scrabble_array = [ 'excruciatingly', 'excruciation', 'excruciations', + 'exculpate', 'exculpated', 'exculpates', 'exculpating', 'exculpation', 'exculpations', 'exculpatory', + 'excurrent', + 'excursion', 'excursionist', 'excursionists', 'excursions', + 'excursive', 'excursively', 'excursiveness', 'excursivenesses', + 'excursus', 'excursuses', + 'excusable', 'excusableness', 'excusablenesses', + 'excusably', 'excusatory', + 'excuse', + 'excused', + 'excuser', + 'excusers', + 'excuses', + 'excusing', + 'exec', + 'execrable', 'execrableness', 'execrablenesses', + 'execrably', + 'execrate', + 'execrated', + 'execrates', 'execrating', 'execration', 'execrations', 'execrative', + 'execrator', 'execrators', + 'execs', 'executable', 'executables', + 'executant', 'executants', + 'execute', + 'executed', + 'executer', + 'executers', + 'executes', + 'executing', + 'execution', 'executioner', 'executioners', 'executions', + 'executive', 'executives', + 'executor', 'executorial', + 'executors', 'executorship', 'executorships', + 'executory', 'executrices', + 'executrix', 'executrixes', + 'exedra', + 'exedrae', + 'exegeses', + 'exegesis', + 'exegete', + 'exegetes', + 'exegetic', 'exegetical', + 'exegetist', 'exegetists', + 'exempla', + 'exemplar', 'exemplarily', 'exemplariness', 'exemplarinesses', 'exemplarities', 'exemplarity', + 'exemplars', + 'exemplary', 'exemplification', 'exemplifications', 'exemplified', 'exemplifies', + 'exemplify', 'exemplifying', + 'exemplum', + 'exempt', + 'exempted', + 'exempting', + 'exemption', 'exemptions', + 'exempts', 'exenterate', 'exenterated', 'exenterates', 'exenterating', 'exenteration', 'exenterations', + 'exequial', + 'exequies', + 'exequy', 'exercisable', + 'exercise', + 'exercised', + 'exerciser', 'exercisers', + 'exercises', 'exercising', 'exercitation', 'exercitations', + 'exergonic', + 'exergual', + 'exergue', + 'exergues', + 'exert', + 'exerted', + 'exerting', + 'exertion', + 'exertions', + 'exertive', + 'exerts', + 'exes', + 'exeunt', + 'exfoliate', 'exfoliated', 'exfoliates', 'exfoliating', 'exfoliation', 'exfoliations', 'exfoliative', + 'exhalant', + 'exhalants', 'exhalation', 'exhalations', + 'exhale', + 'exhaled', + 'exhalent', + 'exhalents', + 'exhales', + 'exhaling', + 'exhaust', + 'exhausted', + 'exhauster', 'exhausters', 'exhaustibilities', 'exhaustibility', @@ -20753,6 +52096,9 @@ export const scrabble_array = [ 'exhaustlessly', 'exhaustlessness', 'exhaustlessnesses', + 'exhausts', + 'exhibit', + 'exhibited', 'exhibiting', 'exhibition', 'exhibitioner', @@ -20765,8 +52111,10 @@ export const scrabble_array = [ 'exhibitionists', 'exhibitions', 'exhibitive', + 'exhibitor', 'exhibitors', 'exhibitory', + 'exhibits', 'exhilarate', 'exhilarated', 'exhilarates', @@ -20775,18 +52123,51 @@ export const scrabble_array = [ 'exhilaration', 'exhilarations', 'exhilarative', + 'exhort', 'exhortation', 'exhortations', 'exhortative', 'exhortatory', + 'exhorted', + 'exhorter', + 'exhorters', + 'exhorting', + 'exhorts', 'exhumation', 'exhumations', + 'exhume', + 'exhumed', + 'exhumer', + 'exhumers', + 'exhumes', + 'exhuming', + 'exigence', + 'exigences', 'exigencies', + 'exigency', + 'exigent', + 'exigently', + 'exigible', 'exiguities', + 'exiguity', + 'exiguous', 'exiguously', 'exiguousness', 'exiguousnesses', + 'exile', + 'exiled', + 'exiles', + 'exilian', + 'exilic', + 'exiling', + 'eximious', + 'exine', + 'exines', + 'exist', + 'existed', + 'existence', 'existences', + 'existent', 'existential', 'existentialism', 'existentialisms', @@ -20795,29 +52176,64 @@ export const scrabble_array = [ 'existentialistically', 'existentialists', 'existentially', + 'existents', + 'existing', + 'exists', + 'exit', + 'exited', + 'exiting', + 'exitless', + 'exits', 'exobiological', 'exobiologies', 'exobiologist', 'exobiologists', 'exobiology', + 'exocarp', + 'exocarps', + 'exocrine', + 'exocrines', + 'exocyclic', 'exocytoses', 'exocytosis', 'exocytotic', + 'exoderm', + 'exodermis', 'exodermises', + 'exoderms', + 'exodoi', + 'exodontia', 'exodontias', 'exodontist', 'exodontists', + 'exodos', + 'exodus', + 'exoduses', + 'exoenzyme', 'exoenzymes', + 'exoergic', 'exoerythrocytic', + 'exogamic', + 'exogamies', + 'exogamous', + 'exogamy', + 'exogen', + 'exogenous', 'exogenously', + 'exogens', + 'exon', + 'exonerate', 'exonerated', 'exonerates', 'exonerating', 'exoneration', 'exonerations', 'exonerative', + 'exonic', + 'exons', 'exonuclease', 'exonucleases', + 'exonumia', 'exopeptidase', 'exopeptidases', 'exophthalmic', @@ -20825,20 +52241,45 @@ export const scrabble_array = [ 'exophthalmoses', 'exophthalmus', 'exophthalmuses', + 'exorable', 'exorbitance', 'exorbitances', 'exorbitant', 'exorbitantly', + 'exorcise', + 'exorcised', + 'exorciser', 'exorcisers', + 'exorcises', 'exorcising', + 'exorcism', + 'exorcisms', + 'exorcist', 'exorcistic', 'exorcistical', + 'exorcists', + 'exorcize', + 'exorcized', + 'exorcizes', 'exorcizing', + 'exordia', + 'exordial', + 'exordium', + 'exordiums', 'exoskeletal', 'exoskeleton', 'exoskeletons', + 'exosmic', + 'exosmose', + 'exosmoses', + 'exosphere', 'exospheres', 'exospheric', + 'exospore', + 'exospores', + 'exostoses', + 'exostosis', + 'exoteric', 'exoterically', 'exothermal', 'exothermally', @@ -20846,16 +52287,36 @@ export const scrabble_array = [ 'exothermically', 'exothermicities', 'exothermicity', + 'exotic', + 'exotica', 'exotically', + 'exoticism', 'exoticisms', 'exoticness', 'exoticnesses', + 'exotics', + 'exotism', + 'exotisms', + 'exotoxic', + 'exotoxin', + 'exotoxins', + 'expand', 'expandabilities', 'expandability', 'expandable', + 'expanded', + 'expander', + 'expanders', + 'expanding', + 'expandor', + 'expandors', + 'expands', + 'expanse', + 'expanses', 'expansibilities', 'expansibility', 'expansible', + 'expansion', 'expansional', 'expansionary', 'expansionism', @@ -20864,11 +52325,14 @@ export const scrabble_array = [ 'expansionistic', 'expansionists', 'expansions', + 'expansive', 'expansively', 'expansiveness', 'expansivenesses', 'expansivities', 'expansivity', + 'expat', + 'expatiate', 'expatiated', 'expatiates', 'expatiating', @@ -20882,21 +52346,26 @@ export const scrabble_array = [ 'expatriations', 'expatriatism', 'expatriatisms', + 'expats', + 'expect', 'expectable', 'expectably', 'expectance', 'expectances', 'expectancies', 'expectancy', + 'expectant', 'expectantly', 'expectants', 'expectation', 'expectational', 'expectations', 'expectative', + 'expected', 'expectedly', 'expectedness', 'expectednesses', + 'expecting', 'expectorant', 'expectorants', 'expectorate', @@ -20905,14 +52374,20 @@ export const scrabble_array = [ 'expectorating', 'expectoration', 'expectorations', + 'expects', 'expedience', 'expediences', 'expediencies', 'expediency', + 'expedient', 'expediential', 'expediently', 'expedients', + 'expedite', + 'expedited', + 'expediter', 'expediters', + 'expedites', 'expediting', 'expedition', 'expeditionary', @@ -20921,14 +52396,34 @@ export const scrabble_array = [ 'expeditiously', 'expeditiousness', 'expeditiousnesses', + 'expeditor', 'expeditors', + 'expel', 'expellable', + 'expelled', + 'expellee', + 'expellees', + 'expeller', + 'expellers', + 'expelling', + 'expels', + 'expend', 'expendabilities', 'expendability', 'expendable', 'expendables', + 'expended', + 'expender', + 'expenders', + 'expending', 'expenditure', 'expenditures', + 'expends', + 'expense', + 'expensed', + 'expenses', + 'expensing', + 'expensive', 'expensively', 'expensiveness', 'expensivenesses', @@ -20952,32 +52447,67 @@ export const scrabble_array = [ 'experimenters', 'experimenting', 'experiments', + 'expert', + 'experted', + 'experting', + 'expertise', 'expertises', + 'expertism', 'expertisms', + 'expertize', 'expertized', 'expertizes', 'expertizing', + 'expertly', 'expertness', 'expertnesses', + 'experts', + 'expiable', + 'expiate', + 'expiated', + 'expiates', + 'expiating', + 'expiation', 'expiations', + 'expiator', + 'expiators', + 'expiatory', 'expiration', 'expirations', 'expiratory', + 'expire', + 'expired', + 'expirer', + 'expirers', + 'expires', + 'expiries', + 'expiring', + 'expiry', + 'explain', 'explainable', + 'explained', + 'explainer', 'explainers', 'explaining', + 'explains', 'explanation', 'explanations', 'explanative', 'explanatively', 'explanatorily', 'explanatory', + 'explant', 'explantation', 'explantations', + 'explanted', 'explanting', + 'explants', + 'expletive', 'expletives', + 'expletory', 'explicable', 'explicably', + 'explicate', 'explicated', 'explicates', 'explicating', @@ -20988,45 +52518,87 @@ export const scrabble_array = [ 'explicator', 'explicators', 'explicatory', + 'explicit', 'explicitly', 'explicitness', 'explicitnesses', + 'explicits', + 'explode', + 'exploded', + 'exploder', + 'exploders', + 'explodes', + 'exploding', + 'exploit', 'exploitable', 'exploitation', 'exploitations', 'exploitative', 'exploitatively', + 'exploited', + 'exploiter', 'exploiters', 'exploiting', 'exploitive', + 'exploits', 'exploration', 'explorational', 'explorations', 'explorative', 'exploratively', 'exploratory', + 'explore', + 'explored', + 'explorer', + 'explorers', + 'explores', + 'exploring', + 'explosion', 'explosions', + 'explosive', 'explosively', 'explosiveness', 'explosivenesses', 'explosives', + 'expo', + 'exponent', 'exponential', 'exponentially', 'exponentials', 'exponentiation', 'exponentiations', + 'exponents', + 'export', 'exportabilities', 'exportability', 'exportable', 'exportation', 'exportations', + 'exported', + 'exporter', + 'exporters', + 'exporting', + 'exports', + 'expos', + 'exposal', + 'exposals', + 'expose', + 'exposed', + 'exposer', + 'exposers', + 'exposes', + 'exposing', + 'exposit', + 'exposited', 'expositing', 'exposition', 'expositional', 'expositions', 'expositive', + 'expositor', 'expositors', 'expository', + 'exposits', 'expostulate', 'expostulated', 'expostulates', @@ -21034,11 +52606,21 @@ export const scrabble_array = [ 'expostulation', 'expostulations', 'expostulatory', + 'exposure', + 'exposures', + 'expound', + 'expounded', + 'expounder', 'expounders', 'expounding', + 'expounds', + 'express', 'expressage', 'expressages', + 'expressed', + 'expresser', 'expressers', + 'expresses', 'expressible', 'expressing', 'expression', @@ -21060,8 +52642,11 @@ export const scrabble_array = [ 'expressivenesses', 'expressivities', 'expressivity', + 'expressly', 'expressman', 'expressmen', + 'expresso', + 'expressos', 'expressway', 'expressways', 'expropriate', @@ -21072,9 +52657,22 @@ export const scrabble_array = [ 'expropriations', 'expropriator', 'expropriators', + 'expulse', + 'expulsed', + 'expulses', + 'expulsing', + 'expulsion', 'expulsions', + 'expulsive', 'expunction', 'expunctions', + 'expunge', + 'expunged', + 'expunger', + 'expungers', + 'expunges', + 'expunging', + 'expurgate', 'expurgated', 'expurgates', 'expurgating', @@ -21084,6 +52682,7 @@ export const scrabble_array = [ 'expurgatorial', 'expurgators', 'expurgatory', + 'exquisite', 'exquisitely', 'exquisiteness', 'exquisitenesses', @@ -21094,8 +52693,24 @@ export const scrabble_array = [ 'exsanguinating', 'exsanguination', 'exsanguinations', + 'exscind', + 'exscinded', 'exscinding', + 'exscinds', + 'exsecant', + 'exsecants', + 'exsect', + 'exsected', + 'exsecting', + 'exsects', + 'exsert', + 'exserted', + 'exsertile', + 'exserting', + 'exsertion', 'exsertions', + 'exserts', + 'exsiccate', 'exsiccated', 'exsiccates', 'exsiccating', @@ -21103,6 +52718,7 @@ export const scrabble_array = [ 'exsiccations', 'exsolution', 'exsolutions', + 'extant', 'extemporal', 'extemporally', 'extemporaneities', @@ -21113,6 +52729,7 @@ export const scrabble_array = [ 'extemporaneousnesses', 'extemporarily', 'extemporary', + 'extempore', 'extemporisation', 'extemporisations', 'extemporise', @@ -21127,27 +52744,42 @@ export const scrabble_array = [ 'extemporizers', 'extemporizes', 'extemporizing', + 'extend', 'extendabilities', 'extendability', 'extendable', + 'extended', 'extendedly', 'extendedness', 'extendednesses', + 'extender', + 'extenders', 'extendible', + 'extending', + 'extends', 'extensibilities', 'extensibility', 'extensible', + 'extensile', + 'extension', 'extensional', 'extensionalities', 'extensionality', 'extensionally', 'extensions', 'extensities', + 'extensity', + 'extensive', 'extensively', 'extensiveness', 'extensivenesses', 'extensometer', 'extensometers', + 'extensor', + 'extensors', + 'extent', + 'extents', + 'extenuate', 'extenuated', 'extenuates', 'extenuating', @@ -21156,6 +52788,7 @@ export const scrabble_array = [ 'extenuator', 'extenuators', 'extenuatory', + 'exterior', 'exteriorise', 'exteriorised', 'exteriorises', @@ -21169,6 +52802,7 @@ export const scrabble_array = [ 'exteriorizes', 'exteriorizing', 'exteriorly', + 'exteriors', 'exterminate', 'exterminated', 'exterminates', @@ -21178,9 +52812,12 @@ export const scrabble_array = [ 'exterminator', 'exterminators', 'exterminatory', + 'extermine', 'extermined', 'extermines', 'extermining', + 'extern', + 'external', 'externalisation', 'externalisations', 'externalise', @@ -21198,6 +52835,10 @@ export const scrabble_array = [ 'externalizes', 'externalizing', 'externally', + 'externals', + 'externe', + 'externes', + 'externs', 'externship', 'externships', 'exteroceptive', @@ -21206,10 +52847,13 @@ export const scrabble_array = [ 'exterritorial', 'exterritorialities', 'exterritoriality', + 'extinct', + 'extincted', 'extincting', 'extinction', 'extinctions', 'extinctive', + 'extincts', 'extinguish', 'extinguishable', 'extinguished', @@ -21219,6 +52863,7 @@ export const scrabble_array = [ 'extinguishing', 'extinguishment', 'extinguishments', + 'extirpate', 'extirpated', 'extirpates', 'extirpating', @@ -21226,7 +52871,22 @@ export const scrabble_array = [ 'extirpations', 'extirpator', 'extirpators', + 'extol', + 'extoll', + 'extolled', + 'extoller', + 'extollers', + 'extolling', + 'extolls', + 'extolment', 'extolments', + 'extols', + 'extort', + 'extorted', + 'extorter', + 'extorters', + 'extorting', + 'extortion', 'extortionary', 'extortionate', 'extortionately', @@ -21235,30 +52895,39 @@ export const scrabble_array = [ 'extortionist', 'extortionists', 'extortions', + 'extortive', + 'extorts', + 'extra', 'extracellular', 'extracellularly', 'extrachromosomal', 'extracorporeal', 'extracorporeally', 'extracranial', + 'extract', 'extractabilities', 'extractability', 'extractable', + 'extracted', 'extracting', 'extraction', 'extractions', 'extractive', 'extractively', 'extractives', + 'extractor', 'extractors', + 'extracts', 'extracurricular', 'extracurriculars', 'extraditable', + 'extradite', 'extradited', 'extradites', 'extraditing', 'extradition', 'extraditions', + 'extrados', 'extradoses', 'extraembryonic', 'extragalactic', @@ -21272,6 +52941,7 @@ export const scrabble_array = [ 'extralinguistically', 'extraliterary', 'extralities', + 'extrality', 'extralogical', 'extramarital', 'extramundane', @@ -21298,6 +52968,7 @@ export const scrabble_array = [ 'extrapolator', 'extrapolators', 'extrapyramidal', + 'extras', 'extrasensory', 'extrasystole', 'extrasystoles', @@ -21330,60 +53001,211 @@ export const scrabble_array = [ 'extravehicular', 'extraversion', 'extraversions', + 'extravert', 'extraverted', 'extraverts', + 'extrema', + 'extreme', + 'extremely', 'extremeness', 'extremenesses', + 'extremer', + 'extremes', + 'extremest', + 'extremism', 'extremisms', + 'extremist', 'extremists', 'extremities', + 'extremity', + 'extremum', 'extricable', + 'extricate', 'extricated', 'extricates', 'extricating', 'extrication', 'extrications', + 'extrinsic', 'extrinsically', + 'extrorse', 'extroversion', 'extroversions', + 'extrovert', 'extroverted', 'extroverts', 'extrudabilities', 'extrudability', 'extrudable', + 'extrude', + 'extruded', + 'extruder', + 'extruders', + 'extrudes', + 'extruding', + 'extrusion', 'extrusions', + 'extrusive', + 'extubate', + 'extubated', + 'extubates', 'extubating', 'exuberance', 'exuberances', + 'exuberant', 'exuberantly', + 'exuberate', 'exuberated', 'exuberates', 'exuberating', + 'exudate', + 'exudates', + 'exudation', 'exudations', + 'exudative', + 'exude', + 'exuded', + 'exudes', + 'exuding', + 'exult', + 'exultance', 'exultances', 'exultancies', + 'exultancy', + 'exultant', 'exultantly', 'exultation', 'exultations', + 'exulted', + 'exulting', 'exultingly', + 'exults', + 'exurb', + 'exurban', 'exurbanite', 'exurbanites', + 'exurbia', + 'exurbias', + 'exurbs', + 'exuvia', + 'exuviae', + 'exuvial', + 'exuviate', + 'exuviated', + 'exuviates', 'exuviating', 'exuviation', 'exuviations', + 'exuvium', + 'eyas', + 'eyases', + 'eye', + 'eyeable', + 'eyeball', + 'eyeballed', 'eyeballing', + 'eyeballs', + 'eyebar', + 'eyebars', + 'eyebeam', + 'eyebeams', + 'eyebolt', + 'eyebolts', + 'eyebright', 'eyebrights', + 'eyebrow', + 'eyebrows', + 'eyecup', + 'eyecups', + 'eyed', + 'eyedness', 'eyednesses', 'eyedropper', 'eyedroppers', + 'eyedrops', + 'eyeful', + 'eyefuls', + 'eyeglass', 'eyeglasses', + 'eyehole', + 'eyeholes', + 'eyehook', + 'eyehooks', + 'eyeing', + 'eyelash', + 'eyelashes', + 'eyeless', + 'eyelet', + 'eyelets', + 'eyeletted', 'eyeletting', + 'eyelid', + 'eyelids', + 'eyelike', + 'eyeliner', + 'eyeliners', + 'eyen', + 'eyepiece', + 'eyepieces', + 'eyepoint', + 'eyepoints', + 'eyepopper', 'eyepoppers', + 'eyer', + 'eyers', + 'eyes', + 'eyeshade', + 'eyeshades', + 'eyeshot', + 'eyeshots', + 'eyesight', + 'eyesights', + 'eyesome', + 'eyesore', + 'eyesores', + 'eyespot', + 'eyespots', + 'eyestalk', + 'eyestalks', + 'eyestone', + 'eyestones', + 'eyestrain', 'eyestrains', 'eyestrings', + 'eyeteeth', + 'eyetooth', + 'eyewash', + 'eyewashes', + 'eyewater', + 'eyewaters', + 'eyewear', + 'eyewink', + 'eyewinks', 'eyewitness', 'eyewitnesses', + 'eying', + 'eyne', + 'eyra', + 'eyras', + 'eyre', + 'eyres', + 'eyrie', + 'eyries', + 'eyrir', + 'eyry', + 'fa', + 'fable', + 'fabled', + 'fabler', + 'fablers', + 'fables', + 'fabliau', + 'fabliaux', + 'fabling', + 'fabric', + 'fabricant', 'fabricants', + 'fabricate', 'fabricated', 'fabricates', 'fabricating', @@ -21391,17 +53213,56 @@ export const scrabble_array = [ 'fabrications', 'fabricator', 'fabricators', + 'fabrics', + 'fabular', + 'fabulist', 'fabulistic', + 'fabulists', + 'fabulous', 'fabulously', 'fabulousness', 'fabulousnesses', + 'facade', + 'facades', + 'face', + 'faceable', + 'facecloth', 'facecloths', + 'faced', + 'facedown', + 'facedowns', + 'faceless', 'facelessness', 'facelessnesses', + 'faceplate', 'faceplates', + 'facer', + 'facers', + 'faces', + 'facet', + 'facete', + 'faceted', + 'facetely', + 'facetiae', + 'faceting', + 'facetious', 'facetiously', 'facetiousness', 'facetiousnesses', + 'facets', + 'facetted', + 'facetting', + 'faceup', + 'facia', + 'facial', + 'facially', + 'facials', + 'facias', + 'faciend', + 'faciends', + 'facies', + 'facile', + 'facilely', 'facileness', 'facilenesses', 'facilitate', @@ -21415,11 +53276,22 @@ export const scrabble_array = [ 'facilitators', 'facilitatory', 'facilities', + 'facility', + 'facing', + 'facings', + 'facsimile', 'facsimiles', + 'fact', + 'factful', 'facticities', + 'facticity', + 'faction', + 'factional', 'factionalism', 'factionalisms', 'factionally', + 'factions', + 'factious', 'factiously', 'factiousness', 'factiousnesses', @@ -21427,74 +53299,307 @@ export const scrabble_array = [ 'factitiously', 'factitiousness', 'factitiousnesses', + 'factitive', 'factitively', + 'factoid', + 'factoids', + 'factor', 'factorable', + 'factorage', 'factorages', + 'factored', + 'factorial', 'factorials', + 'factories', + 'factoring', 'factorization', 'factorizations', + 'factorize', 'factorized', 'factorizes', 'factorizing', + 'factors', 'factorship', 'factorships', + 'factory', 'factorylike', + 'factotum', + 'factotums', + 'facts', + 'factual', 'factualism', 'factualisms', 'factualist', 'factualists', 'factualities', 'factuality', + 'factually', 'factualness', 'factualnesses', + 'facture', + 'factures', + 'facula', + 'faculae', + 'facular', 'facultative', 'facultatively', + 'faculties', + 'faculty', + 'fad', + 'fadable', + 'faddier', + 'faddiest', + 'faddish', 'faddishness', 'faddishnesses', + 'faddism', + 'faddisms', + 'faddist', + 'faddists', + 'faddy', + 'fade', + 'fadeaway', + 'fadeaways', + 'faded', + 'fadedly', + 'fadeless', + 'fader', + 'faders', + 'fades', + 'fadge', + 'fadged', + 'fadges', + 'fadging', + 'fading', + 'fadings', + 'fado', + 'fados', + 'fads', + 'faecal', + 'faeces', + 'faena', + 'faenas', + 'faerie', + 'faeries', + 'faery', + 'fag', + 'fagged', + 'fagging', + 'faggot', + 'faggoted', + 'faggoting', 'faggotings', 'faggotries', + 'faggotry', + 'faggots', + 'faggoty', + 'faggy', + 'fagin', + 'fagins', + 'fagot', + 'fagoted', + 'fagoter', + 'fagoters', + 'fagoting', + 'fagotings', + 'fagots', + 'fags', + 'fahlband', + 'fahlbands', + 'faience', + 'faiences', + 'fail', + 'failed', + 'failing', + 'failingly', + 'failings', + 'faille', + 'failles', + 'fails', + 'failure', + 'failures', + 'fain', + 'faineant', + 'faineants', + 'fainer', + 'fainest', + 'faint', + 'fainted', + 'fainter', + 'fainters', + 'faintest', 'fainthearted', 'faintheartedly', 'faintheartedness', 'faintheartednesses', + 'fainting', + 'faintish', 'faintishness', 'faintishnesses', + 'faintly', + 'faintness', 'faintnesses', + 'faints', + 'fair', + 'faired', + 'fairer', + 'fairest', 'fairground', 'fairgrounds', + 'fairies', + 'fairing', + 'fairings', + 'fairish', + 'fairishly', + 'fairlead', 'fairleader', 'fairleaders', + 'fairleads', + 'fairly', + 'fairness', 'fairnesses', + 'fairs', + 'fairway', + 'fairways', + 'fairy', + 'fairyism', + 'fairyisms', + 'fairyland', 'fairylands', + 'fairylike', + 'faith', + 'faithed', + 'faithful', 'faithfully', 'faithfulness', 'faithfulnesses', + 'faithfuls', + 'faithing', + 'faithless', 'faithlessly', 'faithlessness', 'faithlessnesses', + 'faiths', + 'faitour', + 'faitours', + 'fajita', + 'fajitas', + 'fake', + 'faked', + 'fakeer', + 'fakeers', + 'faker', + 'fakeries', + 'fakers', + 'fakery', + 'fakes', + 'fakey', + 'faking', + 'fakir', + 'fakirs', + 'falafel', + 'falbala', + 'falbalas', + 'falcate', + 'falcated', + 'falces', + 'falchion', + 'falchions', + 'falciform', + 'falcon', + 'falconer', + 'falconers', + 'falconet', + 'falconets', + 'falconine', 'falconries', + 'falconry', + 'falcons', + 'falderal', + 'falderals', + 'falderol', + 'falderols', + 'faldstool', 'faldstools', + 'fall', + 'fallacies', 'fallacious', 'fallaciously', 'fallaciousness', 'fallaciousnesses', + 'fallacy', + 'fallal', 'fallaleries', + 'fallalery', + 'fallals', + 'fallaway', + 'fallaways', + 'fallback', + 'fallbacks', + 'fallen', + 'faller', + 'fallers', + 'fallfish', 'fallfishes', 'fallibilities', 'fallibility', + 'fallible', + 'fallibly', + 'falling', + 'falloff', + 'falloffs', + 'fallout', + 'fallouts', + 'fallow', + 'fallowed', + 'fallowing', 'fallowness', 'fallownesses', + 'fallows', + 'falls', + 'false', + 'falsehood', 'falsehoods', + 'falsely', + 'falseness', 'falsenesses', + 'falser', + 'falsest', + 'falsetto', + 'falsettos', + 'falsework', 'falseworks', + 'falsie', + 'falsies', 'falsifiabilities', 'falsifiability', 'falsifiable', 'falsification', 'falsifications', + 'falsified', + 'falsifier', 'falsifiers', + 'falsifies', + 'falsify', 'falsifying', + 'falsities', + 'falsity', + 'faltboat', + 'faltboats', + 'falter', + 'faltered', + 'falterer', + 'falterers', + 'faltering', 'falteringly', + 'falters', + 'falx', + 'fame', + 'famed', + 'fameless', + 'fames', + 'familial', + 'familiar', 'familiarise', 'familiarised', 'familiarises', @@ -21510,11 +53615,30 @@ export const scrabble_array = [ 'familiarly', 'familiarness', 'familiarnesses', + 'familiars', + 'families', + 'familism', + 'familisms', 'familistic', + 'family', + 'famine', + 'famines', + 'faming', + 'famish', + 'famished', + 'famishes', + 'famishing', 'famishment', 'famishments', + 'famous', + 'famously', 'famousness', 'famousnesses', + 'famuli', + 'famulus', + 'fan', + 'fanatic', + 'fanatical', 'fanatically', 'fanaticalness', 'fanaticalnesses', @@ -21524,25 +53648,96 @@ export const scrabble_array = [ 'fanaticized', 'fanaticizes', 'fanaticizing', + 'fanatics', + 'fancied', + 'fancier', + 'fanciers', + 'fancies', + 'fanciest', + 'fancified', + 'fancifies', + 'fanciful', 'fancifully', 'fancifulness', 'fancifulnesses', + 'fancify', 'fancifying', + 'fancily', + 'fanciness', 'fancinesses', + 'fancy', + 'fancying', + 'fancywork', 'fancyworks', + 'fandango', + 'fandangos', + 'fandom', + 'fandoms', + 'fane', + 'fanega', + 'fanegada', + 'fanegadas', + 'fanegas', + 'fanes', + 'fanfare', + 'fanfares', + 'fanfaron', 'fanfaronade', 'fanfaronades', + 'fanfarons', + 'fanfold', + 'fanfolded', 'fanfolding', + 'fanfolds', + 'fang', + 'fanga', + 'fangas', + 'fanged', + 'fangless', + 'fanglike', + 'fangs', + 'fanion', + 'fanions', + 'fanjet', + 'fanjets', + 'fanlight', + 'fanlights', + 'fanlike', + 'fanned', + 'fanner', + 'fanners', + 'fannies', + 'fanning', + 'fanny', + 'fano', + 'fanon', + 'fanons', + 'fanos', + 'fans', 'fantabulous', + 'fantail', + 'fantails', + 'fantasia', + 'fantasias', + 'fantasie', + 'fantasied', + 'fantasies', + 'fantasise', 'fantasised', 'fantasises', 'fantasising', + 'fantasist', 'fantasists', + 'fantasize', 'fantasized', 'fantasizer', 'fantasizers', 'fantasizes', 'fantasizing', + 'fantasm', + 'fantasms', + 'fantast', + 'fantastic', 'fantastical', 'fantasticalities', 'fantasticality', @@ -21558,48 +53753,183 @@ export const scrabble_array = [ 'fantastico', 'fantasticoes', 'fantastics', + 'fantasts', + 'fantasy', 'fantasying', 'fantasyland', 'fantasylands', 'fantoccini', + 'fantod', + 'fantods', + 'fantom', + 'fantoms', + 'fanum', + 'fanums', + 'fanwise', + 'fanwort', + 'fanworts', + 'fanzine', + 'fanzines', + 'faqir', + 'faqirs', + 'faquir', + 'faquirs', + 'far', + 'farad', + 'faradaic', + 'faraday', + 'faradays', + 'faradic', + 'faradise', + 'faradised', + 'faradises', 'faradising', + 'faradism', + 'faradisms', + 'faradize', + 'faradized', + 'faradizes', 'faradizing', + 'farads', + 'farandole', 'farandoles', + 'faraway', + 'farce', + 'farced', + 'farcer', + 'farcers', + 'farces', + 'farceur', + 'farceurs', + 'farci', + 'farcical', 'farcicalities', 'farcicality', 'farcically', + 'farcie', + 'farcies', + 'farcing', + 'farcy', + 'fard', + 'farded', + 'fardel', + 'fardels', + 'farding', + 'fards', + 'fare', + 'fared', + 'farer', + 'farers', + 'fares', + 'farewell', 'farewelled', 'farewelling', + 'farewells', + 'farfal', + 'farfals', + 'farfel', + 'farfels', 'farfetchedness', 'farfetchednesses', + 'farina', 'farinaceous', + 'farinas', + 'faring', + 'farinha', + 'farinhas', + 'farinose', 'farkleberries', 'farkleberry', + 'farl', + 'farle', + 'farles', + 'farls', + 'farm', + 'farmable', + 'farmed', + 'farmer', 'farmerette', 'farmerettes', + 'farmers', + 'farmhand', + 'farmhands', + 'farmhouse', 'farmhouses', + 'farming', + 'farmings', + 'farmland', + 'farmlands', + 'farms', + 'farmstead', 'farmsteads', + 'farmwife', + 'farmwives', + 'farmwork', 'farmworker', 'farmworkers', + 'farmworks', + 'farmyard', + 'farmyards', + 'farnesol', + 'farnesols', + 'farness', + 'farnesses', + 'faro', + 'faros', + 'farouche', 'farraginous', + 'farrago', + 'farragoes', + 'farrier', 'farrieries', + 'farriers', + 'farriery', + 'farrow', + 'farrowed', + 'farrowing', + 'farrows', + 'farseeing', + 'farside', + 'farsides', 'farsighted', 'farsightedly', 'farsightedness', 'farsightednesses', + 'fart', + 'farted', + 'farther', 'farthermost', + 'farthest', + 'farthing', 'farthingale', 'farthingales', + 'farthings', + 'farting', + 'farts', + 'fas', + 'fasces', + 'fascia', + 'fasciae', + 'fascial', + 'fascias', + 'fasciate', + 'fasciated', 'fasciation', 'fasciations', + 'fascicle', + 'fascicled', + 'fascicles', 'fascicular', 'fascicularly', 'fasciculate', 'fasciculated', 'fasciculation', 'fasciculations', + 'fascicule', 'fascicules', + 'fasciculi', 'fasciculus', + 'fascinate', 'fascinated', 'fascinates', 'fascinating', @@ -21608,9 +53938,21 @@ export const scrabble_array = [ 'fascinations', 'fascinator', 'fascinators', + 'fascine', + 'fascines', 'fascioliases', 'fascioliasis', + 'fascism', + 'fascisms', + 'fascist', + 'fascistic', 'fascistically', + 'fascists', + 'fash', + 'fashed', + 'fashes', + 'fashing', + 'fashion', 'fashionabilities', 'fashionability', 'fashionable', @@ -21618,74 +53960,298 @@ export const scrabble_array = [ 'fashionablenesses', 'fashionables', 'fashionably', + 'fashioned', + 'fashioner', 'fashioners', 'fashioning', 'fashionmonger', 'fashionmongers', + 'fashions', + 'fashious', + 'fast', + 'fastback', + 'fastbacks', + 'fastball', 'fastballer', 'fastballers', + 'fastballs', + 'fasted', + 'fasten', + 'fastened', + 'fastener', + 'fasteners', + 'fastening', 'fastenings', + 'fastens', + 'faster', + 'fastest', 'fastidious', 'fastidiously', 'fastidiousness', 'fastidiousnesses', 'fastigiate', + 'fasting', + 'fastings', + 'fastness', 'fastnesses', + 'fasts', + 'fastuous', + 'fat', + 'fatal', + 'fatalism', + 'fatalisms', + 'fatalist', 'fatalistic', 'fatalistically', + 'fatalists', 'fatalities', + 'fatality', + 'fatally', + 'fatback', + 'fatbacks', + 'fatbird', + 'fatbirds', + 'fate', + 'fated', + 'fateful', + 'fatefully', 'fatefulness', 'fatefulnesses', + 'fates', + 'fathead', + 'fatheaded', 'fatheadedly', 'fatheadedness', 'fatheadednesses', + 'fatheads', + 'father', + 'fathered', 'fatherhood', 'fatherhoods', + 'fathering', 'fatherland', 'fatherlands', 'fatherless', 'fatherlike', 'fatherliness', 'fatherlinesses', + 'fatherly', + 'fathers', + 'fathom', 'fathomable', + 'fathomed', + 'fathoming', 'fathomless', 'fathomlessly', 'fathomlessness', 'fathomlessnesses', + 'fathoms', + 'fatidic', + 'fatidical', 'fatigabilities', 'fatigability', + 'fatigable', + 'fatigue', + 'fatigued', + 'fatigues', + 'fatiguing', 'fatiguingly', + 'fating', + 'fatless', + 'fatlike', + 'fatling', + 'fatlings', + 'fatly', + 'fatness', + 'fatnesses', + 'fats', 'fatshedera', 'fatshederas', + 'fatso', + 'fatsoes', + 'fatsos', + 'fatstock', + 'fatstocks', + 'fatted', + 'fatten', + 'fattened', + 'fattener', + 'fatteners', + 'fattening', + 'fattens', + 'fatter', + 'fattest', + 'fattier', + 'fatties', + 'fattiest', + 'fattily', + 'fattiness', 'fattinesses', + 'fatting', + 'fattish', + 'fatty', + 'fatuities', + 'fatuity', + 'fatuous', + 'fatuously', 'fatuousness', 'fatuousnesses', + 'fatwa', + 'fatwas', + 'fatwood', + 'fatwoods', + 'faubourg', + 'faubourgs', + 'faucal', + 'faucals', + 'fauces', + 'faucet', + 'faucets', + 'faucial', + 'faugh', + 'fauld', + 'faulds', + 'fault', + 'faulted', 'faultfinder', 'faultfinders', 'faultfinding', 'faultfindings', + 'faultier', + 'faultiest', + 'faultily', 'faultiness', 'faultinesses', + 'faulting', + 'faultless', 'faultlessly', 'faultlessness', 'faultlessnesses', + 'faults', + 'faulty', + 'faun', + 'fauna', + 'faunae', + 'faunal', + 'faunally', + 'faunas', + 'faunistic', 'faunistically', + 'faunlike', + 'fauns', + 'fauteuil', + 'fauteuils', + 'fauve', + 'fauves', + 'fauvism', + 'fauvisms', + 'fauvist', + 'fauvists', + 'faux', + 'fava', + 'favas', + 'fave', + 'favela', + 'favelas', + 'favella', + 'favellas', + 'faves', + 'favism', + 'favisms', + 'favonian', + 'favor', + 'favorable', 'favorableness', 'favorablenesses', + 'favorably', + 'favored', + 'favorer', + 'favorers', + 'favoring', + 'favorite', + 'favorites', 'favoritism', 'favoritisms', + 'favors', + 'favour', + 'favoured', + 'favourer', + 'favourers', + 'favouring', + 'favours', + 'favus', + 'favuses', + 'fawn', + 'fawned', + 'fawner', + 'fawners', + 'fawnier', + 'fawniest', + 'fawning', + 'fawningly', + 'fawnlike', + 'fawns', + 'fawny', + 'fax', + 'faxed', + 'faxes', + 'faxing', + 'fay', + 'fayalite', + 'fayalites', + 'fayed', + 'faying', + 'fays', + 'faze', + 'fazed', + 'fazenda', + 'fazendas', + 'fazes', + 'fazing', + 'feal', + 'fealties', + 'fealty', + 'fear', + 'feared', + 'fearer', + 'fearers', + 'fearful', 'fearfuller', 'fearfullest', + 'fearfully', 'fearfulness', 'fearfulnesses', + 'fearing', + 'fearless', 'fearlessly', 'fearlessness', 'fearlessnesses', + 'fears', + 'fearsome', 'fearsomely', 'fearsomeness', 'fearsomenesses', + 'feasance', + 'feasances', + 'fease', + 'feased', + 'feases', 'feasibilities', 'feasibility', + 'feasible', + 'feasibly', + 'feasing', + 'feast', + 'feasted', + 'feaster', + 'feasters', + 'feastful', + 'feasting', + 'feasts', + 'feat', + 'feater', + 'featest', + 'feather', 'featherbed', 'featherbedded', 'featherbedding', @@ -21694,6 +54260,7 @@ export const scrabble_array = [ 'featherbrain', 'featherbrained', 'featherbrains', + 'feathered', 'featheredge', 'featheredged', 'featheredges', @@ -21707,27 +54274,64 @@ export const scrabble_array = [ 'featherings', 'featherless', 'featherlight', + 'feathers', 'featherstitch', 'featherstitched', 'featherstitches', 'featherstitching', 'featherweight', 'featherweights', + 'feathery', + 'featlier', + 'featliest', + 'featly', + 'feats', + 'feature', + 'featured', 'featureless', + 'features', 'featurette', 'featurettes', + 'featuring', + 'feaze', + 'feazed', + 'feazes', + 'feazing', + 'febrific', + 'febrifuge', 'febrifuges', + 'febrile', + 'fecal', + 'feces', + 'fecial', + 'fecials', + 'feck', + 'feckless', 'fecklessly', 'fecklessness', 'fecklessnesses', + 'feckly', + 'fecks', + 'fecula', + 'feculae', + 'feculence', 'feculences', + 'feculent', + 'fecund', + 'fecundate', 'fecundated', 'fecundates', 'fecundating', 'fecundation', 'fecundations', 'fecundities', + 'fecundity', + 'fed', + 'fedayee', + 'fedayeen', 'federacies', + 'federacy', + 'federal', 'federalese', 'federaleses', 'federalism', @@ -21740,24 +54344,99 @@ export const scrabble_array = [ 'federalized', 'federalizes', 'federalizing', + 'federally', + 'federals', + 'federate', + 'federated', + 'federates', 'federating', 'federation', 'federations', 'federative', 'federatively', + 'fedora', + 'fedoras', + 'feds', + 'fee', + 'feeble', 'feebleminded', 'feeblemindedly', 'feeblemindedness', 'feeblemindednesses', 'feebleness', 'feeblenesses', + 'feebler', + 'feeblest', + 'feeblish', + 'feebly', + 'feed', + 'feedable', + 'feedback', + 'feedbacks', + 'feedbag', + 'feedbags', + 'feedbox', + 'feedboxes', + 'feeder', + 'feeders', + 'feedhole', + 'feedholes', + 'feeding', + 'feedlot', + 'feedlots', + 'feeds', + 'feedstock', 'feedstocks', + 'feedstuff', 'feedstuffs', + 'feeing', + 'feel', + 'feeler', + 'feelers', + 'feeless', + 'feeling', + 'feelingly', 'feelingness', 'feelingnesses', + 'feelings', + 'feels', + 'fees', + 'feet', + 'feetfirst', + 'feetless', + 'feeze', + 'feezed', + 'feezes', + 'feezing', + 'feh', + 'fehs', + 'feign', + 'feigned', + 'feigner', + 'feigners', + 'feigning', + 'feigns', + 'feijoa', + 'feijoas', + 'feint', + 'feinted', + 'feinting', + 'feints', + 'feirie', + 'feist', + 'feistier', + 'feistiest', 'feistiness', 'feistinesses', + 'feists', + 'feisty', + 'felafel', + 'feldsher', + 'feldshers', + 'feldspar', + 'feldspars', 'feldspathic', + 'felicific', 'felicitate', 'felicitated', 'felicitates', @@ -21771,8 +54450,38 @@ export const scrabble_array = [ 'felicitously', 'felicitousness', 'felicitousnesses', + 'felicity', + 'felid', + 'felids', + 'feline', + 'felinely', + 'felines', 'felinities', + 'felinity', + 'fell', + 'fella', + 'fellable', + 'fellah', + 'fellaheen', + 'fellahin', + 'fellahs', + 'fellas', + 'fellate', + 'fellated', + 'fellates', + 'fellating', + 'fellatio', + 'fellation', 'fellations', + 'fellatios', + 'fellator', + 'fellators', + 'felled', + 'feller', + 'fellers', + 'fellest', + 'fellies', + 'felling', 'fellmonger', 'fellmongered', 'fellmongeries', @@ -21780,60 +54489,241 @@ export const scrabble_array = [ 'fellmongerings', 'fellmongers', 'fellmongery', + 'fellness', 'fellnesses', + 'felloe', + 'felloes', + 'fellow', + 'fellowed', + 'fellowing', + 'fellowly', + 'fellowman', + 'fellowmen', + 'fellows', 'fellowship', 'fellowshiped', 'fellowshiping', 'fellowshipped', 'fellowshipping', 'fellowships', + 'fells', + 'felly', + 'felon', + 'felonies', + 'felonious', 'feloniously', 'feloniousness', 'feloniousnesses', + 'felonries', + 'felonry', + 'felons', + 'felony', + 'felsite', + 'felsites', + 'felsitic', + 'felspar', + 'felspars', + 'felstone', + 'felstones', + 'felt', + 'felted', + 'felting', + 'feltings', + 'feltlike', + 'felts', + 'felucca', + 'feluccas', + 'felwort', + 'felworts', + 'fem', + 'female', 'femaleness', 'femalenesses', + 'females', + 'feme', + 'femes', 'feminacies', + 'feminacy', + 'feminie', + 'feminine', 'femininely', 'feminineness', 'femininenesses', + 'feminines', 'femininities', 'femininity', + 'feminise', + 'feminised', + 'feminises', 'feminising', + 'feminism', + 'feminisms', + 'feminist', 'feministic', + 'feminists', 'feminities', + 'feminity', 'feminization', 'feminizations', + 'feminize', + 'feminized', + 'feminizes', 'feminizing', + 'femme', + 'femmes', + 'femora', + 'femoral', + 'fems', 'femtosecond', 'femtoseconds', + 'femur', + 'femurs', + 'fen', + 'fenagle', + 'fenagled', + 'fenagles', + 'fenagling', + 'fence', + 'fenced', + 'fenceless', 'fencelessness', 'fencelessnesses', + 'fencer', + 'fencerow', + 'fencerows', + 'fencers', + 'fences', + 'fencible', + 'fencibles', + 'fencing', + 'fencings', + 'fend', + 'fended', + 'fender', + 'fendered', 'fenderless', + 'fenders', + 'fending', + 'fends', + 'fenestra', + 'fenestrae', + 'fenestral', 'fenestrate', 'fenestrated', 'fenestration', 'fenestrations', + 'fenland', + 'fenlands', + 'fennec', + 'fennecs', + 'fennel', + 'fennels', + 'fenny', + 'fens', + 'fenthion', + 'fenthions', + 'fenugreek', 'fenugreeks', + 'fenuron', + 'fenurons', + 'feod', + 'feodaries', + 'feodary', + 'feods', + 'feoff', + 'feoffed', + 'feoffee', + 'feoffees', + 'feoffer', + 'feoffers', + 'feoffing', + 'feoffment', 'feoffments', + 'feoffor', + 'feoffors', + 'feoffs', + 'fer', 'feracities', + 'feracity', + 'feral', + 'ferbam', + 'ferbams', + 'fere', + 'feres', 'feretories', + 'feretory', + 'feria', + 'feriae', + 'ferial', + 'ferias', + 'ferine', + 'ferities', + 'ferity', + 'ferlie', + 'ferlies', + 'ferly', + 'fermata', + 'fermatas', + 'fermate', + 'ferment', 'fermentable', 'fermentation', 'fermentations', 'fermentative', + 'fermented', + 'fermenter', 'fermenters', 'fermenting', + 'fermentor', 'fermentors', + 'ferments', + 'fermi', + 'fermion', + 'fermions', + 'fermis', + 'fermium', + 'fermiums', + 'fern', + 'ferneries', + 'fernery', + 'fernier', + 'ferniest', + 'fernless', + 'fernlike', + 'ferns', + 'ferny', + 'ferocious', 'ferociously', 'ferociousness', 'ferociousnesses', 'ferocities', + 'ferocity', + 'ferrate', + 'ferrates', 'ferredoxin', 'ferredoxins', + 'ferrel', + 'ferreled', + 'ferreling', + 'ferrelled', 'ferrelling', + 'ferrels', + 'ferreous', + 'ferret', + 'ferreted', + 'ferreter', + 'ferreters', + 'ferreting', 'ferretings', + 'ferrets', + 'ferrety', + 'ferriage', + 'ferriages', + 'ferric', 'ferricyanide', 'ferricyanides', + 'ferried', + 'ferries', 'ferriferous', 'ferrimagnet', 'ferrimagnetic', @@ -21841,6 +54731,12 @@ export const scrabble_array = [ 'ferrimagnetism', 'ferrimagnetisms', 'ferrimagnets', + 'ferrite', + 'ferrites', + 'ferritic', + 'ferritin', + 'ferritins', + 'ferrocene', 'ferrocenes', 'ferroconcrete', 'ferroconcretes', @@ -21860,79 +54756,262 @@ export const scrabble_array = [ 'ferromanganeses', 'ferrosilicon', 'ferrosilicons', + 'ferrotype', 'ferrotypes', + 'ferrous', 'ferruginous', + 'ferrule', + 'ferruled', + 'ferrules', + 'ferruling', + 'ferrum', + 'ferrums', + 'ferry', + 'ferryboat', 'ferryboats', + 'ferrying', + 'ferryman', + 'ferrymen', + 'fertile', + 'fertilely', 'fertileness', 'fertilenesses', 'fertilities', + 'fertility', 'fertilizable', 'fertilization', 'fertilizations', + 'fertilize', 'fertilized', 'fertilizer', 'fertilizers', 'fertilizes', 'fertilizing', + 'ferula', + 'ferulae', + 'ferulas', + 'ferule', + 'feruled', + 'ferules', + 'feruling', 'fervencies', + 'fervency', + 'fervent', + 'fervently', + 'fervid', + 'fervidly', 'fervidness', 'fervidnesses', + 'fervor', + 'fervors', + 'fervour', + 'fervours', 'fescennine', + 'fescue', + 'fescues', + 'fess', + 'fesse', + 'fessed', + 'fesses', + 'fessing', + 'fesswise', + 'festal', + 'festally', + 'fester', + 'festered', + 'festering', + 'festers', + 'festinate', 'festinated', 'festinately', 'festinates', 'festinating', + 'festival', 'festivalgoer', 'festivalgoers', + 'festivals', + 'festive', + 'festively', 'festiveness', 'festivenesses', 'festivities', + 'festivity', + 'festoon', + 'festooned', 'festooneries', 'festoonery', 'festooning', + 'festoons', + 'fet', + 'feta', + 'fetal', + 'fetas', + 'fetation', + 'fetations', + 'fetch', + 'fetched', + 'fetcher', + 'fetchers', + 'fetches', + 'fetching', 'fetchingly', + 'fete', + 'feted', + 'feterita', + 'feteritas', + 'fetes', + 'fetial', + 'fetiales', + 'fetialis', + 'fetials', + 'fetich', + 'fetiches', + 'fetichism', 'fetichisms', + 'feticide', + 'feticides', + 'fetid', + 'fetidly', + 'fetidness', 'fetidnesses', + 'feting', + 'fetish', + 'fetishes', + 'fetishism', 'fetishisms', + 'fetishist', 'fetishistic', 'fetishistically', 'fetishists', + 'fetlock', + 'fetlocks', 'fetologies', 'fetologist', 'fetologists', + 'fetology', 'fetoprotein', 'fetoproteins', + 'fetor', + 'fetors', + 'fetoscope', 'fetoscopes', 'fetoscopies', + 'fetoscopy', + 'fets', + 'fetted', + 'fetter', + 'fettered', + 'fetterer', + 'fetterers', + 'fettering', + 'fetters', + 'fetting', + 'fettle', + 'fettled', + 'fettles', + 'fettling', + 'fettlings', 'fettuccine', 'fettuccini', + 'fettucine', + 'fettucini', + 'fetus', + 'fetuses', + 'feu', + 'feuar', + 'feuars', + 'feud', + 'feudal', + 'feudalism', 'feudalisms', + 'feudalist', 'feudalistic', 'feudalists', 'feudalities', + 'feudality', 'feudalization', 'feudalizations', + 'feudalize', 'feudalized', 'feudalizes', 'feudalizing', + 'feudally', + 'feudaries', + 'feudary', 'feudatories', + 'feudatory', + 'feuded', + 'feuding', + 'feudist', + 'feudists', + 'feuds', + 'feued', 'feuilleton', 'feuilletonism', 'feuilletonisms', 'feuilletonist', 'feuilletonists', 'feuilletons', + 'feuing', + 'feus', + 'fever', + 'fevered', + 'feverfew', + 'feverfews', + 'fevering', + 'feverish', 'feverishly', 'feverishness', 'feverishnesses', + 'feverous', + 'fevers', + 'feverwort', 'feverworts', + 'few', + 'fewer', + 'fewest', + 'fewness', + 'fewnesses', + 'fewtrils', + 'fey', + 'feyer', + 'feyest', + 'feyly', + 'feyness', + 'feynesses', + 'fez', + 'fezes', + 'fezzed', + 'fezzes', + 'fiacre', + 'fiacres', + 'fiance', + 'fiancee', + 'fiancees', + 'fiances', 'fianchetti', 'fianchetto', 'fianchettoed', 'fianchettoing', 'fianchettos', + 'fiar', + 'fiars', + 'fiaschi', + 'fiasco', + 'fiascoes', + 'fiascos', + 'fiat', + 'fiats', + 'fib', + 'fibbed', + 'fibber', + 'fibbers', + 'fibbing', + 'fiber', 'fiberboard', 'fiberboards', + 'fibered', + 'fiberfill', 'fiberfills', 'fiberglass', 'fiberglassed', @@ -21940,22 +55019,38 @@ export const scrabble_array = [ 'fiberglassing', 'fiberization', 'fiberizations', + 'fiberize', + 'fiberized', + 'fiberizes', 'fiberizing', + 'fibers', 'fiberscope', 'fiberscopes', + 'fibranne', + 'fibrannes', + 'fibre', 'fibreboard', 'fibreboards', + 'fibrefill', 'fibrefills', 'fibreglass', 'fibreglasses', + 'fibres', + 'fibril', + 'fibrilla', + 'fibrillae', + 'fibrillar', 'fibrillate', 'fibrillated', 'fibrillates', 'fibrillating', 'fibrillation', 'fibrillations', + 'fibrils', + 'fibrin', 'fibrinogen', 'fibrinogens', + 'fibrinoid', 'fibrinoids', 'fibrinolyses', 'fibrinolysin', @@ -21964,23 +55059,57 @@ export const scrabble_array = [ 'fibrinolytic', 'fibrinopeptide', 'fibrinopeptides', + 'fibrins', 'fibroblast', 'fibroblastic', 'fibroblasts', 'fibrocystic', + 'fibroid', + 'fibroids', + 'fibroin', + 'fibroins', + 'fibroma', + 'fibromas', + 'fibromata', 'fibromatous', 'fibronectin', 'fibronectins', 'fibrosarcoma', 'fibrosarcomas', 'fibrosarcomata', + 'fibroses', + 'fibrosis', 'fibrosites', 'fibrositides', 'fibrositis', 'fibrositises', + 'fibrotic', + 'fibrous', 'fibrovascular', + 'fibs', + 'fibula', + 'fibulae', + 'fibular', + 'fibulas', + 'fice', + 'fices', + 'fiche', + 'fiches', + 'fichu', + 'fichus', + 'ficin', + 'ficins', + 'fickle', 'fickleness', 'ficklenesses', + 'fickler', + 'ficklest', + 'fickly', + 'fico', + 'ficoes', + 'fictile', + 'fiction', + 'fictional', 'fictionalise', 'fictionalised', 'fictionalises', @@ -22006,26 +55135,73 @@ export const scrabble_array = [ 'fictionized', 'fictionizes', 'fictionizing', + 'fictions', 'fictitious', 'fictitiously', 'fictitiousness', 'fictitiousnesses', + 'fictive', + 'fictively', 'fictiveness', 'fictivenesses', + 'ficus', + 'ficuses', + 'fid', + 'fiddle', 'fiddleback', 'fiddlebacks', + 'fiddled', 'fiddlehead', 'fiddleheads', + 'fiddler', + 'fiddlers', + 'fiddles', 'fiddlestick', 'fiddlesticks', + 'fiddling', + 'fiddly', + 'fideism', + 'fideisms', + 'fideist', + 'fideistic', + 'fideists', 'fidelities', + 'fidelity', + 'fidge', + 'fidged', + 'fidges', + 'fidget', + 'fidgeted', + 'fidgeter', + 'fidgeters', 'fidgetiness', 'fidgetinesses', + 'fidgeting', + 'fidgets', + 'fidgety', + 'fidging', + 'fido', + 'fidos', + 'fids', + 'fiducial', 'fiducially', 'fiduciaries', + 'fiduciary', + 'fie', + 'fief', + 'fiefdom', + 'fiefdoms', + 'fiefs', + 'field', + 'fielded', + 'fielder', + 'fielders', + 'fieldfare', 'fieldfares', + 'fielding', 'fieldpiece', 'fieldpieces', + 'fields', 'fieldstone', 'fieldstones', 'fieldstrip', @@ -22033,73 +55209,331 @@ export const scrabble_array = [ 'fieldstripping', 'fieldstrips', 'fieldstript', + 'fieldwork', 'fieldworks', + 'fiend', + 'fiendish', 'fiendishly', 'fiendishness', 'fiendishnesses', + 'fiends', + 'fierce', + 'fiercely', 'fierceness', 'fiercenesses', + 'fiercer', + 'fiercest', + 'fierier', + 'fieriest', + 'fierily', + 'fieriness', 'fierinesses', + 'fiery', + 'fiesta', + 'fiestas', + 'fife', + 'fifed', + 'fifer', + 'fifers', + 'fifes', + 'fifing', + 'fifteen', + 'fifteens', + 'fifteenth', 'fifteenths', + 'fifth', + 'fifthly', + 'fifths', + 'fifties', + 'fiftieth', + 'fiftieths', + 'fifty', + 'fiftyish', + 'fig', + 'figeater', + 'figeaters', + 'figged', + 'figging', + 'fight', + 'fighter', + 'fighters', + 'fighting', + 'fightings', + 'fights', + 'figment', + 'figments', + 'figs', + 'figuline', + 'figulines', + 'figural', + 'figurant', + 'figurants', + 'figurate', 'figuration', 'figurations', 'figurative', 'figuratively', 'figurativeness', 'figurativenesses', + 'figure', + 'figured', 'figurehead', 'figureheads', + 'figurer', + 'figurers', + 'figures', + 'figurine', + 'figurines', + 'figuring', + 'figwort', + 'figworts', + 'fil', + 'fila', + 'filagree', + 'filagreed', 'filagreeing', + 'filagrees', + 'filament', 'filamentary', 'filamentous', + 'filaments', + 'filar', + 'filaree', + 'filarees', + 'filaria', + 'filariae', + 'filarial', + 'filarian', 'filariases', 'filariasis', + 'filariid', + 'filariids', + 'filature', + 'filatures', + 'filbert', + 'filberts', + 'filch', + 'filched', + 'filcher', + 'filchers', + 'filches', + 'filching', + 'file', + 'fileable', + 'filed', + 'filefish', 'filefishes', + 'filemot', + 'filer', + 'filers', + 'files', + 'filet', + 'fileted', + 'fileting', + 'filets', + 'filial', + 'filially', + 'filiate', + 'filiated', + 'filiates', + 'filiating', + 'filiation', 'filiations', + 'filibeg', + 'filibegs', 'filibuster', 'filibustered', 'filibusterer', 'filibusterers', 'filibustering', 'filibusters', + 'filicide', + 'filicides', + 'filiform', + 'filigree', + 'filigreed', 'filigreeing', + 'filigrees', + 'filing', + 'filings', 'filiopietistic', + 'filister', + 'filisters', + 'fill', + 'fille', + 'filled', + 'filler', + 'fillers', + 'filles', + 'fillet', + 'filleted', + 'filleting', + 'fillets', + 'fillies', + 'filling', + 'fillings', + 'fillip', + 'filliped', + 'filliping', + 'fillips', + 'fillo', + 'fillos', + 'fills', + 'filly', + 'film', + 'filmable', + 'filmcard', + 'filmcards', + 'filmdom', + 'filmdoms', + 'filmed', + 'filmer', + 'filmers', + 'filmgoer', + 'filmgoers', + 'filmic', 'filmically', + 'filmier', + 'filmiest', + 'filmily', + 'filminess', 'filminesses', + 'filming', + 'filmland', + 'filmlands', + 'filmmaker', 'filmmakers', 'filmmaking', 'filmmakings', 'filmographies', 'filmography', + 'films', + 'filmset', + 'filmsets', 'filmsetter', 'filmsetters', 'filmsetting', 'filmsettings', + 'filmstrip', 'filmstrips', + 'filmy', + 'filo', + 'filos', + 'filose', + 'fils', + 'filter', 'filterabilities', 'filterability', 'filterable', + 'filtered', + 'filterer', + 'filterers', + 'filtering', + 'filters', + 'filth', + 'filthier', + 'filthiest', + 'filthily', 'filthiness', 'filthinesses', + 'filths', + 'filthy', + 'filtrable', + 'filtrate', + 'filtrated', + 'filtrates', 'filtrating', 'filtration', 'filtrations', + 'filum', + 'fimble', + 'fimbles', + 'fimbria', + 'fimbriae', + 'fimbrial', + 'fimbriate', 'fimbriated', 'fimbriation', 'fimbriations', + 'fin', + 'finable', + 'finagle', + 'finagled', + 'finagler', + 'finaglers', + 'finagles', + 'finagling', + 'final', + 'finale', + 'finales', + 'finalis', + 'finalise', + 'finalised', + 'finalises', 'finalising', + 'finalism', + 'finalisms', + 'finalist', + 'finalists', 'finalities', + 'finality', 'finalization', 'finalizations', + 'finalize', + 'finalized', + 'finalizes', 'finalizing', + 'finally', + 'finals', + 'finance', + 'financed', + 'finances', + 'financial', 'financially', + 'financier', 'financiers', + 'financing', 'financings', + 'finback', + 'finbacks', + 'finch', + 'finches', + 'find', + 'findable', + 'finder', + 'finders', + 'finding', + 'findings', + 'finds', + 'fine', + 'fineable', + 'fined', + 'finely', + 'fineness', 'finenesses', + 'finer', + 'fineries', + 'finery', + 'fines', + 'finespun', + 'finesse', + 'finessed', + 'finesses', + 'finessing', + 'finest', + 'finfish', + 'finfishes', + 'finfoot', + 'finfoots', + 'finger', 'fingerboard', 'fingerboards', + 'fingered', + 'fingerer', + 'fingerers', 'fingerhold', 'fingerholds', + 'fingering', 'fingerings', 'fingerlike', 'fingerling', @@ -22118,115 +55552,521 @@ export const scrabble_array = [ 'fingerprinting', 'fingerprintings', 'fingerprints', + 'fingers', + 'fingertip', 'fingertips', + 'finial', + 'finialed', + 'finials', + 'finical', + 'finically', 'finicalness', 'finicalnesses', + 'finickier', 'finickiest', + 'finickin', 'finickiness', 'finickinesses', + 'finicking', + 'finicky', + 'finikin', + 'finiking', + 'fining', + 'finings', + 'finis', + 'finises', + 'finish', + 'finished', + 'finisher', + 'finishers', + 'finishes', + 'finishing', + 'finite', + 'finitely', 'finiteness', 'finitenesses', + 'finites', + 'finitude', + 'finitudes', + 'fink', + 'finked', + 'finking', + 'finks', + 'finless', + 'finlike', + 'finmark', + 'finmarks', + 'finned', 'finnickier', 'finnickiest', + 'finnicky', + 'finnier', + 'finniest', + 'finning', + 'finnmark', + 'finnmarks', + 'finny', + 'fino', + 'finochio', + 'finochios', + 'finos', + 'fins', + 'fiord', + 'fiords', + 'fioritura', + 'fioriture', + 'fipple', + 'fipples', + 'fique', + 'fiques', + 'fir', + 'fire', + 'fireable', + 'firearm', + 'firearms', + 'fireback', + 'firebacks', + 'fireball', 'fireballer', 'fireballers', 'fireballing', + 'fireballs', + 'firebase', + 'firebases', + 'firebird', + 'firebirds', + 'fireboat', + 'fireboats', + 'firebomb', 'firebombed', 'firebombing', + 'firebombs', + 'firebox', + 'fireboxes', + 'firebrand', 'firebrands', + 'firebrat', + 'firebrats', + 'firebreak', 'firebreaks', + 'firebrick', 'firebricks', + 'firebug', + 'firebugs', + 'fireclay', + 'fireclays', 'firecracker', 'firecrackers', + 'fired', + 'firedamp', + 'firedamps', + 'firedog', + 'firedogs', + 'firedrake', 'firedrakes', + 'firefang', 'firefanged', 'firefanging', + 'firefangs', + 'firefight', 'firefighter', 'firefighters', 'firefights', + 'fireflies', + 'firefly', + 'fireguard', 'fireguards', + 'firehall', + 'firehalls', + 'firehouse', 'firehouses', + 'fireless', + 'firelight', 'firelights', + 'firelit', + 'firelock', + 'firelocks', + 'fireman', + 'firemanic', + 'firemen', + 'firepan', + 'firepans', + 'firepink', + 'firepinks', + 'fireplace', 'fireplaced', 'fireplaces', + 'fireplug', + 'fireplugs', + 'firepot', + 'firepots', + 'firepower', 'firepowers', + 'fireproof', 'fireproofed', 'fireproofing', 'fireproofs', + 'firer', + 'fireroom', + 'firerooms', + 'firers', + 'fires', + 'fireside', + 'firesides', + 'firestone', 'firestones', + 'firestorm', 'firestorms', + 'firethorn', 'firethorns', + 'firetrap', + 'firetraps', + 'firewater', 'firewaters', + 'fireweed', + 'fireweeds', + 'firewood', + 'firewoods', + 'firework', + 'fireworks', + 'fireworm', + 'fireworms', + 'firing', + 'firings', + 'firkin', + 'firkins', + 'firm', + 'firmament', 'firmamental', 'firmaments', + 'firman', + 'firmans', + 'firmed', + 'firmer', + 'firmers', + 'firmest', + 'firming', + 'firmly', + 'firmness', 'firmnesses', + 'firms', + 'firmware', + 'firmwares', + 'firn', + 'firns', + 'firry', + 'firs', + 'first', + 'firstborn', 'firstborns', 'firstfruits', + 'firsthand', + 'firstling', 'firstlings', + 'firstly', + 'firsts', + 'firth', + 'firths', + 'fisc', + 'fiscal', + 'fiscally', + 'fiscals', + 'fiscs', + 'fish', 'fishabilities', 'fishability', + 'fishable', + 'fishbolt', + 'fishbolts', + 'fishbone', + 'fishbones', + 'fishbowl', + 'fishbowls', + 'fished', + 'fisher', 'fisherfolk', + 'fisheries', + 'fisherman', + 'fishermen', + 'fishers', 'fisherwoman', 'fisherwomen', + 'fishery', + 'fishes', + 'fisheye', + 'fisheyes', + 'fishgig', + 'fishgigs', + 'fishhook', + 'fishhooks', + 'fishier', + 'fishiest', + 'fishily', + 'fishing', + 'fishings', + 'fishless', + 'fishlike', + 'fishline', + 'fishlines', + 'fishmeal', + 'fishmeals', 'fishmonger', 'fishmongers', + 'fishnet', + 'fishnets', + 'fishplate', 'fishplates', + 'fishpole', + 'fishpoles', + 'fishpond', + 'fishponds', + 'fishtail', 'fishtailed', 'fishtailing', + 'fishtails', + 'fishway', + 'fishways', + 'fishwife', + 'fishwives', + 'fishworm', + 'fishworms', + 'fishy', + 'fissate', + 'fissile', 'fissilities', + 'fissility', + 'fission', 'fissionabilities', 'fissionability', 'fissionable', 'fissionables', + 'fissional', + 'fissioned', 'fissioning', + 'fissions', 'fissiparous', 'fissiparousness', 'fissiparousnesses', + 'fissiped', + 'fissipeds', + 'fissure', + 'fissured', + 'fissures', + 'fissuring', + 'fist', + 'fisted', + 'fistfight', 'fistfights', + 'fistful', + 'fistfuls', + 'fistic', 'fisticuffs', + 'fisting', + 'fistnote', + 'fistnotes', + 'fists', + 'fistula', + 'fistulae', + 'fistular', + 'fistulas', + 'fistulous', + 'fit', + 'fitch', + 'fitchee', + 'fitches', + 'fitchet', + 'fitchets', + 'fitchew', + 'fitchews', + 'fitchy', + 'fitful', + 'fitfully', 'fitfulness', 'fitfulnesses', + 'fitly', + 'fitment', + 'fitments', + 'fitness', + 'fitnesses', + 'fits', + 'fittable', + 'fitted', + 'fitter', + 'fitters', + 'fittest', + 'fitting', + 'fittingly', 'fittingness', 'fittingnesses', + 'fittings', + 'five', + 'fivefold', + 'fivepins', + 'fiver', + 'fivers', + 'fives', + 'fix', + 'fixable', + 'fixate', + 'fixated', + 'fixates', + 'fixatif', + 'fixatifs', + 'fixating', + 'fixation', + 'fixations', + 'fixative', + 'fixatives', + 'fixed', + 'fixedly', + 'fixedness', 'fixednesses', + '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', + 'fjords', + 'flab', 'flabbergast', 'flabbergasted', 'flabbergasting', 'flabbergastingly', 'flabbergasts', + 'flabbier', + 'flabbiest', + 'flabbily', 'flabbiness', 'flabbinesses', + 'flabby', + 'flabella', 'flabellate', 'flabelliform', + 'flabellum', + 'flabs', + 'flaccid', 'flaccidities', 'flaccidity', + 'flaccidly', + 'flack', + 'flacked', 'flackeries', + 'flackery', + 'flacking', + 'flacks', + 'flacon', + 'flacons', + 'flag', + 'flagella', 'flagellant', 'flagellantism', 'flagellantisms', 'flagellants', + 'flagellar', 'flagellate', 'flagellated', 'flagellates', 'flagellating', 'flagellation', 'flagellations', + 'flagellin', 'flagellins', + 'flagellum', 'flagellums', + 'flageolet', 'flageolets', + 'flagged', + 'flagger', + 'flaggers', + 'flaggier', + 'flaggiest', + 'flagging', 'flaggingly', + 'flaggings', + 'flaggy', 'flagitious', 'flagitiously', 'flagitiousness', 'flagitiousnesses', + 'flagless', + 'flagman', + 'flagmen', + 'flagon', + 'flagons', + 'flagpole', + 'flagpoles', + 'flagrance', 'flagrances', 'flagrancies', + 'flagrancy', + 'flagrant', 'flagrantly', + 'flags', + 'flagship', + 'flagships', + 'flagstaff', 'flagstaffs', 'flagstaves', + 'flagstick', 'flagsticks', + 'flagstone', 'flagstones', + 'flail', + 'flailed', + 'flailing', + 'flails', + 'flair', + 'flairs', + 'flak', + 'flake', + 'flaked', + 'flaker', + 'flakers', + 'flakes', + 'flakey', + 'flakier', + 'flakiest', + 'flakily', + 'flakiness', 'flakinesses', + 'flaking', + 'flaky', + 'flam', + 'flambe', + 'flambeau', + 'flambeaus', + 'flambeaux', + 'flambee', + 'flambeed', + 'flambeing', + 'flambes', 'flamboyance', 'flamboyances', 'flamboyancies', @@ -22234,129 +56074,568 @@ export const scrabble_array = [ 'flamboyant', 'flamboyantly', 'flamboyants', + 'flame', + 'flamed', + 'flamen', + 'flamenco', + 'flamencos', + 'flamens', + 'flameout', + 'flameouts', 'flameproof', 'flameproofed', 'flameproofer', 'flameproofers', 'flameproofing', 'flameproofs', + 'flamer', + 'flamers', + 'flames', 'flamethrower', 'flamethrowers', + 'flamier', + 'flamiest', + 'flamines', + 'flaming', + 'flamingly', + 'flamingo', 'flamingoes', + 'flamingos', 'flammabilities', 'flammability', + 'flammable', 'flammables', + 'flammed', + 'flamming', + 'flams', + 'flamy', + 'flan', + 'flancard', + 'flancards', + 'flanerie', + 'flaneries', + 'flanes', + 'flaneur', + 'flaneurs', + 'flange', + 'flanged', + 'flanger', + 'flangers', + 'flanges', + 'flanging', + 'flank', + 'flanked', + 'flanken', + 'flanker', + 'flankers', + 'flanking', + 'flanks', + 'flannel', + 'flanneled', 'flannelette', 'flannelettes', 'flanneling', 'flannelled', 'flannelling', + 'flannelly', 'flannelmouthed', + 'flannels', + 'flans', + 'flap', 'flapdoodle', 'flapdoodles', + 'flapjack', + 'flapjacks', + 'flapless', + 'flappable', + 'flapped', + 'flapper', + 'flappers', + 'flappier', + 'flappiest', + 'flapping', + 'flappy', + 'flaps', + 'flare', + 'flared', + 'flares', + 'flaring', + 'flaringly', + 'flash', + 'flashback', 'flashbacks', 'flashboard', 'flashboards', + 'flashbulb', 'flashbulbs', + 'flashcard', 'flashcards', + 'flashcube', 'flashcubes', + 'flashed', + 'flasher', + 'flashers', + 'flashes', + 'flashgun', + 'flashguns', + 'flashier', + 'flashiest', + 'flashily', 'flashiness', 'flashinesses', + 'flashing', + 'flashings', + 'flashlamp', 'flashlamps', 'flashlight', 'flashlights', + 'flashover', 'flashovers', + 'flashtube', 'flashtubes', + 'flashy', + 'flask', + 'flasket', + 'flaskets', + 'flasks', + 'flat', + 'flatbed', + 'flatbeds', + 'flatboat', + 'flatboats', + 'flatcap', + 'flatcaps', + 'flatcar', + 'flatcars', + 'flatfeet', + 'flatfish', 'flatfishes', + 'flatfoot', 'flatfooted', 'flatfooting', + 'flatfoots', + 'flathead', + 'flatheads', + 'flatiron', + 'flatirons', + 'flatland', 'flatlander', 'flatlanders', + 'flatlands', + 'flatlet', + 'flatlets', + 'flatling', + 'flatlings', + 'flatlong', + 'flatly', + 'flatmate', + 'flatmates', + 'flatness', 'flatnesses', + 'flats', + 'flatted', + 'flatten', + 'flattened', + 'flattener', 'flatteners', 'flattening', + 'flattens', + 'flatter', + 'flattered', + 'flatterer', 'flatterers', 'flatteries', 'flattering', 'flatteringly', + 'flatters', + 'flattery', + 'flattest', + 'flatting', + 'flattish', + 'flattop', + 'flattops', 'flatulence', 'flatulences', 'flatulencies', 'flatulency', + 'flatulent', 'flatulently', + 'flatus', + 'flatuses', + 'flatware', + 'flatwares', + 'flatwash', 'flatwashes', + 'flatways', + 'flatwise', + 'flatwork', + 'flatworks', + 'flatworm', + 'flatworms', + 'flaunt', + 'flaunted', + 'flaunter', + 'flaunters', + 'flauntier', 'flauntiest', + 'flaunting', 'flauntingly', + 'flaunts', + 'flaunty', + 'flautist', + 'flautists', + 'flavanol', + 'flavanols', + 'flavanone', 'flavanones', + 'flavin', + 'flavine', + 'flavines', + 'flavins', + 'flavone', + 'flavones', + 'flavonoid', 'flavonoids', + 'flavonol', + 'flavonols', 'flavoprotein', 'flavoproteins', + 'flavor', + 'flavored', + 'flavorer', + 'flavorers', + 'flavorful', 'flavorfully', + 'flavoring', 'flavorings', + 'flavorist', 'flavorists', 'flavorless', + 'flavors', 'flavorsome', + 'flavory', + 'flavour', + 'flavoured', 'flavouring', + 'flavours', + 'flavoury', + 'flaw', + 'flawed', + 'flawier', + 'flawiest', + 'flawing', + 'flawless', 'flawlessly', 'flawlessness', 'flawlessnesses', + 'flaws', + 'flawy', + 'flax', + 'flaxen', + 'flaxes', + 'flaxier', + 'flaxiest', + 'flaxseed', + 'flaxseeds', + 'flaxy', + 'flay', + 'flayed', + 'flayer', + 'flayers', + 'flaying', + 'flays', + 'flea', + 'fleabag', + 'fleabags', + 'fleabane', + 'fleabanes', + 'fleabite', + 'fleabites', 'fleahopper', 'fleahoppers', + 'fleam', + 'fleams', + 'fleapit', + 'fleapits', + 'fleas', + 'fleawort', + 'fleaworts', + 'fleche', + 'fleches', + 'flechette', 'flechettes', + 'fleck', + 'flecked', + 'flecking', + 'flecks', + 'flecky', + 'flection', + 'flections', + 'fled', + 'fledge', + 'fledged', + 'fledges', + 'fledgier', + 'fledgiest', + 'fledging', + 'fledgling', 'fledglings', + 'fledgy', + 'flee', + 'fleece', + 'fleeced', + 'fleecer', + 'fleecers', + 'fleeces', + 'fleech', + 'fleeched', + 'fleeches', + 'fleeching', + 'fleecier', + 'fleeciest', + 'fleecily', + 'fleecing', + 'fleecy', + 'fleeing', + 'fleer', + 'fleered', + 'fleering', 'fleeringly', + 'fleers', + 'flees', + 'fleet', + 'fleeted', + 'fleeter', + 'fleetest', + 'fleeting', 'fleetingly', 'fleetingness', 'fleetingnesses', + 'fleetly', + 'fleetness', 'fleetnesses', + 'fleets', + 'fleishig', + 'flemish', + 'flemished', + 'flemishes', 'flemishing', + 'flench', + 'flenched', + 'flenches', + 'flenching', + 'flense', + 'flensed', + 'flenser', + 'flensers', + 'flenses', + 'flensing', + 'flesh', + 'fleshed', + 'flesher', + 'fleshers', + 'fleshes', + 'fleshier', + 'fleshiest', 'fleshiness', 'fleshinesses', + 'fleshing', + 'fleshings', + 'fleshlier', 'fleshliest', + 'fleshly', + 'fleshment', 'fleshments', + 'fleshpot', + 'fleshpots', + 'fleshy', + 'fletch', + 'fletched', + 'fletcher', + 'fletchers', + 'fletches', + 'fletching', 'fletchings', + 'fleury', + 'flew', + 'flews', + 'flex', + 'flexagon', + 'flexagons', + 'flexed', + 'flexes', 'flexibilities', 'flexibility', + 'flexible', + 'flexibly', + 'flexile', + 'flexing', + 'flexion', + 'flexions', + 'flexitime', 'flexitimes', 'flexographic', 'flexographically', 'flexographies', 'flexography', + 'flexor', + 'flexors', + 'flextime', + 'flextimes', + 'flexuose', + 'flexuous', + 'flexural', + 'flexure', + 'flexures', + 'fley', + 'fleyed', + 'fleying', + 'fleys', 'flibbertigibbet', 'flibbertigibbets', 'flibbertigibbety', + 'flic', + 'flichter', 'flichtered', 'flichtering', + 'flichters', + 'flick', + 'flicked', + 'flicker', + 'flickered', 'flickering', 'flickeringly', + 'flickers', + 'flickery', + 'flicking', + 'flicks', + 'flics', + 'flied', + 'flier', + 'fliers', + 'flies', + 'fliest', + 'flight', + 'flighted', + 'flightier', 'flightiest', + 'flightily', 'flightiness', 'flightinesses', + 'flighting', 'flightless', + 'flights', + 'flighty', + 'flimflam', 'flimflammed', 'flimflammer', 'flimflammeries', 'flimflammers', 'flimflammery', 'flimflamming', + 'flimflams', + 'flimsier', + 'flimsies', + 'flimsiest', + 'flimsily', 'flimsiness', 'flimsinesses', + 'flimsy', + 'flinch', + 'flinched', + 'flincher', + 'flinchers', + 'flinches', + 'flinching', + 'flinder', + 'flinders', + 'fling', + 'flinger', + 'flingers', + 'flinging', + 'flings', + 'flinkite', + 'flinkites', + 'flint', + 'flinted', + 'flintier', + 'flintiest', + 'flintily', 'flintiness', 'flintinesses', + 'flinting', + 'flintlike', + 'flintlock', 'flintlocks', + 'flints', + 'flinty', + 'flip', 'flippancies', + 'flippancy', + 'flippant', 'flippantly', + 'flipped', + 'flipper', + 'flippers', + 'flippest', + 'flipping', + 'flippy', + 'flips', + 'flirt', 'flirtation', 'flirtations', 'flirtatious', 'flirtatiously', 'flirtatiousness', 'flirtatiousnesses', + 'flirted', + 'flirter', + 'flirters', + 'flirtier', + 'flirtiest', + 'flirting', + 'flirts', + 'flirty', + 'flit', + 'flitch', + 'flitched', + 'flitches', + 'flitching', + 'flite', + 'flited', + 'flites', + 'fliting', + 'flits', + 'flitted', + 'flitter', + 'flittered', 'flittering', + 'flitters', + 'flitting', + 'flivver', + 'flivvers', + 'float', + 'floatage', + 'floatages', 'floatation', 'floatations', + 'floated', + 'floatel', + 'floatels', + 'floater', + 'floaters', + 'floatier', + 'floatiest', + 'floating', 'floatplane', 'floatplanes', + 'floats', + 'floaty', + 'floc', + 'flocced', + 'flocci', + 'floccing', + 'floccose', 'flocculant', 'flocculants', 'flocculate', @@ -22367,28 +56646,107 @@ export const scrabble_array = [ 'flocculations', 'flocculator', 'flocculators', + 'floccule', 'flocculent', + 'floccules', + 'flocculi', + 'flocculus', + 'floccus', + 'flock', + 'flocked', + 'flockier', + 'flockiest', + 'flocking', + 'flockings', + 'flocks', + 'flocky', + 'flocs', + 'floe', + 'floes', + 'flog', + 'flogged', + 'flogger', + 'floggers', + 'flogging', + 'floggings', + 'flogs', + 'flokati', + 'flokatis', + 'flong', + 'flongs', + 'flood', + 'flooded', + 'flooder', + 'flooders', + 'floodgate', 'floodgates', + 'flooding', 'floodlight', 'floodlighted', 'floodlighting', 'floodlights', + 'floodlit', 'floodplain', 'floodplains', + 'floods', 'floodwater', 'floodwaters', + 'floodway', + 'floodways', + 'flooey', + 'flooie', + 'floor', + 'floorage', + 'floorages', 'floorboard', 'floorboards', 'floorcloth', 'floorcloths', + 'floored', + 'floorer', + 'floorers', + 'flooring', + 'floorings', + 'floors', 'floorwalker', 'floorwalkers', + 'floosie', + 'floosies', + 'floosy', + 'floozie', + 'floozies', + 'floozy', + 'flop', + 'flophouse', 'flophouses', + 'flopover', + 'flopovers', + 'flopped', + 'flopper', + 'floppers', + 'floppier', + 'floppies', + 'floppiest', + 'floppily', 'floppiness', 'floppinesses', + 'flopping', + 'floppy', + 'flops', + 'flora', + 'florae', + 'floral', + 'florally', + 'florals', + 'floras', + 'florence', + 'florences', 'florescence', 'florescences', 'florescent', + 'floret', + 'florets', + 'floriated', 'floriation', 'floriations', 'floribunda', @@ -22398,67 +56756,226 @@ export const scrabble_array = [ 'floricultures', 'floriculturist', 'floriculturists', + 'florid', 'floridities', + 'floridity', + 'floridly', 'floridness', 'floridnesses', 'floriferous', 'floriferousness', 'floriferousnesses', + 'florigen', 'florigenic', + 'florigens', 'florilegia', 'florilegium', + 'florin', + 'florins', + 'florist', + 'floristic', 'floristically', 'floristries', + 'floristry', + 'florists', + 'floruit', + 'floruits', + 'floss', + 'flossed', + 'flosses', + 'flossie', + 'flossier', + 'flossies', + 'flossiest', + 'flossily', + 'flossing', + 'flossy', + 'flota', + 'flotage', + 'flotages', + 'flotas', + 'flotation', 'flotations', + 'flotilla', + 'flotillas', + 'flotsam', + 'flotsams', + 'flounce', + 'flounced', + 'flounces', + 'flouncier', 'flounciest', + 'flouncing', 'flouncings', + 'flouncy', + 'flounder', 'floundered', 'floundering', + 'flounders', + 'flour', + 'floured', + 'flouring', + 'flourish', 'flourished', 'flourisher', 'flourishers', 'flourishes', 'flourishing', 'flourishingly', + 'flourless', + 'flours', + 'floury', + 'flout', + 'flouted', + 'flouter', + 'flouters', + 'flouting', + 'flouts', + 'flow', + 'flowage', + 'flowages', + 'flowchart', 'flowcharting', 'flowchartings', 'flowcharts', + 'flowed', + 'flower', + 'flowerage', 'flowerages', + 'flowered', + 'flowerer', + 'flowerers', + 'floweret', + 'flowerets', 'flowerette', 'flowerettes', + 'flowerful', + 'flowerier', 'floweriest', + 'flowerily', 'floweriness', 'flowerinesses', + 'flowering', 'flowerless', 'flowerlike', + 'flowerpot', 'flowerpots', + 'flowers', + 'flowery', + 'flowing', + 'flowingly', + 'flowmeter', 'flowmeters', + 'flown', + 'flows', + 'flowstone', 'flowstones', + 'flu', + 'flub', + 'flubbed', + 'flubber', + 'flubbers', + 'flubbing', + 'flubdub', + 'flubdubs', + 'flubs', + 'fluctuant', + 'fluctuate', 'fluctuated', 'fluctuates', 'fluctuating', 'fluctuation', 'fluctuational', 'fluctuations', + 'flue', + 'flued', 'fluegelhorn', 'fluegelhorns', + 'fluencies', + 'fluency', + 'fluent', + 'fluently', + 'flueric', + 'fluerics', + 'flues', + 'fluff', + 'fluffed', + 'fluffier', + 'fluffiest', + 'fluffily', 'fluffiness', 'fluffinesses', + 'fluffing', + 'fluffs', + 'fluffy', 'flugelhorn', 'flugelhornist', 'flugelhornists', 'flugelhorns', + 'fluid', + 'fluidal', + 'fluidally', 'fluidextract', 'fluidextracts', + 'fluidic', + 'fluidics', + 'fluidise', + 'fluidised', + 'fluidises', 'fluidising', 'fluidities', + 'fluidity', 'fluidization', 'fluidizations', + 'fluidize', + 'fluidized', + 'fluidizer', 'fluidizers', + 'fluidizes', 'fluidizing', + 'fluidly', + 'fluidness', 'fluidnesses', + 'fluidram', + 'fluidrams', + 'fluids', + 'fluke', + 'fluked', + 'flukes', + 'flukey', + 'flukier', + 'flukiest', + 'fluking', + 'fluky', + 'flume', + 'flumed', + 'flumes', + 'fluming', 'flummeries', + 'flummery', + 'flummox', + 'flummoxed', + 'flummoxes', 'flummoxing', + 'flump', + 'flumped', + 'flumping', + 'flumps', + 'flung', + 'flunk', + 'flunked', + 'flunker', + 'flunkers', + 'flunkey', + 'flunkeys', + 'flunkies', + 'flunking', + 'flunks', + 'flunky', + 'fluor', + 'fluorene', + 'fluorenes', + 'fluoresce', 'fluoresced', 'fluorescein', 'fluoresceins', @@ -22470,23 +56987,34 @@ export const scrabble_array = [ 'fluorescers', 'fluoresces', 'fluorescing', + 'fluoric', + 'fluorid', 'fluoridate', 'fluoridated', 'fluoridates', 'fluoridating', 'fluoridation', 'fluoridations', + 'fluoride', + 'fluorides', + 'fluorids', 'fluorimeter', 'fluorimeters', 'fluorimetric', 'fluorimetries', 'fluorimetry', + 'fluorin', 'fluorinate', 'fluorinated', 'fluorinates', 'fluorinating', 'fluorination', 'fluorinations', + 'fluorine', + 'fluorines', + 'fluorins', + 'fluorite', + 'fluorites', 'fluorocarbon', 'fluorocarbons', 'fluorochrome', @@ -22509,106 +57037,565 @@ export const scrabble_array = [ 'fluoroscopist', 'fluoroscopists', 'fluoroscopy', + 'fluoroses', + 'fluorosis', + 'fluorotic', 'fluorouracil', 'fluorouracils', + 'fluors', + 'fluorspar', 'fluorspars', 'fluphenazine', 'fluphenazines', + 'flurried', + 'flurries', + 'flurry', + 'flurrying', + 'flus', + 'flush', + 'flushable', + 'flushed', + 'flusher', + 'flushers', + 'flushes', + 'flushest', + 'flushing', + 'flushness', 'flushnesses', + 'fluster', + 'flustered', 'flusteredly', 'flustering', + 'flusters', + 'flute', + 'fluted', + 'flutelike', + 'fluter', + 'fluters', + 'flutes', + 'flutey', + 'flutier', + 'flutiest', + 'fluting', + 'flutings', + 'flutist', + 'flutists', + 'flutter', 'flutterboard', 'flutterboards', + 'fluttered', + 'flutterer', 'flutterers', 'fluttering', + 'flutters', + 'fluttery', + 'fluty', + 'fluvial', 'fluviatile', + 'flux', + 'fluxed', + 'fluxes', + 'fluxgate', + 'fluxgates', + 'fluxing', + 'fluxion', + 'fluxional', + 'fluxions', + 'fluyt', + 'fluyts', + 'fly', + 'flyable', + 'flyaway', + 'flyaways', + 'flybelt', + 'flybelts', + 'flyblew', + 'flyblow', 'flyblowing', + 'flyblown', + 'flyblows', + 'flyboat', + 'flyboats', + 'flyboy', + 'flyboys', + 'flybridge', 'flybridges', + 'flyby', + 'flybys', 'flycatcher', 'flycatchers', + 'flyer', + 'flyers', + 'flying', + 'flyings', + 'flyleaf', + 'flyleaves', + 'flyless', + 'flyman', + 'flymen', + 'flyoff', + 'flyoffs', + 'flyover', + 'flyovers', + 'flypaper', + 'flypapers', + 'flypast', + 'flypasts', + 'flysch', + 'flysches', + 'flyspeck', 'flyspecked', 'flyspecking', + 'flyspecks', 'flyswatter', 'flyswatters', + 'flyte', + 'flyted', + 'flytes', + 'flytier', + 'flytiers', + 'flyting', + 'flytings', + 'flytrap', + 'flytraps', + 'flyway', + 'flyways', + 'flyweight', 'flyweights', + 'flywheel', + 'flywheels', + 'foal', + 'foaled', + 'foaling', + 'foals', + 'foam', + 'foamable', + 'foamed', + 'foamer', + 'foamers', 'foamflower', 'foamflowers', + 'foamier', + 'foamiest', + 'foamily', + 'foaminess', 'foaminesses', + 'foaming', + 'foamless', + 'foamlike', + 'foams', + 'foamy', + 'fob', + 'fobbed', + 'fobbing', + 'fobs', + 'focaccia', + 'focaccias', + 'focal', + 'focalise', + 'focalised', + 'focalises', 'focalising', 'focalization', 'focalizations', + 'focalize', + 'focalized', + 'focalizes', 'focalizing', + 'focally', + 'foci', + 'focus', + 'focusable', + 'focused', + 'focuser', + 'focusers', + 'focuses', + 'focusing', + 'focusless', + 'focussed', + 'focusses', + 'focussing', + 'fodder', + 'foddered', + 'foddering', + 'fodders', + 'fodgel', + 'foe', + 'foehn', + 'foehns', + 'foeman', + 'foemen', + 'foes', + 'foetal', + 'foetid', + 'foetor', + 'foetors', + 'foetus', + 'foetuses', + 'fog', + 'fogbound', + 'fogbow', + 'fogbows', + 'fogdog', + 'fogdogs', + 'fogey', + 'fogeys', + 'fogfruit', + 'fogfruits', + 'foggage', + 'foggages', + 'fogged', + 'fogger', + 'foggers', + 'foggier', + 'foggiest', + 'foggily', + 'fogginess', 'fogginesses', + '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', + 'foldboats', + 'folded', + 'folder', + 'folderol', + 'folderols', + 'folders', + 'folding', + 'foldout', + 'foldouts', + 'folds', + 'folia', 'foliaceous', + 'foliage', + 'foliaged', + 'foliages', + 'foliar', + 'foliate', + 'foliated', + 'foliates', + 'foliating', + 'foliation', 'foliations', + 'folio', + 'folioed', + 'folioing', + 'folios', + 'foliose', + 'folious', + 'folium', + 'foliums', + 'folk', + 'folkie', + 'folkies', + 'folkish', 'folkishness', 'folkishnesses', + 'folklife', + 'folklike', + 'folklives', + 'folklore', + 'folklores', + 'folkloric', 'folklorish', 'folklorist', 'folkloristic', 'folklorists', + 'folkmoot', + 'folkmoots', + 'folkmot', + 'folkmote', + 'folkmotes', + 'folkmots', + 'folks', + 'folksier', + 'folksiest', + 'folksily', 'folksiness', 'folksinesses', 'folksinger', 'folksingers', 'folksinging', 'folksingings', + 'folksy', + 'folktale', + 'folktales', + 'folkway', + 'folkways', + 'folky', + 'folles', + 'follicle', + 'follicles', 'follicular', 'folliculites', 'folliculitides', 'folliculitis', 'folliculitises', + 'follies', + 'follis', + 'follow', + 'followed', + 'follower', + 'followers', 'followership', 'followerships', + 'following', 'followings', + 'follows', + 'folly', + 'foment', 'fomentation', 'fomentations', + 'fomented', + 'fomenter', + 'fomenters', + 'fomenting', + 'foments', + 'fomite', + 'fomites', + 'fon', + 'fond', + 'fondant', + 'fondants', + 'fonded', + 'fonder', + 'fondest', + 'fonding', + 'fondle', + 'fondled', + 'fondler', + 'fondlers', + 'fondles', + 'fondling', + 'fondlings', + 'fondly', + 'fondness', 'fondnesses', + 'fonds', + 'fondu', + 'fondue', + 'fondues', + 'fondus', + 'fons', + 'font', + 'fontal', + 'fontanel', 'fontanelle', 'fontanelles', + 'fontanels', + 'fontina', + 'fontinas', + 'fonts', + 'food', + 'foodie', + 'foodies', + 'foodless', 'foodlessness', 'foodlessnesses', + 'foods', + 'foodstuff', 'foodstuffs', + 'foodways', + 'foofaraw', + 'foofaraws', + 'fool', + 'fooled', + 'fooleries', + 'foolery', + 'foolfish', 'foolfishes', 'foolhardier', 'foolhardiest', 'foolhardily', 'foolhardiness', 'foolhardinesses', + 'foolhardy', + 'fooling', + 'foolish', + 'foolisher', 'foolishest', + 'foolishly', 'foolishness', 'foolishnesses', + 'foolproof', + 'fools', + 'foolscap', + 'foolscaps', + 'foot', + 'footage', + 'footages', + 'football', 'footballer', 'footballers', + 'footballs', + 'footbath', + 'footbaths', + 'footboard', 'footboards', + 'footboy', + 'footboys', 'footbridge', 'footbridges', + 'footcloth', 'footcloths', 'footdragger', 'footdraggers', + 'footed', + 'footer', + 'footers', + 'footfall', + 'footfalls', + 'footfault', 'footfaulted', 'footfaulting', 'footfaults', + 'footgear', + 'footgears', + 'foothill', + 'foothills', + 'foothold', + 'footholds', + 'footie', + 'footier', + 'footies', + 'footiest', + 'footing', + 'footings', 'footlambert', 'footlamberts', + 'footle', + 'footled', + 'footler', + 'footlers', + 'footles', + 'footless', 'footlessly', 'footlessness', 'footlessnesses', 'footlights', + 'footlike', + 'footling', 'footlocker', 'footlockers', + 'footloose', + 'footman', + 'footmark', + 'footmarks', + 'footmen', + 'footnote', + 'footnoted', + 'footnotes', 'footnoting', + 'footpace', + 'footpaces', + 'footpad', + 'footpads', + 'footpath', + 'footpaths', + 'footprint', 'footprints', + 'footrace', + 'footraces', + 'footrest', + 'footrests', + 'footrope', + 'footropes', + 'foots', + 'footsie', + 'footsies', + 'footslog', 'footslogged', 'footslogger', 'footsloggers', 'footslogging', + 'footslogs', + 'footsore', 'footsoreness', 'footsorenesses', + 'footstep', + 'footsteps', + 'footstone', 'footstones', + 'footstool', 'footstools', + 'footsy', + 'footwall', + 'footwalls', + 'footway', + 'footways', + 'footwear', + 'footwork', + 'footworks', + 'footworn', + 'footy', + 'foozle', + 'foozled', + 'foozler', + 'foozlers', + 'foozles', + 'foozling', + 'fop', + 'fopped', + 'fopperies', + 'foppery', + 'fopping', + 'foppish', + 'foppishly', 'foppishness', 'foppishnesses', + 'fops', + 'for', + 'fora', + 'forage', + 'foraged', + 'forager', + 'foragers', + 'forages', + 'foraging', + 'foram', + 'foramen', + 'foramens', + 'foramina', + 'foraminal', 'foraminifer', 'foraminifera', 'foraminiferal', @@ -22616,33 +57603,105 @@ export const scrabble_array = [ 'foraminiferans', 'foraminifers', 'foraminous', + 'forams', + 'foray', + 'forayed', + 'forayer', + 'forayers', + 'foraying', + 'forays', + 'forb', + 'forbad', + 'forbade', + 'forbear', 'forbearance', 'forbearances', + 'forbearer', 'forbearers', 'forbearing', + 'forbears', + 'forbid', + 'forbidal', + 'forbidals', 'forbiddance', 'forbiddances', + 'forbidden', + 'forbidder', 'forbidders', 'forbidding', 'forbiddingly', + 'forbids', + 'forbode', + 'forboded', + 'forbodes', + 'forboding', + 'forbore', + 'forborne', + 'forbs', + 'forby', + 'forbye', + 'force', + 'forced', + 'forcedly', + 'forceful', 'forcefully', 'forcefulness', 'forcefulnesses', + 'forceless', + 'forcemeat', 'forcemeats', + 'forceps', 'forcepslike', + 'forcer', + 'forcers', + 'forces', + 'forcible', 'forcibleness', 'forciblenesses', + 'forcibly', + 'forcing', + 'forcipes', + 'ford', + 'fordable', + 'forded', + 'fordid', + 'fording', + 'fordless', + 'fordo', + 'fordoes', + 'fordoing', + 'fordone', + 'fords', + 'fore', + 'forearm', + 'forearmed', 'forearming', + 'forearms', + 'forebay', + 'forebays', + 'forebear', + 'forebears', + 'forebode', + 'foreboded', + 'foreboder', 'foreboders', + 'forebodes', 'forebodies', 'foreboding', 'forebodingly', 'forebodingness', 'forebodingnesses', 'forebodings', + 'forebody', + 'foreboom', + 'forebooms', + 'forebrain', 'forebrains', + 'foreby', + 'forebye', 'forecaddie', 'forecaddies', + 'forecast', 'forecastable', 'forecasted', 'forecaster', @@ -22650,105 +57709,218 @@ export const scrabble_array = [ 'forecasting', 'forecastle', 'forecastles', + 'forecasts', + 'forecheck', 'forechecked', 'forechecker', 'forecheckers', 'forechecking', 'forechecks', + 'foreclose', 'foreclosed', 'forecloses', 'foreclosing', 'foreclosure', 'foreclosures', + 'forecourt', 'forecourts', + 'foredate', + 'foredated', + 'foredates', 'foredating', + 'foredeck', + 'foredecks', + 'foredid', + 'foredo', + 'foredoes', + 'foredoing', + 'foredone', + 'foredoom', 'foredoomed', 'foredooming', + 'foredooms', + 'foreface', + 'forefaces', 'forefather', 'forefathers', + 'forefeel', 'forefeeling', + 'forefeels', + 'forefeet', + 'forefelt', + 'forefend', 'forefended', 'forefending', + 'forefends', 'forefinger', 'forefingers', + 'forefoot', + 'forefront', 'forefronts', 'foregather', 'foregathered', 'foregathering', 'foregathers', + 'forego', + 'foregoer', + 'foregoers', + 'foregoes', + 'foregoing', + 'foregone', 'foreground', 'foregrounded', 'foregrounding', 'foregrounds', + 'foregut', + 'foreguts', + 'forehand', 'forehanded', 'forehandedly', 'forehandedness', 'forehandednesses', + 'forehands', + 'forehead', + 'foreheads', + 'forehoof', + 'forehoofs', 'forehooves', + 'foreign', + 'foreigner', 'foreigners', 'foreignism', 'foreignisms', 'foreignness', 'foreignnesses', + 'forejudge', 'forejudged', 'forejudges', 'forejudging', + 'foreknew', + 'foreknow', 'foreknowing', 'foreknowledge', 'foreknowledges', + 'foreknown', + 'foreknows', 'foreladies', + 'forelady', + 'foreland', + 'forelands', + 'foreleg', + 'forelegs', + 'forelimb', + 'forelimbs', + 'forelock', 'forelocked', 'forelocking', + 'forelocks', + 'foreman', 'foremanship', 'foremanships', + 'foremast', + 'foremasts', + 'foremen', + 'foremilk', + 'foremilks', + 'foremost', 'foremother', 'foremothers', + 'forename', + 'forenamed', + 'forenames', + 'forenoon', + 'forenoons', + 'forensic', 'forensically', + 'forensics', 'foreordain', 'foreordained', 'foreordaining', 'foreordains', 'foreordination', 'foreordinations', + 'forepart', + 'foreparts', 'forepassed', + 'forepast', + 'forepaw', + 'forepaws', + 'forepeak', + 'forepeaks', + 'foreplay', + 'foreplays', 'forequarter', 'forequarters', + 'foreran', + 'forerank', + 'foreranks', + 'forereach', 'forereached', 'forereaches', 'forereaching', + 'forerun', 'forerunner', 'forerunners', 'forerunning', + 'foreruns', + 'fores', + 'foresaid', + 'foresail', + 'foresails', + 'foresaw', + 'foresee', 'foreseeabilities', 'foreseeability', 'foreseeable', 'foreseeing', + 'foreseen', + 'foreseer', + 'foreseers', + 'foresees', 'foreshadow', 'foreshadowed', 'foreshadower', 'foreshadowers', 'foreshadowing', 'foreshadows', + 'foreshank', 'foreshanks', + 'foresheet', 'foresheets', + 'foreshock', 'foreshocks', + 'foreshore', 'foreshores', 'foreshorten', 'foreshortened', 'foreshortening', 'foreshortens', + 'foreshow', 'foreshowed', 'foreshowing', + 'foreshown', + 'foreshows', + 'foreside', + 'foresides', + 'foresight', 'foresighted', 'foresightedly', 'foresightedness', 'foresightednesses', 'foresightful', 'foresights', + 'foreskin', + 'foreskins', + 'forespeak', 'forespeaking', 'forespeaks', + 'forespoke', 'forespoken', + 'forest', + 'forestage', 'forestages', + 'forestal', + 'forestall', 'forestalled', 'forestaller', 'forestallers', @@ -22758,103 +57930,245 @@ export const scrabble_array = [ 'forestalls', 'forestation', 'forestations', + 'forestay', + 'forestays', 'forestaysail', 'forestaysails', + 'forested', + 'forester', + 'foresters', + 'forestial', + 'foresting', 'forestland', 'forestlands', 'forestries', + 'forestry', + 'forests', + 'foreswear', 'foreswearing', 'foreswears', + 'foreswore', + 'foresworn', + 'foretaste', 'foretasted', 'foretastes', 'foretasting', + 'foretell', 'foreteller', 'foretellers', 'foretelling', + 'foretells', 'forethought', 'forethoughtful', 'forethoughtfully', 'forethoughtfulness', 'forethoughtfulnesses', 'forethoughts', + 'foretime', + 'foretimes', + 'foretoken', 'foretokened', 'foretokening', 'foretokens', + 'foretold', + 'foretop', 'foretopman', 'foretopmen', + 'foretops', + 'forever', 'forevermore', 'foreverness', 'forevernesses', + 'forevers', + 'forewarn', 'forewarned', 'forewarning', + 'forewarns', + 'forewent', + 'forewing', + 'forewings', + 'forewoman', + 'forewomen', + 'foreword', + 'forewords', + 'foreworn', + 'foreyard', + 'foreyards', + 'forfeit', 'forfeitable', + 'forfeited', + 'forfeiter', 'forfeiters', 'forfeiting', + 'forfeits', 'forfeiture', 'forfeitures', + 'forfend', + 'forfended', 'forfending', + 'forfends', + 'forgat', + 'forgather', 'forgathered', 'forgathering', 'forgathers', + 'forgave', + 'forge', 'forgeabilities', 'forgeability', + 'forgeable', + 'forged', + 'forger', + 'forgeries', + 'forgers', + 'forgery', + 'forges', + 'forget', + 'forgetful', 'forgetfully', 'forgetfulness', 'forgetfulnesses', + 'forgetive', + 'forgets', 'forgettable', + 'forgetter', 'forgetters', 'forgetting', + 'forging', + 'forgings', 'forgivable', 'forgivably', + 'forgive', + 'forgiven', 'forgiveness', 'forgivenesses', + 'forgiver', + 'forgivers', + 'forgives', + 'forgiving', 'forgivingly', 'forgivingness', 'forgivingnesses', + 'forgo', + 'forgoer', + 'forgoers', + 'forgoes', + 'forgoing', + 'forgone', + 'forgot', + 'forgotten', + 'forint', + 'forints', + 'forjudge', + 'forjudged', + 'forjudges', 'forjudging', + 'fork', + 'forkball', + 'forkballs', + 'forked', + 'forkedly', + 'forker', + 'forkers', + 'forkful', + 'forkfuls', + 'forkier', + 'forkiest', + 'forking', + 'forkless', + 'forklift', 'forklifted', 'forklifting', + 'forklifts', + 'forklike', + 'forks', + 'forksful', + 'forky', + 'forlorn', + 'forlorner', 'forlornest', + 'forlornly', 'forlornness', 'forlornnesses', + 'form', 'formabilities', 'formability', + 'formable', + 'formal', 'formaldehyde', 'formaldehydes', + 'formalin', + 'formalins', + 'formalise', 'formalised', 'formalises', 'formalising', + 'formalism', 'formalisms', + 'formalist', 'formalistic', 'formalists', 'formalities', + 'formality', 'formalizable', 'formalization', 'formalizations', + 'formalize', 'formalized', 'formalizer', 'formalizers', 'formalizes', 'formalizing', + 'formally', 'formalness', 'formalnesses', + 'formals', + 'formamide', 'formamides', + 'formant', + 'formants', + 'format', + 'formate', + 'formates', + 'formation', 'formations', + 'formative', 'formatively', 'formatives', + 'formats', + 'formatted', + 'formatter', 'formatters', 'formatting', + 'forme', + 'formed', + 'formee', + 'former', + 'formerly', + 'formers', + 'formes', 'formfitting', + 'formful', + 'formic', 'formicaries', + 'formicary', 'formidabilities', 'formidability', 'formidable', 'formidableness', 'formidablenesses', 'formidably', + 'forming', + 'formless', 'formlessly', 'formlessness', 'formlessnesses', + 'formol', + 'formols', + 'forms', + 'formula', + 'formulae', + 'formulaic', 'formulaically', 'formularies', 'formularization', @@ -22865,6 +58179,9 @@ export const scrabble_array = [ 'formularizers', 'formularizes', 'formularizing', + 'formulary', + 'formulas', + 'formulate', 'formulated', 'formulates', 'formulating', @@ -22872,9 +58189,16 @@ export const scrabble_array = [ 'formulations', 'formulator', 'formulators', + 'formulize', 'formulized', 'formulizes', 'formulizing', + 'formwork', + 'formworks', + 'formyl', + 'formyls', + 'fornical', + 'fornicate', 'fornicated', 'fornicates', 'fornicating', @@ -22882,94 +58206,292 @@ export const scrabble_array = [ 'fornications', 'fornicator', 'fornicators', + 'fornices', + 'fornix', + 'forrader', + 'forrarder', + 'forrit', + 'forsake', + 'forsaken', + 'forsaker', + 'forsakers', + 'forsakes', + 'forsaking', + 'forsook', + 'forsooth', + 'forspent', + 'forswear', 'forswearing', + 'forswears', + 'forswore', + 'forsworn', + 'forsythia', 'forsythias', + 'fort', + 'fortalice', 'fortalices', + 'forte', 'fortepiano', 'fortepianos', + 'fortes', + 'forth', 'forthcoming', 'forthright', 'forthrightly', 'forthrightness', 'forthrightnesses', 'forthrights', + 'forthwith', + 'forties', + 'fortieth', + 'fortieths', 'fortification', 'fortifications', + 'fortified', + 'fortifier', 'fortifiers', + 'fortifies', + 'fortify', 'fortifying', + 'fortis', 'fortissimi', 'fortissimo', 'fortissimos', + 'fortitude', 'fortitudes', + 'fortnight', 'fortnightlies', 'fortnightly', 'fortnights', + 'fortress', 'fortressed', 'fortresses', 'fortressing', 'fortresslike', + 'forts', 'fortuities', 'fortuitous', 'fortuitously', 'fortuitousness', 'fortuitousnesses', + 'fortuity', + 'fortunate', 'fortunately', 'fortunateness', 'fortunatenesses', + 'fortune', + 'fortuned', + 'fortunes', 'fortuneteller', 'fortunetellers', 'fortunetelling', 'fortunetellings', + 'fortuning', + 'forty', + 'fortyish', + 'forum', + 'forums', + 'forward', + 'forwarded', + 'forwarder', 'forwarders', 'forwardest', 'forwarding', + 'forwardly', 'forwardness', 'forwardnesses', + 'forwards', + 'forwent', + 'forwhy', + 'forworn', + 'forzando', + 'forzandos', + 'foss', + 'fossa', + 'fossae', + 'fossas', + 'fossate', + 'fosse', + 'fosses', + 'fossette', + 'fossettes', + 'fossick', + 'fossicked', + 'fossicker', 'fossickers', 'fossicking', + 'fossicks', + 'fossil', 'fossiliferous', + 'fossilise', 'fossilised', 'fossilises', 'fossilising', 'fossilization', 'fossilizations', + 'fossilize', 'fossilized', 'fossilizes', 'fossilizing', + 'fossils', + 'fossorial', + 'foster', + 'fosterage', 'fosterages', + 'fostered', + 'fosterer', + 'fosterers', + 'fostering', 'fosterling', 'fosterlings', + 'fosters', + 'fou', + 'fouette', + 'fouettes', + 'fought', + 'foughten', + 'foul', + 'foulard', + 'foulards', + 'foulbrood', 'foulbroods', + 'fouled', + 'fouler', + 'foulest', + 'fouling', + 'foulings', + 'foully', 'foulmouthed', + 'foulness', 'foulnesses', + 'fouls', + 'found', 'foundation', 'foundational', 'foundationally', 'foundationless', 'foundations', + 'founded', + 'founder', + 'foundered', 'foundering', + 'founders', + 'founding', + 'foundling', 'foundlings', + 'foundries', + 'foundry', + 'founds', + 'fount', + 'fountain', 'fountained', 'fountainhead', 'fountainheads', 'fountaining', + 'fountains', + 'founts', + 'four', + 'fourchee', 'fourdrinier', 'fourdriniers', + 'fourfold', + 'fourgon', + 'fourgons', + 'fourplex', 'fourplexes', 'fourragere', 'fourrageres', + 'fours', + 'fourscore', + 'foursome', + 'foursomes', 'foursquare', + 'fourteen', 'fourteener', 'fourteeners', + 'fourteens', 'fourteenth', 'fourteenths', + 'fourth', + 'fourthly', + 'fourths', + 'fovea', + 'foveae', + 'foveal', + 'foveas', + 'foveate', + 'foveated', + 'foveola', + 'foveolae', + 'foveolar', + 'foveolas', + 'foveole', + 'foveoles', + 'foveolet', + 'foveolets', + 'fowl', + 'fowled', + 'fowler', + 'fowlers', + 'fowling', + 'fowlings', + 'fowlpox', + 'fowlpoxes', + 'fowls', + 'fox', + 'foxed', + 'foxes', + 'foxfire', + 'foxfires', + 'foxfish', + 'foxfishes', + 'foxglove', + 'foxgloves', + 'foxhole', + 'foxholes', + 'foxhound', + 'foxhounds', + 'foxhunt', + 'foxhunted', + 'foxhunter', 'foxhunters', 'foxhunting', 'foxhuntings', + 'foxhunts', + 'foxier', + 'foxiest', + 'foxily', + 'foxiness', 'foxinesses', + 'foxing', + 'foxings', + 'foxlike', + 'foxskin', + 'foxskins', + 'foxtail', + 'foxtails', + 'foxtrot', + 'foxtrots', 'foxtrotted', 'foxtrotting', + 'foxy', + 'foy', + 'foyer', + 'foyers', + 'foys', + 'fozier', + 'foziest', + 'foziness', 'fozinesses', + 'fozy', + 'frabjous', + 'fracas', + 'fracases', + 'fractal', + 'fractals', + 'fracted', + 'fracti', + 'fraction', 'fractional', 'fractionalization', 'fractionalizations', @@ -22988,11 +58510,30 @@ export const scrabble_array = [ 'fractionators', 'fractioned', 'fractioning', + 'fractions', + 'fractious', 'fractiously', 'fractiousness', 'fractiousnesses', + 'fractur', + 'fracture', + 'fractured', + 'fractures', 'fracturing', + 'fracturs', + 'fractus', + 'frae', + 'fraena', + 'fraenum', + 'fraenums', + 'frag', + 'fragged', + 'fragging', + 'fraggings', + 'fragile', 'fragilities', + 'fragility', + 'fragment', 'fragmental', 'fragmentally', 'fragmentarily', @@ -23011,15 +58552,46 @@ export const scrabble_array = [ 'fragmentized', 'fragmentizes', 'fragmentizing', + 'fragments', + 'fragrance', 'fragrances', 'fragrancies', + 'fragrancy', + 'fragrant', 'fragrantly', + 'frags', + 'frail', + 'frailer', + 'frailest', + 'frailly', + 'frailness', 'frailnesses', + 'frails', + 'frailties', + 'frailty', + 'fraise', + 'fraises', + 'fraktur', + 'frakturs', + 'framable', + 'frambesia', 'frambesias', + 'framboise', 'framboises', + 'frame', + 'frameable', + 'framed', + 'framer', + 'framers', + 'frames', 'frameshift', 'frameshifts', + 'framework', 'frameworks', + 'framing', + 'framings', + 'franc', + 'franchise', 'franchised', 'franchisee', 'franchisees', @@ -23029,28 +58601,59 @@ export const scrabble_array = [ 'franchising', 'franchisor', 'franchisors', + 'francium', + 'franciums', + 'francolin', 'francolins', 'francophone', + 'francs', 'frangibilities', 'frangibility', + 'frangible', 'frangipane', 'frangipanes', 'frangipani', 'frangipanis', 'frangipanni', + 'franglais', + 'frank', + 'frankable', + 'franked', + 'franker', + 'frankers', + 'frankest', + 'frankfurt', 'frankfurter', 'frankfurters', 'frankfurts', 'frankincense', 'frankincenses', + 'franking', + 'franklin', 'franklinite', 'franklinites', + 'franklins', + 'frankly', + 'frankness', 'franknesses', 'frankpledge', 'frankpledges', + 'franks', + 'frantic', 'frantically', 'franticness', 'franticnesses', + 'frap', + 'frappe', + 'frapped', + 'frappes', + 'frapping', + 'fraps', + 'frass', + 'frasses', + 'frat', + 'frater', + 'fraternal', 'fraternalism', 'fraternalisms', 'fraternally', @@ -23064,57 +58667,132 @@ export const scrabble_array = [ 'fraternizers', 'fraternizes', 'fraternizing', + 'fraters', 'fratricidal', 'fratricide', 'fratricides', + 'frats', + 'fraud', + 'frauds', 'fraudulence', 'fraudulences', 'fraudulent', 'fraudulently', 'fraudulentness', 'fraudulentnesses', + 'fraught', + 'fraughted', 'fraughting', + 'fraughts', + 'fraulein', + 'frauleins', 'fraxinella', 'fraxinellas', + 'fray', + 'frayed', + 'fraying', + 'frayings', + 'frays', + 'frazil', + 'frazils', + 'frazzle', + 'frazzled', + 'frazzles', + 'frazzling', + 'freak', + 'freaked', + 'freakier', + 'freakiest', + 'freakily', 'freakiness', 'freakinesses', + 'freaking', + 'freakish', 'freakishly', 'freakishness', 'freakishnesses', + 'freakout', + 'freakouts', + 'freaks', + 'freaky', + 'freckle', + 'freckled', + 'freckles', + 'frecklier', 'freckliest', + 'freckling', + 'freckly', + 'free', + 'freebase', + 'freebased', + 'freebaser', 'freebasers', + 'freebases', 'freebasing', + 'freebee', + 'freebees', + 'freebie', + 'freebies', + 'freeboard', 'freeboards', + 'freeboot', 'freebooted', 'freebooter', 'freebooters', 'freebooting', + 'freeboots', + 'freeborn', + 'freed', + 'freedman', + 'freedmen', + 'freedom', + 'freedoms', 'freedwoman', 'freedwomen', + 'freeform', + 'freehand', 'freehanded', 'freehandedly', 'freehandedness', 'freehandednesses', 'freehearted', 'freeheartedly', + 'freehold', 'freeholder', 'freeholders', + 'freeholds', + 'freeing', + 'freelance', 'freelanced', 'freelancer', 'freelancers', 'freelances', 'freelancing', + 'freeload', 'freeloaded', 'freeloader', 'freeloaders', 'freeloading', + 'freeloads', + 'freely', + 'freeman', 'freemartin', 'freemartins', 'freemasonries', 'freemasonry', + 'freemen', + 'freeness', 'freenesses', + 'freer', + 'freers', + 'frees', + 'freesia', + 'freesias', + 'freest', 'freestanding', + 'freestone', 'freestones', + 'freestyle', 'freestyler', 'freestylers', 'freestyles', @@ -23122,31 +58800,67 @@ export const scrabble_array = [ 'freethinkers', 'freethinking', 'freethinkings', + 'freeway', + 'freeways', + 'freewheel', 'freewheeled', 'freewheeler', 'freewheelers', 'freewheeling', 'freewheelingly', 'freewheels', + 'freewill', 'freewriting', 'freewritings', + 'freeze', + 'freezer', + 'freezers', + 'freezes', + 'freezing', 'freezingly', + 'freight', 'freightage', 'freightages', + 'freighted', + 'freighter', 'freighters', 'freighting', + 'freights', + 'fremd', + 'fremitus', 'fremituses', + 'frena', + 'french', + 'frenched', + 'frenches', 'frenchification', 'frenchifications', 'frenchified', 'frenchifies', + 'frenchify', 'frenchifying', + 'frenching', + 'frenetic', 'frenetically', 'freneticism', 'freneticisms', + 'frenetics', + 'frenula', + 'frenulum', + 'frenulums', + 'frenum', + 'frenums', + 'frenzied', 'frenziedly', + 'frenzies', + 'frenzily', + 'frenzy', + 'frenzying', + 'frequence', 'frequences', 'frequencies', + 'frequency', + 'frequent', 'frequentation', 'frequentations', 'frequentative', @@ -23159,28 +58873,97 @@ export const scrabble_array = [ 'frequently', 'frequentness', 'frequentnesses', + 'frequents', + 'frere', + 'freres', + 'fresco', + 'frescoed', + 'frescoer', + 'frescoers', + 'frescoes', + 'frescoing', + 'frescos', + 'fresh', + 'freshed', + 'freshen', + 'freshened', + 'freshener', 'fresheners', 'freshening', + 'freshens', + 'fresher', + 'freshes', + 'freshest', + 'freshet', + 'freshets', + 'freshing', + 'freshly', + 'freshman', + 'freshmen', + 'freshness', 'freshnesses', 'freshwater', 'freshwaters', + 'fresnel', + 'fresnels', + 'fret', + 'fretful', + 'fretfully', 'fretfulness', 'fretfulnesses', + 'fretless', + 'frets', + 'fretsaw', + 'fretsaws', + 'fretsome', + 'fretted', + 'fretter', + 'fretters', + 'frettier', + 'frettiest', + 'fretting', + 'fretty', + 'fretwork', + 'fretworks', 'friabilities', 'friability', + 'friable', + 'friar', + 'friaries', + 'friarly', + 'friars', + 'friary', + 'fribble', + 'fribbled', + 'fribbler', + 'fribblers', + 'fribbles', + 'fribbling', 'fricandeau', 'fricandeaus', 'fricandeaux', + 'fricando', 'fricandoes', + 'fricassee', 'fricasseed', 'fricasseeing', 'fricassees', + 'fricative', 'fricatives', + 'friction', 'frictional', 'frictionally', 'frictionless', 'frictionlessly', + 'frictions', + 'fridge', + 'fridges', + 'fried', + 'friedcake', 'friedcakes', + 'friend', + 'friended', + 'friending', 'friendless', 'friendlessness', 'friendlessnesses', @@ -23190,143 +58973,615 @@ export const scrabble_array = [ 'friendlily', 'friendliness', 'friendlinesses', + 'friendly', + 'friends', 'friendship', 'friendships', + 'frier', + 'friers', + 'fries', + 'frieze', 'friezelike', + 'friezes', + 'frig', + 'frigate', + 'frigates', + 'frigged', + 'frigging', + 'fright', + 'frighted', + 'frighten', 'frightened', 'frightening', 'frighteningly', + 'frightens', + 'frightful', 'frightfully', 'frightfulness', 'frightfulnesses', + 'frighting', + 'frights', + 'frigid', 'frigidities', + 'frigidity', + 'frigidly', 'frigidness', 'frigidnesses', 'frigorific', + 'frigs', + 'frijol', + 'frijole', + 'frijoles', + 'frill', + 'frilled', + 'friller', + 'frillers', + 'frillier', + 'frilliest', + 'frilling', + 'frillings', + 'frills', + 'frilly', + 'fringe', + 'fringed', + 'fringes', + 'fringier', + 'fringiest', + 'fringing', + 'fringy', 'fripperies', + 'frippery', + 'frise', + 'frises', + 'frisette', + 'frisettes', + 'friseur', + 'friseurs', + 'frisk', + 'frisked', + 'frisker', + 'friskers', + 'frisket', + 'friskets', + 'friskier', + 'friskiest', + 'friskily', 'friskiness', 'friskinesses', + 'frisking', + 'frisks', + 'frisky', + 'frisson', + 'frissons', + 'frit', + 'frith', + 'friths', 'fritillaria', 'fritillarias', 'fritillaries', 'fritillary', + 'frits', + 'fritt', + 'frittata', + 'frittatas', + 'fritted', + 'fritter', + 'frittered', + 'fritterer', 'fritterers', 'frittering', + 'fritters', + 'fritting', + 'fritts', + 'fritz', + 'fritzes', + 'frivol', + 'frivoled', + 'frivoler', + 'frivolers', + 'frivoling', 'frivolities', + 'frivolity', + 'frivolled', + 'frivoller', 'frivollers', 'frivolling', + 'frivolous', 'frivolously', 'frivolousness', 'frivolousnesses', + 'frivols', + 'friz', + 'frized', + 'frizer', + 'frizers', + 'frizes', + 'frizette', + 'frizettes', + 'frizing', + 'frizz', + 'frizzed', + 'frizzer', + 'frizzers', + 'frizzes', + 'frizzier', + 'frizziest', + 'frizzily', 'frizziness', 'frizzinesses', + 'frizzing', + 'frizzle', + 'frizzled', + 'frizzler', + 'frizzlers', + 'frizzles', + 'frizzlier', 'frizzliest', + 'frizzling', + 'frizzly', + 'frizzy', + 'fro', + 'frock', + 'frocked', + 'frocking', + 'frocks', + 'froe', + 'froes', + 'frog', + 'frogeye', + 'frogeyed', + 'frogeyes', + 'frogfish', 'frogfishes', + 'frogged', + 'froggier', + 'froggiest', + 'frogging', + 'froggy', 'froghopper', 'froghoppers', + 'froglike', + 'frogman', + 'frogmen', + 'frogs', + 'frolic', + 'frolicked', 'frolicking', + 'frolicky', + 'frolics', 'frolicsome', + 'from', + 'fromage', + 'fromages', 'fromenties', + 'fromenty', + 'frond', + 'fronded', + 'frondeur', + 'frondeurs', + 'frondose', + 'fronds', + 'frons', + 'front', + 'frontage', + 'frontages', + 'frontal', 'frontalities', 'frontality', + 'frontally', + 'frontals', 'frontcourt', 'frontcourts', + 'fronted', + 'fronter', + 'frontes', + 'frontier', + 'frontiers', 'frontiersman', 'frontiersmen', + 'fronting', 'frontispiece', 'frontispieces', + 'frontless', + 'frontlet', + 'frontlets', + 'frontline', 'frontogeneses', 'frontogenesis', 'frontolyses', 'frontolysis', + 'fronton', + 'frontons', 'frontrunner', 'frontrunners', + 'fronts', + 'frontward', 'frontwards', + 'frore', + 'frosh', + 'frost', + 'frostbit', + 'frostbite', 'frostbites', 'frostbiting', 'frostbitings', 'frostbitten', + 'frosted', + 'frosteds', + 'frostier', + 'frostiest', + 'frostily', 'frostiness', 'frostinesses', + 'frosting', + 'frostings', + 'frosts', + 'frostwork', 'frostworks', + 'frosty', + 'froth', + 'frothed', + 'frothier', + 'frothiest', + 'frothily', 'frothiness', 'frothinesses', + 'frothing', + 'froths', + 'frothy', + 'frottage', + 'frottages', + 'frotteur', + 'frotteurs', + 'froufrou', + 'froufrous', + 'frounce', + 'frounced', + 'frounces', + 'frouncing', + 'frouzier', + 'frouziest', + 'frouzy', + 'frow', + 'froward', + 'frowardly', 'frowardness', 'frowardnesses', + 'frown', + 'frowned', + 'frowner', + 'frowners', + 'frowning', 'frowningly', + 'frowns', + 'frows', + 'frowsier', + 'frowsiest', + 'frowst', + 'frowsted', + 'frowstier', 'frowstiest', + 'frowsting', + 'frowsts', + 'frowsty', + 'frowsy', + 'frowzier', + 'frowziest', + 'frowzily', + 'frowzy', + 'froze', + 'frozen', + 'frozenly', 'frozenness', 'frozennesses', 'fructification', 'fructifications', 'fructified', 'fructifies', + 'fructify', 'fructifying', + 'fructose', + 'fructoses', + 'fructuous', + 'frug', + 'frugal', 'frugalities', + 'frugality', + 'frugally', + 'frugged', + 'frugging', + 'frugivore', 'frugivores', 'frugivorous', + 'frugs', + 'fruit', + 'fruitage', + 'fruitages', 'fruitarian', 'fruitarians', + 'fruitcake', 'fruitcakes', + 'fruited', + 'fruiter', + 'fruiterer', 'fruiterers', + 'fruiters', + 'fruitful', 'fruitfuller', 'fruitfullest', 'fruitfully', 'fruitfulness', 'fruitfulnesses', + 'fruitier', + 'fruitiest', + 'fruitily', 'fruitiness', 'fruitinesses', + 'fruiting', + 'fruition', + 'fruitions', + 'fruitless', 'fruitlessly', 'fruitlessness', 'fruitlessnesses', + 'fruitlet', + 'fruitlets', + 'fruits', + 'fruitwood', 'fruitwoods', + 'fruity', 'frumenties', + 'frumenty', + 'frump', + 'frumpier', + 'frumpiest', + 'frumpily', + 'frumpish', + 'frumps', + 'frumpy', + 'frusta', + 'frustrate', 'frustrated', 'frustrates', 'frustrating', 'frustratingly', 'frustration', 'frustrations', + 'frustule', + 'frustules', + 'frustum', + 'frustums', 'frutescent', + 'fruticose', + 'fry', + 'fryer', + 'fryers', + 'frying', + 'frypan', + 'frypans', + 'fub', + 'fubbed', + 'fubbing', + 'fubs', + 'fubsier', + 'fubsiest', + 'fubsy', + 'fuchsia', + 'fuchsias', + 'fuchsin', + 'fuchsine', + 'fuchsines', + 'fuchsins', + 'fuci', + 'fuck', + 'fucked', + 'fucker', + 'fuckers', + 'fucking', + 'fucks', + 'fuckup', + 'fuckups', + 'fucoid', + 'fucoidal', + 'fucoids', + 'fucose', + 'fucoses', + 'fucous', 'fucoxanthin', 'fucoxanthins', + 'fucus', + 'fucuses', + 'fud', + 'fuddle', + 'fuddled', + 'fuddles', + 'fuddling', + 'fudge', + 'fudged', + 'fudges', + 'fudging', + 'fuds', + 'fuehrer', + 'fuehrers', + 'fuel', + 'fueled', + 'fueler', + 'fuelers', + 'fueling', + 'fuelled', + 'fueller', + 'fuellers', + 'fuelling', + 'fuels', + 'fuelwood', + 'fuelwoods', + 'fug', + 'fugacious', 'fugacities', + 'fugacity', + 'fugal', + 'fugally', + 'fugato', + 'fugatos', + 'fugged', + 'fuggier', + 'fuggiest', + 'fuggily', + 'fugging', + 'fuggy', + 'fugio', + 'fugios', + 'fugitive', 'fugitively', 'fugitiveness', 'fugitivenesses', + 'fugitives', + 'fugle', + 'fugled', + 'fugleman', + 'fuglemen', + 'fugles', + 'fugling', + 'fugs', + 'fugu', + 'fugue', + 'fugued', + 'fugues', + 'fuguing', + 'fuguist', + 'fuguists', + 'fugus', + 'fuhrer', + 'fuhrers', + 'fuji', + 'fujis', + 'fulcra', + 'fulcrum', + 'fulcrums', + 'fulfil', + 'fulfill', + 'fulfilled', + 'fulfiller', 'fulfillers', 'fulfilling', 'fulfillment', 'fulfillments', + 'fulfills', + 'fulfils', + 'fulgent', + 'fulgently', + 'fulgid', + 'fulgurant', + 'fulgurate', 'fulgurated', 'fulgurates', 'fulgurating', 'fulguration', 'fulgurations', + 'fulgurite', 'fulgurites', + 'fulgurous', + 'fulham', + 'fulhams', 'fuliginous', 'fuliginously', + 'full', + 'fullam', + 'fullams', + 'fullback', + 'fullbacks', + 'fulled', + 'fuller', + 'fullered', + 'fullerene', 'fullerenes', + 'fulleries', + 'fullering', + 'fullers', + 'fullery', + 'fullest', + 'fullface', + 'fullfaces', + 'fulling', 'fullmouthed', + 'fullness', 'fullnesses', + 'fulls', + 'fully', + 'fulmar', + 'fulmars', + 'fulminant', + 'fulminate', 'fulminated', 'fulminates', 'fulminating', 'fulmination', 'fulminations', + 'fulmine', + 'fulmined', + 'fulmines', + 'fulminic', + 'fulmining', + 'fulness', + 'fulnesses', + 'fulsome', + 'fulsomely', 'fulsomeness', 'fulsomenesses', + 'fulvous', + 'fumarase', + 'fumarases', + 'fumarate', + 'fumarates', + 'fumaric', + 'fumarole', + 'fumaroles', + 'fumarolic', 'fumatories', + 'fumatory', + 'fumble', + 'fumbled', + 'fumbler', + 'fumblers', + 'fumbles', + 'fumbling', 'fumblingly', + 'fume', + 'fumed', + 'fumeless', + 'fumelike', + 'fumer', + 'fumers', + 'fumes', + 'fumet', + 'fumets', + 'fumette', + 'fumettes', + 'fumier', + 'fumiest', + 'fumigant', + 'fumigants', + 'fumigate', + 'fumigated', + 'fumigates', 'fumigating', 'fumigation', 'fumigations', + 'fumigator', 'fumigators', + 'fuming', + 'fumingly', 'fumitories', + 'fumitory', + 'fumuli', + 'fumulus', + 'fumy', + 'fun', 'funambulism', 'funambulisms', 'funambulist', 'funambulists', + 'function', 'functional', 'functionalism', 'functionalisms', @@ -23341,6 +59596,11 @@ export const scrabble_array = [ 'functioned', 'functioning', 'functionless', + 'functions', + 'functor', + 'functors', + 'fund', + 'fundament', 'fundamental', 'fundamentalism', 'fundamentalisms', @@ -23350,67 +59610,294 @@ export const scrabble_array = [ 'fundamentally', 'fundamentals', 'fundaments', + 'funded', + 'fundi', + 'fundic', + 'funding', 'fundraiser', 'fundraisers', 'fundraising', 'fundraisings', + 'funds', + 'fundus', + 'funeral', + 'funerals', + 'funerary', + 'funereal', 'funereally', + 'funest', + 'funfair', + 'funfairs', + 'fungal', + 'fungals', + 'fungi', 'fungibilities', 'fungibility', + 'fungible', + 'fungibles', + 'fungic', 'fungicidal', 'fungicidally', + 'fungicide', 'fungicides', + 'fungiform', 'fungistatic', + 'fungo', + 'fungoes', + 'fungoid', + 'fungoids', + 'fungous', + 'fungus', + 'funguses', + 'funicle', + 'funicles', + 'funicular', 'funiculars', + 'funiculi', + 'funiculus', + 'funk', + 'funked', + 'funker', + 'funkers', + 'funkia', + 'funkias', + 'funkier', + 'funkiest', + 'funkiness', 'funkinesses', + 'funking', + 'funks', + 'funky', + 'funned', + 'funnel', + 'funneled', 'funnelform', + 'funneling', + 'funnelled', 'funnelling', + 'funnels', + 'funner', + 'funnest', + 'funnier', + 'funnies', + 'funniest', + 'funnily', + 'funniness', 'funninesses', + 'funning', + 'funny', + 'funnyman', + 'funnymen', + 'funs', + 'fur', + 'furan', + 'furane', + 'furanes', + 'furanose', + 'furanoses', 'furanoside', 'furanosides', + 'furans', 'furazolidone', 'furazolidones', + 'furbearer', 'furbearers', + 'furbelow', 'furbelowed', 'furbelowing', + 'furbelows', + 'furbish', + 'furbished', + 'furbisher', 'furbishers', + 'furbishes', 'furbishing', + 'furcate', + 'furcated', + 'furcates', + 'furcating', + 'furcation', 'furcations', + 'furcraea', + 'furcraeas', + 'furcula', + 'furculae', + 'furcular', + 'furculum', + 'furfur', + 'furfural', + 'furfurals', + 'furfuran', + 'furfurans', + 'furfures', + 'furibund', + 'furies', + 'furioso', + 'furious', + 'furiously', + 'furl', + 'furlable', + 'furled', + 'furler', + 'furlers', + 'furless', + 'furling', + 'furlong', + 'furlongs', + 'furlough', 'furloughed', 'furloughing', + 'furloughs', + 'furls', 'furmenties', + 'furmenty', + 'furmeties', + 'furmety', + 'furmities', + 'furmity', + 'furnace', + 'furnaced', + 'furnaces', + 'furnacing', + 'furnish', + 'furnished', + 'furnisher', 'furnishers', + 'furnishes', 'furnishing', 'furnishings', + 'furniture', 'furnitures', + 'furor', + 'furore', + 'furores', + 'furors', 'furosemide', 'furosemides', + 'furred', + 'furrier', 'furrieries', + 'furriers', + 'furriery', + 'furriest', + 'furrily', + 'furriner', + 'furriners', + 'furring', + 'furrings', + 'furrow', + 'furrowed', + 'furrower', + 'furrowers', + 'furrowing', + 'furrows', + 'furrowy', + 'furry', + 'furs', + 'further', 'furtherance', 'furtherances', + 'furthered', + 'furtherer', 'furtherers', 'furthering', 'furthermore', 'furthermost', + 'furthers', + 'furthest', + 'furtive', + 'furtively', 'furtiveness', 'furtivenesses', + 'furuncle', + 'furuncles', 'furunculoses', 'furunculosis', + 'fury', + 'furze', + 'furzes', + 'furzier', + 'furziest', + 'furzy', + 'fusain', + 'fusains', + 'fuscous', + 'fuse', + 'fused', + 'fusee', + 'fusees', + 'fusel', + 'fuselage', + 'fuselages', + 'fuseless', + 'fusels', + 'fuses', 'fusibilities', 'fusibility', + 'fusible', + 'fusibly', + 'fusiform', + 'fusil', + 'fusile', + 'fusileer', + 'fusileers', + 'fusilier', + 'fusiliers', + 'fusillade', 'fusillades', + 'fusilli', + 'fusillis', + 'fusils', + 'fusing', + 'fusion', + 'fusionist', 'fusionists', + 'fusions', + 'fuss', 'fussbudget', 'fussbudgets', 'fussbudgety', + 'fussed', + 'fusser', + 'fussers', + 'fusses', + 'fussier', + 'fussiest', + 'fussily', + 'fussiness', 'fussinesses', + 'fussing', + 'fusspot', + 'fusspots', + 'fussy', + 'fustian', + 'fustians', + 'fustic', + 'fustics', + 'fustier', + 'fustiest', + 'fustigate', 'fustigated', 'fustigates', 'fustigating', 'fustigation', 'fustigations', + 'fustily', + 'fustiness', 'fustinesses', + 'fusty', + 'fusulinid', 'fusulinids', + 'futharc', + 'futharcs', + 'futhark', + 'futharks', + 'futhorc', + 'futhorcs', + 'futhork', + 'futhorks', + 'futile', + 'futilely', 'futileness', 'futilenesses', 'futilitarian', @@ -23418,43 +59905,231 @@ export const scrabble_array = [ 'futilitarianisms', 'futilitarians', 'futilities', + 'futility', + 'futon', + 'futons', + 'futtock', + 'futtocks', + 'futural', + 'future', 'futureless', 'futurelessness', 'futurelessnesses', + 'futures', + 'futurism', + 'futurisms', + 'futurist', 'futuristic', 'futuristically', 'futuristics', + 'futurists', 'futurities', + 'futurity', 'futurological', 'futurologies', 'futurologist', 'futurologists', 'futurology', + 'futz', + 'futzed', + 'futzes', + 'futzing', + 'fuze', + 'fuzed', + 'fuzee', + 'fuzees', + 'fuzes', + 'fuzil', + 'fuzils', + 'fuzing', + 'fuzz', + 'fuzzed', + 'fuzzes', + 'fuzzier', + 'fuzziest', + 'fuzzily', + 'fuzziness', 'fuzzinesses', + 'fuzzing', + 'fuzzy', + 'fyce', + 'fyces', + 'fyke', + 'fykes', + 'fylfot', + 'fylfots', + 'fytte', + 'fyttes', + 'gab', + 'gabardine', 'gabardines', + 'gabbard', + 'gabbards', + 'gabbart', + 'gabbarts', + 'gabbed', + 'gabber', + 'gabbers', + 'gabbier', + 'gabbiest', + 'gabbing', + 'gabble', + 'gabbled', + 'gabbler', + 'gabblers', + 'gabbles', + 'gabbling', + 'gabbro', + 'gabbroic', + 'gabbroid', + 'gabbros', + 'gabby', + 'gabelle', + 'gabelled', + 'gabelles', + 'gaberdine', 'gaberdines', + 'gabfest', + 'gabfests', + 'gabies', + 'gabion', + 'gabions', + 'gable', + 'gabled', + 'gables', + 'gabling', + 'gaboon', + 'gaboons', + 'gabs', + 'gaby', + 'gad', + 'gadabout', + 'gadabouts', + 'gadarene', + 'gadded', + 'gadder', + 'gadders', + 'gaddi', + 'gadding', + 'gaddis', + 'gadflies', + 'gadfly', + 'gadget', + 'gadgeteer', 'gadgeteers', 'gadgetries', + 'gadgetry', + 'gadgets', + 'gadgety', + 'gadi', + 'gadid', + 'gadids', + 'gadis', + 'gadoid', + 'gadoids', 'gadolinite', 'gadolinites', 'gadolinium', 'gadoliniums', + 'gadroon', + 'gadrooned', 'gadrooning', 'gadroonings', + 'gadroons', + 'gads', + 'gadwall', + 'gadwalls', 'gadzookeries', 'gadzookery', + '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', 'gaillardia', 'gaillardias', + 'gaily', + 'gain', + 'gainable', + 'gained', + 'gainer', + 'gainers', + 'gainful', + 'gainfully', 'gainfulness', 'gainfulnesses', 'gaingiving', 'gaingivings', + 'gaining', + 'gainless', + 'gainlier', + 'gainliest', + 'gainly', + 'gains', + 'gainsaid', + 'gainsay', + 'gainsayer', 'gainsayers', 'gainsaying', + 'gainsays', + 'gainst', + 'gait', + 'gaited', + 'gaiter', + 'gaiters', + 'gaiting', + 'gaits', + 'gal', + 'gala', + 'galabia', + 'galabias', + 'galabieh', + 'galabiehs', + 'galabiya', + 'galabiyas', + 'galactic', 'galactorrhea', 'galactorrheas', 'galactosamine', 'galactosamines', + 'galactose', 'galactosemia', 'galactosemias', 'galactosemic', @@ -23465,54 +60140,193 @@ export const scrabble_array = [ 'galactosides', 'galactosyl', 'galactosyls', + 'galago', + 'galagos', + 'galah', + 'galahs', + 'galangal', + 'galangals', + 'galantine', 'galantines', + 'galas', + 'galatea', + 'galateas', + 'galavant', 'galavanted', 'galavanting', + 'galavants', + 'galax', + 'galaxes', + 'galaxies', + 'galaxy', + 'galbanum', + 'galbanums', + 'gale', + 'galea', + 'galeae', + 'galeas', + 'galeate', + 'galeated', + 'galena', + 'galenas', + 'galenic', + 'galenical', 'galenicals', + 'galenite', + 'galenites', + 'galere', + 'galeres', + 'gales', + 'galilee', + 'galilees', + 'galingale', 'galingales', + 'galiot', + 'galiots', + 'galipot', + 'galipots', + 'galivant', 'galivanted', 'galivanting', + 'galivants', + 'gall', + 'gallamine', 'gallamines', + 'gallant', + 'gallanted', 'gallanting', + 'gallantly', 'gallantries', + 'gallantry', + 'gallants', + 'gallate', + 'gallates', 'gallbladder', 'gallbladders', + 'galleass', 'galleasses', + 'galled', + 'gallein', + 'galleins', + 'galleon', + 'galleons', + 'galleria', + 'gallerias', + 'galleried', + 'galleries', + 'gallery', 'gallerygoer', 'gallerygoers', 'gallerying', 'galleryite', 'galleryites', + 'gallet', + 'galleta', + 'galletas', + 'galleted', + 'galleting', + 'gallets', + 'galley', + 'galleys', + 'gallflies', + 'gallfly', + 'galliard', + 'galliards', + 'galliass', 'galliasses', + 'gallic', + 'gallican', + 'gallicism', 'gallicisms', 'gallicization', 'gallicizations', + 'gallicize', 'gallicized', 'gallicizes', 'gallicizing', + 'gallied', + 'gallies', 'galligaskins', 'gallimaufries', 'gallimaufry', 'gallinaceous', + 'galling', + 'gallingly', 'gallinipper', 'gallinippers', + 'gallinule', 'gallinules', + 'galliot', + 'galliots', + 'gallipot', + 'gallipots', + 'gallium', + 'galliums', + 'gallivant', 'gallivanted', 'gallivanting', 'gallivants', + 'gallnut', + 'gallnuts', + 'gallon', + 'gallonage', 'gallonages', + 'gallons', + 'galloon', + 'galloons', + 'galloot', + 'galloots', + 'gallop', + 'gallopade', 'gallopades', + 'galloped', + 'galloper', + 'gallopers', + 'galloping', + 'gallops', + 'gallous', 'gallowglass', 'gallowglasses', + 'gallows', + 'gallowses', + 'galls', + 'gallstone', 'gallstones', + 'gallus', + 'gallused', + 'galluses', + 'gally', + 'gallying', + 'galoot', + 'galoots', + 'galop', + 'galopade', + 'galopades', + 'galoped', + 'galoping', + 'galops', + 'galore', + 'galores', + 'galosh', + 'galoshe', + 'galoshed', + 'galoshes', + 'gals', + 'galumph', + 'galumphed', 'galumphing', + 'galumphs', + 'galvanic', 'galvanically', + 'galvanise', 'galvanised', 'galvanises', 'galvanising', + 'galvanism', 'galvanisms', 'galvanization', 'galvanizations', + 'galvanize', 'galvanized', 'galvanizer', 'galvanizers', @@ -23523,17 +60337,86 @@ export const scrabble_array = [ 'galvanometric', 'galvanoscope', 'galvanoscopes', + 'galyac', + 'galyacs', + 'galyak', + 'galyaks', + 'gam', + 'gama', + 'gamas', + 'gamashes', + 'gamay', + 'gamays', + 'gamb', + 'gamba', + 'gambade', + 'gambades', + 'gambado', + 'gambadoes', + 'gambados', + 'gambas', + 'gambe', + 'gambes', + 'gambeson', + 'gambesons', + 'gambia', + 'gambias', + 'gambier', + 'gambiers', + 'gambir', + 'gambirs', + 'gambit', + 'gambits', + 'gamble', + 'gambled', + 'gambler', + 'gamblers', + 'gambles', + 'gambling', + 'gamboge', + 'gamboges', + 'gambol', + 'gamboled', + 'gamboling', + 'gambolled', 'gambolling', + 'gambols', + 'gambrel', + 'gambrels', + 'gambs', + 'gambusia', + 'gambusias', + 'game', + 'gamecock', + 'gamecocks', + 'gamed', 'gamekeeper', 'gamekeepers', + 'gamelan', + 'gamelans', + 'gamelike', + 'gamely', + 'gameness', 'gamenesses', + 'gamer', + 'gamers', + 'games', + 'gamesman', 'gamesmanship', 'gamesmanships', + 'gamesmen', + 'gamesome', 'gamesomely', 'gamesomeness', 'gamesomenesses', + 'gamest', + 'gamester', + 'gamesters', 'gametangia', 'gametangium', + 'gamete', + 'gametes', + 'gametic', 'gametically', 'gametocyte', 'gametocytes', @@ -23546,72 +60429,414 @@ export const scrabble_array = [ 'gametophyte', 'gametophytes', 'gametophytic', + 'gamey', + 'gamic', + 'gamier', + 'gamiest', + 'gamily', + 'gamin', + 'gamine', + 'gamines', + 'gaminess', 'gaminesses', + 'gaming', + 'gamings', + 'gamins', + 'gamma', + 'gammadia', + 'gammadion', + 'gammas', + 'gammed', + 'gammer', + 'gammers', + 'gammier', + 'gammiest', + 'gamming', + 'gammon', + 'gammoned', + 'gammoner', + 'gammoners', + 'gammoning', + 'gammons', + 'gammy', + 'gamodeme', + 'gamodemes', 'gamopetalous', + 'gamp', + 'gamps', + 'gams', + 'gamut', + 'gamuts', + 'gamy', + 'gan', + 'ganache', + 'ganaches', + 'gander', + 'gandered', + 'gandering', + 'ganders', + 'gane', + 'ganef', + 'ganefs', + 'ganev', + 'ganevs', + 'gang', + 'gangbang', 'gangbanger', 'gangbangers', + 'gangbangs', 'gangbuster', 'gangbusters', + 'ganged', + 'ganger', + 'gangers', + 'ganging', + 'gangland', + 'ganglands', + 'ganglia', + 'ganglial', + 'gangliar', + 'ganglier', + 'gangliest', + 'gangling', + 'ganglion', 'ganglionated', 'ganglionic', + 'ganglions', 'ganglioside', 'gangliosides', + 'gangly', + 'gangplank', 'gangplanks', + 'gangplow', + 'gangplows', + 'gangrel', + 'gangrels', + 'gangrene', + 'gangrened', + 'gangrenes', 'gangrening', 'gangrenous', + 'gangs', + 'gangster', 'gangsterdom', 'gangsterdoms', 'gangsterish', 'gangsterism', 'gangsterisms', + 'gangsters', + 'gangue', + 'gangues', + 'gangway', + 'gangways', + 'ganister', + 'ganisters', + 'ganja', + 'ganjah', + 'ganjahs', + 'ganjas', + 'gannet', + 'gannets', + 'gannister', 'gannisters', + 'ganof', + 'ganofs', + 'ganoid', + 'ganoids', + 'gantelope', 'gantelopes', + 'gantlet', + 'gantleted', 'gantleting', + 'gantlets', + 'gantline', + 'gantlines', + 'gantlope', + 'gantlopes', + 'gantries', + 'gantry', + 'ganymede', + 'ganymedes', + 'gaol', + 'gaoled', + 'gaoler', + 'gaolers', + 'gaoling', + 'gaols', + 'gap', + 'gape', + 'gaped', + 'gaper', + 'gapers', + 'gapes', + 'gapeseed', + 'gapeseeds', + 'gapeworm', + 'gapeworms', + 'gaping', + 'gapingly', + 'gaposis', + 'gaposises', + 'gapped', + 'gappier', + 'gappiest', + 'gapping', + 'gappy', + 'gaps', + 'gapy', + 'gar', + 'garage', + 'garaged', + 'garageman', + 'garagemen', + 'garages', + 'garaging', + 'garb', + 'garbage', 'garbageman', 'garbagemen', + 'garbages', + 'garbanzo', + 'garbanzos', + 'garbed', + 'garbing', + 'garble', + 'garbled', + 'garbler', + 'garblers', + 'garbles', + 'garbless', + 'garbling', + 'garboard', + 'garboards', + 'garboil', + 'garboils', + 'garbs', + 'garcon', + 'garcons', + 'gardant', + 'garden', + 'gardened', + 'gardener', + 'gardeners', + 'gardenful', 'gardenfuls', + 'gardenia', + 'gardenias', + 'gardening', + 'gardens', + 'garderobe', 'garderobes', + 'gardyloo', + 'garfish', + 'garfishes', + 'garganey', + 'garganeys', 'gargantuan', + 'garget', + 'gargets', + 'gargety', + 'gargle', + 'gargled', + 'gargler', + 'garglers', + 'gargles', + 'gargling', + 'gargoyle', + 'gargoyled', + 'gargoyles', + 'garibaldi', 'garibaldis', + 'garigue', + 'garigues', + 'garish', + 'garishly', 'garishness', 'garishnesses', + 'garland', + 'garlanded', 'garlanding', + 'garlands', + 'garlic', + 'garlicked', + 'garlicky', + 'garlics', + 'garment', + 'garmented', 'garmenting', + 'garments', + 'garner', + 'garnered', + 'garnering', + 'garners', + 'garnet', 'garnetiferous', + 'garnets', + 'garni', 'garnierite', 'garnierites', + 'garnish', + 'garnished', + 'garnishee', 'garnisheed', 'garnisheeing', 'garnishees', + 'garnishes', 'garnishing', 'garnishment', 'garnishments', + 'garniture', 'garnitures', + 'garote', + 'garoted', + 'garotes', + 'garoting', + 'garotte', + 'garotted', + 'garotter', + 'garotters', + 'garottes', + 'garotting', + 'garpike', + 'garpikes', + 'garred', + 'garret', + 'garrets', + 'garring', + 'garrison', 'garrisoned', 'garrisoning', + 'garrisons', + 'garron', + 'garrons', + 'garrote', + 'garroted', + 'garroter', + 'garroters', + 'garrotes', + 'garroting', + 'garrotte', + 'garrotted', + 'garrottes', 'garrotting', 'garrulities', + 'garrulity', + 'garrulous', 'garrulously', 'garrulousness', 'garrulousnesses', + 'gars', + 'garter', + 'gartered', + 'gartering', + 'garters', + 'garth', + 'garths', + 'garvey', + 'garveys', + 'gas', + 'gasalier', + 'gasaliers', + 'gasbag', + 'gasbags', + 'gascon', + 'gasconade', 'gasconaded', 'gasconader', 'gasconaders', 'gasconades', 'gasconading', + 'gascons', + 'gaselier', + 'gaseliers', + 'gaseous', 'gaseousness', 'gaseousnesses', + 'gases', + 'gash', + 'gashed', + 'gasher', + 'gashes', + 'gashest', + 'gashing', + 'gasholder', 'gasholders', + 'gashouse', + 'gashouses', 'gasification', 'gasifications', + 'gasified', + 'gasifier', + 'gasifiers', + 'gasifies', + 'gasiform', + 'gasify', + 'gasifying', + 'gasket', + 'gaskets', + 'gaskin', + 'gasking', + 'gaskings', + 'gaskins', + 'gasless', + 'gaslight', + 'gaslights', + 'gaslit', + 'gasman', + 'gasmen', + 'gasogene', + 'gasogenes', + 'gasohol', + 'gasohols', + 'gasolene', + 'gasolenes', + 'gasolier', + 'gasoliers', + 'gasoline', + 'gasolines', + 'gasolinic', + 'gasometer', 'gasometers', + 'gasp', + 'gasped', + 'gasper', + 'gaspers', + 'gasping', + 'gasps', + 'gassed', + 'gasser', + 'gassers', + 'gasses', + 'gassier', + 'gassiest', + 'gassily', + 'gassiness', 'gassinesses', + 'gassing', + 'gassings', + 'gassy', + 'gast', + 'gasted', + 'gaster', + 'gasters', + 'gastight', 'gastightness', 'gastightnesses', + 'gasting', + 'gastness', 'gastnesses', + 'gastraea', + 'gastraeas', + 'gastral', + 'gastrea', + 'gastreas', 'gastrectomies', 'gastrectomy', + 'gastric', + 'gastrin', + 'gastrins', 'gastritides', + 'gastritis', 'gastrocnemii', 'gastrocnemius', 'gastroduodenal', @@ -23636,6 +60861,7 @@ export const scrabble_array = [ 'gastronomist', 'gastronomists', 'gastronomy', + 'gastropod', 'gastropods', 'gastroscope', 'gastroscopes', @@ -23647,43 +60873,273 @@ export const scrabble_array = [ 'gastrotrich', 'gastrotrichs', 'gastrovascular', + 'gastrula', + 'gastrulae', + 'gastrular', + 'gastrulas', 'gastrulate', 'gastrulated', 'gastrulates', 'gastrulating', 'gastrulation', 'gastrulations', + 'gasts', + 'gasworks', + 'gat', + 'gate', + 'gateau', + 'gateaux', + 'gated', + 'gatefold', + 'gatefolds', + 'gatehouse', 'gatehouses', 'gatekeeper', 'gatekeepers', 'gatekeeping', + 'gateless', + 'gatelike', + 'gateman', + 'gatemen', + 'gatepost', + 'gateposts', + 'gates', + 'gateway', + 'gateways', + 'gather', + 'gathered', + 'gatherer', + 'gatherers', + 'gathering', 'gatherings', + 'gathers', + 'gating', + 'gator', + 'gators', + 'gats', + 'gauche', + 'gauchely', 'gaucheness', 'gauchenesses', + 'gaucher', + 'gaucherie', 'gaucheries', + 'gauchest', + 'gaucho', + 'gauchos', + 'gaud', + 'gauderies', + 'gaudery', + 'gaudier', + 'gaudies', + 'gaudiest', + 'gaudily', + 'gaudiness', 'gaudinesses', + 'gauds', + 'gaudy', + 'gauffer', + 'gauffered', 'gauffering', + 'gauffers', + 'gauge', + 'gauged', + 'gauger', + 'gaugers', + 'gauges', + 'gauging', + 'gault', + 'gaults', + 'gaum', + 'gaumed', + 'gauming', + 'gaums', + 'gaun', + 'gaunt', + 'gaunter', + 'gauntest', + 'gauntlet', 'gauntleted', 'gauntleting', + 'gauntlets', + 'gauntly', + 'gauntness', 'gauntnesses', + 'gauntries', + 'gauntry', + 'gaur', + 'gaurs', + 'gauss', + 'gausses', + 'gauze', + 'gauzelike', + 'gauzes', + 'gauzier', + 'gauziest', + 'gauzily', + 'gauzy', + 'gavage', + 'gavages', + 'gave', + 'gavel', + 'gaveled', + 'gaveling', + 'gavelkind', 'gavelkinds', + 'gavelled', + 'gavelling', + 'gavelock', + 'gavelocks', + 'gavels', + 'gavial', + 'gavials', + 'gavot', + 'gavots', + 'gavotte', + 'gavotted', + 'gavottes', + 'gavotting', + 'gawk', + 'gawked', + 'gawker', + 'gawkers', + 'gawkier', + 'gawkies', + 'gawkiest', + 'gawkily', + 'gawkiness', 'gawkinesses', + 'gawking', + 'gawkish', + 'gawkishly', 'gawkishness', 'gawkishnesses', + 'gawks', + 'gawky', + 'gawp', + 'gawped', + 'gawper', + 'gawpers', + 'gawping', + 'gawps', + 'gawsie', + 'gawsy', + 'gay', + 'gayal', + 'gayals', + 'gayer', + 'gayest', + 'gayeties', + 'gayety', + 'gayly', + 'gayness', + 'gaynesses', + 'gays', + 'gaywings', + 'gazabo', + 'gazaboes', + 'gazabos', + 'gazania', + 'gazanias', + 'gazar', + 'gazars', + 'gaze', + 'gazebo', + 'gazeboes', + 'gazebos', + 'gazed', + 'gazehound', 'gazehounds', + 'gazelle', + 'gazelles', + 'gazer', + 'gazers', + 'gazes', + 'gazette', + 'gazetted', + 'gazetteer', 'gazetteers', + 'gazettes', + 'gazetting', + 'gazing', + 'gazogene', + 'gazogenes', + 'gazpacho', + 'gazpachos', + 'gazump', + 'gazumped', + 'gazumper', + 'gazumpers', + 'gazumping', + 'gazumps', 'geanticline', 'geanticlines', + 'gear', + 'gearbox', + 'gearboxes', + 'gearcase', + 'gearcases', 'gearchange', 'gearchanges', + 'geared', + 'gearing', + 'gearings', + 'gearless', + 'gears', + 'gearshift', 'gearshifts', + 'gearwheel', 'gearwheels', + 'geck', + 'gecked', + 'gecking', + 'gecko', + 'geckoes', + 'geckos', + 'gecks', + 'ged', 'gedankenexperiment', 'gedankenexperiments', + 'geds', + 'gee', + 'geed', + 'geegaw', + 'geegaws', + 'geeing', + 'geek', + 'geekier', + 'geekiest', + 'geeks', + 'geeky', + 'geepound', + 'geepounds', + 'gees', + 'geese', + 'geest', + 'geests', + 'geez', + 'geezer', + 'geezers', 'gegenschein', 'gegenscheins', + 'geisha', + 'geishas', + 'gel', + 'gelable', + 'gelada', + 'geladas', 'gelandesprung', 'gelandesprungs', + 'gelant', + 'gelants', + 'gelate', + 'gelated', + 'gelates', + 'gelati', + 'gelatin', + 'gelatine', + 'gelatines', + 'gelating', 'gelatinization', 'gelatinizations', 'gelatinize', @@ -23694,33 +61150,108 @@ export const scrabble_array = [ 'gelatinously', 'gelatinousness', 'gelatinousnesses', + 'gelatins', + 'gelation', + 'gelations', + 'gelato', + 'gelatos', + 'geld', + 'gelded', + 'gelder', + 'gelders', + 'gelding', + 'geldings', + 'gelds', + 'gelee', + 'gelees', + 'gelid', 'gelidities', + 'gelidity', + 'gelidly', + 'gelignite', 'gelignites', + 'gellant', + 'gellants', + 'gelled', + 'gelling', + 'gels', + 'gelsemia', + 'gelsemium', 'gelsemiums', + 'gelt', + 'gelts', + 'gem', 'gemeinschaft', 'gemeinschaften', 'gemeinschafts', + 'geminal', + 'geminally', + 'geminate', + 'geminated', + 'geminates', 'geminating', 'gemination', 'geminations', + 'gemlike', + 'gemma', + 'gemmae', + 'gemmate', + 'gemmated', + 'gemmates', + 'gemmating', + 'gemmation', 'gemmations', + 'gemmed', + 'gemmier', + 'gemmiest', + 'gemmily', + 'gemming', 'gemmologies', 'gemmologist', 'gemmologists', + 'gemmology', + 'gemmule', + 'gemmules', + 'gemmy', 'gemological', 'gemologies', 'gemologist', 'gemologists', + 'gemology', + 'gemot', + 'gemote', + 'gemotes', + 'gemots', + 'gems', + 'gemsbok', + 'gemsboks', + 'gemsbuck', + 'gemsbucks', + 'gemstone', + 'gemstones', + 'gemutlich', 'gemutlichkeit', 'gemutlichkeits', + 'gen', + 'gendarme', 'gendarmerie', 'gendarmeries', 'gendarmery', + 'gendarmes', + 'gender', + 'gendered', + 'gendering', + 'genders', + 'gene', 'genealogical', 'genealogically', 'genealogies', 'genealogist', 'genealogists', + 'genealogy', + 'genera', + 'generable', + 'general', 'generalisation', 'generalisations', 'generalise', @@ -23744,78 +61275,183 @@ export const scrabble_array = [ 'generalizers', 'generalizes', 'generalizing', + 'generally', + 'generals', 'generalship', 'generalships', + 'generate', + 'generated', + 'generates', 'generating', 'generation', 'generational', 'generationally', 'generations', 'generative', + 'generator', 'generators', 'generatrices', 'generatrix', + 'generic', 'generically', 'genericness', 'genericnesses', + 'generics', 'generosities', 'generosity', + 'generous', 'generously', 'generousness', 'generousnesses', + 'genes', + 'geneses', + 'genesis', + 'genet', + 'genetic', + 'genetical', 'genetically', 'geneticist', 'geneticists', + 'genetics', + 'genets', + 'genette', + 'genettes', + 'geneva', + 'genevas', + 'genial', 'genialities', + 'geniality', + 'genially', + 'genic', + 'genically', 'geniculate', 'geniculated', + 'genie', + 'genies', + 'genii', + 'genip', + 'genipap', + 'genipaps', + 'genips', + 'genital', + 'genitalia', + 'genitalic', + 'genitally', + 'genitals', + 'genitival', 'genitivally', + 'genitive', + 'genitives', + 'genitor', + 'genitors', 'genitourinary', + 'geniture', + 'genitures', + 'genius', + 'geniuses', + 'genoa', + 'genoas', + 'genocidal', + 'genocide', + 'genocides', + 'genoise', + 'genoises', + 'genom', + 'genome', + 'genomes', + 'genomic', + 'genoms', + 'genotype', + 'genotypes', + 'genotypic', 'genotypical', 'genotypically', + 'genre', + 'genres', + 'genro', + 'genros', + 'gens', + 'genseng', + 'gensengs', + 'gent', 'gentamicin', 'gentamicins', + 'genteel', + 'genteeler', 'genteelest', 'genteelism', 'genteelisms', + 'genteelly', 'genteelness', 'genteelnesses', + 'gentes', + 'gentian', + 'gentians', + 'gentil', + 'gentile', + 'gentiles', 'gentilesse', 'gentilesses', 'gentilities', + 'gentility', + 'gentle', + 'gentled', 'gentlefolk', 'gentlefolks', + 'gentleman', 'gentlemanlike', 'gentlemanlikeness', 'gentlemanlikenesses', 'gentlemanliness', 'gentlemanlinesses', 'gentlemanly', + 'gentlemen', 'gentleness', 'gentlenesses', 'gentleperson', 'gentlepersons', + 'gentler', + 'gentles', + 'gentlest', 'gentlewoman', 'gentlewomen', + 'gentling', + 'gently', + 'gentoo', + 'gentoos', + 'gentrice', + 'gentrices', + 'gentries', 'gentrification', 'gentrifications', 'gentrified', 'gentrifier', 'gentrifiers', 'gentrifies', + 'gentrify', 'gentrifying', + 'gentry', + 'gents', + 'genu', + 'genua', + 'genuflect', 'genuflected', 'genuflecting', 'genuflection', 'genuflections', 'genuflects', + 'genuine', + 'genuinely', 'genuineness', 'genuinenesses', + 'genus', + 'genuses', 'geobotanic', 'geobotanical', 'geobotanies', 'geobotanist', 'geobotanists', + 'geobotany', 'geocentric', 'geocentrically', 'geochemical', @@ -23831,37 +61467,67 @@ export const scrabble_array = [ 'geochronologist', 'geochronologists', 'geochronology', + 'geode', + 'geodes', + 'geodesic', + 'geodesics', + 'geodesies', + 'geodesist', 'geodesists', + 'geodesy', + 'geodetic', 'geodetical', + 'geodic', + 'geoduck', + 'geoducks', 'geognosies', + 'geognosy', 'geographer', 'geographers', 'geographic', 'geographical', 'geographically', 'geographies', + 'geography', 'geohydrologic', 'geohydrologies', 'geohydrologist', 'geohydrologists', 'geohydrology', + 'geoid', + 'geoidal', + 'geoids', + 'geologer', + 'geologers', + 'geologic', 'geological', 'geologically', + 'geologies', + 'geologist', 'geologists', + 'geologize', 'geologized', 'geologizes', 'geologizing', + 'geology', 'geomagnetic', 'geomagnetically', 'geomagnetism', 'geomagnetisms', + 'geomancer', 'geomancers', 'geomancies', + 'geomancy', + 'geomantic', + 'geometer', + 'geometers', + 'geometric', 'geometrical', 'geometrically', 'geometrician', 'geometricians', 'geometrics', + 'geometrid', 'geometrids', 'geometries', 'geometrise', @@ -23874,6 +61540,7 @@ export const scrabble_array = [ 'geometrized', 'geometrizes', 'geometrizing', + 'geometry', 'geomorphic', 'geomorphological', 'geomorphologies', @@ -23881,18 +61548,29 @@ export const scrabble_array = [ 'geomorphologists', 'geomorphology', 'geophagies', + 'geophagy', + 'geophone', + 'geophones', 'geophysical', 'geophysically', 'geophysicist', 'geophysicists', 'geophysics', + 'geophyte', + 'geophytes', 'geopolitical', 'geopolitically', 'geopolitician', 'geopoliticians', 'geopolitics', + 'geoponic', 'geopressured', + 'geoprobe', + 'geoprobes', + 'georgette', 'georgettes', + 'georgic', + 'georgics', 'geoscience', 'geosciences', 'geoscientist', @@ -23909,36 +61587,84 @@ export const scrabble_array = [ 'geosynclinal', 'geosyncline', 'geosynclines', + 'geotactic', + 'geotaxes', + 'geotaxis', 'geotechnical', 'geotectonic', 'geotectonically', 'geothermal', 'geothermally', + 'geotropic', 'geotropically', 'geotropism', 'geotropisms', + 'gerah', + 'gerahs', + 'geranial', + 'geranials', + 'geraniol', + 'geraniols', + 'geranium', + 'geraniums', + 'gerardia', + 'gerardias', + 'gerbera', + 'gerberas', + 'gerbil', + 'gerbille', + 'gerbilles', + 'gerbils', + 'gerent', + 'gerents', + 'gerenuk', + 'gerenuks', + 'gerfalcon', 'gerfalcons', + 'geriatric', 'geriatrician', 'geriatricians', 'geriatrics', + 'germ', + 'german', + 'germander', 'germanders', + 'germane', + 'germanely', + 'germanic', + 'germanium', 'germaniums', 'germanization', 'germanizations', + 'germanize', 'germanized', 'germanizes', 'germanizing', + 'germans', + 'germen', + 'germens', + 'germfree', 'germicidal', + 'germicide', 'germicides', + 'germier', + 'germiest', + 'germina', 'germinabilities', 'germinability', + 'germinal', 'germinally', + 'germinate', 'germinated', 'germinates', 'germinating', 'germination', 'germinations', 'germinative', + 'germproof', + 'germs', + 'germy', + 'gerontic', 'gerontocracies', 'gerontocracy', 'gerontocrat', @@ -23955,15 +61681,38 @@ export const scrabble_array = [ 'gerrymandered', 'gerrymandering', 'gerrymanders', + 'gerund', + 'gerundive', 'gerundives', + 'gerunds', 'gesellschaft', 'gesellschaften', 'gesellschafts', + 'gesneria', + 'gesneriad', 'gesneriads', + 'gesso', + 'gessoed', + 'gessoes', + 'gest', + 'gestalt', + 'gestalten', 'gestaltist', 'gestaltists', + 'gestalts', + 'gestapo', + 'gestapos', + 'gestate', + 'gestated', + 'gestates', + 'gestating', + 'gestation', 'gestational', 'gestations', + 'geste', + 'gestes', + 'gestic', + 'gestical', 'gesticulant', 'gesticulate', 'gesticulated', @@ -23975,23 +61724,102 @@ export const scrabble_array = [ 'gesticulator', 'gesticulators', 'gesticulatory', + 'gests', + 'gestural', 'gesturally', + 'gesture', + 'gestured', + 'gesturer', + 'gesturers', + 'gestures', + 'gesturing', 'gesundheit', + 'get', + 'geta', + 'getable', + 'getas', + 'getatable', + 'getaway', + 'getaways', + 'gets', + 'gettable', + 'getter', + 'gettered', + 'gettering', + 'getters', + 'getting', + 'getup', + 'getups', + 'geum', + 'geums', + 'gewgaw', + 'gewgaws', 'gewurztraminer', 'gewurztraminers', + 'gey', + 'geyser', + 'geyserite', 'geyserites', + 'geysers', + 'gharial', + 'gharials', + 'gharri', + 'gharries', + 'gharris', + 'gharry', + 'ghast', + 'ghastful', 'ghastfully', + 'ghastlier', 'ghastliest', 'ghastliness', 'ghastlinesses', + 'ghastly', + 'ghat', + 'ghats', + 'ghaut', + 'ghauts', + 'ghazi', + 'ghazies', + 'ghazis', + 'ghee', + 'ghees', + 'gherao', + 'gheraoed', + 'gheraoes', + 'gheraoing', + 'gherkin', + 'gherkins', + 'ghetto', + 'ghettoed', + 'ghettoes', + 'ghettoing', 'ghettoization', 'ghettoizations', + 'ghettoize', 'ghettoized', 'ghettoizes', 'ghettoizing', + 'ghettos', + 'ghi', + 'ghibli', + 'ghiblis', + 'ghillie', + 'ghillies', + 'ghis', + 'ghost', + 'ghosted', + 'ghostier', + 'ghostiest', + 'ghosting', + 'ghostings', + 'ghostlier', 'ghostliest', + 'ghostlike', 'ghostliness', 'ghostlinesses', + 'ghostly', + 'ghosts', 'ghostwrite', 'ghostwriter', 'ghostwriters', @@ -23999,89 +61827,464 @@ export const scrabble_array = [ 'ghostwriting', 'ghostwritten', 'ghostwrote', + 'ghosty', + 'ghoul', + 'ghoulie', + 'ghoulies', + 'ghoulish', 'ghoulishly', 'ghoulishness', 'ghoulishnesses', + 'ghouls', + 'ghyll', + 'ghylls', + 'giant', + 'giantess', 'giantesses', + 'giantism', + 'giantisms', + 'giantlike', + 'giants', + 'giaour', + 'giaours', 'giardiases', 'giardiasis', + 'gib', + 'gibbed', + 'gibber', + 'gibbered', 'gibberellin', 'gibberellins', + 'gibbering', + 'gibberish', 'gibberishes', + 'gibbers', + 'gibbet', + 'gibbeted', + 'gibbeting', + 'gibbets', + 'gibbetted', 'gibbetting', + 'gibbing', + 'gibbon', + 'gibbons', + 'gibbose', 'gibbosities', + 'gibbosity', + 'gibbous', + 'gibbsite', + 'gibbsites', + 'gibe', + 'gibed', + 'giber', + 'gibers', + 'gibes', + 'gibing', + 'gibingly', + 'giblet', + 'giblets', + 'gibs', + 'gibson', + 'gibsons', + 'gid', + 'giddap', + 'giddied', + 'giddier', + 'giddies', + 'giddiest', + 'giddily', + 'giddiness', 'giddinesses', + 'giddy', + 'giddyap', + 'giddying', + 'giddyup', + 'gids', + 'gie', + 'gied', + 'gieing', + 'gien', + 'gies', + 'gift', + 'gifted', + 'giftedly', 'giftedness', 'giftednesses', + 'gifting', + 'giftless', + 'gifts', + 'giftware', + 'giftwares', + 'gig', + 'giga', + 'gigabit', + 'gigabits', + 'gigabyte', + 'gigabytes', + 'gigahertz', 'gigantesque', + 'gigantic', 'gigantically', + 'gigantism', 'gigantisms', + 'gigas', + 'gigaton', + 'gigatons', + 'gigawatt', + 'gigawatts', + 'gigged', + 'gigging', + 'giggle', + 'giggled', + 'giggler', + 'gigglers', + 'giggles', + 'gigglier', + 'giggliest', + 'giggling', 'gigglingly', + 'giggly', + 'gighe', + 'giglet', + 'giglets', + 'giglot', + 'giglots', + 'gigolo', + 'gigolos', + 'gigot', + 'gigots', + 'gigs', + 'gigue', + 'gigues', + 'gilbert', + 'gilberts', + 'gild', + 'gilded', + 'gilder', + 'gilders', + 'gildhall', + 'gildhalls', + 'gilding', + 'gildings', + 'gilds', + 'gill', + 'gilled', + 'giller', + 'gillers', + 'gillie', + 'gillied', + 'gillies', + 'gilling', + 'gillnet', + 'gillnets', 'gillnetted', 'gillnetter', 'gillnetters', 'gillnetting', + 'gills', + 'gilly', 'gillyflower', 'gillyflowers', + 'gillying', + 'gilt', + 'gilthead', + 'giltheads', + 'gilts', + 'gimbal', + 'gimbaled', + 'gimbaling', + 'gimballed', 'gimballing', + 'gimbals', + 'gimcrack', 'gimcrackeries', 'gimcrackery', + 'gimcracks', + 'gimel', + 'gimels', + 'gimlet', + 'gimleted', + 'gimleting', + 'gimlets', + 'gimmal', + 'gimmals', + 'gimme', + 'gimmes', + 'gimmick', + 'gimmicked', 'gimmicking', 'gimmickries', + 'gimmickry', + 'gimmicks', + 'gimmicky', + 'gimmie', + 'gimmies', + 'gimp', + 'gimped', + 'gimpier', + 'gimpiest', + 'gimping', + 'gimps', + 'gimpy', + 'gin', + 'gingal', + 'gingall', + 'gingalls', + 'gingals', + 'gingeley', + 'gingeleys', + 'gingeli', + 'gingelies', + 'gingelis', + 'gingelli', 'gingellies', + 'gingellis', + 'gingelly', + 'gingely', + 'ginger', 'gingerbread', 'gingerbreaded', 'gingerbreads', 'gingerbready', + 'gingered', + 'gingering', 'gingerliness', 'gingerlinesses', + 'gingerly', 'gingerroot', 'gingerroots', + 'gingers', 'gingersnap', 'gingersnaps', + 'gingery', + 'gingham', + 'ginghams', + 'gingili', + 'gingilis', + 'gingilli', + 'gingillis', + 'gingiva', + 'gingivae', + 'gingival', 'gingivectomies', 'gingivectomy', 'gingivites', 'gingivitides', 'gingivitis', 'gingivitises', + 'gingko', + 'gingkoes', + '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', + 'giraffish', + 'girandole', 'girandoles', + 'girasol', + 'girasole', + 'girasoles', + 'girasols', + 'gird', + 'girded', + 'girder', + 'girders', + 'girding', + 'girdle', + 'girdled', + 'girdler', + 'girdlers', + 'girdles', + 'girdling', + 'girds', + 'girl', 'girlfriend', 'girlfriends', + 'girlhood', + 'girlhoods', + 'girlie', + 'girlies', + 'girlish', + 'girlishly', 'girlishness', 'girlishnesses', + 'girls', + 'girly', + 'girn', + 'girned', + 'girning', + 'girns', + 'giro', + 'giron', + 'girons', + 'giros', + 'girosol', + 'girosols', + 'girsh', + 'girshes', + 'girt', + 'girted', + 'girth', + 'girthed', + 'girthing', + 'girths', + 'girting', + 'girts', + 'gisarme', + 'gisarmes', + 'gismo', + 'gismos', + 'gist', + 'gists', + 'git', + 'gitano', + 'gitanos', + 'gits', + 'gittern', + 'gitterns', + 'gittin', + 'give', + 'giveable', + 'giveaway', + 'giveaways', + 'giveback', + 'givebacks', + 'given', + 'givens', + 'giver', + 'givers', + 'gives', + 'giving', + 'gizmo', + 'gizmos', + 'gizzard', + 'gizzards', + 'gjetost', + 'gjetosts', + 'glabella', + 'glabellae', + 'glabellar', + 'glabrate', 'glabrescent', + 'glabrous', + 'glace', + 'glaceed', + 'glaceing', + 'glaces', + 'glacial', + 'glacially', + 'glaciate', + 'glaciated', + 'glaciates', 'glaciating', 'glaciation', 'glaciations', + 'glacier', + 'glaciers', 'glaciological', 'glaciologies', 'glaciologist', 'glaciologists', 'glaciology', + 'glacis', + 'glacises', + 'glad', + 'gladded', + 'gladden', + 'gladdened', 'gladdening', + 'gladdens', + 'gladder', + 'gladdest', + 'gladding', + 'glade', + 'glades', + 'gladiate', + 'gladiator', 'gladiatorial', 'gladiators', + 'gladier', + 'gladiest', + 'gladiola', + 'gladiolas', + 'gladioli', + 'gladiolus', 'gladioluses', + 'gladlier', + 'gladliest', + 'gladly', + 'gladness', 'gladnesses', + 'glads', + 'gladsome', 'gladsomely', 'gladsomeness', 'gladsomenesses', + 'gladsomer', 'gladsomest', + 'gladstone', 'gladstones', + 'glady', + 'glaiket', + 'glaikit', + 'glair', + 'glaire', + 'glaired', + 'glaires', + 'glairier', + 'glairiest', + 'glairing', + 'glairs', + 'glairy', + 'glaive', + 'glaived', + 'glaives', + 'glamor', + 'glamorise', 'glamorised', 'glamorises', 'glamorising', 'glamorization', 'glamorizations', + 'glamorize', 'glamorized', 'glamorizer', 'glamorizers', 'glamorizes', 'glamorizing', + 'glamorous', 'glamorously', 'glamorousness', 'glamorousnesses', + 'glamors', + 'glamour', + 'glamoured', 'glamouring', 'glamourize', 'glamourized', @@ -24089,95 +62292,384 @@ export const scrabble_array = [ 'glamourizing', 'glamourless', 'glamourous', + 'glamours', + 'glance', + 'glanced', + 'glancer', + 'glancers', + 'glances', + 'glancing', 'glancingly', + 'gland', + 'glandered', + 'glanders', + 'glandes', + 'glandless', + 'glands', + 'glandular', 'glandularly', + 'glandule', + 'glandules', + 'glans', + 'glare', + 'glared', + 'glares', + 'glarier', + 'glariest', + 'glaring', + 'glaringly', 'glaringness', 'glaringnesses', + 'glary', + 'glasnost', + 'glasnosts', + 'glass', 'glassblower', 'glassblowers', 'glassblowing', 'glassblowings', + 'glassed', + 'glasses', + 'glassful', + 'glassfuls', 'glasshouse', 'glasshouses', + 'glassie', + 'glassier', + 'glassies', + 'glassiest', + 'glassily', + 'glassine', + 'glassines', 'glassiness', 'glassinesses', + 'glassing', + 'glassless', 'glassmaker', 'glassmakers', 'glassmaking', 'glassmakings', + 'glassman', + 'glassmen', 'glasspaper', 'glasspapered', 'glasspapering', 'glasspapers', + 'glassware', 'glasswares', + 'glasswork', 'glassworker', 'glassworkers', 'glassworks', + 'glasswort', 'glassworts', + 'glassy', + 'glaucoma', + 'glaucomas', 'glauconite', 'glauconites', 'glauconitic', + 'glaucous', 'glaucousness', 'glaucousnesses', + 'glaze', + 'glazed', + 'glazer', + 'glazers', + 'glazes', + 'glazier', 'glazieries', + 'glaziers', + 'glaziery', + 'glaziest', + 'glazing', + 'glazings', + 'glazy', + 'gleam', + 'gleamed', + 'gleamer', + 'gleamers', + 'gleamier', + 'gleamiest', + 'gleaming', + 'gleams', + 'gleamy', + 'glean', + 'gleanable', + 'gleaned', + 'gleaner', + 'gleaners', + 'gleaning', + 'gleanings', + 'gleans', + 'gleba', + 'glebae', + 'glebe', + 'glebes', + 'gled', + 'glede', + 'gledes', + 'gleds', + 'glee', + 'gleed', + 'gleeds', + 'gleeful', + 'gleefully', 'gleefulness', 'gleefulnesses', + 'gleek', + 'gleeked', + 'gleeking', + 'gleeks', + 'gleeman', + 'gleemen', + 'glees', + 'gleesome', + 'gleet', + 'gleeted', + 'gleetier', + 'gleetiest', + 'gleeting', + 'gleets', + 'gleety', + 'gleg', + 'glegly', + 'glegness', 'glegnesses', 'gleization', 'gleizations', + 'glen', 'glengarries', + 'glengarry', + 'glenlike', + 'glenoid', + 'glens', + 'gley', + 'gleyed', + 'gleying', + 'gleyings', + 'gleys', + 'glia', + 'gliadin', + 'gliadine', + 'gliadines', + 'gliadins', + 'glial', + 'glias', + 'glib', + 'glibber', + 'glibbest', + 'glibly', + 'glibness', 'glibnesses', + 'glide', + 'glided', + 'glider', + 'gliders', + 'glides', + 'gliding', + 'gliff', + 'gliffs', + 'glim', + 'glime', + 'glimed', + 'glimes', + 'gliming', + 'glimmer', + 'glimmered', 'glimmering', 'glimmerings', + 'glimmers', + 'glimpse', + 'glimpsed', + 'glimpser', + 'glimpsers', + 'glimpses', + 'glimpsing', + 'glims', + 'glint', + 'glinted', + 'glinting', + 'glints', 'glioblastoma', 'glioblastomas', 'glioblastomata', + 'glioma', + 'gliomas', + 'gliomata', + 'glissade', + 'glissaded', + 'glissader', 'glissaders', + 'glissades', 'glissading', + 'glissandi', + 'glissando', 'glissandos', + 'glisten', + 'glistened', 'glistening', + 'glistens', + 'glister', + 'glistered', 'glistering', + 'glisters', + 'glitch', + 'glitches', + 'glitchy', + 'glitter', 'glitterati', + 'glittered', 'glittering', 'glitteringly', + 'glitters', + 'glittery', + 'glitz', + 'glitzes', + 'glitzier', + 'glitziest', + 'glitzy', + 'gloam', + 'gloaming', + 'gloamings', + 'gloams', + 'gloat', + 'gloated', + 'gloater', + 'gloaters', + 'gloating', 'gloatingly', + 'gloats', + 'glob', + 'global', + 'globalise', 'globalised', 'globalises', 'globalising', + 'globalism', 'globalisms', + 'globalist', 'globalists', 'globalization', 'globalizations', + 'globalize', 'globalized', 'globalizes', 'globalizing', + 'globally', + 'globate', + 'globated', + 'globbier', + 'globbiest', + 'globby', + 'globe', + 'globed', + 'globefish', 'globefishes', 'globeflower', 'globeflowers', + 'globes', + 'globin', + 'globing', + 'globins', + 'globoid', + 'globoids', + 'globose', + 'globous', + 'globs', + 'globular', + 'globule', + 'globules', + 'globulin', + 'globulins', + 'glochid', + 'glochidia', 'glochidium', + 'glochids', 'glockenspiel', 'glockenspiels', + 'glogg', + 'gloggs', + 'glom', + 'glomera', 'glomerular', + 'glomerule', 'glomerules', + 'glomeruli', 'glomerulonephritides', 'glomerulonephritis', 'glomerulus', + 'glommed', + 'glomming', + 'gloms', + 'glomus', + 'glonoin', + 'glonoins', + 'gloom', + 'gloomed', + 'gloomful', + 'gloomier', + 'gloomiest', + 'gloomily', 'gloominess', 'gloominesses', + 'glooming', + 'gloomings', + 'glooms', + 'gloomy', + 'glop', + 'glopped', + 'glopping', + 'gloppy', + 'glops', + 'gloria', + 'glorias', + 'gloried', + 'glories', 'glorification', 'glorifications', + 'glorified', + 'glorifier', 'glorifiers', + 'glorifies', + 'glorify', 'glorifying', + 'gloriole', + 'glorioles', + 'glorious', 'gloriously', 'gloriousness', 'gloriousnesses', + 'glory', + 'glorying', + 'gloss', + 'glossa', + 'glossae', + 'glossal', 'glossarial', 'glossaries', 'glossarist', 'glossarists', + 'glossary', + 'glossas', + 'glossator', 'glossators', + 'glossed', + 'glosseme', + 'glossemes', + 'glosser', + 'glossers', + 'glosses', + 'glossier', + 'glossies', + 'glossiest', + 'glossily', + 'glossina', + 'glossinas', 'glossiness', 'glossinesses', + 'glossing', + 'glossitis', 'glossitises', 'glossographer', 'glossographers', @@ -24187,62 +62679,186 @@ export const scrabble_array = [ 'glossolalists', 'glossopharyngeal', 'glossopharyngeals', + 'glossy', + 'glost', + 'glosts', + 'glottal', + 'glottic', + 'glottides', + 'glottis', + 'glottises', 'glottochronological', 'glottochronologies', 'glottochronology', + 'glout', + 'glouted', + 'glouting', + 'glouts', + 'glove', + 'gloved', + 'glover', + 'glovers', + 'gloves', + 'gloving', + 'glow', + 'glowed', + 'glower', + 'glowered', + 'glowering', + 'glowers', + 'glowflies', + 'glowfly', + 'glowing', + 'glowingly', + 'glows', + 'glowworm', + 'glowworms', + 'gloxinia', + 'gloxinias', + 'gloze', + 'glozed', + 'glozes', + 'glozing', + 'glucagon', + 'glucagons', + 'glucan', + 'glucans', + 'glucinic', + 'glucinum', + 'glucinums', 'glucocorticoid', 'glucocorticoids', 'glucokinase', 'glucokinases', + 'gluconate', 'gluconates', 'gluconeogeneses', 'gluconeogenesis', 'glucosamine', 'glucosamines', + 'glucose', + 'glucoses', + 'glucosic', 'glucosidase', 'glucosidases', + 'glucoside', 'glucosides', 'glucosidic', 'glucuronidase', 'glucuronidases', 'glucuronide', 'glucuronides', + 'glue', + 'glued', + 'glueing', + 'gluelike', + 'gluepot', + 'gluepots', + 'gluer', + 'gluers', + 'glues', + 'gluey', + 'glug', + 'glugged', + 'glugging', + 'glugs', + 'gluier', + 'gluiest', + 'gluily', + 'gluing', + 'glum', + 'glume', + 'glumes', + 'glumly', + 'glummer', + 'glummest', + 'glumness', 'glumnesses', + 'glumpier', + 'glumpiest', + 'glumpily', + 'glumpy', + 'glunch', + 'glunched', + 'glunches', + 'glunching', + 'gluon', + 'gluons', + 'glut', + 'glutamate', 'glutamates', 'glutaminase', 'glutaminases', + 'glutamine', 'glutamines', 'glutaraldehyde', 'glutaraldehydes', 'glutathione', 'glutathiones', + 'gluteal', + 'glutei', + 'glutelin', + 'glutelins', + 'gluten', + 'glutenous', + 'glutens', 'glutethimide', 'glutethimides', + 'gluteus', + 'glutinous', 'glutinously', + 'gluts', + 'glutted', + 'glutting', + 'glutton', 'gluttonies', 'gluttonous', 'gluttonously', 'gluttonousness', 'gluttonousnesses', + 'gluttons', + 'gluttony', + 'glycan', + 'glycans', 'glyceraldehyde', 'glyceraldehydes', + 'glyceric', + 'glyceride', 'glycerides', 'glyceridic', + 'glycerin', 'glycerinate', 'glycerinated', 'glycerinates', 'glycerinating', + 'glycerine', 'glycerines', + 'glycerins', + 'glycerol', + 'glycerols', + 'glyceryl', + 'glyceryls', + 'glycin', + 'glycine', + 'glycines', + 'glycins', + 'glycogen', 'glycogeneses', 'glycogenesis', 'glycogenolyses', 'glycogenolysis', 'glycogenolytic', + 'glycogens', + 'glycol', + 'glycolic', 'glycolipid', 'glycolipids', + 'glycols', 'glycolyses', 'glycolysis', 'glycolytic', + 'glyconic', + 'glyconics', 'glycopeptide', 'glycopeptides', 'glycoprotein', @@ -24251,120 +62867,549 @@ export const scrabble_array = [ 'glycosaminoglycans', 'glycosidase', 'glycosidases', + 'glycoside', 'glycosides', 'glycosidic', 'glycosidically', 'glycosuria', 'glycosurias', + 'glycosyl', 'glycosylate', 'glycosylated', 'glycosylates', 'glycosylating', 'glycosylation', 'glycosylations', + 'glycosyls', + 'glycyl', + 'glycyls', + 'glyph', + 'glyphic', + 'glyphs', + 'glyptic', + 'glyptics', + 'gnar', + 'gnarl', + 'gnarled', + 'gnarlier', + 'gnarliest', + 'gnarling', + 'gnarls', + 'gnarly', + 'gnarr', + 'gnarred', + 'gnarring', + 'gnarrs', + 'gnars', + 'gnash', + 'gnashed', + 'gnashes', + 'gnashing', + 'gnat', 'gnatcatcher', 'gnatcatchers', + 'gnathal', + 'gnathic', + 'gnathion', + 'gnathions', + 'gnathite', + 'gnathites', + 'gnatlike', + 'gnats', + 'gnattier', + 'gnattiest', + 'gnatty', + 'gnaw', + 'gnawable', + 'gnawed', + 'gnawer', + 'gnawers', + 'gnawing', + 'gnawings', + 'gnawn', + 'gnaws', + 'gneiss', + 'gneisses', + 'gneissic', + 'gneissoid', + 'gneissose', + 'gnocchi', + 'gnome', + 'gnomelike', + 'gnomes', + 'gnomic', + 'gnomical', + 'gnomish', + 'gnomist', + 'gnomists', + 'gnomon', + 'gnomonic', + 'gnomons', + 'gnoses', + 'gnosis', + 'gnostic', 'gnosticism', 'gnosticisms', 'gnotobiotic', 'gnotobiotically', + 'gnu', + 'gnus', + 'go', + 'goa', + 'goad', + 'goaded', + 'goading', + 'goadlike', + 'goads', + 'goal', + 'goaled', + 'goalie', + 'goalies', + 'goaling', 'goalkeeper', 'goalkeepers', + 'goalless', + 'goalmouth', 'goalmouths', + 'goalpost', + 'goalposts', + 'goals', 'goaltender', 'goaltenders', 'goaltending', 'goaltendings', + 'goalward', + 'goanna', + 'goannas', + 'goas', + 'goat', + 'goatee', + 'goateed', + 'goatees', + 'goatfish', 'goatfishes', + 'goatherd', + 'goatherds', + 'goatish', + 'goatlike', + 'goats', + 'goatskin', + 'goatskins', 'goatsucker', 'goatsuckers', + 'gob', + 'goban', + 'gobang', + 'gobangs', + 'gobans', + 'gobbed', + 'gobbet', + 'gobbets', + 'gobbing', + 'gobble', + 'gobbled', 'gobbledegook', 'gobbledegooks', 'gobbledygook', 'gobbledygooks', + 'gobbler', + 'gobblers', + 'gobbles', + 'gobbling', + 'gobies', + 'gobioid', + 'gobioids', + 'goblet', + 'goblets', + 'goblin', + 'goblins', + 'gobo', + 'goboes', + 'gobonee', + 'gobony', + 'gobos', + 'gobs', + 'goby', + 'god', + 'godchild', 'godchildren', + 'goddam', + 'goddammed', 'goddamming', + 'goddamn', + 'goddamned', 'goddamning', + 'goddamns', + 'goddams', 'goddaughter', 'goddaughters', + 'godded', + 'goddess', + 'goddesses', + 'godding', + 'godet', + 'godets', + 'godfather', 'godfathered', 'godfathering', 'godfathers', 'godforsaken', + 'godhead', + 'godheads', + 'godhood', + 'godhoods', + 'godless', 'godlessness', 'godlessnesses', + 'godlier', + 'godliest', + 'godlike', 'godlikeness', 'godlikenesses', + 'godlily', + 'godliness', 'godlinesses', + 'godling', + 'godlings', + 'godly', + 'godmother', 'godmothers', + 'godown', + 'godowns', + 'godparent', 'godparents', + 'godroon', + 'godroons', + 'gods', + 'godsend', + 'godsends', + 'godship', + 'godships', + 'godson', + 'godsons', + 'godwit', + 'godwits', + 'goer', + 'goers', + 'goes', + 'goethite', + 'goethites', + 'gofer', + 'gofers', + 'goffer', + 'goffered', + 'goffering', + 'goffers', + 'goggle', + 'goggled', + 'goggler', + 'gogglers', + 'goggles', + 'gogglier', + 'goggliest', + 'goggling', + 'goggly', + 'goglet', + 'goglets', + 'gogo', + 'gogos', + 'going', + 'goings', + 'goiter', + 'goiters', + 'goitre', + 'goitres', + 'goitrogen', 'goitrogenic', 'goitrogenicities', 'goitrogenicity', 'goitrogens', + 'goitrous', + 'golconda', + 'golcondas', + 'gold', + 'goldarn', + 'goldarns', + 'goldbrick', 'goldbricked', 'goldbricking', 'goldbricks', + 'goldbug', + 'goldbugs', + 'golden', + 'goldener', + 'goldenest', + 'goldeneye', 'goldeneyes', + 'goldenly', 'goldenness', 'goldennesses', + 'goldenrod', 'goldenrods', 'goldenseal', 'goldenseals', + 'golder', + 'goldest', + 'goldeye', + 'goldeyes', + 'goldfield', 'goldfields', + 'goldfinch', 'goldfinches', + 'goldfish', 'goldfishes', + 'golds', + 'goldsmith', 'goldsmiths', + 'goldstone', 'goldstones', + 'goldurn', + 'goldurns', + 'golem', + 'golems', + 'golf', + 'golfed', + 'golfer', + 'golfers', + 'golfing', + 'golfings', + 'golfs', + 'golgotha', + 'golgothas', + 'goliard', + 'goliardic', + 'goliards', + 'golliwog', + 'golliwogg', 'golliwoggs', + 'golliwogs', + 'golly', + 'gollywog', + 'gollywogs', + 'golosh', + 'goloshe', + 'goloshes', + 'gombo', + 'gombos', + 'gombroon', + 'gombroons', + 'gomeral', + 'gomerals', + 'gomerel', + 'gomerels', + 'gomeril', + 'gomerils', + 'gomuti', + 'gomutis', + 'gonad', + 'gonadal', 'gonadectomies', 'gonadectomized', 'gonadectomy', + 'gonadial', + 'gonadic', 'gonadotrophic', 'gonadotrophin', 'gonadotrophins', 'gonadotropic', 'gonadotropin', 'gonadotropins', + 'gonads', + 'gondola', + 'gondolas', + 'gondolier', 'gondoliers', + 'gone', + 'gonef', + 'gonefs', + 'goneness', 'gonenesses', + 'goner', + 'goners', + 'gonfalon', + 'gonfalons', + 'gonfanon', + 'gonfanons', + 'gong', + 'gonged', + 'gonging', + 'gonglike', 'gongoristic', + 'gongs', + 'gonia', + 'gonidia', + 'gonidial', + 'gonidic', + 'gonidium', + 'gonif', + 'goniff', + 'goniffs', + 'gonifs', 'goniometer', 'goniometers', 'goniometric', 'goniometries', 'goniometry', + 'gonion', + 'gonium', 'gonococcal', + 'gonococci', 'gonococcus', + 'gonocyte', + 'gonocytes', + 'gonof', + 'gonofs', + 'gonoph', + 'gonophore', 'gonophores', + 'gonophs', + 'gonopore', + 'gonopores', + 'gonorrhea', 'gonorrheal', 'gonorrheas', + 'gonzo', + 'goo', + 'goober', + 'goobers', + 'good', + 'goodby', + 'goodbye', + 'goodbyes', + 'goodbys', + 'goodie', + 'goodies', + 'goodish', + 'goodlier', + 'goodliest', + 'goodly', + 'goodman', + 'goodmen', + 'goodness', 'goodnesses', + 'goods', + 'goodwife', + 'goodwill', 'goodwilled', + 'goodwills', + 'goodwives', + 'goody', + 'gooey', + 'gooeyness', 'gooeynesses', + 'goof', + 'goofball', + 'goofballs', + 'goofed', + 'goofier', + 'goofiest', + 'goofily', + 'goofiness', 'goofinesses', + 'goofing', + 'goofs', + 'goofy', + 'googlies', + 'googly', + 'googol', 'googolplex', 'googolplexes', + 'googols', + 'gooier', + 'gooiest', + 'gook', + 'gooks', + 'gooky', + 'goombah', + 'goombahs', + 'goombay', + 'goombays', + 'goon', + 'gooney', + 'gooneys', + 'goonie', + 'goonies', + 'goons', + 'goony', + 'goop', + 'goopier', + 'goopiest', + 'goops', + 'goopy', + 'gooral', + 'goorals', + 'goos', + 'goosander', 'goosanders', + 'goose', 'gooseberries', 'gooseberry', + 'goosed', + 'goosefish', 'goosefishes', 'gooseflesh', 'goosefleshes', + 'goosefoot', 'goosefoots', 'goosegrass', 'goosegrasses', + 'gooseneck', 'goosenecked', 'goosenecks', + 'gooses', + 'goosey', + 'goosier', + 'goosiest', + 'goosing', + 'goosy', + 'gopher', + 'gophers', + 'gor', + 'goral', + 'gorals', 'gorbellies', + 'gorbelly', + 'gorblimy', + 'gorcock', + 'gorcocks', + 'gore', + 'gored', + 'gores', + 'gorge', + 'gorged', + 'gorgedly', + 'gorgeous', 'gorgeously', 'gorgeousness', 'gorgeousnesses', + 'gorger', + 'gorgerin', + 'gorgerins', + 'gorgers', + 'gorges', + 'gorget', + 'gorgeted', + 'gorgets', + 'gorging', + 'gorgon', + 'gorgonian', 'gorgonians', + 'gorgonize', 'gorgonized', 'gorgonizes', 'gorgonizing', + 'gorgons', + 'gorhen', + 'gorhens', + 'gorier', + 'goriest', + 'gorilla', + 'gorillas', + 'gorily', + 'goriness', 'gorinesses', + 'goring', + 'gormand', 'gormandise', 'gormandised', 'gormandises', @@ -24375,15 +63420,80 @@ export const scrabble_array = [ 'gormandizers', 'gormandizes', 'gormandizing', + 'gormands', + 'gormless', + 'gorp', + 'gorps', + 'gorse', + 'gorses', + 'gorsier', + 'gorsiest', + 'gorsy', + 'gory', + 'gosh', + 'goshawk', + 'goshawks', + 'gosling', + 'goslings', + 'gospel', + 'gospeler', + 'gospelers', + 'gospeller', 'gospellers', + 'gospels', + 'gosport', + 'gosports', + 'gossamer', + 'gossamers', + 'gossamery', + 'gossan', + 'gossans', + 'gossip', + 'gossiped', + 'gossiper', + 'gossipers', + 'gossiping', 'gossipmonger', 'gossipmongers', + 'gossipped', 'gossipping', 'gossipries', + 'gossipry', + 'gossips', + 'gossipy', + 'gossoon', + 'gossoons', + 'gossypol', + 'gossypols', + 'got', + 'gothic', 'gothically', + 'gothicize', 'gothicized', 'gothicizes', 'gothicizing', + 'gothics', + 'gothite', + 'gothites', + 'gotten', + 'gouache', + 'gouaches', + 'gouge', + 'gouged', + 'gouger', + 'gougers', + 'gouges', + 'gouging', + 'goulash', + 'goulashes', + 'gourami', + 'gouramies', + 'gouramis', + 'gourd', + 'gourde', + 'gourdes', + 'gourds', + 'gourmand', 'gourmandise', 'gourmandises', 'gourmandism', @@ -24392,11 +63502,24 @@ export const scrabble_array = [ 'gourmandized', 'gourmandizes', 'gourmandizing', + 'gourmands', + 'gourmet', + 'gourmets', + 'gout', + 'goutier', + 'goutiest', + 'goutily', + 'gouts', + 'gouty', + 'govern', 'governable', 'governance', 'governances', + 'governed', + 'governess', 'governesses', 'governessy', + 'governing', 'government', 'governmental', 'governmentalism', @@ -24411,72 +63534,228 @@ export const scrabble_array = [ 'governmentese', 'governmenteses', 'governments', + 'governor', 'governorate', 'governorates', + 'governors', 'governorship', 'governorships', + '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', + 'grabbiest', + 'grabbing', + 'grabble', + 'grabbled', + 'grabbler', + 'grabblers', + 'grabbles', + 'grabbling', + 'grabby', + 'graben', + 'grabens', + 'grabs', + 'grace', + 'graced', + 'graceful', 'gracefuller', 'gracefullest', 'gracefully', 'gracefulness', 'gracefulnesses', + 'graceless', 'gracelessly', 'gracelessness', 'gracelessnesses', + 'graces', + 'gracile', 'gracileness', 'gracilenesses', + 'graciles', + 'gracilis', 'gracilities', + 'gracility', + 'gracing', + 'gracioso', + 'graciosos', + 'gracious', 'graciously', 'graciousness', 'graciousnesses', + 'grackle', + 'grackles', + 'grad', + 'gradable', + 'gradate', + 'gradated', + 'gradates', + 'gradating', + 'gradation', 'gradational', 'gradationally', 'gradations', + 'grade', + 'graded', + 'gradeless', + 'grader', + 'graders', + 'grades', + 'gradient', + 'gradients', + 'gradin', + 'gradine', + 'gradines', + 'grading', + 'gradins', 'gradiometer', 'gradiometers', + 'grads', + 'gradual', 'gradualism', 'gradualisms', 'gradualist', 'gradualists', + 'gradually', 'gradualness', 'gradualnesses', + 'graduals', + 'graduand', + 'graduands', + 'graduate', + 'graduated', + 'graduates', 'graduating', 'graduation', 'graduations', + 'graduator', 'graduators', + 'gradus', + 'graduses', + 'graecize', + 'graecized', + 'graecizes', 'graecizing', + 'graffiti', 'graffitist', 'graffitists', + 'graffito', + 'graft', + 'graftage', + 'graftages', + 'grafted', + 'grafter', + 'grafters', + 'grafting', + 'grafts', + 'graham', + 'grahams', + 'grail', + 'grails', + 'grain', + 'grained', + 'grainer', + 'grainers', 'grainfield', 'grainfields', + 'grainier', + 'grainiest', 'graininess', 'graininesses', + 'graining', + 'grains', + 'grainy', + 'gram', + 'grama', + 'gramaries', + 'gramary', + 'gramarye', + 'gramaryes', + 'gramas', 'gramercies', + 'gramercy', 'gramicidin', 'gramicidins', 'gramineous', 'graminivorous', + 'grammar', 'grammarian', 'grammarians', + 'grammars', 'grammatical', 'grammaticalities', 'grammaticality', 'grammatically', 'grammaticalness', 'grammaticalnesses', + 'gramme', + 'grammes', 'gramophone', 'gramophones', + 'gramp', + 'gramps', + 'grampus', + 'grampuses', + 'grams', + 'gran', + 'grana', 'granadilla', 'granadillas', + 'granaries', + 'granary', + 'grand', + 'grandad', 'grandaddies', + 'grandaddy', + 'grandads', + 'grandam', + 'grandame', + 'grandames', + 'grandams', + 'grandaunt', 'grandaunts', 'grandbabies', + 'grandbaby', 'grandchild', 'grandchildren', + 'granddad', 'granddaddies', 'granddaddy', + 'granddads', + 'granddam', + 'granddams', 'granddaughter', 'granddaughters', + 'grandee', + 'grandees', + 'grander', + 'grandest', + 'grandeur', + 'grandeurs', 'grandfather', 'grandfathered', 'grandfathering', @@ -24489,11 +63768,18 @@ export const scrabble_array = [ 'grandiloquences', 'grandiloquent', 'grandiloquently', + 'grandiose', 'grandiosely', 'grandioseness', 'grandiosenesses', 'grandiosities', 'grandiosity', + 'grandioso', + 'grandkid', + 'grandkids', + 'grandly', + 'grandma', + 'grandmas', 'grandmaster', 'grandmasters', 'grandmother', @@ -24501,15 +63787,24 @@ export const scrabble_array = [ 'grandmothers', 'grandnephew', 'grandnephews', + 'grandness', 'grandnesses', 'grandniece', 'grandnieces', + 'grandpa', 'grandparent', 'grandparental', 'grandparenthood', 'grandparenthoods', 'grandparents', + 'grandpas', + 'grands', + 'grandsir', + 'grandsire', 'grandsires', + 'grandsirs', + 'grandson', + 'grandsons', 'grandstand', 'grandstanded', 'grandstander', @@ -24518,23 +63813,54 @@ export const scrabble_array = [ 'grandstands', 'granduncle', 'granduncles', + 'grange', + 'granger', 'grangerism', 'grangerisms', + 'grangers', + 'granges', + 'granita', + 'granitas', + 'granite', 'granitelike', + 'granites', 'graniteware', 'granitewares', + 'granitic', + 'granitoid', 'granivorous', + 'grannie', + 'grannies', + 'granny', 'granodiorite', 'granodiorites', 'granodioritic', + 'granola', + 'granolas', 'granolithic', 'granophyre', 'granophyres', 'granophyric', + 'grans', + 'grant', + 'grantable', + 'granted', + 'grantee', + 'grantees', + 'granter', + 'granters', + 'granting', + 'grantor', + 'grantors', + 'grants', + 'grantsman', 'grantsmanship', 'grantsmanships', + 'grantsmen', + 'granular', 'granularities', 'granularity', + 'granulate', 'granulated', 'granulates', 'granulating', @@ -24542,6 +63868,9 @@ export const scrabble_array = [ 'granulations', 'granulator', 'granulators', + 'granule', + 'granules', + 'granulite', 'granulites', 'granulitic', 'granulocyte', @@ -24549,19 +63878,42 @@ export const scrabble_array = [ 'granulocytic', 'granulocytopoieses', 'granulocytopoiesis', + 'granuloma', 'granulomas', 'granulomata', 'granulomatous', + 'granulose', 'granuloses', 'granulosis', + 'granum', + 'grape', 'grapefruit', 'grapefruits', + 'grapelike', + 'graperies', + 'grapery', + 'grapes', + 'grapeshot', + 'grapevine', 'grapevines', + 'grapey', + 'graph', + 'graphed', + 'grapheme', + 'graphemes', + 'graphemic', 'graphemically', 'graphemics', + 'graphic', + 'graphical', 'graphically', 'graphicness', 'graphicnesses', + 'graphics', + 'graphing', + 'graphite', + 'graphites', + 'graphitic', 'graphitizable', 'graphitization', 'graphitizations', @@ -24576,54 +63928,149 @@ export const scrabble_array = [ 'graphologist', 'graphologists', 'graphology', + 'graphs', + 'grapier', + 'grapiest', + 'grapiness', 'grapinesses', + 'graplin', + 'grapline', + 'graplines', + 'graplins', + 'grapnel', + 'grapnels', + 'grappa', + 'grappas', + 'grapple', + 'grappled', + 'grappler', + 'grapplers', + 'grapples', + 'grappling', 'grapplings', 'graptolite', 'graptolites', + 'grapy', + 'grasp', + 'graspable', + 'grasped', + 'grasper', + 'graspers', + 'grasping', 'graspingly', 'graspingness', 'graspingnesses', + 'grasps', + 'grass', + 'grassed', + 'grasses', 'grasshopper', 'grasshoppers', + 'grassier', + 'grassiest', + 'grassily', + 'grassing', + 'grassland', 'grasslands', + 'grassless', + 'grasslike', + 'grassroot', 'grassroots', + 'grassy', + 'grat', + 'grate', + 'grated', + 'grateful', 'gratefuller', 'gratefullest', 'gratefully', 'gratefulness', 'gratefulnesses', + 'grater', + 'graters', + 'grates', + 'graticule', 'graticules', 'gratification', 'gratifications', + 'gratified', + 'gratifies', + 'gratify', 'gratifying', 'gratifyingly', + 'gratin', + 'gratine', + 'gratinee', + 'gratineed', 'gratineeing', + 'gratinees', + 'grating', + 'gratingly', + 'gratings', + 'gratins', + 'gratis', + 'gratitude', 'gratitudes', 'gratuities', 'gratuitous', 'gratuitously', 'gratuitousness', 'gratuitousnesses', + 'gratuity', + 'gratulate', 'gratulated', 'gratulates', 'gratulating', 'gratulation', 'gratulations', 'gratulatory', + 'graupel', + 'graupels', + 'gravamen', + 'gravamens', + 'gravamina', + 'grave', + 'graved', + 'gravel', + 'graveled', + 'graveless', + 'graveling', + 'gravelled', 'gravelling', + 'gravelly', + 'gravels', + 'gravely', + 'graven', + 'graveness', 'gravenesses', + 'graver', + 'gravers', + 'graves', + 'graveside', 'gravesides', + 'gravest', 'gravestone', 'gravestones', + 'graveyard', 'graveyards', + 'gravid', + 'gravida', + 'gravidae', + 'gravidas', 'gravidities', + 'gravidity', + 'gravidly', + 'gravies', 'gravimeter', 'gravimeters', 'gravimetric', 'gravimetrically', 'gravimetries', 'gravimetry', + 'graving', + 'gravitas', 'gravitases', + 'gravitate', 'gravitated', 'gravitates', 'gravitating', @@ -24632,74 +64079,187 @@ export const scrabble_array = [ 'gravitationally', 'gravitations', 'gravitative', + 'gravities', + 'graviton', + 'gravitons', + 'gravity', + 'gravlaks', + 'gravlax', + 'gravure', + 'gravures', + 'gravy', + 'gray', + 'grayback', + 'graybacks', + 'graybeard', 'graybeards', + 'grayed', + 'grayer', + 'grayest', + 'grayfish', 'grayfishes', + 'graying', + 'grayish', + 'graylag', + 'graylags', + 'grayling', + 'graylings', + 'grayly', + 'graymail', + 'graymails', + 'grayness', 'graynesses', + 'grayout', + 'grayouts', + 'grays', + 'graywacke', 'graywackes', + 'grazable', + 'graze', + 'grazeable', + 'grazed', + 'grazer', + 'grazers', + 'grazes', + 'grazier', + 'graziers', + 'grazing', + 'grazings', + 'grazioso', + 'grease', 'greaseball', 'greaseballs', + 'greased', 'greaseless', 'greasepaint', 'greasepaints', 'greaseproof', 'greaseproofs', + 'greaser', + 'greasers', + 'greases', 'greasewood', 'greasewoods', + 'greasier', + 'greasiest', + 'greasily', 'greasiness', 'greasinesses', + 'greasing', + 'greasy', + 'great', + 'greatcoat', 'greatcoats', + 'greaten', + 'greatened', 'greatening', + 'greatens', + 'greater', + 'greatest', 'greathearted', 'greatheartedly', 'greatheartedness', 'greatheartednesses', + 'greatly', + 'greatness', 'greatnesses', + 'greats', + 'greave', + 'greaved', + 'greaves', + 'grebe', + 'grebes', 'grecianize', 'grecianized', 'grecianizes', 'grecianizing', + 'grecize', + 'grecized', + 'grecizes', + 'grecizing', + 'gree', + 'greed', + 'greedier', + 'greediest', + 'greedily', 'greediness', 'greedinesses', + 'greeds', + 'greedy', + 'greegree', + 'greegrees', + 'greeing', + 'greek', + 'green', + 'greenback', 'greenbacker', 'greenbackers', 'greenbackism', 'greenbackisms', 'greenbacks', + 'greenbelt', 'greenbelts', 'greenbrier', 'greenbriers', + 'greenbug', + 'greenbugs', + 'greened', + 'greener', 'greeneries', + 'greenery', + 'greenest', 'greenfinch', 'greenfinches', 'greenflies', + 'greenfly', + 'greengage', 'greengages', 'greengrocer', 'greengroceries', 'greengrocers', 'greengrocery', + 'greenhead', 'greenheads', 'greenheart', 'greenhearts', + 'greenhorn', 'greenhorns', 'greenhouse', 'greenhouses', + 'greenie', + 'greenier', + 'greenies', + 'greeniest', + 'greening', + 'greenings', + 'greenish', 'greenishness', 'greenishnesses', 'greenkeeper', 'greenkeepers', + 'greenlet', + 'greenlets', + 'greenling', 'greenlings', + 'greenly', + 'greenmail', 'greenmailed', 'greenmailer', 'greenmailers', 'greenmailing', 'greenmails', + 'greenness', 'greennesses', 'greenockite', 'greenockites', + 'greenroom', 'greenrooms', + 'greens', + 'greensand', 'greensands', 'greenshank', 'greenshanks', + 'greensick', 'greensickness', 'greensicknesses', 'greenskeeper', @@ -24710,57 +64270,350 @@ export const scrabble_array = [ 'greenstuffs', 'greensward', 'greenswards', + 'greenth', + 'greenths', + 'greenway', + 'greenways', + 'greenwing', 'greenwings', + 'greenwood', 'greenwoods', + 'greeny', + 'grees', + 'greet', + 'greeted', + 'greeter', + 'greeters', + 'greeting', + 'greetings', + 'greets', + 'gregarine', 'gregarines', 'gregarious', 'gregariously', 'gregariousness', 'gregariousnesses', + 'grego', + 'gregos', + 'greige', + 'greiges', + 'greisen', + 'greisens', + 'gremial', + 'gremials', + 'gremlin', + 'gremlins', + 'gremmie', + 'gremmies', + 'gremmy', + 'grenade', + 'grenades', + 'grenadier', 'grenadiers', + 'grenadine', 'grenadines', + 'grew', + 'grewsome', + 'grewsomer', 'grewsomest', + 'grey', + 'greyed', + 'greyer', + 'greyest', + 'greyhen', + 'greyhens', + 'greyhound', 'greyhounds', + 'greying', + 'greyish', + 'greylag', + 'greylags', + 'greyly', + 'greyness', 'greynesses', + 'greys', + 'gribble', + 'gribbles', + 'grid', + 'gridder', + 'gridders', + 'griddle', 'griddlecake', 'griddlecakes', + 'griddled', + 'griddles', + 'griddling', + 'gride', + 'grided', + 'grides', + 'griding', + 'gridiron', + 'gridirons', + 'gridlock', 'gridlocked', 'gridlocking', + 'gridlocks', + 'grids', + 'grief', + 'griefs', + 'grievance', 'grievances', + 'grievant', + 'grievants', + 'grieve', + 'grieved', + 'griever', + 'grievers', + 'grieves', + 'grieving', + 'grievous', 'grievously', 'grievousness', 'grievousnesses', + 'griff', + 'griffe', + 'griffes', + 'griffin', + 'griffins', + 'griffon', + 'griffons', + 'griffs', + 'grift', + 'grifted', + 'grifter', + 'grifters', + 'grifting', + 'grifts', + 'grig', + 'grigri', + 'grigris', + 'grigs', + 'grill', + 'grillade', + 'grillades', + 'grillage', + 'grillages', + 'grille', + 'grilled', + 'griller', + 'grillers', + 'grilles', + 'grilling', + 'grillroom', 'grillrooms', + 'grills', + 'grillwork', 'grillworks', + 'grilse', + 'grilses', + 'grim', + 'grimace', + 'grimaced', + 'grimacer', + 'grimacers', + 'grimaces', + 'grimacing', + 'grimalkin', 'grimalkins', + 'grime', + 'grimed', + 'grimes', + 'grimier', + 'grimiest', + 'grimily', + 'griminess', 'griminesses', + 'griming', + 'grimly', + 'grimmer', + 'grimmest', + 'grimness', 'grimnesses', + 'grimy', + 'grin', + 'grinch', + 'grinches', + 'grind', + 'grinded', + 'grinder', 'grinderies', + 'grinders', + 'grindery', + 'grinding', 'grindingly', + 'grinds', 'grindstone', 'grindstones', + 'gringo', + 'gringos', + 'grinned', + 'grinner', + 'grinners', + 'grinning', 'grinningly', + 'grins', + 'griot', + 'griots', + 'grip', + 'gripe', + 'griped', + 'griper', + 'gripers', + 'gripes', + 'gripey', + 'gripier', + 'gripiest', + 'griping', + 'gripman', + 'gripmen', + 'grippe', + 'gripped', + 'gripper', + 'grippers', + 'grippes', + 'grippier', + 'grippiest', + 'gripping', 'grippingly', + 'gripple', + 'grippy', + 'grips', + 'gripsack', + 'gripsacks', + 'gript', + 'gripy', + 'grisaille', 'grisailles', 'griseofulvin', 'griseofulvins', + 'griseous', + 'grisette', + 'grisettes', + 'griskin', + 'griskins', + 'grislier', + 'grisliest', 'grisliness', 'grislinesses', + 'grisly', + 'grison', + 'grisons', + 'grist', + 'gristle', + 'gristles', + 'gristlier', 'gristliest', 'gristliness', 'gristlinesses', + 'gristly', + 'gristmill', 'gristmills', + 'grists', + 'grit', + 'grith', + 'griths', + 'grits', + 'gritted', + 'grittier', + 'grittiest', + 'grittily', 'grittiness', 'grittinesses', + 'gritting', + 'gritty', + 'grivet', + 'grivets', + 'grizzle', + 'grizzled', + 'grizzler', + 'grizzlers', + 'grizzles', + 'grizzlier', + 'grizzlies', 'grizzliest', + 'grizzling', + 'grizzly', + 'groan', + 'groaned', + 'groaner', + 'groaners', + 'groaning', + 'groans', + 'groat', + 'groats', + 'grocer', + 'groceries', + 'grocers', + 'grocery', + 'grog', 'groggeries', + 'groggery', + 'groggier', + 'groggiest', + 'groggily', 'grogginess', 'grogginesses', + 'groggy', + 'grogram', + 'grograms', + 'grogs', + 'grogshop', + 'grogshops', + 'groin', + 'groined', + 'groining', + 'groins', + 'grommet', + 'grommets', + 'gromwell', + 'gromwells', + 'groom', + 'groomed', + 'groomer', + 'groomers', + 'grooming', + 'grooms', + 'groomsman', + 'groomsmen', + 'groove', + 'grooved', + 'groover', + 'groovers', + 'grooves', + 'groovier', + 'grooviest', + 'grooving', + 'groovy', + 'grope', + 'groped', + 'groper', + 'gropers', + 'gropes', + 'groping', + 'grosbeak', + 'grosbeaks', + 'groschen', + 'grosgrain', 'grosgrains', + 'gross', + 'grossed', + 'grosser', + 'grossers', + 'grosses', + 'grossest', + 'grossing', + 'grossly', + 'grossness', 'grossnesses', + 'grossular', 'grossularite', 'grossularites', 'grossulars', + 'grosz', + 'grosze', + 'groszy', + 'grot', + 'grotesque', 'grotesquely', 'grotesqueness', 'grotesquenesses', @@ -24768,17 +64621,37 @@ export const scrabble_array = [ 'grotesqueries', 'grotesquery', 'grotesques', + 'grots', + 'grottier', + 'grottiest', + 'grotto', + 'grottoes', + 'grottos', + 'grotty', + 'grouch', + 'grouched', + 'grouches', + 'grouchier', 'grouchiest', + 'grouchily', 'grouchiness', 'grouchinesses', + 'grouching', + 'grouchy', + 'ground', 'groundbreaker', 'groundbreakers', 'groundbreaking', 'groundburst', 'groundbursts', + 'grounded', + 'grounder', + 'grounders', 'groundfish', 'groundfishes', + 'groundhog', 'groundhogs', + 'grounding', 'groundings', 'groundless', 'groundlessly', @@ -24788,8 +64661,12 @@ export const scrabble_array = [ 'groundlings', 'groundmass', 'groundmasses', + 'groundnut', 'groundnuts', + 'groundout', 'groundouts', + 'grounds', + 'groundsel', 'groundsels', 'groundsheet', 'groundsheets', @@ -24805,135 +64682,748 @@ export const scrabble_array = [ 'groundwoods', 'groundwork', 'groundworks', + 'group', + 'groupable', + 'grouped', + 'grouper', + 'groupers', + 'groupie', + 'groupies', + 'grouping', + 'groupings', + 'groupoid', + 'groupoids', + 'groups', 'groupthink', 'groupthinks', 'groupuscule', 'groupuscules', + 'grouse', + 'groused', + 'grouser', + 'grousers', + 'grouses', + 'grousing', + 'grout', + 'grouted', + 'grouter', + 'grouters', + 'groutier', + 'groutiest', + 'grouting', + 'grouts', + 'grouty', + 'grove', + 'groved', + 'grovel', + 'groveled', + 'groveler', + 'grovelers', + 'groveling', 'grovelingly', + 'grovelled', 'grovelling', + 'grovels', + 'groves', + 'grow', + 'growable', + 'grower', + 'growers', + 'growing', + 'growingly', + 'growl', + 'growled', + 'growler', + 'growlers', + 'growlier', + 'growliest', 'growliness', 'growlinesses', + 'growling', 'growlingly', + 'growls', + 'growly', + 'grown', + 'grownup', + 'grownups', + 'grows', + 'growth', + 'growthier', 'growthiest', 'growthiness', 'growthinesses', + 'growths', + 'growthy', + 'groyne', + 'groynes', + 'grub', + 'grubbed', + 'grubber', + 'grubbers', + 'grubbier', + 'grubbiest', + 'grubbily', 'grubbiness', 'grubbinesses', + 'grubbing', + 'grubby', + 'grubs', + 'grubstake', 'grubstaked', 'grubstaker', 'grubstakers', 'grubstakes', 'grubstaking', + 'grubworm', + 'grubworms', + 'grudge', + 'grudged', + 'grudger', + 'grudgers', + 'grudges', + 'grudging', 'grudgingly', + 'grue', + 'gruel', + 'grueled', + 'grueler', + 'gruelers', + 'grueling', 'gruelingly', + 'gruelings', + 'gruelled', + 'grueller', + 'gruellers', + 'gruelling', 'gruellings', + 'gruels', + 'grues', + 'gruesome', 'gruesomely', 'gruesomeness', 'gruesomenesses', + 'gruesomer', 'gruesomest', + 'gruff', + 'gruffed', + 'gruffer', + 'gruffest', + 'gruffier', + 'gruffiest', + 'gruffily', + 'gruffing', + 'gruffish', + 'gruffly', + 'gruffness', 'gruffnesses', + 'gruffs', + 'gruffy', + 'grugru', + 'grugrus', + 'gruiform', + 'grum', + 'grumble', + 'grumbled', + 'grumbler', + 'grumblers', + 'grumbles', + 'grumbling', 'grumblingly', + 'grumbly', + 'grume', + 'grumes', + 'grummer', + 'grummest', + 'grummet', + 'grummets', + 'grumose', + 'grumous', + 'grump', + 'grumped', + 'grumphie', + 'grumphies', + 'grumphy', + 'grumpier', + 'grumpiest', + 'grumpily', 'grumpiness', 'grumpinesses', + 'grumping', + 'grumpish', + 'grumps', + 'grumpy', + 'grunge', + 'grunges', + 'grungier', + 'grungiest', + 'grungy', + 'grunion', + 'grunions', + 'grunt', + 'grunted', + 'grunter', + 'grunters', + 'grunting', + 'gruntle', + 'gruntled', + 'gruntles', + 'gruntling', + 'grunts', + 'grushie', + 'grutch', + 'grutched', + 'grutches', + 'grutching', + 'grutten', + 'gruyere', + 'gruyeres', + 'gryphon', + 'gryphons', + 'guacamole', 'guacamoles', + 'guacharo', 'guacharoes', + 'guacharos', + 'guaco', + 'guacos', + 'guaiac', + 'guaiacol', + 'guaiacols', + 'guaiacs', + 'guaiacum', + 'guaiacums', + 'guaiocum', + 'guaiocums', + 'guan', + 'guanaco', + 'guanacos', + 'guanase', + 'guanases', + 'guanay', + 'guanays', 'guanethidine', 'guanethidines', + 'guanidin', + 'guanidine', 'guanidines', + 'guanidins', + 'guanin', + 'guanine', + 'guanines', + 'guanins', + 'guano', + 'guanos', + 'guanosine', 'guanosines', + 'guans', + 'guar', + 'guarani', + 'guaranies', + 'guaranis', + 'guarantee', 'guaranteed', 'guaranteeing', 'guarantees', 'guarantied', 'guaranties', + 'guarantor', 'guarantors', + 'guaranty', 'guarantying', + 'guard', + 'guardant', + 'guardants', + 'guarded', + 'guardedly', 'guardedness', 'guardednesses', + 'guarder', + 'guarders', 'guardhouse', 'guardhouses', + 'guardian', + 'guardians', 'guardianship', 'guardianships', + 'guarding', + 'guardrail', 'guardrails', + 'guardroom', 'guardrooms', + 'guards', + 'guardsman', + 'guardsmen', + 'guars', + 'guava', + 'guavas', + 'guayabera', 'guayaberas', + 'guayule', + 'guayules', 'gubernatorial', + 'guck', + 'gucks', + 'gude', + 'gudes', + 'gudgeon', + 'gudgeoned', 'gudgeoning', + 'gudgeons', + 'guenon', + 'guenons', + 'guerdon', + 'guerdoned', 'guerdoning', + 'guerdons', + 'gueridon', + 'gueridons', + 'guerilla', + 'guerillas', + 'guernsey', + 'guernseys', + 'guerrilla', 'guerrillas', + 'guess', + 'guessable', + 'guessed', + 'guesser', + 'guessers', + 'guesses', + 'guessing', 'guesstimate', 'guesstimated', 'guesstimates', 'guesstimating', + 'guesswork', 'guessworks', + 'guest', + 'guested', 'guesthouse', 'guesthouses', + 'guesting', + 'guests', + 'guff', + 'guffaw', + 'guffawed', + 'guffawing', + 'guffaws', + 'guffs', + 'guggle', + 'guggled', + 'guggles', + 'guggling', + 'guglet', + 'guglets', + 'guid', + 'guidable', + 'guidance', + 'guidances', + 'guide', + 'guidebook', 'guidebooks', + 'guided', + 'guideline', 'guidelines', + 'guidepost', 'guideposts', + 'guider', + 'guiders', + 'guides', + 'guideway', + 'guideways', + 'guiding', + 'guidon', + 'guidons', + 'guids', 'guidwillie', + 'guild', + 'guilder', + 'guilders', + 'guildhall', 'guildhalls', + 'guilds', + 'guildship', 'guildships', + 'guildsman', + 'guildsmen', + 'guile', + 'guiled', + 'guileful', 'guilefully', 'guilefulness', 'guilefulnesses', + 'guileless', 'guilelessly', 'guilelessness', 'guilelessnesses', + 'guiles', + 'guiling', + 'guillemet', 'guillemets', + 'guillemot', 'guillemots', + 'guilloche', 'guilloches', 'guillotine', 'guillotined', 'guillotines', 'guillotining', + 'guilt', + 'guiltier', + 'guiltiest', + 'guiltily', 'guiltiness', 'guiltinesses', + 'guiltless', 'guiltlessly', 'guiltlessness', 'guiltlessnesses', + 'guilts', + 'guilty', + 'guimpe', + 'guimpes', + 'guinea', + 'guineas', + 'guipure', + 'guipures', + 'guiro', + 'guiros', + 'guisard', + 'guisards', + 'guise', + 'guised', + 'guises', + 'guising', + 'guitar', 'guitarfish', 'guitarfishes', + 'guitarist', 'guitarists', + 'guitars', + 'guitguit', + 'guitguits', + 'gul', + 'gulag', + 'gulags', + 'gular', + 'gulch', + 'gulches', + 'gulden', + 'guldens', + 'gules', + 'gulf', + 'gulfed', + 'gulfier', + 'gulfiest', + 'gulfing', + 'gulflike', + 'gulfs', + 'gulfweed', + 'gulfweeds', + 'gulfy', + 'gull', + 'gullable', + 'gullably', + 'gulled', + 'gullet', + 'gullets', + 'gulley', + 'gulleys', 'gullibilities', 'gullibility', + 'gullible', + 'gullibly', + 'gullied', + 'gullies', + 'gulling', + 'gulls', + 'gully', + 'gullying', 'gulosities', + 'gulosity', + 'gulp', + 'gulped', + 'gulper', + 'gulpers', + 'gulpier', + 'gulpiest', + 'gulping', + 'gulps', + 'gulpy', + 'guls', + 'gum', + 'gumbo', + 'gumboil', + 'gumboils', + 'gumboot', + 'gumboots', + 'gumbos', + 'gumbotil', + 'gumbotils', + 'gumdrop', + 'gumdrops', + 'gumless', + 'gumlike', + 'gumma', + 'gummas', + 'gummata', + 'gummatous', + 'gummed', + 'gummer', + 'gummers', + 'gummier', + 'gummiest', + 'gumminess', 'gumminesses', + 'gumming', + 'gummite', + 'gummites', + 'gummose', + 'gummoses', + 'gummosis', + 'gummous', + 'gummy', + 'gumption', + 'gumptions', + 'gums', + 'gumshoe', + 'gumshoed', 'gumshoeing', + 'gumshoes', + 'gumtree', + 'gumtrees', + 'gumweed', + 'gumweeds', + 'gumwood', + 'gumwoods', + 'gun', + 'gunboat', + 'gunboats', + 'guncotton', 'guncottons', + 'gundog', + 'gundogs', + 'gunfight', 'gunfighter', 'gunfighters', 'gunfighting', + 'gunfights', + 'gunfire', + 'gunfires', + 'gunflint', + 'gunflints', + 'gunfought', + 'gunite', + 'gunites', + 'gunk', + 'gunkhole', + 'gunkholed', + 'gunkholes', 'gunkholing', + 'gunks', + 'gunky', + 'gunless', + 'gunlock', + 'gunlocks', + 'gunman', + 'gunmen', + 'gunmetal', + 'gunmetals', + 'gunned', + 'gunnel', + 'gunnels', + 'gunnen', + 'gunner', + 'gunneries', + 'gunners', + 'gunnery', + 'gunnies', + 'gunning', + 'gunnings', + 'gunny', + 'gunnybag', + 'gunnybags', + 'gunnysack', 'gunnysacks', + 'gunpaper', + 'gunpapers', + 'gunplay', + 'gunplays', + 'gunpoint', + 'gunpoints', + 'gunpowder', 'gunpowders', + 'gunroom', + 'gunrooms', + 'gunrunner', 'gunrunners', 'gunrunning', 'gunrunnings', + 'guns', + 'gunsel', + 'gunsels', + 'gunship', + 'gunships', + 'gunshot', + 'gunshots', 'gunslinger', 'gunslingers', 'gunslinging', 'gunslingings', + 'gunsmith', 'gunsmithing', 'gunsmithings', + 'gunsmiths', + 'gunstock', + 'gunstocks', + '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', + 'guruships', + 'gush', + 'gushed', + 'gusher', + 'gushers', + 'gushes', + 'gushier', + 'gushiest', + 'gushily', + 'gushiness', 'gushinesses', + 'gushing', + 'gushingly', + 'gushy', + 'gusset', + 'gusseted', + 'gusseting', + 'gussets', + 'gussie', + 'gussied', + 'gussies', + 'gussy', + 'gussying', + 'gust', + 'gustable', + 'gustables', + 'gustation', 'gustations', 'gustatorily', + 'gustatory', + 'gusted', + 'gustier', + 'gustiest', + 'gustily', + 'gustiness', 'gustinesses', + 'gusting', + 'gustless', + 'gusto', + 'gustoes', + 'gusts', + 'gusty', + 'gut', + 'gutbucket', 'gutbuckets', + 'gutless', 'gutlessness', 'gutlessnesses', + 'gutlike', + 'guts', + 'gutsier', + 'gutsiest', + 'gutsily', + 'gutsiness', 'gutsinesses', + 'gutsy', + 'gutta', + 'guttae', + 'guttate', + 'guttated', + 'guttation', 'guttations', + 'gutted', + 'gutter', + 'guttered', + 'guttering', 'gutterings', + 'gutters', 'guttersnipe', 'guttersnipes', 'guttersnipish', + 'guttery', + 'guttier', + 'guttiest', + 'gutting', + 'guttle', + 'guttled', + 'guttler', + 'guttlers', + 'guttles', + 'guttling', + 'guttural', 'gutturalism', 'gutturalisms', + 'gutturals', + 'gutty', + 'guv', + 'guvs', + 'guy', + 'guyed', + 'guying', + 'guyline', + 'guylines', + 'guyot', + 'guyots', + 'guys', + 'guzzle', + 'guzzled', + 'guzzler', + 'guzzlers', + 'guzzles', + 'guzzling', + 'gweduc', + 'gweduck', + 'gweducks', + 'gweducs', + 'gybe', + 'gybed', + 'gybes', + 'gybing', + 'gym', + 'gymkhana', + 'gymkhanas', + 'gymnasia', + 'gymnasium', 'gymnasiums', + 'gymnast', + 'gymnastic', 'gymnastically', 'gymnastics', + 'gymnasts', 'gymnosophist', 'gymnosophists', 'gymnosperm', @@ -24941,6 +65431,11 @@ export const scrabble_array = [ 'gymnospermous', 'gymnosperms', 'gymnospermy', + 'gyms', + 'gynaecea', + 'gynaeceum', + 'gynaecia', + 'gynaecium', 'gynaecologies', 'gynaecology', 'gynandries', @@ -24952,10 +65447,16 @@ export const scrabble_array = [ 'gynandromorphs', 'gynandromorphy', 'gynandrous', + 'gynandry', 'gynarchies', + 'gynarchy', + 'gynecia', + 'gynecic', + 'gynecium', 'gynecocracies', 'gynecocracy', 'gynecocratic', + 'gynecoid', 'gynecologic', 'gynecological', 'gynecologies', @@ -24965,31 +65466,105 @@ export const scrabble_array = [ 'gynecomastia', 'gynecomastias', 'gyniatries', + 'gyniatry', + 'gynoecia', + 'gynoecium', 'gynogeneses', 'gynogenesis', 'gynogenetic', + 'gynophore', 'gynophores', + 'gyp', + 'gyplure', + 'gyplures', + 'gypped', + 'gypper', + 'gyppers', + 'gypping', + 'gyps', + 'gypseian', + 'gypseous', + 'gypsied', + 'gypsies', 'gypsiferous', 'gypsophila', 'gypsophilas', + 'gypster', + 'gypsters', + 'gypsum', + 'gypsums', + 'gypsy', + 'gypsydom', + 'gypsydoms', + 'gypsying', + 'gypsyish', + 'gypsyism', + 'gypsyisms', + 'gyral', + 'gyrally', + 'gyrase', + 'gyrases', + 'gyrate', + 'gyrated', + 'gyrates', + 'gyrating', + 'gyration', 'gyrational', + 'gyrations', + 'gyrator', + 'gyrators', + 'gyratory', + 'gyre', + 'gyred', + 'gyrene', + 'gyrenes', + 'gyres', + 'gyrfalcon', 'gyrfalcons', + 'gyri', + 'gyring', + 'gyro', 'gyrocompass', 'gyrocompasses', 'gyrofrequencies', 'gyrofrequency', + 'gyroidal', 'gyromagnetic', + 'gyron', + 'gyrons', + 'gyroplane', 'gyroplanes', + 'gyros', + 'gyroscope', 'gyroscopes', 'gyroscopic', 'gyroscopically', + 'gyrose', 'gyrostabilizer', 'gyrostabilizers', + 'gyrostat', + 'gyrostats', + 'gyrus', + 'gyve', + 'gyved', + 'gyves', + 'gyving', + 'ha', + 'haaf', + 'haafs', + 'haar', + 'haars', + 'habanera', + 'habaneras', + 'habdalah', + 'habdalahs', 'haberdasher', 'haberdasheries', 'haberdashers', 'haberdashery', + 'habergeon', 'habergeons', + 'habile', 'habiliment', 'habiliments', 'habilitate', @@ -24998,36 +65573,206 @@ export const scrabble_array = [ 'habilitating', 'habilitation', 'habilitations', + 'habit', 'habitabilities', 'habitability', + 'habitable', 'habitableness', 'habitablenesses', + 'habitably', + 'habitan', + 'habitans', + 'habitant', + 'habitants', + 'habitat', 'habitation', 'habitations', + 'habitats', + 'habited', + 'habiting', + 'habits', + 'habitual', 'habitually', 'habitualness', 'habitualnesses', + 'habituate', 'habituated', 'habituates', 'habituating', 'habituation', 'habituations', + 'habitude', + 'habitudes', + 'habitue', + 'habitues', + 'habitus', + 'haboob', + 'haboobs', + 'habu', + 'habus', + 'hacek', + 'haceks', + 'hacendado', 'hacendados', + 'hachure', + 'hachured', + 'hachures', + 'hachuring', + 'hacienda', 'haciendado', 'haciendados', + 'haciendas', + 'hack', + 'hackamore', 'hackamores', 'hackberries', + 'hackberry', + 'hackbut', + 'hackbuts', + 'hacked', + 'hackee', + 'hackees', + 'hacker', + 'hackers', + 'hackie', + 'hackies', + 'hacking', + 'hackle', + 'hackled', + 'hackler', + 'hacklers', + 'hackles', + 'hacklier', + 'hackliest', + 'hackling', + 'hackly', + 'hackman', 'hackmatack', 'hackmatacks', + 'hackmen', + 'hackney', + 'hackneyed', 'hackneying', + 'hackneys', + 'hacks', + 'hacksaw', + 'hacksaws', + 'hackwork', + 'hackworks', + 'had', + 'hadal', + 'hadarim', + 'haddest', + 'haddock', + 'haddocks', + 'hade', + 'haded', + 'hades', + 'hading', + 'hadith', + 'hadiths', + 'hadj', + 'hadjee', + 'hadjees', + 'hadjes', + 'hadji', + 'hadjis', + 'hadron', + 'hadronic', + 'hadrons', + 'hadrosaur', 'hadrosaurs', + 'hadst', + 'hae', 'haecceities', + 'haecceity', + 'haed', + 'haeing', + 'haem', + 'haemal', + 'haematal', + 'haematic', + 'haematics', + 'haematin', + 'haematins', + 'haematite', 'haematites', + 'haemic', + 'haemin', + 'haemins', + 'haemoid', + 'haems', + 'haen', + 'haeredes', + 'haeres', + 'haes', + 'haet', + 'haets', + 'haffet', + 'haffets', + 'haffit', + 'haffits', + 'hafis', + 'hafiz', + 'hafnium', + 'hafniums', + 'haft', + 'haftara', + 'haftarah', + 'haftarahs', + 'haftaras', + 'haftarot', + 'haftaroth', + 'hafted', + 'hafter', + 'hafters', + 'hafting', + 'haftorah', + 'haftorahs', + 'haftorot', + 'haftoroth', + 'hafts', + 'hag', + 'hagadic', + 'hagadist', + 'hagadists', 'hagberries', + 'hagberry', + 'hagborn', + 'hagbush', + 'hagbushes', + 'hagbut', + 'hagbuts', + 'hagdon', + 'hagdons', + 'hagfish', + 'hagfishes', + 'haggada', + 'haggadah', + 'haggadahs', + 'haggadas', + 'haggadic', + 'haggadist', 'haggadistic', 'haggadists', + 'haggadot', + 'haggadoth', + 'haggard', + 'haggardly', 'haggardness', 'haggardnesses', + 'haggards', + 'hagged', + 'hagging', + 'haggis', + 'haggises', + 'haggish', + 'haggle', + 'haggled', + 'haggler', + 'hagglers', + 'haggles', + 'haggling', 'hagiographer', 'hagiographers', 'hagiographic', @@ -25037,27 +65782,81 @@ export const scrabble_array = [ 'hagiologic', 'hagiological', 'hagiologies', + 'hagiology', 'hagioscope', 'hagioscopes', 'hagioscopic', + 'hagridden', + 'hagride', + 'hagrides', + 'hagriding', + 'hagrode', + 'hags', + 'hah', + 'haha', + 'hahas', + 'hahnium', + 'hahniums', + 'hahs', + 'haik', + 'haika', + 'haiks', + 'haiku', + 'hail', + 'hailed', + 'hailer', + 'hailers', + 'hailing', + 'hails', + 'hailstone', 'hailstones', + 'hailstorm', 'hailstorms', + 'hair', + 'hairball', + 'hairballs', + 'hairband', + 'hairbands', 'hairbreadth', 'hairbreadths', + 'hairbrush', 'hairbrushes', + 'haircap', + 'haircaps', + 'haircloth', 'haircloths', + 'haircut', + 'haircuts', 'haircutter', 'haircutters', 'haircutting', 'haircuttings', + 'hairdo', + 'hairdos', 'hairdresser', 'hairdressers', 'hairdressing', 'hairdressings', + 'haired', + 'hairier', + 'hairiest', + 'hairiness', 'hairinesses', + 'hairless', 'hairlessness', 'hairlessnesses', + 'hairlike', + 'hairline', + 'hairlines', + 'hairlock', + 'hairlocks', + 'hairnet', + 'hairnets', + 'hairpiece', 'hairpieces', + 'hairpin', + 'hairpins', + 'hairs', 'hairsbreadth', 'hairsbreadths', 'hairsplitter', @@ -25068,22 +65867,143 @@ export const scrabble_array = [ 'hairsprings', 'hairstreak', 'hairstreaks', + 'hairstyle', 'hairstyles', 'hairstyling', 'hairstylings', 'hairstylist', 'hairstylists', + 'hairwork', + 'hairworks', + 'hairworm', + 'hairworms', + 'hairy', + 'haj', + 'hajes', + 'haji', + 'hajis', + 'hajj', + 'hajjes', + 'hajji', + 'hajjis', + 'hake', + 'hakeem', + 'hakeems', + 'hakes', + 'hakim', + 'hakims', + 'halacha', + 'halachas', + 'halachot', + 'halachoth', + 'halakah', + 'halakahs', + 'halakha', + 'halakhas', + 'halakhot', + 'halakic', + 'halakist', + 'halakists', + 'halakoth', + 'halala', + 'halalah', + 'halalahs', + 'halalas', + 'halation', + 'halations', + 'halavah', + 'halavahs', + 'halazone', + 'halazones', + 'halberd', + 'halberds', + 'halbert', + 'halberts', + 'halcyon', + 'halcyons', + 'hale', + 'haled', + 'haleness', 'halenesses', + 'haler', + 'halers', + 'haleru', + 'hales', + 'halest', + 'half', + 'halfback', + 'halfbacks', + 'halfbeak', + 'halfbeaks', 'halfhearted', 'halfheartedly', 'halfheartedness', 'halfheartednesses', + 'halflife', + 'halflives', + 'halfness', 'halfnesses', + 'halfpence', 'halfpennies', + 'halfpenny', + 'halftime', + 'halftimes', + 'halftone', + 'halftones', + 'halfway', + 'halibut', + 'halibuts', + 'halid', + 'halide', + 'halides', + 'halidom', + 'halidome', + 'halidomes', + 'halidoms', + 'halids', + 'haling', + 'halite', + 'halites', + 'halitoses', + 'halitosis', + 'halitus', + 'halituses', + 'hall', + 'hallah', + 'hallahs', + 'hallel', + 'hallels', 'hallelujah', 'hallelujahs', + 'halliard', + 'halliards', + 'hallmark', 'hallmarked', 'hallmarking', + 'hallmarks', + 'hallo', + 'halloa', + 'halloaed', + 'halloaing', + 'halloas', + 'halloed', + 'halloes', + 'halloing', + 'halloo', + 'hallooed', + 'hallooing', + 'halloos', + 'hallos', + 'hallot', + 'halloth', + 'hallow', + 'hallowed', + 'hallower', + 'hallowers', + 'hallowing', + 'hallows', + 'halls', + 'halluces', 'hallucinate', 'hallucinated', 'hallucinates', @@ -25100,9 +66020,21 @@ export const scrabble_array = [ 'hallucinoses', 'hallucinosis', 'hallucinosises', + 'hallux', + 'hallway', + 'hallways', + 'halm', + 'halma', + 'halmas', + 'halms', + 'halo', 'halocarbon', 'halocarbons', + 'halocline', 'haloclines', + 'haloed', + 'haloes', + 'halogen', 'halogenate', 'halogenated', 'halogenates', @@ -25110,41 +66042,162 @@ export const scrabble_array = [ 'halogenation', 'halogenations', 'halogenous', + 'halogens', + 'halogeton', 'halogetons', + 'haloid', + 'haloids', + 'haloing', + 'halolike', 'halomorphic', 'haloperidol', 'haloperidols', + 'halophile', 'halophiles', 'halophilic', + 'halophyte', 'halophytes', 'halophytic', + 'halos', + 'halothane', 'halothanes', + 'halt', + 'halted', + 'halter', 'halterbreak', 'halterbreaking', 'halterbreaks', 'halterbroke', 'halterbroken', + 'haltere', + 'haltered', + 'halteres', + 'haltering', + 'halters', + 'halting', + 'haltingly', + 'haltless', + 'halts', + 'halutz', + 'halutzim', + 'halva', + 'halvah', + 'halvahs', + 'halvas', + 'halve', + 'halved', + 'halvers', + 'halves', + 'halving', + 'halyard', + 'halyards', + 'ham', + 'hamada', + 'hamadas', + 'hamadryad', 'hamadryades', 'hamadryads', + 'hamal', + 'hamals', 'hamantasch', 'hamantaschen', + 'hamartia', + 'hamartias', + 'hamate', + 'hamates', + 'hamaul', + 'hamauls', + 'hambone', + 'hamboned', + 'hambones', + 'hamboning', + 'hamburg', + 'hamburger', 'hamburgers', + 'hamburgs', + 'hame', + 'hames', + 'hamlet', + 'hamlets', + 'hammada', + 'hammadas', + 'hammal', + 'hammals', + 'hammed', + 'hammer', + 'hammered', + 'hammerer', + 'hammerers', 'hammerhead', 'hammerheads', + 'hammering', 'hammerless', 'hammerlock', 'hammerlocks', + 'hammers', + 'hammertoe', 'hammertoes', + 'hammier', + 'hammiest', + 'hammily', + 'hamminess', 'hamminesses', + 'hamming', + 'hammock', + 'hammocks', + 'hammy', + 'hamper', + 'hampered', + 'hamperer', + 'hamperers', + 'hampering', + 'hampers', + 'hams', + 'hamster', + 'hamsters', + 'hamstring', 'hamstringing', 'hamstrings', + 'hamstrung', + 'hamular', + 'hamulate', + 'hamuli', + 'hamulose', + 'hamulous', + 'hamulus', + 'hamza', + 'hamzah', + 'hamzahs', + 'hamzas', + 'hanaper', + 'hanapers', + 'hance', + 'hances', + 'hand', + 'handbag', + 'handbags', + 'handball', + 'handballs', 'handbarrow', 'handbarrows', 'handbasket', 'handbaskets', + 'handbell', + 'handbells', + 'handbill', + 'handbills', + 'handblown', + 'handbook', + 'handbooks', 'handbreadth', 'handbreadths', + 'handcar', + 'handcars', + 'handcart', + 'handcarts', + 'handclasp', 'handclasps', + 'handcraft', 'handcrafted', 'handcrafting', 'handcrafts', @@ -25152,277 +66205,1058 @@ export const scrabble_array = [ 'handcraftsmanship', 'handcraftsmanships', 'handcraftsmen', + 'handcuff', 'handcuffed', 'handcuffing', + 'handcuffs', + 'handed', 'handedness', 'handednesses', + 'handfast', 'handfasted', 'handfasting', 'handfastings', + 'handfasts', + 'handful', + 'handfuls', + 'handgrip', + 'handgrips', + 'handgun', + 'handguns', + 'handheld', + 'handhelds', + 'handhold', 'handholding', 'handholdings', + 'handholds', + 'handicap', 'handicapped', 'handicapper', 'handicappers', 'handicapping', + 'handicaps', 'handicraft', 'handicrafter', 'handicrafters', 'handicrafts', 'handicraftsman', 'handicraftsmen', + 'handier', + 'handiest', + 'handily', + 'handiness', 'handinesses', + 'handing', + 'handiwork', 'handiworks', 'handkerchief', 'handkerchiefs', 'handkerchieves', + 'handle', 'handleable', + 'handlebar', 'handlebars', + 'handled', 'handleless', + 'handler', + 'handlers', + 'handles', + 'handless', + 'handlike', + 'handling', + 'handlings', + 'handlist', + 'handlists', + 'handloom', + 'handlooms', + 'handmade', + 'handmaid', 'handmaiden', 'handmaidens', + 'handmaids', + 'handoff', + 'handoffs', + 'handout', + 'handouts', + 'handover', + 'handovers', + 'handpick', 'handpicked', 'handpicking', + 'handpicks', + 'handpress', 'handpresses', + 'handprint', 'handprints', + 'handrail', 'handrailing', 'handrailings', + 'handrails', + 'hands', + 'handsaw', + 'handsaws', 'handsbreadth', 'handsbreadths', + 'handsel', + 'handseled', 'handseling', 'handselled', 'handselling', + 'handsels', + 'handset', + 'handsets', + 'handsewn', + 'handsful', + 'handshake', 'handshakes', + 'handsome', 'handsomely', 'handsomeness', 'handsomenesses', + 'handsomer', 'handsomest', + 'handspike', 'handspikes', 'handspring', 'handsprings', + 'handstand', 'handstands', + 'handwheel', 'handwheels', + 'handwork', 'handworker', 'handworkers', + 'handworks', + 'handwoven', 'handwringer', 'handwringers', 'handwringing', 'handwringings', + 'handwrit', + 'handwrite', 'handwrites', 'handwriting', 'handwritings', 'handwritten', + 'handwrote', 'handwrought', + 'handy', + 'handyman', + 'handymen', 'handyperson', 'handypersons', + 'hang', + 'hangable', + 'hangar', + 'hangared', + 'hangaring', + 'hangars', + 'hangbird', + 'hangbirds', + 'hangdog', + 'hangdogs', + 'hanged', + 'hanger', + 'hangers', + 'hangfire', + 'hangfires', + 'hanging', + 'hangings', + 'hangman', + 'hangmen', + 'hangnail', + 'hangnails', + 'hangnest', + 'hangnests', + 'hangout', + 'hangouts', + 'hangover', + 'hangovers', + 'hangs', + 'hangtag', + 'hangtags', + 'hangul', + 'hangup', + 'hangups', + 'haniwa', + 'hank', + 'hanked', + 'hanker', + 'hankered', + 'hankerer', + 'hankerers', + 'hankering', + 'hankers', + 'hankie', + 'hankies', + 'hanking', + 'hanks', + 'hanky', + 'hansa', + 'hansas', + 'hanse', + 'hansel', + 'hanseled', + 'hanseling', + 'hanselled', 'hanselling', + 'hansels', + 'hanses', + 'hansom', + 'hansoms', + 'hant', + 'hanted', + 'hanting', + 'hantle', + 'hantles', + 'hants', + 'hanuman', + 'hanumans', + 'hao', + 'haole', + 'haoles', + 'hap', + 'hapax', + 'hapaxes', + 'haphazard', 'haphazardly', 'haphazardness', 'haphazardnesses', 'haphazardries', 'haphazardry', 'haphazards', + 'haphtara', + 'haphtaras', + 'haphtarot', 'haphtaroth', + 'hapless', + 'haplessly', 'haplessness', 'haplessnesses', + 'haplite', + 'haplites', + 'haploid', 'haploidies', + 'haploids', + 'haploidy', 'haplologies', + 'haplology', + 'haplont', + 'haplontic', + 'haplonts', + 'haplopia', + 'haplopias', + 'haploses', + 'haplosis', + 'haplotype', 'haplotypes', + 'haply', + 'happed', + 'happen', 'happenchance', 'happenchances', + 'happened', + 'happening', 'happenings', + 'happens', 'happenstance', 'happenstances', + 'happier', + 'happiest', + 'happily', + 'happiness', 'happinesses', + 'happing', + 'happy', + 'haps', + 'hapten', + 'haptene', + 'haptenes', + 'haptenic', + 'haptens', + 'haptic', + 'haptical', 'haptoglobin', 'haptoglobins', + 'harangue', + 'harangued', + 'haranguer', 'haranguers', + 'harangues', 'haranguing', + 'harass', + 'harassed', + 'harasser', + 'harassers', + 'harasses', + 'harassing', 'harassment', 'harassments', + 'harbinger', 'harbingered', 'harbingering', 'harbingers', + 'harbor', + 'harborage', 'harborages', + 'harbored', + 'harborer', + 'harborers', + 'harborful', 'harborfuls', + 'harboring', 'harborless', 'harbormaster', 'harbormasters', + 'harbors', 'harborside', + 'harbour', + 'harboured', 'harbouring', + 'harbours', + 'hard', + 'hardback', + 'hardbacks', + 'hardball', + 'hardballs', + 'hardboard', 'hardboards', + 'hardboot', + 'hardboots', + 'hardbound', + 'hardcase', + 'hardcore', + 'hardcover', 'hardcovers', + 'hardedge', + 'hardedges', + 'harden', + 'hardened', + 'hardener', + 'hardeners', + 'hardening', 'hardenings', + 'hardens', + 'harder', + 'hardest', 'hardfisted', + 'hardhack', + 'hardhacks', 'hardhanded', 'hardhandedness', 'hardhandednesses', + 'hardhat', + 'hardhats', + 'hardhead', 'hardheaded', 'hardheadedly', 'hardheadedness', 'hardheadednesses', + 'hardheads', 'hardhearted', 'hardheartedness', 'hardheartednesses', + 'hardier', + 'hardies', + 'hardiest', + 'hardihood', 'hardihoods', + 'hardily', + 'hardiment', 'hardiments', + 'hardiness', 'hardinesses', 'hardinggrass', 'hardinggrasses', + 'hardline', + 'hardly', 'hardmouthed', + 'hardness', 'hardnesses', + 'hardnose', + 'hardnoses', + 'hardpan', + 'hardpans', + 'hards', 'hardscrabble', + 'hardset', + 'hardship', + 'hardships', + 'hardstand', 'hardstanding', 'hardstandings', 'hardstands', + 'hardtack', + 'hardtacks', + 'hardtop', + 'hardtops', + 'hardware', + 'hardwares', + 'hardwire', + 'hardwired', + 'hardwires', 'hardwiring', + 'hardwood', + 'hardwoods', 'hardworking', + 'hardy', + 'hare', + 'harebell', + 'harebells', 'harebrained', + 'hared', + 'hareem', + 'hareems', + 'harelike', + 'harelip', + 'harelips', + 'harem', + 'harems', + 'hares', + 'hariana', + 'harianas', + 'haricot', + 'haricots', + 'harijan', + 'harijans', + 'haring', + 'hark', + 'harked', + 'harken', + 'harkened', + 'harkener', + 'harkeners', + 'harkening', + 'harkens', + 'harking', + 'harks', + 'harl', + 'harlequin', 'harlequinade', 'harlequinades', 'harlequins', + 'harlot', 'harlotries', + 'harlotry', + 'harlots', + 'harls', + 'harm', + 'harmattan', 'harmattans', + 'harmed', + 'harmer', + 'harmers', + 'harmful', + 'harmfully', 'harmfulness', 'harmfulnesses', + 'harmin', + 'harmine', + 'harmines', + 'harming', + 'harmins', + 'harmless', 'harmlessly', 'harmlessness', 'harmlessnesses', + 'harmonic', + 'harmonica', 'harmonically', 'harmonicas', 'harmonicist', 'harmonicists', + 'harmonics', + 'harmonies', 'harmonious', 'harmoniously', 'harmoniousness', 'harmoniousnesses', + 'harmonise', 'harmonised', 'harmonises', 'harmonising', + 'harmonium', 'harmoniums', 'harmonization', 'harmonizations', + 'harmonize', 'harmonized', 'harmonizer', 'harmonizers', 'harmonizes', 'harmonizing', + 'harmony', + 'harms', + 'harness', + 'harnessed', + 'harnesses', 'harnessing', + 'harp', + 'harped', + 'harper', + 'harpers', + 'harpies', + 'harpin', + 'harping', + 'harpings', + 'harpins', + 'harpist', + 'harpists', + 'harpoon', + 'harpooned', + 'harpooner', 'harpooners', 'harpooning', + 'harpoons', + 'harps', 'harpsichord', 'harpsichordist', 'harpsichordists', 'harpsichords', + 'harpy', + 'harquebus', 'harquebuses', 'harquebusier', 'harquebusiers', + 'harridan', + 'harridans', + 'harried', + 'harrier', + 'harriers', + 'harries', + 'harrow', + 'harrowed', + 'harrower', + 'harrowers', + 'harrowing', + 'harrows', + 'harrumph', 'harrumphed', 'harrumphing', + 'harrumphs', + 'harry', + 'harrying', + 'harsh', + 'harshen', + 'harshened', 'harshening', + 'harshens', + 'harsher', + 'harshest', + 'harshly', + 'harshness', 'harshnesses', + 'harslet', + 'harslets', + 'hart', + 'hartal', + 'hartals', 'hartebeest', 'hartebeests', + 'harts', + 'hartshorn', 'hartshorns', + 'harumph', + 'harumphed', 'harumphing', + 'harumphs', + 'haruspex', 'haruspication', 'haruspications', 'haruspices', + 'harvest', 'harvestable', + 'harvested', + 'harvester', 'harvesters', 'harvesting', 'harvestman', 'harvestmen', + 'harvests', 'harvesttime', 'harvesttimes', + 'has', 'hasenpfeffer', 'hasenpfeffers', + 'hash', + 'hashed', + 'hasheesh', 'hasheeshes', + 'hashes', + 'hashhead', + 'hashheads', + 'hashing', + 'hashish', + 'hashishes', + 'haslet', + 'haslets', + 'hasp', + 'hasped', + 'hasping', + 'hasps', + 'hassel', + 'hassels', + 'hassle', + 'hassled', + 'hassles', + 'hassling', + 'hassock', + 'hassocks', + 'hast', + 'hastate', + 'haste', + 'hasted', + 'hasteful', + 'hasten', + 'hastened', + 'hastener', + 'hasteners', + 'hastening', + 'hastens', + 'hastes', + 'hastier', + 'hastiest', + 'hastily', + 'hastiness', 'hastinesses', + 'hasting', + 'hasty', + 'hat', + 'hatable', + 'hatband', + 'hatbands', + 'hatbox', + 'hatboxes', + 'hatch', 'hatchabilities', 'hatchability', + 'hatchable', + 'hatchback', 'hatchbacks', + 'hatcheck', + 'hatched', + 'hatchel', + 'hatcheled', 'hatcheling', 'hatchelled', 'hatchelling', + 'hatchels', + 'hatcher', 'hatcheries', + 'hatchers', + 'hatchery', + 'hatches', + 'hatchet', + 'hatchets', + 'hatching', + 'hatchings', + 'hatchling', 'hatchlings', + 'hatchment', 'hatchments', + 'hatchway', + 'hatchways', + 'hate', + 'hateable', + 'hated', + 'hateful', + 'hatefully', 'hatefulness', 'hatefulnesses', 'hatemonger', 'hatemongers', + 'hater', + 'haters', + 'hates', + 'hatful', + 'hatfuls', + 'hath', + 'hating', + 'hatless', + 'hatlike', + 'hatmaker', + 'hatmakers', + 'hatpin', + 'hatpins', + 'hatrack', + 'hatracks', + 'hatred', + 'hatreds', + 'hats', + 'hatsful', + 'hatted', + 'hatter', + 'hatteria', + 'hatterias', + 'hatters', + 'hatting', + 'hauberk', + 'hauberks', + 'haugh', + 'haughs', + 'haughtier', 'haughtiest', + 'haughtily', 'haughtiness', 'haughtinesses', + 'haughty', + 'haul', + 'haulage', + 'haulages', + 'hauled', + 'hauler', + 'haulers', + 'haulier', + 'hauliers', + 'hauling', + 'haulm', + 'haulmier', + 'haulmiest', + 'haulms', + 'haulmy', + 'hauls', + 'haulyard', + 'haulyards', + 'haunch', + 'haunched', + 'haunches', + 'haunt', + 'haunted', + 'haunter', + 'haunters', + 'haunting', 'hauntingly', + 'haunts', + 'hausen', + 'hausens', + 'hausfrau', 'hausfrauen', + 'hausfraus', + 'haustella', 'haustellum', + 'haustoria', 'haustorial', 'haustorium', + 'haut', + 'hautbois', + 'hautboy', + 'hautboys', + 'haute', + 'hauteur', + 'hauteurs', + 'havarti', + 'havartis', + 'havdalah', + 'havdalahs', + 'have', + 'havelock', + 'havelocks', + 'haven', + 'havened', + 'havening', + 'havens', + 'haver', + 'havered', + 'haverel', + 'haverels', + 'havering', + 'havers', + 'haversack', 'haversacks', + 'haves', + 'having', + 'havior', + 'haviors', + 'haviour', + 'haviours', + 'havoc', + 'havocked', + 'havocker', + 'havockers', + 'havocking', + 'havocs', + 'haw', + 'hawed', + 'hawfinch', 'hawfinches', + 'hawing', + 'hawk', + 'hawkbill', + 'hawkbills', + 'hawked', + 'hawker', + 'hawkers', + 'hawkey', + 'hawkeyed', + 'hawkeys', + 'hawkie', + 'hawkies', + 'hawking', + 'hawkings', + 'hawkish', + 'hawkishly', 'hawkishness', 'hawkishnesses', + 'hawklike', + 'hawkmoth', + 'hawkmoths', + 'hawknose', + 'hawknoses', + 'hawks', + 'hawksbill', 'hawksbills', + 'hawkshaw', + 'hawkshaws', + 'hawkweed', + 'hawkweeds', + 'haws', + 'hawse', + 'hawsehole', 'hawseholes', + 'hawser', + 'hawsers', + 'hawses', + 'hawthorn', + 'hawthorns', + 'hay', + 'haycock', + 'haycocks', + 'hayed', + 'hayer', + 'hayers', + 'hayfield', + 'hayfields', + 'hayfork', + 'hayforks', + 'haying', + 'hayings', + 'haylage', + 'haylages', + 'hayloft', + 'haylofts', + 'haymaker', + 'haymakers', + 'haymow', + 'haymows', + 'hayrack', + 'hayracks', + 'hayrick', + 'hayricks', + 'hayride', + 'hayrides', + 'hays', + 'hayseed', + 'hayseeds', + 'haystack', + 'haystacks', + 'hayward', + 'haywards', + 'haywire', + 'haywires', + 'hazan', + 'hazanim', + 'hazans', + 'hazard', + 'hazarded', + 'hazarding', + 'hazardous', 'hazardously', 'hazardousness', 'hazardousnesses', + 'hazards', + 'haze', + 'hazed', + 'hazel', + 'hazelhen', + 'hazelhens', + 'hazelly', + 'hazelnut', + 'hazelnuts', + 'hazels', + 'hazer', + 'hazers', + 'hazes', + 'hazier', + 'haziest', + 'hazily', + 'haziness', 'hazinesses', + 'hazing', + 'hazings', + 'hazy', + 'hazzan', + 'hazzanim', + 'hazzans', + 'he', + 'head', + 'headache', + 'headaches', 'headachier', 'headachiest', + 'headachy', + 'headband', + 'headbands', + 'headboard', 'headboards', 'headcheese', 'headcheeses', + 'headdress', 'headdresses', + 'headed', + 'header', + 'headers', + 'headfirst', + 'headfish', 'headfishes', 'headforemost', + 'headgate', + 'headgates', + 'headgear', + 'headgears', + 'headhunt', 'headhunted', 'headhunter', 'headhunters', 'headhunting', + 'headhunts', + 'headier', + 'headiest', + 'headily', + 'headiness', 'headinesses', + 'heading', + 'headings', + 'headlamp', + 'headlamps', + 'headland', + 'headlands', + 'headless', 'headlessness', 'headlessnesses', + 'headlight', 'headlights', + 'headline', + 'headlined', + 'headliner', 'headliners', + 'headlines', 'headlining', + 'headlock', + 'headlocks', + 'headlong', + 'headman', 'headmaster', 'headmasters', 'headmastership', 'headmasterships', + 'headmen', 'headmistress', 'headmistresses', + 'headmost', + 'headnote', + 'headnotes', + 'headphone', 'headphones', + 'headpiece', 'headpieces', + 'headpin', + 'headpins', 'headquarter', 'headquartered', 'headquartering', 'headquarters', + 'headrace', + 'headraces', + 'headrest', + 'headrests', + 'headroom', + 'headrooms', + 'heads', + 'headsail', + 'headsails', + 'headset', + 'headsets', + 'headship', + 'headships', 'headshrinker', 'headshrinkers', + 'headsman', + 'headsmen', + 'headspace', 'headspaces', 'headspring', 'headsprings', + 'headstall', 'headstalls', + 'headstand', 'headstands', + 'headstay', + 'headstays', + 'headstock', 'headstocks', + 'headstone', 'headstones', 'headstream', 'headstreams', 'headstrong', 'headwaiter', 'headwaiters', + 'headwater', 'headwaters', + 'headway', + 'headways', + 'headwind', + 'headwinds', + 'headword', + 'headwords', + 'headwork', + 'headworks', + 'heady', + 'heal', + 'healable', + 'healed', + 'healer', + 'healers', + 'healing', + 'heals', + 'health', + 'healthful', 'healthfully', 'healthfulness', 'healthfulnesses', + 'healthier', 'healthiest', + 'healthily', 'healthiness', 'healthinesses', + 'healths', + 'healthy', + 'heap', + 'heaped', + 'heaping', + 'heaps', + 'hear', + 'hearable', + 'heard', + 'hearer', + 'hearers', + 'hearing', + 'hearings', + 'hearken', + 'hearkened', 'hearkening', + 'hearkens', + 'hears', + 'hearsay', + 'hearsays', + 'hearse', + 'hearsed', + 'hearses', + 'hearsing', + 'heart', + 'heartache', 'heartaches', + 'heartbeat', 'heartbeats', 'heartbreak', 'heartbreaker', @@ -25431,33 +67265,63 @@ export const scrabble_array = [ 'heartbreakingly', 'heartbreaks', 'heartbroken', + 'heartburn', 'heartburning', 'heartburnings', 'heartburns', + 'hearted', + 'hearten', + 'heartened', 'heartening', 'hearteningly', + 'heartens', + 'heartfelt', + 'hearth', + 'hearths', 'hearthstone', 'hearthstones', + 'heartier', + 'hearties', + 'heartiest', + 'heartily', 'heartiness', 'heartinesses', + 'hearting', + 'heartland', 'heartlands', + 'heartless', 'heartlessly', 'heartlessness', 'heartlessnesses', 'heartrending', 'heartrendingly', + 'hearts', 'heartsease', 'heartseases', + 'heartsick', 'heartsickness', 'heartsicknesses', + 'heartsome', 'heartsomely', + 'heartsore', 'heartstring', 'heartstrings', 'heartthrob', 'heartthrobs', 'heartwarming', + 'heartwood', 'heartwoods', + 'heartworm', 'heartworms', + 'hearty', + 'heat', + 'heatable', + 'heated', + 'heatedly', + 'heater', + 'heaters', + 'heath', + 'heathen', 'heathendom', 'heathendoms', 'heathenish', @@ -25468,36 +67332,98 @@ export const scrabble_array = [ 'heathenized', 'heathenizes', 'heathenizing', + 'heathens', + 'heather', + 'heathers', + 'heathery', + 'heathier', + 'heathiest', + 'heathland', 'heathlands', + 'heathless', + 'heathlike', + 'heaths', + 'heathy', + 'heating', + 'heatless', + 'heatproof', + 'heats', 'heatstroke', 'heatstrokes', + 'heaume', + 'heaumes', + 'heave', + 'heaved', + 'heaven', 'heavenlier', 'heavenliest', 'heavenliness', 'heavenlinesses', + 'heavenly', + 'heavens', 'heavenward', 'heavenwards', + 'heaver', + 'heavers', + 'heaves', + 'heavier', + 'heavies', + 'heaviest', + 'heavily', + 'heaviness', 'heavinesses', + 'heaving', + 'heavy', 'heavyhearted', 'heavyheartedly', 'heavyheartedness', 'heavyheartednesses', + 'heavyset', 'heavyweight', 'heavyweights', + 'hebdomad', 'hebdomadal', 'hebdomadally', + 'hebdomads', + 'hebe', 'hebephrenia', 'hebephrenias', 'hebephrenic', 'hebephrenics', + 'hebes', + 'hebetate', + 'hebetated', + 'hebetates', 'hebetating', 'hebetation', 'hebetations', + 'hebetic', + 'hebetude', + 'hebetudes', 'hebetudinous', 'hebraization', 'hebraizations', + 'hebraize', + 'hebraized', + 'hebraizes', 'hebraizing', + 'hecatomb', + 'hecatombs', + 'heck', + 'heckle', + 'heckled', + 'heckler', + 'hecklers', + 'heckles', + 'heckling', + 'hecks', + 'hectare', + 'hectares', + 'hectic', + 'hectical', 'hectically', + 'hecticly', + 'hectogram', 'hectograms', 'hectograph', 'hectographed', @@ -25507,40 +67433,188 @@ export const scrabble_array = [ 'hectoliters', 'hectometer', 'hectometers', + 'hector', + 'hectored', + 'hectoring', 'hectoringly', + 'hectors', + 'heddle', + 'heddles', + 'heder', + 'heders', + 'hedge', + 'hedged', + 'hedgehog', + 'hedgehogs', + 'hedgehop', 'hedgehopped', 'hedgehopper', 'hedgehoppers', 'hedgehopping', + 'hedgehops', + 'hedgepig', + 'hedgepigs', + 'hedger', + 'hedgerow', + 'hedgerows', + 'hedgers', + 'hedges', + 'hedgier', + 'hedgiest', + 'hedging', + 'hedgingly', + 'hedgy', + 'hedonic', 'hedonically', + 'hedonics', + 'hedonism', + 'hedonisms', + 'hedonist', 'hedonistic', 'hedonistically', + 'hedonists', + 'heed', + 'heeded', + 'heeder', + 'heeders', + 'heedful', + 'heedfully', 'heedfulness', 'heedfulnesses', + 'heeding', + 'heedless', 'heedlessly', 'heedlessness', 'heedlessnesses', + 'heeds', + 'heehaw', + 'heehawed', + 'heehawing', + 'heehaws', + 'heel', + 'heelball', + 'heelballs', + 'heeled', + 'heeler', + 'heelers', + 'heeling', + 'heelings', + 'heelless', + 'heelpiece', 'heelpieces', + 'heelpost', + 'heelposts', + 'heels', + 'heeltap', + 'heeltaps', + 'heeze', + 'heezed', + 'heezes', + 'heezing', + 'heft', + 'hefted', + 'hefter', + 'hefters', + 'heftier', + 'heftiest', + 'heftily', + 'heftiness', 'heftinesses', + 'hefting', + 'hefts', + 'hefty', + 'hegari', + 'hegaris', + 'hegemonic', 'hegemonies', + 'hegemony', + 'hegira', + 'hegiras', + 'hegumen', + 'hegumene', + 'hegumenes', 'hegumenies', + 'hegumens', + 'hegumeny', + 'heh', + 'hehs', + 'heifer', + 'heifers', + 'heigh', + 'height', + 'heighten', 'heightened', 'heightening', + 'heightens', + 'heighth', + 'heighths', + 'heights', + 'heil', + 'heiled', + 'heiling', + 'heils', + 'heimish', + 'heinie', + 'heinies', + 'heinous', + 'heinously', 'heinousness', 'heinousnesses', + 'heir', + 'heirdom', + 'heirdoms', + 'heired', + 'heiress', + 'heiresses', + 'heiring', + 'heirless', + 'heirloom', + 'heirlooms', + 'heirs', + 'heirship', + 'heirships', + 'heishi', + 'heist', + 'heisted', + 'heister', + 'heisters', + 'heisting', + 'heists', + 'hejira', + 'hejiras', + 'hektare', + 'hektares', + 'held', 'heldentenor', 'heldentenors', + 'heliac', + 'heliacal', 'heliacally', + 'heliast', + 'heliasts', + 'helical', + 'helically', + 'helices', 'helicities', + 'helicity', + 'helicoid', 'helicoidal', + 'helicoids', + 'helicon', + 'helicons', + 'helicopt', 'helicopted', 'helicopter', 'helicoptered', 'helicoptering', 'helicopters', 'helicopting', + 'helicopts', + 'helilift', 'helilifted', 'helilifting', + 'helilifts', + 'helio', 'heliocentric', 'heliograph', 'heliographed', @@ -25554,42 +67628,132 @@ export const scrabble_array = [ 'heliometers', 'heliometric', 'heliometrically', + 'helios', + 'heliostat', 'heliostats', 'heliotrope', 'heliotropes', 'heliotropic', 'heliotropism', 'heliotropisms', + 'heliozoan', 'heliozoans', + 'helipad', + 'helipads', + 'heliport', + 'heliports', + 'helistop', + 'helistops', + 'helium', + 'heliums', + 'helix', + 'helixes', + 'hell', 'hellacious', 'hellaciously', 'hellbender', 'hellbenders', + 'hellbent', + 'hellbox', + 'hellboxes', + 'hellbroth', 'hellbroths', + 'hellcat', + 'hellcats', + 'hellebore', 'hellebores', + 'helled', 'hellenization', 'hellenizations', + 'hellenize', 'hellenized', 'hellenizes', 'hellenizing', + 'heller', + 'helleri', + 'helleries', + 'hellers', + 'hellery', + 'hellfire', + 'hellfires', 'hellgrammite', 'hellgrammites', + 'hellhole', + 'hellholes', + 'hellhound', 'hellhounds', + 'helling', + 'hellion', + 'hellions', + 'hellish', + 'hellishly', 'hellishness', 'hellishnesses', + 'hellkite', + 'hellkites', + 'hello', + 'helloed', + 'helloes', + 'helloing', + 'hellos', + 'hells', + 'helluva', + 'helm', + 'helmed', + 'helmet', + 'helmeted', + 'helmeting', 'helmetlike', + 'helmets', + 'helming', + 'helminth', 'helminthiases', 'helminthiasis', 'helminthic', 'helminthologies', 'helminthology', + 'helminths', + 'helmless', + 'helms', + 'helmsman', 'helmsmanship', 'helmsmanships', + 'helmsmen', + 'helo', + 'helos', + 'helot', + 'helotage', + 'helotages', + 'helotism', + 'helotisms', + 'helotries', + 'helotry', + 'helots', + 'help', + 'helpable', + 'helped', + 'helper', + 'helpers', + 'helpful', + 'helpfully', 'helpfulness', 'helpfulnesses', + 'helping', + 'helpings', + 'helpless', 'helplessly', 'helplessness', 'helplessnesses', + 'helpmate', + 'helpmates', + 'helpmeet', + 'helpmeets', + 'helps', + 'helve', + 'helved', + 'helves', + 'helving', + 'hem', 'hemacytometer', 'hemacytometers', 'hemagglutinate', @@ -25600,19 +67764,38 @@ export const scrabble_array = [ 'hemagglutinations', 'hemagglutinin', 'hemagglutinins', + 'hemagog', + 'hemagogs', + 'hemal', 'hemangioma', 'hemangiomas', 'hemangiomata', + 'hematal', + 'hematein', + 'hemateins', + 'hematic', + 'hematics', + 'hematin', + 'hematine', + 'hematines', + 'hematinic', 'hematinics', + 'hematins', + 'hematite', + 'hematites', + 'hematitic', 'hematocrit', 'hematocrits', 'hematogenous', + 'hematoid', 'hematologic', 'hematological', 'hematologies', 'hematologist', 'hematologists', 'hematology', + 'hematoma', + 'hematomas', 'hematomata', 'hematophagous', 'hematopoieses', @@ -25622,18 +67805,24 @@ export const scrabble_array = [ 'hematoporphyrins', 'hematoxylin', 'hematoxylins', + 'hematuria', 'hematurias', + 'heme', + 'hemelytra', 'hemelytron', 'hemerocallis', 'hemerocallises', 'hemerythrin', 'hemerythrins', + 'hemes', 'hemiacetal', 'hemiacetals', + 'hemic', 'hemicellulose', 'hemicelluloses', 'hemichordate', 'hemichordates', + 'hemicycle', 'hemicycles', 'hemidemisemiquaver', 'hemidemisemiquavers', @@ -25645,24 +67834,45 @@ export const scrabble_array = [ 'hemimorphic', 'hemimorphism', 'hemimorphisms', + 'hemin', + 'hemins', + 'hemiola', + 'hemiolas', + 'hemiolia', + 'hemiolias', 'hemiplegia', 'hemiplegias', 'hemiplegic', 'hemiplegics', + 'hemipter', 'hemipteran', 'hemipterans', 'hemipterous', + 'hemipters', 'hemisphere', 'hemispheres', 'hemispheric', 'hemispherical', + 'hemistich', 'hemistichs', 'hemizygous', + 'hemline', + 'hemlines', + 'hemlock', + 'hemlocks', + 'hemmed', + 'hemmer', + 'hemmers', + 'hemming', 'hemochromatoses', 'hemochromatosis', 'hemochromatosises', + 'hemocoel', + 'hemocoels', 'hemocyanin', 'hemocyanins', + 'hemocyte', + 'hemocytes', 'hemocytometer', 'hemocytometers', 'hemodialyses', @@ -25681,8 +67891,17 @@ export const scrabble_array = [ 'hemoglobinuria', 'hemoglobinurias', 'hemoglobinuric', + 'hemoid', + 'hemolymph', 'hemolymphs', + 'hemolyses', + 'hemolysin', 'hemolysins', + 'hemolysis', + 'hemolytic', + 'hemolyze', + 'hemolyzed', + 'hemolyzes', 'hemolyzing', 'hemophilia', 'hemophiliac', @@ -25710,35 +67929,102 @@ export const scrabble_array = [ 'hemosiderins', 'hemostases', 'hemostasis', + 'hemostat', 'hemostatic', 'hemostatics', + 'hemostats', + 'hemp', + 'hempen', + 'hempie', + 'hempier', + 'hempiest', + 'hemplike', + 'hemps', + 'hempseed', + 'hempseeds', + 'hempweed', + 'hempweeds', + 'hempy', + 'hems', + 'hemstitch', 'hemstitched', 'hemstitcher', 'hemstitchers', 'hemstitches', 'hemstitching', + 'hen', + 'henbane', + 'henbanes', + 'henbit', + 'henbits', + 'hence', 'henceforth', 'henceforward', + 'henchman', + 'henchmen', + 'hencoop', + 'hencoops', 'hendecasyllabic', 'hendecasyllabics', 'hendecasyllable', 'hendecasyllables', + 'hendiadys', 'hendiadyses', + 'henequen', + 'henequens', + 'henequin', + 'henequins', + 'henhouse', + 'henhouses', + 'heniquen', + 'heniquens', + 'henlike', + 'henna', + 'hennaed', + 'hennaing', + 'hennas', + 'henneries', + 'hennery', 'henotheism', 'henotheisms', 'henotheist', 'henotheistic', 'henotheists', + 'henpeck', + 'henpecked', 'henpecking', + 'henpecks', + 'henries', + 'henry', + 'henrys', + 'hens', + 'hent', + 'hented', + 'henting', + 'hents', + 'hep', + 'heparin', 'heparinized', + 'heparins', 'hepatectomies', 'hepatectomized', 'hepatectomy', + 'hepatic', + 'hepatica', + 'hepaticae', + 'hepaticas', + 'hepatics', 'hepatitides', + 'hepatitis', + 'hepatize', + 'hepatized', + 'hepatizes', 'hepatizing', 'hepatocellular', 'hepatocyte', 'hepatocytes', + 'hepatoma', + 'hepatomas', 'hepatomata', 'hepatomegalies', 'hepatomegaly', @@ -25747,26 +68033,87 @@ export const scrabble_array = [ 'hepatotoxic', 'hepatotoxicities', 'hepatotoxicity', + 'hepcat', + 'hepcats', 'heptachlor', 'heptachlors', + 'heptad', + 'heptads', + 'heptagon', 'heptagonal', + 'heptagons', 'heptameter', 'heptameters', + 'heptane', + 'heptanes', + 'heptarch', 'heptarchies', + 'heptarchs', + 'heptarchy', + 'heptose', + 'heptoses', + 'her', + 'herald', + 'heralded', + 'heraldic', 'heraldically', + 'heralding', 'heraldries', + 'heraldry', + 'heralds', + 'herb', 'herbaceous', + 'herbage', + 'herbages', + 'herbal', + 'herbalist', 'herbalists', + 'herbals', + 'herbaria', + 'herbarium', 'herbariums', + 'herbed', 'herbicidal', 'herbicidally', + 'herbicide', 'herbicides', + 'herbier', + 'herbiest', + 'herbivore', 'herbivores', 'herbivories', 'herbivorous', + 'herbivory', + 'herbless', + 'herblike', + 'herbs', + 'herby', + 'herculean', + 'hercules', 'herculeses', + 'herd', + 'herded', + 'herder', + 'herders', + 'herdic', + 'herdics', + 'herding', + 'herdlike', + 'herdman', + 'herdmen', + 'herds', + 'herdsman', + 'herdsmen', + 'here', + 'hereabout', 'hereabouts', + 'hereafter', 'hereafters', + 'hereat', + 'hereaway', + 'hereaways', + 'hereby', + 'heredes', 'hereditament', 'hereditaments', 'hereditarian', @@ -25774,20 +68121,52 @@ export const scrabble_array = [ 'hereditarily', 'hereditary', 'heredities', + 'heredity', + 'herein', 'hereinabove', 'hereinafter', 'hereinbefore', 'hereinbelow', + 'hereinto', + 'hereof', + 'hereon', + 'heres', 'heresiarch', 'heresiarchs', + 'heresies', + 'heresy', + 'heretic', + 'heretical', 'heretically', + 'heretics', + 'hereto', 'heretofore', 'heretrices', + 'heretrix', 'heretrixes', + 'hereunder', + 'hereunto', + 'hereupon', + 'herewith', + 'heriot', + 'heriots', 'heritabilities', 'heritability', + 'heritable', + 'heritage', + 'heritages', + 'heritor', + 'heritors', 'heritrices', + 'heritrix', 'heritrixes', + 'herl', + 'herls', + 'herm', + 'herma', + 'hermae', + 'hermaean', + 'hermai', 'hermaphrodite', 'hermaphrodites', 'hermaphroditic', @@ -25798,24 +68177,66 @@ export const scrabble_array = [ 'hermeneutical', 'hermeneutically', 'hermeneutics', + 'hermetic', 'hermetical', 'hermetically', 'hermeticism', 'hermeticisms', + 'hermetism', 'hermetisms', + 'hermetist', 'hermetists', + 'hermit', + 'hermitage', 'hermitages', + 'hermitic', + 'hermitism', 'hermitisms', 'hermitries', + 'hermitry', + 'hermits', + 'herms', + 'hern', + 'hernia', + 'herniae', + 'hernial', + 'hernias', + 'herniate', + 'herniated', + 'herniates', 'herniating', 'herniation', 'herniations', + 'herns', + 'hero', + 'heroes', + 'heroic', + 'heroical', 'heroically', 'heroicomic', 'heroicomical', + 'heroics', + 'heroin', + 'heroine', + 'heroines', + 'heroinism', 'heroinisms', + 'heroins', + 'heroism', + 'heroisms', + 'heroize', + 'heroized', + 'heroizes', + 'heroizing', + 'heron', + 'heronries', + 'heronry', + 'herons', + 'heros', + 'herpes', 'herpesvirus', 'herpesviruses', + 'herpetic', 'herpetological', 'herpetologies', 'herpetologist', @@ -25823,15 +68244,34 @@ export const scrabble_array = [ 'herpetology', 'herrenvolk', 'herrenvolks', + 'herried', + 'herries', + 'herring', 'herringbone', 'herringboned', 'herringbones', 'herringboning', + 'herrings', + 'herry', + 'herrying', + 'hers', + 'herself', 'herstories', + 'herstory', + 'hertz', + 'hertzes', + 'hes', + 'hesitance', 'hesitances', 'hesitancies', + 'hesitancy', + 'hesitant', 'hesitantly', + 'hesitate', + 'hesitated', + 'hesitater', 'hesitaters', + 'hesitates', 'hesitating', 'hesitatingly', 'hesitation', @@ -25840,7 +68280,23 @@ export const scrabble_array = [ 'hesperidin', 'hesperidins', 'hesperidium', + 'hessian', + 'hessians', + 'hessite', + 'hessites', + 'hessonite', 'hessonites', + 'hest', + 'hests', + 'het', + 'hetaera', + 'hetaerae', + 'hetaeras', + 'hetaeric', + 'hetaira', + 'hetairai', + 'hetairas', + 'hetero', 'heteroatom', 'heteroatoms', 'heteroauxin', @@ -25858,6 +68314,7 @@ export const scrabble_array = [ 'heterocyst', 'heterocystous', 'heterocysts', + 'heterodox', 'heterodoxies', 'heterodoxy', 'heteroduplex', @@ -25908,6 +68365,7 @@ export const scrabble_array = [ 'heteronomies', 'heteronomous', 'heteronomy', + 'heteronym', 'heteronyms', 'heterophil', 'heterophile', @@ -25921,17 +68379,21 @@ export const scrabble_array = [ 'heteroploids', 'heteroploidy', 'heteropterous', + 'heteros', + 'heteroses', 'heterosexual', 'heterosexualities', 'heterosexuality', 'heterosexually', 'heterosexuals', + 'heterosis', 'heterospories', 'heterosporous', 'heterospory', 'heterothallic', 'heterothallism', 'heterothallisms', + 'heterotic', 'heterotopic', 'heterotroph', 'heterotrophic', @@ -25947,44 +68409,117 @@ export const scrabble_array = [ 'heterozygote', 'heterozygotes', 'heterozygous', + 'heth', + 'heths', + 'hetman', + 'hetmans', + 'hets', + 'heuch', + 'heuchs', + 'heugh', + 'heughs', 'heulandite', 'heulandites', + 'heuristic', 'heuristically', 'heuristics', + 'hew', + 'hewable', + 'hewed', + 'hewer', + 'hewers', + 'hewing', + 'hewn', + 'hews', + 'hex', 'hexachlorethane', 'hexachlorethanes', 'hexachloroethane', 'hexachloroethanes', 'hexachlorophene', 'hexachlorophenes', + 'hexachord', 'hexachords', + 'hexad', + 'hexade', 'hexadecimal', 'hexadecimals', + 'hexades', + 'hexadic', + 'hexads', + 'hexagon', + 'hexagonal', 'hexagonally', + 'hexagons', + 'hexagram', + 'hexagrams', + 'hexahedra', 'hexahedron', 'hexahedrons', 'hexahydrate', 'hexahydrates', + 'hexameter', 'hexameters', 'hexamethonium', 'hexamethoniums', 'hexamethylenetetramine', 'hexamethylenetetramines', + 'hexamine', + 'hexamines', + 'hexane', + 'hexanes', + 'hexapla', + 'hexaplar', + 'hexaplas', + 'hexaploid', 'hexaploidies', 'hexaploids', 'hexaploidy', + 'hexapod', 'hexapodies', + 'hexapods', + 'hexapody', 'hexarchies', + 'hexarchy', + 'hexed', + 'hexer', + 'hexerei', + 'hexereis', + 'hexers', + 'hexes', + 'hexing', 'hexobarbital', 'hexobarbitals', 'hexokinase', 'hexokinases', + 'hexone', + 'hexones', 'hexosaminidase', 'hexosaminidases', + 'hexosan', + 'hexosans', + 'hexose', + 'hexoses', + 'hexyl', 'hexylresorcinol', 'hexylresorcinols', + 'hexyls', + 'hey', + 'heyday', + 'heydays', + 'heydey', + 'heydeys', + 'hi', + 'hiatal', + 'hiatus', + 'hiatuses', + 'hibachi', + 'hibachis', + 'hibakusha', 'hibernacula', 'hibernaculum', + 'hibernal', + 'hibernate', 'hibernated', 'hibernates', 'hibernating', @@ -25992,16 +68527,65 @@ export const scrabble_array = [ 'hibernations', 'hibernator', 'hibernators', + 'hibiscus', 'hibiscuses', + 'hic', + 'hiccough', 'hiccoughed', 'hiccoughing', + 'hiccoughs', + 'hiccup', + 'hiccuped', + 'hiccuping', + 'hiccupped', 'hiccupping', + 'hiccups', + 'hick', + 'hickey', + 'hickeys', + 'hickies', + 'hickish', + 'hickories', + 'hickory', + 'hicks', + 'hid', + 'hidable', + 'hidalgo', + 'hidalgos', + 'hidden', + 'hiddenite', 'hiddenites', + 'hiddenly', 'hiddenness', 'hiddennesses', + 'hide', + 'hideaway', + 'hideaways', + 'hidebound', + 'hided', + 'hideless', 'hideosities', + 'hideosity', + 'hideous', + 'hideously', 'hideousness', 'hideousnesses', + 'hideout', + 'hideouts', + 'hider', + 'hiders', + 'hides', + 'hiding', + 'hidings', + 'hidroses', + 'hidrosis', + 'hidrotic', + 'hidrotics', + 'hie', + 'hied', + 'hieing', + 'hiemal', + 'hierarch', 'hierarchal', 'hierarchic', 'hierarchical', @@ -26011,7 +68595,11 @@ export const scrabble_array = [ 'hierarchized', 'hierarchizes', 'hierarchizing', + 'hierarchs', + 'hierarchy', + 'hieratic', 'hieratically', + 'hierodule', 'hierodules', 'hieroglyph', 'hieroglyphic', @@ -26022,56 +68610,218 @@ export const scrabble_array = [ 'hierophant', 'hierophantic', 'hierophants', + 'hies', + 'hifalutin', + 'higgle', + 'higgled', + 'higgler', + 'higglers', + 'higgles', + 'higgling', + 'high', + 'highball', 'highballed', 'highballing', + 'highballs', 'highbinder', 'highbinders', + 'highborn', + 'highboy', + 'highboys', + 'highbred', + 'highbrow', 'highbrowed', 'highbrowism', 'highbrowisms', + 'highbrows', + 'highbush', + 'highchair', 'highchairs', + 'higher', + 'highest', 'highfalutin', + 'highflier', 'highfliers', + 'highflyer', 'highflyers', 'highhanded', 'highhandedly', 'highhandedness', 'highhandednesses', + 'highjack', 'highjacked', 'highjacking', + 'highjacks', + 'highland', 'highlander', 'highlanders', + 'highlands', + 'highlife', + 'highlifes', + 'highlight', 'highlighted', 'highlighter', 'highlighters', 'highlighting', 'highlights', + 'highly', + 'highness', 'highnesses', + 'highroad', + 'highroads', + 'highs', + 'highspot', + 'highspots', + 'hight', + 'hightail', 'hightailed', 'hightailing', + 'hightails', + 'highted', + 'highth', + 'highths', + 'highting', + 'hights', + 'highway', 'highwayman', 'highwaymen', + 'highways', + 'hijack', + 'hijacked', + 'hijacker', + 'hijackers', + 'hijacking', 'hijackings', + 'hijacks', + 'hijinks', + 'hike', + 'hiked', + 'hiker', + 'hikers', + 'hikes', + 'hiking', + 'hila', + 'hilar', + 'hilarious', 'hilariously', 'hilariousness', 'hilariousnesses', 'hilarities', + 'hilarity', + 'hilding', + 'hildings', + 'hili', + 'hill', 'hillbillies', + 'hillbilly', + 'hillcrest', 'hillcrests', + 'hilled', + 'hiller', + 'hillers', + 'hillier', + 'hilliest', + 'hilling', + 'hillo', + 'hilloa', + 'hilloaed', + 'hilloaing', + 'hilloas', + 'hillock', + 'hillocks', + 'hillocky', + 'hilloed', + 'hilloes', + 'hilloing', + 'hillos', + 'hills', + 'hillside', + 'hillsides', + 'hilltop', + 'hilltops', + 'hilly', + 'hilt', + 'hilted', + 'hilting', + 'hiltless', + 'hilts', + 'hilum', + 'hilus', + 'him', + 'himatia', + 'himation', + 'himations', + 'himself', + 'hin', + 'hind', + 'hindbrain', 'hindbrains', + 'hinder', + 'hindered', + 'hinderer', + 'hinderers', + 'hindering', + 'hinders', + 'hindgut', + 'hindguts', + 'hindmost', 'hindquarter', 'hindquarters', + 'hindrance', 'hindrances', + 'hinds', + 'hindsight', 'hindsights', + 'hinge', + 'hinged', + 'hinger', + 'hingers', + 'hinges', + 'hinging', + 'hinnied', + 'hinnies', + 'hinny', + 'hinnying', + 'hins', + 'hint', + 'hinted', + 'hinter', 'hinterland', 'hinterlands', + 'hinters', + 'hinting', + 'hints', + 'hip', + 'hipbone', + 'hipbones', + 'hipless', + 'hiplike', + 'hipline', + 'hiplines', + 'hipness', + 'hipnesses', + 'hipparch', + 'hipparchs', + 'hipped', + 'hipper', + 'hippest', + 'hippie', + 'hippiedom', 'hippiedoms', 'hippieness', 'hippienesses', + 'hippier', + 'hippies', + 'hippiest', + 'hippiness', 'hippinesses', + 'hipping', + 'hippish', + 'hippo', 'hippocampal', 'hippocampi', 'hippocampus', + 'hippocras', 'hippocrases', 'hippodrome', 'hippodromes', @@ -26080,20 +68830,79 @@ export const scrabble_array = [ 'hippopotami', 'hippopotamus', 'hippopotamuses', + 'hippos', + 'hippy', + 'hips', + 'hipshot', + 'hipster', 'hipsterism', 'hipsterisms', + 'hipsters', + 'hirable', + 'hiragana', + 'hiraganas', + 'hircine', + 'hire', + 'hireable', + 'hired', + 'hireling', + 'hirelings', + 'hirer', + 'hirers', + 'hires', + 'hiring', + 'hirple', + 'hirpled', + 'hirples', + 'hirpling', + 'hirsel', + 'hirseled', + 'hirseling', + 'hirselled', 'hirselling', + 'hirsels', + 'hirsle', + 'hirsled', + 'hirsles', + 'hirsling', + 'hirsute', 'hirsuteness', 'hirsutenesses', + 'hirsutism', 'hirsutisms', + 'hirudin', + 'hirudins', + 'his', + 'hisn', 'hispanidad', 'hispanidads', + 'hispanism', 'hispanisms', + 'hispid', + 'hiss', + 'hissed', + 'hisself', + 'hisser', + 'hissers', + 'hisses', + 'hissies', + 'hissing', + 'hissings', + 'hissy', + 'hist', + 'histamin', 'histaminase', 'histaminases', + 'histamine', 'histaminergic', 'histamines', + 'histamins', + 'histed', + 'histidin', + 'histidine', 'histidines', + 'histidins', + 'histing', 'histiocyte', 'histiocytes', 'histiocytic', @@ -26103,18 +68912,25 @@ export const scrabble_array = [ 'histochemistry', 'histocompatibilities', 'histocompatibility', + 'histogen', 'histogeneses', 'histogenesis', 'histogenetic', + 'histogens', + 'histogram', 'histograms', + 'histoid', 'histologic', 'histological', 'histologically', 'histologies', 'histologist', 'histologists', + 'histology', 'histolyses', 'histolysis', + 'histone', + 'histones', 'histopathologic', 'histopathological', 'histopathologically', @@ -26129,7 +68945,9 @@ export const scrabble_array = [ 'histoplasmoses', 'histoplasmosis', 'histoplasmosises', + 'historian', 'historians', + 'historic', 'historical', 'historically', 'historicalness', @@ -26144,6 +68962,7 @@ export const scrabble_array = [ 'historicized', 'historicizes', 'historicizing', + 'histories', 'historiographer', 'historiographers', 'historiographic', @@ -26151,61 +68970,361 @@ export const scrabble_array = [ 'historiographically', 'historiographies', 'historiography', + 'history', 'histrionic', 'histrionically', 'histrionics', + 'hists', + 'hit', + 'hitch', + 'hitched', + 'hitcher', + 'hitchers', + 'hitches', + 'hitchhike', 'hitchhiked', 'hitchhiker', 'hitchhikers', 'hitchhikes', 'hitchhiking', + 'hitching', + 'hither', 'hithermost', + 'hitherto', 'hitherward', + 'hitless', + 'hits', + 'hitter', + 'hitters', + 'hitting', + 'hive', + 'hived', + 'hiveless', + 'hives', + 'hiving', + 'hizzoner', + 'hizzoners', + 'hm', + 'hmm', + 'ho', + 'hoactzin', 'hoactzines', + 'hoactzins', + 'hoagie', + 'hoagies', + 'hoagy', + 'hoar', + 'hoard', + 'hoarded', + 'hoarder', + 'hoarders', + 'hoarding', + 'hoardings', + 'hoards', + 'hoarfrost', 'hoarfrosts', + 'hoarier', + 'hoariest', + 'hoarily', + 'hoariness', 'hoarinesses', + 'hoars', + 'hoarse', + 'hoarsely', + 'hoarsen', + 'hoarsened', 'hoarseness', 'hoarsenesses', 'hoarsening', + 'hoarsens', + 'hoarser', + 'hoarsest', + 'hoary', + 'hoatzin', + 'hoatzines', + 'hoatzins', + 'hoax', + 'hoaxed', + 'hoaxer', + 'hoaxers', + 'hoaxes', + 'hoaxing', + 'hob', + 'hobbed', + 'hobbies', + 'hobbing', + 'hobbit', + 'hobbits', + 'hobble', 'hobblebush', 'hobblebushes', + 'hobbled', 'hobbledehoy', 'hobbledehoys', + 'hobbler', + 'hobblers', + 'hobbles', + 'hobbling', + 'hobby', 'hobbyhorse', 'hobbyhorses', + 'hobbyist', + 'hobbyists', + 'hobgoblin', 'hobgoblins', + 'hoblike', + 'hobnail', + 'hobnailed', 'hobnailing', + 'hobnails', + 'hobnob', + 'hobnobbed', + 'hobnobber', 'hobnobbers', 'hobnobbing', + 'hobnobs', + 'hobo', + 'hoboed', + 'hoboes', + 'hoboing', + 'hoboism', + 'hoboisms', + 'hobos', + 'hobs', + 'hock', + 'hocked', + 'hocker', + 'hockers', + 'hockey', + 'hockeys', + 'hocking', + 'hocks', + 'hockshop', + 'hockshops', + 'hocus', + 'hocused', + 'hocuses', + 'hocusing', + 'hocussed', + 'hocusses', + 'hocussing', + 'hod', + 'hodad', + 'hodaddies', + 'hodaddy', + 'hodads', + 'hodden', + 'hoddens', + 'hoddin', + 'hoddins', 'hodgepodge', 'hodgepodges', + 'hodoscope', 'hodoscopes', + 'hods', + 'hoe', + 'hoecake', + 'hoecakes', + 'hoed', + 'hoedown', + 'hoedowns', + 'hoeing', + 'hoelike', + 'hoer', + 'hoers', + 'hoes', + 'hog', + 'hogan', + 'hogans', + 'hogback', + 'hogbacks', + 'hogfish', + 'hogfishes', + 'hogg', + 'hogged', + 'hogger', + 'hoggers', + 'hogget', + 'hoggets', + 'hogging', + 'hoggish', + 'hoggishly', 'hoggishness', 'hoggishnesses', + 'hoggs', + 'hoglike', + 'hogmanay', + 'hogmanays', + 'hogmane', + 'hogmanes', + 'hogmenay', + 'hogmenays', + 'hognose', + 'hognoses', + 'hognut', + 'hognuts', + 'hogs', + 'hogshead', + 'hogsheads', + 'hogtie', + 'hogtied', + 'hogtieing', + 'hogties', + 'hogtying', + 'hogwash', + 'hogwashes', + 'hogweed', + 'hogweeds', + 'hoick', + 'hoicked', + 'hoicking', + 'hoicks', + 'hoiden', + 'hoidened', + 'hoidening', + 'hoidens', + 'hoise', + 'hoised', + 'hoises', + 'hoising', + 'hoist', + 'hoisted', + 'hoister', + 'hoisters', + 'hoisting', + 'hoists', + 'hoke', + 'hoked', + 'hokes', + 'hokey', + 'hokeyness', 'hokeynesses', 'hokeypokey', 'hokeypokeys', + 'hokier', + 'hokiest', + 'hokily', + 'hokiness', 'hokinesses', + 'hoking', + 'hokku', + 'hokum', + 'hokums', 'hokypokies', + 'hokypoky', + 'holandric', + 'holard', + 'holards', + 'hold', + 'holdable', + 'holdall', + 'holdalls', + 'holdback', + 'holdbacks', + 'holden', + 'holder', + 'holders', + 'holdfast', + 'holdfasts', + 'holding', + 'holdings', + 'holdout', + 'holdouts', + 'holdover', + 'holdovers', + 'holds', + 'holdup', + 'holdups', + 'hole', + 'holed', + 'holeless', + 'holes', + 'holey', + 'holibut', + 'holibuts', + 'holiday', + 'holidayed', + 'holidayer', 'holidayers', 'holidaying', 'holidaymaker', 'holidaymakers', + 'holidays', + 'holier', + 'holies', + 'holiest', + 'holily', + 'holiness', 'holinesses', + 'holing', + 'holism', + 'holisms', + 'holist', + 'holistic', 'holistically', + 'holists', + 'holk', + 'holked', + 'holking', + 'holks', + 'holla', + 'hollaed', + 'hollaing', + 'holland', 'hollandaise', 'hollandaises', + 'hollands', + 'hollas', + 'holler', + 'hollered', + 'hollering', + 'hollers', + 'hollies', + 'hollo', + 'holloa', + 'holloaed', + 'holloaing', + 'holloas', + 'holloed', + 'holloes', + 'holloing', + 'holloo', + 'hollooed', + 'hollooing', + 'holloos', + 'hollos', + 'hollow', + 'holloware', 'hollowares', + 'hollowed', + 'hollower', + 'hollowest', + 'hollowing', + 'hollowly', 'hollowness', 'hollownesses', + 'hollows', 'hollowware', 'hollowwares', + 'holly', + 'hollyhock', 'hollyhocks', + 'holm', + 'holmic', + 'holmium', + 'holmiums', + 'holms', 'holoblastic', + 'holocaust', 'holocausts', + 'holocrine', 'holoenzyme', 'holoenzymes', 'hologamies', + 'hologamy', + 'hologram', + 'holograms', + 'holograph', 'holographed', 'holographer', 'holographers', @@ -26216,6 +69335,7 @@ export const scrabble_array = [ 'holographs', 'holography', 'hologynies', + 'hologyny', 'holohedral', 'holometabolism', 'holometabolisms', @@ -26224,24 +69344,75 @@ export const scrabble_array = [ 'holophytic', 'holothurian', 'holothurians', + 'holotype', + 'holotypes', + 'holotypic', + 'holozoic', + 'holp', + 'holpen', + 'hols', + 'holstein', + 'holsteins', + 'holster', + 'holstered', 'holstering', + 'holsters', + 'holt', + 'holts', + 'holy', + 'holyday', + 'holydays', + 'holystone', 'holystoned', 'holystones', 'holystoning', + 'holytide', + 'holytides', + 'homage', + 'homaged', + 'homager', + 'homagers', + 'homages', + 'homaging', + 'hombre', + 'hombres', + 'homburg', + 'homburgs', + 'home', 'homebodies', + 'homebody', + 'homebound', + 'homeboy', + 'homeboys', + 'homebred', + 'homebreds', + 'homebuilt', 'homecoming', 'homecomings', + 'homed', + 'homegrown', + 'homeland', + 'homelands', + 'homeless', 'homelessness', 'homelessnesses', + 'homelier', + 'homeliest', + 'homelike', 'homeliness', 'homelinesses', + 'homely', + 'homemade', + 'homemaker', 'homemakers', 'homemaking', 'homemakings', + 'homeobox', 'homeoboxes', 'homeomorphic', 'homeomorphism', 'homeomorphisms', + 'homeopath', 'homeopathic', 'homeopathically', 'homeopathies', @@ -26255,17 +69426,36 @@ export const scrabble_array = [ 'homeothermies', 'homeotherms', 'homeothermy', + 'homeotic', + 'homeowner', 'homeowners', + 'homeport', 'homeported', 'homeporting', + 'homeports', + 'homer', + 'homered', + 'homering', + 'homeroom', + 'homerooms', + 'homers', + 'homes', 'homeschool', 'homeschooled', 'homeschooler', 'homeschoolers', 'homeschooling', 'homeschools', + 'homesick', 'homesickness', 'homesicknesses', + 'homesite', + 'homesites', + 'homespun', + 'homespuns', + 'homestay', + 'homestays', + 'homestead', 'homesteaded', 'homesteader', 'homesteaders', @@ -26273,14 +69463,52 @@ export const scrabble_array = [ 'homesteads', 'homestretch', 'homestretches', + 'hometown', + 'hometowns', + 'homeward', + 'homewards', + 'homework', + 'homeworks', + 'homey', + 'homeyness', 'homeynesses', + 'homicidal', 'homicidally', + 'homicide', + 'homicides', + 'homier', + 'homiest', + 'homiletic', 'homiletical', 'homiletics', + 'homilies', + 'homilist', + 'homilists', + 'homily', + 'homines', + 'hominess', 'hominesses', + 'homing', + 'hominian', + 'hominians', + 'hominid', + 'hominids', + 'hominies', + 'hominine', 'hominization', 'hominizations', + 'hominize', + 'hominized', + 'hominizes', 'hominizing', + 'hominoid', + 'hominoids', + 'hominy', + 'hommock', + 'hommocks', + 'hommos', + 'hommoses', + 'homo', 'homocercal', 'homoerotic', 'homoeroticism', @@ -26288,6 +69516,7 @@ export const scrabble_array = [ 'homogametic', 'homogamies', 'homogamous', + 'homogamy', 'homogenate', 'homogenates', 'homogeneities', @@ -26312,8 +69541,12 @@ export const scrabble_array = [ 'homogenizes', 'homogenizing', 'homogenous', + 'homogeny', 'homogonies', + 'homogony', + 'homograft', 'homografts', + 'homograph', 'homographic', 'homographs', 'homoiotherm', @@ -26321,6 +69554,7 @@ export const scrabble_array = [ 'homoiotherms', 'homoiousian', 'homoiousians', + 'homolog', 'homologate', 'homologated', 'homologates', @@ -26337,35 +69571,54 @@ export const scrabble_array = [ 'homologizes', 'homologizing', 'homologous', + 'homologs', + 'homologue', 'homologues', + 'homology', + 'homolyses', + 'homolysis', + 'homolytic', 'homomorphic', 'homomorphism', 'homomorphisms', 'homonuclear', + 'homonym', + 'homonymic', 'homonymies', 'homonymous', 'homonymously', + 'homonyms', + 'homonymy', 'homoousian', 'homoousians', + 'homophile', + 'homophobe', 'homophobes', 'homophobia', 'homophobias', 'homophobic', + 'homophone', 'homophones', 'homophonic', 'homophonies', 'homophonous', + 'homophony', 'homoplasies', 'homoplastic', + 'homoplasy', + 'homopolar', 'homopolymer', 'homopolymeric', 'homopolymers', 'homopteran', 'homopterans', 'homopterous', + 'homos', 'homoscedastic', 'homoscedasticities', 'homoscedasticity', + 'homosex', + 'homosexes', 'homosexual', 'homosexualities', 'homosexuality', @@ -26373,6 +69626,7 @@ export const scrabble_array = [ 'homosexuals', 'homospories', 'homosporous', + 'homospory', 'homothallic', 'homothallism', 'homothallisms', @@ -26388,64 +69642,299 @@ export const scrabble_array = [ 'homozygotes', 'homozygous', 'homozygously', + 'homunculi', 'homunculus', + 'homy', + 'hon', + 'honan', + 'honans', + 'honcho', + 'honchoed', + 'honchoing', + 'honchos', + 'honda', + 'hondas', + 'hondle', + 'hondled', + 'hondles', + 'hondling', + 'hone', + 'honed', + 'honer', + 'honers', + 'hones', + 'honest', + 'honester', + 'honestest', + 'honesties', + 'honestly', + 'honesty', + 'honewort', + 'honeworts', + 'honey', + 'honeybee', + 'honeybees', + 'honeybun', 'honeybunch', 'honeybunches', + 'honeybuns', + 'honeycomb', 'honeycombed', 'honeycombing', 'honeycombs', 'honeycreeper', 'honeycreepers', + 'honeydew', + 'honeydews', 'honeyeater', 'honeyeaters', + 'honeyed', + 'honeyful', 'honeyguide', 'honeyguides', + 'honeying', + 'honeymoon', 'honeymooned', 'honeymooner', 'honeymooners', 'honeymooning', 'honeymoons', + 'honeys', 'honeysuckle', 'honeysuckles', + 'hong', + 'hongs', + 'honied', + 'honing', + 'honk', + 'honked', + 'honker', + 'honkers', + 'honkey', + 'honkeys', + 'honkie', + 'honkies', + 'honking', + 'honks', + 'honky', + 'honor', 'honorabilities', 'honorability', + 'honorable', 'honorableness', 'honorablenesses', + 'honorably', + 'honorand', + 'honorands', + 'honoraria', 'honoraries', 'honorarily', 'honorarium', 'honorariums', + 'honorary', + 'honored', + 'honoree', + 'honorees', + 'honorer', + 'honorers', + 'honorific', 'honorifically', 'honorifics', + 'honoring', + 'honors', + 'honour', 'honourable', + 'honoured', + 'honourer', + 'honourers', + 'honouring', + 'honours', + 'hons', + 'hooch', + 'hooches', + 'hood', + 'hooded', 'hoodedness', 'hoodednesses', + 'hoodie', + 'hoodier', + 'hoodies', + 'hoodiest', + 'hooding', + 'hoodless', + 'hoodlike', + 'hoodlum', 'hoodlumish', 'hoodlumism', 'hoodlumisms', + 'hoodlums', + 'hoodoo', + 'hoodooed', + 'hoodooing', + 'hoodooism', 'hoodooisms', + 'hoodoos', + 'hoods', + 'hoodwink', 'hoodwinked', 'hoodwinker', 'hoodwinkers', 'hoodwinking', + 'hoodwinks', + 'hoody', + 'hooey', + 'hooeys', + 'hoof', + 'hoofbeat', + 'hoofbeats', + 'hoofed', + 'hoofer', + 'hoofers', + 'hoofing', + 'hoofless', + 'hooflike', + 'hoofprint', 'hoofprints', + 'hoofs', + 'hook', + 'hooka', + 'hookah', + 'hookahs', + 'hookas', + 'hooked', + 'hooker', + 'hookers', + 'hookey', + 'hookeys', + 'hookier', + 'hookies', + 'hookiest', + 'hooking', + 'hookless', + 'hooklet', + 'hooklets', + 'hooklike', + 'hooknose', + 'hooknoses', + 'hooks', + 'hookup', + 'hookups', + 'hookworm', + 'hookworms', + 'hooky', + 'hoolie', + 'hooligan', 'hooliganism', 'hooliganisms', + 'hooligans', + 'hooly', + 'hoop', + 'hooped', + 'hooper', + 'hoopers', + 'hooping', + 'hoopla', + 'hooplas', + 'hoopless', + 'hooplike', + 'hoopoe', + 'hoopoes', + 'hoopoo', + 'hoopoos', + 'hoops', + 'hoopskirt', 'hoopskirts', + 'hoopster', + 'hoopsters', + 'hoorah', + 'hoorahed', + 'hoorahing', + 'hoorahs', + 'hooray', + 'hoorayed', + 'hooraying', + 'hoorays', + 'hoosegow', + 'hoosegows', + 'hoosgow', + 'hoosgows', + 'hoot', + 'hootch', + 'hootches', + 'hooted', 'hootenannies', 'hootenanny', + 'hooter', + 'hooters', + 'hootier', + 'hootiest', + 'hooting', + 'hoots', + 'hooty', + 'hooved', + 'hooves', + 'hop', + 'hope', + 'hoped', + 'hopeful', + 'hopefully', 'hopefulness', 'hopefulnesses', + 'hopefuls', + 'hopeless', 'hopelessly', 'hopelessness', 'hopelessnesses', + 'hoper', + 'hopers', + 'hopes', + 'hophead', + 'hopheads', + 'hoping', + 'hoplite', + 'hoplites', + 'hoplitic', + 'hopped', + 'hopper', + 'hoppers', + 'hoppier', + 'hoppiest', + 'hopping', + 'hoppings', + 'hopple', + 'hoppled', + 'hopples', + 'hoppling', + 'hoppy', + 'hops', + 'hopsack', 'hopsacking', 'hopsackings', + 'hopsacks', + 'hopscotch', 'hopscotched', 'hopscotches', 'hopscotching', + 'hoptoad', + 'hoptoads', + 'hora', + 'horah', + 'horahs', + 'horal', + 'horary', + 'horas', + 'horde', + 'horded', + 'hordein', + 'hordeins', + 'hordes', + 'hording', + 'horehound', 'horehounds', + 'horizon', + 'horizonal', 'horizonless', + 'horizons', 'horizontal', 'horizontalities', 'horizontality', @@ -26453,64 +69942,142 @@ export const scrabble_array = [ 'horizontals', 'hormogonia', 'hormogonium', + 'hormonal', 'hormonally', + 'hormone', 'hormonelike', + 'hormones', + 'hormonic', + 'horn', + 'hornbeam', + 'hornbeams', + 'hornbill', + 'hornbills', 'hornblende', 'hornblendes', 'hornblendic', + 'hornbook', + 'hornbooks', + 'horned', 'hornedness', 'hornednesses', + 'hornet', + 'hornets', + 'hornfels', + 'hornier', + 'horniest', + 'hornily', + 'horniness', 'horninesses', + 'horning', + 'hornist', + 'hornists', + 'hornito', + 'hornitos', + 'hornless', 'hornlessness', 'hornlessnesses', + 'hornlike', + 'hornpipe', + 'hornpipes', + 'hornpout', + 'hornpouts', + 'horns', + 'hornstone', 'hornstones', 'hornswoggle', 'hornswoggled', 'hornswoggles', 'hornswoggling', + 'horntail', + 'horntails', + 'hornworm', + 'hornworms', + 'hornwort', + 'hornworts', + 'horny', + 'horologe', + 'horologes', 'horological', 'horologies', 'horologist', 'horologists', + 'horology', + 'horoscope', 'horoscopes', 'horrendous', 'horrendously', + 'horrent', + 'horrible', 'horribleness', 'horriblenesses', + 'horribles', + 'horribly', + 'horrid', + 'horridly', 'horridness', 'horridnesses', + 'horrific', 'horrifically', + 'horrified', + 'horrifies', + 'horrify', 'horrifying', 'horrifyingly', + 'horror', + 'horrors', + 'horse', + 'horseback', 'horsebacks', + 'horsebean', 'horsebeans', + 'horsecar', + 'horsecars', + 'horsed', 'horsefeathers', 'horseflesh', 'horsefleshes', 'horseflies', + 'horsefly', + 'horsehair', 'horsehairs', + 'horsehide', 'horsehides', 'horselaugh', 'horselaughs', + 'horseless', + 'horselike', + 'horseman', 'horsemanship', 'horsemanships', + 'horsemen', + 'horsemint', 'horsemints', + 'horseplay', 'horseplayer', 'horseplayers', 'horseplays', 'horsepower', 'horsepowers', + 'horsepox', 'horsepoxes', 'horseradish', 'horseradishes', + 'horses', + 'horseshit', 'horseshits', + 'horseshod', + 'horseshoe', 'horseshoed', 'horseshoeing', 'horseshoer', 'horseshoers', 'horseshoes', + 'horsetail', 'horsetails', + 'horseweed', 'horseweeds', + 'horsewhip', 'horsewhipped', 'horsewhipper', 'horsewhippers', @@ -26518,17 +70085,51 @@ export const scrabble_array = [ 'horsewhips', 'horsewoman', 'horsewomen', + 'horsey', + 'horsier', + 'horsiest', + 'horsily', + 'horsiness', 'horsinesses', + 'horsing', + 'horst', + 'horste', + 'horstes', + 'horsts', + 'horsy', + 'hortative', 'hortatively', + 'hortatory', 'horticultural', 'horticulturally', 'horticulture', 'horticultures', 'horticulturist', 'horticulturists', + 'hosanna', + 'hosannaed', + 'hosannah', + 'hosannahs', 'hosannaing', + 'hosannas', + 'hose', + 'hosed', + 'hosel', + 'hosels', + 'hosen', + 'hosepipe', + 'hosepipes', + 'hoses', + 'hosier', + 'hosieries', + 'hosiers', + 'hosiery', + 'hosing', + 'hospice', + 'hospices', 'hospitable', 'hospitably', + 'hospital', 'hospitalise', 'hospitalised', 'hospitalises', @@ -26541,27 +70142,130 @@ export const scrabble_array = [ 'hospitalized', 'hospitalizes', 'hospitalizing', + 'hospitals', + 'hospitia', + 'hospitium', + 'hospodar', + 'hospodars', + 'host', + 'hosta', + 'hostage', + 'hostages', + 'hostas', + 'hosted', + 'hostel', + 'hosteled', + 'hosteler', + 'hostelers', + 'hosteling', + 'hostelled', + 'hosteller', 'hostellers', 'hostelling', 'hostelries', + 'hostelry', + 'hostels', + 'hostess', + 'hostessed', + 'hostesses', 'hostessing', + 'hostile', + 'hostilely', + 'hostiles', 'hostilities', + 'hostility', + 'hosting', + 'hostler', + 'hostlers', + 'hostly', + 'hosts', + 'hot', + 'hotbed', + 'hotbeds', + 'hotblood', + 'hotbloods', + 'hotbox', + 'hotboxes', + 'hotcake', + 'hotcakes', + 'hotch', + 'hotched', + 'hotches', + 'hotching', + 'hotchpot', 'hotchpotch', 'hotchpotches', + 'hotchpots', + 'hotdog', + 'hotdogged', + 'hotdogger', 'hotdoggers', 'hotdogging', + 'hotdogs', + 'hotel', + 'hoteldom', + 'hoteldoms', + 'hotelier', + 'hoteliers', + 'hotelman', + 'hotelmen', + 'hotels', + 'hotfoot', + 'hotfooted', 'hotfooting', + 'hotfoots', + 'hothead', + 'hotheaded', 'hotheadedly', 'hotheadedness', 'hotheadednesses', + 'hotheads', + 'hothouse', + 'hothouses', + 'hotline', + 'hotlines', + 'hotly', + 'hotness', + 'hotnesses', + 'hotpress', 'hotpressed', 'hotpresses', 'hotpressing', + 'hotrod', + 'hotrods', + 'hots', + 'hotshot', + 'hotshots', + 'hotspur', + 'hotspurs', + 'hotted', + 'hotter', + 'hottest', + 'hotting', + 'hottish', + 'houdah', + 'houdahs', + 'hound', + 'hounded', + 'hounder', + 'hounders', + 'hounding', + 'hounds', + 'hour', + 'hourglass', 'hourglasses', + 'houri', + 'houris', + 'hourly', + 'hours', + 'house', + 'houseboat', 'houseboater', 'houseboaters', 'houseboats', 'housebound', + 'houseboy', + 'houseboys', 'housebreak', 'housebreaker', 'housebreakers', @@ -26570,41 +70274,61 @@ export const scrabble_array = [ 'housebreaks', 'housebroke', 'housebroken', + 'housecarl', 'housecarls', 'houseclean', 'housecleaned', 'housecleaning', 'housecleanings', 'housecleans', + 'housecoat', 'housecoats', + 'housed', 'housedress', 'housedresses', 'housefather', 'housefathers', 'houseflies', + 'housefly', 'housefront', 'housefronts', + 'houseful', + 'housefuls', 'houseguest', 'houseguests', + 'household', 'householder', 'householders', 'households', 'househusband', 'househusbands', + 'housekeep', 'housekeeper', 'housekeepers', 'housekeeping', 'housekeepings', 'housekeeps', + 'housekept', + 'housel', + 'houseled', + 'houseleek', 'houseleeks', + 'houseless', 'houselessness', 'houselessnesses', 'houselights', + 'houseling', + 'houselled', 'houselling', + 'housels', + 'housemaid', 'housemaids', + 'houseman', 'housemaster', 'housemasters', + 'housemate', 'housemates', + 'housemen', 'housemother', 'housemothers', 'housepainter', @@ -26615,11 +70339,21 @@ export const scrabble_array = [ 'housepersons', 'houseplant', 'houseplants', + 'houser', + 'houseroom', 'houserooms', + 'housers', + 'houses', + 'housesat', + 'housesit', + 'housesits', 'housesitting', + 'housetop', + 'housetops', 'housewares', 'housewarming', 'housewarmings', + 'housewife', 'housewifeliness', 'housewifelinesses', 'housewifely', @@ -26627,55 +70361,258 @@ export const scrabble_array = [ 'housewifery', 'housewifey', 'housewives', + 'housework', 'houseworks', + 'housing', + 'housings', + 'hove', + 'hovel', + 'hoveled', + 'hoveling', + 'hovelled', + 'hovelling', + 'hovels', + 'hover', 'hovercraft', 'hovercrafts', + 'hovered', + 'hoverer', + 'hoverers', + 'hovering', + 'hovers', + 'how', + 'howbeit', + 'howdah', + 'howdahs', + 'howdie', + 'howdied', + 'howdies', + 'howdy', + 'howdying', + 'howe', + 'howes', + 'however', + 'howf', + 'howff', + 'howffs', + 'howfs', + 'howitzer', + 'howitzers', + 'howk', + 'howked', + 'howking', + 'howks', + 'howl', + 'howled', + 'howler', + 'howlers', + 'howlet', + 'howlets', + 'howling', + 'howlingly', + 'howls', + 'hows', + 'howsoever', + 'hoy', + 'hoya', + 'hoyas', + 'hoyden', + 'hoydened', + 'hoydening', + 'hoydenish', + 'hoydens', + 'hoyle', + 'hoyles', + 'hoys', + 'huarache', + 'huaraches', + 'huaracho', + 'huarachos', + 'hub', + 'hubbies', + 'hubbly', + 'hubbub', + 'hubbubs', + 'hubby', + 'hubcap', + 'hubcaps', + 'hubris', + 'hubrises', + 'hubristic', + 'hubs', + 'huck', + 'huckaback', 'huckabacks', + 'huckle', 'huckleberries', 'huckleberry', + 'huckles', + 'hucks', + 'huckster', 'huckstered', 'huckstering', 'hucksterism', 'hucksterisms', + 'hucksters', + 'huddle', + 'huddled', + 'huddler', + 'huddlers', + 'huddles', + 'huddling', + 'hue', + 'hued', + 'hueless', + 'hues', + 'huff', + 'huffed', + 'huffier', + 'huffiest', + 'huffily', + 'huffiness', 'huffinesses', + 'huffing', + 'huffish', + 'huffs', + 'huffy', + 'hug', + 'huge', + 'hugely', + 'hugeness', 'hugenesses', + 'hugeous', + 'hugeously', + 'huger', + 'hugest', + 'huggable', + 'hugged', + 'hugger', + 'huggers', + 'hugging', + 'hugs', + 'huh', + 'huic', + 'huipil', + 'huipiles', + 'huipils', + 'huisache', + 'huisaches', + 'hula', + 'hulas', + 'hulk', + 'hulked', + 'hulkier', + 'hulkiest', + 'hulking', + 'hulks', + 'hulky', + 'hull', 'hullabaloo', 'hullabaloos', + 'hulled', + 'huller', + 'hullers', + 'hulling', + 'hullo', + 'hulloa', + 'hulloaed', + 'hulloaing', + 'hulloas', + 'hulloed', + 'hulloes', + 'hulloing', + 'hullos', + 'hulls', + 'hum', + 'human', + 'humane', + 'humanely', 'humaneness', 'humanenesses', + 'humaner', + 'humanest', + 'humanise', + 'humanised', + 'humanises', 'humanising', + 'humanism', + 'humanisms', + 'humanist', 'humanistic', 'humanistically', + 'humanists', 'humanitarian', 'humanitarianism', 'humanitarianisms', 'humanitarians', 'humanities', + 'humanity', 'humanization', 'humanizations', + 'humanize', + 'humanized', + 'humanizer', 'humanizers', + 'humanizes', 'humanizing', + 'humankind', + 'humanlike', + 'humanly', + 'humanness', 'humannesses', + 'humanoid', + 'humanoids', + 'humans', + 'humate', + 'humates', + 'humble', + 'humbled', 'humbleness', 'humblenesses', + 'humbler', + 'humblers', + 'humbles', + 'humblest', + 'humbling', 'humblingly', + 'humbly', + 'humbug', + 'humbugged', 'humbuggeries', 'humbuggery', 'humbugging', + 'humbugs', + 'humdinger', 'humdingers', + 'humdrum', + 'humdrums', + 'humectant', 'humectants', + 'humeral', + 'humerals', + 'humeri', + 'humerus', + 'humic', + 'humid', 'humidification', 'humidifications', 'humidified', 'humidifier', 'humidifiers', 'humidifies', + 'humidify', 'humidifying', 'humidistat', 'humidistats', 'humidities', + 'humidity', + 'humidly', + 'humidor', + 'humidors', 'humification', 'humifications', + 'humified', + 'humiliate', 'humiliated', 'humiliates', 'humiliating', @@ -26683,63 +70620,327 @@ export const scrabble_array = [ 'humiliation', 'humiliations', 'humilities', + 'humility', + 'hummable', + 'hummed', + 'hummer', + 'hummers', + 'humming', 'hummingbird', 'hummingbirds', + 'hummock', + 'hummocked', 'hummocking', + 'hummocks', + 'hummocky', + 'hummus', + 'hummuses', + 'humongous', + 'humor', + 'humoral', + 'humored', 'humoresque', 'humoresques', + 'humorful', + 'humoring', + 'humorist', 'humoristic', + 'humorists', + 'humorless', 'humorlessly', 'humorlessness', 'humorlessnesses', + 'humorous', 'humorously', 'humorousness', 'humorousnesses', + 'humors', + 'humour', + 'humoured', + 'humouring', + 'humours', + 'hump', + 'humpback', 'humpbacked', + 'humpbacks', + 'humped', + 'humph', + 'humphed', + 'humphing', + 'humphs', + 'humpier', + 'humpiest', + 'humping', + 'humpless', + 'humps', + 'humpy', + 'hums', + 'humungous', + 'humus', + 'humuses', + 'humvee', + 'humvees', + 'hun', + 'hunch', + 'hunchback', 'hunchbacked', 'hunchbacks', + 'hunched', + 'hunches', + 'hunching', + 'hundred', 'hundredfold', + 'hundreds', + 'hundredth', 'hundredths', 'hundredweight', 'hundredweights', + 'hung', + 'hunger', + 'hungered', + 'hungering', + 'hungers', + 'hungover', + 'hungrier', + 'hungriest', + 'hungrily', 'hungriness', 'hungrinesses', + 'hungry', + 'hunh', + 'hunk', + 'hunker', + 'hunkered', + 'hunkering', + 'hunkers', + 'hunkier', + 'hunkies', + 'hunkiest', + 'hunks', + 'hunky', + 'hunnish', + 'huns', + 'hunt', + 'huntable', + 'hunted', + 'huntedly', + 'hunter', + 'hunters', + 'hunting', + 'huntings', + 'huntress', 'huntresses', + 'hunts', + 'huntsman', + 'huntsmen', + 'hup', + 'hurdies', + 'hurdle', + 'hurdled', + 'hurdler', + 'hurdlers', + 'hurdles', + 'hurdling', + 'hurds', + 'hurl', + 'hurled', + 'hurler', + 'hurlers', + 'hurley', + 'hurleys', + 'hurlies', + 'hurling', + 'hurlings', + 'hurls', + 'hurly', + 'hurrah', + 'hurrahed', + 'hurrahing', + 'hurrahs', + 'hurray', + 'hurrayed', + 'hurraying', + 'hurrays', + 'hurricane', 'hurricanes', + 'hurried', + 'hurriedly', 'hurriedness', 'hurriednesses', + 'hurrier', + 'hurriers', + 'hurries', + 'hurry', + 'hurrying', + 'hurst', + 'hursts', + 'hurt', + 'hurter', + 'hurters', + 'hurtful', + 'hurtfully', 'hurtfulness', 'hurtfulnesses', + 'hurting', + 'hurtle', + 'hurtled', + 'hurtles', + 'hurtless', + 'hurtling', + 'hurts', + 'husband', + 'husbanded', + 'husbander', 'husbanders', 'husbanding', + 'husbandly', 'husbandman', 'husbandmen', 'husbandries', + 'husbandry', + 'husbands', + 'hush', + 'hushaby', + 'hushed', + 'hushedly', + 'hushes', + 'hushful', + 'hushing', + 'husk', + 'husked', + 'husker', + 'huskers', + 'huskier', + 'huskies', + 'huskiest', + 'huskily', + 'huskiness', 'huskinesses', + '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', + 'huzzahing', + 'huzzahs', + 'huzzaing', + 'huzzas', + 'hwan', + 'hyacinth', 'hyacinthine', + 'hyacinths', + 'hyaena', + 'hyaenas', + 'hyaenic', + 'hyalin', + 'hyaline', + 'hyalines', + 'hyalins', + 'hyalite', + 'hyalites', + 'hyalogen', + 'hyalogens', + 'hyaloid', + 'hyaloids', 'hyaloplasm', 'hyaloplasms', 'hyaluronidase', 'hyaluronidases', + 'hybrid', + 'hybridism', 'hybridisms', 'hybridities', + 'hybridity', 'hybridization', 'hybridizations', + 'hybridize', 'hybridized', 'hybridizer', 'hybridizers', 'hybridizes', 'hybridizing', + 'hybridoma', 'hybridomas', + 'hybrids', + 'hybris', + 'hybrises', + 'hydathode', 'hydathodes', + 'hydatid', + 'hydatids', + 'hydra', + 'hydracid', + 'hydracids', + 'hydrae', + 'hydragog', + 'hydragogs', 'hydralazine', 'hydralazines', + 'hydrangea', 'hydrangeas', + 'hydrant', + 'hydranth', + 'hydranths', + 'hydrants', + 'hydras', + 'hydrase', + 'hydrases', + 'hydrate', + 'hydrated', + 'hydrates', + 'hydrating', + 'hydration', 'hydrations', + 'hydrator', + 'hydrators', + 'hydraulic', 'hydraulically', 'hydraulics', + 'hydrazide', 'hydrazides', + 'hydrazine', 'hydrazines', + 'hydria', + 'hydriae', + 'hydric', + 'hydrid', + 'hydride', + 'hydrides', + 'hydrids', + 'hydro', 'hydrobiological', 'hydrobiologies', 'hydrobiologist', @@ -26747,6 +70948,7 @@ export const scrabble_array = [ 'hydrobiology', 'hydrocarbon', 'hydrocarbons', + 'hydrocele', 'hydroceles', 'hydrocephalic', 'hydrocephalics', @@ -26780,7 +70982,11 @@ export const scrabble_array = [ 'hydroelectrically', 'hydroelectricities', 'hydroelectricity', + 'hydrofoil', 'hydrofoils', + 'hydrogel', + 'hydrogels', + 'hydrogen', 'hydrogenase', 'hydrogenases', 'hydrogenate', @@ -26790,12 +70996,16 @@ export const scrabble_array = [ 'hydrogenation', 'hydrogenations', 'hydrogenous', + 'hydrogens', 'hydrographer', 'hydrographers', 'hydrographic', 'hydrographies', 'hydrography', + 'hydroid', + 'hydroids', 'hydrokinetic', + 'hydrolase', 'hydrolases', 'hydrologic', 'hydrological', @@ -26803,6 +71013,7 @@ export const scrabble_array = [ 'hydrologies', 'hydrologist', 'hydrologists', + 'hydrology', 'hydrolysate', 'hydrolysates', 'hydrolyses', @@ -26812,6 +71023,7 @@ export const scrabble_array = [ 'hydrolyzable', 'hydrolyzate', 'hydrolyzates', + 'hydrolyze', 'hydrolyzed', 'hydrolyzes', 'hydrolyzing', @@ -26822,6 +71034,8 @@ export const scrabble_array = [ 'hydromechanics', 'hydromedusa', 'hydromedusae', + 'hydromel', + 'hydromels', 'hydrometallurgical', 'hydrometallurgies', 'hydrometallurgist', @@ -26838,7 +71052,9 @@ export const scrabble_array = [ 'hydrometers', 'hydrometric', 'hydromorphic', + 'hydronic', 'hydronically', + 'hydronium', 'hydroniums', 'hydropathic', 'hydropathies', @@ -26860,6 +71076,7 @@ export const scrabble_array = [ 'hydrophyte', 'hydrophytes', 'hydrophytic', + 'hydropic', 'hydroplane', 'hydroplaned', 'hydroplanes', @@ -26869,11 +71086,20 @@ export const scrabble_array = [ 'hydroponics', 'hydropower', 'hydropowers', + 'hydrops', + 'hydropses', 'hydropsies', + 'hydropsy', 'hydroquinone', 'hydroquinones', + 'hydros', + 'hydrosere', 'hydroseres', + 'hydroski', + 'hydroskis', + 'hydrosol', 'hydrosolic', + 'hydrosols', 'hydrospace', 'hydrospaces', 'hydrosphere', @@ -26892,9 +71118,13 @@ export const scrabble_array = [ 'hydrotropic', 'hydrotropism', 'hydrotropisms', + 'hydrous', + 'hydroxide', 'hydroxides', + 'hydroxy', 'hydroxyapatite', 'hydroxyapatites', + 'hydroxyl', 'hydroxylamine', 'hydroxylamines', 'hydroxylapatite', @@ -26908,6 +71138,7 @@ export const scrabble_array = [ 'hydroxylation', 'hydroxylations', 'hydroxylic', + 'hydroxyls', 'hydroxyproline', 'hydroxyprolines', 'hydroxytryptamine', @@ -26916,8 +71147,24 @@ export const scrabble_array = [ 'hydroxyureas', 'hydroxyzine', 'hydroxyzines', + 'hydrozoan', 'hydrozoans', + 'hyena', + 'hyenas', + 'hyenic', + 'hyenine', + 'hyenoid', + 'hyetal', + 'hygeist', + 'hygeists', + 'hygieist', + 'hygieists', + 'hygiene', + 'hygienes', + 'hygienic', 'hygienically', + 'hygienics', + 'hygienist', 'hygienists', 'hygrograph', 'hygrographs', @@ -26931,24 +71178,69 @@ export const scrabble_array = [ 'hygroscopic', 'hygroscopicities', 'hygroscopicity', + 'hying', + 'hyla', + 'hylas', + 'hylozoic', + 'hylozoism', 'hylozoisms', + 'hylozoist', 'hylozoistic', 'hylozoists', + 'hymen', + 'hymenal', + 'hymeneal', 'hymeneally', + 'hymeneals', + 'hymenia', + 'hymenial', + 'hymenium', + 'hymeniums', 'hymenoptera', 'hymenopteran', 'hymenopterans', 'hymenopteron', 'hymenopterons', 'hymenopterous', + 'hymens', + 'hymn', + 'hymnal', + 'hymnals', + 'hymnaries', + 'hymnary', + 'hymnbook', + 'hymnbooks', + 'hymned', + 'hymning', + 'hymnist', + 'hymnists', + 'hymnless', + 'hymnlike', + 'hymnodies', + 'hymnody', 'hymnologies', + 'hymnology', + 'hymns', + 'hyoid', + 'hyoidal', + 'hyoidean', + 'hyoids', + 'hyoscine', + 'hyoscines', 'hyoscyamine', 'hyoscyamines', + 'hyp', 'hypabyssal', 'hypabyssally', 'hypaethral', + 'hypallage', 'hypallages', + 'hypanthia', 'hypanthium', + 'hype', + 'hyped', + 'hyper', + 'hyperacid', 'hyperacidities', 'hyperacidity', 'hyperactive', @@ -26965,6 +71257,7 @@ export const scrabble_array = [ 'hyperalert', 'hyperalimentation', 'hyperalimentations', + 'hyperarid', 'hyperarousal', 'hyperarousals', 'hyperaware', @@ -26972,8 +71265,10 @@ export const scrabble_array = [ 'hyperawarenesses', 'hyperbaric', 'hyperbarically', + 'hyperbola', 'hyperbolae', 'hyperbolas', + 'hyperbole', 'hyperboles', 'hyperbolic', 'hyperbolical', @@ -27030,11 +71325,14 @@ export const scrabble_array = [ 'hypercriticism', 'hypercriticisms', 'hypercritics', + 'hypercube', 'hypercubes', 'hyperdevelopment', 'hyperdevelopments', 'hyperefficient', + 'hyperemia', 'hyperemias', + 'hyperemic', 'hyperemotional', 'hyperemotionalities', 'hyperemotionality', @@ -27060,16 +71358,20 @@ export const scrabble_array = [ 'hyperextension', 'hyperextensions', 'hyperfastidious', + 'hyperfine', 'hyperfunction', 'hyperfunctional', 'hyperfunctioning', 'hyperfunctions', 'hypergamies', + 'hypergamy', 'hyperglycemia', 'hyperglycemias', 'hyperglycemic', + 'hypergol', 'hypergolic', 'hypergolically', + 'hypergols', 'hyperhidroses', 'hyperhidrosis', 'hyperimmune', @@ -27137,7 +71439,13 @@ export const scrabble_array = [ 'hypermutability', 'hypermutable', 'hypernationalistic', + 'hyperon', + 'hyperons', + 'hyperope', + 'hyperopes', + 'hyperopia', 'hyperopias', + 'hyperopic', 'hyperostoses', 'hyperostosis', 'hyperostotic', @@ -27167,6 +71475,7 @@ export const scrabble_array = [ 'hyperploidies', 'hyperploids', 'hyperploidy', + 'hyperpnea', 'hyperpneas', 'hyperpneic', 'hyperpolarization', @@ -27179,6 +71488,7 @@ export const scrabble_array = [ 'hyperproducers', 'hyperproduction', 'hyperproductions', + 'hyperpure', 'hyperpyrexia', 'hyperpyrexias', 'hyperrational', @@ -27242,6 +71552,7 @@ export const scrabble_array = [ 'hypertensions', 'hypertensive', 'hypertensives', + 'hypertext', 'hypertexts', 'hyperthermia', 'hyperthermias', @@ -27280,33 +71591,59 @@ export const scrabble_array = [ 'hyperviscosity', 'hypervitaminoses', 'hypervitaminosis', + 'hypes', + 'hypha', + 'hyphae', + 'hyphal', + 'hyphemia', + 'hyphemias', + 'hyphen', + 'hyphenate', 'hyphenated', 'hyphenates', 'hyphenating', 'hyphenation', 'hyphenations', + 'hyphened', + 'hyphening', 'hyphenless', + 'hyphens', + 'hyping', 'hypnagogic', + 'hypnic', 'hypnogogic', + 'hypnoid', + 'hypnoidal', 'hypnopompic', + 'hypnoses', + 'hypnosis', 'hypnotherapies', 'hypnotherapist', 'hypnotherapists', 'hypnotherapy', + 'hypnotic', 'hypnotically', + 'hypnotics', + 'hypnotism', 'hypnotisms', + 'hypnotist', 'hypnotists', 'hypnotizabilities', 'hypnotizability', 'hypnotizable', + 'hypnotize', 'hypnotized', 'hypnotizes', 'hypnotizing', + 'hypo', + 'hypoacid', 'hypoallergenic', + 'hypoblast', 'hypoblasts', 'hypocalcemia', 'hypocalcemias', 'hypocalcemic', + 'hypocaust', 'hypocausts', 'hypocenter', 'hypocenters', @@ -27326,24 +71663,36 @@ export const scrabble_array = [ 'hypocoristic', 'hypocoristical', 'hypocoristically', + 'hypocotyl', 'hypocotyls', 'hypocrisies', + 'hypocrisy', + 'hypocrite', 'hypocrites', 'hypocritical', 'hypocritically', 'hypocycloid', 'hypocycloids', + 'hypoderm', 'hypodermal', 'hypodermic', 'hypodermically', 'hypodermics', 'hypodermis', 'hypodermises', + 'hypoderms', 'hypodiploid', 'hypodiploidies', 'hypodiploidy', + 'hypoed', 'hypoeutectoid', 'hypogastric', + 'hypogea', + 'hypogeal', + 'hypogean', + 'hypogene', + 'hypogeous', + 'hypogeum', 'hypoglossal', 'hypoglossals', 'hypoglycemia', @@ -27352,6 +71701,8 @@ export const scrabble_array = [ 'hypoglycemics', 'hypogynies', 'hypogynous', + 'hypogyny', + 'hypoing', 'hypokalemia', 'hypokalemias', 'hypokalemic', @@ -27360,9 +71711,16 @@ export const scrabble_array = [ 'hypolimnions', 'hypomagnesemia', 'hypomagnesemias', + 'hypomania', 'hypomanias', + 'hypomanic', + 'hypomorph', 'hypomorphic', 'hypomorphs', + 'hyponea', + 'hyponeas', + 'hyponoia', + 'hyponoias', 'hypoparathyroidism', 'hypoparathyroidisms', 'hypopharynges', @@ -27384,7 +71742,13 @@ export const scrabble_array = [ 'hypoplasia', 'hypoplasias', 'hypoplastic', + 'hypoploid', 'hypoploids', + 'hypopnea', + 'hypopneas', + 'hypopyon', + 'hypopyons', + 'hypos', 'hyposensitization', 'hyposensitizations', 'hyposensitize', @@ -27403,9 +71767,13 @@ export const scrabble_array = [ 'hypostatized', 'hypostatizes', 'hypostatizing', + 'hypostome', 'hypostomes', + 'hypostyle', 'hypostyles', 'hypotactic', + 'hypotaxes', + 'hypotaxis', 'hypotension', 'hypotensions', 'hypotensive', @@ -27415,6 +71783,7 @@ export const scrabble_array = [ 'hypothalami', 'hypothalamic', 'hypothalamus', + 'hypothec', 'hypothecate', 'hypothecated', 'hypothecates', @@ -27423,6 +71792,7 @@ export const scrabble_array = [ 'hypothecations', 'hypothecator', 'hypothecators', + 'hypothecs', 'hypothenuse', 'hypothenuses', 'hypothermal', @@ -27440,34 +71810,109 @@ export const scrabble_array = [ 'hypothyroid', 'hypothyroidism', 'hypothyroidisms', + 'hypotonia', 'hypotonias', + 'hypotonic', 'hypotonicities', 'hypotonicity', 'hypoxanthine', 'hypoxanthines', + 'hypoxemia', 'hypoxemias', + 'hypoxemic', + 'hypoxia', + 'hypoxias', + 'hypoxic', + 'hyps', 'hypsometer', 'hypsometers', 'hypsometric', + 'hyraces', + 'hyracoid', + 'hyracoids', + 'hyrax', + 'hyraxes', + 'hyson', + 'hysons', + 'hyssop', + 'hyssops', 'hysterectomies', 'hysterectomized', 'hysterectomy', 'hystereses', 'hysteresis', 'hysteretic', + 'hysteria', + 'hysterias', + 'hysteric', 'hysterical', 'hysterically', + 'hysterics', + 'hysteroid', 'hysterotomies', 'hysterotomy', + 'hyte', + 'iamb', + 'iambi', + 'iambic', + 'iambics', + 'iambs', + 'iambus', + 'iambuses', + 'iatric', + 'iatrical', 'iatrogenic', 'iatrogenically', + 'ibex', + 'ibexes', + 'ibices', + 'ibidem', + 'ibis', + 'ibises', + 'ibogaine', + 'ibogaines', + 'ibuprofen', 'ibuprofens', + 'ice', + 'iceberg', + 'icebergs', + 'iceblink', + 'iceblinks', + 'iceboat', + 'iceboater', 'iceboaters', 'iceboating', 'iceboatings', + 'iceboats', + 'icebound', + 'icebox', + 'iceboxes', 'icebreaker', 'icebreakers', + 'icecap', + 'icecaps', + 'iced', + 'icefall', + 'icefalls', + 'icehouse', + 'icehouses', + 'icekhana', + 'icekhanas', + 'iceless', + 'icelike', + 'iceman', + 'icemen', + 'ices', + 'ich', + 'ichneumon', 'ichneumons', + 'ichnite', + 'ichnites', + 'ichor', + 'ichorous', + 'ichors', + 'ichs', + 'ichthyic', 'ichthyofauna', 'ichthyofaunae', 'ichthyofaunal', @@ -27483,9 +71928,32 @@ export const scrabble_array = [ 'ichthyosaurian', 'ichthyosaurians', 'ichthyosaurs', + 'icicle', + 'icicled', + 'icicles', + 'icier', + 'iciest', + 'icily', + 'iciness', + 'icinesses', + 'icing', + 'icings', + 'ick', + 'icker', + 'ickers', + 'ickier', + 'ickiest', + 'ickily', + 'ickiness', 'ickinesses', + 'icky', + 'icon', + 'icones', + 'iconic', + 'iconical', 'iconically', 'iconicities', + 'iconicity', 'iconoclasm', 'iconoclasms', 'iconoclast', @@ -27503,28 +71971,70 @@ export const scrabble_array = [ 'iconolatry', 'iconological', 'iconologies', + 'iconology', 'iconoscope', 'iconoscopes', 'iconostases', 'iconostasis', + 'icons', 'icosahedra', 'icosahedral', 'icosahedron', 'icosahedrons', + 'icteric', + 'icterics', + 'icterus', + 'icteruses', + 'ictic', + 'ictus', + 'ictuses', + 'icy', + 'id', + 'idea', + 'ideal', + 'idealess', + 'idealise', + 'idealised', + 'idealises', 'idealising', + 'idealism', + 'idealisms', + 'idealist', 'idealistic', 'idealistically', + 'idealists', 'idealities', + 'ideality', 'idealization', 'idealizations', + 'idealize', + 'idealized', + 'idealizer', 'idealizers', + 'idealizes', 'idealizing', + 'idealless', + 'ideally', 'idealogies', + 'idealogue', 'idealogues', + 'idealogy', + 'ideals', + 'ideas', + 'ideate', + 'ideated', + 'ideates', + 'ideating', + 'ideation', 'ideational', 'ideationally', + 'ideations', + 'ideative', + 'idem', 'idempotent', 'idempotents', + 'identic', + 'identical', 'identically', 'identicalness', 'identicalnesses', @@ -27536,16 +72046,22 @@ export const scrabble_array = [ 'identifier', 'identifiers', 'identifies', + 'identify', 'identifying', 'identities', + 'identity', + 'ideogram', 'ideogramic', 'ideogrammatic', 'ideogrammic', + 'ideograms', + 'ideograph', 'ideographic', 'ideographically', 'ideographies', 'ideographs', 'ideography', + 'ideologic', 'ideological', 'ideologically', 'ideologies', @@ -27555,55 +72071,204 @@ export const scrabble_array = [ 'ideologized', 'ideologizes', 'ideologizing', + 'ideologue', 'ideologues', + 'ideology', + 'ideomotor', + 'ides', + 'idioblast', 'idioblastic', 'idioblasts', + 'idiocies', + 'idiocy', 'idiographic', + 'idiolect', 'idiolectal', + 'idiolects', + 'idiom', + 'idiomatic', 'idiomatically', 'idiomaticness', 'idiomaticnesses', 'idiomorphic', + 'idioms', 'idiopathic', 'idiopathically', 'idiosyncrasies', 'idiosyncrasy', 'idiosyncratic', 'idiosyncratically', + 'idiot', + 'idiotic', + 'idiotical', 'idiotically', + 'idiotism', + 'idiotisms', + 'idiots', + 'idle', + 'idled', + 'idleness', 'idlenesses', + 'idler', + 'idlers', + 'idles', + 'idlesse', + 'idlesses', + 'idlest', + 'idling', + 'idly', + 'idocrase', + 'idocrases', + 'idol', + 'idolater', + 'idolaters', + 'idolator', + 'idolators', 'idolatries', 'idolatrous', 'idolatrously', 'idolatrousness', 'idolatrousnesses', + 'idolatry', + 'idolise', + 'idolised', + 'idoliser', + 'idolisers', + 'idolises', + 'idolising', + 'idolism', + 'idolisms', 'idolization', 'idolizations', + 'idolize', + 'idolized', + 'idolizer', + 'idolizers', + 'idolizes', + 'idolizing', + 'idols', 'idoneities', + 'idoneity', + 'idoneous', + 'ids', + 'idyl', + 'idylist', + 'idylists', + 'idyll', + 'idyllic', 'idyllically', + 'idyllist', + 'idyllists', + 'idylls', + 'idyls', + 'if', + 'iff', + 'iffier', + 'iffiest', + 'iffiness', 'iffinesses', + 'iffy', + 'ifs', + 'igloo', + 'igloos', + 'iglu', + 'iglus', + 'ignatia', + 'ignatias', + 'igneous', + 'ignescent', + 'ignified', + 'ignifies', + 'ignify', + 'ignifying', 'ignimbrite', 'ignimbrites', 'ignitabilities', 'ignitability', + 'ignitable', + 'ignite', + 'ignited', + 'igniter', + 'igniters', + 'ignites', + 'ignitible', + 'igniting', + 'ignition', + 'ignitions', + 'ignitor', + 'ignitors', + 'ignitron', + 'ignitrons', 'ignobilities', 'ignobility', + 'ignoble', 'ignobleness', 'ignoblenesses', + 'ignobly', 'ignominies', 'ignominious', 'ignominiously', 'ignominiousness', 'ignominiousnesses', + 'ignominy', + 'ignorable', + 'ignorami', + 'ignoramus', 'ignoramuses', + 'ignorance', 'ignorances', + 'ignorant', 'ignorantly', 'ignorantness', 'ignorantnesses', + 'ignore', + 'ignored', + 'ignorer', + 'ignorers', + 'ignores', + 'ignoring', + 'iguana', + 'iguanas', + 'iguanian', + 'iguanians', + 'iguanodon', 'iguanodons', + 'ihram', + 'ihrams', + 'ikat', + 'ikats', + 'ikebana', + 'ikebanas', + 'ikon', + 'ikons', + 'ilea', + 'ileac', + 'ileal', + 'ileitides', + 'ileitis', + 'ileum', + 'ileus', + 'ileuses', + 'ilex', + 'ilexes', + 'ilia', + 'iliac', + 'iliad', + 'iliads', + 'ilial', + 'ilium', + 'ilk', + 'ilka', + 'ilks', + 'ill', + 'illation', + 'illations', + 'illative', 'illatively', + 'illatives', 'illaudable', 'illaudably', + 'illegal', 'illegalities', 'illegality', 'illegalization', @@ -27612,12 +72277,19 @@ export const scrabble_array = [ 'illegalized', 'illegalizes', 'illegalizing', + 'illegally', + 'illegals', 'illegibilities', 'illegibility', + 'illegible', + 'illegibly', 'illegitimacies', 'illegitimacy', 'illegitimate', 'illegitimately', + 'iller', + 'illest', + 'illiberal', 'illiberalism', 'illiberalisms', 'illiberalities', @@ -27625,14 +72297,20 @@ export const scrabble_array = [ 'illiberally', 'illiberalness', 'illiberalnesses', + 'illicit', + 'illicitly', 'illimitabilities', 'illimitability', 'illimitable', 'illimitableness', 'illimitablenesses', 'illimitably', + 'illinium', + 'illiniums', + 'illiquid', 'illiquidities', 'illiquidity', + 'illite', 'illiteracies', 'illiteracy', 'illiterate', @@ -27640,12 +72318,23 @@ export const scrabble_array = [ 'illiterateness', 'illiteratenesses', 'illiterates', + 'illites', + 'illitic', + 'illness', + 'illnesses', 'illocutionary', + 'illogic', + 'illogical', 'illogicalities', 'illogicality', 'illogically', 'illogicalness', 'illogicalnesses', + 'illogics', + 'ills', + 'illume', + 'illumed', + 'illumes', 'illuminable', 'illuminance', 'illuminances', @@ -27662,11 +72351,16 @@ export const scrabble_array = [ 'illuminative', 'illuminator', 'illuminators', + 'illumine', + 'illumined', + 'illumines', + 'illuming', 'illumining', 'illuminism', 'illuminisms', 'illuminist', 'illuminists', + 'illusion', 'illusional', 'illusionary', 'illusionism', @@ -27675,12 +72369,15 @@ export const scrabble_array = [ 'illusionistic', 'illusionistically', 'illusionists', + 'illusions', + 'illusive', 'illusively', 'illusiveness', 'illusivenesses', 'illusorily', 'illusoriness', 'illusorinesses', + 'illusory', 'illustrate', 'illustrated', 'illustrates', @@ -27696,57 +72393,179 @@ export const scrabble_array = [ 'illustriously', 'illustriousness', 'illustriousnesses', + 'illuvia', + 'illuvial', 'illuviated', 'illuviation', 'illuviations', + 'illuvium', + 'illuviums', + 'illy', + 'ilmenite', + 'ilmenites', + 'image', + 'imaged', + 'imager', + 'imageries', + 'imagers', + 'imagery', + 'images', 'imaginable', 'imaginableness', 'imaginablenesses', 'imaginably', + 'imaginal', 'imaginaries', 'imaginarily', 'imaginariness', 'imaginarinesses', + 'imaginary', 'imagination', 'imaginations', 'imaginative', 'imaginatively', 'imaginativeness', 'imaginativenesses', + 'imagine', + 'imagined', + 'imaginer', + 'imaginers', + 'imagines', + 'imaging', + 'imagings', + 'imagining', + 'imagism', + 'imagisms', + 'imagist', + 'imagistic', 'imagistically', + 'imagists', + 'imago', + 'imagoes', + 'imagos', + 'imam', + 'imamate', + 'imamates', + 'imams', + 'imaret', + 'imarets', + 'imaum', + 'imaums', + 'imbalance', 'imbalanced', 'imbalances', + 'imbalm', + 'imbalmed', + 'imbalmer', + 'imbalmers', + 'imbalming', + 'imbalms', + 'imbark', + 'imbarked', + 'imbarking', + 'imbarks', + 'imbecile', + 'imbeciles', + 'imbecilic', 'imbecilities', 'imbecility', + 'imbed', + 'imbedded', + 'imbedding', + 'imbeds', + 'imbibe', + 'imbibed', + 'imbiber', + 'imbibers', + 'imbibes', + 'imbibing', 'imbibition', 'imbibitional', 'imbibitions', + 'imbitter', 'imbittered', 'imbittering', + 'imbitters', + 'imblaze', + 'imblazed', + 'imblazes', + 'imblazing', + 'imbodied', + 'imbodies', + 'imbody', + 'imbodying', + 'imbolden', 'imboldened', 'imboldening', + 'imboldens', + 'imbosom', + 'imbosomed', 'imbosoming', + 'imbosoms', + 'imbower', + 'imbowered', 'imbowering', + 'imbowers', + 'imbricate', 'imbricated', 'imbricates', 'imbricating', 'imbrication', 'imbrications', + 'imbroglio', 'imbroglios', + 'imbrown', + 'imbrowned', 'imbrowning', + 'imbrowns', + 'imbrue', + 'imbrued', + 'imbrues', + 'imbruing', + 'imbrute', + 'imbruted', + 'imbrutes', + 'imbruting', + 'imbue', + 'imbued', + 'imbues', + 'imbuing', + 'imid', + 'imidazole', 'imidazoles', + 'imide', + 'imides', + 'imidic', + 'imido', + 'imids', + 'imine', + 'imines', + 'imino', 'imipramine', 'imipramines', + 'imitable', + 'imitate', + 'imitated', + 'imitates', + 'imitating', + 'imitation', 'imitations', + 'imitative', 'imitatively', 'imitativeness', 'imitativenesses', + 'imitator', + 'imitators', 'immaculacies', 'immaculacy', 'immaculate', 'immaculately', + 'immane', + 'immanence', 'immanences', 'immanencies', + 'immanency', + 'immanent', 'immanentism', 'immanentisms', 'immanentist', @@ -27764,7 +72583,9 @@ export const scrabble_array = [ 'immaterialized', 'immaterializes', 'immaterializing', + 'immature', 'immaturely', + 'immatures', 'immaturities', 'immaturity', 'immeasurable', @@ -27772,6 +72593,8 @@ export const scrabble_array = [ 'immeasurablenesses', 'immeasurably', 'immediacies', + 'immediacy', + 'immediate', 'immediately', 'immediateness', 'immediatenesses', @@ -27779,24 +72602,51 @@ export const scrabble_array = [ 'immedicably', 'immemorial', 'immemorially', + 'immense', + 'immensely', 'immenseness', 'immensenesses', + 'immenser', + 'immensest', 'immensities', + 'immensity', 'immensurable', + 'immerge', + 'immerged', + 'immerges', + 'immerging', + 'immerse', + 'immersed', + 'immerses', 'immersible', + 'immersing', + 'immersion', 'immersions', + 'immesh', + 'immeshed', + 'immeshes', + 'immeshing', 'immethodical', 'immethodically', + 'immies', + 'immigrant', 'immigrants', + 'immigrate', 'immigrated', 'immigrates', 'immigrating', 'immigration', 'immigrational', 'immigrations', + 'imminence', 'imminences', 'imminencies', + 'imminency', + 'imminent', 'imminently', + 'immingle', + 'immingled', + 'immingles', 'immingling', 'immiscibilities', 'immiscibility', @@ -27805,7 +72655,13 @@ export const scrabble_array = [ 'immitigably', 'immittance', 'immittances', + 'immix', + 'immixed', + 'immixes', + 'immixing', + 'immixture', 'immixtures', + 'immobile', 'immobilism', 'immobilisms', 'immobilities', @@ -27826,18 +72682,27 @@ export const scrabble_array = [ 'immoderatenesses', 'immoderation', 'immoderations', + 'immodest', 'immodesties', 'immodestly', + 'immodesty', + 'immolate', + 'immolated', + 'immolates', 'immolating', 'immolation', 'immolations', + 'immolator', 'immolators', + 'immoral', 'immoralism', 'immoralisms', 'immoralist', 'immoralists', 'immoralities', 'immorality', + 'immorally', + 'immortal', 'immortalise', 'immortalised', 'immortalises', @@ -27853,17 +72718,30 @@ export const scrabble_array = [ 'immortalizes', 'immortalizing', 'immortally', + 'immortals', 'immortelle', 'immortelles', + 'immotile', 'immovabilities', 'immovability', + 'immovable', 'immovableness', 'immovablenesses', 'immovables', + 'immovably', + 'immune', + 'immunes', + 'immunise', + 'immunised', + 'immunises', 'immunising', 'immunities', + 'immunity', 'immunization', 'immunizations', + 'immunize', + 'immunized', + 'immunizes', 'immunizing', 'immunoassay', 'immunoassayable', @@ -27901,6 +72779,7 @@ export const scrabble_array = [ 'immunofluorescence', 'immunofluorescences', 'immunofluorescent', + 'immunogen', 'immunogeneses', 'immunogenesis', 'immunogenetic', @@ -27965,65 +72844,139 @@ export const scrabble_array = [ 'immunotherapeutic', 'immunotherapies', 'immunotherapy', + 'immure', + 'immured', 'immurement', 'immurements', + 'immures', + 'immuring', 'immutabilities', 'immutability', + 'immutable', 'immutableness', 'immutablenesses', + 'immutably', + 'immy', + 'imp', + 'impact', + 'impacted', + 'impacter', + 'impacters', + 'impacting', + 'impaction', 'impactions', + 'impactive', + 'impactor', + 'impactors', + 'impacts', + 'impaint', + 'impainted', 'impainting', + 'impaints', + 'impair', + 'impaired', + 'impairer', + 'impairers', + 'impairing', 'impairment', 'impairments', + 'impairs', + 'impala', + 'impalas', + 'impale', + 'impaled', 'impalement', 'impalements', + 'impaler', + 'impalers', + 'impales', + 'impaling', 'impalpabilities', 'impalpability', 'impalpable', 'impalpably', + 'impanel', + 'impaneled', 'impaneling', 'impanelled', 'impanelling', + 'impanels', 'imparadise', 'imparadised', 'imparadises', 'imparadising', 'imparities', + 'imparity', + 'impark', + 'imparked', + 'imparking', + 'imparks', + 'impart', 'impartation', 'impartations', + 'imparted', + 'imparter', + 'imparters', + 'impartial', 'impartialities', 'impartiality', 'impartially', 'impartible', 'impartibly', + 'imparting', 'impartment', 'impartments', + 'imparts', 'impassabilities', 'impassability', 'impassable', 'impassableness', 'impassablenesses', 'impassably', + 'impasse', + 'impasses', 'impassibilities', 'impassibility', 'impassible', 'impassibly', + 'impassion', 'impassioned', 'impassioning', 'impassions', + 'impassive', 'impassively', 'impassiveness', 'impassivenesses', 'impassivities', 'impassivity', + 'impaste', + 'impasted', + 'impastes', + 'impasting', + 'impasto', + 'impastoed', + 'impastos', 'impatience', 'impatiences', + 'impatiens', + 'impatient', 'impatiently', + 'impavid', + 'impawn', + 'impawned', + 'impawning', + 'impawns', + 'impeach', 'impeachable', + 'impeached', + 'impeaches', 'impeaching', 'impeachment', 'impeachments', + 'impearl', + 'impearled', 'impearling', + 'impearls', 'impeccabilities', 'impeccability', 'impeccable', @@ -28034,10 +72987,31 @@ export const scrabble_array = [ 'impecuniously', 'impecuniousness', 'impecuniousnesses', + 'imped', + 'impedance', 'impedances', + 'impede', + 'impeded', + 'impeder', + 'impeders', + 'impedes', 'impediment', 'impedimenta', 'impediments', + 'impeding', + 'impel', + 'impelled', + 'impeller', + 'impellers', + 'impelling', + 'impellor', + 'impellors', + 'impels', + 'impend', + 'impended', + 'impendent', + 'impending', + 'impends', 'impenetrabilities', 'impenetrability', 'impenetrable', @@ -28051,6 +73025,7 @@ export const scrabble_array = [ 'imperativeness', 'imperativenesses', 'imperatives', + 'imperator', 'imperatorial', 'imperators', 'imperceivable', @@ -28062,6 +73037,7 @@ export const scrabble_array = [ 'impercipience', 'impercipiences', 'impercipient', + 'imperfect', 'imperfection', 'imperfections', 'imperfective', @@ -28071,6 +73047,8 @@ export const scrabble_array = [ 'imperfectnesses', 'imperfects', 'imperforate', + 'imperia', + 'imperial', 'imperialism', 'imperialisms', 'imperialist', @@ -28078,11 +73056,16 @@ export const scrabble_array = [ 'imperialistically', 'imperialists', 'imperially', + 'imperials', + 'imperil', + 'imperiled', 'imperiling', 'imperilled', 'imperilling', 'imperilment', 'imperilments', + 'imperils', + 'imperious', 'imperiously', 'imperiousness', 'imperiousnesses', @@ -28093,6 +73076,8 @@ export const scrabble_array = [ 'imperishablenesses', 'imperishables', 'imperishably', + 'imperium', + 'imperiums', 'impermanence', 'impermanences', 'impermanencies', @@ -28139,6 +73124,9 @@ export const scrabble_array = [ 'imperviousness', 'imperviousnesses', 'impetiginous', + 'impetigo', + 'impetigos', + 'impetrate', 'impetrated', 'impetrates', 'impetrating', @@ -28146,28 +73134,60 @@ export const scrabble_array = [ 'impetrations', 'impetuosities', 'impetuosity', + 'impetuous', 'impetuously', 'impetuousness', 'impetuousnesses', + 'impetus', + 'impetuses', + 'imphee', + 'imphees', + 'impi', + 'impieties', + 'impiety', + 'imping', + 'impinge', + 'impinged', 'impingement', 'impingements', + 'impinger', + 'impingers', + 'impinges', + 'impinging', + 'impings', + 'impious', + 'impiously', + 'impis', + 'impish', + 'impishly', 'impishness', 'impishnesses', 'implacabilities', 'implacability', 'implacable', 'implacably', + 'implant', 'implantable', 'implantation', 'implantations', + 'implanted', + 'implanter', 'implanters', 'implanting', + 'implants', 'implausibilities', 'implausibility', 'implausible', 'implausibly', + 'implead', + 'impleaded', 'impleading', + 'impleads', + 'impledge', + 'impledged', + 'impledges', 'impledging', + 'implement', 'implementation', 'implementations', 'implemented', @@ -28177,6 +73197,7 @@ export const scrabble_array = [ 'implementor', 'implementors', 'implements', + 'implicate', 'implicated', 'implicates', 'implicating', @@ -28186,16 +73207,36 @@ export const scrabble_array = [ 'implicatively', 'implicativeness', 'implicativenesses', + 'implicit', 'implicitly', 'implicitness', 'implicitnesses', + 'implied', + 'implies', + 'implode', + 'imploded', + 'implodes', + 'imploding', + 'implore', + 'implored', + 'implorer', + 'implorers', + 'implores', + 'imploring', 'imploringly', + 'implosion', 'implosions', + 'implosive', 'implosives', + 'imply', + 'implying', 'impolicies', + 'impolicy', + 'impolite', 'impolitely', 'impoliteness', 'impolitenesses', + 'impolitic', 'impolitical', 'impolitically', 'impoliticly', @@ -28204,18 +73245,31 @@ export const scrabble_array = [ 'imponderable', 'imponderables', 'imponderably', + 'impone', + 'imponed', + 'impones', + 'imponing', + 'imporous', + 'import', 'importable', 'importance', 'importances', 'importancies', 'importancy', + 'important', 'importantly', 'importation', 'importations', + 'imported', + 'importer', + 'importers', + 'importing', + 'imports', 'importunate', 'importunately', 'importunateness', 'importunatenesses', + 'importune', 'importuned', 'importunely', 'importuner', @@ -28224,6 +73278,12 @@ export const scrabble_array = [ 'importuning', 'importunities', 'importunity', + 'impose', + 'imposed', + 'imposer', + 'imposers', + 'imposes', + 'imposing', 'imposingly', 'imposition', 'impositions', @@ -28233,16 +73293,33 @@ export const scrabble_array = [ 'impossibleness', 'impossiblenesses', 'impossibly', + 'impost', + 'imposted', + 'imposter', + 'imposters', 'imposthume', 'imposthumes', + 'imposting', + 'impostor', + 'impostors', + 'imposts', + 'impostume', 'impostumes', + 'imposture', 'impostures', + 'impotence', 'impotences', 'impotencies', + 'impotency', + 'impotent', 'impotently', + 'impotents', + 'impound', + 'impounded', 'impounding', 'impoundment', 'impoundments', + 'impounds', 'impoverish', 'impoverished', 'impoverisher', @@ -28251,7 +73328,10 @@ export const scrabble_array = [ 'impoverishing', 'impoverishment', 'impoverishments', + 'impower', + 'impowered', 'impowering', + 'impowers', 'impracticabilities', 'impracticability', 'impracticable', @@ -28260,17 +73340,20 @@ export const scrabble_array = [ 'impracticalities', 'impracticality', 'impractically', + 'imprecate', 'imprecated', 'imprecates', 'imprecating', 'imprecation', 'imprecations', 'imprecatory', + 'imprecise', 'imprecisely', 'impreciseness', 'imprecisenesses', 'imprecision', 'imprecisions', + 'impregn', 'impregnabilities', 'impregnability', 'impregnable', @@ -28287,9 +73370,18 @@ export const scrabble_array = [ 'impregnations', 'impregnator', 'impregnators', + 'impregned', 'impregning', + 'impregns', + 'impresa', 'impresario', 'impresarios', + 'impresas', + 'imprese', + 'impreses', + 'impress', + 'impressed', + 'impresses', 'impressibilities', 'impressibility', 'impressible', @@ -28313,34 +73405,52 @@ export const scrabble_array = [ 'impressments', 'impressure', 'impressures', + 'imprest', + 'imprests', 'imprimatur', 'imprimaturs', + 'imprimis', + 'imprint', + 'imprinted', + 'imprinter', 'imprinters', 'imprinting', 'imprintings', + 'imprints', + 'imprison', 'imprisoned', 'imprisoning', 'imprisonment', 'imprisonments', + 'imprisons', 'improbabilities', 'improbability', 'improbable', 'improbably', + 'impromptu', 'impromptus', + 'improper', 'improperly', 'improperness', 'impropernesses', 'improprieties', 'impropriety', + 'improv', 'improvabilities', 'improvability', 'improvable', + 'improve', + 'improved', 'improvement', 'improvements', + 'improver', + 'improvers', + 'improves', 'improvidence', 'improvidences', 'improvident', 'improvidently', + 'improving', 'improvisation', 'improvisational', 'improvisationally', @@ -28352,6 +73462,7 @@ export const scrabble_array = [ 'improvisatorial', 'improvisators', 'improvisatory', + 'improvise', 'improvised', 'improviser', 'improvisers', @@ -28359,34 +73470,64 @@ export const scrabble_array = [ 'improvising', 'improvisor', 'improvisors', + 'improvs', 'imprudence', 'imprudences', + 'imprudent', 'imprudently', + 'imps', + 'impudence', 'impudences', + 'impudent', 'impudently', 'impudicities', 'impudicity', + 'impugn', 'impugnable', + 'impugned', + 'impugner', + 'impugners', + 'impugning', + 'impugns', 'impuissance', 'impuissances', 'impuissant', + 'impulse', + 'impulsed', + 'impulses', + 'impulsing', + 'impulsion', 'impulsions', + 'impulsive', 'impulsively', 'impulsiveness', 'impulsivenesses', 'impulsivities', 'impulsivity', 'impunities', + 'impunity', + 'impure', + 'impurely', 'impureness', 'impurenesses', 'impurities', + 'impurity', 'imputabilities', 'imputability', + 'imputable', 'imputation', 'imputations', 'imputative', 'imputatively', + 'impute', + 'imputed', + 'imputer', + 'imputers', + 'imputes', + 'imputing', + 'in', 'inabilities', + 'inability', 'inaccessibilities', 'inaccessibility', 'inaccessible', @@ -28395,12 +73536,15 @@ export const scrabble_array = [ 'inaccuracy', 'inaccurate', 'inaccurately', + 'inaction', + 'inactions', 'inactivate', 'inactivated', 'inactivates', 'inactivating', 'inactivation', 'inactivations', + 'inactive', 'inactively', 'inactivities', 'inactivity', @@ -28433,12 +73577,23 @@ export const scrabble_array = [ 'inalterableness', 'inalterablenesses', 'inalterably', + 'inamorata', 'inamoratas', + 'inane', + 'inanely', + 'inaneness', 'inanenesses', + 'inaner', + 'inanes', + 'inanest', + 'inanimate', 'inanimately', 'inanimateness', 'inanimatenesses', + 'inanities', + 'inanition', 'inanitions', + 'inanity', 'inapparent', 'inapparently', 'inappeasable', @@ -28463,11 +73618,23 @@ export const scrabble_array = [ 'inappropriately', 'inappropriateness', 'inappropriatenesses', + 'inapt', 'inaptitude', 'inaptitudes', + 'inaptly', + 'inaptness', 'inaptnesses', + 'inarable', + 'inarch', + 'inarched', + 'inarches', + 'inarching', 'inarguable', 'inarguably', + 'inarm', + 'inarmed', + 'inarming', + 'inarms', 'inarticulacies', 'inarticulacy', 'inarticulate', @@ -28485,6 +73652,9 @@ export const scrabble_array = [ 'inattentivenesses', 'inaudibilities', 'inaudibility', + 'inaudible', + 'inaudibly', + 'inaugural', 'inaugurals', 'inaugurate', 'inaugurated', @@ -28501,12 +73671,34 @@ export const scrabble_array = [ 'inauthentic', 'inauthenticities', 'inauthenticity', + 'inbeing', + 'inbeings', + 'inboard', + 'inboards', + 'inborn', + 'inbound', + 'inbounded', 'inbounding', + 'inbounds', + 'inbreathe', 'inbreathed', 'inbreathes', 'inbreathing', + 'inbred', + 'inbreds', + 'inbreed', 'inbreeding', 'inbreedings', + 'inbreeds', + 'inbuilt', + 'inburst', + 'inbursts', + 'inby', + 'inbye', + 'incage', + 'incaged', + 'incages', + 'incaging', 'incalculabilities', 'incalculability', 'incalculable', @@ -28523,14 +73715,20 @@ export const scrabble_array = [ 'incandescents', 'incandesces', 'incandescing', + 'incant', 'incantation', 'incantational', 'incantations', 'incantatory', + 'incanted', + 'incanting', + 'incants', 'incapabilities', 'incapability', + 'incapable', 'incapableness', 'incapablenesses', + 'incapably', 'incapacitate', 'incapacitated', 'incapacitates', @@ -28551,11 +73749,17 @@ export const scrabble_array = [ 'incarnadined', 'incarnadines', 'incarnadining', + 'incarnate', 'incarnated', 'incarnates', 'incarnating', 'incarnation', 'incarnations', + 'incase', + 'incased', + 'incases', + 'incasing', + 'incaution', 'incautions', 'incautious', 'incautiously', @@ -28565,29 +73769,58 @@ export const scrabble_array = [ 'incendiarism', 'incendiarisms', 'incendiary', + 'incense', + 'incensed', + 'incenses', + 'incensing', + 'incenter', + 'incenters', + 'incentive', 'incentives', + 'incept', + 'incepted', + 'incepting', + 'inception', 'inceptions', + 'inceptive', 'inceptively', 'inceptives', + 'inceptor', + 'inceptors', + 'incepts', 'incertitude', 'incertitudes', 'incessancies', 'incessancy', + 'incessant', 'incessantly', + 'incest', + 'incests', 'incestuous', 'incestuously', 'incestuousness', 'incestuousnesses', + 'inch', + 'inched', + 'inches', + 'inching', + 'inchmeal', + 'inchoate', 'inchoately', 'inchoateness', 'inchoatenesses', 'inchoative', 'inchoatively', 'inchoatives', + 'inchworm', + 'inchworms', + 'incidence', 'incidences', + 'incident', 'incidental', 'incidentally', 'incidentals', + 'incidents', 'incinerate', 'incinerated', 'incinerates', @@ -28600,42 +73833,97 @@ export const scrabble_array = [ 'incipiences', 'incipiencies', 'incipiency', + 'incipient', 'incipiently', + 'incipit', + 'incipits', + 'incisal', + 'incise', + 'incised', + 'incises', + 'incising', + 'incision', + 'incisions', + 'incisive', 'incisively', 'incisiveness', 'incisivenesses', + 'incisor', + 'incisors', + 'incisory', + 'incisure', + 'incisures', + 'incitant', + 'incitants', 'incitation', 'incitations', + 'incite', + 'incited', 'incitement', 'incitements', + 'inciter', + 'inciters', + 'incites', + 'inciting', + 'incivil', 'incivilities', 'incivility', + 'inclasp', + 'inclasped', 'inclasping', + 'inclasps', 'inclemencies', 'inclemency', + 'inclement', 'inclemently', 'inclinable', 'inclination', 'inclinational', 'inclinations', + 'incline', + 'inclined', + 'incliner', + 'incliners', + 'inclines', + 'inclining', 'inclinings', 'inclinometer', 'inclinometers', + 'inclip', + 'inclipped', 'inclipping', + 'inclips', + 'inclose', + 'inclosed', + 'incloser', + 'inclosers', + 'incloses', + 'inclosing', + 'inclosure', 'inclosures', 'includable', + 'include', + 'included', + 'includes', 'includible', + 'including', + 'inclusion', 'inclusions', + 'inclusive', 'inclusively', 'inclusiveness', 'inclusivenesses', 'incoercible', + 'incog', 'incogitant', + 'incognita', 'incognitas', + 'incognito', 'incognitos', 'incognizance', 'incognizances', 'incognizant', + 'incogs', 'incoherence', 'incoherences', 'incoherent', @@ -28644,12 +73932,19 @@ export const scrabble_array = [ 'incombustibility', 'incombustible', 'incombustibles', + 'income', + 'incomer', + 'incomers', + 'incomes', + 'incoming', + 'incomings', 'incommensurabilities', 'incommensurability', 'incommensurable', 'incommensurables', 'incommensurably', 'incommensurate', + 'incommode', 'incommoded', 'incommodes', 'incommoding', @@ -28711,6 +74006,7 @@ export const scrabble_array = [ 'inconclusively', 'inconclusiveness', 'inconclusivenesses', + 'incondite', 'inconformities', 'inconformity', 'incongruence', @@ -28723,6 +74019,8 @@ export const scrabble_array = [ 'incongruously', 'incongruousness', 'incongruousnesses', + 'inconnu', + 'inconnus', 'inconscient', 'inconsecutive', 'inconsequence', @@ -28792,6 +74090,7 @@ export const scrabble_array = [ 'inconvertible', 'inconvertibly', 'inconvincible', + 'incony', 'incoordination', 'incoordinations', 'incorporable', @@ -28808,7 +74107,11 @@ export const scrabble_array = [ 'incorporeally', 'incorporeities', 'incorporeity', + 'incorpse', + 'incorpsed', + 'incorpses', 'incorpsing', + 'incorrect', 'incorrectly', 'incorrectness', 'incorrectnesses', @@ -28819,6 +74122,7 @@ export const scrabble_array = [ 'incorrigiblenesses', 'incorrigibles', 'incorrigibly', + 'incorrupt', 'incorrupted', 'incorruptibilities', 'incorruptibility', @@ -28831,9 +74135,14 @@ export const scrabble_array = [ 'incorruptness', 'incorruptnesses', 'increasable', + 'increase', + 'increased', + 'increaser', 'increasers', + 'increases', 'increasing', 'increasingly', + 'increate', 'incredibilities', 'incredibility', 'incredible', @@ -28844,6 +74153,7 @@ export const scrabble_array = [ 'incredulity', 'incredulous', 'incredulously', + 'increment', 'incremental', 'incrementalism', 'incrementalisms', @@ -28861,16 +74171,33 @@ export const scrabble_array = [ 'incrimination', 'incriminations', 'incriminatory', + 'incross', + 'incrossed', + 'incrosses', 'incrossing', + 'incrust', 'incrustation', 'incrustations', + 'incrusted', 'incrusting', + 'incrusts', + 'incubate', + 'incubated', + 'incubates', 'incubating', 'incubation', 'incubations', 'incubative', + 'incubator', 'incubators', 'incubatory', + 'incubi', + 'incubus', + 'incubuses', + 'incudal', + 'incudate', + 'incudes', + 'inculcate', 'inculcated', 'inculcates', 'inculcating', @@ -28879,29 +74206,45 @@ export const scrabble_array = [ 'inculcator', 'inculcators', 'inculpable', + 'inculpate', 'inculpated', 'inculpates', 'inculpating', 'inculpation', 'inculpations', 'inculpatory', + 'incult', 'incumbencies', 'incumbency', + 'incumbent', 'incumbents', + 'incumber', 'incumbered', 'incumbering', + 'incumbers', + 'incunable', 'incunables', 'incunabula', 'incunabulum', + 'incur', + 'incurable', 'incurables', + 'incurably', 'incuriosities', 'incuriosity', + 'incurious', 'incuriously', 'incuriousness', 'incuriousnesses', + 'incurred', 'incurrence', 'incurrences', + 'incurrent', + 'incurring', + 'incurs', + 'incursion', 'incursions', + 'incurvate', 'incurvated', 'incurvates', 'incurvating', @@ -28909,13 +74252,35 @@ export const scrabble_array = [ 'incurvations', 'incurvature', 'incurvatures', + 'incurve', + 'incurved', + 'incurves', + 'incurving', + 'incus', + 'incuse', + 'incused', + 'incuses', + 'incusing', + 'indaba', + 'indabas', + 'indagate', + 'indagated', + 'indagates', 'indagating', 'indagation', 'indagations', + 'indagator', 'indagators', + 'indamin', + 'indamine', + 'indamines', + 'indamins', + 'indebted', 'indebtedness', 'indebtednesses', 'indecencies', + 'indecency', + 'indecent', 'indecenter', 'indecentest', 'indecently', @@ -28932,7 +74297,9 @@ export const scrabble_array = [ 'indecorously', 'indecorousness', 'indecorousnesses', + 'indecorum', 'indecorums', + 'indeed', 'indefatigabilities', 'indefatigability', 'indefatigable', @@ -28968,6 +74335,8 @@ export const scrabble_array = [ 'indehiscent', 'indelibilities', 'indelibility', + 'indelible', + 'indelibly', 'indelicacies', 'indelicacy', 'indelicate', @@ -28980,13 +74349,27 @@ export const scrabble_array = [ 'indemnifier', 'indemnifiers', 'indemnifies', + 'indemnify', 'indemnifying', 'indemnities', + 'indemnity', 'indemonstrable', 'indemonstrably', + 'indene', + 'indenes', + 'indent', 'indentation', 'indentations', + 'indented', + 'indenter', + 'indenters', + 'indenting', + 'indention', 'indentions', + 'indentor', + 'indentors', + 'indents', + 'indenture', 'indentured', 'indentures', 'indenturing', @@ -29022,9 +74405,25 @@ export const scrabble_array = [ 'indeterminist', 'indeterministic', 'indeterminists', + 'indevout', + 'index', 'indexation', 'indexations', + 'indexed', + 'indexer', + 'indexers', + 'indexes', + 'indexical', 'indexicals', + 'indexing', + 'indexings', + 'indican', + 'indicans', + 'indicant', + 'indicants', + 'indicate', + 'indicated', + 'indicates', 'indicating', 'indication', 'indicational', @@ -29032,12 +74431,31 @@ export const scrabble_array = [ 'indicative', 'indicatively', 'indicatives', + 'indicator', 'indicators', 'indicatory', + 'indices', + 'indicia', + 'indicias', + 'indicium', + 'indiciums', + 'indict', 'indictable', + 'indicted', + 'indictee', + 'indictees', + 'indicter', + 'indicters', + 'indicting', + 'indiction', 'indictions', 'indictment', 'indictments', + 'indictor', + 'indictors', + 'indicts', + 'indie', + 'indies', 'indifference', 'indifferences', 'indifferencies', @@ -29048,7 +74466,11 @@ export const scrabble_array = [ 'indifferentist', 'indifferentists', 'indifferently', + 'indigen', + 'indigence', 'indigences', + 'indigene', + 'indigenes', 'indigenization', 'indigenizations', 'indigenize', @@ -29059,6 +74481,9 @@ export const scrabble_array = [ 'indigenously', 'indigenousness', 'indigenousnesses', + 'indigens', + 'indigent', + 'indigents', 'indigested', 'indigestibilities', 'indigestibility', @@ -29066,11 +74491,22 @@ export const scrabble_array = [ 'indigestibles', 'indigestion', 'indigestions', + 'indign', + 'indignant', 'indignantly', 'indignation', 'indignations', 'indignities', + 'indignity', + 'indignly', + 'indigo', + 'indigoes', + 'indigoid', + 'indigoids', + 'indigos', + 'indigotin', 'indigotins', + 'indirect', 'indirection', 'indirections', 'indirectly', @@ -29103,6 +74539,7 @@ export const scrabble_array = [ 'indispensablenesses', 'indispensables', 'indispensably', + 'indispose', 'indisposed', 'indisposes', 'indisposing', @@ -29131,6 +74568,14 @@ export const scrabble_array = [ 'indistinguishableness', 'indistinguishablenesses', 'indistinguishably', + 'indite', + 'indited', + 'inditer', + 'inditers', + 'indites', + 'inditing', + 'indium', + 'indiums', 'individual', 'individualise', 'individualised', @@ -29163,6 +74608,7 @@ export const scrabble_array = [ 'indivisible', 'indivisibles', 'indivisibly', + 'indocile', 'indocilities', 'indocility', 'indoctrinate', @@ -29173,8 +74619,14 @@ export const scrabble_array = [ 'indoctrinations', 'indoctrinator', 'indoctrinators', + 'indol', + 'indole', + 'indolence', 'indolences', + 'indolent', 'indolently', + 'indoles', + 'indols', 'indomethacin', 'indomethacins', 'indomitabilities', @@ -29183,31 +74635,94 @@ export const scrabble_array = [ 'indomitableness', 'indomitablenesses', 'indomitably', + 'indoor', + 'indoors', 'indophenol', 'indophenols', + 'indorse', + 'indorsed', + 'indorsee', + 'indorsees', 'indorsement', 'indorsements', + 'indorser', + 'indorsers', + 'indorses', + 'indorsing', + 'indorsor', + 'indorsors', + 'indow', + 'indowed', + 'indowing', + 'indows', + 'indoxyl', + 'indoxyls', + 'indraft', + 'indrafts', + 'indrawn', + 'indri', + 'indris', 'indubitabilities', 'indubitability', 'indubitable', 'indubitableness', 'indubitablenesses', 'indubitably', + 'induce', + 'induced', 'inducement', 'inducements', + 'inducer', + 'inducers', + 'induces', 'inducibilities', 'inducibility', + 'inducible', + 'inducing', + 'induct', 'inductance', 'inductances', + 'inducted', + 'inductee', + 'inductees', + 'inducting', + 'induction', 'inductions', + 'inductive', 'inductively', + 'inductor', + 'inductors', + 'inducts', + 'indue', + 'indued', + 'indues', + 'induing', + 'indulge', + 'indulged', 'indulgence', 'indulgences', + 'indulgent', 'indulgently', + 'indulger', + 'indulgers', + 'indulges', + 'indulging', + 'indulin', + 'induline', + 'indulines', + 'indulins', + 'indult', + 'indults', + 'indurate', + 'indurated', + 'indurates', 'indurating', 'induration', 'indurations', 'indurative', + 'indusia', + 'indusial', + 'indusium', 'industrial', 'industrialise', 'industrialised', @@ -29230,23 +74745,39 @@ export const scrabble_array = [ 'industriously', 'industriousness', 'industriousnesses', + 'industry', + 'indwell', + 'indweller', 'indwellers', 'indwelling', + 'indwells', + 'indwelt', + 'inearth', + 'inearthed', 'inearthing', + 'inearths', + 'inebriant', 'inebriants', + 'inebriate', 'inebriated', 'inebriates', 'inebriating', 'inebriation', 'inebriations', 'inebrieties', + 'inebriety', + 'inedible', + 'inedita', + 'inedited', 'ineducabilities', 'ineducability', 'ineducable', 'ineffabilities', 'ineffability', + 'ineffable', 'ineffableness', 'ineffablenesses', + 'ineffably', 'ineffaceabilities', 'ineffaceability', 'ineffaceable', @@ -29273,10 +74804,12 @@ export const scrabble_array = [ 'inefficiently', 'inefficients', 'inegalitarian', + 'inelastic', 'inelasticities', 'inelasticity', 'inelegance', 'inelegances', + 'inelegant', 'inelegantly', 'ineligibilities', 'ineligibility', @@ -29290,14 +74823,18 @@ export const scrabble_array = [ 'ineluctably', 'ineludible', 'inenarrable', + 'inept', 'ineptitude', 'ineptitudes', + 'ineptly', + 'ineptness', 'ineptnesses', 'inequalities', 'inequality', 'inequitable', 'inequitably', 'inequities', + 'inequity', 'inequivalve', 'inequivalved', 'ineradicabilities', @@ -29305,8 +74842,18 @@ export const scrabble_array = [ 'ineradicable', 'ineradicably', 'inerrancies', + 'inerrancy', + 'inerrant', + 'inert', + 'inertia', + 'inertiae', + 'inertial', 'inertially', + 'inertias', + 'inertly', + 'inertness', 'inertnesses', + 'inerts', 'inescapable', 'inescapably', 'inessential', @@ -29319,8 +74866,10 @@ export const scrabble_array = [ 'inevitableness', 'inevitablenesses', 'inevitably', + 'inexact', 'inexactitude', 'inexactitudes', + 'inexactly', 'inexactness', 'inexactnesses', 'inexcusable', @@ -29355,9 +74904,11 @@ export const scrabble_array = [ 'inexperience', 'inexperienced', 'inexperiences', + 'inexpert', 'inexpertly', 'inexpertness', 'inexpertnesses', + 'inexperts', 'inexpiable', 'inexpiably', 'inexplainable', @@ -29389,14 +74940,28 @@ export const scrabble_array = [ 'inextricability', 'inextricable', 'inextricably', + 'infall', 'infallibilities', 'infallibility', 'infallible', 'infallibly', + 'infalling', + 'infalls', + 'infamies', + 'infamous', 'infamously', + 'infamy', + 'infancies', + 'infancy', + 'infant', + 'infanta', + 'infantas', + 'infante', + 'infantes', 'infanticidal', 'infanticide', 'infanticides', + 'infantile', 'infantilism', 'infantilisms', 'infantilities', @@ -29407,56 +74972,112 @@ export const scrabble_array = [ 'infantilized', 'infantilizes', 'infantilizing', + 'infantine', 'infantries', + 'infantry', 'infantryman', 'infantrymen', + 'infants', + 'infarct', + 'infarcted', 'infarction', 'infarctions', + 'infarcts', + 'infare', + 'infares', + 'infatuate', 'infatuated', 'infatuates', 'infatuating', 'infatuation', 'infatuations', + 'infauna', + 'infaunae', + 'infaunal', + 'infaunas', 'infeasibilities', 'infeasibility', 'infeasible', + 'infect', + 'infected', + 'infecter', + 'infecters', + 'infecting', + 'infection', 'infections', 'infectious', 'infectiously', 'infectiousness', 'infectiousnesses', + 'infective', 'infectivities', 'infectivity', + 'infector', + 'infectors', + 'infects', + 'infecund', 'infelicities', 'infelicitous', 'infelicitously', 'infelicity', + 'infeoff', + 'infeoffed', 'infeoffing', + 'infeoffs', + 'infer', + 'inferable', + 'inference', 'inferences', 'inferential', 'inferentially', + 'inferior', 'inferiorities', 'inferiority', 'inferiorly', + 'inferiors', + 'infernal', 'infernally', + 'inferno', + 'infernos', + 'inferred', + 'inferrer', + 'inferrers', 'inferrible', + 'inferring', + 'infers', + 'infertile', 'infertilities', 'infertility', + 'infest', + 'infestant', 'infestants', 'infestation', 'infestations', + 'infested', + 'infester', + 'infesters', + 'infesting', + 'infests', 'infibulate', 'infibulated', 'infibulates', 'infibulating', 'infibulation', 'infibulations', + 'infidel', 'infidelities', 'infidelity', + 'infidels', + 'infield', + 'infielder', 'infielders', + 'infields', + 'infight', + 'infighter', 'infighters', 'infighting', 'infightings', + 'infights', 'infiltrate', 'infiltrated', 'infiltrates', @@ -29466,9 +75087,11 @@ export const scrabble_array = [ 'infiltrative', 'infiltrator', 'infiltrators', + 'infinite', 'infinitely', 'infiniteness', 'infinitenesses', + 'infinites', 'infinitesimal', 'infinitesimally', 'infinitesimals', @@ -29479,10 +75102,30 @@ export const scrabble_array = [ 'infinitives', 'infinitude', 'infinitudes', + 'infinity', + 'infirm', 'infirmaries', + 'infirmary', + 'infirmed', + 'infirming', 'infirmities', + 'infirmity', + 'infirmly', + 'infirms', + 'infix', 'infixation', 'infixations', + 'infixed', + 'infixes', + 'infixing', + 'infixion', + 'infixions', + 'inflame', + 'inflamed', + 'inflamer', + 'inflamers', + 'inflames', + 'inflaming', 'inflammabilities', 'inflammability', 'inflammable', @@ -29496,48 +75139,86 @@ export const scrabble_array = [ 'inflammatory', 'inflatable', 'inflatables', + 'inflate', + 'inflated', + 'inflater', + 'inflaters', + 'inflates', + 'inflating', + 'inflation', 'inflationary', 'inflationism', 'inflationisms', 'inflationist', 'inflationists', 'inflations', + 'inflator', + 'inflators', + 'inflect', 'inflectable', + 'inflected', 'inflecting', 'inflection', 'inflectional', 'inflectionally', 'inflections', 'inflective', + 'inflects', + 'inflexed', 'inflexibilities', 'inflexibility', 'inflexible', 'inflexibleness', 'inflexiblenesses', 'inflexibly', + 'inflexion', 'inflexions', + 'inflict', + 'inflicted', + 'inflicter', 'inflicters', 'inflicting', 'infliction', 'inflictions', 'inflictive', + 'inflictor', 'inflictors', + 'inflicts', + 'inflight', 'inflorescence', 'inflorescences', + 'inflow', + 'inflows', + 'influence', 'influenceable', 'influenced', 'influences', 'influencing', + 'influent', 'influential', 'influentially', 'influentials', + 'influents', + 'influenza', 'influenzal', 'influenzas', + 'influx', + 'influxes', + 'info', + 'infold', + 'infolded', + 'infolder', + 'infolders', + 'infolding', + 'infolds', 'infomercial', 'infomercials', + 'inform', + 'informal', 'informalities', 'informality', 'informally', + 'informant', 'informants', 'informatics', 'information', @@ -29550,18 +75231,31 @@ export const scrabble_array = [ 'informativenesses', 'informatorily', 'informatory', + 'informed', 'informedly', + 'informer', + 'informers', + 'informing', + 'informs', + 'infos', 'infotainment', 'infotainments', + 'infought', + 'infra', + 'infract', + 'infracted', 'infracting', 'infraction', 'infractions', + 'infracts', 'infrahuman', 'infrahumans', 'infrangibilities', 'infrangibility', 'infrangible', 'infrangibly', + 'infrared', + 'infrareds', 'infrasonic', 'infraspecific', 'infrastructure', @@ -29572,46 +75266,94 @@ export const scrabble_array = [ 'infrequency', 'infrequent', 'infrequently', + 'infringe', + 'infringed', 'infringement', 'infringements', + 'infringer', 'infringers', + 'infringes', 'infringing', + 'infrugal', 'infundibula', 'infundibular', 'infundibuliform', 'infundibulum', + 'infuriate', 'infuriated', 'infuriates', 'infuriating', 'infuriatingly', 'infuriation', 'infuriations', + 'infuse', + 'infused', + 'infuser', + 'infusers', + 'infuses', 'infusibilities', 'infusibility', + 'infusible', 'infusibleness', 'infusiblenesses', + 'infusing', + 'infusion', + 'infusions', + 'infusive', 'infusorian', 'infusorians', + 'ingate', + 'ingates', + 'ingather', 'ingathered', 'ingathering', 'ingatherings', + 'ingathers', + 'ingenious', 'ingeniously', 'ingeniousness', 'ingeniousnesses', + 'ingenue', + 'ingenues', 'ingenuities', + 'ingenuity', + 'ingenuous', 'ingenuously', 'ingenuousness', 'ingenuousnesses', + 'ingest', + 'ingesta', + 'ingested', 'ingestible', + 'ingesting', + 'ingestion', 'ingestions', + 'ingestive', + 'ingests', + 'ingle', + 'inglenook', 'inglenooks', + 'ingles', 'inglorious', 'ingloriously', 'ingloriousness', 'ingloriousnesses', + 'ingoing', + 'ingot', + 'ingoted', + 'ingoting', + 'ingots', + 'ingraft', + 'ingrafted', 'ingrafting', + 'ingrafts', + 'ingrain', + 'ingrained', 'ingrainedly', 'ingraining', + 'ingrains', + 'ingrate', + 'ingrates', 'ingratiate', 'ingratiated', 'ingratiates', @@ -29624,20 +75366,34 @@ export const scrabble_array = [ 'ingratitudes', 'ingredient', 'ingredients', + 'ingress', + 'ingresses', 'ingression', 'ingressions', 'ingressive', 'ingressiveness', 'ingressivenesses', 'ingressives', + 'ingroup', + 'ingroups', + 'ingrowing', + 'ingrown', 'ingrownness', 'ingrownnesses', + 'ingrowth', + 'ingrowths', + 'inguinal', + 'ingulf', + 'ingulfed', + 'ingulfing', + 'ingulfs', 'ingurgitate', 'ingurgitated', 'ingurgitates', 'ingurgitating', 'ingurgitation', 'ingurgitations', + 'inhabit', 'inhabitable', 'inhabitancies', 'inhabitancy', @@ -29645,20 +75401,44 @@ export const scrabble_array = [ 'inhabitants', 'inhabitation', 'inhabitations', + 'inhabited', + 'inhabiter', 'inhabiters', 'inhabiting', + 'inhabits', + 'inhalant', + 'inhalants', 'inhalation', 'inhalational', 'inhalations', + 'inhalator', 'inhalators', + 'inhale', + 'inhaled', + 'inhaler', + 'inhalers', + 'inhales', + 'inhaling', 'inharmonic', 'inharmonies', 'inharmonious', 'inharmoniously', 'inharmoniousness', 'inharmoniousnesses', + 'inharmony', + 'inhaul', + 'inhauler', + 'inhaulers', + 'inhauls', + 'inhere', + 'inhered', + 'inherence', 'inherences', + 'inherent', 'inherently', + 'inheres', + 'inhering', + 'inherit', 'inheritabilities', 'inheritability', 'inheritable', @@ -29666,19 +75446,31 @@ export const scrabble_array = [ 'inheritablenesses', 'inheritance', 'inheritances', + 'inherited', 'inheriting', + 'inheritor', 'inheritors', 'inheritress', 'inheritresses', 'inheritrices', 'inheritrix', 'inheritrixes', + 'inherits', + 'inhesion', + 'inhesions', + 'inhibin', + 'inhibins', + 'inhibit', + 'inhibited', 'inhibiting', 'inhibition', 'inhibitions', 'inhibitive', + 'inhibitor', 'inhibitors', 'inhibitory', + 'inhibits', + 'inholding', 'inholdings', 'inhomogeneities', 'inhomogeneity', @@ -29689,23 +75481,38 @@ export const scrabble_array = [ 'inhospitably', 'inhospitalities', 'inhospitality', + 'inhuman', + 'inhumane', 'inhumanely', 'inhumanities', 'inhumanity', + 'inhumanly', 'inhumanness', 'inhumannesses', 'inhumation', 'inhumations', + 'inhume', + 'inhumed', + 'inhumer', + 'inhumers', + 'inhumes', + 'inhuming', + 'inia', + 'inimical', 'inimically', 'inimitable', 'inimitableness', 'inimitablenesses', 'inimitably', + 'inion', 'iniquities', 'iniquitous', 'iniquitously', 'iniquitousness', 'iniquitousnesses', + 'iniquity', + 'initial', + 'initialed', 'initialing', 'initialism', 'initialisms', @@ -29717,19 +75524,34 @@ export const scrabble_array = [ 'initializing', 'initialled', 'initialling', + 'initially', 'initialness', 'initialnesses', + 'initials', + 'initiate', + 'initiated', + 'initiates', 'initiating', 'initiation', 'initiations', 'initiative', 'initiatives', + 'initiator', 'initiators', 'initiatory', + 'inject', 'injectable', 'injectables', + 'injectant', 'injectants', + 'injected', + 'injecting', + 'injection', 'injections', + 'injective', + 'injector', + 'injectors', + 'injects', 'injudicious', 'injudiciously', 'injudiciousness', @@ -29737,32 +75559,128 @@ export const scrabble_array = [ 'injunction', 'injunctions', 'injunctive', + 'injure', + 'injured', + 'injurer', + 'injurers', + 'injures', + 'injuries', + 'injuring', + 'injurious', 'injuriously', 'injuriousness', 'injuriousnesses', + 'injury', + 'injustice', 'injustices', + 'ink', 'inkberries', + 'inkberry', + 'inkblot', + 'inkblots', + 'inked', + 'inker', + 'inkers', + 'inkhorn', + 'inkhorns', + 'inkier', + 'inkiest', + 'inkiness', 'inkinesses', + 'inking', + 'inkjet', + 'inkle', + 'inkles', + 'inkless', + 'inklike', + 'inkling', + 'inklings', + 'inkpot', + 'inkpots', + 'inks', + 'inkstand', + 'inkstands', + 'inkstone', + 'inkstones', + 'inkwell', + 'inkwells', + 'inkwood', + 'inkwoods', + 'inky', + 'inlace', + 'inlaced', + 'inlaces', + 'inlacing', + 'inlaid', + 'inland', + 'inlander', + 'inlanders', + 'inlands', + 'inlay', + 'inlayer', + 'inlayers', + 'inlaying', + 'inlays', + 'inlet', + 'inlets', + 'inletting', + 'inlier', + 'inliers', + 'inly', + 'inmate', + 'inmates', + 'inmesh', + 'inmeshed', + 'inmeshes', + 'inmeshing', + 'inmost', + 'inn', + 'innards', + 'innate', + 'innately', 'innateness', 'innatenesses', + 'inned', + 'inner', + 'innerly', + 'innermost', 'innermosts', + 'inners', + 'innersole', 'innersoles', 'innerspring', + 'innervate', 'innervated', 'innervates', 'innervating', 'innervation', 'innervations', + 'innerve', + 'innerved', + 'innerves', + 'innerving', + 'inning', + 'innings', + 'innkeeper', 'innkeepers', + 'innless', + 'innocence', 'innocences', 'innocencies', + 'innocency', + 'innocent', 'innocenter', 'innocentest', 'innocently', + 'innocents', + 'innocuous', 'innocuously', 'innocuousness', 'innocuousnesses', 'innominate', + 'innovate', + 'innovated', + 'innovates', 'innovating', 'innovation', 'innovational', @@ -29771,11 +75689,15 @@ export const scrabble_array = [ 'innovatively', 'innovativeness', 'innovativenesses', + 'innovator', 'innovators', 'innovatory', + 'inns', + 'innuendo', 'innuendoed', 'innuendoes', 'innuendoing', + 'innuendos', 'innumerable', 'innumerably', 'innumeracies', @@ -29786,7 +75708,10 @@ export const scrabble_array = [ 'inobservance', 'inobservances', 'inobservant', + 'inocula', + 'inoculant', 'inoculants', + 'inoculate', 'inoculated', 'inoculates', 'inoculating', @@ -29795,6 +75720,8 @@ export const scrabble_array = [ 'inoculative', 'inoculator', 'inoculators', + 'inoculum', + 'inoculums', 'inoffensive', 'inoffensively', 'inoffensiveness', @@ -29813,6 +75740,7 @@ export const scrabble_array = [ 'inordinately', 'inordinateness', 'inordinatenesses', + 'inorganic', 'inorganically', 'inosculate', 'inosculated', @@ -29820,13 +75748,42 @@ export const scrabble_array = [ 'inosculating', 'inosculation', 'inosculations', + 'inosite', + 'inosites', + 'inositol', + 'inositols', + 'inotropic', + 'inpatient', 'inpatients', + 'inphase', + 'inpour', + 'inpoured', + 'inpouring', 'inpourings', + 'inpours', + 'input', + 'inputs', + 'inputted', + 'inputting', + 'inquest', + 'inquests', + 'inquiet', + 'inquieted', 'inquieting', + 'inquiets', 'inquietude', 'inquietudes', + 'inquiline', 'inquilines', + 'inquire', + 'inquired', + 'inquirer', + 'inquirers', + 'inquires', + 'inquiries', + 'inquiring', 'inquiringly', + 'inquiry', 'inquisition', 'inquisitional', 'inquisitions', @@ -29838,53 +75795,85 @@ export const scrabble_array = [ 'inquisitorial', 'inquisitorially', 'inquisitors', + 'inro', + 'inroad', + 'inroads', + 'inrush', + 'inrushes', + 'ins', 'insalubrious', 'insalubrities', 'insalubrity', + 'insane', + 'insanely', 'insaneness', 'insanenesses', + 'insaner', + 'insanest', 'insanitary', 'insanitation', 'insanitations', 'insanities', + 'insanity', 'insatiabilities', 'insatiability', 'insatiable', 'insatiableness', 'insatiablenesses', 'insatiably', + 'insatiate', 'insatiately', 'insatiateness', 'insatiatenesses', + 'inscape', + 'inscapes', + 'inscribe', + 'inscribed', + 'inscriber', 'inscribers', + 'inscribes', 'inscribing', 'inscription', 'inscriptional', 'inscriptions', 'inscriptive', 'inscriptively', + 'inscroll', 'inscrolled', 'inscrolling', + 'inscrolls', 'inscrutabilities', 'inscrutability', 'inscrutable', 'inscrutableness', 'inscrutablenesses', 'inscrutably', + 'insculp', + 'insculped', 'insculping', + 'insculps', + 'inseam', + 'inseams', + 'insect', + 'insectan', 'insectaries', + 'insectary', 'insecticidal', 'insecticidally', 'insecticide', 'insecticides', + 'insectile', 'insectivore', 'insectivores', 'insectivorous', + 'insects', + 'insecure', 'insecurely', 'insecureness', 'insecurenesses', 'insecurities', 'insecurity', + 'inselberg', 'inselberge', 'inselbergs', 'inseminate', @@ -29895,6 +75884,7 @@ export const scrabble_array = [ 'inseminations', 'inseminator', 'inseminators', + 'insensate', 'insensately', 'insensibilities', 'insensibility', @@ -29918,25 +75908,56 @@ export const scrabble_array = [ 'inseparablenesses', 'inseparables', 'inseparably', + 'insert', + 'inserted', + 'inserter', + 'inserters', + 'inserting', + 'insertion', 'insertional', 'insertions', + 'inserts', + 'inset', + 'insets', + 'insetted', + 'insetter', + 'insetters', + 'insetting', + 'insheath', 'insheathed', 'insheathing', + 'insheaths', + 'inshore', + 'inshrine', + 'inshrined', + 'inshrines', 'inshrining', + 'inside', + 'insider', + 'insiders', + 'insides', + 'insidious', 'insidiously', 'insidiousness', 'insidiousnesses', + 'insight', 'insightful', 'insightfully', + 'insights', + 'insigne', + 'insignia', + 'insignias', 'insignificance', 'insignificances', 'insignificancies', 'insignificancy', 'insignificant', 'insignificantly', + 'insincere', 'insincerely', 'insincerities', 'insincerity', + 'insinuate', 'insinuated', 'insinuates', 'insinuating', @@ -29946,24 +75967,48 @@ export const scrabble_array = [ 'insinuative', 'insinuator', 'insinuators', + 'insipid', 'insipidities', 'insipidity', + 'insipidly', + 'insist', + 'insisted', 'insistence', 'insistences', 'insistencies', 'insistency', + 'insistent', 'insistently', + 'insister', + 'insisters', + 'insisting', + 'insists', + 'insnare', + 'insnared', + 'insnarer', + 'insnarers', + 'insnares', + 'insnaring', 'insobrieties', 'insobriety', 'insociabilities', 'insociability', 'insociable', 'insociably', + 'insofar', + 'insolate', + 'insolated', + 'insolates', 'insolating', 'insolation', 'insolations', + 'insole', + 'insolence', 'insolences', + 'insolent', 'insolently', + 'insolents', + 'insoles', 'insolubilities', 'insolubility', 'insolubilization', @@ -29972,29 +76017,50 @@ export const scrabble_array = [ 'insolubilized', 'insolubilizes', 'insolubilizing', + 'insoluble', 'insolubleness', 'insolublenesses', 'insolubles', + 'insolubly', 'insolvable', 'insolvably', 'insolvencies', 'insolvency', + 'insolvent', 'insolvents', + 'insomnia', + 'insomniac', 'insomniacs', + 'insomnias', + 'insomuch', 'insouciance', 'insouciances', 'insouciant', 'insouciantly', + 'insoul', + 'insouled', + 'insouling', + 'insouls', + 'inspan', + 'inspanned', 'inspanning', + 'inspans', + 'inspect', + 'inspected', 'inspecting', 'inspection', 'inspections', 'inspective', + 'inspector', 'inspectorate', 'inspectorates', 'inspectors', 'inspectorship', 'inspectorships', + 'inspects', + 'insphere', + 'insphered', + 'inspheres', 'insphering', 'inspiration', 'inspirational', @@ -30003,10 +76069,18 @@ export const scrabble_array = [ 'inspirator', 'inspirators', 'inspiratory', + 'inspire', + 'inspired', + 'inspirer', + 'inspirers', + 'inspires', + 'inspiring', 'inspiringly', + 'inspirit', 'inspirited', 'inspiriting', 'inspiritingly', + 'inspirits', 'inspissate', 'inspissated', 'inspissates', @@ -30017,33 +76091,59 @@ export const scrabble_array = [ 'inspissators', 'instabilities', 'instability', + 'instable', + 'instal', + 'install', 'installation', 'installations', + 'installed', + 'installer', 'installers', 'installing', 'installment', 'installments', + 'installs', 'instalment', 'instalments', + 'instals', + 'instance', + 'instanced', + 'instances', 'instancies', 'instancing', + 'instancy', + 'instant', 'instantaneities', 'instantaneity', 'instantaneous', 'instantaneously', 'instantaneousness', 'instantaneousnesses', + 'instanter', 'instantiate', 'instantiated', 'instantiates', 'instantiating', 'instantiation', 'instantiations', + 'instantly', 'instantness', 'instantnesses', + 'instants', + 'instar', + 'instarred', 'instarring', + 'instars', + 'instate', + 'instated', + 'instates', + 'instating', 'instauration', 'instaurations', + 'instead', + 'instep', + 'insteps', + 'instigate', 'instigated', 'instigates', 'instigating', @@ -30052,16 +76152,25 @@ export const scrabble_array = [ 'instigative', 'instigator', 'instigators', + 'instil', + 'instill', 'instillation', 'instillations', + 'instilled', + 'instiller', 'instillers', 'instilling', 'instillment', 'instillments', + 'instills', + 'instils', + 'instinct', 'instinctive', 'instinctively', + 'instincts', 'instinctual', 'instinctually', + 'institute', 'instituted', 'instituter', 'instituters', @@ -30087,6 +76196,9 @@ export const scrabble_array = [ 'institutions', 'institutor', 'institutors', + 'instroke', + 'instrokes', + 'instruct', 'instructed', 'instructing', 'instruction', @@ -30102,6 +76214,7 @@ export const scrabble_array = [ 'instructorships', 'instructress', 'instructresses', + 'instructs', 'instrument', 'instrumental', 'instrumentalism', @@ -30141,15 +76254,32 @@ export const scrabble_array = [ 'insufflations', 'insufflator', 'insufflators', + 'insulant', + 'insulants', + 'insular', 'insularism', 'insularisms', 'insularities', 'insularity', + 'insularly', + 'insulars', + 'insulate', + 'insulated', + 'insulates', 'insulating', 'insulation', 'insulations', + 'insulator', 'insulators', + 'insulin', + 'insulins', + 'insult', + 'insulted', + 'insulter', + 'insulters', + 'insulting', 'insultingly', + 'insults', 'insuperable', 'insuperably', 'insupportable', @@ -30157,13 +76287,25 @@ export const scrabble_array = [ 'insuppressible', 'insurabilities', 'insurability', + 'insurable', + 'insurance', 'insurances', + 'insurant', + 'insurants', + 'insure', + 'insured', + 'insureds', + 'insurer', + 'insurers', + 'insures', 'insurgence', 'insurgences', 'insurgencies', 'insurgency', + 'insurgent', 'insurgently', 'insurgents', + 'insuring', 'insurmountable', 'insurmountably', 'insurrection', @@ -30177,11 +76319,21 @@ export const scrabble_array = [ 'insusceptibility', 'insusceptible', 'insusceptibly', + 'inswathe', + 'inswathed', + 'inswathes', 'inswathing', + 'inswept', + 'intact', 'intactness', 'intactnesses', + 'intagli', + 'intaglio', 'intaglioed', 'intaglioing', + 'intaglios', + 'intake', + 'intakes', 'intangibilities', 'intangibility', 'intangible', @@ -30189,13 +76341,21 @@ export const scrabble_array = [ 'intangiblenesses', 'intangibles', 'intangibly', + 'intarsia', + 'intarsias', + 'integer', + 'integers', 'integrabilities', 'integrability', 'integrable', + 'integral', 'integralities', 'integrality', 'integrally', + 'integrals', + 'integrand', 'integrands', + 'integrate', 'integrated', 'integrates', 'integrating', @@ -30207,9 +76367,11 @@ export const scrabble_array = [ 'integrator', 'integrators', 'integrities', + 'integrity', 'integument', 'integumentary', 'integuments', + 'intellect', 'intellection', 'intellections', 'intellective', @@ -30256,46 +76418,68 @@ export const scrabble_array = [ 'intemperately', 'intemperateness', 'intemperatenesses', + 'intend', 'intendance', 'intendances', + 'intendant', 'intendants', + 'intended', 'intendedly', + 'intendeds', + 'intender', + 'intenders', + 'intending', 'intendment', 'intendments', + 'intends', 'intenerate', 'intenerated', 'intenerates', 'intenerating', 'inteneration', 'intenerations', + 'intense', + 'intensely', 'intenseness', 'intensenesses', + 'intenser', + 'intensest', 'intensification', 'intensifications', 'intensified', 'intensifier', 'intensifiers', 'intensifies', + 'intensify', 'intensifying', + 'intension', 'intensional', 'intensionalities', 'intensionality', 'intensionally', 'intensions', 'intensities', + 'intensity', + 'intensive', 'intensively', 'intensiveness', 'intensivenesses', 'intensives', + 'intent', + 'intention', 'intentional', 'intentionalities', 'intentionality', 'intentionally', 'intentions', + 'intently', 'intentness', 'intentnesses', + 'intents', + 'inter', 'interabang', 'interabangs', + 'interact', 'interactant', 'interactants', 'interacted', @@ -30305,6 +76489,8 @@ export const scrabble_array = [ 'interactions', 'interactive', 'interactively', + 'interacts', + 'interage', 'interagency', 'interallelic', 'interallied', @@ -30316,15 +76502,19 @@ export const scrabble_array = [ 'interatomic', 'interavailabilities', 'interavailability', + 'interbank', 'interbasin', + 'interbed', 'interbedded', 'interbedding', + 'interbeds', 'interbehavior', 'interbehavioral', 'interbehaviors', 'interborough', 'interboroughs', 'interbranch', + 'interbred', 'interbreed', 'interbreeding', 'interbreeds', @@ -30339,13 +76529,16 @@ export const scrabble_array = [ 'intercalibrations', 'intercampus', 'intercaste', + 'intercede', 'interceded', 'interceder', 'interceders', 'intercedes', 'interceding', + 'intercell', 'intercellular', 'intercensal', + 'intercept', 'intercepted', 'intercepter', 'intercepters', @@ -30380,13 +76573,17 @@ export const scrabble_array = [ 'interchannel', 'interchromosomal', 'interchurch', + 'intercity', + 'interclan', 'interclass', + 'interclub', 'intercluster', 'intercoastal', 'intercollegiate', 'intercolonial', 'intercolumniation', 'intercolumniations', + 'intercom', 'intercommunal', 'intercommunicate', 'intercommunicated', @@ -30407,6 +76604,7 @@ export const scrabble_array = [ 'intercomparisons', 'intercomprehensibilities', 'intercomprehensibility', + 'intercoms', 'interconnect', 'interconnected', 'interconnectedness', @@ -30443,6 +76641,7 @@ export const scrabble_array = [ 'intercourse', 'intercourses', 'intercrater', + 'intercrop', 'intercropped', 'intercropping', 'intercrops', @@ -30456,6 +76655,8 @@ export const scrabble_array = [ 'interculture', 'intercultures', 'intercurrent', + 'intercut', + 'intercuts', 'intercutting', 'interdealer', 'interdealers', @@ -30475,6 +76676,7 @@ export const scrabble_array = [ 'interdepending', 'interdepends', 'interdialectal', + 'interdict', 'interdicted', 'interdicting', 'interdiction', @@ -30505,13 +76707,16 @@ export const scrabble_array = [ 'interelectron', 'interelectronic', 'interepidemic', + 'interest', 'interested', 'interestedly', 'interesting', 'interestingly', 'interestingness', 'interestingnesses', + 'interests', 'interethnic', + 'interface', 'interfaced', 'interfaces', 'interfacial', @@ -30522,6 +76727,7 @@ export const scrabble_array = [ 'interfaith', 'interfamilial', 'interfamily', + 'interfere', 'interfered', 'interference', 'interferences', @@ -30544,22 +76750,28 @@ export const scrabble_array = [ 'interfertilities', 'interfertility', 'interfiber', + 'interfile', 'interfiled', 'interfiles', 'interfiling', + 'interfirm', + 'interflow', 'interfluve', 'interfluves', 'interfluvial', + 'interfold', 'interfolded', 'interfolding', 'interfolds', 'interfraternity', + 'interfuse', 'interfused', 'interfuses', 'interfusing', 'interfusion', 'interfusions', 'intergalactic', + 'intergang', 'intergeneration', 'intergenerational', 'intergenerations', @@ -30583,6 +76795,8 @@ export const scrabble_array = [ 'intergrowth', 'intergrowths', 'interhemispheric', + 'interim', + 'interims', 'interindividual', 'interindustry', 'interinfluence', @@ -30595,6 +76809,7 @@ export const scrabble_array = [ 'interinvolves', 'interinvolving', 'interionic', + 'interior', 'interiorise', 'interiorised', 'interiorises', @@ -30608,7 +76823,9 @@ export const scrabble_array = [ 'interiorizes', 'interiorizing', 'interiorly', + 'interiors', 'interisland', + 'interject', 'interjected', 'interjecting', 'interjection', @@ -30620,35 +76837,46 @@ export const scrabble_array = [ 'interjectory', 'interjects', 'interjurisdictional', + 'interknit', 'interknits', 'interknitted', 'interknitting', + 'interlace', 'interlaced', 'interlacement', 'interlacements', 'interlaces', 'interlacing', 'interlacustrine', + 'interlaid', 'interlaminar', + 'interlap', 'interlapped', 'interlapping', + 'interlaps', + 'interlard', 'interlarded', 'interlarding', 'interlards', + 'interlay', 'interlayer', 'interlayered', 'interlayering', 'interlayers', 'interlaying', + 'interlays', 'interleave', 'interleaved', 'interleaves', 'interleaving', + 'interlend', 'interlending', 'interlends', + 'interlent', 'interleukin', 'interleukins', 'interlibrary', + 'interline', 'interlinear', 'interlinearly', 'interlinears', @@ -30660,25 +76888,30 @@ export const scrabble_array = [ 'interlines', 'interlining', 'interlinings', + 'interlink', 'interlinked', 'interlinking', 'interlinks', 'interlobular', 'interlocal', + 'interlock', 'interlocked', 'interlocking', 'interlocks', 'interlocutor', 'interlocutors', 'interlocutory', + 'interlope', 'interloped', 'interloper', 'interlopers', 'interlopes', 'interloping', + 'interlude', 'interludes', 'interlunar', 'interlunary', + 'intermale', 'intermarginal', 'intermarriage', 'intermarriages', @@ -30709,7 +76942,9 @@ export const scrabble_array = [ 'intermedins', 'intermembrane', 'intermenstrual', + 'interment', 'interments', + 'intermesh', 'intermeshed', 'intermeshes', 'intermeshing', @@ -30730,7 +76965,9 @@ export const scrabble_array = [ 'intermission', 'intermissionless', 'intermissions', + 'intermit', 'intermitotic', + 'intermits', 'intermitted', 'intermittence', 'intermittences', @@ -30741,6 +76978,7 @@ export const scrabble_array = [ 'intermitter', 'intermitters', 'intermitting', + 'intermix', 'intermixed', 'intermixes', 'intermixing', @@ -30751,9 +76989,12 @@ export const scrabble_array = [ 'intermodulations', 'intermolecular', 'intermolecularly', + 'intermont', 'intermontane', 'intermountain', 'intermural', + 'intern', + 'internal', 'internalise', 'internalised', 'internalises', @@ -30767,6 +77008,7 @@ export const scrabble_array = [ 'internalizes', 'internalizing', 'internally', + 'internals', 'international', 'internationalise', 'internationalised', @@ -30786,15 +77028,24 @@ export const scrabble_array = [ 'internationalizing', 'internationally', 'internationals', + 'interne', 'internecine', + 'interned', + 'internee', + 'internees', + 'internes', 'interneuron', 'interneuronal', 'interneurons', + 'interning', + 'internist', 'internists', 'internment', 'internments', 'internodal', + 'internode', 'internodes', + 'interns', 'internship', 'internships', 'internuclear', @@ -30855,6 +77106,7 @@ export const scrabble_array = [ 'interplanted', 'interplanting', 'interplants', + 'interplay', 'interplayed', 'interplaying', 'interplays', @@ -30864,6 +77116,7 @@ export const scrabble_array = [ 'interpleaders', 'interpleading', 'interpleads', + 'interpled', 'interpluvial', 'interpoint', 'interpoints', @@ -30878,6 +77131,7 @@ export const scrabble_array = [ 'interpolators', 'interpopulation', 'interpopulational', + 'interpose', 'interposed', 'interposer', 'interposers', @@ -30885,6 +77139,7 @@ export const scrabble_array = [ 'interposing', 'interposition', 'interpositions', + 'interpret', 'interpretabilities', 'interpretability', 'interpretable', @@ -30907,6 +77162,7 @@ export const scrabble_array = [ 'interpupillary', 'interracial', 'interracially', + 'interred', 'interreges', 'interregional', 'interregna', @@ -30925,6 +77181,8 @@ export const scrabble_array = [ 'interrelationships', 'interreligious', 'interrenal', + 'interrex', + 'interring', 'interrobang', 'interrobangs', 'interrogate', @@ -30945,6 +77203,8 @@ export const scrabble_array = [ 'interrogatory', 'interrogee', 'interrogees', + 'interrow', + 'interrupt', 'interrupted', 'interrupter', 'interrupters', @@ -30956,9 +77216,11 @@ export const scrabble_array = [ 'interruptor', 'interruptors', 'interrupts', + 'inters', 'interscholastic', 'interschool', 'interschools', + 'intersect', 'intersected', 'intersecting', 'intersection', @@ -30972,6 +77234,7 @@ export const scrabble_array = [ 'interservice', 'intersession', 'intersessions', + 'intersex', 'intersexes', 'intersexual', 'intersexualities', @@ -31027,11 +77290,15 @@ export const scrabble_array = [ 'intersubstitutability', 'intersubstitutable', 'intersystem', + 'interterm', 'interterminal', 'interterritorial', 'intertestamental', 'intertidal', 'intertidally', + 'intertie', + 'interties', + 'intertill', 'intertillage', 'intertillages', 'intertilled', @@ -31054,15 +77321,20 @@ export const scrabble_array = [ 'intertwists', 'interunion', 'interunions', + 'interunit', 'interuniversity', 'interurban', 'interurbans', + 'interval', + 'intervale', 'intervales', 'intervalley', 'intervalleys', 'intervallic', 'intervalometer', 'intervalometers', + 'intervals', + 'intervene', 'intervened', 'intervener', 'interveners', @@ -31078,6 +77350,7 @@ export const scrabble_array = [ 'interventions', 'interventricular', 'intervertebral', + 'interview', 'interviewed', 'interviewee', 'interviewees', @@ -31093,33 +77366,58 @@ export const scrabble_array = [ 'intervisitations', 'intervocalic', 'intervocalically', + 'interwar', 'interweave', 'interweaved', 'interweaves', 'interweaving', + 'interwork', 'interworked', 'interworking', 'interworkings', 'interworks', + 'interwove', 'interwoven', 'interwrought', 'interzonal', + 'interzone', 'intestacies', + 'intestacy', + 'intestate', 'intestates', 'intestinal', 'intestinally', + 'intestine', 'intestines', + 'inthral', + 'inthrall', 'inthralled', 'inthralling', + 'inthralls', + 'inthrals', + 'inthrone', + 'inthroned', + 'inthrones', 'inthroning', + 'inti', + 'intima', 'intimacies', + 'intimacy', + 'intimae', + 'intimal', + 'intimas', + 'intimate', + 'intimated', 'intimately', 'intimateness', 'intimatenesses', + 'intimater', 'intimaters', + 'intimates', 'intimating', 'intimation', 'intimations', + 'intime', 'intimidate', 'intimidated', 'intimidates', @@ -31130,9 +77428,22 @@ export const scrabble_array = [ 'intimidator', 'intimidators', 'intimidatory', + 'intimist', + 'intimists', 'intinction', 'intinctions', + 'intine', + 'intines', + 'intis', + 'intitle', + 'intitled', + 'intitles', + 'intitling', + 'intitule', + 'intituled', + 'intitules', 'intituling', + 'into', 'intolerabilities', 'intolerability', 'intolerable', @@ -31145,10 +77456,28 @@ export const scrabble_array = [ 'intolerantly', 'intolerantness', 'intolerantnesses', + 'intomb', + 'intombed', + 'intombing', + 'intombs', + 'intonate', + 'intonated', + 'intonates', 'intonating', 'intonation', 'intonational', 'intonations', + 'intone', + 'intoned', + 'intoner', + 'intoners', + 'intones', + 'intoning', + 'intort', + 'intorted', + 'intorting', + 'intorts', + 'intown', 'intoxicant', 'intoxicants', 'intoxicate', @@ -31174,8 +77503,10 @@ export const scrabble_array = [ 'intractably', 'intracutaneous', 'intracutaneously', + 'intraday', 'intradermal', 'intradermally', + 'intrados', 'intradoses', 'intragalactic', 'intragenic', @@ -31203,6 +77534,8 @@ export const scrabble_array = [ 'intransitivenesses', 'intransitivities', 'intransitivity', + 'intrant', + 'intrants', 'intraocular', 'intraocularly', 'intraperitoneal', @@ -31234,27 +77567,42 @@ export const scrabble_array = [ 'intravitally', 'intravitam', 'intrazonal', + 'intreat', + 'intreated', 'intreating', + 'intreats', + 'intrench', 'intrenched', 'intrenches', 'intrenching', + 'intrepid', 'intrepidities', 'intrepidity', 'intrepidly', 'intrepidness', 'intrepidnesses', 'intricacies', + 'intricacy', + 'intricate', 'intricately', 'intricateness', 'intricatenesses', + 'intrigant', 'intrigants', 'intriguant', 'intriguants', + 'intrigue', + 'intrigued', + 'intriguer', 'intriguers', + 'intrigues', 'intriguing', 'intriguingly', + 'intrinsic', 'intrinsical', 'intrinsically', + 'intro', + 'introduce', 'introduced', 'introducer', 'introducers', @@ -31264,12 +77612,18 @@ export const scrabble_array = [ 'introductions', 'introductorily', 'introductory', + 'introfied', + 'introfies', + 'introfy', 'introfying', 'introgressant', 'introgressants', 'introgression', 'introgressions', 'introgressive', + 'introit', + 'introits', + 'introject', 'introjected', 'introjecting', 'introjection', @@ -31277,11 +77631,17 @@ export const scrabble_array = [ 'introjects', 'intromission', 'intromissions', + 'intromit', + 'intromits', 'intromitted', 'intromittent', 'intromitter', 'intromitters', 'intromitting', + 'intron', + 'introns', + 'introrse', + 'intros', 'introspect', 'introspected', 'introspecting', @@ -31302,31 +77662,55 @@ export const scrabble_array = [ 'introversions', 'introversive', 'introversively', + 'introvert', 'introverted', 'introverting', 'introverts', + 'intrude', + 'intruded', + 'intruder', + 'intruders', + 'intrudes', + 'intruding', + 'intrusion', 'intrusions', + 'intrusive', 'intrusively', 'intrusiveness', 'intrusivenesses', 'intrusives', + 'intrust', + 'intrusted', 'intrusting', + 'intrusts', + 'intubate', + 'intubated', + 'intubates', 'intubating', 'intubation', 'intubations', + 'intuit', 'intuitable', + 'intuited', + 'intuiting', + 'intuition', 'intuitional', 'intuitionism', 'intuitionisms', 'intuitionist', 'intuitionists', 'intuitions', + 'intuitive', 'intuitively', 'intuitiveness', 'intuitivenesses', + 'intuits', 'intumescence', 'intumescences', 'intumescent', + 'inturn', + 'inturned', + 'inturns', 'intussuscept', 'intussuscepted', 'intussuscepting', @@ -31334,21 +77718,57 @@ export const scrabble_array = [ 'intussusceptions', 'intussusceptive', 'intussuscepts', + 'intwine', + 'intwined', + 'intwines', + 'intwining', + 'intwist', + 'intwisted', 'intwisting', + 'intwists', + 'inulase', + 'inulases', + 'inulin', + 'inulins', + 'inunction', 'inunctions', + 'inundant', + 'inundate', + 'inundated', + 'inundates', 'inundating', 'inundation', 'inundations', + 'inundator', 'inundators', 'inundatory', + 'inurbane', + 'inure', + 'inured', + 'inurement', 'inurements', + 'inures', + 'inuring', + 'inurn', + 'inurned', + 'inurning', + 'inurns', + 'inutile', 'inutilities', + 'inutility', + 'invade', + 'invaded', + 'invader', + 'invaders', + 'invades', + 'invading', 'invaginate', 'invaginated', 'invaginates', 'invaginating', 'invagination', 'invaginations', + 'invalid', 'invalidate', 'invalidated', 'invalidates', @@ -31357,15 +77777,19 @@ export const scrabble_array = [ 'invalidations', 'invalidator', 'invalidators', + 'invalided', 'invaliding', 'invalidism', 'invalidisms', 'invalidities', 'invalidity', + 'invalidly', + 'invalids', 'invaluable', 'invaluableness', 'invaluablenesses', 'invaluably', + 'invar', 'invariabilities', 'invariability', 'invariable', @@ -31373,39 +77797,83 @@ export const scrabble_array = [ 'invariably', 'invariance', 'invariances', + 'invariant', 'invariants', + 'invars', + 'invasion', + 'invasions', + 'invasive', 'invasively', 'invasiveness', 'invasivenesses', + 'invected', + 'invective', 'invectively', 'invectiveness', 'invectivenesses', 'invectives', + 'inveigh', + 'inveighed', + 'inveigher', 'inveighers', 'inveighing', + 'inveighs', + 'inveigle', + 'inveigled', 'inveiglement', 'inveiglements', + 'inveigler', 'inveiglers', + 'inveigles', 'inveigling', + 'invent', + 'invented', + 'inventer', + 'inventers', + 'inventing', + 'invention', 'inventions', + 'inventive', 'inventively', 'inventiveness', 'inventivenesses', + 'inventor', 'inventorial', 'inventorially', 'inventoried', 'inventories', + 'inventors', + 'inventory', 'inventorying', 'inventress', 'inventresses', + 'invents', 'inverities', + 'inverity', + 'inverness', 'invernesses', + 'inverse', + 'inversely', + 'inverses', + 'inversion', 'inversions', + 'inversive', + 'invert', + 'invertase', 'invertases', 'invertebrate', 'invertebrates', + 'inverted', + 'inverter', + 'inverters', 'invertible', + 'inverting', + 'invertor', + 'invertors', + 'inverts', + 'invest', 'investable', + 'invested', 'investigate', 'investigated', 'investigates', @@ -31417,16 +77885,23 @@ export const scrabble_array = [ 'investigator', 'investigators', 'investigatory', + 'investing', 'investiture', 'investitures', 'investment', 'investments', + 'investor', + 'investors', + 'invests', 'inveteracies', 'inveteracy', 'inveterate', 'inveterately', 'inviabilities', 'inviability', + 'inviable', + 'inviably', + 'invidious', 'invidiously', 'invidiousness', 'invidiousnesses', @@ -31460,106 +77935,317 @@ export const scrabble_array = [ 'inviolablenesses', 'inviolably', 'inviolacies', + 'inviolacy', + 'inviolate', 'inviolately', 'inviolateness', 'inviolatenesses', + 'invirile', + 'inviscid', 'invisibilities', 'invisibility', + 'invisible', 'invisibleness', 'invisiblenesses', 'invisibles', + 'invisibly', + 'invital', 'invitation', 'invitational', 'invitationals', 'invitations', 'invitatories', 'invitatory', + 'invite', + 'invited', + 'invitee', + 'invitees', + 'inviter', + 'inviters', + 'invites', + 'inviting', 'invitingly', + 'invocate', + 'invocated', + 'invocates', 'invocating', 'invocation', 'invocational', 'invocations', 'invocatory', + 'invoice', + 'invoiced', + 'invoices', + 'invoicing', + 'invoke', + 'invoked', + 'invoker', + 'invokers', + 'invokes', + 'invoking', + 'involucra', 'involucral', 'involucrate', + 'involucre', 'involucres', 'involucrum', 'involuntarily', 'involuntariness', 'involuntarinesses', 'involuntary', + 'involute', + 'involuted', + 'involutes', 'involuting', 'involution', 'involutional', 'involutions', + 'involve', + 'involved', 'involvedly', 'involvement', 'involvements', + 'involver', + 'involvers', + 'involves', + 'involving', 'invulnerabilities', 'invulnerability', 'invulnerable', 'invulnerableness', 'invulnerablenesses', 'invulnerably', + 'inwall', + 'inwalled', + 'inwalling', + 'inwalls', + 'inward', + 'inwardly', 'inwardness', 'inwardnesses', + 'inwards', + 'inweave', + 'inweaved', + 'inweaves', + 'inweaving', + 'inwind', + 'inwinding', + 'inwinds', + 'inwound', + 'inwove', + 'inwoven', + 'inwrap', + 'inwrapped', 'inwrapping', + 'inwraps', + 'iodate', + 'iodated', + 'iodates', + 'iodating', + 'iodation', + 'iodations', + 'iodic', + 'iodid', + 'iodide', + 'iodides', + 'iodids', + 'iodin', + 'iodinate', + 'iodinated', + 'iodinates', 'iodinating', 'iodination', 'iodinations', + 'iodine', + 'iodines', + 'iodins', + 'iodise', + 'iodised', + 'iodises', + 'iodising', + 'iodism', + 'iodisms', + 'iodize', + 'iodized', + 'iodizer', + 'iodizers', + 'iodizes', + 'iodizing', + 'iodoform', + 'iodoforms', + 'iodophor', + 'iodophors', + 'iodopsin', + 'iodopsins', + 'iodous', + 'iolite', + 'iolites', + 'ion', + 'ionic', 'ionicities', + 'ionicity', + 'ionics', + 'ionise', + 'ionised', + 'ionises', + 'ionising', + 'ionium', + 'ioniums', + 'ionizable', 'ionization', 'ionizations', + 'ionize', + 'ionized', + 'ionizer', + 'ionizers', + 'ionizes', + 'ionizing', + 'ionogen', + 'ionogens', + 'ionomer', + 'ionomers', + 'ionone', + 'ionones', + 'ionophore', 'ionophores', 'ionosphere', 'ionospheres', 'ionospheric', 'ionospherically', + 'ions', 'iontophoreses', 'iontophoresis', 'iontophoretic', 'iontophoretically', + 'iota', + 'iotacism', + 'iotacisms', + 'iotas', + 'ipecac', + 'ipecacs', 'ipecacuanha', 'ipecacuanhas', + 'ipomoea', + 'ipomoeas', 'iproniazid', 'iproniazids', 'ipsilateral', 'ipsilaterally', + 'iracund', + 'irade', + 'irades', 'irascibilities', 'irascibility', + 'irascible', 'irascibleness', 'irasciblenesses', + 'irascibly', + 'irate', + 'irately', + 'irateness', 'iratenesses', + 'irater', + 'iratest', + 'ire', + 'ired', + 'ireful', + 'irefully', + 'ireless', + 'irenic', + 'irenical', 'irenically', + 'irenics', + 'ires', + 'irid', + 'irides', 'iridescence', 'iridescences', 'iridescent', 'iridescently', + 'iridic', + 'iridium', + 'iridiums', 'iridologies', 'iridologist', 'iridologists', + 'iridology', 'iridosmine', 'iridosmines', + 'irids', + 'iring', + 'iris', + 'irised', + 'irises', + 'irising', + 'iritic', + 'iritis', + 'iritises', + 'irk', + 'irked', + 'irking', + 'irks', + 'irksome', + 'irksomely', 'irksomeness', 'irksomenesses', + 'iroko', + 'irokos', + 'iron', + 'ironbark', + 'ironbarks', + 'ironbound', + 'ironclad', + 'ironclads', + 'irone', + 'ironed', + 'ironer', + 'ironers', + 'irones', 'ironfisted', 'ironhanded', 'ironhearted', + 'ironic', + 'ironical', 'ironically', 'ironicalness', 'ironicalnesses', + 'ironies', + 'ironing', + 'ironings', + 'ironist', + 'ironists', + 'ironize', + 'ironized', + 'ironizes', + 'ironizing', + 'ironlike', 'ironmaster', 'ironmasters', 'ironmonger', 'ironmongeries', 'ironmongers', 'ironmongery', + 'ironness', 'ironnesses', + 'irons', + 'ironside', + 'ironsides', + 'ironstone', 'ironstones', + 'ironware', + 'ironwares', + 'ironweed', + 'ironweeds', + 'ironwood', + 'ironwoods', + 'ironwork', 'ironworker', 'ironworkers', + 'ironworks', + 'irony', 'irradiance', 'irradiances', + 'irradiate', 'irradiated', 'irradiates', 'irradiating', @@ -31580,7 +78266,9 @@ export const scrabble_array = [ 'irrationality', 'irrationally', 'irrationals', + 'irreal', 'irrealities', + 'irreality', 'irreclaimable', 'irreclaimably', 'irreconcilabilities', @@ -31598,6 +78286,7 @@ export const scrabble_array = [ 'irrecusably', 'irredeemable', 'irredeemably', + 'irredenta', 'irredentas', 'irredentism', 'irredentisms', @@ -31620,6 +78309,7 @@ export const scrabble_array = [ 'irrefutable', 'irrefutably', 'irregardless', + 'irregular', 'irregularities', 'irregularity', 'irregularly', @@ -31716,29 +78406,85 @@ export const scrabble_array = [ 'irrevocableness', 'irrevocablenesses', 'irrevocably', + 'irridenta', 'irridentas', + 'irrigate', + 'irrigated', + 'irrigates', 'irrigating', 'irrigation', 'irrigations', + 'irrigator', 'irrigators', 'irritabilities', 'irritability', + 'irritable', 'irritableness', 'irritablenesses', + 'irritably', + 'irritant', + 'irritants', + 'irritate', + 'irritated', + 'irritates', 'irritating', 'irritatingly', 'irritation', 'irritations', 'irritative', 'irrotational', + 'irrupt', + 'irrupted', + 'irrupting', + 'irruption', 'irruptions', + 'irruptive', 'irruptively', + 'irrupts', + 'is', + 'isagoge', + 'isagoges', + 'isagogic', + 'isagogics', + 'isallobar', 'isallobaric', 'isallobars', + 'isarithm', + 'isarithms', + 'isatin', + 'isatine', + 'isatines', + 'isatinic', + 'isatins', + 'isba', + 'isbas', + 'ischaemia', 'ischaemias', + 'ischemia', + 'ischemias', + 'ischemic', + 'ischia', + 'ischial', + 'ischium', 'isentropic', 'isentropically', + 'isinglass', 'isinglasses', + 'island', + 'islanded', + 'islander', + 'islanders', + 'islanding', + 'islands', + 'isle', + 'isled', + 'isleless', + 'isles', + 'islet', + 'islets', + 'isling', + 'ism', + 'isms', 'isoagglutinin', 'isoagglutinins', 'isoalloxazine', @@ -31748,82 +78494,239 @@ export const scrabble_array = [ 'isoantigen', 'isoantigenic', 'isoantigens', + 'isobar', + 'isobare', + 'isobares', + 'isobaric', + 'isobars', + 'isobath', + 'isobaths', + 'isobutane', 'isobutanes', 'isobutylene', 'isobutylenes', 'isocaloric', 'isocarboxazid', 'isocarboxazids', + 'isocheim', + 'isocheims', + 'isochime', + 'isochimes', + 'isochor', + 'isochore', + 'isochores', + 'isochors', 'isochromosome', 'isochromosomes', + 'isochron', 'isochronal', 'isochronally', + 'isochrone', 'isochrones', 'isochronism', 'isochronisms', 'isochronous', 'isochronously', + 'isochrons', + 'isocline', + 'isoclines', 'isocracies', + 'isocracy', 'isocyanate', 'isocyanates', + 'isocyclic', 'isodiametric', + 'isodose', 'isoelectric', 'isoelectronic', 'isoelectronically', 'isoenzymatic', + 'isoenzyme', 'isoenzymes', 'isoenzymic', + 'isogamete', 'isogametes', 'isogametic', + 'isogamies', + 'isogamous', + 'isogamy', + 'isogeneic', + 'isogenic', + 'isogenies', + 'isogeny', + 'isogloss', 'isoglossal', 'isoglosses', 'isoglossic', + 'isogon', + 'isogonal', + 'isogonals', + 'isogone', + 'isogones', + 'isogonic', + 'isogonics', + 'isogonies', + 'isogons', + 'isogony', + 'isograft', 'isografted', 'isografting', + 'isografts', + 'isogram', + 'isograms', + 'isograph', + 'isographs', + 'isogriv', + 'isogrivs', + 'isohel', + 'isohels', + 'isohyet', + 'isohyetal', + 'isohyets', + 'isolable', 'isolatable', + 'isolate', + 'isolated', + 'isolates', + 'isolating', + 'isolation', 'isolationism', 'isolationisms', 'isolationist', 'isolationists', 'isolations', + 'isolator', + 'isolators', + 'isolead', + 'isoleads', 'isoleucine', 'isoleucines', + 'isoline', + 'isolines', + 'isolog', + 'isologs', + 'isologue', + 'isologues', + 'isomer', + 'isomerase', 'isomerases', + 'isomeric', + 'isomerism', 'isomerisms', 'isomerization', 'isomerizations', + 'isomerize', 'isomerized', 'isomerizes', 'isomerizing', + 'isomers', + 'isometric', 'isometrically', 'isometrics', 'isometries', + 'isometry', + 'isomorph', 'isomorphic', 'isomorphically', 'isomorphism', 'isomorphisms', 'isomorphous', + 'isomorphs', + 'isoniazid', 'isoniazids', + 'isonomic', + 'isonomies', + 'isonomy', + 'isooctane', 'isooctanes', + 'isopach', + 'isopachs', + 'isophotal', + 'isophote', + 'isophotes', 'isopiestic', + 'isopleth', 'isoplethic', + 'isopleths', + 'isopod', + 'isopodan', + 'isopodans', + 'isopods', 'isoprenaline', 'isoprenalines', + 'isoprene', + 'isoprenes', 'isoprenoid', + 'isopropyl', 'isopropyls', 'isoproterenol', 'isoproterenols', + 'isopycnic', + 'isosceles', + 'isosmotic', 'isosmotically', + 'isospin', + 'isospins', 'isospories', + 'isospory', 'isostasies', + 'isostasy', + 'isostatic', 'isostatically', + 'isotach', + 'isotachs', + 'isotactic', + 'isothere', + 'isotheres', + 'isotherm', 'isothermal', 'isothermally', + 'isotherms', + 'isotone', + 'isotones', + 'isotonic', 'isotonically', 'isotonicities', 'isotonicity', + 'isotope', + 'isotopes', + 'isotopic', 'isotopically', + 'isotopies', + 'isotopy', + 'isotropic', 'isotropies', + 'isotropy', + 'isotype', + 'isotypes', + 'isotypic', + 'isozyme', + 'isozymes', + 'isozymic', + 'issei', + 'isseis', + 'issuable', + 'issuably', + 'issuance', + 'issuances', + 'issuant', + 'issue', + 'issued', + 'issueless', + 'issuer', + 'issuers', + 'issues', + 'issuing', + 'isthmi', + 'isthmian', + 'isthmians', + 'isthmic', + 'isthmoid', + 'isthmus', + 'isthmuses', + 'istle', + 'istles', + 'it', 'italianate', 'italianated', 'italianates', @@ -31836,114 +78739,573 @@ export const scrabble_array = [ 'italianized', 'italianizes', 'italianizing', + 'italic', + 'italicise', 'italicised', 'italicises', 'italicising', 'italicization', 'italicizations', + 'italicize', 'italicized', 'italicizes', 'italicizing', + 'italics', + 'itch', + 'itched', + 'itches', + 'itchier', + 'itchiest', + 'itchily', + 'itchiness', 'itchinesses', + 'itching', + 'itchings', + 'itchy', + 'item', + 'itemed', + 'iteming', + 'itemise', + 'itemised', + 'itemises', + 'itemising', 'itemization', 'itemizations', + 'itemize', + 'itemized', + 'itemizer', + 'itemizers', + 'itemizes', + 'itemizing', + 'items', + 'iterance', + 'iterances', + 'iterant', + 'iterate', + 'iterated', + 'iterates', + 'iterating', + 'iteration', 'iterations', + 'iterative', 'iteratively', + 'iterum', + 'ither', 'ithyphallic', 'itinerancies', 'itinerancy', + 'itinerant', 'itinerantly', 'itinerants', 'itineraries', + 'itinerary', + 'itinerate', 'itinerated', 'itinerates', 'itinerating', 'itineration', 'itinerations', + 'its', + 'itself', 'ivermectin', 'ivermectins', + 'ivied', + 'ivies', + 'ivories', + 'ivory', + 'ivorybill', 'ivorybills', + 'ivy', + 'ivylike', + 'iwis', + 'ixia', + 'ixias', + 'ixodid', + 'ixodids', + 'ixora', + 'ixoras', + 'ixtle', + 'ixtles', + 'izar', + 'izars', + 'izzard', + 'izzards', + 'jab', + 'jabbed', + 'jabber', + 'jabbered', + 'jabberer', + 'jabberers', + 'jabbering', + 'jabbers', 'jabberwockies', 'jabberwocky', + 'jabbing', + 'jabiru', + 'jabirus', + 'jaborandi', 'jaborandis', + 'jabot', 'jaboticaba', 'jaboticabas', + 'jabots', + 'jabs', + 'jacal', + 'jacales', + 'jacals', + 'jacamar', + 'jacamars', + 'jacana', + 'jacanas', + 'jacaranda', 'jacarandas', + 'jacinth', + 'jacinthe', + 'jacinthes', + 'jacinths', + 'jack', + 'jackal', + 'jackals', 'jackanapes', 'jackanapeses', + 'jackaroo', + 'jackaroos', + 'jackass', 'jackasseries', 'jackassery', + 'jackasses', + 'jackboot', 'jackbooted', + 'jackboots', + 'jackdaw', + 'jackdaws', + 'jacked', + 'jacker', + 'jackeroo', + 'jackeroos', + 'jackers', + 'jacket', + 'jacketed', + 'jacketing', 'jacketless', + 'jackets', + 'jackfish', 'jackfishes', + 'jackfruit', 'jackfruits', 'jackhammer', 'jackhammered', 'jackhammering', 'jackhammers', + 'jackies', + 'jacking', + 'jackknife', 'jackknifed', 'jackknifes', 'jackknifing', 'jackknives', + 'jackleg', + 'jacklegs', + 'jacklight', 'jacklights', + 'jackpot', + 'jackpots', 'jackrabbit', 'jackrabbits', + 'jackroll', 'jackrolled', 'jackrolling', + 'jackrolls', + 'jacks', + 'jackscrew', 'jackscrews', + 'jacksmelt', 'jacksmelts', + 'jackstay', + 'jackstays', + 'jackstraw', 'jackstraws', + 'jacky', + 'jacobin', + 'jacobins', + 'jacobus', + 'jacobuses', + 'jaconet', + 'jaconets', + 'jacquard', + 'jacquards', + 'jacquerie', 'jacqueries', 'jactitation', 'jactitations', + 'jaculate', + 'jaculated', + 'jaculates', 'jaculating', + 'jade', + 'jaded', + 'jadedly', + 'jadedness', 'jadednesses', + 'jadeite', + 'jadeites', + 'jades', + 'jading', + 'jadish', + 'jadishly', + 'jaditic', + 'jaeger', + 'jaegers', + 'jag', + 'jager', + 'jagers', + 'jagg', + 'jaggaries', + 'jaggary', + 'jagged', + 'jaggeder', + 'jaggedest', + 'jaggedly', 'jaggedness', 'jaggednesses', + 'jagger', + 'jaggeries', + 'jaggers', + 'jaggery', 'jaggheries', + 'jagghery', + 'jaggier', + 'jaggiest', + 'jagging', + 'jaggs', + 'jaggy', + 'jagless', + 'jagra', + 'jagras', + 'jags', + 'jaguar', 'jaguarondi', 'jaguarondis', + 'jaguars', 'jaguarundi', 'jaguarundis', + 'jail', + 'jailbait', + 'jailbird', + 'jailbirds', + 'jailbreak', 'jailbreaks', + 'jailed', + 'jailer', + 'jailers', + 'jailhouse', 'jailhouses', + 'jailing', + 'jailor', + 'jailors', + 'jails', + 'jake', + 'jakes', + 'jalap', + 'jalapeno', + 'jalapenos', + 'jalapic', + 'jalapin', + 'jalapins', + 'jalaps', + 'jalop', + 'jalopies', + 'jaloppies', + 'jaloppy', + 'jalops', + 'jalopy', + 'jalousie', + 'jalousies', + 'jam', + 'jamb', + 'jambalaya', 'jambalayas', + 'jambe', + 'jambeau', + 'jambeaux', + 'jambed', + 'jambes', + 'jambing', + 'jamboree', + 'jamborees', + 'jambs', + 'jammed', + 'jammer', + 'jammers', + 'jammier', + 'jammies', + 'jammiest', + 'jamming', + 'jammy', + 'jams', + 'jane', + 'janes', + 'jangle', + 'jangled', + 'jangler', + 'janglers', + 'jangles', + 'janglier', + 'jangliest', + 'jangling', + 'jangly', + 'janiform', 'janisaries', + 'janisary', 'janissaries', + 'janissary', + 'janitor', 'janitorial', + 'janitors', 'janizaries', + 'janizary', + 'janty', + 'japan', + 'japanize', + 'japanized', + 'japanizes', 'japanizing', + 'japanned', + 'japanner', + 'japanners', + 'japanning', + 'japans', + 'jape', + 'japed', + 'japer', + 'japeries', + 'japers', + 'japery', + 'japes', + 'japing', + 'japingly', 'japonaiserie', 'japonaiseries', + 'japonica', + 'japonicas', + 'jar', 'jardiniere', 'jardinieres', + 'jarful', + 'jarfuls', + 'jargon', + 'jargoned', + 'jargonel', + 'jargonels', + 'jargoning', + 'jargonish', 'jargonistic', + 'jargonize', 'jargonized', 'jargonizes', 'jargonizing', + 'jargons', + 'jargoon', + 'jargoons', + 'jarhead', + 'jarheads', + 'jarina', + 'jarinas', + 'jarl', + 'jarldom', + 'jarldoms', + 'jarls', + 'jarosite', + 'jarosites', + 'jarovize', + 'jarovized', + 'jarovizes', 'jarovizing', + 'jarrah', + 'jarrahs', + 'jarred', + 'jarring', + 'jarringly', + 'jars', + 'jarsful', + 'jarvey', + 'jarveys', + 'jasmin', + 'jasmine', + 'jasmines', + 'jasmins', + 'jasper', + 'jaspers', 'jasperware', 'jasperwares', + 'jaspery', + 'jassid', + 'jassids', + 'jato', + 'jatos', + 'jauk', + 'jauked', + 'jauking', + 'jauks', + 'jaunce', + 'jaunced', + 'jaunces', + 'jauncing', + 'jaundice', + 'jaundiced', + 'jaundices', 'jaundicing', + 'jaunt', + 'jaunted', + 'jauntier', + 'jauntiest', + 'jauntily', 'jauntiness', 'jauntinesses', + 'jaunting', + 'jaunts', + 'jaunty', + 'jaup', + 'jauped', + 'jauping', + 'jaups', + 'java', + 'javas', + 'javelin', + 'javelina', + 'javelinas', + 'javelined', 'javelining', + 'javelins', + 'jaw', + 'jawan', + 'jawans', + 'jawbone', + 'jawboned', + 'jawboner', + 'jawboners', + 'jawbones', + 'jawboning', 'jawbonings', 'jawbreaker', 'jawbreakers', + 'jawed', + 'jawing', + 'jawlike', + 'jawline', + 'jawlines', + 'jaws', + 'jay', + 'jaybird', + 'jaybirds', + 'jaygee', + 'jaygees', + 'jayhawker', 'jayhawkers', + 'jays', + 'jayvee', + 'jayvees', + 'jaywalk', + 'jaywalked', + 'jaywalker', 'jaywalkers', 'jaywalking', + 'jaywalks', + 'jazz', + 'jazzed', + 'jazzer', + 'jazzers', + 'jazzes', + 'jazzier', + 'jazziest', + 'jazzily', + 'jazziness', 'jazzinesses', + 'jazzing', + 'jazzlike', + 'jazzman', + 'jazzmen', + 'jazzy', + 'jealous', 'jealousies', + 'jealously', 'jealousness', 'jealousnesses', + 'jealousy', + 'jean', + 'jeans', + 'jebel', + 'jebels', + 'jee', + 'jeed', + 'jeeing', + 'jeep', + 'jeeped', + 'jeepers', + 'jeeping', + 'jeepney', + 'jeepneys', + 'jeeps', + 'jeer', + 'jeered', + 'jeerer', + 'jeerers', + 'jeering', + 'jeeringly', + 'jeers', + 'jees', + 'jeez', + 'jefe', + 'jefes', + 'jehad', + 'jehads', + 'jehu', + 'jehus', + 'jejuna', + 'jejunal', + 'jejune', + 'jejunely', 'jejuneness', 'jejunenesses', 'jejunities', + 'jejunity', + 'jejunum', + 'jell', + 'jellaba', + 'jellabas', + 'jelled', + 'jellied', + 'jellies', + 'jellified', + 'jellifies', + 'jellify', 'jellifying', + 'jelling', + 'jells', + 'jelly', + 'jellybean', 'jellybeans', + 'jellyfish', 'jellyfishes', + 'jellying', + 'jellylike', + 'jelutong', + 'jelutongs', + 'jemadar', + 'jemadars', + 'jemidar', + 'jemidars', + 'jemmied', + 'jemmies', + 'jemmy', + 'jemmying', + 'jennet', + 'jennets', + 'jennies', + 'jenny', + 'jeon', + 'jeopard', + 'jeoparded', 'jeopardies', 'jeoparding', 'jeopardise', @@ -31954,54 +79316,490 @@ export const scrabble_array = [ 'jeopardized', 'jeopardizes', 'jeopardizing', + 'jeopards', + 'jeopardy', + 'jerboa', + 'jerboas', + 'jereed', + 'jereeds', + 'jeremiad', + 'jeremiads', + 'jerid', + 'jerids', + 'jerk', + 'jerked', + 'jerker', + 'jerkers', + 'jerkier', + 'jerkies', + 'jerkiest', + 'jerkily', + 'jerkin', + 'jerkiness', 'jerkinesses', + 'jerking', + 'jerkins', + 'jerks', + 'jerkwater', + 'jerky', + 'jeroboam', + 'jeroboams', + 'jerreed', + 'jerreeds', + 'jerrican', + 'jerricans', + 'jerrid', + 'jerrids', + 'jerries', + 'jerry', + 'jerrycan', + 'jerrycans', + 'jersey', + 'jerseyed', + 'jerseys', + 'jess', + 'jessamine', 'jessamines', + 'jessant', + 'jesse', + 'jessed', + 'jesses', + 'jessing', + 'jest', + 'jested', + 'jester', + 'jesters', + 'jestful', + 'jesting', + 'jestings', + 'jests', + 'jesuit', + 'jesuitic', 'jesuitical', 'jesuitically', + 'jesuitism', 'jesuitisms', 'jesuitries', + 'jesuitry', + 'jesuits', + 'jet', + 'jetbead', + 'jetbeads', + 'jete', + 'jetes', + 'jetlike', + 'jetliner', + 'jetliners', + 'jeton', + 'jetons', + 'jetport', + 'jetports', + 'jets', + 'jetsam', + 'jetsams', + 'jetsom', + 'jetsoms', + 'jetted', + 'jettied', + 'jettier', + 'jetties', + 'jettiest', + 'jetting', + 'jettison', 'jettisonable', 'jettisoned', 'jettisoning', + 'jettisons', + 'jetton', + 'jettons', + 'jetty', + 'jettying', + 'jeu', + 'jeux', + 'jew', + 'jewed', + 'jewel', + 'jeweled', + 'jeweler', + 'jewelers', + 'jeweling', + 'jewelled', + 'jeweller', 'jewelleries', + 'jewellers', + 'jewellery', + 'jewellike', + 'jewelling', + 'jewelries', + 'jewelry', + 'jewels', + 'jewelweed', 'jewelweeds', + 'jewfish', + 'jewfishes', + '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', + 'jiggering', + 'jiggers', + 'jigging', + 'jiggle', + 'jiggled', + 'jiggles', + 'jigglier', + 'jiggliest', + 'jiggling', + 'jiggly', + 'jigs', + 'jigsaw', + 'jigsawed', + 'jigsawing', + 'jigsawn', + 'jigsaws', + 'jihad', + 'jihads', + 'jill', + 'jillion', + 'jillions', + 'jills', + 'jilt', + 'jilted', + 'jilter', + 'jilters', + 'jilting', + 'jilts', + 'jiminy', + 'jimjams', + 'jimmied', + 'jimmies', + 'jimminy', + 'jimmy', + 'jimmying', + 'jimp', + 'jimper', + 'jimpest', + 'jimply', + 'jimpy', 'jimsonweed', 'jimsonweeds', + 'jin', + 'jingal', + 'jingall', + 'jingalls', + 'jingals', + 'jingko', + 'jingkoes', + 'jingle', + 'jingled', + 'jingler', + 'jinglers', + 'jingles', + 'jinglier', + 'jingliest', + 'jingling', + 'jingly', + 'jingo', + 'jingoes', + 'jingoish', + 'jingoism', + 'jingoisms', + 'jingoist', 'jingoistic', 'jingoistically', + 'jingoists', + 'jink', + 'jinked', + 'jinker', + 'jinkers', + 'jinking', + 'jinks', + 'jinn', + 'jinnee', + 'jinni', + 'jinns', 'jinricksha', 'jinrickshas', 'jinrikisha', 'jinrikishas', + 'jins', + 'jinx', + 'jinxed', + 'jinxes', + 'jinxing', + 'jipijapa', + 'jipijapas', + 'jism', + 'jisms', + 'jitney', + 'jitneys', + 'jitter', + 'jitterbug', 'jitterbugged', 'jitterbugging', 'jitterbugs', + 'jittered', + 'jitterier', 'jitteriest', 'jitteriness', 'jitterinesses', + 'jittering', + 'jitters', + 'jittery', + 'jiujitsu', + 'jiujitsus', + 'jiujutsu', + 'jiujutsus', + 'jive', + 'jiveass', + 'jived', + 'jiver', + 'jivers', + 'jives', + 'jivey', + 'jivier', + 'jiviest', + 'jiving', + 'jnana', + 'jnanas', + 'jo', + 'joannes', + 'job', + 'jobbed', + 'jobber', + 'jobberies', + 'jobbers', + 'jobbery', + 'jobbing', + 'jobholder', 'jobholders', + 'jobless', 'joblessness', 'joblessnesses', + 'jobname', + 'jobnames', + 'jobs', + 'jock', + 'jockette', + 'jockettes', + 'jockey', + 'jockeyed', + 'jockeying', + 'jockeys', + 'jocko', + 'jockos', + 'jocks', + 'jockstrap', 'jockstraps', + 'jocose', + 'jocosely', 'jocoseness', 'jocosenesses', 'jocosities', + 'jocosity', + 'jocular', 'jocularities', 'jocularity', + 'jocularly', + 'jocund', 'jocundities', + 'jocundity', + 'jocundly', + 'jodhpur', + 'jodhpurs', + 'joe', + 'joes', + 'joey', + 'joeys', + 'jog', + 'jogged', + 'jogger', + 'joggers', + 'jogging', + 'joggings', + 'joggle', + 'joggled', + 'joggler', + 'jogglers', + 'joggles', + 'joggling', + 'jogs', + 'johannes', + 'john', + 'johnboat', + 'johnboats', + 'johnnies', + 'johnny', 'johnnycake', 'johnnycakes', + 'johns', 'johnsongrass', 'johnsongrasses', + 'join', + 'joinable', + 'joinder', + 'joinders', + 'joined', + 'joiner', + 'joineries', + 'joiners', + 'joinery', + 'joining', + 'joinings', + 'joins', + 'joint', + 'jointed', + 'jointedly', 'jointedness', 'jointednesses', + 'jointer', + 'jointers', + 'jointing', + 'jointly', + 'jointress', 'jointresses', + 'joints', + 'jointure', + 'jointured', + 'jointures', 'jointuring', + 'jointworm', 'jointworms', + 'joist', + 'joisted', + 'joisting', + 'joists', + 'jojoba', + 'jojobas', + 'joke', + 'joked', + 'joker', + 'jokers', + 'jokes', + 'jokester', + 'jokesters', + 'jokey', + 'jokier', + 'jokiest', + 'jokily', + 'jokiness', 'jokinesses', + 'joking', + 'jokingly', + 'joky', + 'jole', + 'joles', + 'jollied', + 'jollier', + 'jollies', + 'jolliest', 'jollification', 'jollifications', + 'jollified', + 'jollifies', + 'jollify', 'jollifying', + 'jollily', + 'jollities', + 'jollity', + 'jolly', + 'jollying', + 'jolt', + 'jolted', + 'jolter', + 'jolters', + 'joltier', + 'joltiest', + 'joltily', + 'jolting', + 'jolts', + 'jolty', + 'jones', + 'joneses', + 'jongleur', + 'jongleurs', + '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', + 'jounciest', + 'jouncing', + 'jouncy', + 'journal', 'journalese', 'journaleses', 'journalism', @@ -32016,59 +79814,311 @@ export const scrabble_array = [ 'journalizers', 'journalizes', 'journalizing', + 'journals', + 'journey', + 'journeyed', + 'journeyer', 'journeyers', 'journeying', 'journeyman', 'journeymen', + 'journeys', 'journeywork', 'journeyworks', + 'joust', + 'jousted', + 'jouster', + 'jousters', + 'jousting', + 'jousts', + 'jovial', 'jovialities', + 'joviality', + 'jovially', 'jovialties', + 'jovialty', + 'jow', + 'jowar', + 'jowars', + 'jowed', + 'jowing', + 'jowl', + 'jowled', + 'jowlier', + 'jowliest', + 'jowls', + 'jowly', + 'jows', + 'joy', + 'joyance', + 'joyances', + 'joyed', + 'joyful', + 'joyfuller', 'joyfullest', + 'joyfully', 'joyfulness', 'joyfulnesses', + 'joying', + 'joyless', + 'joylessly', 'joylessness', 'joylessnesses', + 'joyous', + 'joyously', 'joyousness', 'joyousnesses', + 'joypop', + 'joypopped', + 'joypopper', 'joypoppers', 'joypopping', + 'joypops', + 'joyridden', + 'joyride', + 'joyrider', + 'joyriders', + 'joyrides', + 'joyriding', 'joyridings', + 'joyrode', + 'joys', + 'joystick', + 'joysticks', + 'juba', + 'jubas', + 'jubbah', + 'jubbahs', + 'jube', + 'jubes', + 'jubhah', + 'jubhahs', + 'jubilance', 'jubilances', + 'jubilant', 'jubilantly', 'jubilarian', 'jubilarians', + 'jubilate', + 'jubilated', + 'jubilates', 'jubilating', 'jubilation', 'jubilations', + 'jubile', + 'jubilee', + 'jubilees', + 'jubiles', + 'judas', + 'judases', + 'judder', + 'juddered', + 'juddering', + 'judders', + 'judge', + 'judged', + 'judgement', 'judgements', + 'judger', + 'judgers', + 'judges', + 'judgeship', 'judgeships', + 'judging', + 'judgmatic', 'judgmatical', 'judgmatically', + 'judgment', 'judgmental', 'judgmentally', + 'judgments', 'judicatories', 'judicatory', 'judicature', 'judicatures', + 'judicial', 'judicially', 'judiciaries', + 'judiciary', + 'judicious', 'judiciously', 'judiciousness', 'judiciousnesses', + 'judo', + 'judoist', + 'judoists', + 'judoka', + 'judokas', + 'judos', + 'jug', + 'juga', + 'jugal', + 'jugate', + 'jugful', + 'jugfuls', + 'jugged', 'juggernaut', 'juggernauts', + 'jugging', + 'juggle', + 'juggled', + 'juggler', 'juggleries', + 'jugglers', + 'jugglery', + 'juggles', + 'juggling', + 'jugglings', + 'jughead', + 'jugheads', + 'jugs', + 'jugsful', + 'jugula', + 'jugular', + 'jugulars', + 'jugulate', + 'jugulated', + 'jugulates', 'jugulating', + 'jugulum', + 'jugum', + 'jugums', + 'juice', + 'juiced', + 'juicehead', 'juiceheads', + 'juiceless', + 'juicer', + 'juicers', + 'juices', + 'juicier', + 'juiciest', + 'juicily', + 'juiciness', 'juicinesses', + 'juicing', + 'juicy', + 'jujitsu', + 'jujitsus', + 'juju', + 'jujube', + 'jujubes', + 'jujuism', + 'jujuisms', + 'jujuist', + 'jujuists', + 'jujus', + 'jujutsu', + 'jujutsus', + 'juke', + 'jukebox', + 'jukeboxes', + 'juked', + 'jukes', + 'juking', + 'julep', + 'juleps', + 'julienne', + 'julienned', + 'juliennes', 'julienning', + 'jumbal', + 'jumbals', + 'jumble', + 'jumbled', + 'jumbler', + 'jumblers', + 'jumbles', + 'jumbling', + 'jumbo', + 'jumbos', + 'jumbuck', + 'jumbucks', + 'jump', + 'jumped', + 'jumper', + 'jumpers', + 'jumpier', + 'jumpiest', + 'jumpily', + 'jumpiness', 'jumpinesses', + 'jumping', + 'jumpoff', + 'jumpoffs', + 'jumps', + 'jumpsuit', + 'jumpsuits', + 'jumpy', + 'jun', + 'junco', + 'juncoes', + 'juncos', + 'junction', 'junctional', + 'junctions', + 'junctural', + 'juncture', + 'junctures', + 'jungle', + 'jungled', 'junglelike', + 'jungles', + 'junglier', + 'jungliest', + 'jungly', + 'junior', + 'juniorate', 'juniorates', + 'juniors', + 'juniper', + 'junipers', + 'junk', + 'junked', + 'junker', + 'junkers', + 'junket', + 'junketed', + 'junketeer', 'junketeers', + 'junketer', + 'junketers', + 'junketing', + 'junkets', + 'junkie', + 'junkier', + 'junkies', + 'junkiest', + 'junking', + 'junkman', + 'junkmen', + 'junks', + 'junky', + 'junkyard', + 'junkyards', + 'junta', + 'juntas', + 'junto', + 'juntos', + 'jupe', + 'jupes', + 'jupon', + 'jupons', + 'jura', + 'jural', + 'jurally', + 'jurant', + 'jurants', + 'jurat', + 'juratory', + 'jurats', + 'jurel', + 'jurels', + 'juridic', + 'juridical', 'juridically', + 'juried', + 'juries', 'jurisconsult', 'jurisconsults', 'jurisdiction', @@ -32081,10 +80131,30 @@ export const scrabble_array = [ 'jurisprudential', 'jurisprudentially', 'jurisprudents', + 'jurist', + 'juristic', 'juristically', + 'jurists', + 'juror', + 'jurors', + 'jury', + 'jurying', + 'juryman', + 'jurymen', + 'jus', + 'jussive', + 'jussives', + 'just', + 'justed', + 'juster', + 'justers', + 'justest', + 'justice', + 'justices', 'justiciabilities', 'justiciability', 'justiciable', + 'justiciar', 'justiciars', 'justifiabilities', 'justifiability', @@ -32094,64 +80164,526 @@ export const scrabble_array = [ 'justifications', 'justificative', 'justificatory', + 'justified', + 'justifier', 'justifiers', + 'justifies', + 'justify', 'justifying', + 'justing', + 'justle', + 'justled', + 'justles', + 'justling', + 'justly', + 'justness', 'justnesses', + 'justs', + 'jut', + 'jute', + 'jutes', + 'juts', + 'jutted', + 'juttied', + 'jutties', + 'jutting', + 'jutty', + 'juttying', + 'juvenal', + 'juvenals', 'juvenescence', 'juvenescences', 'juvenescent', + 'juvenile', + 'juveniles', + 'juvenilia', 'juvenilities', 'juvenility', + 'juxtapose', 'juxtaposed', 'juxtaposes', 'juxtaposing', 'juxtaposition', 'juxtapositional', 'juxtapositions', + 'ka', + 'kaas', + 'kab', + 'kabab', + 'kababs', + 'kabaka', + 'kabakas', + 'kabala', + 'kabalas', + 'kabar', + 'kabars', + 'kabaya', + 'kabayas', + 'kabbala', + 'kabbalah', + 'kabbalahs', + 'kabbalas', + 'kabeljou', + 'kabeljous', + 'kabiki', + 'kabikis', + 'kabob', + 'kabobs', + 'kabs', + 'kabuki', + 'kabukis', + 'kachina', + 'kachinas', + 'kaddish', + 'kaddishim', + 'kadi', + 'kadis', + 'kae', + 'kaes', + 'kaf', 'kaffeeklatsch', 'kaffeeklatsches', + 'kaffir', + 'kaffirs', + 'kaffiyeh', + 'kaffiyehs', + 'kafir', + 'kafirs', + 'kafs', + 'kaftan', + 'kaftans', + 'kagu', + 'kagus', + 'kahuna', + 'kahunas', + 'kaiak', + 'kaiaks', + 'kaif', + 'kaifs', + 'kail', + 'kails', + 'kailyard', + 'kailyards', + 'kain', + 'kainit', + 'kainite', + 'kainites', + 'kainits', + 'kains', + 'kaiser', + 'kaiserdom', 'kaiserdoms', + 'kaiserin', + 'kaiserins', + 'kaiserism', 'kaiserisms', + 'kaisers', + 'kajeput', + 'kajeputs', + 'kaka', + 'kakapo', + 'kakapos', + 'kakas', + 'kakemono', + 'kakemonos', + 'kaki', + 'kakiemon', + 'kakiemons', + 'kakis', + 'kalam', + 'kalams', + 'kalanchoe', 'kalanchoes', + 'kale', 'kaleidoscope', 'kaleidoscopes', 'kaleidoscopic', 'kaleidoscopically', + 'kalends', + 'kales', + 'kalewife', + 'kalewives', + 'kaleyard', + 'kaleyards', + 'kalian', + 'kalians', + 'kalif', + 'kalifate', + 'kalifates', + 'kalifs', + 'kalimba', + 'kalimbas', + 'kaliph', + 'kaliphs', + 'kalium', + 'kaliums', + 'kallidin', + 'kallidins', 'kallikrein', 'kallikreins', + 'kalmia', + 'kalmias', + 'kalong', + 'kalongs', + 'kalpa', + 'kalpak', + 'kalpaks', + 'kalpas', + 'kalyptra', + 'kalyptras', + 'kamaaina', + 'kamaainas', + 'kamacite', + 'kamacites', + 'kamala', + 'kamalas', + 'kame', + 'kames', + 'kami', + 'kamik', + 'kamikaze', + 'kamikazes', + 'kamiks', + 'kampong', + 'kampongs', + 'kamseen', + 'kamseens', + 'kamsin', + 'kamsins', + 'kana', + 'kanamycin', 'kanamycins', + 'kanas', + 'kanban', + 'kanbans', + 'kane', + 'kanes', + 'kangaroo', + 'kangaroos', + 'kanji', + 'kanjis', + 'kantar', + 'kantars', + 'kantele', + 'kanteles', + 'kaoliang', + 'kaoliangs', + 'kaolin', + 'kaoline', + 'kaolines', + 'kaolinic', + 'kaolinite', 'kaolinites', 'kaolinitic', + 'kaolins', + 'kaon', + 'kaons', + 'kapa', + 'kapas', 'kapellmeister', 'kapellmeisters', + 'kaph', + 'kaphs', + 'kapok', + 'kapoks', + 'kappa', + 'kappas', + 'kaput', + 'kaputt', + 'karabiner', 'karabiners', + 'karakul', + 'karakuls', + 'karaoke', + 'karaokes', + 'karat', + 'karate', + 'karateist', 'karateists', + 'karates', + 'karats', + 'karma', + 'karmas', + 'karmic', + 'karn', + 'karns', + 'karoo', + 'karoos', + 'kaross', + 'karosses', + 'karroo', + 'karroos', + 'karst', + 'karstic', + 'karsts', + 'kart', + 'karting', + 'kartings', + 'karts', 'karyogamies', + 'karyogamy', 'karyokineses', 'karyokinesis', 'karyokinetic', 'karyologic', 'karyological', 'karyologies', + 'karyology', 'karyolymph', 'karyolymphs', + 'karyosome', 'karyosomes', + 'karyotin', + 'karyotins', + 'karyotype', 'karyotyped', 'karyotypes', 'karyotypic', 'karyotypically', 'karyotyping', + 'kas', + 'kasbah', + 'kasbahs', + 'kasha', + 'kashas', + 'kasher', + 'kashered', + 'kashering', + 'kashers', + 'kashmir', + 'kashmirs', + 'kashrut', + 'kashruth', + 'kashruths', + 'kashruts', + 'kat', + 'kata', + 'katabatic', + 'katakana', + 'katakanas', + 'katas', + 'katchina', + 'katchinas', + 'katcina', + 'katcinas', + 'katharses', + 'katharsis', + 'kathodal', + 'kathode', + 'kathodes', + 'kathodic', + 'kation', + 'kations', + 'kats', + 'katydid', + 'katydids', 'katzenjammer', 'katzenjammers', + 'kauri', + 'kauries', + 'kauris', + 'kaury', + 'kava', + 'kavakava', + 'kavakavas', + 'kavas', + 'kavass', + 'kavasses', + 'kay', + 'kayak', + 'kayaked', + 'kayaker', + 'kayakers', + 'kayaking', + 'kayakings', + 'kayaks', + 'kayles', + 'kayo', + 'kayoed', + 'kayoes', + 'kayoing', + 'kayos', + 'kays', + 'kazachki', + 'kazachok', + 'kazatski', 'kazatskies', + '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', + 'kedgerees', + 'kedges', + 'kedging', + 'keef', + 'keefs', + 'keek', + 'keeked', + 'keeking', + 'keeks', + 'keel', + 'keelage', + 'keelages', + 'keelboat', + 'keelboats', + 'keeled', + 'keelhale', + 'keelhaled', + 'keelhales', 'keelhaling', + 'keelhaul', 'keelhauled', 'keelhauling', + 'keelhauls', + 'keeling', + 'keelless', + 'keels', + 'keelson', + 'keelsons', + 'keen', + 'keened', + 'keener', + 'keeners', + 'keenest', + 'keening', + 'keenly', + 'keenness', 'keennesses', + 'keens', + 'keep', + 'keepable', + 'keeper', + 'keepers', + 'keeping', + 'keepings', + 'keeps', + 'keepsake', + 'keepsakes', + 'keeshond', 'keeshonden', + 'keeshonds', + 'keester', + 'keesters', + 'keet', + 'keets', + 'keeve', + 'keeves', + 'kef', + 'keffiyeh', + 'keffiyehs', + 'kefir', + 'kefirs', + 'kefs', + 'keg', + 'kegeler', + 'kegelers', + 'kegler', + 'keglers', + 'kegling', + 'keglings', + 'kegs', + 'keir', + 'keirs', + 'keister', + 'keisters', + 'keitloa', + 'keitloas', + 'kelep', + 'keleps', + 'kelim', + 'kelims', + 'kellies', + 'kelly', + 'keloid', + 'keloidal', + 'keloids', + 'kelp', + 'kelped', + 'kelpie', + 'kelpies', + 'kelping', + 'kelps', + 'kelpy', + 'kelson', + 'kelsons', + 'kelter', + 'kelters', + 'kelvin', + 'kelvins', + 'kemp', + 'kemps', + 'kempt', + 'ken', + 'kenaf', + 'kenafs', + 'kench', + 'kenches', + 'kendo', + 'kendos', + 'kenned', + 'kennel', + 'kenneled', + 'kenneling', + 'kennelled', 'kennelling', + 'kennels', + 'kenning', + 'kennings', + 'keno', + 'kenos', + 'kenosis', + 'kenosises', + 'kenotic', + 'kenotron', + 'kenotrons', + 'kens', 'kenspeckle', + 'kent', + 'kentledge', 'kentledges', + 'kep', + 'kephalin', + 'kephalins', + 'kepi', + 'kepis', + 'kepped', + 'keppen', + 'kepping', + 'keps', + 'kept', + 'keramic', + 'keramics', + 'keratin', 'keratinization', 'keratinizations', 'keratinize', @@ -32160,107 +80692,489 @@ export const scrabble_array = [ 'keratinizing', 'keratinophilic', 'keratinous', + 'keratins', 'keratitides', + 'keratitis', 'keratoconjunctivites', 'keratoconjunctivitides', 'keratoconjunctivitis', 'keratoconjunctivitises', + 'keratoid', + 'keratoma', + 'keratomas', 'keratomata', 'keratoplasties', 'keratoplasty', + 'keratose', + 'keratoses', + 'keratosis', + 'keratotic', 'keratotomies', 'keratotomy', + 'kerb', + 'kerbed', + 'kerbing', + 'kerbs', + 'kerchief', 'kerchiefed', + 'kerchiefs', 'kerchieves', + 'kerchoo', + 'kerf', + 'kerfed', + 'kerfing', + 'kerfs', + 'kerfuffle', 'kerfuffles', + 'kermes', + 'kermess', + 'kermesse', + 'kermesses', + 'kermis', + 'kermises', + 'kern', + 'kerne', + 'kerned', + 'kernel', + 'kerneled', + 'kerneling', + 'kernelled', 'kernelling', + 'kernels', + 'kernes', + 'kerning', + 'kernite', + 'kernites', + 'kerns', + 'kerogen', + 'kerogens', + 'kerosene', + 'kerosenes', + 'kerosine', + 'kerosines', + 'kerplunk', 'kerplunked', 'kerplunking', + 'kerplunks', + 'kerria', + 'kerrias', + 'kerries', + 'kerry', + 'kersey', 'kerseymere', 'kerseymeres', + 'kerseys', + 'kerygma', + 'kerygmata', 'kerygmatic', + 'kestrel', + 'kestrels', + 'ketch', + 'ketches', + 'ketchup', + 'ketchups', + 'ketene', + 'ketenes', + 'keto', 'ketogeneses', 'ketogenesis', + 'ketogenic', + 'ketol', + 'ketols', + 'ketone', + 'ketones', + 'ketonic', + 'ketose', + 'ketoses', + 'ketosis', 'ketosteroid', 'ketosteroids', + 'ketotic', + 'kettle', 'kettledrum', 'kettledrums', + 'kettles', + 'kevel', + 'kevels', + 'kevil', + 'kevils', + 'kex', + 'kexes', + 'key', + 'keyboard', 'keyboarded', 'keyboarder', 'keyboarders', 'keyboarding', 'keyboardist', 'keyboardists', + 'keyboards', + 'keybutton', 'keybuttons', + 'keycard', + 'keycards', + 'keyed', + 'keyhole', + 'keyholes', + 'keying', + 'keyless', + 'keynote', + 'keynoted', + 'keynoter', + 'keynoters', + 'keynotes', + 'keynoting', + 'keypad', + 'keypads', + 'keypunch', 'keypunched', 'keypuncher', 'keypunchers', 'keypunches', 'keypunching', + 'keys', + 'keyset', + 'keysets', + 'keyster', + 'keysters', + 'keystone', + 'keystones', + 'keystroke', 'keystroked', 'keystrokes', 'keystroking', + 'keyway', + 'keyways', + 'keyword', + 'keywords', + 'khaddar', + 'khaddars', + 'khadi', + 'khadis', + 'khaf', + 'khafs', + 'khaki', + 'khakis', + 'khalif', + 'khalifa', + 'khalifas', + 'khalifs', + 'khamseen', + 'khamseens', + 'khamsin', + 'khamsins', + 'khan', + 'khanate', + 'khanates', + 'khans', + 'khaph', + 'khaphs', + 'khat', + 'khats', + 'khazen', + 'khazenim', + 'khazens', + 'kheda', + 'khedah', + 'khedahs', + 'khedas', + 'khedival', + 'khedive', + 'khedives', + 'khedivial', + 'khet', + 'kheth', + 'kheths', + 'khets', + 'khi', + 'khirkah', + 'khirkahs', + 'khis', + 'khoum', + 'khoums', + 'kiang', + 'kiangs', + 'kiaugh', + 'kiaughs', + 'kibbe', + 'kibbeh', + 'kibbehs', + 'kibbes', + 'kibbi', + 'kibbis', + 'kibbitz', + 'kibbitzed', + 'kibbitzer', 'kibbitzers', + 'kibbitzes', 'kibbitzing', + 'kibble', + 'kibbled', + 'kibbles', + 'kibbling', + 'kibbutz', + 'kibbutzim', 'kibbutznik', 'kibbutzniks', + 'kibe', + 'kibei', + 'kibeis', + 'kibes', + 'kibitz', + 'kibitzed', + 'kibitzer', + 'kibitzers', + 'kibitzes', + 'kibitzing', + 'kibla', + 'kiblah', + 'kiblahs', + 'kiblas', + 'kibosh', + 'kiboshed', + 'kiboshes', + 'kiboshing', + 'kick', + 'kickable', + 'kickback', + 'kickbacks', + 'kickball', + 'kickballs', + 'kickboard', 'kickboards', + 'kickboxer', 'kickboxers', 'kickboxing', 'kickboxings', + 'kicked', + 'kicker', + 'kickers', + 'kickier', + 'kickiest', + 'kicking', + 'kickoff', + 'kickoffs', + 'kicks', + 'kickshaw', + 'kickshaws', + 'kickstand', 'kickstands', + 'kickup', + 'kickups', + 'kicky', + 'kid', + 'kidded', + 'kidder', + 'kidders', + 'kiddie', + 'kiddies', + 'kidding', + 'kiddingly', + 'kiddish', + 'kiddo', + 'kiddoes', + 'kiddos', + 'kiddush', + 'kiddushes', + 'kiddy', + 'kidlike', + 'kidnap', + 'kidnaped', + 'kidnapee', + 'kidnapees', + 'kidnaper', + 'kidnapers', + 'kidnaping', + 'kidnapped', + 'kidnappee', 'kidnappees', + 'kidnapper', 'kidnappers', 'kidnapping', + 'kidnaps', + 'kidney', + 'kidneys', + 'kids', + 'kidskin', + 'kidskins', + 'kidvid', + 'kidvids', + 'kief', + 'kiefs', + 'kielbasa', + 'kielbasas', + 'kielbasi', + 'kielbasy', + 'kier', + 'kiers', 'kieselguhr', 'kieselguhrs', + 'kieserite', 'kieserites', + 'kiester', + 'kiesters', + 'kif', + 'kifs', + 'kike', + 'kikes', + 'kilderkin', 'kilderkins', + 'kilim', + 'kilims', + 'kill', + 'killdee', + 'killdeer', + 'killdeers', + 'killdees', + 'killed', + 'killer', + 'killers', + 'killick', + 'killicks', + 'killie', + 'killies', + 'killifish', 'killifishes', + 'killing', + 'killingly', + 'killings', + 'killjoy', + 'killjoys', + 'killock', + 'killocks', + 'kills', + 'kiln', + 'kilned', + 'kilning', + 'kilns', + 'kilo', + 'kilobar', + 'kilobars', + 'kilobase', + 'kilobases', + 'kilobaud', + 'kilobauds', + 'kilobit', + 'kilobits', + 'kilobyte', + 'kilobytes', 'kilocalorie', 'kilocalories', + 'kilocycle', 'kilocycles', + 'kilogauss', 'kilogausses', + 'kilogram', + 'kilograms', + 'kilohertz', + 'kilojoule', 'kilojoules', + 'kiloliter', 'kiloliters', + 'kilometer', 'kilometers', + 'kilomole', + 'kilomoles', 'kiloparsec', 'kiloparsecs', 'kilopascal', 'kilopascals', + 'kilorad', + 'kilorads', + 'kilos', + 'kiloton', + 'kilotons', + 'kilovolt', + 'kilovolts', + 'kilowatt', + 'kilowatts', + 'kilt', + 'kilted', + 'kilter', + 'kilters', + 'kiltie', + 'kilties', + 'kilting', + 'kiltings', + 'kilts', + 'kilty', 'kimberlite', 'kimberlites', + 'kimchee', + 'kimchees', + 'kimchi', + 'kimchis', + 'kimono', + 'kimonoed', + 'kimonos', + 'kin', + 'kina', + 'kinas', + 'kinase', + 'kinases', + 'kind', + 'kinder', 'kindergarten', 'kindergartener', 'kindergarteners', 'kindergartens', 'kindergartner', 'kindergartners', + 'kindest', 'kindhearted', 'kindheartedly', 'kindheartedness', 'kindheartednesses', + 'kindle', + 'kindled', + 'kindler', + 'kindlers', + 'kindles', + 'kindless', 'kindlessly', + 'kindlier', + 'kindliest', 'kindliness', 'kindlinesses', + 'kindling', + 'kindlings', + 'kindly', + 'kindness', 'kindnesses', + 'kindred', + 'kindreds', + 'kinds', + 'kine', + 'kinema', + 'kinemas', + 'kinematic', 'kinematical', 'kinematically', 'kinematics', + 'kines', + 'kinescope', 'kinescoped', 'kinescopes', 'kinescoping', + 'kineses', + 'kinesic', + 'kinesics', 'kinesiologies', 'kinesiology', + 'kinesis', 'kinestheses', 'kinesthesia', 'kinesthesias', 'kinesthesis', 'kinesthetic', 'kinesthetically', + 'kinetic', 'kinetically', 'kineticist', 'kineticists', + 'kinetics', + 'kinetin', + 'kinetins', 'kinetochore', 'kinetochores', 'kinetoplast', @@ -32269,63 +81183,410 @@ export const scrabble_array = [ 'kinetoscopes', 'kinetosome', 'kinetosomes', + 'kinfolk', + 'kinfolks', + 'king', + 'kingbird', + 'kingbirds', + 'kingbolt', + 'kingbolts', + 'kingcraft', 'kingcrafts', + 'kingcup', + 'kingcups', + 'kingdom', + 'kingdoms', + 'kinged', + 'kingfish', 'kingfisher', 'kingfishers', 'kingfishes', + 'kinghood', + 'kinghoods', + 'kinging', + 'kingless', + 'kinglet', + 'kinglets', + 'kinglier', + 'kingliest', + 'kinglike', 'kingliness', 'kinglinesses', + 'kingly', + 'kingmaker', 'kingmakers', + 'kingpin', + 'kingpins', + 'kingpost', + 'kingposts', + 'kings', + 'kingship', + 'kingships', + 'kingside', + 'kingsides', + 'kingwood', + 'kingwoods', + 'kinin', + 'kinins', + 'kink', + 'kinkajou', + 'kinkajous', + 'kinked', + 'kinkier', + 'kinkiest', + 'kinkily', + 'kinkiness', 'kinkinesses', + 'kinking', + 'kinks', + 'kinky', 'kinnikinnick', 'kinnikinnicks', + 'kino', + 'kinos', + 'kins', + 'kinsfolk', + 'kinship', + 'kinships', + 'kinsman', + 'kinsmen', + 'kinswoman', + 'kinswomen', + 'kiosk', + 'kiosks', + 'kip', + 'kipped', + 'kippen', + 'kipper', + 'kippered', + 'kipperer', + 'kipperers', + 'kippering', + 'kippers', + 'kipping', + 'kips', + 'kipskin', + 'kipskins', + 'kir', + 'kirigami', + 'kirigamis', + 'kirk', + 'kirkman', + 'kirkmen', + 'kirks', + 'kirmess', + 'kirmesses', + 'kirn', + 'kirned', + 'kirning', + 'kirns', + 'kirs', + 'kirsch', + 'kirsches', + 'kirtle', + 'kirtled', + 'kirtles', + 'kishka', + 'kishkas', + 'kishke', + 'kishkes', + 'kismat', + 'kismats', + 'kismet', + 'kismetic', + 'kismets', + 'kiss', + 'kissable', + 'kissably', + 'kissed', + 'kisser', + 'kissers', + 'kisses', + 'kissing', + 'kissy', + 'kist', + 'kistful', + 'kistfuls', + 'kists', + 'kit', + 'kitchen', 'kitchenette', 'kitchenettes', + 'kitchens', 'kitchenware', 'kitchenwares', + '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', + 'kittening', + 'kittenish', 'kittenishly', 'kittenishness', 'kittenishnesses', + 'kittens', + 'kitties', + 'kitting', + 'kittiwake', 'kittiwakes', + 'kittle', + 'kittled', + 'kittler', + 'kittles', + 'kittlest', + 'kittling', + 'kitty', + 'kiva', + 'kivas', + 'kiwi', + 'kiwifruit', 'kiwifruits', + 'kiwis', + 'klatch', + 'klatches', + 'klatsch', + 'klatsches', + 'klavern', + 'klaverns', + 'klaxon', + 'klaxons', + 'kleagle', + 'kleagles', 'klebsiella', 'klebsiellas', + 'klepht', + 'klephtic', + 'klephts', 'kleptomania', 'kleptomaniac', 'kleptomaniacs', 'kleptomanias', + 'klezmer', + 'klezmorim', + 'klister', + 'klisters', + 'klong', + 'klongs', + 'kloof', + 'kloofs', + 'kludge', + 'kludges', + 'kluge', + 'kluges', + 'klutz', + 'klutzes', + 'klutzier', + 'klutziest', 'klutziness', 'klutzinesses', + 'klutzy', + 'klystron', + 'klystrons', + 'knack', + 'knacked', + 'knacker', + 'knackered', 'knackeries', + 'knackers', + 'knackery', + 'knacking', + 'knacks', 'knackwurst', 'knackwursts', + 'knap', + 'knapped', + 'knapper', + 'knappers', + 'knapping', + 'knaps', + 'knapsack', 'knapsacked', + 'knapsacks', + 'knapweed', + 'knapweeds', + 'knar', + 'knarred', + 'knarry', + 'knars', + 'knaur', + 'knaurs', + 'knave', + 'knaveries', + 'knavery', + 'knaves', + 'knavish', + 'knavishly', + 'knawel', + 'knawels', + 'knead', + 'kneadable', + 'kneaded', + 'kneader', + 'kneaders', + 'kneading', + 'kneads', + 'knee', + 'kneecap', 'kneecapped', 'kneecapping', 'kneecappings', + 'kneecaps', + 'kneed', + 'kneehole', + 'kneeholes', + 'kneeing', + 'kneel', + 'kneeled', + 'kneeler', + 'kneelers', + 'kneeling', + 'kneels', + 'kneepad', + 'kneepads', + 'kneepan', + 'kneepans', + 'knees', + 'kneesock', + 'kneesocks', + 'knell', + 'knelled', + 'knelling', + 'knells', + 'knelt', + 'knesset', + 'knessets', + 'knew', 'knickerbocker', 'knickerbockers', + 'knickers', 'knickknacks', + 'knife', + 'knifed', + 'knifelike', 'knifepoint', 'knifepoints', + 'knifer', + 'knifers', + 'knifes', + 'knifing', + 'knight', + 'knighted', 'knighthood', 'knighthoods', + 'knighting', 'knightliness', 'knightlinesses', + 'knightly', + 'knights', + 'knish', + 'knishes', + 'knit', + 'knits', + 'knitted', + 'knitter', + 'knitters', + 'knitting', + 'knittings', + 'knitwear', + 'knives', + 'knob', + 'knobbed', + 'knobbier', + 'knobbiest', + 'knobblier', 'knobbliest', + 'knobbly', + 'knobby', 'knobkerrie', 'knobkerries', + 'knoblike', + 'knobs', + 'knock', 'knockabout', 'knockabouts', + 'knockdown', 'knockdowns', + 'knocked', + 'knocker', + 'knockers', + 'knocking', + 'knockoff', + 'knockoffs', + 'knockout', + 'knockouts', + 'knocks', 'knockwurst', 'knockwursts', + 'knoll', + 'knolled', + 'knoller', + 'knollers', + 'knolling', + 'knolls', + 'knolly', + 'knop', + 'knopped', + 'knops', + 'knosp', + 'knosps', + 'knot', + 'knotgrass', 'knotgrasses', + 'knothole', + 'knotholes', + 'knotless', + 'knotlike', + 'knots', + 'knotted', + 'knotter', + 'knotters', + 'knottier', + 'knottiest', + 'knottily', 'knottiness', 'knottinesses', + 'knotting', + 'knottings', + 'knotty', + 'knotweed', + 'knotweeds', + 'knout', + 'knouted', + 'knouting', + 'knouts', + 'know', + 'knowable', + 'knower', + 'knowers', + 'knowing', + 'knowinger', 'knowingest', + 'knowingly', 'knowingness', 'knowingnesses', + 'knowings', + 'knowledge', 'knowledgeabilities', 'knowledgeability', 'knowledgeable', @@ -32333,192 +81594,947 @@ export const scrabble_array = [ 'knowledgeablenesses', 'knowledgeably', 'knowledges', + 'known', + 'knowns', + 'knows', + 'knubbier', + 'knubbiest', + 'knubby', + 'knuckle', 'knuckleball', 'knuckleballer', 'knuckleballers', 'knuckleballs', 'knucklebone', 'knucklebones', + 'knuckled', 'knucklehead', 'knuckleheaded', 'knuckleheads', + 'knuckler', + 'knucklers', + 'knuckles', + 'knucklier', 'knuckliest', + 'knuckling', + 'knuckly', + 'knur', + 'knurl', + 'knurled', + 'knurlier', + 'knurliest', + 'knurling', + 'knurls', + 'knurly', + 'knurs', + 'koa', + 'koala', + 'koalas', + 'koan', + 'koans', + 'koas', + 'kob', + 'kobo', + 'kobold', + 'kobolds', + 'kobs', + 'koel', + 'koels', + 'kohl', + 'kohlrabi', 'kohlrabies', + 'kohls', + 'koi', + 'koine', + 'koines', + 'kokanee', + 'kokanees', + 'kola', + 'kolacky', + 'kolas', + 'kolbasi', + 'kolbasis', + 'kolbassi', + 'kolbassis', + 'kolhoz', + 'kolhozes', + 'kolhozy', + 'kolinski', 'kolinskies', + 'kolinsky', + 'kolkhos', + 'kolkhoses', + 'kolkhosy', + 'kolkhoz', + 'kolkhozes', 'kolkhoznik', 'kolkhozniki', 'kolkhozniks', + 'kolkhozy', + 'kolkoz', + 'kolkozes', + 'kolkozy', + 'kolo', + 'kolos', + 'komatik', + 'komatiks', + 'komondor', 'komondorock', 'komondorok', + 'komondors', + 'konk', + 'konked', + 'konking', + 'konks', + 'koodoo', + 'koodoos', + 'kook', 'kookaburra', 'kookaburras', + 'kookie', + 'kookier', + 'kookiest', + 'kookiness', 'kookinesses', + 'kooks', + 'kooky', + 'kop', + 'kopeck', + 'kopecks', + 'kopek', + 'kopeks', + 'koph', + 'kophs', + 'kopje', + 'kopjes', + 'koppa', + 'koppas', + 'koppie', + 'koppies', + 'kops', + 'kor', + 'korai', + 'korat', + 'korats', + 'kore', + 'kors', + 'korun', + 'koruna', + 'korunas', + 'koruny', + 'kos', + 'kosher', + 'koshered', + 'koshering', + 'koshers', + 'koss', + 'koto', + 'kotos', + 'kotow', + 'kotowed', + 'kotower', + 'kotowers', + 'kotowing', + 'kotows', + 'koumis', + 'koumises', + 'koumiss', + 'koumisses', + 'koumys', + 'koumyses', + 'koumyss', + 'koumysses', + 'kouprey', + 'koupreys', + 'kouroi', + 'kouros', + 'kousso', + 'koussos', + 'kowtow', + 'kowtowed', + 'kowtower', + 'kowtowers', + 'kowtowing', + 'kowtows', + 'kraal', + 'kraaled', + 'kraaling', + 'kraals', + 'kraft', + 'krafts', + 'krait', + 'kraits', + 'kraken', + 'krakens', + 'krater', + 'kraters', + 'kraut', + 'krauts', + 'kreep', + 'kreeps', + 'kremlin', 'kremlinologies', 'kremlinologist', 'kremlinologists', 'kremlinology', + 'kremlins', + 'kreplach', + 'kreutzer', + 'kreutzers', + 'kreuzer', + 'kreuzers', + 'krill', + 'krills', + 'krimmer', + 'krimmers', + 'kris', + 'krises', + 'krona', + 'krone', + 'kronen', + 'kroner', + 'kronor', + 'kronur', + 'kroon', + 'krooni', + 'kroons', + 'krubi', + 'krubis', + 'krubut', + 'krubuts', + 'kruller', + 'krullers', + 'krumhorn', + 'krumhorns', + 'krummholz', + 'krummhorn', 'krummhorns', + 'kryolite', + 'kryolites', + 'kryolith', + 'kryoliths', + 'krypton', + 'kryptons', + 'kuchen', + 'kudo', + 'kudos', + 'kudu', + 'kudus', + 'kudzu', + 'kudzus', + 'kue', + 'kues', + 'kugel', + 'kugels', + 'kukri', + 'kukris', + 'kulak', + 'kulaki', + 'kulaks', + 'kultur', + 'kulturs', + 'kumiss', + 'kumisses', + 'kummel', + 'kummels', + 'kumquat', + 'kumquats', + 'kumys', + 'kumyses', + 'kundalini', 'kundalinis', + 'kunzite', + 'kunzites', + 'kurbash', + 'kurbashed', + 'kurbashes', 'kurbashing', + 'kurgan', + 'kurgans', + 'kurrajong', 'kurrajongs', + 'kurta', + 'kurtas', + 'kurtosis', 'kurtosises', + 'kuru', + 'kurus', + 'kusso', + 'kussos', + 'kuvasz', + 'kuvaszok', + 'kvas', + 'kvases', + 'kvass', + 'kvasses', + 'kvetch', + 'kvetched', + 'kvetches', + 'kvetchier', 'kvetchiest', + 'kvetching', + 'kvetchy', + 'kwacha', + 'kwanza', + 'kwanzas', 'kwashiorkor', 'kwashiorkors', + 'kyack', + 'kyacks', + 'kyak', + 'kyaks', + 'kyanise', + 'kyanised', + 'kyanises', + 'kyanising', + 'kyanite', + 'kyanites', + 'kyanize', + 'kyanized', + 'kyanizes', + 'kyanizing', + 'kyar', + 'kyars', + 'kyat', + 'kyats', + 'kybosh', + 'kyboshed', + 'kyboshes', + 'kyboshing', + 'kylikes', + 'kylix', + 'kymogram', + 'kymograms', + 'kymograph', 'kymographic', 'kymographies', 'kymographs', 'kymography', + 'kyphoses', + 'kyphosis', + 'kyphotic', + 'kyrie', + 'kyries', + 'kyte', + 'kytes', + 'kythe', + 'kythed', + 'kythes', + 'kything', + 'la', + 'laager', + 'laagered', + 'laagering', + 'laagers', + 'laari', + 'lab', 'labanotation', 'labanotations', + 'labara', + 'labarum', + 'labarums', + 'labdanum', + 'labdanums', + 'label', + 'labelable', + 'labeled', + 'labeler', + 'labelers', + 'labeling', + 'labella', + 'labelled', + 'labeller', + 'labellers', + 'labelling', + 'labellum', + 'labels', + 'labia', + 'labial', 'labialization', 'labializations', + 'labialize', 'labialized', 'labializes', 'labializing', + 'labially', + 'labials', + 'labiate', + 'labiated', + 'labiates', + 'labile', 'labilities', + 'lability', 'labiodental', 'labiodentals', 'labiovelar', 'labiovelars', + 'labium', + 'labor', 'laboratories', 'laboratory', + 'labored', + 'laborer', + 'laborers', + 'laboring', + 'laborious', 'laboriously', 'laboriousness', 'laboriousnesses', + 'laborite', + 'laborites', + 'labors', 'laborsaving', + 'labour', + 'laboured', + 'labourer', + 'labourers', + 'labouring', + 'labours', + 'labra', + 'labrador', 'labradorite', 'labradorites', + 'labradors', + 'labret', + 'labrets', + 'labroid', + 'labroids', + 'labrum', + 'labrums', + 'labrusca', + 'labs', + 'laburnum', + 'laburnums', + 'labyrinth', 'labyrinthian', 'labyrinthine', 'labyrinthodont', 'labyrinthodonts', 'labyrinths', + 'lac', + 'laccolith', 'laccolithic', 'laccoliths', + 'lace', + 'laced', + 'laceless', + 'lacelike', + 'lacer', + 'lacerate', + 'lacerated', + 'lacerates', 'lacerating', 'laceration', 'lacerations', 'lacerative', + 'lacers', + 'lacertid', + 'lacertids', + 'laces', + 'lacewing', + 'lacewings', + 'lacewood', + 'lacewoods', + 'lacework', + 'laceworks', + 'lacey', + 'laches', + 'lachrymal', 'lachrymator', 'lachrymators', 'lachrymose', 'lachrymosely', 'lachrymosities', 'lachrymosity', + 'lacier', + 'laciest', + 'lacily', + 'laciness', 'lacinesses', + 'lacing', + 'lacings', + 'laciniate', 'laciniation', 'laciniations', + 'lack', 'lackadaisical', 'lackadaisically', + 'lackaday', + 'lacked', + 'lacker', + 'lackered', + 'lackering', + 'lackers', + 'lackey', + 'lackeyed', + 'lackeying', + 'lackeys', + 'lacking', 'lackluster', 'lacklusters', + 'lacks', + 'laconic', 'laconically', + 'laconism', + 'laconisms', + 'lacquer', + 'lacquered', + 'lacquerer', 'lacquerers', 'lacquering', + 'lacquers', 'lacquerware', 'lacquerwares', 'lacquerwork', 'lacquerworks', + 'lacquey', + 'lacqueyed', 'lacqueying', + 'lacqueys', + 'lacrimal', + 'lacrimals', 'lacrimation', 'lacrimations', 'lacrimator', 'lacrimators', + 'lacrosse', + 'lacrosses', + 'lacs', 'lactalbumin', 'lactalbumins', + 'lactam', + 'lactams', + 'lactary', + 'lactase', + 'lactases', + 'lactate', + 'lactated', + 'lactates', + 'lactating', + 'lactation', 'lactational', 'lactations', + 'lacteal', + 'lacteals', + 'lactean', + 'lacteous', + 'lactic', 'lactiferous', 'lactobacilli', 'lactobacillus', 'lactogenic', 'lactoglobulin', 'lactoglobulins', + 'lactone', + 'lactones', + 'lactonic', + 'lactose', + 'lactoses', + 'lacuna', + 'lacunae', + 'lacunal', + 'lacunar', + 'lacunaria', + 'lacunars', + 'lacunary', + 'lacunas', + 'lacunate', + 'lacune', + 'lacunes', + 'lacunose', 'lacustrine', + 'lacy', + 'lad', + 'ladanum', + 'ladanums', + 'ladder', + 'laddered', + 'laddering', 'ladderlike', + 'ladders', + 'laddie', + 'laddies', + 'lade', + 'laded', + 'laden', + 'ladened', + 'ladening', + 'ladens', + 'lader', + 'laders', + 'lades', + 'ladies', + 'lading', + 'ladings', + 'ladino', + 'ladinos', + 'ladle', + 'ladled', + 'ladleful', + 'ladlefuls', + 'ladler', + 'ladlers', + 'ladles', + 'ladling', + 'ladron', + 'ladrone', + 'ladrones', + 'ladrons', + 'lads', + 'lady', + 'ladybird', + 'ladybirds', + 'ladybug', + 'ladybugs', 'ladyfinger', 'ladyfingers', + 'ladyfish', 'ladyfishes', + 'ladyhood', + 'ladyhoods', + 'ladyish', + 'ladykin', + 'ladykins', + 'ladylike', + 'ladylove', + 'ladyloves', + 'ladypalm', + 'ladypalms', + 'ladyship', + 'ladyships', + 'laetrile', + 'laetriles', + 'laevo', + 'lag', + 'lagan', + 'lagans', + 'lagend', + 'lagends', + 'lager', + 'lagered', + 'lagering', + 'lagers', + 'laggard', + 'laggardly', 'laggardness', 'laggardnesses', + 'laggards', + 'lagged', + 'lagger', + 'laggers', + 'lagging', + 'laggings', + 'lagnappe', + 'lagnappes', + 'lagniappe', 'lagniappes', + 'lagomorph', 'lagomorphs', + 'lagoon', + 'lagoonal', + 'lagoons', + 'lags', + 'laguna', + 'lagunas', + 'lagune', + 'lagunes', + 'lahar', + 'lahars', + 'laic', + 'laical', + 'laically', + 'laich', + 'laichs', + 'laicise', + 'laicised', + 'laicises', + 'laicising', + 'laicism', + 'laicisms', 'laicization', 'laicizations', + 'laicize', + 'laicized', + 'laicizes', + 'laicizing', + 'laics', + 'laid', + 'laigh', + 'laighs', + 'lain', + 'lair', + 'laird', + 'lairdly', + 'lairds', + 'laired', + 'lairing', + 'lairs', + 'laitance', + 'laitances', + 'laith', + 'laithly', + 'laities', + 'laity', + 'lake', + 'laked', + 'lakefront', 'lakefronts', + 'lakelike', + 'lakeport', + 'lakeports', + 'laker', + 'lakers', + 'lakes', + 'lakeshore', 'lakeshores', + 'lakeside', + 'lakesides', + 'lakh', + 'lakhs', + 'lakier', + 'lakiest', + 'laking', + 'lakings', + 'laky', + 'lall', + 'lallan', + 'lalland', + 'lallands', + 'lallans', + 'lalled', + 'lalling', + 'lalls', + 'lallygag', 'lallygagged', 'lallygagging', + 'lallygags', + 'lam', + 'lama', + 'lamas', 'lamaseries', + 'lamasery', + 'lamb', + 'lambast', + 'lambaste', + 'lambasted', + 'lambastes', 'lambasting', + 'lambasts', + 'lambda', + 'lambdas', + 'lambdoid', + 'lambed', 'lambencies', + 'lambency', + 'lambent', + 'lambently', + 'lamber', + 'lambers', + 'lambert', + 'lamberts', + 'lambie', + 'lambier', + 'lambies', + 'lambiest', + 'lambing', + 'lambkill', + 'lambkills', + 'lambkin', + 'lambkins', + 'lamblike', 'lambrequin', 'lambrequins', + 'lambs', + 'lambskin', + 'lambskins', + 'lamby', + 'lame', + 'lamebrain', 'lamebrained', 'lamebrains', + 'lamed', + 'lamedh', + 'lamedhs', + 'lameds', + 'lamella', + 'lamellae', + 'lamellar', + 'lamellas', + 'lamellate', 'lamellately', 'lamellibranch', 'lamellibranchs', 'lamellicorn', 'lamellicorns', 'lamelliform', + 'lamely', + 'lameness', 'lamenesses', + 'lament', 'lamentable', 'lamentableness', 'lamentablenesses', 'lamentably', 'lamentation', 'lamentations', + 'lamented', 'lamentedly', + 'lamenter', + 'lamenters', + 'lamenting', + 'laments', + 'lamer', + 'lames', + 'lamest', + 'lamia', + 'lamiae', + 'lamias', + 'lamina', + 'laminae', + 'laminal', + 'laminar', + 'laminaria', 'laminarian', 'laminarians', 'laminarias', + 'laminarin', 'laminarins', + 'laminary', + 'laminas', + 'laminate', + 'laminated', + 'laminates', 'laminating', 'lamination', 'laminations', + 'laminator', 'laminators', + 'laming', + 'laminitis', 'laminitises', + 'laminose', + 'laminous', + 'lamister', + 'lamisters', + 'lammed', 'lammergeier', 'lammergeiers', 'lammergeyer', 'lammergeyers', + 'lamming', + 'lamp', + 'lampad', + 'lampads', + 'lampas', + 'lampases', + 'lampblack', 'lampblacks', + 'lamped', + 'lampers', + 'lamperses', + 'lamping', + 'lampion', + 'lampions', + 'lamplight', 'lamplighter', 'lamplighters', 'lamplights', + 'lampoon', + 'lampooned', + 'lampooner', 'lampooneries', 'lampooners', 'lampoonery', 'lampooning', + 'lampoons', + 'lamppost', + 'lampposts', + 'lamprey', + 'lampreys', + 'lamps', + 'lampshell', 'lampshells', + 'lampyrid', + 'lampyrids', + 'lams', + 'lamster', + 'lamsters', + 'lanai', + 'lanais', + 'lanate', + 'lanated', + 'lance', + 'lanced', + 'lancelet', + 'lancelets', 'lanceolate', + 'lancer', + 'lancers', + 'lances', + 'lancet', + 'lanceted', + 'lancets', + 'lancewood', 'lancewoods', + 'lanciers', 'lancinating', + 'lancing', + 'land', + 'landau', + 'landaulet', 'landaulets', + 'landaus', + 'landed', + 'lander', + 'landers', + 'landfall', + 'landfalls', + 'landfill', + 'landfills', + 'landform', + 'landforms', + 'landgrab', + 'landgrabs', 'landholder', 'landholders', 'landholding', 'landholdings', + 'landing', + 'landings', 'landladies', + 'landlady', + 'landler', + 'landlers', + 'landless', 'landlessness', 'landlessnesses', + 'landline', + 'landlines', 'landlocked', + 'landlord', 'landlordism', 'landlordisms', + 'landlords', 'landlubber', 'landlubberliness', 'landlubberlinesses', 'landlubberly', 'landlubbers', 'landlubbing', + 'landman', + 'landmark', + 'landmarks', + 'landmass', 'landmasses', + 'landmen', + 'landowner', 'landowners', 'landownership', 'landownerships', 'landowning', 'landownings', + 'lands', + 'landscape', 'landscaped', 'landscaper', 'landscapers', @@ -32526,19 +82542,59 @@ export const scrabble_array = [ 'landscaping', 'landscapist', 'landscapists', + 'landside', + 'landsides', + 'landskip', + 'landskips', + 'landsleit', + 'landslid', + 'landslide', 'landslides', 'landsliding', + 'landslip', + 'landslips', + 'landsman', + 'landsmen', + 'landward', + 'lane', + 'lanely', + 'lanes', + 'laneway', + 'laneways', + 'lang', 'langbeinite', 'langbeinites', + 'langlauf', 'langlaufer', 'langlaufers', + 'langlaufs', + 'langley', + 'langleys', 'langostino', 'langostinos', + 'langouste', 'langoustes', 'langoustine', 'langoustines', + 'langrage', + 'langrages', + 'langrel', + 'langrels', + 'langshan', + 'langshans', + 'langsyne', + 'langsynes', + 'language', + 'languages', + 'langue', + 'langues', + 'languet', + 'languets', + 'languid', + 'languidly', 'languidness', 'languidnesses', + 'languish', 'languished', 'languisher', 'languishers', @@ -32547,15 +82603,57 @@ export const scrabble_array = [ 'languishingly', 'languishment', 'languishments', + 'languor', 'languorous', 'languorously', + 'languors', + 'langur', + 'langurs', + 'laniard', + 'laniards', + 'laniaries', + 'laniary', + 'lanital', + 'lanitals', + 'lank', + 'lanker', + 'lankest', + 'lankier', + 'lankiest', + 'lankily', + 'lankiness', 'lankinesses', + 'lankly', + 'lankness', 'lanknesses', + 'lanky', + 'lanner', + 'lanneret', + 'lannerets', + 'lanners', + 'lanolin', + 'lanoline', + 'lanolines', + 'lanolins', + 'lanose', 'lanosities', + 'lanosity', + 'lantana', + 'lantanas', + 'lantern', + 'lanterns', 'lanthanide', 'lanthanides', + 'lanthanum', 'lanthanums', + 'lanthorn', + 'lanthorns', 'lanuginous', + 'lanugo', + 'lanugos', + 'lanyard', + 'lanyards', + 'lap', 'laparoscope', 'laparoscopes', 'laparoscopic', @@ -32565,30 +82663,163 @@ export const scrabble_array = [ 'laparoscopy', 'laparotomies', 'laparotomy', + 'lapboard', + 'lapboards', + 'lapdog', + 'lapdogs', + 'lapel', + 'lapeled', + 'lapelled', + 'lapels', + 'lapful', + 'lapfuls', 'lapidarian', 'lapidaries', + 'lapidary', + 'lapidate', + 'lapidated', + 'lapidates', 'lapidating', + 'lapides', 'lapidified', 'lapidifies', + 'lapidify', 'lapidifying', + 'lapidist', + 'lapidists', + 'lapilli', + 'lapillus', + 'lapin', + 'lapins', + 'lapis', + 'lapises', + 'lapped', + 'lapper', + 'lappered', + 'lappering', + 'lappers', + 'lappet', + 'lappeted', + 'lappets', + 'lapping', + 'laps', + 'lapsable', + 'lapse', + 'lapsed', + 'lapser', + 'lapsers', + 'lapses', + 'lapsible', + 'lapsing', + 'lapstrake', + 'lapsus', + 'laptop', + 'laptops', + 'lapwing', + 'lapwings', + 'lar', + 'larboard', + 'larboards', + 'larcener', + 'larceners', + 'larcenies', + 'larcenist', 'larcenists', + 'larcenous', 'larcenously', + 'larceny', + 'larch', + 'larches', + 'lard', + 'larded', + 'larder', + 'larders', + 'lardier', + 'lardiest', + 'larding', + 'lardlike', + 'lardon', + 'lardons', + 'lardoon', + 'lardoons', + 'lards', + 'lardy', + 'laree', + 'larees', + 'lares', + 'largando', + 'large', 'largehearted', 'largeheartedness', 'largeheartednesses', + 'largely', 'largemouth', 'largemouths', + 'largeness', 'largenesses', + 'larger', + 'larges', + 'largess', + 'largesse', + 'largesses', + 'largest', + 'larghetto', 'larghettos', + 'largish', + 'largo', + 'largos', + 'lari', + 'lariat', + 'lariated', + 'lariating', + 'lariats', + 'larine', + 'laris', + 'lark', + 'larked', + 'larker', + 'larkers', + 'larkier', + 'larkiest', + 'larkiness', 'larkinesses', + 'larking', + 'larkish', + 'larks', + 'larksome', + 'larkspur', + 'larkspurs', + 'larky', + 'larrigan', + 'larrigans', + 'larrikin', + 'larrikins', + 'larrup', + 'larruped', + 'larruper', + 'larrupers', + 'larruping', + 'larrups', + 'lars', + 'larum', + 'larums', + 'larva', + 'larvae', + 'larval', + 'larvas', 'larvicidal', + 'larvicide', 'larvicides', + 'laryngal', + 'laryngals', + 'laryngeal', 'laryngeals', 'laryngectomee', 'laryngectomees', 'laryngectomies', 'laryngectomized', 'laryngectomy', + 'larynges', 'laryngites', 'laryngitic', 'laryngitides', @@ -32600,19 +82831,98 @@ export const scrabble_array = [ 'laryngoscopes', 'laryngoscopies', 'laryngoscopy', + 'larynx', + 'larynxes', + 'las', + 'lasagna', + 'lasagnas', + 'lasagne', + 'lasagnes', + 'lascar', + 'lascars', 'lascivious', 'lasciviously', 'lasciviousness', 'lasciviousnesses', + 'lase', + 'lased', + 'laser', + 'lasers', + 'lases', + 'lash', + 'lashed', + 'lasher', + 'lashers', + 'lashes', + 'lashing', + 'lashings', + 'lashins', + 'lashkar', + 'lashkars', + 'lasing', + 'lass', + 'lasses', + 'lassie', + 'lassies', + 'lassitude', 'lassitudes', + 'lasso', + 'lassoed', + 'lassoer', + 'lassoers', + 'lassoes', + 'lassoing', + 'lassos', + 'last', + 'lasted', + 'laster', + 'lasters', + 'lasting', + 'lastingly', 'lastingness', 'lastingnesses', + 'lastings', + 'lastly', + 'lasts', + 'lat', + 'latakia', + 'latakias', + 'latch', + 'latched', + 'latches', + 'latchet', + 'latchets', + 'latching', + 'latchkey', + 'latchkeys', 'latchstring', 'latchstrings', + 'late', + 'latecomer', 'latecomers', + 'lated', + 'lateen', + 'lateener', + 'lateeners', + 'lateens', + 'lately', + 'laten', + 'latencies', + 'latency', + 'latened', + 'lateness', 'latenesses', + 'latening', + 'latens', 'latensification', 'latensifications', + 'latent', + 'latently', + 'latents', + 'later', + 'laterad', + 'lateral', + 'lateraled', 'lateraling', 'lateralization', 'lateralizations', @@ -32620,153 +82930,725 @@ export const scrabble_array = [ 'lateralized', 'lateralizes', 'lateralizing', + 'laterally', + 'laterals', + 'laterite', + 'laterites', + 'lateritic', 'laterization', 'laterizations', + 'laterize', + 'laterized', + 'laterizes', 'laterizing', + 'latest', + 'latests', + 'latewood', + 'latewoods', + 'latex', + 'latexes', + 'lath', + 'lathe', + 'lathed', + 'lather', + 'lathered', + 'latherer', + 'latherers', + 'lathering', + 'lathers', + 'lathery', + 'lathes', + 'lathi', + 'lathier', + 'lathiest', + 'lathing', + 'lathings', + 'lathis', + 'laths', + 'lathwork', + 'lathworks', + 'lathy', + 'lathyrism', 'lathyrisms', 'lathyritic', + 'lati', + 'latices', + 'laticifer', 'laticifers', 'latifundia', 'latifundio', 'latifundios', 'latifundium', + 'latigo', + 'latigoes', + 'latigos', 'latinities', + 'latinity', 'latinization', 'latinizations', + 'latinize', + 'latinized', + 'latinizes', 'latinizing', + 'latino', + 'latinos', + 'latish', + 'latitude', + 'latitudes', 'latitudinal', 'latitudinally', 'latitudinarian', 'latitudinarianism', 'latitudinarianisms', 'latitudinarians', + 'latke', + 'latkes', + 'latosol', + 'latosolic', + 'latosols', + 'latria', + 'latrias', + 'latrine', + 'latrines', + 'lats', + 'latte', + 'latten', + 'lattens', + 'latter', + 'latterly', + 'lattes', + 'lattice', + 'latticed', + 'lattices', 'latticework', 'latticeworks', + 'latticing', + 'lattin', + 'lattins', + 'lauan', + 'lauans', + 'laud', + 'laudable', 'laudableness', 'laudablenesses', + 'laudably', + 'laudanum', + 'laudanums', + 'laudation', 'laudations', + 'laudative', + 'laudator', + 'laudators', + 'laudatory', + 'lauded', + 'lauder', + 'lauders', + 'lauding', + 'lauds', + 'laugh', + 'laughable', 'laughableness', 'laughablenesses', + 'laughably', + 'laughed', + 'laugher', + 'laughers', + 'laughing', 'laughingly', + 'laughings', 'laughingstock', 'laughingstocks', + 'laughs', + 'laughter', + 'laughters', + 'launce', + 'launces', + 'launch', + 'launched', + 'launcher', + 'launchers', + 'launches', + 'launching', + 'launchpad', 'launchpads', + 'launder', + 'laundered', + 'launderer', 'launderers', 'launderette', 'launderettes', 'laundering', + 'launders', + 'laundress', 'laundresses', 'laundrette', 'laundrettes', + 'laundries', + 'laundry', 'laundryman', 'laundrymen', + 'laura', + 'laurae', + 'lauras', + 'laureate', + 'laureated', + 'laureates', 'laureateship', 'laureateships', 'laureating', 'laureation', 'laureations', + 'laurel', + 'laureled', + 'laureling', + 'laurelled', 'laurelling', + 'laurels', + 'lauwine', + 'lauwines', + 'lav', + 'lava', + 'lavabo', + 'lavaboes', + 'lavabos', + 'lavage', + 'lavages', + 'lavalava', + 'lavalavas', + 'lavalier', + 'lavaliere', 'lavalieres', + 'lavaliers', + 'lavalike', 'lavalliere', 'lavallieres', + 'lavas', + 'lavation', + 'lavations', 'lavatories', + 'lavatory', + 'lave', + 'laved', + 'laveer', + 'laveered', + 'laveering', + 'laveers', + 'lavender', 'lavendered', 'lavendering', + 'lavenders', + 'laver', + 'laverock', + 'laverocks', + 'lavers', + 'laves', + 'laving', + 'lavish', + 'lavished', + 'lavisher', + 'lavishers', + 'lavishes', + 'lavishest', + 'lavishing', + 'lavishly', 'lavishness', 'lavishnesses', + 'lavrock', + 'lavrocks', + 'lavs', + 'law', + 'lawbook', + 'lawbooks', 'lawbreaker', 'lawbreakers', 'lawbreaking', 'lawbreakings', + 'lawed', + 'lawful', + 'lawfully', 'lawfulness', 'lawfulnesses', + 'lawgiver', + 'lawgivers', + 'lawine', + 'lawines', + 'lawing', + 'lawings', + 'lawless', + 'lawlessly', 'lawlessness', 'lawlessnesses', + 'lawlike', + 'lawmaker', + 'lawmakers', + 'lawmaking', 'lawmakings', + 'lawman', + 'lawmen', + 'lawn', + 'lawnmower', 'lawnmowers', + 'lawns', + 'lawny', 'lawrencium', 'lawrenciums', + 'laws', + 'lawsuit', + 'lawsuits', + 'lawyer', + 'lawyered', + 'lawyering', 'lawyerings', 'lawyerlike', + 'lawyerly', + 'lawyers', + 'lax', + 'laxation', + 'laxations', + 'laxative', + 'laxatives', + 'laxer', + 'laxest', + 'laxities', + 'laxity', + 'laxly', + 'laxness', + 'laxnesses', + 'lay', + 'layabout', + 'layabouts', + 'layaway', + 'layaways', + 'layed', + 'layer', + 'layerage', + 'layerages', + 'layered', + 'layering', + 'layerings', + 'layers', + 'layette', + 'layettes', + 'laying', + 'layman', + 'laymen', + 'layoff', + 'layoffs', + 'layout', + 'layouts', + 'layover', + 'layovers', + 'laypeople', + 'layperson', 'laypersons', + 'lays', + 'layup', + 'layups', + 'laywoman', + 'laywomen', + 'lazar', + 'lazaret', + 'lazarets', + 'lazarette', 'lazarettes', + 'lazaretto', 'lazarettos', + 'lazars', + 'laze', + 'lazed', + 'lazes', + 'lazied', + 'lazier', + 'lazies', + 'laziest', + 'lazily', + 'laziness', 'lazinesses', + 'lazing', + 'lazuli', + 'lazulis', + 'lazulite', + 'lazulites', + 'lazurite', + 'lazurites', + 'lazy', + 'lazybones', + 'lazying', + 'lazyish', + 'lea', + 'leach', 'leachabilities', 'leachability', + 'leachable', + 'leachate', + 'leachates', + 'leached', + 'leacher', + 'leachers', + 'leaches', + 'leachier', + 'leachiest', + 'leaching', + 'leachy', + 'lead', + 'leaded', + 'leaden', + 'leadenly', 'leadenness', 'leadennesses', + 'leader', 'leaderless', + 'leaders', 'leadership', 'leaderships', + 'leadier', + 'leadiest', + 'leading', + 'leadings', + 'leadless', + 'leadman', + 'leadmen', + 'leadoff', + 'leadoffs', + 'leadplant', 'leadplants', + 'leads', + 'leadscrew', 'leadscrews', + 'leadsman', + 'leadsmen', + 'leadwork', + 'leadworks', + 'leadwort', + 'leadworts', + 'leady', + 'leaf', + 'leafage', + 'leafages', + 'leafed', 'leafhopper', 'leafhoppers', + 'leafier', + 'leafiest', + 'leafing', + 'leafless', + 'leaflet', + 'leafleted', 'leafleteer', 'leafleteers', 'leafleting', + 'leaflets', 'leafletted', 'leafletting', + 'leaflike', + 'leafs', + 'leafstalk', 'leafstalks', + 'leafworm', + 'leafworms', + 'leafy', + 'league', + 'leagued', + 'leaguer', + 'leaguered', 'leaguering', + 'leaguers', + 'leagues', + 'leaguing', + 'leak', + 'leakage', + 'leakages', + 'leaked', + 'leaker', + 'leakers', + 'leakier', + 'leakiest', + 'leakily', + 'leakiness', 'leakinesses', + 'leaking', + 'leakless', + 'leakproof', + 'leaks', + 'leaky', + 'leal', + 'leally', + 'lealties', + 'lealty', + 'lean', + 'leaned', + 'leaner', + 'leaners', + 'leanest', + 'leaning', + 'leanings', + 'leanly', + 'leanness', 'leannesses', + 'leans', + 'leant', + 'leap', + 'leaped', + 'leaper', + 'leapers', + 'leapfrog', 'leapfrogged', 'leapfrogging', + 'leapfrogs', + 'leaping', + 'leaps', + 'leapt', + 'lear', + 'learier', + 'leariest', + 'learn', + 'learnable', + 'learned', + 'learnedly', 'learnedness', 'learnednesses', + 'learner', + 'learners', + 'learning', + 'learnings', + 'learns', + 'learnt', + 'lears', + 'leary', + 'leas', + 'leasable', + 'lease', + 'leaseback', 'leasebacks', + 'leased', + 'leasehold', 'leaseholder', 'leaseholders', 'leaseholds', + 'leaser', + 'leasers', + 'leases', + 'leash', + 'leashed', + 'leashes', + 'leashing', + 'leasing', + 'leasings', + 'least', + 'leasts', + 'leastways', + 'leastwise', + 'leather', 'leatherback', 'leatherbacks', + 'leathered', 'leatherette', 'leatherettes', 'leathering', 'leatherleaf', 'leatherleaves', 'leatherlike', + 'leathern', 'leatherneck', 'leathernecks', + 'leathers', 'leatherwood', 'leatherwoods', + 'leathery', + 'leave', + 'leaved', + 'leaven', + 'leavened', + 'leavening', 'leavenings', + 'leavens', + 'leaver', + 'leavers', + 'leaves', + 'leavier', + 'leaviest', + 'leaving', + 'leavings', + 'leavy', + 'leben', + 'lebens', 'lebensraum', 'lebensraums', + 'lech', + 'lechayim', + 'lechayims', + 'leched', + 'lecher', + 'lechered', + 'lecheries', + 'lechering', + 'lecherous', 'lecherously', 'lecherousness', 'lecherousnesses', + 'lechers', + 'lechery', + 'leches', + 'leching', + 'lechwe', + 'lechwes', + 'lecithin', 'lecithinase', 'lecithinases', + 'lecithins', + 'lectern', + 'lecterns', + 'lectin', + 'lectins', + 'lection', 'lectionaries', 'lectionary', + 'lections', + 'lector', + 'lectors', + 'lectotype', 'lectotypes', + 'lecture', + 'lectured', + 'lecturer', + 'lecturers', + 'lectures', 'lectureship', 'lectureships', + 'lecturing', + 'lecythi', + 'lecythis', + 'lecythus', + 'led', 'lederhosen', + 'ledge', + 'ledger', + 'ledgers', + 'ledges', + 'ledgier', + 'ledgiest', + 'ledgy', + 'lee', + 'leeboard', + 'leeboards', + 'leech', + 'leeched', + 'leeches', + 'leeching', + 'leechlike', + 'leek', + 'leeks', + 'leer', + 'leered', + 'leerier', + 'leeriest', + 'leerily', + 'leering', + 'leeringly', + 'leers', + 'leery', + 'lees', + 'leet', + 'leets', + 'leeward', + 'leewards', + 'leeway', + 'leeways', + 'left', + 'lefter', + 'leftest', + 'lefties', + 'leftish', + 'leftism', + 'leftisms', + 'leftist', + 'leftists', + 'leftover', + 'leftovers', + 'lefts', + 'leftward', + 'leftwing', + 'lefty', + 'leg', + 'legacies', + 'legacy', + 'legal', + 'legalese', + 'legaleses', + 'legalise', + 'legalised', + 'legalises', 'legalising', + 'legalism', + 'legalisms', + 'legalist', 'legalistic', 'legalistically', + 'legalists', 'legalities', + 'legality', 'legalization', 'legalizations', + 'legalize', + 'legalized', + 'legalizer', 'legalizers', + 'legalizes', 'legalizing', + 'legally', + 'legals', + 'legate', + 'legated', + 'legatee', + 'legatees', + 'legates', 'legateship', 'legateships', + 'legatine', + 'legating', + 'legation', + 'legations', + 'legato', + 'legator', + 'legators', + 'legatos', + 'legend', 'legendarily', + 'legendary', 'legendries', + 'legendry', + 'legends', + 'leger', 'legerdemain', 'legerdemains', 'legerities', + 'legerity', + 'legers', + 'leges', + 'legged', + 'leggier', + 'leggiero', + 'leggiest', + 'leggin', + 'legginess', 'legginesses', + 'legging', + 'leggings', + 'leggins', + 'leggy', + 'leghorn', + 'leghorns', 'legibilities', 'legibility', + 'legible', + 'legibly', + 'legion', 'legionaries', + 'legionary', 'legionnaire', 'legionnaires', + 'legions', + 'legislate', 'legislated', 'legislates', 'legislating', @@ -32782,6 +83664,9 @@ export const scrabble_array = [ 'legislatorships', 'legislature', 'legislatures', + 'legist', + 'legists', + 'legit', 'legitimacies', 'legitimacy', 'legitimate', @@ -32813,42 +83698,170 @@ export const scrabble_array = [ 'legitimizers', 'legitimizes', 'legitimizing', + 'legits', + 'legless', + 'leglike', + 'legman', + 'legmen', + 'legong', + 'legongs', + 'legroom', + 'legrooms', + 'legs', + 'legume', + 'legumes', + 'legumin', 'leguminous', + 'legumins', + 'legwork', + 'legworks', + 'lehayim', + 'lehayims', + 'lehr', + 'lehrs', + 'lehua', + 'lehuas', + 'lei', + 'leis', 'leishmania', 'leishmanial', 'leishmanias', 'leishmaniases', 'leishmaniasis', + 'leister', + 'leistered', 'leistering', + 'leisters', + 'leisure', + 'leisured', 'leisureliness', 'leisurelinesses', + 'leisurely', + 'leisures', + 'leitmotif', 'leitmotifs', + 'leitmotiv', 'leitmotivs', + 'lek', + 'leke', + 'leks', + 'leku', + 'lekvar', + 'lekvars', + 'lekythi', + 'lekythoi', + 'lekythos', + 'lekythus', + 'leman', + 'lemans', + 'lemma', + 'lemmas', + 'lemmata', + 'lemming', 'lemminglike', + 'lemmings', + 'lemniscal', 'lemniscate', 'lemniscates', + 'lemnisci', + 'lemniscus', + 'lemon', + 'lemonade', + 'lemonades', 'lemongrass', 'lemongrasses', + 'lemonish', + 'lemons', + 'lemony', + 'lempira', + 'lempiras', + 'lemur', + 'lemures', + 'lemurine', + 'lemuroid', + 'lemuroids', + 'lemurs', + 'lend', + 'lendable', + 'lender', + 'lenders', + 'lending', + 'lends', + 'lenes', + 'length', + 'lengthen', 'lengthened', 'lengthener', 'lengtheners', 'lengthening', + 'lengthens', + 'lengthier', 'lengthiest', + 'lengthily', 'lengthiness', 'lengthinesses', + 'lengths', 'lengthways', 'lengthwise', + 'lengthy', + 'lenience', + 'leniences', 'leniencies', + 'leniency', + 'lenient', + 'leniently', + 'lenis', + 'lenities', + 'lenition', + 'lenitions', + 'lenitive', 'lenitively', + 'lenitives', + 'lenity', + 'leno', + 'lenos', + 'lens', + 'lense', + 'lensed', + 'lenses', + 'lensing', + 'lensless', + 'lensman', + 'lensmen', + 'lent', 'lentamente', + 'lentando', + 'lenten', + 'lentic', + 'lenticel', + 'lenticels', 'lenticular', + 'lenticule', 'lenticules', 'lentigines', + 'lentigo', + 'lentil', + 'lentils', + 'lentisk', + 'lentisks', 'lentissimo', 'lentivirus', 'lentiviruses', + 'lento', + 'lentoid', + 'lentos', + 'leone', + 'leones', + 'leonine', + 'leopard', 'leopardess', 'leopardesses', + 'leopards', + 'leotard', + 'leotarded', + 'leotards', + 'leper', + 'lepers', 'lepidolite', 'lepidolites', 'lepidoptera', @@ -32862,6 +83875,12 @@ export const scrabble_array = [ 'lepidopterologists', 'lepidopterology', 'lepidopterous', + 'lepidote', + 'lepidotes', + 'leporid', + 'leporidae', + 'leporids', + 'leporine', 'leprechaun', 'leprechaunish', 'leprechauns', @@ -32869,45 +83888,133 @@ export const scrabble_array = [ 'leprosaria', 'leprosarium', 'leprosariums', + 'leprose', + 'leprosies', + 'leprosy', + 'leprotic', + 'leprous', + 'leprously', + 'lept', + 'lepta', 'leptocephali', 'leptocephalus', + 'lepton', + 'leptonic', + 'leptons', + 'leptosome', 'leptosomes', 'leptospiral', 'leptospire', 'leptospires', 'leptospiroses', 'leptospirosis', + 'leptotene', 'leptotenes', + 'lesbian', 'lesbianism', 'lesbianisms', + 'lesbians', + 'lesion', + 'lesioned', + 'lesions', + 'lespedeza', 'lespedezas', + 'less', + 'lessee', + 'lessees', + 'lessen', + 'lessened', + 'lessening', + 'lessens', + 'lesser', + 'lesson', + 'lessoned', + 'lessoning', + 'lessons', + 'lessor', + 'lessors', + 'lest', + 'let', + 'letch', + 'letched', + 'letches', + 'letching', + 'letdown', + 'letdowns', + 'lethal', 'lethalities', + 'lethality', + 'lethally', + 'lethals', + 'lethargic', 'lethargically', 'lethargies', + 'lethargy', + 'lethe', + 'lethean', + 'lethes', + 'lets', + 'letted', + 'letter', 'letterboxed', 'letterboxing', 'letterboxings', + 'lettered', + 'letterer', + 'letterers', 'letterform', 'letterforms', 'letterhead', 'letterheads', + 'lettering', 'letterings', + 'letterman', + 'lettermen', 'letterpress', 'letterpresses', + 'letters', 'letterspace', 'letterspaces', 'letterspacing', 'letterspacings', + 'letting', + 'lettuce', + 'lettuces', + 'letup', + 'letups', + 'leu', + 'leucemia', + 'leucemias', + 'leucemic', + 'leucin', + 'leucine', + 'leucines', + 'leucins', + 'leucite', + 'leucites', + 'leucitic', 'leucocidin', 'leucocidins', + 'leucoma', + 'leucomas', 'leucoplast', 'leucoplasts', + 'leud', + 'leudes', + 'leuds', + 'leukaemia', 'leukaemias', 'leukaemogeneses', 'leukaemogenesis', + 'leukemia', + 'leukemias', + 'leukemic', + 'leukemics', 'leukemogeneses', 'leukemogenesis', 'leukemogenic', + 'leukemoid', + 'leukocyte', 'leukocytes', 'leukocytic', 'leukocytoses', @@ -32915,6 +84022,10 @@ export const scrabble_array = [ 'leukocytosises', 'leukodystrophies', 'leukodystrophy', + 'leukoma', + 'leukomas', + 'leukon', + 'leukons', 'leukopenia', 'leukopenias', 'leukopenic', @@ -32927,25 +84038,112 @@ export const scrabble_array = [ 'leukorrhea', 'leukorrheal', 'leukorrheas', + 'leukoses', + 'leukosis', + 'leukotic', 'leukotomies', + 'leukotomy', 'leukotriene', 'leukotrienes', + 'lev', + 'leva', + 'levant', + 'levanted', + 'levanter', + 'levanters', + 'levanting', + 'levants', + 'levator', + 'levatores', + 'levators', + 'levee', + 'leveed', + 'leveeing', + 'levees', + 'level', + 'leveled', + 'leveler', + 'levelers', 'levelheaded', 'levelheadedness', 'levelheadednesses', + 'leveling', + 'levelled', + 'leveller', + 'levellers', + 'levelling', + 'levelly', + 'levelness', 'levelnesses', + 'levels', + 'lever', + 'leverage', + 'leveraged', + 'leverages', 'leveraging', + 'levered', + 'leveret', + 'leverets', + 'levering', + 'levers', + 'leviable', + 'leviathan', 'leviathans', + 'levied', + 'levier', + 'leviers', + 'levies', + 'levigate', + 'levigated', + 'levigates', 'levigating', 'levigation', 'levigations', + 'levin', + 'levins', + 'levirate', + 'levirates', + 'leviratic', + 'levitate', + 'levitated', + 'levitates', 'levitating', 'levitation', 'levitational', 'levitations', + 'levities', + 'levity', + 'levo', + 'levodopa', + 'levodopas', + 'levogyre', 'levorotary', 'levorotatory', + 'levulin', + 'levulins', + 'levulose', + 'levuloses', + 'levy', + 'levying', + 'lewd', + 'lewder', + 'lewdest', + 'lewdly', + 'lewdness', 'lewdnesses', + 'lewis', + 'lewises', + 'lewisite', + 'lewisites', + 'lewisson', + 'lewissons', + 'lex', + 'lexeme', + 'lexemes', + 'lexemic', + 'lexes', + 'lexica', + 'lexical', 'lexicalisation', 'lexicalisations', 'lexicalities', @@ -32956,6 +84154,7 @@ export const scrabble_array = [ 'lexicalized', 'lexicalizes', 'lexicalizing', + 'lexically', 'lexicographer', 'lexicographers', 'lexicographic', @@ -32967,10 +84166,71 @@ export const scrabble_array = [ 'lexicologist', 'lexicologists', 'lexicology', + 'lexicon', + 'lexicons', + 'lexis', + 'ley', + 'leys', + 'lez', + 'lezzes', + 'lezzie', + 'lezzies', + 'lezzy', + 'li', 'liabilities', + 'liability', + 'liable', + 'liaise', + 'liaised', + 'liaises', + 'liaising', + 'liaison', + 'liaisons', + 'liana', + 'lianas', + 'liane', + 'lianes', + 'liang', + 'liangs', + 'lianoid', + 'liar', + 'liard', + 'liards', + 'liars', + 'lib', + 'libation', 'libationary', + 'libations', + 'libber', + 'libbers', + 'libecchio', 'libecchios', + 'libeccio', + 'libeccios', + 'libel', + 'libelant', + 'libelants', + 'libeled', + 'libelee', + 'libelees', + 'libeler', + 'libelers', + 'libeling', + 'libelist', + 'libelists', + 'libellant', 'libellants', + 'libelled', + 'libellee', + 'libellees', + 'libeller', + 'libellers', + 'libelling', + 'libellous', + 'libelous', + 'libels', + 'liber', + 'liberal', 'liberalise', 'liberalised', 'liberalises', @@ -32990,88 +84250,280 @@ export const scrabble_array = [ 'liberalizers', 'liberalizes', 'liberalizing', + 'liberally', 'liberalness', 'liberalnesses', + 'liberals', + 'liberate', + 'liberated', + 'liberates', 'liberating', 'liberation', 'liberationist', 'liberationists', 'liberations', + 'liberator', 'liberators', + 'libers', 'libertarian', 'libertarianism', 'libertarianisms', 'libertarians', + 'liberties', 'libertinage', 'libertinages', + 'libertine', 'libertines', 'libertinism', 'libertinisms', + 'liberty', + 'libidinal', 'libidinally', 'libidinous', 'libidinously', 'libidinousness', 'libidinousnesses', + 'libido', + 'libidos', + 'liblab', + 'liblabs', + 'libra', + 'librae', + 'librarian', 'librarians', 'librarianship', 'librarianships', + 'libraries', + 'library', + 'libras', + 'librate', + 'librated', + 'librates', + 'librating', + 'libration', 'librational', 'librations', + 'libratory', + 'libretti', 'librettist', 'librettists', + 'libretto', + 'librettos', + 'libri', + 'libriform', + 'libs', + 'lice', + 'licence', + 'licenced', + 'licencee', + 'licencees', + 'licencer', + 'licencers', + 'licences', + 'licencing', 'licensable', + 'license', + 'licensed', + 'licensee', + 'licensees', + 'licenser', + 'licensers', + 'licenses', + 'licensing', + 'licensor', + 'licensors', + 'licensure', 'licensures', + 'licente', 'licentiate', 'licentiates', 'licentious', 'licentiously', 'licentiousness', 'licentiousnesses', + 'lich', + 'lichee', + 'lichees', + 'lichen', + 'lichened', + 'lichenin', + 'lichening', + 'lichenins', 'lichenological', 'lichenologies', 'lichenologist', 'lichenologists', 'lichenology', + 'lichenous', + 'lichens', + 'liches', + 'lichi', + 'lichis', + 'licht', + 'lichted', + 'lichting', + 'lichtly', + 'lichts', + 'licit', + 'licitly', + 'lick', + 'licked', + 'licker', + 'lickerish', 'lickerishly', 'lickerishness', 'lickerishnesses', + 'lickers', + 'licking', + 'lickings', + 'licks', + 'lickspit', + 'lickspits', 'lickspittle', 'lickspittles', + 'licorice', + 'licorices', + 'lictor', + 'lictors', + 'lid', + 'lidar', + 'lidars', + 'lidded', + 'lidding', + 'lidless', + 'lido', + 'lidocaine', 'lidocaines', + 'lidos', + 'lids', + 'lie', 'liebfraumilch', 'liebfraumilchs', + 'lied', + 'lieder', + 'lief', + 'liefer', + 'liefest', + 'liefly', + 'liege', + 'liegeman', + 'liegemen', + 'lieges', + 'lien', + 'lienable', + 'lienal', + 'liens', 'lienteries', + 'lientery', + 'lier', + 'lierne', + 'liernes', + 'liers', + 'lies', + 'lieu', + 'lieus', 'lieutenancies', 'lieutenancy', 'lieutenant', 'lieutenants', + 'lieve', + 'liever', + 'lievest', + 'life', + 'lifeblood', 'lifebloods', + 'lifeboat', + 'lifeboats', + 'lifeful', + 'lifeguard', 'lifeguarded', 'lifeguarding', 'lifeguards', + 'lifeless', 'lifelessly', 'lifelessness', 'lifelessnesses', + 'lifelike', 'lifelikeness', 'lifelikenesses', + 'lifeline', + 'lifelines', + 'lifelong', 'lifemanship', 'lifemanships', + 'lifer', + 'lifers', + 'lifesaver', 'lifesavers', 'lifesaving', 'lifesavings', + 'lifestyle', 'lifestyles', + 'lifetime', + 'lifetimes', + 'lifeway', + 'lifeways', + 'lifework', + 'lifeworks', + 'lift', + 'liftable', + 'lifted', + 'lifter', + 'lifters', + 'liftgate', + 'liftgates', + 'lifting', + 'liftman', + 'liftmen', + 'liftoff', + 'liftoffs', + 'lifts', + 'ligament', 'ligamentous', + 'ligaments', + 'ligan', + 'ligand', + 'ligands', + 'ligans', + 'ligase', + 'ligases', + 'ligate', + 'ligated', + 'ligates', + 'ligating', + 'ligation', + 'ligations', + 'ligative', + 'ligature', + 'ligatured', + 'ligatures', 'ligaturing', + 'liger', + 'ligers', + 'light', + 'lightbulb', 'lightbulbs', + 'lighted', + 'lighten', + 'lightened', + 'lightener', 'lighteners', 'lightening', + 'lightens', + 'lighter', 'lighterage', 'lighterages', + 'lightered', 'lightering', + 'lighters', + 'lightest', + 'lightface', 'lightfaced', 'lightfaces', + 'lightfast', 'lightfastness', 'lightfastnesses', + 'lightful', 'lightheaded', 'lighthearted', 'lightheartedly', @@ -33079,134 +84531,542 @@ export const scrabble_array = [ 'lightheartednesses', 'lighthouse', 'lighthouses', + 'lighting', + 'lightings', + 'lightish', + 'lightless', + 'lightly', + 'lightness', 'lightnesses', + 'lightning', 'lightninged', 'lightnings', 'lightplane', 'lightplanes', 'lightproof', + 'lights', + 'lightship', 'lightships', + 'lightsome', 'lightsomely', 'lightsomeness', 'lightsomenesses', 'lighttight', 'lightweight', 'lightweights', + 'lightwood', 'lightwoods', + 'ligneous', 'lignification', 'lignifications', + 'lignified', + 'lignifies', + 'lignify', 'lignifying', + 'lignin', + 'lignins', + 'lignite', + 'lignites', + 'lignitic', 'lignocellulose', 'lignocelluloses', 'lignocellulosic', 'lignosulfonate', 'lignosulfonates', + 'ligroin', + 'ligroine', + 'ligroines', + 'ligroins', + 'ligula', + 'ligulae', + 'ligular', + 'ligulas', + 'ligulate', + 'ligule', + 'ligules', + 'liguloid', + 'ligure', + 'ligures', 'likabilities', 'likability', + 'likable', 'likableness', 'likablenesses', + 'like', + 'likeable', + 'liked', + 'likelier', + 'likeliest', 'likelihood', 'likelihoods', + 'likely', + 'liken', + 'likened', + 'likeness', 'likenesses', + 'likening', + 'likens', + 'liker', + 'likers', + 'likes', + 'likest', + 'likewise', + 'liking', + 'likings', + 'likuta', + 'lilac', + 'lilacs', + 'lilangeni', + 'lilied', + 'lilies', + 'lilliput', 'lilliputian', 'lilliputians', + 'lilliputs', + 'lilt', + 'lilted', + 'lilting', + 'liltingly', 'liltingness', 'liltingnesses', + 'lilts', + 'lily', + 'lilylike', + 'lima', + 'limacine', + 'limacon', + 'limacons', + 'liman', + 'limans', + 'limas', + 'limb', + 'limba', + 'limbas', + 'limbate', + 'limbeck', + 'limbecks', + 'limbed', + 'limber', + 'limbered', + 'limberer', + 'limberest', + 'limbering', + 'limberly', 'limberness', 'limbernesses', + 'limbers', + 'limbi', + 'limbic', + 'limbier', + 'limbiest', + 'limbing', + 'limbless', + 'limbo', + 'limbos', + 'limbs', + 'limbus', + 'limbuses', + 'limby', + 'lime', + 'limeade', + 'limeades', + 'limed', + 'limekiln', + 'limekilns', + 'limeless', + 'limelight', 'limelighted', 'limelighting', 'limelights', + 'limen', + 'limens', + 'limerick', + 'limericks', + 'limes', + 'limestone', 'limestones', + 'limewater', 'limewaters', + 'limey', + 'limeys', + 'limier', + 'limiest', + 'limina', + 'liminal', + 'liminess', 'liminesses', + 'liming', + 'limit', + 'limitable', + 'limitary', 'limitation', 'limitational', 'limitations', 'limitative', + 'limited', + 'limitedly', 'limitedness', 'limitednesses', + 'limiteds', + 'limiter', + 'limiters', + 'limites', + 'limiting', 'limitingly', + 'limitless', 'limitlessly', 'limitlessness', 'limitlessnesses', 'limitrophe', + 'limits', + 'limmer', + 'limmers', + 'limn', + 'limned', + 'limner', + 'limners', + 'limnetic', + 'limnic', + 'limning', 'limnologic', 'limnological', 'limnologies', 'limnologist', 'limnologists', + 'limnology', + 'limns', + 'limo', + 'limonene', + 'limonenes', + 'limonite', + 'limonites', + 'limonitic', + 'limos', + 'limousine', 'limousines', + 'limp', + 'limpa', + 'limpas', + 'limped', + 'limper', + 'limpers', + 'limpest', + 'limpet', + 'limpets', + 'limpid', 'limpidities', + 'limpidity', + 'limpidly', 'limpidness', 'limpidnesses', + 'limping', + 'limpkin', + 'limpkins', + 'limply', + 'limpness', 'limpnesses', + 'limps', + 'limpsey', + 'limpsier', + 'limpsiest', + 'limpsy', + 'limuli', + 'limuloid', + 'limuloids', + 'limulus', + 'limy', + 'lin', + 'linable', + 'linac', + 'linacs', + 'linage', + 'linages', + 'linalol', + 'linalols', + 'linalool', + 'linalools', + 'linchpin', + 'linchpins', 'lincomycin', 'lincomycins', + 'lindane', + 'lindanes', + 'linden', + 'lindens', + 'lindies', + 'lindy', + 'line', + 'lineable', + 'lineage', + 'lineages', + 'lineal', 'linealities', + 'lineality', + 'lineally', + 'lineament', 'lineamental', 'lineaments', + 'linear', + 'linearise', 'linearised', 'linearises', 'linearising', 'linearities', + 'linearity', 'linearization', 'linearizations', + 'linearize', 'linearized', 'linearizes', 'linearizing', + 'linearly', + 'lineate', + 'lineated', + 'lineation', 'lineations', 'linebacker', 'linebackers', 'linebacking', 'linebackings', + 'linebred', 'linebreeding', 'linebreedings', 'linecaster', 'linecasters', 'linecasting', 'linecastings', + 'linecut', + 'linecuts', + 'lined', + 'lineless', + 'linelike', + 'lineman', + 'linemen', + 'linen', + 'linens', + 'lineny', + 'liner', 'linerboard', 'linerboards', + 'linerless', + 'liners', + 'lines', + 'linesman', + 'linesmen', + 'lineup', + 'lineups', + 'liney', + 'ling', + 'linga', + 'lingam', + 'lingams', + 'lingas', + 'lingcod', + 'lingcods', + 'linger', + 'lingered', + 'lingerer', + 'lingerers', + 'lingerie', + 'lingeries', + 'lingering', 'lingeringly', + 'lingers', + 'lingier', + 'lingiest', + 'lingo', + 'lingoes', 'lingonberries', 'lingonberry', + 'lings', + 'lingua', + 'linguae', + 'lingual', + 'lingually', + 'linguals', + 'linguine', + 'linguines', + 'linguini', + 'linguinis', + 'linguist', 'linguistic', 'linguistical', 'linguistically', 'linguistician', 'linguisticians', 'linguistics', + 'linguists', + 'lingy', + 'linier', + 'liniest', + 'liniment', + 'liniments', + 'linin', + 'lining', + 'linings', + 'linins', + 'link', + 'linkable', + 'linkage', + 'linkages', + 'linkboy', + 'linkboys', + 'linked', + 'linker', + 'linkers', + 'linking', + 'linkman', + 'linkmen', + 'links', + 'linksman', + 'linksmen', + 'linkup', + 'linkups', + 'linkwork', + 'linkworks', + 'linky', + 'linn', + 'linnet', + 'linnets', + 'linns', + 'lino', + 'linocut', + 'linocuts', + 'linoleate', 'linoleates', + 'linoleum', + 'linoleums', + 'linos', + 'lins', + 'linsang', + 'linsangs', + 'linseed', + 'linseeds', + 'linsey', + 'linseys', + 'linstock', + 'linstocks', + 'lint', + 'lintel', + 'lintels', + 'linter', + 'linters', + 'lintier', + 'lintiest', + 'lintless', + 'lintol', + 'lintols', + 'lints', + 'lintwhite', 'lintwhites', + 'linty', + 'linum', + 'linums', + 'linuron', + 'linurons', + 'liny', + 'lion', + 'lioness', + 'lionesses', + 'lionfish', 'lionfishes', 'lionhearted', + 'lionise', + 'lionised', + 'lioniser', + 'lionisers', + 'lionises', + 'lionising', 'lionization', 'lionizations', + 'lionize', + 'lionized', + 'lionizer', + 'lionizers', + 'lionizes', + 'lionizing', + 'lionlike', + 'lions', + 'lip', + 'lipase', + 'lipases', + 'lipid', + 'lipide', + 'lipides', + 'lipidic', + 'lipids', + 'lipin', + 'lipins', + 'lipless', + 'liplike', + 'lipocyte', + 'lipocytes', 'lipogeneses', 'lipogenesis', + 'lipoid', + 'lipoidal', + 'lipoids', + 'lipolyses', + 'lipolysis', + 'lipolytic', + 'lipoma', + 'lipomas', + 'lipomata', 'lipomatous', 'lipophilic', 'lipopolysaccharide', 'lipopolysaccharides', 'lipoprotein', 'lipoproteins', + 'liposomal', + 'liposome', + 'liposomes', 'liposuction', 'liposuctions', 'lipotropic', 'lipotropin', 'lipotropins', + 'lipped', + 'lippen', + 'lippened', + 'lippening', + 'lippens', + 'lipper', + 'lippered', + 'lippering', + 'lippers', + 'lippier', + 'lippiest', + 'lipping', + 'lippings', + 'lippy', 'lipreading', 'lipreadings', + 'lips', + 'lipstick', 'lipsticked', + 'lipsticks', + 'liquate', + 'liquated', + 'liquates', + 'liquating', + 'liquation', 'liquations', 'liquefaction', 'liquefactions', + 'liquefied', + 'liquefier', 'liquefiers', + 'liquefies', + 'liquefy', 'liquefying', 'liquescent', + 'liqueur', + 'liqueurs', + 'liquid', 'liquidambar', 'liquidambars', + 'liquidate', 'liquidated', 'liquidates', 'liquidating', @@ -33215,24 +85075,88 @@ export const scrabble_array = [ 'liquidator', 'liquidators', 'liquidities', + 'liquidity', + 'liquidize', 'liquidized', 'liquidizes', 'liquidizing', + 'liquidly', 'liquidness', 'liquidnesses', + 'liquids', + 'liquified', + 'liquifies', + 'liquify', 'liquifying', + 'liquor', + 'liquored', + 'liquorice', 'liquorices', + 'liquoring', + 'liquors', + 'lira', + 'liras', + 'lire', + 'liri', + 'liripipe', + 'liripipes', + 'lirot', + 'liroth', + 'lis', + 'lisente', + 'lisle', + 'lisles', + 'lisp', + 'lisped', + 'lisper', + 'lispers', + 'lisping', + 'lisps', + 'lissom', + 'lissome', + 'lissomely', 'lissomeness', 'lissomenesses', + 'lissomly', + 'list', + 'listable', + 'listed', + 'listee', + 'listees', + 'listel', + 'listels', + 'listen', 'listenable', + 'listened', + 'listener', + 'listeners', 'listenership', 'listenerships', + 'listening', + 'listens', + 'lister', 'listerioses', 'listeriosis', + 'listers', + 'listing', + 'listings', + 'listless', 'listlessly', 'listlessness', 'listlessnesses', + 'lists', + 'lit', + 'litai', + 'litanies', + 'litany', + 'litas', + 'litchi', + 'litchis', + 'lite', + 'liter', 'literacies', + 'literacy', + 'literal', 'literalism', 'literalisms', 'literalist', @@ -33246,23 +85170,56 @@ export const scrabble_array = [ 'literalized', 'literalizes', 'literalizing', + 'literally', 'literalness', 'literalnesses', + 'literals', 'literarily', 'literariness', 'literarinesses', + 'literary', + 'literate', 'literately', 'literateness', 'literatenesses', + 'literates', + 'literati', + 'literatim', 'literation', 'literations', + 'literator', 'literators', 'literature', 'literatures', + 'literatus', + 'liters', + 'litharge', + 'litharges', + 'lithe', + 'lithely', + 'lithemia', + 'lithemias', + 'lithemic', + 'litheness', 'lithenesses', + 'lither', + 'lithesome', + 'lithest', + 'lithia', + 'lithias', + 'lithiases', + 'lithiasis', + 'lithic', 'lithification', 'lithifications', + 'lithified', + 'lithifies', + 'lithify', 'lithifying', + 'lithium', + 'lithiums', + 'litho', + 'lithoed', 'lithograph', 'lithographed', 'lithographer', @@ -33273,86 +85230,273 @@ export const scrabble_array = [ 'lithographing', 'lithographs', 'lithography', + 'lithoid', + 'lithoing', 'lithologic', 'lithological', 'lithologically', 'lithologies', + 'lithology', 'lithophane', 'lithophanes', 'lithophyte', 'lithophytes', + 'lithopone', 'lithopones', + 'lithos', + 'lithosol', + 'lithosols', 'lithosphere', 'lithospheres', 'lithospheric', 'lithotomies', + 'lithotomy', 'lithotripsies', 'lithotripsy', 'lithotripter', 'lithotripters', 'lithotriptor', 'lithotriptors', + 'litigable', + 'litigant', + 'litigants', + 'litigate', + 'litigated', + 'litigates', 'litigating', 'litigation', 'litigations', + 'litigator', 'litigators', + 'litigious', 'litigiously', 'litigiousness', 'litigiousnesses', + 'litmus', + 'litmuses', + 'litoral', + 'litotes', + 'litotic', + 'litre', + 'litres', + 'lits', + 'litten', + 'litter', 'litterateur', 'litterateurs', + 'litterbag', 'litterbags', + 'litterbug', 'litterbugs', + 'littered', + 'litterer', + 'litterers', + 'littering', 'littermate', 'littermates', + 'litters', + 'littery', + 'little', 'littleneck', 'littlenecks', 'littleness', 'littlenesses', + 'littler', + 'littles', + 'littlest', + 'littlish', + 'littoral', + 'littorals', + 'litu', + 'liturgic', 'liturgical', 'liturgically', + 'liturgics', + 'liturgies', 'liturgiologies', 'liturgiologist', 'liturgiologists', 'liturgiology', + 'liturgist', 'liturgists', + 'liturgy', 'livabilities', 'livability', + 'livable', 'livableness', 'livablenesses', + 'live', 'liveabilities', 'liveability', + 'liveable', + 'lived', + 'livelier', + 'liveliest', 'livelihood', 'livelihoods', + 'livelily', 'liveliness', 'livelinesses', + 'livelong', + 'lively', + 'liven', + 'livened', + 'livener', + 'liveners', + 'liveness', 'livenesses', + 'livening', + 'livens', + 'liver', + 'liveried', + 'liveries', + 'liverish', 'liverishness', 'liverishnesses', + 'livers', + 'liverwort', 'liverworts', 'liverwurst', 'liverwursts', + 'livery', + 'liveryman', + 'liverymen', + 'lives', + 'livest', + 'livestock', 'livestocks', + 'livetrap', 'livetrapped', 'livetrapping', + 'livetraps', + 'livid', 'lividities', + 'lividity', + 'lividly', + 'lividness', 'lividnesses', + 'livier', + 'liviers', + 'living', + 'livingly', 'livingness', 'livingnesses', + 'livings', + 'livre', + 'livres', + 'livyer', + 'livyers', + 'lixivia', + 'lixivial', + 'lixiviate', 'lixiviated', 'lixiviates', 'lixiviating', 'lixiviation', 'lixiviations', + 'lixivium', + 'lixiviums', + 'lizard', + 'lizards', + 'llama', + 'llamas', + 'llano', + 'llanos', + 'lo', + 'loach', + 'loaches', + 'load', + 'loaded', + 'loader', + 'loaders', + 'loading', + 'loadings', 'loadmaster', 'loadmasters', + 'loads', + 'loadstar', + 'loadstars', + 'loadstone', 'loadstones', + 'loaf', + 'loafed', + 'loafer', + 'loafers', + 'loafing', + 'loafs', + 'loam', + 'loamed', + 'loamier', + 'loamiest', + 'loaming', + 'loamless', + 'loams', + 'loamy', + 'loan', + 'loanable', + 'loaned', + 'loaner', + 'loaners', + 'loaning', + 'loanings', + 'loans', + 'loanword', + 'loanwords', + 'loath', + 'loathe', + 'loathed', + 'loather', + 'loathers', + 'loathes', + 'loathful', + 'loathing', + 'loathings', + 'loathly', + 'loathness', 'loathnesses', + 'loathsome', 'loathsomely', 'loathsomeness', 'loathsomenesses', + 'loaves', + 'lob', + 'lobar', + 'lobate', + 'lobated', + 'lobately', + 'lobation', + 'lobations', + 'lobbed', + 'lobber', + 'lobbers', + 'lobbied', + 'lobbies', + 'lobbing', + 'lobby', + 'lobbyer', + 'lobbyers', + 'lobbygow', + 'lobbygows', + 'lobbying', + 'lobbyism', + 'lobbyisms', + 'lobbyist', + 'lobbyists', + 'lobe', 'lobectomies', + 'lobectomy', + 'lobed', + 'lobefin', + 'lobefins', + 'lobelia', + 'lobelias', + 'lobeline', + 'lobelines', + 'lobes', 'loblollies', + 'loblolly', + 'lobo', + 'lobos', 'lobotomies', 'lobotomise', 'lobotomised', @@ -33362,105 +85506,414 @@ export const scrabble_array = [ 'lobotomized', 'lobotomizes', 'lobotomizing', + 'lobotomy', + 'lobs', + 'lobscouse', 'lobscouses', + 'lobster', + 'lobstered', 'lobstering', 'lobsterings', 'lobsterlike', 'lobsterman', 'lobstermen', + 'lobsters', + 'lobstick', + 'lobsticks', + 'lobular', + 'lobulate', + 'lobulated', 'lobulation', 'lobulations', + 'lobule', + 'lobules', + 'lobulose', + 'lobworm', + 'lobworms', + 'loca', + 'local', + 'locale', + 'locales', + 'localise', + 'localised', + 'localises', 'localising', + 'localism', + 'localisms', + 'localist', + 'localists', + 'localite', + 'localites', 'localities', + 'locality', 'localizabilities', 'localizability', 'localizable', 'localization', 'localizations', + 'localize', + 'localized', + 'localizes', 'localizing', + 'locally', + 'locals', + 'locatable', + 'locate', + 'located', + 'locater', + 'locaters', + 'locates', + 'locating', + 'location', 'locational', 'locationally', + 'locations', + 'locative', + 'locatives', + 'locator', + 'locators', + 'loch', + 'lochan', + 'lochans', + 'lochia', + 'lochial', + 'lochs', + 'loci', + 'lock', + 'lockable', + 'lockage', + 'lockages', + 'lockbox', + 'lockboxes', + 'lockdown', + 'lockdowns', + 'locked', + 'locker', + 'lockers', + 'locket', + 'lockets', + 'locking', + 'lockjaw', + 'lockjaws', 'lockkeeper', 'lockkeepers', + 'locknut', + 'locknuts', + 'lockout', + 'lockouts', + 'lockram', + 'lockrams', + 'locks', + 'locksmith', 'locksmithing', 'locksmithings', 'locksmiths', + 'lockstep', + 'locksteps', 'lockstitch', 'lockstitched', 'lockstitches', 'lockstitching', + 'lockup', + 'lockups', + 'loco', + 'locoed', + 'locoes', + 'locofoco', + 'locofocos', + 'locoing', + 'locoism', + 'locoisms', + 'locomote', + 'locomoted', + 'locomotes', 'locomoting', 'locomotion', 'locomotions', 'locomotive', 'locomotives', + 'locomotor', 'locomotory', + 'locos', + 'locoweed', + 'locoweeds', + 'locular', + 'loculate', + 'locule', + 'loculed', + 'locules', + 'loculi', 'loculicidal', + 'loculus', + 'locum', + 'locums', + 'locus', + 'locust', + 'locusta', + 'locustae', + 'locustal', + 'locusts', + 'locution', + 'locutions', 'locutories', + 'locutory', + 'lode', + 'loden', + 'lodens', + 'lodes', + 'lodestar', + 'lodestars', + 'lodestone', 'lodestones', + 'lodge', + 'lodged', + 'lodgement', 'lodgements', + 'lodger', + 'lodgers', + 'lodges', + 'lodging', + 'lodgings', + 'lodgment', + 'lodgments', + 'lodicule', + 'lodicules', + 'loess', + 'loessal', + 'loesses', + 'loessial', + 'loft', + 'lofted', + 'lofter', + 'lofters', + 'loftier', + 'loftiest', + 'loftily', + 'loftiness', 'loftinesses', + 'lofting', + 'loftless', + 'loftlike', + 'lofts', + 'lofty', + 'log', + 'logan', 'loganberries', 'loganberry', + 'logania', + 'logans', + 'logaoedic', 'logaoedics', + 'logarithm', 'logarithmic', 'logarithmically', 'logarithms', + 'logbook', + 'logbooks', + 'loge', + 'loges', + 'loggats', + 'logged', + 'logger', 'loggerhead', 'loggerheads', + 'loggers', + 'loggets', + 'loggia', + 'loggias', + 'loggie', + 'loggier', + 'loggiest', + 'logging', + 'loggings', + 'loggy', + 'logia', + 'logic', + 'logical', 'logicalities', 'logicality', + 'logically', 'logicalness', 'logicalnesses', + 'logician', + 'logicians', + 'logicise', + 'logicised', + 'logicises', 'logicising', + 'logicize', + 'logicized', + 'logicizes', 'logicizing', + 'logics', + 'logier', + 'logiest', + 'logily', + 'loginess', 'loginesses', + 'logion', + 'logions', + 'logistic', 'logistical', 'logistically', 'logistician', 'logisticians', + 'logistics', + 'logjam', + 'logjams', + 'lognormal', 'lognormalities', 'lognormality', 'lognormally', + 'logo', + 'logogram', 'logogrammatic', + 'logograms', + 'logograph', 'logographic', 'logographically', 'logographs', + 'logogriph', 'logogriphs', + 'logoi', + 'logomach', 'logomachies', + 'logomachs', + 'logomachy', + 'logorrhea', 'logorrheas', 'logorrheic', + 'logos', + 'logotype', + 'logotypes', 'logotypies', + 'logotypy', + 'logroll', + 'logrolled', + 'logroller', 'logrollers', 'logrolling', 'logrollings', + 'logrolls', + 'logs', + 'logway', + 'logways', + 'logwood', + 'logwoods', + 'logy', + 'loin', + 'loincloth', 'loincloths', + 'loins', + 'loiter', + 'loitered', + 'loiterer', + 'loiterers', + 'loitering', + 'loiters', + 'loll', 'lollapalooza', 'lollapaloozas', + 'lolled', + 'loller', + 'lollers', + 'lollies', + 'lolling', + 'lollipop', + 'lollipops', + 'lollop', + 'lolloped', + 'lolloping', + 'lollops', + 'lolls', + 'lolly', + 'lollygag', 'lollygagged', 'lollygagging', + 'lollygags', + 'lollypop', + 'lollypops', + 'lomein', + 'lomeins', + 'loment', + 'lomenta', + 'loments', + 'lomentum', + 'lomentums', + 'lone', + 'lonelier', + 'loneliest', + 'lonelily', 'loneliness', 'lonelinesses', + 'lonely', + 'loneness', 'lonenesses', + 'loner', + 'loners', + 'lonesome', 'lonesomely', 'lonesomeness', 'lonesomenesses', + 'lonesomes', + 'long', + 'longan', 'longanimities', 'longanimity', + 'longans', + 'longboat', + 'longboats', + 'longbow', 'longbowman', 'longbowmen', + 'longbows', + 'longe', + 'longed', + 'longeing', + 'longer', + 'longeron', + 'longerons', + 'longers', + 'longes', + 'longest', 'longevities', + 'longevity', + 'longevous', + 'longhair', 'longhaired', + 'longhairs', + 'longhand', + 'longhands', + 'longhead', 'longheaded', 'longheadedness', 'longheadednesses', + 'longheads', + 'longhorn', + 'longhorns', + 'longhouse', 'longhouses', + 'longicorn', 'longicorns', + 'longies', + 'longing', + 'longingly', + 'longings', + 'longish', + 'longitude', 'longitudes', 'longitudinal', 'longitudinally', + 'longleaf', 'longleaves', + 'longline', + 'longlines', + 'longly', + 'longness', 'longnesses', + 'longs', + 'longship', + 'longships', 'longshoreman', 'longshoremen', 'longshoring', @@ -33468,75 +85921,437 @@ export const scrabble_array = [ 'longsighted', 'longsightedness', 'longsightednesses', + 'longsome', 'longsomely', 'longsomeness', 'longsomenesses', + 'longspur', + 'longspurs', + 'longtime', + 'longueur', + 'longueurs', + 'longways', + 'longwise', + 'loo', + 'loobies', + 'looby', + 'looed', + 'looey', + 'looeys', + 'loof', + 'loofa', + 'loofah', + 'loofahs', + 'loofas', + 'loofs', + 'looie', + 'looies', + 'looing', + 'look', + 'lookalike', 'lookalikes', + 'lookdown', + 'lookdowns', + 'looked', + 'looker', + 'lookers', + 'looking', + 'lookout', + 'lookouts', + 'looks', + 'lookup', + 'lookups', + 'loom', + 'loomed', + 'looming', + 'looms', + 'loon', + 'looney', + 'looneys', + 'loonier', + 'loonies', + 'looniest', + 'looniness', 'looninesses', + 'loons', + 'loony', + 'loop', + 'looped', + 'looper', + 'loopers', + 'loophole', + 'loopholed', + 'loopholes', 'loopholing', + 'loopier', + 'loopiest', + 'looping', + 'loops', + 'loopy', + 'loos', + 'loose', + 'loosed', + 'loosely', + 'loosen', + 'loosened', + 'loosener', + 'looseners', + 'looseness', 'loosenesses', + 'loosening', + 'loosens', + 'looser', + 'looses', + 'loosest', 'loosestrife', 'loosestrifes', + 'loosing', + 'loot', + 'looted', + 'looter', + 'looters', + 'looting', + 'loots', + 'lop', + 'lope', + 'loped', + 'loper', + 'lopers', + 'lopes', 'lophophore', 'lophophores', + 'loping', + 'lopped', + 'lopper', + 'loppered', + 'loppering', + 'loppers', + 'loppier', + 'loppiest', + 'lopping', + 'loppy', + 'lops', + 'lopsided', 'lopsidedly', 'lopsidedness', 'lopsidednesses', + 'lopstick', + 'lopsticks', 'loquacious', 'loquaciously', 'loquaciousness', 'loquaciousnesses', 'loquacities', + 'loquacity', + 'loquat', + 'loquats', + 'loral', + 'loran', + 'lorans', + 'lord', + 'lorded', + 'lording', + 'lordings', + 'lordless', + 'lordlier', + 'lordliest', + 'lordlike', 'lordliness', 'lordlinesses', + 'lordling', + 'lordlings', + 'lordly', + 'lordoma', + 'lordomas', + 'lordoses', + 'lordosis', + 'lordotic', + 'lords', + 'lordship', + 'lordships', + 'lore', + 'loreal', + 'lores', + 'lorgnette', 'lorgnettes', + 'lorgnon', + 'lorgnons', + 'lorica', + 'loricae', + 'loricate', + 'loricates', + 'lories', + 'lorikeet', + 'lorikeets', + 'lorimer', + 'lorimers', + 'loriner', + 'loriners', + 'loris', + 'lorises', + 'lorn', + 'lornness', 'lornnesses', + 'lorries', + 'lorry', + 'lory', + 'losable', 'losableness', 'losablenesses', + 'lose', + 'losel', + 'losels', + 'loser', + 'losers', + 'loses', + 'losing', + 'losingly', + 'losings', + 'loss', + 'losses', + 'lossy', + 'lost', + 'lostness', 'lostnesses', + 'lot', + 'lota', + 'lotah', + 'lotahs', + 'lotas', + 'loth', + 'lothario', + 'lotharios', + 'lothsome', + 'loti', + 'lotic', + 'lotion', + 'lotions', + 'lotos', + 'lotoses', + 'lots', + 'lotte', + 'lotted', + 'lotteries', + 'lottery', + 'lottes', + 'lotting', + 'lotto', + 'lottos', + 'lotus', + 'lotuses', + 'lotusland', 'lotuslands', + 'louche', + 'loud', + 'louden', + 'loudened', + 'loudening', + 'loudens', + 'louder', + 'loudest', + 'loudish', + 'loudlier', + 'loudliest', + 'loudly', + 'loudmouth', 'loudmouthed', 'loudmouths', + 'loudness', 'loudnesses', 'loudspeaker', 'loudspeakers', + 'lough', + 'loughs', + 'louie', + 'louies', + 'louis', + 'lounge', + 'lounged', + 'lounger', + 'loungers', + 'lounges', 'loungewear', + 'lounging', + 'loungy', + 'loup', + 'loupe', + 'louped', + 'loupen', + 'loupes', + 'louping', + 'loups', + 'lour', + 'loured', + 'louring', + 'lours', + 'loury', + 'louse', + 'loused', + 'louses', + 'lousewort', 'louseworts', + 'lousier', + 'lousiest', + 'lousily', + 'lousiness', 'lousinesses', + 'lousing', + 'lousy', + 'lout', + 'louted', + 'louting', + 'loutish', + 'loutishly', 'loutishness', 'loutishnesses', + 'louts', + 'louver', + 'louvered', + 'louvers', + 'louvre', + 'louvred', + 'louvres', 'lovabilities', 'lovability', + 'lovable', 'lovableness', 'lovablenesses', + 'lovably', + 'lovage', + 'lovages', 'lovastatin', 'lovastatins', + 'lovat', + 'lovats', + 'love', + 'loveable', + 'loveably', + 'lovebird', + 'lovebirds', + 'lovebug', + 'lovebugs', + 'loved', + 'loveless', 'lovelessly', 'lovelessness', 'lovelessnesses', + 'lovelier', + 'lovelies', + 'loveliest', + 'lovelily', 'loveliness', 'lovelinesses', + 'lovelock', + 'lovelocks', + 'lovelorn', 'lovelornness', 'lovelornnesses', + 'lovely', 'lovemaking', 'lovemakings', + 'lover', + 'loverly', + 'lovers', + 'loves', + 'lovesick', 'lovesickness', 'lovesicknesses', + 'lovesome', + 'lovevine', + 'lovevines', + 'loving', + 'lovingly', 'lovingness', 'lovingnesses', + 'low', + 'lowball', + 'lowballed', 'lowballing', + 'lowballs', + 'lowborn', + 'lowboy', + 'lowboys', + 'lowbred', + 'lowbrow', + 'lowbrows', + 'lowdown', + 'lowdowns', + 'lowe', + 'lowed', + 'lower', + 'lowercase', 'lowercased', 'lowercases', 'lowercasing', 'lowerclassman', 'lowerclassmen', + 'lowered', + 'lowering', + 'lowermost', + 'lowers', + 'lowery', + 'lowes', + 'lowest', + 'lowing', + 'lowings', + 'lowish', + 'lowland', + 'lowlander', 'lowlanders', + 'lowlands', + 'lowlier', + 'lowliest', + 'lowlife', + 'lowlifer', + 'lowlifers', + 'lowlifes', + 'lowlight', + 'lowlights', + 'lowlihead', 'lowliheads', + 'lowliness', 'lowlinesses', + 'lowlives', + 'lowly', + 'lown', + 'lowness', + 'lownesses', + 'lowrider', + 'lowriders', + 'lows', + 'lowse', + 'lox', + 'loxed', + 'loxes', + 'loxing', + 'loxodrome', 'loxodromes', + 'loyal', + 'loyaler', + 'loyalest', + 'loyalism', + 'loyalisms', + 'loyalist', + 'loyalists', + 'loyally', + 'loyalties', + 'loyalty', + 'lozenge', + 'lozenges', + 'luau', + 'luaus', + 'lubber', 'lubberliness', 'lubberlinesses', + 'lubberly', + 'lubbers', + 'lube', + 'lubes', + 'lubric', + 'lubrical', + 'lubricant', 'lubricants', + 'lubricate', 'lubricated', 'lubricates', 'lubricating', @@ -33548,41 +86363,146 @@ export const scrabble_array = [ 'lubricious', 'lubriciously', 'lubricities', + 'lubricity', + 'lubricous', + 'lucarne', + 'lucarnes', + 'luce', + 'lucence', + 'lucences', + 'lucencies', + 'lucency', + 'lucent', + 'lucently', + 'lucern', + 'lucerne', + 'lucernes', + 'lucerns', + 'luces', + 'lucid', 'lucidities', + 'lucidity', + 'lucidly', + 'lucidness', 'lucidnesses', + 'lucifer', 'luciferase', 'luciferases', + 'luciferin', 'luciferins', 'luciferous', + 'lucifers', + 'luck', + 'lucked', + 'luckie', + 'luckier', + 'luckies', + 'luckiest', + 'luckily', + 'luckiness', 'luckinesses', + 'lucking', + 'luckless', + 'lucks', + 'lucky', + 'lucrative', 'lucratively', 'lucrativeness', 'lucrativenesses', + 'lucre', + 'lucres', 'lucubration', 'lucubrations', + 'luculent', 'luculently', + 'lude', + 'ludes', + 'ludic', + 'ludicrous', 'ludicrously', 'ludicrousness', 'ludicrousnesses', + 'lues', + 'luetic', + 'luetics', + 'luff', + 'luffa', + 'luffas', + 'luffed', + 'luffing', + 'luffs', 'luftmensch', 'luftmenschen', + 'lug', + 'luge', + 'luged', + 'lugeing', + 'luger', + 'lugers', + 'luges', + 'luggage', + 'luggages', + 'lugged', + 'lugger', + 'luggers', + 'luggie', + 'luggies', + 'lugging', + 'lugs', + 'lugsail', + 'lugsails', 'lugubrious', 'lugubriously', 'lugubriousness', 'lugubriousnesses', + 'lugworm', + 'lugworms', + 'lukewarm', 'lukewarmly', 'lukewarmness', 'lukewarmnesses', + 'lull', + 'lullabied', + 'lullabies', + 'lullaby', 'lullabying', + 'lulled', + 'lulling', + 'lulls', + 'lulu', + 'lulus', + 'lum', + 'lumbago', + 'lumbagos', + 'lumbar', + 'lumbars', + 'lumber', + 'lumbered', + 'lumberer', + 'lumberers', + 'lumbering', 'lumberjack', 'lumberjacks', + 'lumberman', + 'lumbermen', + 'lumbers', 'lumberyard', 'lumberyards', 'lumbosacral', + 'lumen', + 'lumenal', + 'lumens', + 'lumina', + 'luminaire', 'luminaires', + 'luminal', + 'luminance', 'luminances', + 'luminaria', 'luminarias', 'luminaries', + 'luminary', + 'luminesce', 'luminesced', 'luminescence', 'luminescences', @@ -33590,73 +86510,324 @@ export const scrabble_array = [ 'luminesces', 'luminescing', 'luminiferous', + 'luminism', + 'luminisms', + 'luminist', + 'luminists', 'luminosities', 'luminosity', + 'luminous', 'luminously', 'luminousness', 'luminousnesses', + 'lummox', + 'lummoxes', + 'lump', 'lumpectomies', 'lumpectomy', + 'lumped', + 'lumpen', 'lumpenproletariat', 'lumpenproletariats', + 'lumpens', + 'lumper', + 'lumpers', + 'lumpfish', 'lumpfishes', + 'lumpier', + 'lumpiest', + 'lumpily', + 'lumpiness', 'lumpinesses', + 'lumping', + 'lumpish', + 'lumpishly', 'lumpishness', 'lumpishnesses', + 'lumps', + 'lumpy', + 'lums', + 'luna', + 'lunacies', + 'lunacy', + 'lunar', + 'lunarian', + 'lunarians', + 'lunars', + 'lunas', + 'lunate', + 'lunated', + 'lunately', + 'lunatic', + 'lunatics', + 'lunation', + 'lunations', + 'lunch', + 'lunched', + 'luncheon', 'luncheonette', 'luncheonettes', + 'luncheons', + 'luncher', + 'lunchers', + 'lunches', + 'lunching', + 'lunchmeat', 'lunchmeats', + 'lunchroom', 'lunchrooms', + 'lunchtime', 'lunchtimes', + 'lune', + 'lunes', + 'lunet', + 'lunets', + 'lunette', + 'lunettes', + 'lung', + 'lungan', + 'lungans', + 'lunge', + 'lunged', + 'lungee', + 'lungees', + 'lunger', + 'lungers', + 'lunges', + 'lungfish', 'lungfishes', + 'lungful', + 'lungfuls', + 'lungi', + 'lunging', + 'lungis', + 'lungs', + 'lungworm', + 'lungworms', + 'lungwort', + 'lungworts', + 'lungyi', + 'lungyis', + 'lunier', + 'lunies', + 'luniest', + 'lunisolar', + 'lunk', + 'lunker', + 'lunkers', + 'lunkhead', 'lunkheaded', + 'lunkheads', + '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', + 'lurid', + 'luridly', + 'luridness', 'luridnesses', + 'luring', + 'lurk', + 'lurked', + 'lurker', + 'lurkers', + 'lurking', + 'lurks', + 'luscious', 'lusciously', 'lusciousness', 'lusciousnesses', + 'lush', + 'lushed', + 'lusher', + 'lushes', + 'lushest', + 'lushing', + 'lushly', + 'lushness', 'lushnesses', + 'lust', + 'lusted', + 'luster', + 'lustered', + 'lustering', 'lusterless', + 'lusters', 'lusterware', 'lusterwares', + 'lustful', + 'lustfully', 'lustfulness', 'lustfulnesses', + 'lustier', + 'lustiest', + 'lustihood', 'lustihoods', + 'lustily', + 'lustiness', 'lustinesses', + 'lusting', + 'lustra', + 'lustral', + 'lustrate', + 'lustrated', + 'lustrates', 'lustrating', 'lustration', 'lustrations', + 'lustre', + 'lustred', + 'lustres', + 'lustring', + 'lustrings', + 'lustrous', 'lustrously', 'lustrousness', 'lustrousnesses', + 'lustrum', + 'lustrums', + 'lusts', + 'lusty', + 'lusus', + 'lususes', + 'lutanist', + 'lutanists', + 'lute', + 'lutea', + 'luteal', + 'lutecium', + 'luteciums', + 'luted', + 'lutefisk', + 'lutefisks', + 'lutein', 'luteinization', 'luteinizations', + 'luteinize', 'luteinized', 'luteinizes', 'luteinizing', + 'luteins', + 'lutenist', + 'lutenists', + 'luteolin', + 'luteolins', 'luteotrophic', 'luteotrophin', 'luteotrophins', 'luteotropic', 'luteotropin', 'luteotropins', + 'luteous', + 'lutes', 'lutestring', 'lutestrings', + 'lutetium', + 'lutetiums', + 'luteum', + 'luthern', + 'lutherns', + 'luthier', + 'luthiers', + 'luting', + 'lutings', + 'lutist', + 'lutists', + 'lutz', + 'lutzes', + 'luv', + 'luvs', + 'lux', + 'luxate', + 'luxated', + 'luxates', + 'luxating', + 'luxation', + 'luxations', + 'luxe', + 'luxes', 'luxuriance', 'luxuriances', + 'luxuriant', 'luxuriantly', + 'luxuriate', 'luxuriated', 'luxuriates', 'luxuriating', + 'luxuries', + 'luxurious', 'luxuriously', 'luxuriousness', 'luxuriousnesses', + 'luxury', + 'lwei', + 'lweis', + 'lyard', + 'lyart', + 'lyase', + 'lyases', 'lycanthrope', 'lycanthropes', 'lycanthropic', 'lycanthropies', 'lycanthropy', + 'lycea', + 'lycee', + 'lycees', + 'lyceum', + 'lyceums', + 'lychee', + 'lychees', + 'lychnis', + 'lychnises', + 'lycopene', + 'lycopenes', + 'lycopod', 'lycopodium', 'lycopodiums', + 'lycopods', + 'lyddite', + 'lyddites', + 'lye', + 'lyes', + 'lying', + 'lyingly', + 'lyings', + 'lymph', 'lymphadenitis', 'lymphadenitises', 'lymphadenopathies', @@ -33666,6 +86837,7 @@ export const scrabble_array = [ 'lymphangiographic', 'lymphangiographies', 'lymphangiography', + 'lymphatic', 'lymphatically', 'lymphatics', 'lymphoblast', @@ -33687,8 +86859,11 @@ export const scrabble_array = [ 'lymphographic', 'lymphographies', 'lymphography', + 'lymphoid', 'lymphokine', 'lymphokines', + 'lymphoma', + 'lymphomas', 'lymphomata', 'lymphomatoses', 'lymphomatosis', @@ -33696,6 +86871,23 @@ export const scrabble_array = [ 'lymphosarcoma', 'lymphosarcomas', 'lymphosarcomata', + 'lymphs', + 'lyncean', + 'lynch', + 'lynched', + 'lyncher', + 'lynchers', + 'lynches', + 'lynching', + 'lynchings', + 'lynchpin', + 'lynchpins', + 'lynx', + 'lynxes', + 'lyonnaise', + 'lyophile', + 'lyophiled', + 'lyophilic', 'lyophilise', 'lyophilised', 'lyophilises', @@ -33708,12 +86900,53 @@ export const scrabble_array = [ 'lyophilizers', 'lyophilizes', 'lyophilizing', + 'lyophobic', + 'lyrate', + 'lyrated', + 'lyrately', + 'lyre', + 'lyrebird', + 'lyrebirds', + 'lyres', + 'lyric', + 'lyrical', + 'lyrically', 'lyricalness', 'lyricalnesses', + 'lyricise', + 'lyricised', + 'lyricises', 'lyricising', + 'lyricism', + 'lyricisms', + 'lyricist', + 'lyricists', + 'lyricize', + 'lyricized', + 'lyricizes', 'lyricizing', + 'lyrics', + 'lyriform', + 'lyrism', + 'lyrisms', + 'lyrist', + 'lyrists', + 'lysate', + 'lysates', + 'lyse', + 'lysed', + 'lyses', + 'lysimeter', 'lysimeters', 'lysimetric', + 'lysin', + 'lysine', + 'lysines', + 'lysing', + 'lysins', + 'lysis', + 'lysogen', + 'lysogenic', 'lysogenicities', 'lysogenicity', 'lysogenies', @@ -33727,26 +86960,86 @@ export const scrabble_array = [ 'lysogenized', 'lysogenizes', 'lysogenizing', + 'lysogens', + 'lysogeny', 'lysolecithin', 'lysolecithins', + 'lysosomal', + 'lysosome', + 'lysosomes', + 'lysozyme', + 'lysozymes', + 'lyssa', + 'lyssas', + 'lytic', + 'lytically', + 'lytta', + 'lyttae', + 'lyttas', + 'ma', + 'maar', + 'maars', + 'mabe', + 'mabes', + 'mac', + 'macaber', + 'macabre', + 'macaco', + 'macacos', + 'macadam', + 'macadamia', 'macadamias', 'macadamize', 'macadamized', 'macadamizes', 'macadamizing', + 'macadams', + 'macaque', + 'macaques', + 'macaroni', + 'macaronic', 'macaronics', 'macaronies', + 'macaronis', + 'macaroon', + 'macaroons', + 'macaw', + 'macaws', + 'maccabaw', + 'maccabaws', + 'maccaboy', + 'maccaboys', + 'macchia', + 'macchie', + 'maccoboy', + 'maccoboys', + 'mace', + 'maced', + 'macedoine', 'macedoines', + 'macer', + 'macerate', + 'macerated', + 'macerates', 'macerating', 'maceration', 'macerations', + 'macerator', 'macerators', + 'macers', + 'maces', + 'mach', + 'mache', + 'maches', + 'machete', + 'machetes', 'machicolated', 'machicolation', 'machicolations', 'machinabilities', 'machinability', 'machinable', + 'machinate', 'machinated', 'machinates', 'machinating', @@ -33754,23 +87047,61 @@ export const scrabble_array = [ 'machinations', 'machinator', 'machinators', + 'machine', 'machineabilities', 'machineability', 'machineable', + 'machined', 'machinelike', 'machineries', + 'machinery', + 'machines', + 'machining', + 'machinist', 'machinists', + 'machismo', + 'machismos', + 'macho', + 'machos', + 'machree', + 'machrees', + 'machs', + 'machzor', + 'machzorim', + 'machzors', + 'macing', + 'macintosh', 'macintoshes', + 'mack', + 'mackerel', + 'mackerels', + 'mackinaw', + 'mackinaws', 'mackintosh', 'mackintoshes', + 'mackle', + 'mackled', + 'mackles', + 'mackling', + 'macks', + 'macle', + 'macled', + 'macles', + 'macon', + 'macons', + 'macrame', + 'macrames', + 'macro', 'macroaggregate', 'macroaggregated', 'macroaggregates', 'macrobiotic', + 'macrocosm', 'macrocosmic', 'macrocosmically', 'macrocosms', 'macrocyclic', + 'macrocyte', 'macrocytes', 'macrocytic', 'macrocytoses', @@ -33792,10 +87123,13 @@ export const scrabble_array = [ 'macroinstruction', 'macroinstructions', 'macrolepidoptera', + 'macromere', 'macromeres', 'macromolecular', 'macromolecule', 'macromolecules', + 'macron', + 'macrons', 'macronuclear', 'macronuclei', 'macronucleus', @@ -33813,6 +87147,7 @@ export const scrabble_array = [ 'macrophytes', 'macrophytic', 'macropterous', + 'macros', 'macroscale', 'macroscales', 'macroscopic', @@ -33820,34 +87155,157 @@ export const scrabble_array = [ 'macrostructural', 'macrostructure', 'macrostructures', + 'macrural', + 'macruran', + 'macrurans', + 'macs', + 'macula', + 'maculae', + 'macular', + 'maculas', + 'maculate', + 'maculated', + 'maculates', 'maculating', 'maculation', 'maculations', + 'macule', + 'maculed', + 'macules', + 'maculing', + 'macumba', + 'macumbas', + 'mad', + 'madam', + 'madame', + 'madames', + 'madams', + 'madcap', + 'madcaps', + 'madded', + 'madden', + 'maddened', + 'maddening', 'maddeningly', + 'maddens', + 'madder', + 'madders', + 'maddest', + 'madding', + 'maddish', + 'made', + 'madeira', + 'madeiras', + 'madeleine', 'madeleines', 'mademoiselle', 'mademoiselles', + 'madhouse', + 'madhouses', + 'madly', + 'madman', + 'madmen', + 'madness', + 'madnesses', + 'madonna', + 'madonnas', + 'madras', + 'madrases', + 'madre', + 'madrepore', 'madrepores', 'madreporian', 'madreporians', 'madreporic', 'madreporite', 'madreporites', + 'madres', + 'madrigal', 'madrigalian', 'madrigalist', 'madrigalists', + 'madrigals', + 'madrilene', 'madrilenes', + 'madrona', + 'madronas', + 'madrone', + 'madrones', + 'madrono', + 'madronos', + 'mads', + 'maduro', + 'maduros', + 'madwoman', + 'madwomen', + 'madwort', + 'madworts', + 'madzoon', + 'madzoons', + 'mae', + 'maelstrom', 'maelstroms', + 'maenad', + 'maenades', + 'maenadic', + 'maenads', + 'maes', + 'maestoso', + 'maestosos', + 'maestri', + 'maestro', + 'maestros', + 'maffia', + 'maffias', + 'maffick', + 'mafficked', 'mafficking', + 'mafficks', + 'mafia', + 'mafias', + 'mafic', + 'mafiosi', + 'mafioso', + 'maftir', + 'maftirs', + 'mag', + 'magazine', + 'magazines', 'magazinist', 'magazinists', + 'magdalen', + 'magdalene', 'magdalenes', + 'magdalens', + 'mage', + 'magenta', + 'magentas', + 'mages', + 'maggot', + 'maggots', + 'maggoty', + 'magi', + 'magian', + 'magians', + 'magic', + 'magical', + 'magically', + 'magician', + 'magicians', + 'magicked', + 'magicking', + 'magics', + 'magilp', + 'magilps', + 'magister', 'magisterial', 'magisterially', 'magisterium', 'magisteriums', + 'magisters', 'magistracies', 'magistracy', + 'magistral', 'magistrally', 'magistrate', 'magistrates', @@ -33855,28 +87313,50 @@ export const scrabble_array = [ 'magistratically', 'magistrature', 'magistratures', + 'maglev', + 'maglevs', + 'magma', + 'magmas', + 'magmata', + 'magmatic', 'magnanimities', 'magnanimity', 'magnanimous', 'magnanimously', 'magnanimousness', 'magnanimousnesses', + 'magnate', + 'magnates', + 'magnesia', + 'magnesian', + 'magnesias', + 'magnesic', + 'magnesite', 'magnesites', + 'magnesium', 'magnesiums', + 'magnet', + 'magnetic', 'magnetically', + 'magnetics', + 'magnetise', 'magnetised', 'magnetises', 'magnetising', + 'magnetism', 'magnetisms', + 'magnetite', 'magnetites', 'magnetizable', 'magnetization', 'magnetizations', + 'magnetize', 'magnetized', 'magnetizer', 'magnetizers', 'magnetizes', 'magnetizing', + 'magneto', 'magnetoelectric', 'magnetofluiddynamics', 'magnetograph', @@ -33888,10 +87368,13 @@ export const scrabble_array = [ 'magnetometric', 'magnetometries', 'magnetometry', + 'magneton', + 'magnetons', 'magnetopause', 'magnetopauses', 'magnetoresistance', 'magnetoresistances', + 'magnetos', 'magnetosphere', 'magnetospheres', 'magnetospheric', @@ -33900,7 +87383,10 @@ export const scrabble_array = [ 'magnetostrictions', 'magnetostrictive', 'magnetostrictively', + 'magnetron', 'magnetrons', + 'magnets', + 'magnific', 'magnifical', 'magnifically', 'magnificat', @@ -33911,20 +87397,67 @@ export const scrabble_array = [ 'magnificences', 'magnificent', 'magnificently', + 'magnifico', 'magnificoes', 'magnificos', + 'magnified', + 'magnifier', 'magnifiers', + 'magnifies', + 'magnify', 'magnifying', 'magniloquence', 'magniloquences', 'magniloquent', 'magniloquently', + 'magnitude', 'magnitudes', + 'magnolia', + 'magnolias', + 'magnum', + 'magnums', + 'magot', + 'magots', + 'magpie', + 'magpies', + 'mags', + 'maguey', + 'magueys', + 'magus', + 'maharaja', + 'maharajah', 'maharajahs', + 'maharajas', + 'maharanee', 'maharanees', + 'maharani', + 'maharanis', + 'maharishi', 'maharishis', + 'mahatma', + 'mahatmas', + 'mahimahi', + 'mahjong', + 'mahjongg', + 'mahjonggs', + 'mahjongs', + 'mahlstick', 'mahlsticks', + 'mahoe', + 'mahoes', 'mahoganies', + 'mahogany', + 'mahonia', + 'mahonias', + 'mahout', + 'mahouts', + 'mahuang', + 'mahuangs', + 'mahzor', + 'mahzorim', + 'mahzors', + 'maid', + 'maiden', 'maidenhair', 'maidenhairs', 'maidenhead', @@ -33933,21 +87466,75 @@ export const scrabble_array = [ 'maidenhoods', 'maidenliness', 'maidenlinesses', + 'maidenly', + 'maidens', + 'maidhood', + 'maidhoods', + 'maidish', + 'maids', 'maidservant', 'maidservants', + 'maieutic', + 'maigre', + 'maihem', + 'maihems', + 'mail', 'mailabilities', 'mailability', + 'mailable', + 'mailbag', + 'mailbags', + 'mailbox', + 'mailboxes', + 'maile', + 'mailed', + 'mailer', + 'mailers', + 'mailes', + 'mailing', + 'mailings', + 'maill', + 'mailless', + 'maillot', + 'maillots', + 'maills', + 'mailman', + 'mailmen', + 'mails', + 'maim', + 'maimed', + 'maimer', + 'maimers', + 'maiming', + 'maims', + 'main', + 'mainframe', 'mainframes', + 'mainland', 'mainlander', 'mainlanders', + 'mainlands', + 'mainline', + 'mainlined', + 'mainlines', 'mainlining', + 'mainly', + 'mainmast', + 'mainmasts', + 'mains', + 'mainsail', + 'mainsails', + 'mainsheet', 'mainsheets', 'mainspring', 'mainsprings', + 'mainstay', + 'mainstays', 'mainstream', 'mainstreamed', 'mainstreaming', 'mainstreams', + 'maintain', 'maintainabilities', 'maintainability', 'maintainable', @@ -33955,26 +87542,81 @@ export const scrabble_array = [ 'maintainer', 'maintainers', 'maintaining', + 'maintains', 'maintenance', 'maintenances', + 'maintop', + 'maintops', + 'maiolica', + 'maiolicas', + 'mair', + 'mairs', 'maisonette', 'maisonettes', + 'maist', + 'maists', + 'maize', + 'maizes', + 'majagua', + 'majaguas', + 'majestic', 'majestically', + 'majesties', + 'majesty', + 'majolica', + 'majolicas', + 'major', + 'majordomo', 'majordomos', + 'majored', + 'majorette', 'majorettes', + 'majoring', 'majoritarian', 'majoritarianism', 'majoritarianisms', 'majoritarians', 'majorities', + 'majority', + 'majorly', + 'majors', 'majuscular', + 'majuscule', 'majuscules', + 'makable', + 'makar', + 'makars', + 'make', + 'makeable', + 'makebate', + 'makebates', + 'makefast', + 'makefasts', + 'makeover', + 'makeovers', + 'maker', 'makereadies', + 'makeready', + 'makers', + 'makes', + 'makeshift', 'makeshifts', + 'makeup', + 'makeups', 'makeweight', 'makeweights', + 'makimono', + 'makimonos', + 'making', + 'makings', + 'mako', + 'makos', + 'makuta', 'malabsorption', 'malabsorptions', + 'malacca', + 'malaccas', + 'malachite', 'malachites', 'malacological', 'malacologies', @@ -33987,6 +87629,7 @@ export const scrabble_array = [ 'maladaptations', 'maladapted', 'maladaptive', + 'maladies', 'maladjusted', 'maladjustive', 'maladjustment', @@ -33997,26 +87640,55 @@ export const scrabble_array = [ 'maladministers', 'maladministration', 'maladministrations', + 'maladroit', 'maladroitly', 'maladroitness', 'maladroitnesses', + 'malady', + 'malaguena', 'malaguenas', + 'malaise', + 'malaises', + 'malamute', + 'malamutes', + 'malanga', + 'malangas', + 'malapert', 'malapertly', 'malapertness', 'malapertnesses', + 'malaperts', 'malapportioned', 'malapportionment', 'malapportionments', + 'malaprop', 'malapropian', 'malapropism', 'malapropisms', 'malapropist', 'malapropists', 'malapropos', + 'malaprops', + 'malar', + 'malaria', + 'malarial', + 'malarian', + 'malarias', 'malariologies', 'malariologist', 'malariologists', 'malariology', + 'malarious', + 'malarkey', + 'malarkeys', + 'malarkies', + 'malarky', + 'malaroma', + 'malaromas', + 'malars', + 'malate', + 'malates', + 'malathion', 'malathions', 'malcontent', 'malcontented', @@ -34026,119 +87698,328 @@ export const scrabble_array = [ 'malcontents', 'maldistribution', 'maldistributions', + 'male', + 'maleate', + 'maleates', + 'maledict', 'maledicted', 'maledicting', 'malediction', 'maledictions', 'maledictory', + 'maledicts', 'malefaction', 'malefactions', 'malefactor', 'malefactors', + 'malefic', 'maleficence', 'maleficences', 'maleficent', + 'malemiut', + 'malemiuts', + 'malemute', + 'malemutes', + 'maleness', 'malenesses', + 'males', 'malevolence', 'malevolences', 'malevolent', 'malevolently', 'malfeasance', 'malfeasances', + 'malfed', 'malformation', 'malformations', + 'malformed', 'malfunction', 'malfunctioned', 'malfunctioning', 'malfunctions', + 'malgre', + 'malic', + 'malice', + 'malices', + 'malicious', 'maliciously', 'maliciousness', 'maliciousnesses', + 'malign', 'malignance', 'malignances', 'malignancies', 'malignancy', + 'malignant', 'malignantly', + 'maligned', + 'maligner', + 'maligners', + 'maligning', 'malignities', + 'malignity', + 'malignly', + 'maligns', + 'malihini', + 'malihinis', + 'maline', + 'malines', + 'malinger', 'malingered', 'malingerer', 'malingerers', 'malingering', + 'malingers', + 'malison', + 'malisons', + 'malkin', + 'malkins', + 'mall', + 'mallard', + 'mallards', 'malleabilities', 'malleability', + 'malleable', + 'malled', + 'mallee', + 'mallees', + 'mallei', + 'malleoli', + 'malleolus', + 'mallet', + 'mallets', + 'malleus', + 'malling', + 'mallow', + 'mallows', + 'malls', + 'malm', + 'malmier', + 'malmiest', + 'malms', + 'malmsey', + 'malmseys', + 'malmy', 'malnourished', 'malnutrition', 'malnutritions', 'malocclusion', 'malocclusions', + 'malodor', 'malodorous', 'malodorously', 'malodorousness', 'malodorousnesses', + 'malodors', 'malolactic', + 'maloti', + 'malposed', 'malposition', 'malpositions', 'malpractice', 'malpractices', 'malpractitioner', 'malpractitioners', + 'malt', + 'maltase', + 'maltases', + 'malted', + 'malteds', + 'maltha', + 'malthas', + 'maltier', + 'maltiest', + 'malting', + 'maltol', + 'maltols', + 'maltose', + 'maltoses', + 'maltreat', 'maltreated', 'maltreater', 'maltreaters', 'maltreating', 'maltreatment', 'maltreatments', + 'maltreats', + 'malts', + 'maltster', + 'maltsters', + 'malty', + 'malvasia', + 'malvasias', 'malversation', 'malversations', + 'mama', + 'mamaliga', + 'mamaligas', + 'mamas', + 'mamba', + 'mambas', + 'mambo', + 'mamboed', + 'mamboes', + 'mamboing', + 'mambos', + 'mameluke', + 'mamelukes', + 'mamey', + 'mameyes', + 'mameys', + 'mamie', + 'mamies', + 'mamluk', + 'mamluks', + 'mamma', + 'mammae', + 'mammal', + 'mammalian', 'mammalians', 'mammalogies', 'mammalogist', 'mammalogists', + 'mammalogy', + 'mammals', + 'mammary', + 'mammas', + 'mammate', + 'mammati', + 'mammatus', + 'mammee', + 'mammees', + 'mammer', + 'mammered', + 'mammering', + 'mammers', + 'mammet', + 'mammets', + 'mammey', + 'mammeys', + 'mammie', + 'mammies', + 'mammilla', + 'mammillae', 'mammillary', 'mammillated', 'mammitides', + 'mammitis', + 'mammock', + 'mammocked', 'mammocking', + 'mammocks', + 'mammogram', 'mammograms', 'mammographic', 'mammographies', 'mammography', + 'mammon', + 'mammonism', 'mammonisms', + 'mammonist', 'mammonists', + 'mammons', + 'mammoth', + 'mammoths', + 'mammy', + 'man', + 'mana', + 'manacle', + 'manacled', + 'manacles', + 'manacling', + 'manage', 'manageabilities', 'manageability', 'manageable', 'manageableness', 'manageablenesses', 'manageably', + 'managed', 'management', 'managemental', 'managements', + 'manager', 'manageress', 'manageresses', 'managerial', 'managerially', + 'managers', 'managership', 'managerships', + 'manages', + 'managing', + 'manakin', + 'manakins', + 'manana', + 'mananas', + 'manas', + 'manatee', + 'manatees', + 'manatoid', + 'manche', + 'manches', + 'manchet', + 'manchets', 'manchineel', 'manchineels', + 'manciple', + 'manciples', + 'mandala', + 'mandalas', + 'mandalic', + 'mandamus', 'mandamused', 'mandamuses', 'mandamusing', + 'mandarin', 'mandarinate', 'mandarinates', 'mandarinic', 'mandarinism', 'mandarinisms', + 'mandarins', 'mandataries', + 'mandatary', + 'mandate', + 'mandated', + 'mandates', + 'mandating', + 'mandator', 'mandatories', 'mandatorily', + 'mandators', + 'mandatory', + 'mandible', + 'mandibles', 'mandibular', 'mandibulate', + 'mandioca', + 'mandiocas', + 'mandola', + 'mandolas', + 'mandolin', + 'mandoline', 'mandolines', 'mandolinist', 'mandolinists', + 'mandolins', 'mandragora', 'mandragoras', + 'mandrake', + 'mandrakes', + 'mandrel', + 'mandrels', + 'mandril', + 'mandrill', + 'mandrills', + 'mandrils', + 'mane', + 'maned', + 'manege', + 'maneges', + 'maneless', + 'manes', + 'maneuver', 'maneuverabilities', 'maneuverability', 'maneuverable', @@ -34146,23 +88027,83 @@ export const scrabble_array = [ 'maneuverer', 'maneuverers', 'maneuvering', + 'maneuvers', + 'manful', + 'manfully', 'manfulness', 'manfulnesses', + 'mangabey', + 'mangabeys', + 'mangabies', + 'mangaby', + 'manganate', 'manganates', + 'manganese', 'manganeses', 'manganesian', + 'manganic', + 'manganite', 'manganites', + 'manganous', + 'mange', + 'mangel', + 'mangels', + 'manger', + 'mangers', + 'manges', + 'mangey', + 'mangier', + 'mangiest', + 'mangily', + 'manginess', 'manginesses', + 'mangle', + 'mangled', + 'mangler', + 'manglers', + 'mangles', + 'mangling', + 'mango', + 'mangoes', + 'mangold', + 'mangolds', + 'mangonel', + 'mangonels', + 'mangos', 'mangosteen', 'mangosteens', + 'mangrove', + 'mangroves', + 'mangy', + 'manhandle', 'manhandled', 'manhandles', 'manhandling', + 'manhattan', 'manhattans', + 'manhole', + 'manholes', + 'manhood', + 'manhoods', + 'manhunt', + 'manhunts', + 'mania', + 'maniac', + 'maniacal', 'maniacally', + 'maniacs', + 'manias', + 'manic', + 'manically', + 'manicotti', + 'manics', + 'manicure', + 'manicured', + 'manicures', 'manicuring', 'manicurist', 'manicurists', + 'manifest', 'manifestant', 'manifestants', 'manifestation', @@ -34172,18 +88113,39 @@ export const scrabble_array = [ 'manifesters', 'manifesting', 'manifestly', + 'manifesto', 'manifestoed', 'manifestoes', 'manifestoing', 'manifestos', + 'manifests', + 'manifold', 'manifolded', 'manifolding', 'manifoldly', 'manifoldness', 'manifoldnesses', + 'manifolds', + 'manihot', + 'manihots', + 'manikin', + 'manikins', + 'manila', + 'manilas', + 'manilla', + 'manillas', + 'manille', + 'manilles', + 'manioc', + 'manioca', + 'maniocas', + 'maniocs', + 'maniple', + 'maniples', 'manipulabilities', 'manipulability', 'manipulable', + 'manipular', 'manipulatable', 'manipulate', 'manipulated', @@ -34198,36 +88160,138 @@ export const scrabble_array = [ 'manipulator', 'manipulators', 'manipulatory', + 'manito', + 'manitos', + 'manitou', + 'manitous', + 'manitu', + 'manitus', + 'mankind', + 'manless', + 'manlier', + 'manliest', + 'manlike', + 'manlily', + 'manliness', 'manlinesses', + 'manly', + 'manmade', + 'manna', + 'mannan', + 'mannans', + 'mannas', + 'manned', + 'mannequin', 'mannequins', + 'manner', + 'mannered', + 'mannerism', 'mannerisms', + 'mannerist', 'manneristic', 'mannerists', 'mannerless', 'mannerliness', 'mannerlinesses', + 'mannerly', + 'manners', + 'mannikin', + 'mannikins', + 'manning', + 'mannish', + 'mannishly', 'mannishness', 'mannishnesses', + 'mannite', + 'mannites', + 'mannitic', + 'mannitol', + 'mannitols', + 'mannose', + 'mannoses', + 'mano', + 'manoeuvre', 'manoeuvred', 'manoeuvres', 'manoeuvring', + 'manometer', 'manometers', 'manometric', 'manometrically', 'manometries', + 'manometry', + 'manor', + 'manorial', 'manorialism', 'manorialisms', + 'manors', + 'manos', + 'manpack', + 'manpower', + 'manpowers', + 'manque', + 'manrope', + 'manropes', + 'mans', + 'mansard', + 'mansarded', + 'mansards', + 'manse', 'manservant', + 'manses', + 'mansion', + 'mansions', 'manslaughter', 'manslaughters', + 'manslayer', 'manslayers', 'mansuetude', 'mansuetudes', + 'manta', + 'mantas', + 'manteau', + 'manteaus', + 'manteaux', + 'mantel', + 'mantelet', + 'mantelets', 'mantelpiece', 'mantelpieces', + 'mantels', 'mantelshelf', 'mantelshelves', + 'mantes', + 'mantic', + 'manticore', 'manticores', + 'mantid', + 'mantids', + 'mantilla', + 'mantillas', + 'mantis', + 'mantises', + 'mantissa', + 'mantissas', + 'mantle', + 'mantled', + 'mantles', + 'mantlet', + 'mantlets', + 'mantling', + 'mantlings', + 'mantra', + 'mantrap', + 'mantraps', + 'mantras', + 'mantric', + 'mantua', + 'mantuas', + 'manual', + 'manually', + 'manuals', + 'manuary', + 'manubria', + 'manubrium', 'manubriums', 'manufactories', 'manufactory', @@ -34240,38 +88304,146 @@ export const scrabble_array = [ 'manufacturings', 'manumission', 'manumissions', + 'manumit', + 'manumits', 'manumitted', 'manumitting', + 'manure', + 'manured', + 'manurer', + 'manurers', + 'manures', + 'manurial', + 'manuring', + 'manus', 'manuscript', 'manuscripts', + 'manward', + 'manwards', + 'manwise', + 'many', + 'manyfold', + 'manzanita', 'manzanitas', + 'map', + 'maple', + 'maples', + 'maplike', + 'mapmaker', + 'mapmakers', + 'mapmaking', 'mapmakings', + 'mappable', + 'mapped', + 'mapper', + 'mappers', + 'mapping', + 'mappings', + 'maps', + 'maquette', + 'maquettes', + 'maqui', 'maquiladora', 'maquiladoras', 'maquillage', 'maquillages', + 'maquis', + 'mar', + 'marabou', + 'marabous', + 'marabout', + 'marabouts', + 'maraca', + 'maracas', + 'maranta', + 'marantas', + 'marasca', + 'marascas', 'maraschino', 'maraschinos', + 'marasmic', + 'marasmus', 'marasmuses', + 'marathon', 'marathoner', 'marathoners', 'marathoning', 'marathonings', + 'marathons', + 'maraud', + 'marauded', + 'marauder', + 'marauders', + 'marauding', + 'marauds', + 'maravedi', + 'maravedis', + 'marble', + 'marbled', + 'marbleise', 'marbleised', 'marbleises', 'marbleising', + 'marbleize', 'marbleized', 'marbleizes', 'marbleizing', + 'marbler', + 'marblers', + 'marbles', + 'marblier', + 'marbliest', + 'marbling', + 'marblings', + 'marbly', + 'marc', + 'marcasite', 'marcasites', + 'marcato', + 'marcel', + 'marcelled', 'marcelling', + 'marcels', + 'march', + 'marched', + 'marchen', + 'marcher', + 'marchers', + 'marches', + 'marchesa', + 'marchese', + 'marchesi', + 'marching', 'marchioness', 'marchionesses', + 'marchlike', + 'marchpane', 'marchpanes', + 'marcs', + 'mare', + 'maremma', + 'maremme', + 'marengo', + 'mares', + 'margaric', + 'margarin', + 'margarine', 'margarines', + 'margarins', + 'margarita', 'margaritas', + 'margarite', 'margarites', + 'margay', + 'margays', + 'marge', + 'margent', + 'margented', 'margenting', + 'margents', + 'marges', + 'margin', + 'marginal', 'marginalia', 'marginalities', 'marginality', @@ -34282,13 +88454,19 @@ export const scrabble_array = [ 'marginalizes', 'marginalizing', 'marginally', + 'marginate', 'marginated', 'marginates', 'marginating', 'margination', 'marginations', + 'margined', + 'margining', + 'margins', 'margravate', 'margravates', + 'margrave', + 'margraves', 'margravial', 'margraviate', 'margraviates', @@ -34296,92 +88474,291 @@ export const scrabble_array = [ 'margravines', 'marguerite', 'marguerites', + 'maria', + 'mariachi', + 'mariachis', 'mariculture', 'maricultures', 'mariculturist', 'mariculturists', + 'marigold', + 'marigolds', + 'marihuana', 'marihuanas', + 'marijuana', 'marijuanas', + 'marimba', + 'marimbas', + 'marimbist', 'marimbists', + 'marina', + 'marinade', + 'marinaded', + 'marinades', 'marinading', + 'marinara', + 'marinaras', + 'marinas', + 'marinate', + 'marinated', + 'marinates', 'marinating', 'marination', 'marinations', + 'marine', + 'mariner', + 'mariners', + 'marines', 'marionette', 'marionettes', + 'mariposa', + 'mariposas', + 'marish', + 'marishes', + 'marital', + 'maritally', + 'maritime', + 'marjoram', + 'marjorams', + 'mark', + 'markdown', + 'markdowns', + 'marked', + 'markedly', 'markedness', 'markednesses', + 'marker', + 'markers', + 'market', 'marketabilities', 'marketability', 'marketable', + 'marketed', + 'marketeer', 'marketeers', + 'marketer', + 'marketers', + 'marketing', 'marketings', 'marketplace', 'marketplaces', + 'markets', + 'markhoor', + 'markhoors', + 'markhor', + 'markhors', + 'marking', + 'markings', + 'markka', + 'markkaa', + 'markkas', + 'marks', + 'marksman', 'marksmanship', 'marksmanships', + 'marksmen', 'markswoman', 'markswomen', + 'markup', + 'markups', + 'marl', + 'marled', + 'marlier', + 'marliest', + 'marlin', + 'marline', + 'marlines', 'marlinespike', 'marlinespikes', + 'marling', + 'marlings', + 'marlins', 'marlinspike', 'marlinspikes', + 'marlite', + 'marlites', + 'marlitic', + 'marls', + 'marlstone', 'marlstones', + 'marly', + 'marmalade', 'marmalades', + 'marmite', + 'marmites', + 'marmoreal', 'marmoreally', + 'marmorean', + 'marmoset', + 'marmosets', + 'marmot', + 'marmots', + 'marocain', + 'marocains', + 'maroon', + 'marooned', + 'marooning', + 'maroons', + 'marplot', + 'marplots', + 'marque', + 'marquee', + 'marquees', + 'marques', + 'marquess', 'marquessate', 'marquessates', 'marquesses', 'marqueterie', 'marqueteries', 'marquetries', + 'marquetry', + 'marquis', 'marquisate', 'marquisates', + 'marquise', + 'marquises', 'marquisette', 'marquisettes', + 'marram', + 'marrams', + 'marrano', + 'marranos', + 'marred', + 'marrer', + 'marrers', + 'marriage', 'marriageabilities', 'marriageability', 'marriageable', + 'marriages', + 'married', + 'marrieds', + 'marrier', + 'marriers', + 'marries', + 'marring', + 'marron', + 'marrons', + 'marrow', 'marrowbone', 'marrowbones', + 'marrowed', + 'marrowfat', 'marrowfats', + 'marrowing', + 'marrows', + 'marrowy', + 'marry', + 'marrying', + 'mars', + 'marsala', + 'marsalas', + 'marse', + 'marses', + 'marsh', + 'marshal', 'marshalcies', + 'marshalcy', + 'marshaled', 'marshaling', + 'marshall', 'marshalled', 'marshalling', + 'marshalls', + 'marshals', 'marshalship', 'marshalships', + 'marshes', + 'marshier', + 'marshiest', 'marshiness', 'marshinesses', + 'marshland', 'marshlands', 'marshmallow', 'marshmallows', 'marshmallowy', + 'marshy', + 'marsupia', + 'marsupial', 'marsupials', + 'marsupium', + 'mart', + 'martagon', + 'martagons', + 'marted', + 'martello', + 'martellos', + 'marten', + 'martens', 'martensite', 'martensites', 'martensitic', 'martensitically', + 'martial', + 'martially', + 'martian', + 'martians', + 'martin', + 'martinet', + 'martinets', + 'marting', 'martingale', 'martingales', + 'martini', + 'martinis', + 'martins', + 'martlet', + 'martlets', + 'marts', + 'martyr', + 'martyrdom', 'martyrdoms', + 'martyred', + 'martyries', + 'martyring', 'martyrization', 'martyrizations', + 'martyrize', 'martyrized', 'martyrizes', 'martyrizing', + 'martyrly', 'martyrologies', 'martyrologist', 'martyrologists', 'martyrology', + 'martyrs', + 'martyry', + 'marvel', + 'marveled', + 'marveling', + 'marvelled', 'marvelling', 'marvellous', + 'marvelous', 'marvelously', 'marvelousness', 'marvelousnesses', + 'marvels', + 'marvy', + 'maryjane', + 'maryjanes', + 'marzipan', + 'marzipans', + 'mas', + 'mascara', + 'mascaraed', 'mascaraing', + 'mascaras', 'mascarpone', 'mascarpones', + 'mascon', + 'mascons', + 'mascot', + 'mascots', + 'masculine', 'masculinely', 'masculines', 'masculinise', @@ -34396,36 +88773,122 @@ export const scrabble_array = [ 'masculinized', 'masculinizes', 'masculinizing', + 'maser', + 'masers', + 'mash', + 'mashed', + 'masher', + 'mashers', + 'mashes', + 'mashie', + 'mashies', + 'mashing', + 'mashy', + 'masjid', + 'masjids', + 'mask', + 'maskable', + 'masked', + 'maskeg', + 'maskegs', + 'masker', + 'maskers', + 'masking', + 'maskings', + 'masklike', + 'masks', + 'masochism', 'masochisms', + 'masochist', 'masochistic', 'masochistically', 'masochists', + 'mason', + 'masoned', + 'masonic', + 'masoning', + 'masonries', + 'masonry', + 'masons', + 'masque', + 'masquer', 'masquerade', 'masqueraded', 'masquerader', 'masqueraders', 'masquerades', 'masquerading', + 'masquers', + 'masques', + 'mass', + 'massa', + 'massacre', + 'massacred', + 'massacrer', 'massacrers', + 'massacres', 'massacring', + 'massage', + 'massaged', + 'massager', + 'massagers', + 'massages', + 'massaging', + 'massas', 'massasauga', 'massasaugas', + 'masscult', + 'masscults', + 'masse', + 'massed', + 'massedly', + 'masses', + 'masseter', 'masseteric', + 'masseters', + 'masseur', + 'masseurs', + 'masseuse', + 'masseuses', + 'massicot', + 'massicots', + 'massier', + 'massiest', + 'massif', + 'massifs', + 'massing', + 'massive', + 'massively', 'massiveness', 'massivenesses', + 'massless', + 'massy', + 'mast', + 'mastaba', + 'mastabah', + 'mastabahs', + 'mastabas', 'mastectomies', 'mastectomy', + 'masted', + 'master', + 'mastered', + 'masterful', 'masterfully', 'masterfulness', 'masterfulnesses', + 'masteries', + 'mastering', 'masterliness', 'masterlinesses', + 'masterly', 'mastermind', 'masterminded', 'masterminding', 'masterminds', 'masterpiece', 'masterpieces', + 'masters', 'mastership', 'masterships', 'mastersinger', @@ -34434,8 +88897,13 @@ export const scrabble_array = [ 'masterstrokes', 'masterwork', 'masterworks', + 'mastery', + 'masthead', 'mastheaded', 'mastheading', + 'mastheads', + 'mastic', + 'masticate', 'masticated', 'masticates', 'masticating', @@ -34445,17 +88913,35 @@ export const scrabble_array = [ 'masticatories', 'masticators', 'masticatory', + 'mastiche', + 'mastiches', + 'mastics', + 'mastiff', + 'mastiffs', 'mastigophoran', 'mastigophorans', + 'masting', + 'mastitic', 'mastitides', + 'mastitis', + 'mastix', + 'mastixes', + 'mastless', + 'mastlike', + 'mastodon', 'mastodonic', + 'mastodons', + 'mastodont', 'mastodonts', + 'mastoid', 'mastoidectomies', 'mastoidectomy', 'mastoidites', 'mastoiditides', 'mastoiditis', 'mastoiditises', + 'mastoids', + 'masts', 'masturbate', 'masturbated', 'masturbates', @@ -34465,11 +88951,28 @@ export const scrabble_array = [ 'masturbator', 'masturbators', 'masturbatory', + 'masurium', + 'masuriums', + 'mat', + 'matador', + 'matadors', + 'matambala', + 'match', + 'matchable', 'matchboard', 'matchboards', + 'matchbook', 'matchbooks', + 'matchbox', 'matchboxes', + 'matched', + 'matcher', + 'matchers', + 'matches', + 'matching', + 'matchless', 'matchlessly', + 'matchlock', 'matchlocks', 'matchmaker', 'matchmakers', @@ -34477,9 +88980,21 @@ export const scrabble_array = [ 'matchmakings', 'matchstick', 'matchsticks', + 'matchup', + 'matchups', + 'matchwood', 'matchwoods', + 'mate', + 'mated', + 'mateless', + 'matelot', + 'matelote', + 'matelotes', + 'matelots', + 'mater', 'materfamilias', 'materfamiliases', + 'material', 'materialise', 'materialised', 'materialises', @@ -34503,11 +89018,24 @@ export const scrabble_array = [ 'materially', 'materialness', 'materialnesses', + 'materials', + 'materiel', + 'materiels', + 'maternal', 'maternalism', 'maternalisms', 'maternally', 'maternities', + 'maternity', + 'maters', + 'mates', + 'mateship', + 'mateships', + 'matey', + 'mateyness', 'mateynesses', + 'mateys', + 'math', 'mathematic', 'mathematical', 'mathematically', @@ -34520,14 +89048,32 @@ export const scrabble_array = [ 'mathematized', 'mathematizes', 'mathematizing', + 'maths', + 'matilda', + 'matildas', + 'matin', + 'matinal', + 'matinee', + 'matinees', + 'matiness', 'matinesses', + 'mating', + 'matings', + 'matins', + 'matless', + 'matrass', + 'matrasses', + 'matres', + 'matriarch', 'matriarchal', 'matriarchate', 'matriarchates', 'matriarchies', 'matriarchs', 'matriarchy', + 'matrices', 'matricidal', + 'matricide', 'matricides', 'matriculant', 'matriculants', @@ -34542,52 +89088,288 @@ export const scrabble_array = [ 'matrimonial', 'matrimonially', 'matrimonies', + 'matrimony', + 'matrix', + 'matrixes', + 'matron', + 'matronal', + 'matronly', + 'matrons', 'matronymic', 'matronymics', + 'mats', + 'matsah', + 'matsahs', + 'matt', + 'matte', + 'matted', + 'mattedly', + 'matter', + 'mattered', + 'mattering', + 'matters', + 'mattery', + 'mattes', + 'mattin', + 'matting', + 'mattings', + 'mattins', + 'mattock', + 'mattocks', + 'mattoid', + 'mattoids', + 'mattrass', 'mattrasses', + 'mattress', 'mattresses', + 'matts', + 'maturate', + 'maturated', + 'maturates', 'maturating', 'maturation', 'maturational', 'maturations', + 'mature', + 'matured', + 'maturely', + 'maturer', + 'matures', + 'maturest', + 'maturing', 'maturities', + 'maturity', + 'matutinal', 'matutinally', + 'matza', + 'matzah', + 'matzahs', + 'matzas', + 'matzo', + 'matzoh', + 'matzohs', + 'matzoon', + 'matzoons', + 'matzos', + 'matzot', + 'matzoth', + 'maud', + 'maudlin', + 'mauds', + 'mauger', + 'maugre', + 'maul', + 'mauled', + 'mauler', + 'maulers', + 'mauling', + 'mauls', + 'maulstick', 'maulsticks', + 'maumet', 'maumetries', + 'maumetry', + 'maumets', + 'maun', + 'maund', + 'maunder', + 'maundered', + 'maunderer', 'maunderers', 'maundering', + 'maunders', + 'maundies', + 'maunds', + 'maundy', + 'mausolea', + 'mausoleum', 'mausoleums', + 'maut', + 'mauts', + 'mauve', + 'mauves', + 'maven', + 'mavens', + 'maverick', + 'mavericks', + 'mavie', + 'mavies', + 'mavin', + 'mavins', + 'mavis', + 'mavises', 'mavourneen', 'mavourneens', + 'maw', + 'mawed', + 'mawing', + 'mawkish', + 'mawkishly', 'mawkishness', 'mawkishnesses', + 'mawn', + 'maws', + 'max', + 'maxes', + 'maxi', + 'maxicoat', + 'maxicoats', + 'maxilla', + 'maxillae', 'maxillaries', + 'maxillary', + 'maxillas', 'maxilliped', 'maxillipeds', 'maxillofacial', + 'maxim', + 'maxima', + 'maximal', 'maximalist', 'maximalists', + 'maximally', + 'maximals', + 'maximin', + 'maximins', + 'maximise', + 'maximised', + 'maximises', 'maximising', + 'maximite', + 'maximites', 'maximization', 'maximizations', + 'maximize', + 'maximized', + 'maximizer', 'maximizers', + 'maximizes', 'maximizing', + 'maxims', + 'maximum', + 'maximums', + 'maxis', + 'maxixe', + 'maxixes', + 'maxwell', + 'maxwells', + 'may', + 'maya', + 'mayan', + 'mayapple', + 'mayapples', + 'mayas', + 'maybe', + 'maybes', + 'maybush', + 'maybushes', + 'mayday', + 'maydays', + 'mayed', + 'mayest', + 'mayflies', + 'mayflower', 'mayflowers', + 'mayfly', + 'mayhap', + 'mayhem', + 'mayhems', + 'maying', + 'mayings', + 'mayo', 'mayonnaise', 'mayonnaises', + 'mayor', + 'mayoral', 'mayoralties', + 'mayoralty', + 'mayoress', 'mayoresses', + 'mayors', + 'mayos', + 'maypole', + 'maypoles', + 'maypop', + 'maypops', + 'mays', + 'mayst', + 'mayvin', + 'mayvins', + 'mayweed', + 'mayweeds', + 'mazaedia', + 'mazaedium', + 'mazard', + 'mazards', + 'maze', + 'mazed', + 'mazedly', + 'mazelike', + 'mazer', + 'mazers', + 'mazes', + 'mazier', + 'maziest', + 'mazily', + 'maziness', 'mazinesses', + 'mazing', + 'mazourka', + 'mazourkas', + 'mazuma', + 'mazumas', + 'mazurka', + 'mazurkas', + 'mazy', + 'mazzard', + 'mazzards', + 'mbira', + 'mbiras', + 'me', + 'mead', + 'meadow', 'meadowland', 'meadowlands', 'meadowlark', 'meadowlarks', + 'meadows', 'meadowsweet', 'meadowsweets', + 'meadowy', + 'meads', + 'meager', + 'meagerly', 'meagerness', 'meagernesses', + 'meagre', + 'meagrely', + 'meal', + 'mealie', + 'mealier', + 'mealies', + 'mealiest', + 'mealless', + 'meals', + 'mealtime', + 'mealtimes', + 'mealworm', + 'mealworms', + 'mealy', + 'mealybug', + 'mealybugs', 'mealymouthed', + 'mean', + 'meander', + 'meandered', 'meandering', + 'meanders', + 'meandrous', + 'meaner', + 'meaners', + 'meanest', + 'meanie', + 'meanies', + 'meaning', 'meaningful', 'meaningfully', 'meaningfulness', @@ -34596,34 +89378,82 @@ export const scrabble_array = [ 'meaninglessly', 'meaninglessness', 'meaninglessnesses', + 'meaningly', + 'meanings', + 'meanly', + 'meanness', 'meannesses', + 'means', + 'meant', + 'meantime', + 'meantimes', + 'meanwhile', 'meanwhiles', + 'meany', + 'measle', + 'measled', + 'measles', + 'measlier', + 'measliest', + 'measly', 'measurabilities', 'measurability', 'measurable', 'measurably', + 'measure', + 'measured', 'measuredly', 'measureless', 'measurement', 'measurements', + 'measurer', + 'measurers', + 'measures', + 'measuring', + 'meat', + 'meatal', + 'meatball', + 'meatballs', + 'meated', + 'meathead', + 'meatheads', + 'meatier', + 'meatiest', + 'meatily', + 'meatiness', 'meatinesses', + 'meatless', + 'meatloaf', 'meatloaves', + 'meatman', + 'meatmen', 'meatpacking', 'meatpackings', + 'meats', + 'meatus', + 'meatuses', + 'meaty', 'mecamylamine', 'mecamylamines', + 'mecca', + 'meccas', + 'mechanic', 'mechanical', 'mechanically', 'mechanicals', 'mechanician', 'mechanicians', + 'mechanics', + 'mechanism', 'mechanisms', + 'mechanist', 'mechanistic', 'mechanistically', 'mechanists', 'mechanizable', 'mechanization', 'mechanizations', + 'mechanize', 'mechanized', 'mechanizer', 'mechanizers', @@ -34637,42 +89467,126 @@ export const scrabble_array = [ 'mechanoreceptive', 'mechanoreceptor', 'mechanoreceptors', + 'meclizine', 'meclizines', + 'meconium', + 'meconiums', + 'med', + 'medaillon', 'medaillons', + 'medaka', + 'medakas', + 'medal', + 'medaled', + 'medaling', + 'medalist', + 'medalists', + 'medalled', + 'medallic', + 'medalling', + 'medallion', 'medallions', + 'medallist', 'medallists', + 'medals', + 'meddle', + 'meddled', + 'meddler', + 'meddlers', + 'meddles', 'meddlesome', 'meddlesomeness', 'meddlesomenesses', + 'meddling', + 'medevac', 'medevacked', 'medevacking', + 'medevacs', + 'medflies', + 'medfly', + 'media', + 'mediacies', + 'mediacy', + 'mediad', + 'mediae', + 'mediaeval', 'mediaevals', 'mediagenic', + 'medial', + 'medially', + 'medials', + 'median', + 'medianly', + 'medians', + 'mediant', + 'mediants', + 'medias', 'mediastina', 'mediastinal', 'mediastinum', + 'mediate', + 'mediated', + 'mediately', + 'mediates', + 'mediating', + 'mediation', 'mediational', 'mediations', + 'mediative', + 'mediator', + 'mediators', + 'mediatory', 'mediatrices', + 'mediatrix', 'mediatrixes', + 'medic', + 'medicable', + 'medicaid', + 'medicaids', + 'medical', + 'medically', + 'medicals', 'medicament', 'medicamentous', 'medicaments', + 'medicare', + 'medicares', + 'medicate', + 'medicated', + 'medicates', 'medicating', 'medication', 'medications', 'medicinable', + 'medicinal', 'medicinally', 'medicinals', + 'medicine', + 'medicined', + 'medicines', 'medicining', + 'medick', + 'medicks', + 'medico', 'medicolegal', + 'medicos', + 'medics', + 'medieval', 'medievalism', 'medievalisms', 'medievalist', 'medievalists', 'medievally', + 'medievals', + 'medii', + 'medina', + 'medinas', + 'mediocre', 'mediocrities', 'mediocrity', + 'meditate', + 'meditated', + 'meditates', 'meditating', 'meditation', 'meditations', @@ -34680,26 +89594,82 @@ export const scrabble_array = [ 'meditatively', 'meditativeness', 'meditativenesses', + 'meditator', 'meditators', 'mediterranean', + 'medium', 'mediumistic', + 'mediums', 'mediumship', 'mediumships', + 'medius', + 'medlar', + 'medlars', + 'medley', + 'medleys', + 'medulla', + 'medullae', + 'medullar', + 'medullary', + 'medullas', 'medullated', 'medulloblastoma', 'medulloblastomas', 'medulloblastomata', + 'medusa', + 'medusae', + 'medusal', + 'medusan', + 'medusans', + 'medusas', + 'medusoid', + 'medusoids', + 'meed', + 'meeds', + 'meek', + 'meeker', + 'meekest', + 'meekly', + 'meekness', 'meeknesses', + 'meerkat', + 'meerkats', 'meerschaum', 'meerschaums', + 'meet', + 'meeter', + 'meeters', + 'meeting', 'meetinghouse', 'meetinghouses', + 'meetings', + 'meetly', + 'meetness', 'meetnesses', + 'meets', + 'megabar', + 'megabars', + 'megabit', + 'megabits', + 'megabuck', + 'megabucks', + 'megabyte', + 'megabytes', 'megacities', + 'megacity', 'megacorporation', 'megacorporations', + 'megacycle', 'megacycles', + 'megadeal', + 'megadeals', + 'megadeath', 'megadeaths', + 'megadose', + 'megadoses', + 'megadyne', + 'megadynes', + 'megafauna', 'megafaunae', 'megafaunal', 'megafaunas', @@ -34707,10 +89677,15 @@ export const scrabble_array = [ 'megagametes', 'megagametophyte', 'megagametophytes', + 'megahertz', + 'megahit', + 'megahits', 'megakaryocyte', 'megakaryocytes', 'megakaryocytic', + 'megalith', 'megalithic', + 'megaliths', 'megaloblast', 'megaloblastic', 'megaloblasts', @@ -34725,30 +89700,70 @@ export const scrabble_array = [ 'megalopolises', 'megalopolitan', 'megalopolitans', + 'megalops', 'megalopses', 'megaparsec', 'megaparsecs', + 'megaphone', 'megaphoned', 'megaphones', 'megaphonic', 'megaphoning', + 'megapod', + 'megapode', + 'megapodes', + 'megapods', 'megaproject', 'megaprojects', 'megascopic', 'megascopically', 'megasporangia', 'megasporangium', + 'megaspore', 'megaspores', 'megasporic', 'megasporogeneses', 'megasporogenesis', 'megasporophyll', 'megasporophylls', + 'megass', + 'megasse', + 'megasses', + 'megastar', + 'megastars', + 'megaton', 'megatonnage', 'megatonnages', + 'megatons', 'megavitamin', 'megavitamins', + 'megavolt', + 'megavolts', + 'megawatt', + 'megawatts', + 'megillah', + 'megillahs', + 'megilp', + 'megilph', + 'megilphs', + 'megilps', + 'megohm', + 'megohms', + 'megrim', + 'megrims', + 'meikle', + 'meinie', + 'meinies', + 'meiny', + 'meioses', + 'meiosis', + 'meiotic', 'meiotically', + 'mel', + 'melamdim', + 'melamed', + 'melamine', + 'melamines', 'melancholia', 'melancholiac', 'melancholiacs', @@ -34757,9 +89772,26 @@ export const scrabble_array = [ 'melancholics', 'melancholies', 'melancholy', + 'melange', + 'melanges', + 'melanian', + 'melanic', + 'melanics', + 'melanin', + 'melanins', + 'melanism', + 'melanisms', + 'melanist', 'melanistic', + 'melanists', + 'melanite', + 'melanites', + 'melanitic', 'melanization', 'melanizations', + 'melanize', + 'melanized', + 'melanizes', 'melanizing', 'melanoblast', 'melanoblasts', @@ -34767,12 +89799,35 @@ export const scrabble_array = [ 'melanocytes', 'melanogeneses', 'melanogenesis', + 'melanoid', + 'melanoids', + 'melanoma', + 'melanomas', 'melanomata', 'melanophore', 'melanophores', 'melanosome', 'melanosomes', + 'melanotic', + 'melanous', + 'melatonin', 'melatonins', + 'meld', + 'melded', + 'melder', + 'melders', + 'melding', + 'melds', + 'melee', + 'melees', + 'melic', + 'melilite', + 'melilites', + 'melilot', + 'melilots', + 'melinite', + 'melinites', + 'meliorate', 'meliorated', 'meliorates', 'meliorating', @@ -34781,28 +89836,65 @@ export const scrabble_array = [ 'meliorative', 'meliorator', 'meliorators', + 'meliorism', 'meliorisms', + 'meliorist', 'melioristic', 'meliorists', + 'melisma', + 'melismas', + 'melismata', 'melismatic', + 'mell', + 'melled', + 'mellific', 'mellifluent', 'mellifluently', 'mellifluous', 'mellifluously', 'mellifluousness', 'mellifluousnesses', + 'melling', 'mellophone', 'mellophones', + 'mellotron', 'mellotrons', + 'mellow', + 'mellowed', + 'mellower', + 'mellowest', + 'mellowing', + 'mellowly', 'mellowness', 'mellownesses', + 'mellows', + 'mells', + 'melodeon', + 'melodeons', + 'melodia', + 'melodias', + 'melodic', + 'melodica', 'melodically', + 'melodicas', + 'melodies', + 'melodious', 'melodiously', 'melodiousness', 'melodiousnesses', + 'melodise', + 'melodised', + 'melodises', 'melodising', + 'melodist', + 'melodists', + 'melodize', + 'melodized', + 'melodizer', 'melodizers', + 'melodizes', 'melodizing', + 'melodrama', 'melodramas', 'melodramatic', 'melodramatically', @@ -34819,22 +89911,62 @@ export const scrabble_array = [ 'melodramatized', 'melodramatizes', 'melodramatizing', + 'melody', + 'meloid', + 'meloids', + 'melon', + 'melons', + 'melphalan', 'melphalans', + 'mels', + 'melt', 'meltabilities', 'meltability', + 'meltable', + 'meltage', + 'meltages', + 'meltdown', + 'meltdowns', + 'melted', + 'melter', + 'melters', + 'melting', + 'meltingly', + 'melton', + 'meltons', + 'melts', + 'meltwater', 'meltwaters', + 'mem', + 'member', + 'membered', + 'members', 'membership', 'memberships', + 'membrane', + 'membraned', + 'membranes', 'membranous', 'membranously', + 'memento', + 'mementoes', + 'mementos', + 'memo', + 'memoir', + 'memoirist', 'memoirists', + 'memoirs', 'memorabilia', 'memorabilities', 'memorability', + 'memorable', 'memorableness', 'memorablenesses', + 'memorably', + 'memoranda', 'memorandum', 'memorandums', + 'memorial', 'memorialise', 'memorialised', 'memorialises', @@ -34846,27 +89978,83 @@ export const scrabble_array = [ 'memorializes', 'memorializing', 'memorially', + 'memorials', + 'memories', + 'memorise', + 'memorised', + 'memorises', 'memorising', + 'memoriter', 'memorizable', 'memorization', 'memorizations', + 'memorize', + 'memorized', + 'memorizer', 'memorizers', + 'memorizes', 'memorizing', + 'memory', + 'memos', + 'mems', + 'memsahib', + 'memsahibs', + 'men', + 'menace', + 'menaced', + 'menacer', + 'menacers', + 'menaces', + 'menacing', 'menacingly', + 'menad', + 'menadione', 'menadiones', + 'menads', + 'menage', + 'menagerie', 'menageries', + 'menages', + 'menarche', 'menarcheal', + 'menarches', + 'menazon', + 'menazons', + 'mend', + 'mendable', 'mendacious', 'mendaciously', 'mendaciousness', 'mendaciousnesses', 'mendacities', + 'mendacity', + 'mended', 'mendelevium', 'mendeleviums', + 'mender', + 'menders', 'mendicancies', 'mendicancy', + 'mendicant', 'mendicants', 'mendicities', + 'mendicity', + 'mendigo', + 'mendigos', + 'mending', + 'mendings', + 'mends', + 'menfolk', + 'menfolks', + 'menhaden', + 'menhadens', + 'menhir', + 'menhirs', + 'menial', + 'menially', + 'menials', + 'meningeal', + 'meninges', 'meningioma', 'meningiomas', 'meningiomata', @@ -34880,41 +90068,101 @@ export const scrabble_array = [ 'meningoencephalitic', 'meningoencephalitides', 'meningoencephalitis', + 'meninx', + 'meniscal', + 'menisci', + 'meniscus', 'meniscuses', + 'meno', 'menologies', + 'menology', 'menopausal', + 'menopause', 'menopauses', + 'menorah', + 'menorahs', 'menorrhagia', 'menorrhagias', + 'mensa', + 'mensae', + 'mensal', + 'mensas', + 'mensch', + 'menschen', + 'mensches', + 'mense', + 'mensed', + 'menseful', + 'menseless', 'menservants', + 'menses', + 'mensing', + 'menstrua', + 'menstrual', 'menstruate', 'menstruated', 'menstruates', 'menstruating', 'menstruation', 'menstruations', + 'menstruum', 'menstruums', 'mensurabilities', 'mensurability', 'mensurable', + 'mensural', 'mensuration', 'mensurations', + 'menswear', + 'menta', + 'mental', + 'mentalism', 'mentalisms', + 'mentalist', 'mentalistic', 'mentalists', 'mentalities', + 'mentality', + 'mentally', + 'mentation', 'mentations', + 'menthene', + 'menthenes', + 'menthol', 'mentholated', + 'menthols', + 'mention', 'mentionable', + 'mentioned', + 'mentioner', 'mentioners', 'mentioning', + 'mentions', + 'mentor', + 'mentored', + 'mentoring', + 'mentors', 'mentorship', 'mentorships', + 'mentum', + 'menu', + 'menus', + 'meou', + 'meoued', + 'meouing', + 'meous', + 'meow', + 'meowed', + 'meowing', + 'meows', 'meperidine', 'meperidines', + 'mephitic', + 'mephitis', 'mephitises', 'meprobamate', 'meprobamates', + 'merbromin', 'merbromins', 'mercantile', 'mercantilism', @@ -34922,21 +90170,30 @@ export const scrabble_array = [ 'mercantilist', 'mercantilistic', 'mercantilists', + 'mercaptan', 'mercaptans', + 'mercapto', 'mercaptopurine', 'mercaptopurines', 'mercenaries', 'mercenarily', 'mercenariness', 'mercenarinesses', + 'mercenary', + 'mercer', + 'merceries', + 'mercerise', 'mercerised', 'mercerises', 'mercerising', 'mercerization', 'mercerizations', + 'mercerize', 'mercerized', 'mercerizes', 'mercerizing', + 'mercers', + 'mercery', 'merchandise', 'merchandised', 'merchandiser', @@ -34949,6 +90206,7 @@ export const scrabble_array = [ 'merchandizes', 'merchandizing', 'merchandizings', + 'merchant', 'merchantabilities', 'merchantability', 'merchantable', @@ -34956,32 +90214,75 @@ export const scrabble_array = [ 'merchanting', 'merchantman', 'merchantmen', + 'merchants', + 'mercies', + 'merciful', 'mercifully', 'mercifulness', 'mercifulnesses', + 'merciless', 'mercilessly', 'mercilessness', 'mercilessnesses', + 'mercurate', 'mercurated', 'mercurates', 'mercurating', 'mercuration', 'mercurations', + 'mercurial', 'mercurially', 'mercurialness', 'mercurialnesses', 'mercurials', + 'mercuric', + 'mercuries', + 'mercurous', + 'mercury', + 'mercy', + 'merde', + 'merdes', + 'mere', + 'merely', + 'merengue', + 'merengues', + 'merer', + 'meres', + 'merest', 'meretricious', 'meretriciously', 'meretriciousness', 'meretriciousnesses', + 'merganser', 'mergansers', + 'merge', + 'merged', + 'mergence', + 'mergences', + 'merger', + 'mergers', + 'merges', + 'merging', + 'meridian', + 'meridians', 'meridional', 'meridionally', 'meridionals', + 'meringue', + 'meringues', + 'merino', + 'merinos', + 'merises', + 'merisis', + 'meristem', 'meristematic', 'meristematically', + 'meristems', + 'meristic', 'meristically', + 'merit', + 'merited', + 'meriting', 'meritocracies', 'meritocracy', 'meritocrat', @@ -34991,24 +90292,63 @@ export const scrabble_array = [ 'meritoriously', 'meritoriousness', 'meritoriousnesses', + 'merits', + 'merk', + 'merks', + 'merl', + 'merle', + 'merles', + 'merlin', + 'merlins', + 'merlon', + 'merlons', + 'merlot', + 'merlots', + 'merls', + 'mermaid', + 'mermaids', + 'merman', + 'mermen', 'meroblastic', 'meroblastically', + 'merocrine', 'meromorphic', 'meromyosin', 'meromyosins', + 'meropia', + 'meropias', + 'meropic', + 'merozoite', 'merozoites', + 'merrier', + 'merriest', + 'merrily', + 'merriment', 'merriments', + 'merriness', 'merrinesses', + 'merry', 'merrymaker', 'merrymakers', 'merrymaking', 'merrymakings', 'merrythought', 'merrythoughts', + 'mesa', 'mesalliance', 'mesalliances', + 'mesally', + 'mesarch', + 'mesas', + 'mescal', + 'mescaline', 'mescalines', + 'mescals', + 'mesdames', 'mesdemoiselles', + 'meseemed', + 'meseemeth', + 'meseems', 'mesembryanthemum', 'mesembryanthemums', 'mesencephala', @@ -35017,41 +90357,90 @@ export const scrabble_array = [ 'mesenchymal', 'mesenchyme', 'mesenchymes', + 'mesentera', 'mesenteric', 'mesenteries', 'mesenteron', + 'mesentery', + 'mesh', + 'meshed', + 'meshes', + 'meshier', + 'meshiest', + 'meshing', + 'meshuga', + 'meshugah', + 'meshugga', + 'meshuggah', + 'meshugge', 'meshuggener', 'meshuggeners', + 'meshwork', + 'meshworks', + 'meshy', + 'mesial', + 'mesially', + 'mesian', + 'mesic', + 'mesmeric', 'mesmerically', + 'mesmerise', 'mesmerised', 'mesmerises', 'mesmerising', + 'mesmerism', 'mesmerisms', + 'mesmerist', 'mesmerists', + 'mesmerize', 'mesmerized', 'mesmerizer', 'mesmerizers', 'mesmerizes', 'mesmerizing', 'mesnalties', + 'mesnalty', + 'mesne', + 'mesnes', + 'mesocarp', + 'mesocarps', 'mesocyclone', 'mesocyclones', + 'mesoderm', 'mesodermal', + 'mesoderms', + 'mesoglea', + 'mesogleas', + 'mesogloea', 'mesogloeas', + 'mesomere', + 'mesomeres', + 'mesomorph', 'mesomorphic', 'mesomorphies', 'mesomorphs', 'mesomorphy', + 'meson', 'mesonephric', 'mesonephroi', 'mesonephros', + 'mesonic', + 'mesons', + 'mesopause', 'mesopauses', 'mesopelagic', + 'mesophyl', + 'mesophyll', 'mesophyllic', 'mesophyllous', 'mesophylls', + 'mesophyls', + 'mesophyte', 'mesophytes', 'mesophytic', + 'mesoscale', + 'mesosome', + 'mesosomes', 'mesosphere', 'mesospheres', 'mesospheric', @@ -35065,16 +90454,66 @@ export const scrabble_array = [ 'mesothoracic', 'mesothorax', 'mesothoraxes', + 'mesotron', + 'mesotrons', 'mesotrophic', + 'mesquit', + 'mesquite', + 'mesquites', + 'mesquits', + 'mess', + 'message', + 'messaged', + 'messages', + 'messaging', + 'messaline', 'messalines', + 'messan', + 'messans', + 'messed', 'messeigneurs', + 'messenger', 'messengers', + 'messes', + 'messiah', + 'messiahs', 'messiahship', 'messiahships', + 'messianic', 'messianism', 'messianisms', + 'messier', + 'messiest', + 'messieurs', + 'messily', + 'messiness', 'messinesses', + 'messing', + 'messman', + 'messmate', + 'messmates', + 'messmen', + 'messuage', + 'messuages', + 'messy', + 'mestee', + 'mestees', + 'mesteso', + 'mestesoes', + 'mestesos', + 'mestino', + 'mestinoes', + 'mestinos', + 'mestiza', + 'mestizas', + 'mestizo', + 'mestizoes', + 'mestizos', + 'mestranol', 'mestranols', + 'met', + 'meta', + 'metabolic', 'metabolically', 'metabolism', 'metabolisms', @@ -35087,6 +90526,7 @@ export const scrabble_array = [ 'metabolizing', 'metacarpal', 'metacarpals', + 'metacarpi', 'metacarpus', 'metacenter', 'metacenters', @@ -35106,19 +90546,37 @@ export const scrabble_array = [ 'metagalactic', 'metagalaxies', 'metagalaxy', + 'metage', 'metageneses', 'metagenesis', 'metagenetic', + 'metages', + 'metal', 'metalanguage', 'metalanguages', + 'metaled', + 'metaling', 'metalinguistic', 'metalinguistics', + 'metalise', + 'metalised', + 'metalises', 'metalising', + 'metalist', + 'metalists', + 'metalize', + 'metalized', + 'metalizes', 'metalizing', + 'metalled', + 'metallic', 'metallically', + 'metallics', 'metalliferous', + 'metalling', 'metallization', 'metallizations', + 'metallize', 'metallized', 'metallizes', 'metallizing', @@ -35128,6 +90586,7 @@ export const scrabble_array = [ 'metallographically', 'metallographies', 'metallography', + 'metalloid', 'metalloidal', 'metalloids', 'metallophone', @@ -35138,10 +90597,14 @@ export const scrabble_array = [ 'metallurgist', 'metallurgists', 'metallurgy', + 'metalmark', 'metalmarks', + 'metals', 'metalsmith', 'metalsmiths', + 'metalware', 'metalwares', + 'metalwork', 'metalworker', 'metalworkers', 'metalworking', @@ -35149,9 +90612,14 @@ export const scrabble_array = [ 'metalworks', 'metamathematical', 'metamathematics', + 'metamer', + 'metamere', + 'metameres', + 'metameric', 'metamerically', 'metamerism', 'metamerisms', + 'metamers', 'metamorphic', 'metamorphically', 'metamorphism', @@ -35166,10 +90634,13 @@ export const scrabble_array = [ 'metanephric', 'metanephroi', 'metanephros', + 'metaphase', 'metaphases', + 'metaphor', 'metaphoric', 'metaphorical', 'metaphorically', + 'metaphors', 'metaphosphate', 'metaphosphates', 'metaphrase', @@ -35205,7 +90676,10 @@ export const scrabble_array = [ 'metastatically', 'metatarsal', 'metatarsals', + 'metatarsi', 'metatarsus', + 'metate', + 'metates', 'metatheses', 'metathesis', 'metathetic', @@ -35215,19 +90689,32 @@ export const scrabble_array = [ 'metathoracic', 'metathorax', 'metathoraxes', + 'metaxylem', 'metaxylems', + 'metazoa', + 'metazoal', + 'metazoan', + 'metazoans', + 'metazoic', + 'metazoon', + 'mete', + 'meted', 'metempsychoses', 'metempsychosis', 'metencephala', 'metencephalic', 'metencephalon', + 'meteor', + 'meteoric', 'meteorically', + 'meteorite', 'meteorites', 'meteoritic', 'meteoritical', 'meteoriticist', 'meteoriticists', 'meteoritics', + 'meteoroid', 'meteoroidal', 'meteoroids', 'meteorologic', @@ -35237,20 +90724,40 @@ export const scrabble_array = [ 'meteorologist', 'meteorologists', 'meteorology', + 'meteors', + 'metepa', + 'metepas', + 'meter', + 'meterage', + 'meterages', + 'metered', + 'metering', + 'meters', 'meterstick', 'metersticks', + 'metes', + 'metestrus', 'metestruses', + 'meth', 'methacrylate', 'methacrylates', + 'methadon', + 'methadone', 'methadones', + 'methadons', 'methamphetamine', 'methamphetamines', 'methanation', 'methanations', + 'methane', + 'methanes', + 'methanol', + 'methanols', 'methaqualone', 'methaqualones', 'methedrine', 'methedrines', + 'metheglin', 'metheglins', 'methemoglobin', 'methemoglobinemia', @@ -35260,18 +90767,25 @@ export const scrabble_array = [ 'methenamines', 'methicillin', 'methicillins', + 'methinks', 'methionine', 'methionines', + 'method', + 'methodic', 'methodical', 'methodically', 'methodicalness', 'methodicalnesses', + 'methodise', 'methodised', 'methodises', 'methodising', + 'methodism', 'methodisms', + 'methodist', 'methodistic', 'methodists', + 'methodize', 'methodized', 'methodizes', 'methodizing', @@ -35281,15 +90795,25 @@ export const scrabble_array = [ 'methodologist', 'methodologists', 'methodology', + 'methods', 'methotrexate', 'methotrexates', + 'methought', + 'methoxy', 'methoxychlor', 'methoxychlors', 'methoxyflurane', 'methoxyfluranes', + 'methoxyl', + 'meths', + 'methyl', + 'methylal', + 'methylals', 'methylamine', 'methylamines', + 'methylase', 'methylases', + 'methylate', 'methylated', 'methylates', 'methylating', @@ -35303,7 +90827,9 @@ export const scrabble_array = [ 'methylcholanthrenes', 'methyldopa', 'methyldopas', + 'methylene', 'methylenes', + 'methylic', 'methylmercuries', 'methylmercury', 'methylnaphthalene', @@ -35312,32 +90838,69 @@ export const scrabble_array = [ 'methylphenidates', 'methylprednisolone', 'methylprednisolones', + 'methyls', 'methylxanthine', 'methylxanthines', 'methysergide', 'methysergides', + 'meticais', + 'metical', + 'meticals', 'meticulosities', 'meticulosity', 'meticulous', 'meticulously', 'meticulousness', 'meticulousnesses', + 'metier', + 'metiers', + 'meting', + 'metis', + 'metisse', + 'metisses', + 'metonym', + 'metonymic', 'metonymical', 'metonymies', + 'metonyms', + 'metonymy', + 'metopae', + 'metope', + 'metopes', + 'metopic', + 'metopon', + 'metopons', + 'metre', + 'metred', + 'metres', + 'metric', + 'metrical', 'metrically', 'metrication', 'metrications', + 'metricize', 'metricized', 'metricizes', 'metricizing', + 'metrics', + 'metrified', + 'metrifies', + 'metrify', 'metrifying', + 'metring', + 'metrist', + 'metrists', + 'metritis', 'metritises', + 'metro', 'metrological', 'metrologies', 'metrologist', 'metrologists', + 'metrology', 'metronidazole', 'metronidazoles', + 'metronome', 'metronomes', 'metronomic', 'metronomical', @@ -35348,11 +90911,105 @@ export const scrabble_array = [ 'metropolitans', 'metrorrhagia', 'metrorrhagias', + 'metros', + 'mettle', + 'mettled', + 'mettles', 'mettlesome', + 'metump', + 'metumps', + 'meuniere', + 'mew', + 'mewed', + 'mewing', + 'mewl', + 'mewled', + 'mewler', + 'mewlers', + 'mewling', + 'mewls', + 'mews', + 'mezcal', + 'mezcals', + 'meze', + 'mezereon', + 'mezereons', + 'mezereum', + 'mezereums', + 'mezes', + 'mezquit', + 'mezquite', + 'mezquites', + 'mezquits', + 'mezuza', + 'mezuzah', + 'mezuzahs', + 'mezuzas', + 'mezuzot', + 'mezuzoth', + 'mezzanine', 'mezzanines', + 'mezzo', + 'mezzos', + 'mezzotint', 'mezzotints', + 'mho', + 'mhos', + 'mi', + 'miaou', + 'miaoued', + 'miaouing', + 'miaous', + 'miaow', + 'miaowed', + 'miaowing', + 'miaows', + 'miasm', + 'miasma', + 'miasmal', + 'miasmas', + 'miasmata', + 'miasmatic', + 'miasmic', 'miasmically', + 'miasms', + 'miaul', + 'miauled', + 'miauling', + 'miauls', + 'mib', + 'mibs', + 'mica', + 'micaceous', + 'micas', + 'micawber', + 'micawbers', + 'mice', + 'micell', + 'micella', + 'micellae', + 'micellar', + 'micelle', + 'micelles', + 'micells', + 'miche', + 'miched', + 'miches', + 'miching', + 'mick', + 'mickey', + 'mickeys', + 'mickle', + 'mickler', + 'mickles', + 'micklest', + 'micks', + 'micra', + 'micrified', + 'micrifies', + 'micrify', 'micrifying', + 'micro', 'microampere', 'microamperes', 'microanalyses', @@ -35366,9 +91023,16 @@ export const scrabble_array = [ 'microanatomy', 'microbalance', 'microbalances', + 'microbar', 'microbarograph', 'microbarographs', + 'microbars', + 'microbe', + 'microbeam', 'microbeams', + 'microbes', + 'microbial', + 'microbic', 'microbiologic', 'microbiological', 'microbiologically', @@ -35376,6 +91040,7 @@ export const scrabble_array = [ 'microbiologist', 'microbiologists', 'microbiology', + 'microbrew', 'microbrewer', 'microbreweries', 'microbrewers', @@ -35385,6 +91050,7 @@ export const scrabble_array = [ 'microbrews', 'microburst', 'microbursts', + 'microbus', 'microbuses', 'microbusses', 'microcalorimeter', @@ -35400,6 +91066,7 @@ export const scrabble_array = [ 'microcephalics', 'microcephalies', 'microcephaly', + 'microchip', 'microchips', 'microcircuit', 'microcircuitries', @@ -35416,10 +91083,13 @@ export const scrabble_array = [ 'micrococcal', 'micrococci', 'micrococcus', + 'microcode', 'microcodes', 'microcomputer', 'microcomputers', 'microcopies', + 'microcopy', + 'microcosm', 'microcosmic', 'microcosmically', 'microcosmos', @@ -35435,6 +91105,7 @@ export const scrabble_array = [ 'microcultures', 'microcurie', 'microcuries', + 'microcyte', 'microcytes', 'microcytic', 'microdensitometer', @@ -35444,6 +91115,8 @@ export const scrabble_array = [ 'microdensitometry', 'microdissection', 'microdissections', + 'microdot', + 'microdots', 'microearthquake', 'microearthquakes', 'microeconomic', @@ -35487,6 +91160,7 @@ export const scrabble_array = [ 'microfilaria', 'microfilariae', 'microfilarial', + 'microfilm', 'microfilmable', 'microfilmed', 'microfilmer', @@ -35497,6 +91171,7 @@ export const scrabble_array = [ 'microflorae', 'microfloral', 'microfloras', + 'microform', 'microforms', 'microfossil', 'microfossils', @@ -35507,6 +91182,7 @@ export const scrabble_array = [ 'microgametes', 'microgametocyte', 'microgametocytes', + 'microgram', 'micrograms', 'micrograph', 'micrographed', @@ -35521,8 +91197,11 @@ export const scrabble_array = [ 'microgrooves', 'microhabitat', 'microhabitats', + 'microhm', + 'microhms', 'microimage', 'microimages', + 'microinch', 'microinches', 'microinject', 'microinjected', @@ -35536,9 +91215,11 @@ export const scrabble_array = [ 'microlepidopterous', 'microliter', 'microliters', + 'microlith', 'microlithic', 'microliths', 'microluces', + 'microlux', 'microluxes', 'micromanage', 'micromanaged', @@ -35552,6 +91233,7 @@ export const scrabble_array = [ 'micromanipulations', 'micromanipulator', 'micromanipulators', + 'micromere', 'micromeres', 'micrometeorite', 'micrometeorites', @@ -35567,19 +91249,26 @@ export const scrabble_array = [ 'micrometers', 'micromethod', 'micromethods', + 'micromho', + 'micromhos', + 'micromini', 'microminiature', 'microminiaturization', 'microminiaturizations', 'microminiaturized', 'microminis', 'micromolar', + 'micromole', 'micromoles', 'micromorphological', 'micromorphologies', 'micromorphology', + 'micron', + 'micronize', 'micronized', 'micronizes', 'micronizing', + 'microns', 'micronuclei', 'micronucleus', 'micronucleuses', @@ -35626,6 +91315,7 @@ export const scrabble_array = [ 'micropipettes', 'microplankton', 'microplanktons', + 'micropore', 'micropores', 'microporosities', 'microporosity', @@ -35653,6 +91343,7 @@ export const scrabble_array = [ 'micropuncture', 'micropunctures', 'micropylar', + 'micropyle', 'micropyles', 'microquake', 'microquakes', @@ -35665,6 +91356,7 @@ export const scrabble_array = [ 'microreaders', 'microreproduction', 'microreproductions', + 'micros', 'microscale', 'microscales', 'microscope', @@ -35684,6 +91376,7 @@ export const scrabble_array = [ 'microseismicity', 'microseisms', 'microsomal', + 'microsome', 'microsomes', 'microspectrophotometer', 'microspectrophotometers', @@ -35719,11 +91412,13 @@ export const scrabble_array = [ 'microtechnics', 'microtechnique', 'microtechniques', + 'microtome', 'microtomes', 'microtonal', 'microtonalities', 'microtonality', 'microtonally', + 'microtone', 'microtones', 'microtubular', 'microtubule', @@ -35735,9 +91430,12 @@ export const scrabble_array = [ 'microvilli', 'microvillous', 'microvillus', + 'microvolt', 'microvolts', + 'microwatt', 'microwatts', 'microwavable', + 'microwave', 'microwaveable', 'microwaved', 'microwaves', @@ -35745,48 +91443,251 @@ export const scrabble_array = [ 'microworld', 'microworlds', 'micrurgies', + 'micrurgy', + 'micturate', 'micturated', 'micturates', 'micturating', 'micturition', 'micturitions', + 'mid', + 'midair', + 'midairs', + 'midbrain', + 'midbrains', + 'midcourse', + 'midcult', + 'midcults', + 'midday', + 'middays', + 'midden', + 'middens', + 'middies', + 'middle', 'middlebrow', 'middlebrows', + 'middled', + 'middleman', + 'middlemen', + 'middler', + 'middlers', + 'middles', 'middleweight', 'middleweights', + 'middling', 'middlingly', + 'middlings', + 'middorsal', + 'middy', + 'midfield', 'midfielder', 'midfielders', + 'midfields', + 'midge', + 'midges', + 'midget', + 'midgets', + 'midgut', + 'midguts', + 'midi', + 'midiron', + 'midirons', + 'midis', + 'midland', + 'midlands', 'midlatitude', 'midlatitudes', + 'midleg', + 'midlegs', + 'midlife', + 'midline', + 'midlines', + 'midlives', + 'midmonth', + 'midmonths', + 'midmost', + 'midmosts', + 'midnight', 'midnightly', + 'midnights', + 'midnoon', + 'midnoons', + 'midpoint', + 'midpoints', + 'midrange', + 'midranges', + 'midrash', + 'midrashic', + 'midrashim', 'midrashoth', + 'midrib', + 'midribs', + 'midriff', + 'midriffs', + 'mids', 'midsagittal', 'midsection', 'midsections', + 'midship', 'midshipman', 'midshipmen', + 'midships', + 'midsize', + 'midsized', + 'midsole', + 'midsoles', + 'midspace', + 'midspaces', + 'midst', 'midstories', + 'midstory', + 'midstream', 'midstreams', + 'midsts', + 'midsummer', 'midsummers', + 'midterm', + 'midterms', + 'midtown', + 'midtowns', + 'midwatch', 'midwatches', + 'midway', + 'midways', + 'midweek', + 'midweekly', + 'midweeks', 'midwestern', + 'midwife', + 'midwifed', 'midwiferies', + 'midwifery', + 'midwifes', + 'midwifing', + 'midwinter', 'midwinters', + 'midwived', + 'midwives', + 'midwiving', + 'midyear', + 'midyears', + 'mien', + 'miens', + 'miff', + 'miffed', + 'miffier', + 'miffiest', + 'miffing', + 'miffs', + 'miffy', + 'mig', + 'migg', + 'miggle', + 'miggles', + 'miggs', + 'might', + 'mightier', + 'mightiest', + 'mightily', 'mightiness', 'mightinesses', + 'mights', + 'mighty', + 'mignon', 'mignonette', 'mignonettes', + 'mignonne', + 'mignons', + 'migraine', + 'migraines', 'migrainous', + 'migrant', + 'migrants', + 'migrate', + 'migrated', + 'migrates', + 'migrating', + 'migration', 'migrational', 'migrations', + 'migrator', + 'migrators', + 'migratory', + 'migs', + 'mihrab', + 'mihrabs', + 'mijnheer', + 'mijnheers', + 'mikado', + 'mikados', + 'mike', + 'miked', + 'mikes', + 'miking', + 'mikra', + 'mikron', + 'mikrons', + 'mikvah', + 'mikvahs', + 'mikveh', + 'mikvehs', + 'mikvoth', + 'mil', + 'miladi', + 'miladies', + 'miladis', + 'milady', + 'milage', + 'milages', + 'milch', + 'milchig', + 'mild', + 'milden', + 'mildened', + 'mildening', + 'mildens', + 'milder', + 'mildest', + 'mildew', + 'mildewed', + 'mildewing', + 'mildews', + 'mildewy', + 'mildly', + 'mildness', 'mildnesses', + 'mile', + 'mileage', + 'mileages', + 'milepost', + 'mileposts', + 'miler', + 'milers', + 'miles', + 'milesimo', + 'milesimos', + 'milestone', 'milestones', + 'milfoil', + 'milfoils', + 'milia', + 'miliaria', + 'miliarial', + 'miliarias', + 'miliary', + 'milieu', + 'milieus', + 'milieux', + 'militance', 'militances', 'militancies', + 'militancy', + 'militant', 'militantly', 'militantness', 'militantnesses', + 'militants', + 'militaria', 'militaries', 'militarily', 'militarise', @@ -35805,11 +91706,54 @@ export const scrabble_array = [ 'militarized', 'militarizes', 'militarizing', + 'military', + 'militate', + 'militated', + 'militates', 'militating', + 'militia', 'militiaman', 'militiamen', + 'militias', + 'milium', + 'milk', + 'milked', + 'milker', + 'milkers', + 'milkfish', 'milkfishes', + 'milkier', + 'milkiest', + 'milkily', + 'milkiness', 'milkinesses', + 'milking', + 'milkmaid', + 'milkmaids', + 'milkman', + 'milkmen', + 'milks', + 'milkshed', + 'milksheds', + 'milksop', + 'milksops', + 'milkweed', + 'milkweeds', + 'milkwood', + 'milkwoods', + 'milkwort', + 'milkworts', + 'milky', + 'mill', + 'millable', + 'millage', + 'millages', + 'millcake', + 'millcakes', + 'milldam', + 'milldams', + 'mille', + 'milled', 'millefiori', 'millefioris', 'millefleur', @@ -35819,6 +91763,8 @@ export const scrabble_array = [ 'millenarianisms', 'millenarians', 'millenaries', + 'millenary', + 'millennia', 'millennial', 'millennialism', 'millennialisms', @@ -35826,17 +91772,39 @@ export const scrabble_array = [ 'millennialists', 'millennium', 'millenniums', + 'milleped', + 'millepeds', + 'miller', + 'millerite', 'millerites', + 'millers', + 'milles', 'millesimal', 'millesimally', 'millesimals', + 'millet', + 'millets', 'milliampere', 'milliamperes', + 'milliard', + 'milliards', + 'milliare', + 'milliares', 'milliaries', + 'milliary', + 'millibar', + 'millibars', 'millicurie', 'millicuries', 'millidegree', 'millidegrees', + 'millieme', + 'milliemes', + 'millier', + 'milliers', + 'milligal', + 'milligals', + 'milligram', 'milligrams', 'millihenries', 'millihenry', @@ -35846,58 +91814,178 @@ export const scrabble_array = [ 'milliliter', 'milliliters', 'milliluces', + 'millilux', 'milliluxes', + 'millime', + 'millimes', 'millimeter', 'millimeters', + 'millimho', + 'millimhos', 'millimicron', 'millimicrons', 'millimolar', + 'millimole', 'millimoles', + 'milline', + 'milliner', 'millineries', + 'milliners', + 'millinery', + 'millines', + 'milling', + 'millings', + 'milliohm', + 'milliohms', + 'million', 'millionaire', 'millionaires', 'millionairess', 'millionairesses', 'millionfold', + 'millions', + 'millionth', 'millionths', 'milliosmol', 'milliosmols', + 'milliped', + 'millipede', 'millipedes', + 'millipeds', 'milliradian', 'milliradians', + 'millirem', + 'millirems', 'milliroentgen', 'milliroentgens', 'millisecond', 'milliseconds', + 'millivolt', 'millivolts', + 'milliwatt', 'milliwatts', + 'millpond', + 'millponds', + 'millrace', + 'millraces', + 'millrun', + 'millruns', + 'mills', + 'millstone', 'millstones', 'millstream', 'millstreams', + 'millwork', + 'millworks', 'millwright', 'millwrights', + 'milneb', + 'milnebs', + 'milo', + 'milord', + 'milords', + 'milos', + 'milpa', + 'milpas', 'milquetoast', 'milquetoasts', + 'milreis', + 'mils', + 'milt', + 'milted', + 'milter', + 'milters', + 'miltier', + 'miltiest', + 'milting', + 'milts', + 'milty', + 'mim', + 'mimbar', + 'mimbars', + 'mime', + 'mimed', + 'mimeo', + 'mimeoed', 'mimeograph', 'mimeographed', 'mimeographing', 'mimeographs', + 'mimeoing', + 'mimeos', + 'mimer', + 'mimers', + 'mimes', + 'mimesis', + 'mimesises', + 'mimetic', 'mimetically', + 'mimetite', + 'mimetites', + 'mimic', + 'mimical', + 'mimicked', + 'mimicker', + 'mimickers', + 'mimicking', + 'mimicries', + 'mimicry', + 'mimics', + 'miming', + 'mimosa', + 'mimosas', + 'mina', + 'minable', 'minacities', + 'minacity', + 'minae', + 'minaret', + 'minarets', + 'minas', + 'minatory', 'minaudiere', 'minaudieres', + 'mince', + 'minced', + 'mincemeat', 'mincemeats', + 'mincer', + 'mincers', + 'minces', + 'mincier', + 'minciest', + 'mincing', + 'mincingly', + 'mincy', + 'mind', 'mindblower', 'mindblowers', + 'minded', 'mindedness', 'mindednesses', + 'minder', + 'minders', + 'mindful', + 'mindfully', 'mindfulness', 'mindfulnesses', + 'minding', + 'mindless', 'mindlessly', 'mindlessness', 'mindlessnesses', + 'minds', + 'mindset', + 'mindsets', + 'mine', + 'mineable', + 'mined', + 'minefield', 'minefields', + 'minelayer', 'minelayers', + 'miner', + 'mineral', 'mineralise', 'mineralised', 'mineralises', @@ -35920,12 +92008,26 @@ export const scrabble_array = [ 'mineralogist', 'mineralogists', 'mineralogy', + 'minerals', + 'miners', + 'mines', 'minestrone', 'minestrones', 'minesweeper', 'minesweepers', 'minesweeping', 'minesweepings', + 'mingier', + 'mingiest', + 'mingle', + 'mingled', + 'mingler', + 'minglers', + 'mingles', + 'mingling', + 'mingy', + 'mini', + 'miniature', 'miniatures', 'miniaturist', 'miniaturistic', @@ -35936,64 +92038,241 @@ export const scrabble_array = [ 'miniaturized', 'miniaturizes', 'miniaturizing', + 'minibike', + 'minibiker', 'minibikers', + 'minibikes', + 'minibus', + 'minibuses', 'minibusses', + 'minicab', + 'minicabs', + 'minicamp', + 'minicamps', + 'minicar', + 'minicars', 'minicomputer', 'minicomputers', 'minicourse', 'minicourses', + 'minified', + 'minifies', + 'minify', + 'minifying', + 'minikin', + 'minikins', + 'minilab', + 'minilabs', + 'minim', + 'minima', + 'minimal', 'minimalism', 'minimalisms', 'minimalist', 'minimalists', + 'minimally', + 'minimals', + 'minimax', + 'minimaxes', + 'minimill', + 'minimills', + 'minimise', + 'minimised', + 'minimises', 'minimising', 'minimization', 'minimizations', + 'minimize', + 'minimized', + 'minimizer', 'minimizers', + 'minimizes', 'minimizing', + 'minims', + 'minimum', + 'minimums', + 'mining', + 'minings', + 'minion', + 'minions', + 'minipark', + 'miniparks', + 'minis', 'minischool', 'minischools', + 'miniscule', 'miniscules', 'miniseries', + 'minish', + 'minished', + 'minishes', + 'minishing', + 'miniski', + 'miniskirt', 'miniskirted', 'miniskirts', + 'miniskis', + 'ministate', 'ministates', + 'minister', 'ministered', 'ministerial', 'ministerially', 'ministering', + 'ministers', 'ministrant', 'ministrants', 'ministration', 'ministrations', 'ministries', + 'ministry', + 'minium', + 'miniums', + 'minivan', + 'minivans', + 'miniver', + 'minivers', + 'mink', + 'minke', + 'minkes', + 'minks', 'minnesinger', 'minnesingers', + 'minnies', + 'minnow', + 'minnows', + 'minny', + 'minor', + 'minorca', + 'minorcas', + 'minored', + 'minoring', 'minorities', + 'minority', + 'minors', + 'minoxidil', 'minoxidils', + 'minster', + 'minsters', + 'minstrel', + 'minstrels', 'minstrelsies', 'minstrelsy', + 'mint', + 'mintage', + 'mintages', + 'minted', + 'minter', + 'minters', + 'mintier', + 'mintiest', + 'minting', + 'mints', + 'minty', + 'minuend', + 'minuends', + 'minuet', + 'minuets', + 'minus', + 'minuscule', 'minuscules', + 'minuses', + 'minute', + 'minuted', + 'minutely', + 'minuteman', + 'minutemen', 'minuteness', 'minutenesses', + 'minuter', + 'minutes', + 'minutest', + 'minutia', + 'minutiae', + 'minutial', + 'minuting', + 'minx', + 'minxes', + 'minxish', + 'minyan', + 'minyanim', + 'minyans', + 'mioses', + 'miosis', + 'miotic', + 'miotics', + 'miquelet', + 'miquelets', + 'mir', + 'miracidia', 'miracidial', 'miracidium', + 'miracle', + 'miracles', 'miraculous', 'miraculously', 'miraculousness', 'miraculousnesses', + 'mirador', + 'miradors', + 'mirage', + 'mirages', + 'mire', + 'mired', + 'mires', + 'mirex', + 'mirexes', + 'miri', + 'mirier', + 'miriest', + 'miriness', 'mirinesses', + 'miring', + 'mirk', + 'mirker', + 'mirkest', + 'mirkier', + 'mirkiest', + 'mirkily', + 'mirks', + 'mirky', + 'mirliton', + 'mirlitons', + 'mirror', + 'mirrored', + 'mirroring', 'mirrorlike', + 'mirrors', + 'mirs', + 'mirth', + 'mirthful', 'mirthfully', 'mirthfulness', 'mirthfulnesses', + 'mirthless', 'mirthlessly', + 'mirths', + 'miry', + 'mirza', + 'mirzas', + 'mis', + 'misact', + 'misacted', + 'misacting', + 'misacts', + 'misadapt', 'misadapted', 'misadapting', + 'misadapts', + 'misadd', + 'misadded', + 'misadding', 'misaddress', 'misaddressed', 'misaddresses', 'misaddressing', + 'misadds', + 'misadjust', 'misadjusted', 'misadjusting', 'misadjusts', @@ -36001,27 +92280,42 @@ export const scrabble_array = [ 'misadministrations', 'misadventure', 'misadventures', + 'misadvise', 'misadvised', 'misadvises', 'misadvising', + 'misagent', + 'misagents', + 'misaim', + 'misaimed', + 'misaiming', + 'misaims', + 'misalign', 'misaligned', 'misaligning', 'misalignment', 'misalignments', + 'misaligns', 'misalliance', 'misalliances', + 'misallied', + 'misallies', 'misallocate', 'misallocated', 'misallocates', 'misallocating', 'misallocation', 'misallocations', + 'misally', 'misallying', + 'misalter', 'misaltered', 'misaltering', + 'misalters', 'misanalyses', 'misanalysis', 'misandries', + 'misandry', 'misanthrope', 'misanthropes', 'misanthropic', @@ -36032,6 +92326,7 @@ export const scrabble_array = [ 'misapplications', 'misapplied', 'misapplies', + 'misapply', 'misapplying', 'misappraisal', 'misappraisals', @@ -36051,14 +92346,20 @@ export const scrabble_array = [ 'misarticulated', 'misarticulates', 'misarticulating', + 'misassay', 'misassayed', 'misassaying', + 'misassays', 'misassemble', 'misassembled', 'misassembles', 'misassembling', 'misassumption', 'misassumptions', + 'misate', + 'misatone', + 'misatoned', + 'misatones', 'misatoning', 'misattribute', 'misattributed', @@ -36066,18 +92367,30 @@ export const scrabble_array = [ 'misattributing', 'misattribution', 'misattributions', + 'misaver', 'misaverred', 'misaverring', + 'misavers', + 'misaward', 'misawarded', 'misawarding', + 'misawards', 'misbalance', 'misbalanced', 'misbalances', 'misbalancing', + 'misbecame', + 'misbecome', 'misbecomes', 'misbecoming', + 'misbegan', + 'misbegin', 'misbeginning', + 'misbegins', + 'misbegot', 'misbegotten', + 'misbegun', + 'misbehave', 'misbehaved', 'misbehaver', 'misbehavers', @@ -36085,6 +92398,7 @@ export const scrabble_array = [ 'misbehaving', 'misbehavior', 'misbehaviors', + 'misbelief', 'misbeliefs', 'misbelieve', 'misbelieved', @@ -36092,15 +92406,30 @@ export const scrabble_array = [ 'misbelievers', 'misbelieves', 'misbelieving', + 'misbias', + 'misbiased', + 'misbiases', 'misbiasing', 'misbiassed', 'misbiasses', 'misbiassing', + 'misbill', + 'misbilled', 'misbilling', + 'misbills', + 'misbind', 'misbinding', + 'misbinds', + 'misbound', + 'misbrand', 'misbranded', 'misbranding', + 'misbrands', + 'misbuild', 'misbuilding', + 'misbuilds', + 'misbuilt', + 'misbutton', 'misbuttoned', 'misbuttoning', 'misbuttons', @@ -36110,7 +92439,10 @@ export const scrabble_array = [ 'miscalculating', 'miscalculation', 'miscalculations', + 'miscall', + 'miscalled', 'miscalling', + 'miscalls', 'miscaption', 'miscaptioned', 'miscaptioning', @@ -36119,8 +92451,11 @@ export const scrabble_array = [ 'miscarriages', 'miscarried', 'miscarries', + 'miscarry', 'miscarrying', + 'miscast', 'miscasting', + 'miscasts', 'miscatalog', 'miscataloged', 'miscataloging', @@ -36137,6 +92472,7 @@ export const scrabble_array = [ 'miscellanist', 'miscellanists', 'miscellany', + 'mischance', 'mischances', 'mischannel', 'mischanneled', @@ -36150,20 +92486,32 @@ export const scrabble_array = [ 'mischaracterized', 'mischaracterizes', 'mischaracterizing', + 'mischarge', 'mischarged', 'mischarges', 'mischarging', + 'mischief', + 'mischiefs', 'mischievous', 'mischievously', 'mischievousness', 'mischievousnesses', + 'mischoice', 'mischoices', 'miscibilities', 'miscibility', + 'miscible', 'miscitation', 'miscitations', + 'miscite', + 'miscited', + 'miscites', + 'misciting', + 'misclaim', 'misclaimed', 'misclaiming', + 'misclaims', + 'misclass', 'misclassed', 'misclasses', 'misclassification', @@ -36173,9 +92521,18 @@ export const scrabble_array = [ 'misclassify', 'misclassifying', 'misclassing', + 'miscode', + 'miscoded', + 'miscodes', + 'miscoding', + 'miscoin', + 'miscoined', 'miscoining', + 'miscoins', + 'miscolor', 'miscolored', 'miscoloring', + 'miscolors', 'miscommunication', 'miscommunications', 'miscomprehension', @@ -36210,21 +92567,50 @@ export const scrabble_array = [ 'misconstrued', 'misconstrues', 'misconstruing', + 'miscook', + 'miscooked', 'miscooking', + 'miscooks', + 'miscopied', + 'miscopies', + 'miscopy', 'miscopying', 'miscorrelation', 'miscorrelations', + 'miscount', 'miscounted', 'miscounting', + 'miscounts', + 'miscreant', 'miscreants', + 'miscreate', 'miscreated', 'miscreates', 'miscreating', 'miscreation', 'miscreations', + 'miscue', + 'miscued', + 'miscues', + 'miscuing', + 'miscut', + 'miscuts', 'miscutting', + 'misdate', + 'misdated', + 'misdates', + 'misdating', + 'misdeal', 'misdealing', + 'misdeals', + 'misdealt', + 'misdeed', + 'misdeeds', + 'misdeem', + 'misdeemed', 'misdeeming', + 'misdeems', + 'misdefine', 'misdefined', 'misdefines', 'misdefining', @@ -36247,9 +92633,14 @@ export const scrabble_array = [ 'misdiagnoses', 'misdiagnosing', 'misdiagnosis', + 'misdial', + 'misdialed', 'misdialing', 'misdialled', 'misdialling', + 'misdials', + 'misdid', + 'misdirect', 'misdirected', 'misdirecting', 'misdirection', @@ -36259,11 +92650,38 @@ export const scrabble_array = [ 'misdistributions', 'misdivision', 'misdivisions', + 'misdo', + 'misdoer', + 'misdoers', + 'misdoes', + 'misdoing', + 'misdoings', + 'misdone', + 'misdoubt', 'misdoubted', 'misdoubting', + 'misdoubts', + 'misdraw', 'misdrawing', + 'misdrawn', + 'misdraws', + 'misdrew', + 'misdrive', + 'misdriven', + 'misdrives', 'misdriving', + 'misdrove', + 'mise', + 'misease', + 'miseases', + 'miseat', + 'miseaten', + 'miseating', + 'miseats', + 'misedit', + 'misedited', 'misediting', + 'misedits', 'miseducate', 'miseducated', 'miseducates', @@ -36276,26 +92694,44 @@ export const scrabble_array = [ 'misemphasized', 'misemphasizes', 'misemphasizing', + 'misemploy', 'misemployed', 'misemploying', 'misemployment', 'misemployments', 'misemploys', + 'misenrol', + 'misenroll', 'misenrolled', 'misenrolling', 'misenrolls', + 'misenrols', + 'misenter', 'misentered', 'misentering', + 'misenters', 'misentries', + 'misentry', + 'miser', + 'miserable', 'miserableness', 'miserablenesses', 'miserables', + 'miserably', + 'miserere', + 'misereres', 'misericord', 'misericorde', 'misericordes', 'misericords', + 'miseries', 'miserliness', 'miserlinesses', + 'miserly', + 'misers', + 'misery', + 'mises', + 'misesteem', 'misesteemed', 'misesteeming', 'misesteems', @@ -36311,54 +92747,113 @@ export const scrabble_array = [ 'misevaluating', 'misevaluation', 'misevaluations', + 'misevent', + 'misevents', + 'misfaith', + 'misfaiths', 'misfeasance', 'misfeasances', + 'misfeasor', 'misfeasors', + 'misfield', 'misfielded', 'misfielding', + 'misfields', + 'misfile', + 'misfiled', + 'misfiles', + 'misfiling', + 'misfire', + 'misfired', + 'misfires', + 'misfiring', + 'misfit', + 'misfits', + 'misfitted', 'misfitting', + 'misfocus', 'misfocused', 'misfocuses', 'misfocusing', 'misfocussed', 'misfocusses', 'misfocussing', + 'misform', + 'misformed', 'misforming', + 'misforms', 'misfortune', 'misfortunes', + 'misframe', + 'misframed', + 'misframes', 'misframing', 'misfunction', 'misfunctioned', 'misfunctioning', 'misfunctions', + 'misgauge', + 'misgauged', + 'misgauges', 'misgauging', + 'misgave', + 'misgive', + 'misgiven', + 'misgives', + 'misgiving', 'misgivings', + 'misgovern', 'misgoverned', 'misgoverning', 'misgovernment', 'misgovernments', 'misgoverns', + 'misgrade', + 'misgraded', + 'misgrades', 'misgrading', + 'misgraft', 'misgrafted', 'misgrafting', + 'misgrafts', + 'misgrew', + 'misgrow', 'misgrowing', + 'misgrown', + 'misgrows', + 'misguess', 'misguessed', 'misguesses', 'misguessing', 'misguidance', 'misguidances', + 'misguide', + 'misguided', 'misguidedly', 'misguidedness', 'misguidednesses', + 'misguider', 'misguiders', + 'misguides', 'misguiding', + 'mishandle', 'mishandled', 'mishandles', 'mishandling', + 'mishanter', 'mishanters', + 'mishap', + 'mishaps', + 'mishear', + 'misheard', 'mishearing', + 'mishears', + 'mishit', + 'mishits', 'mishitting', + 'mishmash', 'mishmashes', + 'mishmosh', 'mishmoshes', 'misidentification', 'misidentifications', @@ -36368,13 +92863,17 @@ export const scrabble_array = [ 'misidentifying', 'misimpression', 'misimpressions', + 'misinfer', 'misinferred', 'misinferring', + 'misinfers', + 'misinform', 'misinformation', 'misinformations', 'misinformed', 'misinforming', 'misinforms', + 'misinter', 'misinterpret', 'misinterpretation', 'misinterpretations', @@ -36383,107 +92882,243 @@ export const scrabble_array = [ 'misinterprets', 'misinterred', 'misinterring', + 'misinters', + 'misjoin', 'misjoinder', 'misjoinders', + 'misjoined', 'misjoining', + 'misjoins', + 'misjudge', + 'misjudged', + 'misjudges', 'misjudging', 'misjudgment', 'misjudgments', + 'miskal', + 'miskals', + 'miskeep', 'miskeeping', + 'miskeeps', + 'miskept', + 'miskick', + 'miskicked', 'miskicking', + 'miskicks', + 'misknew', + 'misknow', 'misknowing', 'misknowledge', 'misknowledges', + 'misknown', + 'misknows', + 'mislabel', 'mislabeled', 'mislabeling', 'mislabelled', 'mislabelling', + 'mislabels', + 'mislabor', 'mislabored', 'mislaboring', + 'mislabors', + 'mislaid', + 'mislain', + 'mislay', + 'mislayer', + 'mislayers', + 'mislaying', + 'mislays', + 'mislead', + 'misleader', 'misleaders', 'misleading', 'misleadingly', + 'misleads', + 'misleared', + 'mislearn', 'mislearned', 'mislearning', + 'mislearns', + 'mislearnt', + 'misled', + 'mislie', + 'mislies', + 'mislight', 'mislighted', 'mislighting', + 'mislights', + 'mislike', + 'misliked', + 'misliker', + 'mislikers', + 'mislikes', + 'misliking', + 'mislit', + 'mislive', + 'mislived', + 'mislives', + 'misliving', + 'mislocate', 'mislocated', 'mislocates', 'mislocating', 'mislocation', 'mislocations', + 'mislodge', + 'mislodged', + 'mislodges', 'mislodging', + 'mislying', + 'mismade', + 'mismake', + 'mismakes', + 'mismaking', + 'mismanage', 'mismanaged', 'mismanagement', 'mismanagements', 'mismanages', 'mismanaging', + 'mismark', + 'mismarked', 'mismarking', + 'mismarks', 'mismarriage', 'mismarriages', + 'mismatch', 'mismatched', 'mismatches', 'mismatching', + 'mismate', + 'mismated', + 'mismates', + 'mismating', 'mismeasurement', 'mismeasurements', + 'mismeet', 'mismeeting', + 'mismeets', + 'mismet', + 'mismove', + 'mismoved', + 'mismoves', + 'mismoving', + 'misname', + 'misnamed', + 'misnames', + 'misnaming', + 'misnomer', 'misnomered', + 'misnomers', + 'miso', 'misogamies', 'misogamist', 'misogamists', + 'misogamy', + 'misogynic', 'misogynies', 'misogynist', 'misogynistic', 'misogynists', + 'misogyny', 'misologies', + 'misology', + 'misoneism', 'misoneisms', + 'misorder', 'misordered', 'misordering', + 'misorders', + 'misorient', 'misorientation', 'misorientations', 'misoriented', 'misorienting', 'misorients', + 'misos', 'mispackage', 'mispackaged', 'mispackages', 'mispackaging', + 'mispage', + 'mispaged', + 'mispages', + 'mispaging', + 'mispaint', 'mispainted', 'mispainting', + 'mispaints', + 'misparse', + 'misparsed', + 'misparses', 'misparsing', + 'mispart', + 'misparted', 'misparting', + 'misparts', + 'mispatch', 'mispatched', 'mispatches', 'mispatching', + 'mispen', + 'mispenned', 'mispenning', + 'mispens', 'misperceive', 'misperceived', 'misperceives', 'misperceiving', 'misperception', 'misperceptions', + 'misplace', + 'misplaced', 'misplacement', 'misplacements', + 'misplaces', 'misplacing', + 'misplan', 'misplanned', 'misplanning', + 'misplans', + 'misplant', 'misplanted', 'misplanting', + 'misplants', + 'misplay', + 'misplayed', 'misplaying', + 'misplays', + 'misplead', 'mispleaded', 'mispleading', + 'mispleads', + 'mispled', + 'mispoint', 'mispointed', 'mispointing', + 'mispoints', + 'mispoise', + 'mispoised', + 'mispoises', 'mispoising', 'misposition', 'mispositioned', 'mispositioning', 'mispositions', + 'misprice', + 'mispriced', + 'misprices', 'mispricing', + 'misprint', 'misprinted', 'misprinting', + 'misprints', 'misprision', 'misprisions', + 'misprize', + 'misprized', + 'misprizes', 'misprizing', 'misprogram', 'misprogramed', @@ -36499,38 +93134,60 @@ export const scrabble_array = [ 'mispronunciations', 'misquotation', 'misquotations', + 'misquote', + 'misquoted', + 'misquotes', 'misquoting', + 'misraise', + 'misraised', + 'misraises', 'misraising', + 'misrate', + 'misrated', + 'misrates', + 'misrating', + 'misread', 'misreading', + 'misreads', + 'misreckon', 'misreckoned', 'misreckoning', 'misreckons', 'misrecollection', 'misrecollections', + 'misrecord', 'misrecorded', 'misrecording', 'misrecords', + 'misrefer', 'misreference', 'misreferences', 'misreferred', 'misreferring', + 'misrefers', 'misregister', 'misregistered', 'misregistering', 'misregisters', 'misregistration', 'misregistrations', + 'misrelate', 'misrelated', 'misrelates', 'misrelating', + 'misrelied', + 'misrelies', + 'misrely', 'misrelying', 'misremember', 'misremembered', 'misremembering', 'misremembers', + 'misrender', 'misrendered', 'misrendering', 'misrenders', + 'misreport', 'misreported', 'misreporting', 'misreports', @@ -36541,21 +93198,65 @@ export const scrabble_array = [ 'misrepresented', 'misrepresenting', 'misrepresents', + 'misroute', + 'misrouted', + 'misroutes', 'misrouting', + 'misrule', + 'misruled', + 'misrules', + 'misruling', + 'miss', + 'missable', + 'missaid', + 'missal', + 'missals', + 'missay', + 'missaying', + 'missays', + 'misseat', + 'misseated', 'misseating', + 'misseats', + 'missed', + 'missel', + 'missels', + 'missend', 'missending', + 'missends', + 'missense', + 'missenses', + 'missent', + 'misses', + 'misset', + 'missets', 'missetting', + 'misshape', + 'misshaped', + 'misshapen', 'misshapenly', + 'misshapes', 'misshaping', + 'misshod', + 'missies', + 'missile', + 'missileer', 'missileers', 'missileman', 'missilemen', 'missileries', + 'missilery', + 'missiles', 'missilries', + 'missilry', + 'missing', 'missiologies', 'missiology', + 'mission', 'missionaries', 'missionary', + 'missioned', + 'missioner', 'missioners', 'missioning', 'missionization', @@ -36566,47 +93267,143 @@ export const scrabble_array = [ 'missionizers', 'missionizes', 'missionizing', + 'missions', + 'missis', + 'missises', + 'missive', + 'missives', + 'missort', + 'missorted', 'missorting', + 'missorts', + 'missound', 'missounded', 'missounding', + 'missounds', + 'missout', + 'missouts', + 'misspace', + 'misspaced', + 'misspaces', 'misspacing', + 'misspeak', 'misspeaking', + 'misspeaks', + 'misspell', 'misspelled', 'misspelling', 'misspellings', + 'misspells', + 'misspelt', + 'misspend', 'misspending', + 'misspends', + 'misspent', + 'misspoke', + 'misspoken', + 'misstart', 'misstarted', 'misstarting', + 'misstarts', + 'misstate', + 'misstated', 'misstatement', 'misstatements', + 'misstates', 'misstating', + 'missteer', 'missteered', 'missteering', + 'missteers', + 'misstep', + 'missteps', + 'misstop', 'misstopped', 'misstopping', + 'misstops', 'misstricken', + 'misstrike', 'misstrikes', 'misstriking', + 'misstruck', + 'misstyle', + 'misstyled', + 'misstyles', 'misstyling', + 'missuit', + 'missuited', 'missuiting', + 'missuits', + 'missus', + 'missuses', + 'missy', + 'mist', 'mistakable', + 'mistake', + 'mistaken', 'mistakenly', + 'mistaker', + 'mistakers', + 'mistakes', + 'mistaking', + 'mistaught', + 'mistbow', + 'mistbows', + 'misteach', 'misteaches', 'misteaching', + 'misted', + 'mistend', + 'mistended', 'mistending', + 'mistends', + 'mister', + 'misterm', + 'mistermed', 'misterming', + 'misterms', + 'misters', + 'misteuk', + 'misthink', 'misthinking', + 'misthinks', 'misthought', + 'misthrew', + 'misthrow', 'misthrowing', + 'misthrown', + 'misthrows', + 'mistier', + 'mistiest', + 'mistily', + 'mistime', + 'mistimed', + 'mistimes', + 'mistiming', + 'mistiness', 'mistinesses', + 'misting', + 'mistitle', + 'mistitled', + 'mistitles', 'mistitling', + 'mistletoe', 'mistletoes', + 'mistook', + 'mistouch', 'mistouched', 'mistouches', 'mistouching', + 'mistrace', + 'mistraced', + 'mistraces', 'mistracing', + 'mistrain', 'mistrained', 'mistraining', + 'mistrains', + 'mistral', + 'mistrals', 'mistranscribe', 'mistranscribed', 'mistranscribes', @@ -36619,116 +93416,417 @@ export const scrabble_array = [ 'mistranslating', 'mistranslation', 'mistranslations', + 'mistreat', 'mistreated', 'mistreating', 'mistreatment', 'mistreatments', + 'mistreats', + 'mistress', 'mistresses', + 'mistrial', + 'mistrials', + 'mistrust', 'mistrusted', 'mistrustful', 'mistrustfully', 'mistrustfulness', 'mistrustfulnesses', 'mistrusting', + 'mistrusts', + 'mistruth', + 'mistruths', + 'mistryst', 'mistrysted', 'mistrysting', + 'mistrysts', + 'mists', + 'mistune', + 'mistuned', + 'mistunes', + 'mistuning', + 'mistutor', 'mistutored', 'mistutoring', + 'mistutors', + 'misty', + 'mistype', + 'mistyped', + 'mistypes', + 'mistyping', 'misunderstand', 'misunderstanding', 'misunderstandings', 'misunderstands', 'misunderstood', + 'misunion', + 'misunions', + 'misusage', + 'misusages', + 'misuse', + 'misused', + 'misuser', + 'misusers', + 'misuses', + 'misusing', 'misutilization', 'misutilizations', + 'misvalue', + 'misvalued', + 'misvalues', 'misvaluing', 'misvocalization', 'misvocalizations', + 'misword', + 'misworded', 'miswording', + 'miswords', + 'miswrit', + 'miswrite', + 'miswrites', 'miswriting', 'miswritten', + 'miswrote', + 'misyoke', + 'misyoked', + 'misyokes', + 'misyoking', + 'mite', + 'miter', + 'mitered', + 'miterer', + 'miterers', + 'mitering', + 'miters', + 'miterwort', 'miterworts', + 'mites', + 'mither', + 'mithers', 'mithridate', 'mithridates', + 'miticidal', + 'miticide', + 'miticides', + 'mitier', + 'mitiest', + 'mitigate', + 'mitigated', + 'mitigates', 'mitigating', 'mitigation', 'mitigations', 'mitigative', + 'mitigator', 'mitigators', 'mitigatory', + 'mitis', + 'mitises', 'mitochondria', 'mitochondrial', 'mitochondrion', + 'mitogen', + 'mitogenic', 'mitogenicities', 'mitogenicity', + 'mitogens', + 'mitomycin', 'mitomycins', + 'mitoses', + 'mitosis', + 'mitotic', 'mitotically', + 'mitral', + 'mitre', + 'mitred', + 'mitres', + 'mitrewort', 'mitreworts', + 'mitring', + 'mitsvah', + 'mitsvahs', + 'mitsvoth', + 'mitt', + 'mitten', + 'mittens', + 'mittimus', 'mittimuses', + 'mitts', + 'mity', + 'mitzvah', + 'mitzvahs', + 'mitzvoth', + 'mix', + 'mixable', + 'mixed', + 'mixer', + 'mixers', + 'mixes', + 'mixible', + 'mixing', 'mixologies', 'mixologist', 'mixologists', + 'mixology', + 'mixt', + 'mixture', + 'mixtures', + 'mixup', + 'mixups', + 'mizen', + 'mizens', + 'mizzen', 'mizzenmast', 'mizzenmasts', + 'mizzens', + 'mizzle', + 'mizzled', + 'mizzles', + 'mizzling', + 'mizzly', + 'mm', + 'mnemonic', 'mnemonically', + 'mnemonics', + 'mo', + 'moa', + 'moan', + 'moaned', + 'moaner', + 'moaners', + 'moanful', + 'moaning', + 'moans', + 'moas', + 'moat', + 'moated', + 'moating', + 'moatlike', + 'moats', + 'mob', + 'mobbed', + 'mobber', + 'mobbers', + 'mobbing', + 'mobbish', + 'mobcap', + 'mobcaps', + 'mobile', + 'mobiles', + 'mobilise', + 'mobilised', + 'mobilises', 'mobilising', 'mobilities', + 'mobility', 'mobilization', 'mobilizations', + 'mobilize', + 'mobilized', + 'mobilizes', 'mobilizing', + 'mobled', 'mobocracies', + 'mobocracy', + 'mobocrat', 'mobocratic', + 'mobocrats', + 'mobs', + 'mobster', + 'mobsters', + 'moc', + 'moccasin', + 'moccasins', + 'mocha', + 'mochas', + 'mochila', + 'mochilas', + 'mock', + 'mockable', + 'mocked', + 'mocker', + 'mockeries', + 'mockers', + 'mockery', + 'mocking', 'mockingbird', 'mockingbirds', + 'mockingly', + 'mocks', + 'mockup', + 'mockups', + 'mocs', + 'mod', + 'modal', 'modalities', + 'modality', + 'modally', + 'mode', + 'model', + 'modeled', + 'modeler', + 'modelers', + 'modeling', + 'modelings', + 'modelist', + 'modelists', + 'modelled', + 'modeller', + 'modellers', + 'modelling', + 'models', + 'modem', + 'modems', + 'moderate', + 'moderated', 'moderately', 'moderateness', 'moderatenesses', + 'moderates', 'moderating', 'moderation', 'moderations', + 'moderato', + 'moderator', 'moderators', 'moderatorship', 'moderatorships', + 'moderatos', + 'modern', + 'moderne', + 'moderner', + 'modernest', 'modernisation', 'modernisations', + 'modernise', 'modernised', 'modernises', 'modernising', + 'modernism', 'modernisms', + 'modernist', 'modernistic', 'modernists', 'modernities', + 'modernity', 'modernization', 'modernizations', + 'modernize', 'modernized', 'modernizer', 'modernizers', 'modernizes', 'modernizing', + 'modernly', 'modernness', 'modernnesses', + 'moderns', + 'modes', + 'modest', + 'modester', + 'modestest', + 'modesties', + 'modestly', + 'modesty', + 'modi', + 'modica', + 'modicum', + 'modicums', 'modifiabilities', 'modifiability', 'modifiable', 'modification', 'modifications', + 'modified', + 'modifier', + 'modifiers', + 'modifies', + 'modify', + 'modifying', + 'modillion', 'modillions', + 'modioli', + 'modiolus', + 'modish', + 'modishly', 'modishness', 'modishnesses', + 'modiste', + 'modistes', + 'mods', 'modulabilities', 'modulability', + 'modular', 'modularities', 'modularity', 'modularized', + 'modularly', + 'modulate', + 'modulated', + 'modulates', 'modulating', 'modulation', 'modulations', + 'modulator', 'modulators', 'modulatory', + 'module', + 'modules', + 'moduli', + 'modulo', + 'modulus', + 'modus', + 'mofette', + 'mofettes', + 'moffette', + 'moffettes', + 'mog', + 'mogged', + 'moggie', + 'moggies', + 'mogging', + 'moggy', + 'mogs', + 'mogul', + 'moguls', + 'mohair', + 'mohairs', + 'mohalim', + 'mohel', + 'mohelim', + 'mohels', + 'mohur', + 'mohurs', + 'moidore', + 'moidores', + 'moieties', + 'moiety', + 'moil', + 'moiled', + 'moiler', + 'moilers', + 'moiling', + 'moilingly', + 'moils', + 'moira', + 'moirai', + 'moire', + 'moires', + 'moist', + 'moisten', + 'moistened', + 'moistener', 'moisteners', 'moistening', + 'moistens', + 'moister', + 'moistest', + 'moistful', + 'moistly', + 'moistness', 'moistnesses', + 'moisture', + 'moistures', 'moisturise', 'moisturised', 'moisturises', @@ -36739,42 +93837,168 @@ export const scrabble_array = [ 'moisturizers', 'moisturizes', 'moisturizing', + 'mojarra', + 'mojarras', + 'mojo', + 'mojoes', + 'mojos', + 'moke', + 'mokes', + 'mol', + 'mola', + 'molal', 'molalities', + 'molality', + 'molar', 'molarities', + 'molarity', + 'molars', + 'molas', + 'molasses', 'molasseses', + 'mold', + 'moldable', + 'moldboard', 'moldboards', + 'molded', + 'molder', + 'moldered', + 'moldering', + 'molders', + 'moldier', + 'moldiest', + 'moldiness', 'moldinesses', + 'molding', + 'moldings', + 'molds', + 'moldwarp', + 'moldwarps', + 'moldy', + 'mole', + 'molecular', 'molecularly', + 'molecule', + 'molecules', + 'molehill', + 'molehills', + 'moles', + 'moleskin', + 'moleskins', + 'molest', 'molestation', 'molestations', + 'molested', + 'molester', + 'molesters', + 'molesting', + 'molests', + 'molies', + 'moline', + 'moll', + 'mollah', + 'mollahs', + 'mollie', + 'mollies', 'mollification', 'mollifications', + 'mollified', + 'mollifies', + 'mollify', 'mollifying', + 'molls', + 'mollusc', + 'molluscan', 'molluscicidal', 'molluscicide', 'molluscicides', + 'molluscs', + 'mollusk', + 'molluskan', + 'mollusks', + 'molly', 'mollycoddle', 'mollycoddled', 'mollycoddler', 'mollycoddlers', 'mollycoddles', 'mollycoddling', + 'moloch', + 'molochs', + 'mols', + 'molt', + 'molted', + 'molten', + 'moltenly', + 'molter', + 'molters', + 'molting', + 'molto', + 'molts', + 'moly', + 'molybdate', 'molybdates', 'molybdenite', 'molybdenites', 'molybdenum', 'molybdenums', + 'molybdic', + 'mom', + 'mome', + 'moment', + 'momenta', 'momentarily', 'momentariness', 'momentarinesses', + 'momentary', + 'momently', + 'momento', + 'momentoes', + 'momentos', + 'momentous', 'momentously', 'momentousness', 'momentousnesses', + 'moments', + 'momentum', + 'momentums', + 'momes', + 'momi', + 'momism', + 'momisms', + 'momma', + 'mommas', + 'mommies', + 'mommy', + 'moms', + 'momser', + 'momsers', + 'momus', + 'momuses', + 'momzer', + 'momzers', + 'mon', + 'monachal', + 'monachism', 'monachisms', + 'monacid', + 'monacids', + 'monad', + 'monadal', 'monadelphous', + 'monades', + 'monadic', + 'monadism', + 'monadisms', + 'monadnock', 'monadnocks', + 'monads', 'monandries', + 'monandry', + 'monarch', + 'monarchal', 'monarchial', + 'monarchic', 'monarchical', 'monarchically', 'monarchies', @@ -36782,21 +94006,59 @@ export const scrabble_array = [ 'monarchisms', 'monarchist', 'monarchists', + 'monarchs', + 'monarchy', + 'monarda', + 'monardas', + 'monas', 'monasteries', + 'monastery', + 'monastic', 'monastically', 'monasticism', 'monasticisms', + 'monastics', + 'monatomic', + 'monaural', 'monaurally', + 'monaxial', + 'monaxon', + 'monaxons', + 'monazite', + 'monazites', + 'monde', + 'mondes', + 'mondo', + 'mondos', + 'monecian', + 'monecious', + 'monellin', + 'monellins', + 'moneran', + 'monerans', 'monestrous', 'monetarily', 'monetarism', 'monetarisms', 'monetarist', 'monetarists', + 'monetary', + 'monetise', + 'monetised', + 'monetises', 'monetising', 'monetization', 'monetizations', + 'monetize', + 'monetized', + 'monetizes', 'monetizing', + 'money', + 'moneybag', + 'moneybags', + 'moneyed', + 'moneyer', + 'moneyers', 'moneygrubbing', 'moneygrubbings', 'moneylender', @@ -36805,36 +94067,103 @@ export const scrabble_array = [ 'moneymakers', 'moneymaking', 'moneymakings', + 'moneyman', + 'moneymen', + 'moneys', + 'moneywort', 'moneyworts', + 'mongeese', + 'monger', + 'mongered', + 'mongering', + 'mongers', + 'mongo', + 'mongoe', + 'mongoes', + 'mongol', + 'mongolism', 'mongolisms', + 'mongoloid', 'mongoloids', + 'mongols', + 'mongoose', + 'mongooses', + 'mongos', + 'mongrel', 'mongrelization', 'mongrelizations', 'mongrelize', 'mongrelized', 'mongrelizes', 'mongrelizing', + 'mongrels', + 'mongst', + 'monicker', + 'monickers', + 'monie', + 'monied', + 'monies', + 'moniker', + 'monikers', 'moniliases', 'moniliasis', 'moniliform', + 'monish', + 'monished', + 'monishes', + 'monishing', + 'monism', + 'monisms', + 'monist', + 'monistic', + 'monists', + 'monition', + 'monitions', + 'monitive', + 'monitor', + 'monitored', 'monitorial', 'monitories', 'monitoring', + 'monitors', 'monitorship', 'monitorships', + 'monitory', + 'monk', + 'monkeries', + 'monkery', + 'monkey', + 'monkeyed', + 'monkeying', + 'monkeypod', 'monkeypods', + 'monkeys', 'monkeyshine', 'monkeyshines', + 'monkfish', 'monkfishes', + 'monkhood', + 'monkhoods', + 'monkish', + 'monks', + 'monkshood', 'monkshoods', + 'mono', + 'monoacid', 'monoacidic', + 'monoacids', + 'monoamine', 'monoaminergic', 'monoamines', + 'monobasic', 'monocarboxylic', + 'monocarp', 'monocarpic', + 'monocarps', 'monochasia', 'monochasial', 'monochasium', + 'monochord', 'monochords', 'monochromat', 'monochromatic', @@ -36851,49 +94180,86 @@ export const scrabble_array = [ 'monochromic', 'monochromist', 'monochromists', + 'monocle', + 'monocled', + 'monocles', + 'monocline', 'monoclines', 'monoclinic', 'monoclonal', 'monoclonals', + 'monocoque', 'monocoques', + 'monocot', + 'monocots', 'monocotyledon', 'monocotyledonous', 'monocotyledons', 'monocracies', + 'monocracy', + 'monocrat', 'monocratic', + 'monocrats', 'monocrystal', 'monocrystalline', 'monocrystals', + 'monocular', 'monocularly', 'monoculars', 'monocultural', 'monoculture', 'monocultures', 'monocyclic', + 'monocyte', + 'monocytes', + 'monocytic', + 'monodic', + 'monodical', 'monodically', + 'monodies', 'monodisperse', + 'monodist', + 'monodists', + 'monodrama', 'monodramas', 'monodramatic', + 'monody', + 'monoecies', 'monoecious', + 'monoecism', 'monoecisms', + 'monoecy', + 'monoester', 'monoesters', + 'monofil', 'monofilament', 'monofilaments', + 'monofils', + 'monofuel', + 'monofuels', + 'monogamic', 'monogamies', 'monogamist', 'monogamists', 'monogamous', 'monogamously', + 'monogamy', 'monogastric', 'monogenean', 'monogeneans', 'monogeneses', 'monogenesis', 'monogenetic', + 'monogenic', 'monogenically', 'monogenies', + 'monogeny', + 'monogerm', + 'monoglot', + 'monoglots', 'monoglyceride', 'monoglycerides', + 'monogram', 'monogramed', 'monograming', 'monogrammatic', @@ -36901,38 +94267,57 @@ export const scrabble_array = [ 'monogrammer', 'monogrammers', 'monogramming', + 'monograms', + 'monograph', 'monographed', 'monographic', 'monographing', 'monographs', 'monogynies', 'monogynous', + 'monogyny', + 'monohull', + 'monohulls', 'monohybrid', 'monohybrids', 'monohydric', 'monohydroxy', + 'monolayer', 'monolayers', 'monolingual', 'monolinguals', + 'monolith', 'monolithic', 'monolithically', + 'monoliths', + 'monolog', 'monologies', 'monologist', 'monologists', + 'monologs', + 'monologue', 'monologues', 'monologuist', 'monologuists', + 'monology', + 'monomania', 'monomaniac', 'monomaniacal', 'monomaniacally', 'monomaniacs', 'monomanias', + 'monomer', + 'monomeric', + 'monomers', 'monometallic', 'monometallism', 'monometallisms', 'monometallist', 'monometallists', + 'monometer', 'monometers', + 'monomial', + 'monomials', 'monomolecular', 'monomolecularly', 'monomorphemic', @@ -36950,19 +94335,29 @@ export const scrabble_array = [ 'mononucleotides', 'monophagies', 'monophagous', + 'monophagy', 'monophonic', 'monophonically', 'monophonies', + 'monophony', 'monophthong', 'monophthongal', 'monophthongs', 'monophyletic', 'monophylies', + 'monophyly', + 'monoplane', 'monoplanes', + 'monoploid', 'monoploids', + 'monopode', + 'monopodes', 'monopodial', 'monopodially', 'monopodies', + 'monopody', + 'monopole', + 'monopoles', 'monopolies', 'monopolise', 'monopolised', @@ -36980,25 +94375,38 @@ export const scrabble_array = [ 'monopolizers', 'monopolizes', 'monopolizing', + 'monopoly', 'monopropellant', 'monopropellants', 'monopsonies', 'monopsonistic', + 'monopsony', + 'monorail', + 'monorails', + 'monorchid', 'monorchidism', 'monorchidisms', 'monorchids', + 'monorhyme', 'monorhymed', 'monorhymes', + 'monos', 'monosaccharide', 'monosaccharides', + 'monosome', + 'monosomes', + 'monosomic', 'monosomics', 'monosomies', + 'monosomy', 'monospecific', 'monospecificities', 'monospecificity', + 'monostele', 'monosteles', 'monostelic', 'monostelies', + 'monostely', 'monosyllabic', 'monosyllabically', 'monosyllabicities', @@ -37016,6 +94424,11 @@ export const scrabble_array = [ 'monotheistical', 'monotheistically', 'monotheists', + 'monotint', + 'monotints', + 'monotone', + 'monotones', + 'monotonic', 'monotonically', 'monotonicities', 'monotonicity', @@ -37024,29 +94437,67 @@ export const scrabble_array = [ 'monotonously', 'monotonousness', 'monotonousnesses', + 'monotony', + 'monotreme', 'monotremes', + 'monotype', + 'monotypes', + 'monotypic', 'monounsaturate', 'monounsaturated', 'monounsaturates', 'monovalent', + 'monovular', + 'monoxide', + 'monoxides', 'monozygotic', + 'mons', 'monseigneur', + 'monsieur', + 'monsignor', 'monsignori', 'monsignorial', 'monsignors', + 'monsoon', + 'monsoonal', + 'monsoons', + 'monster', + 'monstera', + 'monsteras', + 'monsters', 'monstrance', 'monstrances', 'monstrosities', 'monstrosity', + 'monstrous', 'monstrously', 'monstrousness', 'monstrousnesses', + 'montadale', 'montadales', + 'montage', + 'montaged', + 'montages', + 'montaging', 'montagnard', 'montagnards', + 'montane', + 'montanes', + 'monte', + 'monteith', + 'monteiths', + 'montero', + 'monteros', + 'montes', + 'month', + 'monthlies', + 'monthlong', + 'monthly', + 'months', 'montmorillonite', 'montmorillonites', 'montmorillonitic', + 'monument', 'monumental', 'monumentalities', 'monumentality', @@ -37055,57 +94506,290 @@ export const scrabble_array = [ 'monumentalizes', 'monumentalizing', 'monumentally', + 'monuments', + 'monuron', + 'monurons', + 'mony', + 'monzonite', 'monzonites', + 'moo', + 'mooch', + 'mooched', + 'moocher', + 'moochers', + 'mooches', + 'mooching', + 'mood', + 'moodier', + 'moodiest', + 'moodily', + 'moodiness', 'moodinesses', + 'moods', + 'moody', + 'mooed', + 'mooing', + 'mool', + 'moola', + 'moolah', + 'moolahs', + 'moolas', + 'mooley', + 'mooleys', + 'mools', + 'moon', + 'moonbeam', + 'moonbeams', + 'moonbow', + 'moonbows', + 'mooncalf', 'mooncalves', + 'moondust', + 'moondusts', + 'mooned', + 'mooneye', + 'mooneyes', + 'moonfaced', + 'moonfish', 'moonfishes', 'moonflower', 'moonflowers', + 'moonier', + 'mooniest', + 'moonily', + 'mooning', + 'moonish', + 'moonishly', + 'moonless', + 'moonlet', + 'moonlets', + 'moonlight', 'moonlighted', 'moonlighter', 'moonlighters', 'moonlighting', 'moonlights', + 'moonlike', + 'moonlit', + 'moonport', + 'moonports', + 'moonquake', 'moonquakes', + 'moonrise', + 'moonrises', + 'moons', + 'moonsail', + 'moonsails', + 'moonscape', 'moonscapes', + 'moonseed', + 'moonseeds', + 'moonset', + 'moonsets', + 'moonshine', 'moonshiner', 'moonshiners', 'moonshines', + 'moonshot', + 'moonshots', + 'moonstone', 'moonstones', 'moonstruck', + 'moonwalk', + 'moonwalks', + 'moonward', + 'moonwort', + 'moonworts', + 'moony', + 'moor', + 'moorage', + 'moorages', + 'moorcock', + 'moorcocks', + 'moored', + 'moorfowl', + 'moorfowls', + 'moorhen', + 'moorhens', + 'moorier', + 'mooriest', + 'mooring', + 'moorings', + 'moorish', + 'moorland', + 'moorlands', + 'moors', + 'moorwort', + 'moorworts', + 'moory', + 'moos', + 'moose', + 'moot', + 'mooted', + 'mooter', + 'mooters', + 'mooting', + 'moots', + 'mop', + 'mopboard', + 'mopboards', + 'mope', + 'moped', + 'mopeds', + 'moper', + 'moperies', + 'mopers', + 'mopery', + 'mopes', + 'mopey', + 'mopier', + 'mopiest', + 'moping', + 'mopingly', + 'mopish', + 'mopishly', + 'mopoke', + 'mopokes', + 'mopped', + 'mopper', + 'moppers', + 'moppet', + 'moppets', + 'mopping', + 'mops', + 'mopy', + 'moquette', + 'moquettes', + 'mor', + 'mora', + 'morae', + 'morainal', + 'moraine', + 'moraines', + 'morainic', + 'moral', + 'morale', + 'morales', + 'moralise', + 'moralised', + 'moralises', 'moralising', + 'moralism', + 'moralisms', + 'moralist', 'moralistic', 'moralistically', + 'moralists', 'moralities', + 'morality', 'moralization', 'moralizations', + 'moralize', + 'moralized', + 'moralizer', 'moralizers', + 'moralizes', 'moralizing', + 'morally', + 'morals', + 'moras', + 'morass', + 'morasses', + 'morassy', + 'moratoria', 'moratorium', 'moratoriums', + 'moratory', + 'moray', + 'morays', + 'morbid', 'morbidities', + 'morbidity', + 'morbidly', 'morbidness', 'morbidnesses', + 'morbific', + 'morbilli', + 'morceau', + 'morceaux', 'mordancies', + 'mordancy', + 'mordant', + 'mordanted', 'mordanting', + 'mordantly', + 'mordants', + 'mordent', + 'mordents', + 'more', + 'moreen', + 'moreens', + 'morel', + 'morelle', + 'morelles', + 'morello', + 'morellos', + 'morels', + 'moreover', + 'mores', + 'moresque', + 'moresques', + 'morgan', 'morganatic', 'morganatically', + 'morganite', 'morganites', + 'morgans', + 'morgen', + 'morgens', + 'morgue', + 'morgues', + 'moribund', 'moribundities', 'moribundity', + 'morion', + 'morions', + 'morn', + 'morning', + 'mornings', + 'morns', + 'morocco', + 'moroccos', + 'moron', + 'moronic', 'moronically', + 'moronism', + 'moronisms', 'moronities', + 'moronity', + 'morons', + 'morose', + 'morosely', 'moroseness', 'morosenesses', 'morosities', + 'morosity', + 'morph', 'morphactin', 'morphactins', 'morphallaxes', 'morphallaxis', + 'morpheme', + 'morphemes', + 'morphemic', 'morphemically', 'morphemics', + 'morphia', + 'morphias', + 'morphic', + 'morphin', + 'morphine', + 'morphines', 'morphinism', 'morphinisms', + 'morphins', + 'morpho', + 'morphogen', 'morphogeneses', 'morphogenesis', 'morphogenetic', @@ -37124,36 +94808,144 @@ export const scrabble_array = [ 'morphometries', 'morphometry', 'morphophonemics', + 'morphos', + 'morphs', + 'morrion', + 'morrions', + 'morris', + 'morrises', + 'morro', + 'morros', + 'morrow', + 'morrows', + 'mors', + 'morse', + 'morsel', + 'morseled', + 'morseling', + 'morselled', 'morselling', + 'morsels', + 'mort', 'mortadella', 'mortadellas', + 'mortal', 'mortalities', + 'mortality', + 'mortally', + 'mortals', + 'mortar', 'mortarboard', 'mortarboards', + 'mortared', + 'mortaring', 'mortarless', + 'mortars', + 'mortary', + 'mortgage', + 'mortgaged', + 'mortgagee', 'mortgagees', + 'mortgager', 'mortgagers', + 'mortgages', 'mortgaging', + 'mortgagor', 'mortgagors', + 'mortice', + 'morticed', + 'mortices', + 'mortician', 'morticians', + 'morticing', 'mortification', 'mortifications', + 'mortified', + 'mortifies', + 'mortify', 'mortifying', + 'mortise', + 'mortised', + 'mortiser', + 'mortisers', + 'mortises', + 'mortising', + 'mortmain', + 'mortmains', + 'morts', 'mortuaries', + 'mortuary', + 'morula', + 'morulae', + 'morular', + 'morulas', 'morulation', 'morulations', + 'mos', + 'mosaic', 'mosaically', + 'mosaicism', 'mosaicisms', + 'mosaicist', 'mosaicists', + 'mosaicked', 'mosaicking', 'mosaiclike', + 'mosaics', + 'mosasaur', + 'mosasaurs', + 'moschate', + 'mosey', + 'moseyed', + 'moseying', + 'moseys', + 'moshav', + 'moshavim', + 'mosk', + 'mosks', + 'mosque', + 'mosques', + 'mosquito', 'mosquitoes', 'mosquitoey', + 'mosquitos', + 'moss', + 'mossback', 'mossbacked', + 'mossbacks', + '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', 'mothballed', 'mothballing', + 'mothballs', + 'mother', 'motherboard', 'motherboards', + 'mothered', 'motherfucker', 'motherfuckers', 'motherfucking', @@ -37161,6 +94953,7 @@ export const scrabble_array = [ 'motherhoods', 'motherhouse', 'motherhouses', + 'mothering', 'motherland', 'motherlands', 'motherless', @@ -37168,59 +94961,184 @@ export const scrabble_array = [ 'motherlessnesses', 'motherliness', 'motherlinesses', + 'motherly', + 'mothers', + 'mothery', + 'mothier', + 'mothiest', + 'mothlike', + 'mothproof', 'mothproofed', 'mothproofer', 'mothproofers', 'mothproofing', 'mothproofs', + 'moths', + 'mothy', + 'motif', + 'motific', + 'motifs', + 'motile', + 'motiles', 'motilities', + 'motility', + 'motion', + 'motional', + 'motioned', + 'motioner', + 'motioners', + 'motioning', 'motionless', 'motionlessly', 'motionlessness', 'motionlessnesses', + 'motions', + 'motivate', + 'motivated', + 'motivates', 'motivating', 'motivation', 'motivational', 'motivationally', 'motivations', 'motivative', + 'motivator', 'motivators', + 'motive', + 'motived', 'motiveless', 'motivelessly', + 'motives', + 'motivic', + 'motiving', 'motivities', + 'motivity', + 'motley', + 'motleyer', + 'motleyest', + 'motleys', + 'motlier', + 'motliest', + 'motmot', + 'motmots', + 'motocross', 'motocrosses', 'motoneuron', 'motoneuronal', 'motoneurons', + 'motor', + 'motorbike', 'motorbiked', 'motorbikes', 'motorbiking', + 'motorboat', 'motorboater', 'motorboaters', 'motorboating', 'motorboatings', 'motorboats', + 'motorbus', 'motorbuses', 'motorbusses', + 'motorcade', 'motorcaded', 'motorcades', 'motorcading', + 'motorcar', + 'motorcars', 'motorcycle', 'motorcycled', 'motorcycles', 'motorcycling', 'motorcyclist', 'motorcyclists', + 'motordom', + 'motordoms', + 'motored', + 'motoric', 'motorically', + 'motoring', + 'motorings', + 'motorise', + 'motorised', + 'motorises', 'motorising', + 'motorist', + 'motorists', 'motorization', 'motorizations', + 'motorize', + 'motorized', + 'motorizes', 'motorizing', + 'motorless', + 'motorman', + 'motormen', 'motormouth', 'motormouths', + 'motors', 'motortruck', 'motortrucks', + 'motorway', + 'motorways', + 'mots', + 'mott', + 'motte', + 'mottes', + 'mottle', + 'mottled', + 'mottler', + 'mottlers', + 'mottles', + 'mottling', + 'motto', + 'mottoes', + 'mottos', + 'motts', + 'mouch', + 'mouched', + 'mouches', + 'mouching', + 'mouchoir', + 'mouchoirs', + 'moue', + 'moues', + 'moufflon', + 'moufflons', + 'mouflon', + 'mouflons', + 'mouille', + 'moujik', + 'moujiks', + 'moulage', + 'moulages', + 'mould', + 'moulded', + 'moulder', + 'mouldered', 'mouldering', + 'moulders', + 'mouldier', + 'mouldiest', + 'moulding', + 'mouldings', + 'moulds', + 'mouldy', + 'moulin', + 'moulins', + 'moult', + 'moulted', + 'moulter', + 'moulters', + 'moulting', + 'moults', + 'mound', + 'mounded', + 'mounding', + 'mounds', + 'mount', + 'mountable', + 'mountain', 'mountaineer', 'mountaineering', 'mountaineerings', @@ -37229,46 +95147,118 @@ export const scrabble_array = [ 'mountainously', 'mountainousness', 'mountainousnesses', + 'mountains', 'mountainside', 'mountainsides', 'mountaintop', 'mountaintops', + 'mountainy', 'mountebank', 'mountebanked', 'mountebankeries', 'mountebankery', 'mountebanking', 'mountebanks', + 'mounted', + 'mounter', + 'mounters', + 'mounting', + 'mountings', + 'mounts', + 'mourn', + 'mourned', + 'mourner', + 'mourners', + 'mournful', 'mournfuller', 'mournfullest', 'mournfully', 'mournfulness', 'mournfulnesses', + 'mourning', 'mourningly', + 'mournings', + 'mourns', + 'mouse', + 'moused', + 'mouser', + 'mousers', + 'mouses', + 'mousetrap', 'mousetrapped', 'mousetrapping', 'mousetraps', + 'mousey', + 'mousier', + 'mousiest', + 'mousily', + 'mousiness', 'mousinesses', + 'mousing', + 'mousings', + 'moussaka', + 'moussakas', + 'mousse', + 'moussed', 'mousseline', 'mousselines', + 'mousses', + 'moussing', + 'moustache', 'moustaches', 'moustachio', 'moustachios', + 'mousy', + 'mouth', 'mouthbreeder', 'mouthbreeders', + 'mouthed', + 'mouther', + 'mouthers', + 'mouthful', + 'mouthfuls', + 'mouthier', + 'mouthiest', + 'mouthily', + 'mouthing', + 'mouthlike', + 'mouthpart', 'mouthparts', 'mouthpiece', 'mouthpieces', + 'mouths', + 'mouthwash', 'mouthwashes', 'mouthwatering', 'mouthwateringly', + 'mouthy', + 'mouton', + 'moutons', 'movabilities', 'movability', + 'movable', 'movableness', 'movablenesses', + 'movables', + 'movably', + 'move', + 'moveable', + 'moveables', + 'moveably', + 'moved', + 'moveless', 'movelessly', 'movelessness', 'movelessnesses', + 'movement', + 'movements', + 'mover', + 'movers', + 'moves', + 'movie', + 'moviedom', + 'moviedoms', + 'moviegoer', 'moviegoers', 'moviegoing', 'moviegoings', @@ -37276,53 +95266,308 @@ export const scrabble_array = [ 'moviemakers', 'moviemaking', 'moviemakings', + 'movieola', + 'movieolas', + 'movies', + 'moving', + 'movingly', + 'moviola', + 'moviolas', + 'mow', + 'mowed', + 'mower', + 'mowers', + 'mowing', + 'mowings', + 'mown', + 'mows', + 'moxa', + 'moxas', + 'moxie', + 'moxies', + 'mozetta', + 'mozettas', + 'mozette', + 'mozo', + 'mozos', 'mozzarella', 'mozzarellas', + 'mozzetta', + 'mozzettas', + 'mozzette', + 'mridanga', + 'mridangam', 'mridangams', + 'mridangas', + 'mu', + 'much', + 'muchacho', + 'muchachos', + 'muches', + 'muchly', + 'muchness', 'muchnesses', + 'mucid', 'mucidities', + 'mucidity', + 'mucilage', + 'mucilages', 'mucilaginous', 'mucilaginously', + 'mucin', + 'mucinoid', + 'mucinous', + 'mucins', + 'muck', + 'muckamuck', 'muckamucks', + 'mucked', + 'mucker', + 'muckers', + 'muckier', + 'muckiest', + 'muckily', + 'mucking', + 'muckle', + 'muckles', + 'muckluck', + 'mucklucks', + 'muckrake', + 'muckraked', + 'muckraker', 'muckrakers', + 'muckrakes', 'muckraking', + 'mucks', + 'muckworm', + 'muckworms', + 'mucky', + 'mucluc', + 'muclucs', 'mucocutaneous', + 'mucoid', + 'mucoidal', + 'mucoids', + 'mucolytic', 'mucopeptide', 'mucopeptides', 'mucopolysaccharide', 'mucopolysaccharides', 'mucoprotein', 'mucoproteins', + 'mucor', + 'mucors', + 'mucosa', + 'mucosae', + 'mucosal', + 'mucosas', + 'mucose', 'mucosities', + 'mucosity', + 'mucous', + 'mucro', + 'mucronate', + 'mucrones', + 'mucus', + 'mucuses', + 'mud', + 'mudcap', + 'mudcapped', 'mudcapping', + 'mudcaps', + 'mudcat', + 'mudcats', + 'mudded', + 'mudder', + 'mudders', + 'muddied', + 'muddier', + 'muddies', + 'muddiest', + 'muddily', + 'muddiness', 'muddinesses', + 'mudding', + 'muddle', + 'muddled', 'muddleheaded', 'muddleheadedly', 'muddleheadedness', 'muddleheadednesses', + 'muddler', + 'muddlers', + 'muddles', + 'muddling', + 'muddly', + 'muddy', + 'muddying', + 'mudfish', + 'mudfishes', + 'mudflat', + 'mudflats', + 'mudflow', + 'mudflows', + 'mudguard', + 'mudguards', + 'mudhole', + 'mudholes', + 'mudlark', + 'mudlarks', + 'mudpack', + 'mudpacks', 'mudpuppies', + 'mudpuppy', + 'mudra', + 'mudras', + 'mudrock', + 'mudrocks', + 'mudroom', + 'mudrooms', + 'muds', + 'mudsill', + 'mudsills', 'mudskipper', 'mudskippers', + 'mudslide', + 'mudslides', 'mudslinger', 'mudslingers', 'mudslinging', 'mudslingings', + 'mudstone', + 'mudstones', + 'mueddin', + 'mueddins', + 'muenster', + 'muensters', + 'muesli', + 'mueslis', + 'muezzin', + 'muezzins', + 'muff', + 'muffed', + 'muffin', + 'muffing', + 'muffins', + 'muffle', + 'muffled', + 'muffler', + 'mufflered', + 'mufflers', + 'muffles', + 'muffling', + 'muffs', + 'mufti', + 'muftis', + 'mug', + 'mugful', + 'mugfuls', + 'mugg', + 'muggar', + 'muggars', + 'mugged', + 'muggee', + 'muggees', + 'mugger', + 'muggers', + 'muggier', + 'muggiest', + 'muggily', + 'mugginess', 'mugginesses', + 'mugging', + 'muggings', + 'muggins', + 'muggs', + 'muggur', + 'muggurs', + 'muggy', + 'mugs', + 'mugwort', + 'mugworts', + 'mugwump', + 'mugwumps', + 'muhlies', + 'muhly', 'mujahedeen', + 'mujahedin', 'mujahideen', + 'mujik', + 'mujiks', + 'mukluk', + 'mukluks', + 'muktuk', + 'muktuks', + 'mulatto', + 'mulattoes', + 'mulattos', 'mulberries', + 'mulberry', + 'mulch', + 'mulched', + 'mulches', + 'mulching', + 'mulct', + 'mulcted', + 'mulcting', + 'mulcts', + 'mule', + 'muled', + 'mules', + 'muleta', + 'muletas', + 'muleteer', + 'muleteers', + 'muley', + 'muleys', 'muliebrities', 'muliebrity', + 'muling', + 'mulish', + 'mulishly', 'mulishness', 'mulishnesses', + 'mull', + 'mulla', + 'mullah', + 'mullahism', 'mullahisms', + 'mullahs', + 'mullas', + 'mulled', + 'mullein', + 'mulleins', + 'mullen', + 'mullens', + 'muller', + 'mullers', + 'mullet', + 'mullets', + 'mulley', + 'mulleys', + 'mulligan', + 'mulligans', 'mulligatawnies', 'mulligatawny', + 'mulling', + 'mullion', + 'mullioned', 'mullioning', + 'mullions', + 'mullite', + 'mullites', + 'mullock', + 'mullocks', + 'mullocky', + 'mulls', + 'multiage', 'multiagency', 'multiarmed', + 'multiatom', 'multiauthor', 'multiaxial', + 'multiband', + 'multibank', 'multibarrel', 'multibarreled', 'multibillion', @@ -37333,8 +95578,10 @@ export const scrabble_array = [ 'multibranched', 'multibuilding', 'multicampus', + 'multicar', 'multicarbon', 'multicausal', + 'multicell', 'multicelled', 'multicellular', 'multicellularities', @@ -37345,6 +95592,7 @@ export const scrabble_array = [ 'multichannel', 'multichannels', 'multicharacter', + 'multicity', 'multiclient', 'multicoated', 'multicolor', @@ -37353,6 +95601,7 @@ export const scrabble_array = [ 'multicolumn', 'multicomponent', 'multiconductor', + 'multicopy', 'multicounty', 'multicourse', 'multicourses', @@ -37371,6 +95620,7 @@ export const scrabble_array = [ 'multidisciplines', 'multidivisional', 'multidomain', + 'multidrug', 'multielectrode', 'multielement', 'multiemployer', @@ -37386,10 +95636,13 @@ export const scrabble_array = [ 'multifarious', 'multifariousness', 'multifariousnesses', + 'multifid', 'multifilament', 'multifilaments', 'multiflash', 'multifocal', + 'multifold', + 'multiform', 'multiformities', 'multiformity', 'multifrequency', @@ -37397,14 +95650,20 @@ export const scrabble_array = [ 'multifunctional', 'multigenerational', 'multigenic', + 'multigerm', 'multigrade', 'multigrain', 'multigrains', + 'multigrid', 'multigroup', 'multihandicapped', 'multiheaded', 'multihospital', + 'multihued', + 'multihull', 'multihulls', + 'multijet', + 'multilane', 'multilateral', 'multilateralism', 'multilateralisms', @@ -37415,6 +95674,7 @@ export const scrabble_array = [ 'multilayered', 'multilevel', 'multileveled', + 'multiline', 'multilingual', 'multilingualism', 'multilingualisms', @@ -37435,6 +95695,7 @@ export const scrabble_array = [ 'multimillionaires', 'multimillions', 'multimodal', + 'multimode', 'multimolecular', 'multination', 'multinational', @@ -37445,21 +95706,31 @@ export const scrabble_array = [ 'multinucleate', 'multinucleated', 'multiorgasmic', + 'multipage', 'multipaned', 'multiparameter', 'multiparous', + 'multipart', 'multiparticle', 'multipartite', 'multiparty', + 'multipath', + 'multiped', + 'multipeds', 'multiphase', 'multiphasic', 'multiphoton', 'multipicture', 'multipiece', + 'multipion', 'multipiston', 'multiplant', 'multiplayer', + 'multiple', + 'multiples', + 'multiplet', 'multiplets', + 'multiplex', 'multiplexed', 'multiplexer', 'multiplexers', @@ -37479,10 +95750,12 @@ export const scrabble_array = [ 'multiplier', 'multipliers', 'multiplies', + 'multiply', 'multiplying', 'multipolar', 'multipolarities', 'multipolarity', + 'multipole', 'multipotential', 'multipower', 'multiproblem', @@ -37501,11 +95774,14 @@ export const scrabble_array = [ 'multirange', 'multiregional', 'multireligious', + 'multiroom', 'multiscreen', 'multisense', 'multisensory', 'multiservice', 'multisided', + 'multisite', + 'multisize', 'multiskilled', 'multisource', 'multispecies', @@ -37515,6 +95791,7 @@ export const scrabble_array = [ 'multistage', 'multistate', 'multistemmed', + 'multistep', 'multistoried', 'multistory', 'multistranded', @@ -37525,6 +95802,8 @@ export const scrabble_array = [ 'multitaskings', 'multiterminal', 'multitiered', + 'multiton', + 'multitone', 'multitowered', 'multitrack', 'multitracked', @@ -37532,12 +95811,16 @@ export const scrabble_array = [ 'multitracks', 'multitrillion', 'multitrillions', + 'multitude', 'multitudes', 'multitudinous', 'multitudinously', 'multitudinousness', 'multitudinousnesses', 'multiunion', + 'multiunit', + 'multiuse', + 'multiuser', 'multivalence', 'multivalences', 'multivalent', @@ -37550,16 +95833,75 @@ export const scrabble_array = [ 'multivitamins', 'multivoltine', 'multivolume', + 'multiwall', 'multiwarhead', 'multiwavelength', + 'multiyear', + 'multure', + 'multures', + 'mum', + 'mumble', + 'mumbled', + 'mumbler', + 'mumblers', + 'mumbles', + 'mumbling', + 'mumbly', + 'mumm', + 'mummed', + 'mummer', + 'mummeries', + 'mummers', + 'mummery', + 'mummichog', 'mummichogs', + 'mummied', + 'mummies', 'mummification', 'mummifications', + 'mummified', + 'mummifies', + 'mummify', 'mummifying', + 'mumming', + 'mumms', + 'mummy', + 'mummying', + 'mump', + 'mumped', + 'mumper', + 'mumpers', + 'mumping', + 'mumps', + 'mums', + 'mumu', + 'mumus', + 'mun', + 'munch', + 'munched', + 'muncher', + 'munchers', + 'munches', + 'munchies', + 'munching', + 'munchkin', + 'munchkins', + 'mundane', + 'mundanely', 'mundaneness', 'mundanenesses', 'mundanities', + 'mundanity', + 'mundungo', + 'mundungos', + 'mundungus', 'mundunguses', + 'mungo', + 'mungoose', + 'mungooses', + 'mungos', + 'muni', + 'municipal', 'municipalities', 'municipality', 'municipalization', @@ -37574,33 +95916,181 @@ export const scrabble_array = [ 'munificences', 'munificent', 'munificently', + 'muniment', + 'muniments', + 'munis', + 'munition', 'munitioned', 'munitioning', + 'munitions', + 'munnion', + 'munnions', + 'muns', + 'munster', + 'munsters', + 'muntin', + 'munting', + 'muntings', + 'muntins', + 'muntjac', + 'muntjacs', + 'muntjak', + 'muntjaks', + 'muon', + 'muonic', + 'muonium', + 'muoniums', + 'muons', + 'mura', + 'muraenid', + 'muraenids', + 'mural', + 'muralist', + 'muralists', + 'murals', + 'muras', + 'murder', + 'murdered', + 'murderee', + 'murderees', + 'murderer', + 'murderers', + 'murderess', 'murderesses', + 'murdering', + 'murderous', 'murderously', 'murderousness', 'murderousnesses', + 'murders', + 'mure', + 'mured', + 'murein', + 'mureins', + 'mures', + 'murex', + 'murexes', + 'muriate', + 'muriated', + 'muriates', + 'muricate', + 'murices', + 'murid', + 'murids', + 'murine', + 'murines', + 'muring', + 'murk', + 'murker', + 'murkest', + 'murkier', + 'murkiest', + 'murkily', + 'murkiness', 'murkinesses', + 'murkly', + 'murks', + 'murky', + 'murmur', + 'murmured', + 'murmurer', + 'murmurers', + 'murmuring', + 'murmurous', 'murmurously', + 'murmurs', + 'murphies', + 'murphy', + 'murr', + 'murra', + 'murrain', + 'murrains', + 'murras', + 'murre', + 'murrelet', + 'murrelets', + 'murres', + 'murrey', + 'murreys', + 'murrha', + 'murrhas', + 'murrhine', + 'murries', + 'murrine', + 'murrs', + 'murry', + 'murther', + 'murthered', 'murthering', + 'murthers', + 'mus', + 'musca', + 'muscadel', + 'muscadels', + 'muscadet', + 'muscadets', + 'muscadine', 'muscadines', + 'muscae', + 'muscarine', 'muscarines', 'muscarinic', + 'muscat', + 'muscatel', + 'muscatels', + 'muscats', + 'muscid', + 'muscids', + 'muscle', 'musclebound', + 'muscled', + 'muscles', + 'muscling', + 'muscly', + 'muscovite', 'muscovites', + 'muscular', 'muscularities', 'muscularity', 'muscularly', 'musculature', 'musculatures', 'musculoskeletal', + 'muse', + 'mused', + 'museful', 'museological', 'museologies', 'museologist', 'museologists', + 'museology', + 'muser', + 'musers', + 'muses', + 'musette', + 'musettes', + 'museum', + 'museums', + 'mush', + 'mushed', + 'musher', + 'mushers', + 'mushes', + 'mushier', + 'mushiest', + 'mushily', + 'mushiness', 'mushinesses', + 'mushing', + 'mushroom', 'mushroomed', 'mushrooming', + 'mushrooms', + 'mushy', + 'music', + 'musical', + 'musicale', + 'musicales', 'musicalise', 'musicalised', 'musicalises', @@ -37613,7 +96103,11 @@ export const scrabble_array = [ 'musicalized', 'musicalizes', 'musicalizing', + 'musically', + 'musicals', + 'musician', 'musicianly', + 'musicians', 'musicianship', 'musicianships', 'musicological', @@ -37621,52 +96115,225 @@ export const scrabble_array = [ 'musicologist', 'musicologists', 'musicology', + 'musics', + 'musing', + 'musingly', + 'musings', + 'musjid', + 'musjids', + 'musk', + 'muskeg', + 'muskegs', 'muskellunge', + 'musket', + 'musketeer', 'musketeers', 'musketries', + 'musketry', + 'muskets', + 'muskie', + 'muskier', + 'muskies', + 'muskiest', + 'muskily', + 'muskiness', 'muskinesses', + 'muskit', + 'muskits', + 'muskmelon', 'muskmelons', + 'muskrat', + 'muskrats', + 'musks', + 'musky', + 'muslin', + 'muslins', + 'muspike', + 'muspikes', + 'musquash', 'musquashes', + 'muss', + 'mussed', + 'mussel', + 'mussels', + 'musses', + 'mussier', + 'mussiest', + 'mussily', + 'mussiness', 'mussinesses', + 'mussing', + 'mussy', + 'must', + 'mustache', + 'mustached', + 'mustaches', + 'mustachio', 'mustachioed', 'mustachios', + 'mustang', + 'mustangs', + 'mustard', + 'mustards', + 'mustardy', + 'musted', + 'mustee', + 'mustees', + 'muster', + 'mustered', + 'mustering', + 'musters', + 'musth', + 'musths', + 'mustier', + 'mustiest', + 'mustily', + 'mustiness', 'mustinesses', + 'musting', + 'musts', + 'musty', + 'mut', 'mutabilities', 'mutability', + 'mutable', + 'mutably', + 'mutagen', 'mutageneses', 'mutagenesis', + 'mutagenic', 'mutagenically', 'mutagenicities', 'mutagenicity', + 'mutagens', + 'mutant', + 'mutants', + 'mutase', + 'mutases', + 'mutate', + 'mutated', + 'mutates', + 'mutating', + 'mutation', 'mutational', 'mutationally', + 'mutations', + 'mutative', + 'mutch', + 'mutches', + 'mutchkin', + 'mutchkins', + 'mute', + 'muted', + 'mutedly', + 'mutely', + 'muteness', 'mutenesses', + 'muter', + 'mutes', + 'mutest', + 'muticous', + 'mutilate', + 'mutilated', + 'mutilates', 'mutilating', 'mutilation', 'mutilations', + 'mutilator', 'mutilators', + 'mutine', + 'mutined', + 'mutineer', 'mutineered', 'mutineering', + 'mutineers', + 'mutines', + 'muting', + 'mutinied', + 'mutinies', + 'mutining', + 'mutinous', 'mutinously', 'mutinousness', 'mutinousnesses', + 'mutiny', + 'mutinying', + 'mutism', + 'mutisms', + 'muton', + 'mutons', + 'muts', + 'mutt', + 'mutter', + 'muttered', + 'mutterer', + 'mutterers', + 'muttering', + 'mutters', + 'mutton', 'muttonchops', 'muttonfish', 'muttonfishes', + 'muttons', + 'muttony', + 'mutts', + 'mutual', + 'mutualism', 'mutualisms', + 'mutualist', 'mutualistic', 'mutualists', 'mutualities', + 'mutuality', 'mutualization', 'mutualizations', + 'mutualize', 'mutualized', 'mutualizes', 'mutualizing', + 'mutually', + 'mutuel', + 'mutuels', + 'mutular', + 'mutule', + 'mutules', + 'muumuu', + 'muumuus', + 'muzhik', + 'muzhiks', + 'muzjik', + 'muzjiks', + 'muzzier', + 'muzziest', + 'muzzily', + 'muzziness', 'muzzinesses', + 'muzzle', + 'muzzled', + 'muzzler', + 'muzzlers', + 'muzzles', + 'muzzling', + 'muzzy', + 'my', + 'myalgia', + 'myalgias', + 'myalgic', + 'myases', + 'myasis', 'myasthenia', 'myasthenias', 'myasthenic', 'myasthenics', + 'mycele', + 'myceles', + 'mycelia', + 'mycelial', + 'mycelian', + 'mycelium', + 'myceloid', + 'mycetoma', + 'mycetomas', 'mycetomata', 'mycetomatous', 'mycetophagous', @@ -37675,6 +96342,7 @@ export const scrabble_array = [ 'mycobacteria', 'mycobacterial', 'mycobacterium', + 'mycoflora', 'mycoflorae', 'mycofloras', 'mycological', @@ -37682,10 +96350,13 @@ export const scrabble_array = [ 'mycologies', 'mycologist', 'mycologists', + 'mycology', 'mycophagies', 'mycophagist', 'mycophagists', 'mycophagous', + 'mycophagy', + 'mycophile', 'mycophiles', 'mycoplasma', 'mycoplasmal', @@ -37695,45 +96366,126 @@ export const scrabble_array = [ 'mycorrhizae', 'mycorrhizal', 'mycorrhizas', + 'mycoses', + 'mycosis', + 'mycotic', + 'mycotoxin', 'mycotoxins', + 'mydriases', + 'mydriasis', + 'mydriatic', 'mydriatics', 'myelencephala', 'myelencephalic', 'myelencephalon', + 'myelin', 'myelinated', + 'myeline', + 'myelines', + 'myelinic', + 'myelins', 'myelitides', + 'myelitis', 'myeloblast', 'myeloblastic', 'myeloblasts', + 'myelocyte', 'myelocytes', 'myelocytic', 'myelofibroses', 'myelofibrosis', 'myelofibrotic', 'myelogenous', + 'myeloid', + 'myeloma', + 'myelomas', + 'myelomata', 'myelomatous', 'myelopathic', 'myelopathies', 'myelopathy', 'myeloproliferative', + 'myiases', + 'myiasis', + 'mylonite', + 'mylonites', + 'myna', + 'mynah', + 'mynahs', + 'mynas', + 'mynheer', + 'mynheers', + 'myoblast', + 'myoblasts', + 'myocardia', 'myocardial', 'myocarditis', 'myocarditises', 'myocardium', + 'myoclonic', + 'myoclonus', 'myoclonuses', 'myoelectric', 'myoelectrical', + 'myofibril', 'myofibrillar', 'myofibrils', 'myofilament', 'myofilaments', + 'myogenic', + 'myoglobin', 'myoglobins', + 'myograph', + 'myographs', + 'myoid', 'myoinositol', 'myoinositols', + 'myologic', + 'myologies', + 'myology', + 'myoma', + 'myomas', + 'myomata', + 'myomatous', + 'myoneural', + 'myopathic', 'myopathies', + 'myopathy', + 'myope', + 'myopes', + 'myopia', + 'myopias', + 'myopic', 'myopically', + 'myopies', + 'myopy', + 'myoscope', + 'myoscopes', + 'myoses', + 'myosin', + 'myosins', + 'myosis', + 'myositis', 'myositises', + 'myosote', + 'myosotes', + 'myosotis', 'myosotises', + 'myotic', + 'myotics', + 'myotome', + 'myotomes', + 'myotonia', + 'myotonias', + 'myotonic', + 'myriad', + 'myriads', + 'myriapod', + 'myriapods', + 'myrica', + 'myricas', + 'myriopod', + 'myriopods', 'myrmecological', 'myrmecologies', 'myrmecologist', @@ -37742,27 +96494,63 @@ export const scrabble_array = [ 'myrmecophile', 'myrmecophiles', 'myrmecophilous', + 'myrmidon', + 'myrmidons', + 'myrobalan', 'myrobalans', + 'myrrh', + 'myrrhic', + 'myrrhs', + 'myrtle', + 'myrtles', + 'myself', + 'mysid', + 'mysids', + 'mysost', + 'mysosts', + 'mystagog', 'mystagogies', + 'mystagogs', 'mystagogue', 'mystagogues', + 'mystagogy', + 'mysteries', 'mysterious', 'mysteriously', 'mysteriousness', 'mysteriousnesses', + 'mystery', + 'mystic', + 'mystical', 'mystically', + 'mysticism', 'mysticisms', + 'mysticly', + 'mystics', 'mystification', 'mystifications', + 'mystified', + 'mystifier', 'mystifiers', + 'mystifies', + 'mystify', 'mystifying', 'mystifyingly', + 'mystique', + 'mystiques', + 'myth', + 'mythic', + 'mythical', 'mythically', + 'mythicize', 'mythicized', 'mythicizer', 'mythicizers', 'mythicizes', 'mythicizing', + 'mythier', + 'mythiest', + 'mythmaker', 'mythmakers', 'mythmaking', 'mythmakings', @@ -37770,6 +96558,7 @@ export const scrabble_array = [ 'mythographers', 'mythographies', 'mythography', + 'mythoi', 'mythologer', 'mythologers', 'mythologic', @@ -37784,6 +96573,7 @@ export const scrabble_array = [ 'mythologizers', 'mythologizes', 'mythologizing', + 'mythology', 'mythomania', 'mythomaniac', 'mythomaniacs', @@ -37793,59 +96583,293 @@ export const scrabble_array = [ 'mythopoeic', 'mythopoetic', 'mythopoetical', + 'mythos', + 'myths', + 'mythy', + 'myxedema', + 'myxedemas', 'myxedematous', + 'myxocyte', + 'myxocytes', + 'myxoid', + 'myxoma', + 'myxomas', + 'myxomata', 'myxomatoses', 'myxomatosis', 'myxomatosises', 'myxomatous', 'myxomycete', 'myxomycetes', + 'myxoviral', + 'myxovirus', 'myxoviruses', + 'na', + 'naan', + 'naans', + 'nab', + 'nabbed', + 'nabber', + 'nabbers', + 'nabbing', + 'nabe', + 'nabes', + 'nabis', + 'nabob', 'naboberies', + 'nabobery', + 'nabobess', 'nabobesses', + 'nabobish', + 'nabobism', + 'nabobisms', + 'nabobs', + 'nabs', + 'nacelle', + 'nacelles', + 'nachas', + 'naches', + 'nacho', + 'nachos', + 'nacre', + 'nacred', + 'nacreous', + 'nacres', + 'nada', + 'nadas', + 'nadir', + 'nadiral', + 'nadirs', + 'nae', + 'naething', + 'naethings', + 'naevi', + 'naevoid', + 'naevus', + 'nag', + 'nagana', + 'naganas', + 'nagged', + 'nagger', + 'naggers', + 'naggier', + 'naggiest', + 'nagging', + 'naggingly', + 'naggy', + 'nags', + 'nah', + 'naiad', + 'naiades', + 'naiads', + 'naif', + 'naifs', + 'nail', + 'nailbrush', 'nailbrushes', + 'nailed', + 'nailer', + 'nailers', + 'nailfold', + 'nailfolds', + 'nailhead', + 'nailheads', + 'nailing', + 'nails', + 'nailset', + 'nailsets', + 'nainsook', + 'nainsooks', + 'naira', + 'naive', + 'naively', + 'naiveness', 'naivenesses', + 'naiver', + 'naives', + 'naivest', + 'naivete', + 'naivetes', + 'naiveties', + 'naivety', + 'naked', + 'nakeder', + 'nakedest', + 'nakedly', + 'nakedness', 'nakednesses', + 'naled', + 'naleds', 'nalorphine', 'nalorphines', + 'naloxone', + 'naloxones', 'naltrexone', 'naltrexones', + 'nam', + 'namable', + 'name', + 'nameable', + 'named', + 'nameless', 'namelessly', 'namelessness', 'namelessnesses', + 'namely', + 'nameplate', 'nameplates', + 'namer', + 'namers', + 'names', + 'namesake', + 'namesakes', + 'nametag', + 'nametags', + 'naming', + 'nan', + 'nana', + 'nanas', + 'nance', + 'nances', + 'nancies', + 'nancy', + 'nandin', + 'nandina', + 'nandinas', + 'nandins', + 'nanism', + 'nanisms', + 'nankeen', + 'nankeens', + 'nankin', + 'nankins', + 'nannie', + 'nannies', 'nannoplankton', 'nannoplanktons', + 'nanny', + 'nanogram', + 'nanograms', + 'nanometer', 'nanometers', 'nanosecond', 'nanoseconds', 'nanotechnologies', 'nanotechnology', + 'nanotesla', 'nanoteslas', + 'nanowatt', + 'nanowatts', + 'nans', + 'naoi', + 'naos', + 'nap', + 'napalm', + 'napalmed', + 'napalming', + 'napalms', + 'nape', + 'naperies', + 'napery', + 'napes', + 'naphtha', 'naphthalene', 'naphthalenes', + 'naphthas', + 'naphthene', 'naphthenes', 'naphthenic', + 'naphthol', + 'naphthols', + 'naphthyl', 'naphthylamine', 'naphthylamines', + 'naphthyls', + 'naphtol', + 'naphtols', + 'napiform', + 'napkin', + 'napkins', + 'napless', + 'napoleon', + 'napoleons', + 'nappe', + 'napped', + 'napper', + 'nappers', + 'nappes', + 'nappie', + 'nappier', + 'nappies', + 'nappiest', + 'napping', + 'nappy', 'naprapathies', 'naprapathy', + 'naps', + 'narc', + 'narcein', + 'narceine', + 'narceines', + 'narceins', + 'narcism', + 'narcisms', + 'narcissi', 'narcissism', 'narcissisms', 'narcissist', 'narcissistic', 'narcissists', + 'narcissus', 'narcissuses', + 'narcist', + 'narcists', + 'narco', 'narcolepsies', 'narcolepsy', 'narcoleptic', 'narcoleptics', + 'narcos', + 'narcose', + 'narcoses', + 'narcosis', + 'narcotic', 'narcotically', + 'narcotics', + 'narcotize', 'narcotized', 'narcotizes', 'narcotizing', + 'narcs', + 'nard', + 'nardine', + 'nards', + 'nares', + 'narghile', + 'narghiles', + 'nargile', + 'nargileh', + 'nargilehs', + 'nargiles', + 'narial', + 'naric', + 'narine', + 'naris', + 'nark', + 'narked', + 'narking', + 'narks', + 'narky', + 'narrate', + 'narrated', + 'narrater', + 'narraters', + 'narrates', + 'narrating', + 'narration', 'narrational', 'narrations', + 'narrative', 'narratively', 'narratives', 'narratological', @@ -37853,29 +96877,85 @@ export const scrabble_array = [ 'narratologist', 'narratologists', 'narratology', + 'narrator', + 'narrators', + 'narrow', 'narrowband', 'narrowcasting', 'narrowcastings', + 'narrowed', + 'narrower', + 'narrowest', + 'narrowing', + 'narrowly', 'narrowness', 'narrownesses', + 'narrows', + 'narthex', + 'narthexes', + 'narwal', + 'narwals', + 'narwhal', + 'narwhale', + 'narwhales', + 'narwhals', + 'nary', + 'nasal', + 'nasalise', + 'nasalised', + 'nasalises', 'nasalising', 'nasalities', + 'nasality', 'nasalization', 'nasalizations', + 'nasalize', + 'nasalized', + 'nasalizes', 'nasalizing', + 'nasally', + 'nasals', + 'nascence', + 'nascences', 'nascencies', + 'nascency', + 'nascent', + 'nasial', + 'nasion', + 'nasions', 'nasogastric', 'nasopharyngeal', 'nasopharynges', 'nasopharynx', 'nasopharynxes', + 'nastic', + 'nastier', + 'nasties', + 'nastiest', + 'nastily', + 'nastiness', 'nastinesses', 'nasturtium', 'nasturtiums', + 'nasty', + 'natal', 'natalities', + 'natality', + 'natant', + 'natantly', + 'natation', + 'natations', + 'natatoria', 'natatorial', 'natatorium', 'natatoriums', + 'natatory', + 'natch', + 'nates', + 'natheless', + 'nathless', + 'nation', + 'national', 'nationalise', 'nationalised', 'nationalises', @@ -37897,19 +96977,44 @@ export const scrabble_array = [ 'nationalizes', 'nationalizing', 'nationally', + 'nationals', 'nationhood', 'nationhoods', + 'nations', 'nationwide', + 'native', + 'natively', 'nativeness', 'nativenesses', + 'natives', + 'nativism', + 'nativisms', + 'nativist', 'nativistic', + 'nativists', 'nativities', + 'nativity', + 'natrium', + 'natriums', 'natriureses', 'natriuresis', 'natriuretic', 'natriuretics', + 'natrolite', 'natrolites', + 'natron', + 'natrons', + 'natter', + 'nattered', + 'nattering', + 'natters', + 'nattier', + 'nattiest', + 'nattily', + 'nattiness', 'nattinesses', + 'natty', + 'natural', 'naturalise', 'naturalised', 'naturalises', @@ -37926,57 +97031,180 @@ export const scrabble_array = [ 'naturalized', 'naturalizes', 'naturalizing', + 'naturally', 'naturalness', 'naturalnesses', + 'naturals', + 'nature', + 'natured', + 'natures', + 'naturism', + 'naturisms', + 'naturist', + 'naturists', 'naturopath', 'naturopathic', 'naturopathies', 'naturopaths', 'naturopathy', + 'naught', + 'naughtier', 'naughtiest', + 'naughtily', 'naughtiness', 'naughtinesses', + 'naughts', + 'naughty', + 'naumachia', 'naumachiae', 'naumachias', 'naumachies', + 'naumachy', + 'nauplial', + 'nauplii', + 'nauplius', + 'nausea', + 'nauseant', + 'nauseants', + 'nauseas', + 'nauseate', + 'nauseated', + 'nauseates', 'nauseating', 'nauseatingly', + 'nauseous', 'nauseously', 'nauseousness', 'nauseousnesses', + 'nautch', + 'nautches', + 'nautical', 'nautically', + 'nautili', + 'nautiloid', 'nautiloids', + 'nautilus', 'nautiluses', + 'navaid', + 'navaids', + 'naval', + 'navally', + 'navar', + 'navars', + 'nave', + 'navel', + 'navels', + 'naves', + 'navette', + 'navettes', + 'navicert', + 'navicerts', + 'navicular', 'naviculars', + 'navies', 'navigabilities', 'navigability', + 'navigable', + 'navigably', + 'navigate', + 'navigated', + 'navigates', 'navigating', 'navigation', 'navigational', 'navigationally', 'navigations', + 'navigator', 'navigators', + 'navvies', + 'navvy', + 'navy', + 'naw', + 'nawab', + 'nawabs', + 'nay', + 'nays', + 'naysayer', + 'naysayers', + 'nazi', 'nazification', 'nazifications', + 'nazified', + 'nazifies', + 'nazify', + 'nazifying', + 'nazis', + 'ne', + 'neap', + 'neaps', + 'near', + 'nearby', + 'neared', + 'nearer', + 'nearest', + 'nearing', + 'nearlier', + 'nearliest', + 'nearly', + 'nearness', 'nearnesses', + 'nears', + 'nearshore', + 'nearside', + 'nearsides', 'nearsighted', 'nearsightedly', 'nearsightedness', 'nearsightednesses', + 'neat', + 'neaten', + 'neatened', + 'neatening', + 'neatens', + 'neater', + 'neatest', + 'neath', + 'neatherd', + 'neatherds', + 'neatly', + 'neatness', 'neatnesses', + 'neats', + 'neb', + 'nebbish', + 'nebbishes', + 'nebbishy', + 'nebenkern', 'nebenkerns', + 'nebs', + 'nebula', + 'nebulae', + 'nebular', + 'nebulas', + 'nebule', + 'nebulise', + 'nebulised', + 'nebulises', 'nebulising', 'nebulization', 'nebulizations', + 'nebulize', + 'nebulized', + 'nebulizer', 'nebulizers', + 'nebulizes', 'nebulizing', + 'nebulose', 'nebulosities', 'nebulosity', + 'nebulous', 'nebulously', 'nebulousness', 'nebulousnesses', + 'nebuly', 'necessaries', 'necessarily', + 'necessary', 'necessitarian', 'necessitarianism', 'necessitarianisms', @@ -37992,13 +97220,33 @@ export const scrabble_array = [ 'necessitously', 'necessitousness', 'necessitousnesses', + 'necessity', + 'neck', + 'neckband', + 'neckbands', + 'necked', + 'necker', 'neckerchief', 'neckerchiefs', 'neckerchieves', + 'neckers', + 'necking', + 'neckings', + 'necklace', + 'necklaces', + 'neckless', + 'necklike', + 'neckline', + 'necklines', + 'necks', + 'necktie', + 'neckties', + 'neckwear', 'necrological', 'necrologies', 'necrologist', 'necrologists', + 'necrology', 'necromancer', 'necromancers', 'necromancies', @@ -38015,21 +97263,54 @@ export const scrabble_array = [ 'necrophilisms', 'necropoleis', 'necropoles', + 'necropoli', 'necropolis', 'necropolises', 'necropsied', 'necropsies', + 'necropsy', 'necropsying', + 'necrose', + 'necrosed', + 'necroses', + 'necrosing', + 'necrosis', + 'necrotic', 'necrotizing', + 'nectar', + 'nectaries', + 'nectarine', 'nectarines', + 'nectarous', + 'nectars', + 'nectary', + 'nee', + 'need', + 'needed', + 'needer', + 'needers', + 'needful', + 'needfully', 'needfulness', 'needfulnesses', + 'needfuls', + 'needier', + 'neediest', + 'needily', + 'neediness', 'needinesses', + 'needing', + 'needle', + 'needled', 'needlefish', 'needlefishes', 'needlelike', 'needlepoint', 'needlepoints', + 'needler', + 'needlers', + 'needles', + 'needless', 'needlessly', 'needlessness', 'needlessnesses', @@ -38039,11 +97320,31 @@ export const scrabble_array = [ 'needleworker', 'needleworkers', 'needleworks', + 'needling', + 'needlings', + 'needs', + 'needy', + 'neem', + 'neems', + 'neep', + 'neeps', + 'nefarious', 'nefariously', + 'negate', + 'negated', + 'negater', + 'negaters', + 'negates', + 'negating', + 'negation', 'negational', + 'negations', + 'negative', + 'negatived', 'negatively', 'negativeness', 'negativenesses', + 'negatives', 'negativing', 'negativism', 'negativisms', @@ -38052,15 +97353,30 @@ export const scrabble_array = [ 'negativists', 'negativities', 'negativity', + 'negaton', + 'negatons', + 'negator', + 'negators', + 'negatron', + 'negatrons', + 'neglect', + 'neglected', + 'neglecter', 'neglecters', 'neglectful', 'neglectfully', 'neglectfulness', 'neglectfulnesses', 'neglecting', + 'neglects', + 'neglige', + 'negligee', + 'negligees', 'negligence', 'negligences', + 'negligent', 'negligently', + 'negliges', 'negligibilities', 'negligibility', 'negligible', @@ -38068,7 +97384,9 @@ export const scrabble_array = [ 'negotiabilities', 'negotiability', 'negotiable', + 'negotiant', 'negotiants', + 'negotiate', 'negotiated', 'negotiates', 'negotiating', @@ -38077,11 +97395,22 @@ export const scrabble_array = [ 'negotiator', 'negotiators', 'negotiatory', + 'negritude', 'negritudes', + 'negroid', + 'negroids', + 'negroni', + 'negronis', 'negrophobe', 'negrophobes', 'negrophobia', 'negrophobias', + 'negus', + 'neguses', + 'neif', + 'neifs', + 'neigh', + 'neighbor', 'neighbored', 'neighborhood', 'neighborhoods', @@ -38089,9 +97418,29 @@ export const scrabble_array = [ 'neighborliness', 'neighborlinesses', 'neighborly', + 'neighbors', + 'neighbour', 'neighboured', 'neighbouring', 'neighbours', + 'neighed', + 'neighing', + 'neighs', + 'neist', + 'neither', + 'nekton', + 'nektonic', + 'nektons', + 'nellie', + 'nellies', + 'nelly', + 'nelson', + 'nelsons', + 'nelumbo', + 'nelumbos', + 'nema', + 'nemas', + 'nematic', 'nematicidal', 'nematicide', 'nematicides', @@ -38100,14 +97449,22 @@ export const scrabble_array = [ 'nematocides', 'nematocyst', 'nematocysts', + 'nematode', + 'nematodes', 'nematological', 'nematologies', 'nematologist', 'nematologists', 'nematology', + 'nemertean', 'nemerteans', + 'nemertine', 'nemertines', + 'nemeses', + 'nemesis', + 'nemophila', 'nemophilas', + 'nene', 'neoclassic', 'neoclassical', 'neoclassicism', @@ -38123,33 +97480,60 @@ export const scrabble_array = [ 'neoconservatisms', 'neoconservative', 'neoconservatives', + 'neocortex', 'neocortexes', 'neocortical', 'neocortices', + 'neodymium', 'neodymiums', 'neoliberal', 'neoliberalism', 'neoliberalisms', 'neoliberals', + 'neolith', + 'neolithic', + 'neoliths', + 'neologic', + 'neologies', + 'neologism', 'neologisms', 'neologistic', + 'neology', + 'neomorph', + 'neomorphs', + 'neomycin', + 'neomycins', + 'neon', + 'neonatal', 'neonatally', + 'neonate', + 'neonates', 'neonatologies', 'neonatologist', 'neonatologists', 'neonatology', + 'neoned', + 'neons', 'neoorthodox', 'neoorthodoxies', 'neoorthodoxy', + 'neophilia', 'neophiliac', 'neophiliacs', 'neophilias', + 'neophyte', + 'neophytes', + 'neoplasia', 'neoplasias', + 'neoplasm', + 'neoplasms', 'neoplastic', 'neoplasticism', 'neoplasticisms', 'neoplasticist', 'neoplasticists', + 'neoprene', + 'neoprenes', 'neorealism', 'neorealisms', 'neorealist', @@ -38157,13 +97541,24 @@ export const scrabble_array = [ 'neorealists', 'neostigmine', 'neostigmines', + 'neotenic', + 'neotenies', + 'neoteny', + 'neoteric', + 'neoterics', 'neotropics', + 'neotype', + 'neotypes', + 'nepenthe', 'nepenthean', + 'nepenthes', + 'nepheline', 'nephelines', 'nephelinic', 'nephelinite', 'nephelinites', 'nephelinitic', + 'nephelite', 'nephelites', 'nephelometer', 'nephelometers', @@ -38171,6 +97566,8 @@ export const scrabble_array = [ 'nephelometrically', 'nephelometries', 'nephelometry', + 'nephew', + 'nephews', 'nephoscope', 'nephoscopes', 'nephrectomies', @@ -38179,41 +97576,166 @@ export const scrabble_array = [ 'nephrectomizes', 'nephrectomizing', 'nephrectomy', + 'nephric', + 'nephridia', 'nephridial', 'nephridium', + 'nephrism', + 'nephrisms', + 'nephrite', + 'nephrites', + 'nephritic', 'nephritides', + 'nephritis', 'nephrologies', 'nephrologist', 'nephrologists', 'nephrology', + 'nephron', + 'nephrons', 'nephropathic', 'nephropathies', 'nephropathy', + 'nephroses', + 'nephrosis', 'nephrostome', 'nephrostomes', + 'nephrotic', 'nephrotics', 'nephrotoxic', 'nephrotoxicities', 'nephrotoxicity', + 'nepotic', + 'nepotism', + 'nepotisms', + 'nepotist', 'nepotistic', + 'nepotists', + 'neptunium', 'neptuniums', + 'nerd', + 'nerdier', + 'nerdiest', + 'nerdish', + 'nerds', + 'nerdy', + 'nereid', + 'nereides', + 'nereids', + 'nereis', + 'neritic', + 'nerol', + 'neroli', + 'nerolis', + 'nerols', + 'nerts', + 'nertz', + 'nervate', + 'nervation', 'nervations', + 'nerve', + 'nerved', + 'nerveless', 'nervelessly', 'nervelessness', 'nervelessnesses', + 'nerves', + 'nervier', + 'nerviest', + 'nervily', + 'nervine', + 'nervines', + 'nerviness', 'nervinesses', + 'nerving', + 'nervings', 'nervosities', + 'nervosity', + 'nervous', + 'nervously', 'nervousness', 'nervousnesses', + 'nervule', + 'nervules', + 'nervure', + 'nervures', + 'nervy', + 'nescience', 'nesciences', + 'nescient', + 'nescients', + 'ness', + 'nesses', + 'nest', + 'nestable', + 'nested', + 'nester', + 'nesters', + 'nesting', + 'nestle', + 'nestled', + 'nestler', + 'nestlers', + 'nestles', + 'nestlike', + 'nestling', + 'nestlings', + 'nestor', + 'nestors', + 'nests', + 'net', + 'nether', 'nethermost', 'netherworld', 'netherworlds', + 'netless', + 'netlike', + 'netminder', 'netminders', + 'netop', + 'netops', + 'nets', + 'netsuke', + 'netsukes', + 'nett', + 'nettable', + 'netted', + 'netter', + 'netters', + 'nettier', + 'nettiest', + 'netting', + 'nettings', + 'nettle', + 'nettled', + 'nettler', + 'nettlers', + 'nettles', 'nettlesome', + 'nettlier', + 'nettliest', + 'nettling', + 'nettly', + 'netts', + 'netty', + 'network', + 'networked', 'networking', 'networkings', + 'networks', + 'neuk', + 'neuks', + 'neum', + 'neumatic', + 'neume', + 'neumes', + 'neumic', + 'neums', + 'neural', + 'neuralgia', 'neuralgias', + 'neuralgic', + 'neurally', 'neuraminidase', 'neuraminidases', 'neurasthenia', @@ -38221,10 +97743,17 @@ export const scrabble_array = [ 'neurasthenic', 'neurasthenically', 'neurasthenics', + 'neuraxon', + 'neuraxons', 'neurilemma', 'neurilemmal', 'neurilemmas', + 'neurine', + 'neurines', + 'neuritic', + 'neuritics', 'neuritides', + 'neuritis', 'neuritises', 'neuroactive', 'neuroanatomic', @@ -38265,6 +97794,7 @@ export const scrabble_array = [ 'neurofibromatosises', 'neurogenic', 'neurogenically', + 'neuroglia', 'neuroglial', 'neuroglias', 'neurohormonal', @@ -38277,6 +97807,7 @@ export const scrabble_array = [ 'neurohypophyses', 'neurohypophysial', 'neurohypophysis', + 'neuroid', 'neuroleptic', 'neuroleptics', 'neurologic', @@ -38285,7 +97816,17 @@ export const scrabble_array = [ 'neurologies', 'neurologist', 'neurologists', + 'neurology', + 'neuroma', + 'neuromas', + 'neuromata', 'neuromuscular', + 'neuron', + 'neuronal', + 'neurone', + 'neurones', + 'neuronic', + 'neurons', 'neuropathic', 'neuropathically', 'neuropathies', @@ -38330,6 +97871,7 @@ export const scrabble_array = [ 'neuroradiologist', 'neuroradiologists', 'neuroradiology', + 'neurosal', 'neuroscience', 'neurosciences', 'neuroscientific', @@ -38339,6 +97881,8 @@ export const scrabble_array = [ 'neurosecretions', 'neurosecretory', 'neurosensory', + 'neuroses', + 'neurosis', 'neurospora', 'neurosporas', 'neurosurgeon', @@ -38346,9 +97890,11 @@ export const scrabble_array = [ 'neurosurgeries', 'neurosurgery', 'neurosurgical', + 'neurotic', 'neurotically', 'neuroticism', 'neuroticisms', + 'neurotics', 'neurotoxic', 'neurotoxicities', 'neurotoxicity', @@ -38359,8 +97905,18 @@ export const scrabble_array = [ 'neurotransmitter', 'neurotransmitters', 'neurotropic', + 'neurula', + 'neurulae', + 'neurulas', 'neurulation', 'neurulations', + 'neuston', + 'neustons', + 'neuter', + 'neutered', + 'neutering', + 'neuters', + 'neutral', 'neutralise', 'neutralised', 'neutralises', @@ -38380,31 +97936,84 @@ export const scrabble_array = [ 'neutralizers', 'neutralizes', 'neutralizing', + 'neutrally', 'neutralness', 'neutralnesses', + 'neutrals', + 'neutrino', 'neutrinoless', + 'neutrinos', + 'neutron', + 'neutronic', + 'neutrons', 'neutrophil', 'neutrophilic', 'neutrophils', + 'neve', + 'never', + 'nevermore', 'nevertheless', + 'neves', + 'nevi', + 'nevoid', + 'nevus', + 'new', + 'newborn', + 'newborns', + 'newcomer', + 'newcomers', + 'newel', + 'newels', + 'newer', + 'newest', 'newfangled', 'newfangledness', 'newfanglednesses', + 'newfound', + 'newie', + 'newies', + 'newish', + 'newly', + 'newlywed', + 'newlyweds', + 'newmarket', 'newmarkets', + 'newmown', + 'newness', + 'newnesses', + 'news', + 'newsagent', 'newsagents', + 'newsboy', + 'newsboys', + 'newsbreak', 'newsbreaks', + 'newscast', 'newscaster', 'newscasters', + 'newscasts', 'newsdealer', 'newsdealers', + 'newshawk', + 'newshawks', + 'newshound', 'newshounds', + 'newsie', + 'newsier', + 'newsies', + 'newsiest', + 'newsiness', 'newsinesses', + 'newsless', 'newsletter', 'newsletters', 'newsmagazine', 'newsmagazines', + 'newsman', + 'newsmen', 'newsmonger', 'newsmongers', + 'newspaper', 'newspapered', 'newspapering', 'newspaperman', @@ -38412,49 +98021,198 @@ export const scrabble_array = [ 'newspapers', 'newspaperwoman', 'newspaperwomen', + 'newspeak', + 'newspeaks', 'newspeople', 'newsperson', 'newspersons', + 'newsprint', 'newsprints', 'newsreader', 'newsreaders', + 'newsreel', + 'newsreels', + 'newsroom', + 'newsrooms', + 'newsstand', 'newsstands', 'newsweeklies', 'newsweekly', + 'newswoman', + 'newswomen', 'newsworthiness', 'newsworthinesses', 'newsworthy', 'newswriting', 'newswritings', + 'newsy', + 'newt', + 'newton', + 'newtons', + 'newts', + 'next', + 'nextdoor', + 'nexus', + 'nexuses', + 'ngultrum', + 'ngultrums', + 'ngwee', + 'niacin', 'niacinamide', 'niacinamides', + 'niacins', + 'nialamide', 'nialamides', + 'nib', + 'nibbed', + 'nibbing', + 'nibble', + 'nibbled', + 'nibbler', + 'nibblers', + 'nibbles', + 'nibbling', + 'niblick', + 'niblicks', + 'niblike', + 'nibs', + 'nicad', + 'nicads', + 'niccolite', 'niccolites', + 'nice', + 'nicely', + 'niceness', 'nicenesses', + 'nicer', + 'nicest', + 'niceties', + 'nicety', + 'niche', + 'niched', + 'niches', + 'niching', + 'nick', + 'nicked', + 'nickel', + 'nickeled', + 'nickelic', 'nickeliferous', + 'nickeling', + 'nickelled', 'nickelling', 'nickelodeon', 'nickelodeons', + 'nickels', + 'nicker', + 'nickered', + 'nickering', + 'nickers', + 'nicking', + 'nickle', + 'nickled', + 'nickles', + 'nickling', + 'nicknack', + 'nicknacks', + 'nickname', + 'nicknamed', + 'nicknamer', 'nicknamers', + 'nicknames', 'nicknaming', + 'nicks', + 'nicol', + 'nicols', + 'nicotiana', 'nicotianas', + 'nicotin', 'nicotinamide', 'nicotinamides', + 'nicotine', + 'nicotines', + 'nicotinic', + 'nicotins', + 'nictate', + 'nictated', + 'nictates', + 'nictating', + 'nictitate', 'nictitated', 'nictitates', 'nictitating', + 'nidal', + 'nide', + 'nided', + 'nidering', + 'niderings', + 'nides', + 'nidget', + 'nidgets', + 'nidi', 'nidicolous', 'nidification', 'nidifications', + 'nidified', + 'nidifies', 'nidifugous', + 'nidify', + 'nidifying', + 'niding', + 'nidus', + 'niduses', + 'niece', + 'nieces', + 'nielli', + 'niellist', + 'niellists', + 'niello', + 'nielloed', + 'nielloing', + 'niellos', + 'nieve', + 'nieves', 'nifedipine', 'nifedipines', + 'niffer', + 'niffered', + 'niffering', + 'niffers', + 'niftier', + 'nifties', + 'niftiest', + 'niftily', + 'nifty', + 'niggard', + 'niggarded', 'niggarding', 'niggardliness', 'niggardlinesses', + 'niggardly', + 'niggards', + 'nigger', + 'niggers', + 'niggle', + 'niggled', + 'niggler', + 'nigglers', + 'niggles', + 'niggling', 'nigglingly', + 'nigglings', + 'nigh', + 'nighed', + 'nigher', + 'nighest', + 'nighing', + 'nighness', 'nighnesses', + 'nighs', + 'night', + 'nightcap', + 'nightcaps', 'nightclothes', + 'nightclub', 'nightclubbed', 'nightclubber', 'nightclubbers', @@ -38462,122 +98220,462 @@ export const scrabble_array = [ 'nightclubs', 'nightdress', 'nightdresses', + 'nightfall', 'nightfalls', + 'nightglow', 'nightglows', + 'nightgown', 'nightgowns', + 'nighthawk', 'nighthawks', + 'nightie', + 'nighties', 'nightingale', 'nightingales', + 'nightjar', + 'nightjars', + 'nightless', + 'nightlife', 'nightlifes', + 'nightlong', + 'nightly', + 'nightmare', 'nightmares', 'nightmarish', 'nightmarishly', + 'nights', 'nightscope', 'nightscopes', 'nightshade', 'nightshades', 'nightshirt', 'nightshirts', + 'nightside', 'nightsides', + 'nightspot', 'nightspots', 'nightstand', 'nightstands', 'nightstick', 'nightsticks', + 'nighttime', 'nighttimes', 'nightwalker', 'nightwalkers', + 'nighty', + 'nigrified', + 'nigrifies', + 'nigrify', 'nigrifying', + 'nigrosin', + 'nigrosins', + 'nihil', + 'nihilism', + 'nihilisms', + 'nihilist', 'nihilistic', + 'nihilists', 'nihilities', + 'nihility', + 'nihils', + 'nil', + 'nilgai', + 'nilgais', + 'nilgau', + 'nilgaus', + 'nilghai', + 'nilghais', + 'nilghau', + 'nilghaus', + 'nill', + 'nilled', + 'nilling', + 'nills', + 'nilpotent', + 'nils', + 'nim', + 'nimbi', + 'nimble', 'nimbleness', 'nimblenesses', + 'nimbler', + 'nimblest', + 'nimbly', 'nimbostrati', 'nimbostratus', + 'nimbus', + 'nimbused', + 'nimbuses', + 'nimieties', + 'nimiety', + 'nimious', + 'nimmed', + 'nimming', + 'nimrod', + 'nimrods', + 'nims', 'nincompoop', 'nincompooperies', 'nincompoopery', 'nincompoops', + 'nine', + 'ninebark', + 'ninebarks', + 'ninefold', + 'ninepin', + 'ninepins', + 'nines', + 'nineteen', + 'nineteens', 'nineteenth', 'nineteenths', + 'nineties', + 'ninetieth', 'ninetieths', + 'ninety', + 'ninhydrin', 'ninhydrins', + 'ninja', + 'ninjas', + 'ninnies', + 'ninny', 'ninnyhammer', 'ninnyhammers', + 'ninnyish', + 'ninon', + 'ninons', + 'ninth', + 'ninthly', + 'ninths', + 'niobate', + 'niobates', + 'niobic', + 'niobium', + 'niobiums', + 'niobous', + 'nip', + 'nipa', + 'nipas', + 'nipped', + 'nipper', + 'nippers', + 'nippier', + 'nippiest', + 'nippily', + 'nippiness', 'nippinesses', + 'nipping', + 'nippingly', + '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', + 'nitpicked', + 'nitpicker', 'nitpickers', 'nitpickier', 'nitpickiest', 'nitpicking', + 'nitpicks', + 'nitpicky', + 'nitrate', + 'nitrated', + 'nitrates', + 'nitrating', + 'nitration', 'nitrations', + 'nitrator', + 'nitrators', + 'nitre', + 'nitres', + 'nitric', + 'nitrid', + 'nitride', + 'nitrided', + 'nitrides', + 'nitriding', + 'nitrids', 'nitrification', 'nitrifications', + 'nitrified', + 'nitrifier', 'nitrifiers', + 'nitrifies', + 'nitrify', 'nitrifying', + 'nitril', + 'nitrile', + 'nitriles', + 'nitrils', + 'nitrite', + 'nitrites', + 'nitro', 'nitrobenzene', 'nitrobenzenes', 'nitrocellulose', 'nitrocelluloses', 'nitrofuran', 'nitrofurans', + 'nitrogen', 'nitrogenase', 'nitrogenases', 'nitrogenous', + 'nitrogens', 'nitroglycerin', 'nitroglycerine', 'nitroglycerines', 'nitroglycerins', + 'nitrolic', 'nitromethane', 'nitromethanes', 'nitroparaffin', 'nitroparaffins', + 'nitros', 'nitrosamine', 'nitrosamines', + 'nitroso', + 'nitrosyl', + 'nitrosyls', + 'nitrous', + 'nits', + 'nittier', + 'nittiest', + 'nitty', + 'nitwit', + 'nitwits', + 'nival', + 'niveous', + 'nix', + 'nixe', + 'nixed', + 'nixes', + 'nixie', + 'nixies', + 'nixing', + 'nixy', + 'nizam', + 'nizamate', + 'nizamates', + 'nizams', + 'no', + 'nob', + 'nobbier', + 'nobbiest', + 'nobbily', + 'nobble', + 'nobbled', + 'nobbler', + 'nobblers', + 'nobbles', + 'nobbling', + 'nobby', + 'nobelium', + 'nobeliums', 'nobilities', + 'nobility', + 'noble', + 'nobleman', + 'noblemen', + 'nobleness', 'noblenesses', + 'nobler', + 'nobles', + 'noblesse', + 'noblesses', + 'noblest', 'noblewoman', 'noblewomen', + 'nobly', + 'nobodies', + 'nobody', + 'nobs', + 'nocent', 'nociceptive', + 'nock', + 'nocked', + 'nocking', + 'nocks', 'noctambulist', 'noctambulists', + 'noctuid', + 'noctuids', + 'noctule', + 'noctules', + 'noctuoid', + 'nocturn', + 'nocturnal', 'nocturnally', + 'nocturne', + 'nocturnes', + 'nocturns', + 'nocuous', + 'nocuously', + 'nod', + 'nodal', 'nodalities', + 'nodality', + 'nodally', + 'nodded', + 'nodder', + 'nodders', + 'noddies', + 'nodding', + 'noddle', + 'noddled', + 'noddles', + 'noddling', + 'noddy', + 'node', + 'nodes', + 'nodi', + 'nodical', + 'nodose', 'nodosities', + 'nodosity', + 'nodous', + 'nods', + 'nodular', 'nodulation', 'nodulations', + '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', + 'noiseless', 'noiselessly', 'noisemaker', 'noisemakers', 'noisemaking', 'noisemakings', + 'noises', + 'noisette', + 'noisettes', + 'noisier', + 'noisiest', + 'noisily', + 'noisiness', 'noisinesses', + 'noising', + 'noisome', + 'noisomely', 'noisomeness', 'noisomenesses', + 'noisy', + 'nolo', + 'nolos', + 'nom', + 'noma', + 'nomad', + 'nomadic', + 'nomadism', + 'nomadisms', + 'nomads', + 'nomarch', 'nomarchies', + 'nomarchs', + 'nomarchy', + 'nomas', + 'nombles', + 'nombril', + 'nombrils', + 'nome', + 'nomen', 'nomenclator', 'nomenclatorial', 'nomenclators', 'nomenclatural', 'nomenclature', 'nomenclatures', + 'nomes', + 'nomina', + 'nominal', 'nominalism', 'nominalisms', 'nominalist', 'nominalistic', 'nominalists', + 'nominally', + 'nominals', + 'nominate', + 'nominated', + 'nominates', 'nominating', 'nomination', 'nominations', 'nominative', 'nominatives', + 'nominator', 'nominators', + 'nominee', + 'nominees', + 'nomism', + 'nomisms', + 'nomistic', + 'nomogram', + 'nomograms', + 'nomograph', 'nomographic', 'nomographies', 'nomographs', 'nomography', + 'nomoi', 'nomological', 'nomologies', + 'nomology', + 'nomos', 'nomothetic', + 'noms', + 'nona', 'nonabrasive', 'nonabsorbable', 'nonabsorbent', @@ -38593,10 +98691,18 @@ export const scrabble_array = [ 'nonaccrual', 'nonachievement', 'nonachievements', + 'nonacid', + 'nonacidic', + 'nonacids', 'nonacquisitive', + 'nonacting', + 'nonaction', 'nonactions', 'nonactivated', + 'nonactor', + 'nonactors', 'nonadaptive', + 'nonaddict', 'nonaddictive', 'nonaddicts', 'nonadditive', @@ -38609,14 +98715,20 @@ export const scrabble_array = [ 'nonadmirers', 'nonadmission', 'nonadmissions', + 'nonadult', + 'nonadults', 'nonaesthetic', 'nonaffiliated', 'nonaffluent', + 'nonage', 'nonagenarian', 'nonagenarians', + 'nonages', 'nonaggression', 'nonaggressions', 'nonaggressive', + 'nonagon', + 'nonagons', 'nonagricultural', 'nonalcoholic', 'nonalcoholics', @@ -38631,6 +98743,8 @@ export const scrabble_array = [ 'nonambiguous', 'nonanalytic', 'nonanatomic', + 'nonanimal', + 'nonanswer', 'nonanswers', 'nonantagonistic', 'nonanthropological', @@ -38643,6 +98757,7 @@ export const scrabble_array = [ 'nonappearances', 'nonaquatic', 'nonaqueous', + 'nonarable', 'nonarbitrariness', 'nonarbitrarinesses', 'nonarbitrary', @@ -38654,8 +98769,12 @@ export const scrabble_array = [ 'nonarguments', 'nonaristocratic', 'nonaromatic', + 'nonart', + 'nonartist', 'nonartistic', 'nonartists', + 'nonarts', + 'nonas', 'nonascetic', 'nonascetics', 'nonaspirin', @@ -38666,6 +98785,7 @@ export const scrabble_array = [ 'nonathlete', 'nonathletes', 'nonathletic', + 'nonatomic', 'nonattached', 'nonattachment', 'nonattachments', @@ -38674,6 +98794,7 @@ export const scrabble_array = [ 'nonattender', 'nonattenders', 'nonauditory', + 'nonauthor', 'nonauthoritarian', 'nonauthors', 'nonautomated', @@ -38683,11 +98804,17 @@ export const scrabble_array = [ 'nonavailabilities', 'nonavailability', 'nonbacterial', + 'nonbank', 'nonbanking', + 'nonbanks', 'nonbarbiturate', 'nonbarbiturates', + 'nonbasic', 'nonbearing', 'nonbehavioral', + 'nonbeing', + 'nonbeings', + 'nonbelief', 'nonbeliefs', 'nonbeliever', 'nonbelievers', @@ -38697,6 +98824,7 @@ export const scrabble_array = [ 'nonbelligerents', 'nonbetting', 'nonbibliographic', + 'nonbinary', 'nonbinding', 'nonbiodegradable', 'nonbiodegradables', @@ -38705,9 +98833,18 @@ export const scrabble_array = [ 'nonbiologically', 'nonbiologist', 'nonbiologists', + 'nonbiting', + 'nonblack', + 'nonblacks', + 'nonbodies', + 'nonbody', + 'nonbonded', 'nonbonding', + 'nonbook', + 'nonbooks', 'nonbotanist', 'nonbotanists', + 'nonbrand', 'nonbreakable', 'nonbreathing', 'nonbreeder', @@ -38720,10 +98857,13 @@ export const scrabble_array = [ 'nonbuildings', 'nonburnable', 'nonbusiness', + 'nonbuying', 'noncabinet', 'noncabinets', + 'noncaking', 'noncallable', 'noncaloric', + 'noncampus', 'noncancelable', 'noncancerous', 'noncandidacies', @@ -38739,8 +98879,13 @@ export const scrabble_array = [ 'noncarcinogenic', 'noncarcinogens', 'noncardiac', + 'noncareer', 'noncarrier', 'noncarriers', + 'noncash', + 'noncasual', + 'noncausal', + 'nonce', 'noncelebration', 'noncelebrations', 'noncelebrities', @@ -38750,6 +98895,7 @@ export const scrabble_array = [ 'noncentral', 'noncertificated', 'noncertified', + 'nonces', 'nonchalance', 'nonchalances', 'nonchalant', @@ -38763,6 +98909,7 @@ export const scrabble_array = [ 'nonchemicals', 'nonchromosomal', 'nonchronological', + 'nonchurch', 'nonchurchgoer', 'nonchurchgoers', 'noncircular', @@ -38770,6 +98917,7 @@ export const scrabble_array = [ 'noncitizen', 'noncitizens', 'nonclandestine', + 'nonclass', 'nonclasses', 'nonclassical', 'nonclassified', @@ -38777,6 +98925,7 @@ export const scrabble_array = [ 'nonclassrooms', 'nonclerical', 'nonclericals', + 'noncling', 'nonclinical', 'nonclogging', 'noncoercive', @@ -38784,14 +98933,21 @@ export const scrabble_array = [ 'noncoherent', 'noncoincidence', 'noncoincidences', + 'noncoital', + 'noncoking', + 'noncola', 'noncollector', 'noncollectors', 'noncollege', 'noncolleges', 'noncollegiate', 'noncollinear', + 'noncolor', 'noncolored', 'noncolorfast', + 'noncolors', + 'noncom', + 'noncombat', 'noncombatant', 'noncombatants', 'noncombative', @@ -38840,11 +98996,13 @@ export const scrabble_array = [ 'noncompressible', 'noncomputer', 'noncomputerized', + 'noncoms', 'nonconceptual', 'nonconcern', 'nonconcerns', 'nonconclusion', 'nonconclusions', + 'nonconcur', 'nonconcurred', 'nonconcurrence', 'nonconcurrences', @@ -38943,14 +99101,20 @@ export const scrabble_array = [ 'noncorrosive', 'noncountries', 'noncountry', + 'noncounty', 'noncoverage', 'noncoverages', 'noncreative', 'noncreativities', 'noncreativity', 'noncredentialed', + 'noncredit', + 'noncrime', + 'noncrimes', 'noncriminal', 'noncriminals', + 'noncrises', + 'noncrisis', 'noncritical', 'noncrossover', 'noncrushable', @@ -38965,8 +99129,13 @@ export const scrabble_array = [ 'noncustodial', 'noncustomer', 'noncustomers', + 'noncyclic', 'noncyclical', + 'nondairy', + 'nondance', + 'nondancer', 'nondancers', + 'nondances', 'nondeceptive', 'nondecision', 'nondecisions', @@ -38982,6 +99151,7 @@ export const scrabble_array = [ 'nondegenerates', 'nondegradable', 'nondegradables', + 'nondegree', 'nondelegate', 'nondelegates', 'nondeliberate', @@ -39006,6 +99176,7 @@ export const scrabble_array = [ 'nondescript', 'nondescriptive', 'nondescripts', + 'nondesert', 'nondestructive', 'nondestructively', 'nondestructiveness', @@ -39045,11 +99216,13 @@ export const scrabble_array = [ 'nondistinctive', 'nondiversified', 'nondividing', + 'nondoctor', 'nondoctors', 'nondoctrinaire', 'nondocumentaries', 'nondocumentary', 'nondogmatic', + 'nondollar', 'nondomestic', 'nondomestics', 'nondominant', @@ -39059,22 +99232,29 @@ export const scrabble_array = [ 'nondrinker', 'nondrinkers', 'nondrinking', + 'nondriver', 'nondrivers', + 'nondrug', 'nondurable', 'nondurables', + 'none', 'nonearning', 'nonearnings', 'nonecclesiastical', 'noneconomic', 'noneconomist', 'noneconomists', + 'nonedible', 'noneditorial', 'noneducation', 'noneducational', 'noneducations', 'noneffective', 'noneffectives', + 'nonego', + 'nonegos', 'nonelastic', + 'nonelect', 'nonelected', 'nonelection', 'nonelections', @@ -39088,6 +99268,7 @@ export const scrabble_array = [ 'nonelectronic', 'nonelectronics', 'nonelementary', + 'nonelite', 'nonemergencies', 'nonemergency', 'nonemotional', @@ -39097,7 +99278,10 @@ export const scrabble_array = [ 'nonemployees', 'nonemployment', 'nonemployments', + 'nonempty', 'nonencapsulated', + 'nonending', + 'nonenergy', 'nonenforceabilities', 'nonenforceability', 'nonenforcement', @@ -39109,9 +99293,13 @@ export const scrabble_array = [ 'nonentertainment', 'nonentertainments', 'nonentities', + 'nonentity', 'nonentries', + 'nonentry', 'nonenzymatic', 'nonenzymic', + 'nonequal', + 'nonequals', 'nonequilibria', 'nonequilibrium', 'nonequilibriums', @@ -39119,27 +99307,38 @@ export const scrabble_array = [ 'nonequivalences', 'nonequivalent', 'nonequivalents', + 'nonerotic', + 'nones', 'nonessential', 'nonessentials', 'nonestablished', 'nonestablishment', 'nonestablishments', 'nonesterified', + 'nonesuch', 'nonesuches', + 'nonet', 'nonetheless', 'nonethical', + 'nonethnic', + 'nonets', 'nonevaluative', + 'nonevent', + 'nonevents', 'nonevidence', 'nonevidences', 'nonexclusive', 'nonexecutive', 'nonexecutives', + 'nonexempt', 'nonexistence', 'nonexistences', 'nonexistent', 'nonexistential', + 'nonexotic', 'nonexpendable', 'nonexperimental', + 'nonexpert', 'nonexperts', 'nonexplanatory', 'nonexploitation', @@ -39149,13 +99348,26 @@ export const scrabble_array = [ 'nonexplosive', 'nonexplosives', 'nonexposed', + 'nonextant', + 'nonfact', + 'nonfactor', 'nonfactors', + 'nonfacts', 'nonfactual', 'nonfaculty', + 'nonfading', 'nonfamilial', 'nonfamilies', + 'nonfamily', + 'nonfan', + 'nonfans', + 'nonfarm', + 'nonfarmer', 'nonfarmers', + 'nonfat', + 'nonfatal', 'nonfattening', + 'nonfatty', 'nonfeasance', 'nonfeasances', 'nonfederal', @@ -39169,53 +99381,83 @@ export const scrabble_array = [ 'nonfigurative', 'nonfilamentous', 'nonfilterable', + 'nonfinal', 'nonfinancial', + 'nonfinite', 'nonfissionable', 'nonflammability', 'nonflammable', 'nonflowering', 'nonfluencies', 'nonfluency', + 'nonfluid', + 'nonfluids', 'nonfluorescent', + 'nonflying', + 'nonfocal', + 'nonfood', 'nonforfeitable', 'nonforfeiture', 'nonforfeitures', + 'nonformal', + 'nonfossil', 'nonfraternization', 'nonfraternizations', 'nonfreezing', 'nonfrivolous', + 'nonfrozen', + 'nonfuel', 'nonfulfillment', 'nonfulfillments', 'nonfunctional', 'nonfunctioning', + 'nongame', 'nongaseous', + 'nongay', + 'nongays', 'nongenetic', 'nongenital', 'nongeometrical', + 'nonghetto', 'nonglamorous', + 'nonglare', + 'nongolfer', 'nongolfers', 'nongonococcal', 'nongovernment', 'nongovernmental', 'nongovernments', + 'nongraded', 'nongraduate', 'nongraduates', 'nongrammatical', 'nongranular', 'nongravitational', + 'nongreasy', + 'nongreen', 'nongregarious', 'nongrowing', + 'nongrowth', + 'nonguest', + 'nonguests', + 'nonguilt', + 'nonguilts', 'nonhalogenated', 'nonhandicapped', 'nonhappening', 'nonhappenings', + 'nonhardy', 'nonharmonic', 'nonhazardous', + 'nonheme', 'nonhemolytic', 'nonhereditary', + 'nonhero', + 'nonheroes', 'nonhierarchical', 'nonhistone', 'nonhistorical', + 'nonhome', 'nonhomogeneous', 'nonhomologous', 'nonhomosexual', @@ -39227,18 +99469,25 @@ export const scrabble_array = [ 'nonhostile', 'nonhousing', 'nonhousings', + 'nonhuman', + 'nonhunter', 'nonhunters', 'nonhunting', 'nonhygroscopic', 'nonhysterical', + 'nonideal', 'nonidentical', 'nonidentities', 'nonidentity', 'nonideological', + 'nonillion', 'nonillions', + 'nonimage', 'nonimitative', 'nonimmigrant', 'nonimmigrants', + 'nonimmune', + 'nonimpact', 'nonimplication', 'nonimplications', 'nonimportation', @@ -39271,6 +99520,8 @@ export const scrabble_array = [ 'noninitial', 'noninitiate', 'noninitiates', + 'noninjury', + 'noninsect', 'noninsecticidal', 'noninsects', 'noninstallment', @@ -39308,49 +99559,80 @@ export const scrabble_array = [ 'noninvolved', 'noninvolvement', 'noninvolvements', + 'nonionic', 'nonionizing', + 'noniron', 'nonirradiated', 'nonirrigated', 'nonirritant', 'nonirritating', + 'nonissue', + 'nonissues', 'nonjoinder', 'nonjoinders', + 'nonjoiner', 'nonjoiners', 'nonjudgmental', 'nonjudicial', + 'nonjuring', + 'nonjuror', + 'nonjurors', + 'nonjury', 'nonjusticiable', + 'nonkosher', + 'nonlabor', 'nonlandowner', 'nonlandowners', 'nonlanguage', 'nonlanguages', + 'nonlawyer', 'nonlawyers', + 'nonleaded', + 'nonleafy', + 'nonleague', + 'nonlegal', + 'nonlegume', 'nonlegumes', 'nonleguminous', + 'nonlethal', 'nonlexical', 'nonlibrarian', 'nonlibrarians', 'nonlibraries', 'nonlibrary', + 'nonlife', + 'nonlineal', + 'nonlinear', 'nonlinearities', 'nonlinearity', 'nonlinguistic', + 'nonliquid', 'nonliquids', 'nonliteral', 'nonliterary', 'nonliterate', 'nonliterates', + 'nonlives', + 'nonliving', + 'nonlocal', + 'nonlocals', 'nonlogical', 'nonluminous', 'nonmagnetic', 'nonmainstream', + 'nonmajor', + 'nonmajors', 'nonmalignant', 'nonmalleable', + 'nonman', 'nonmanagement', 'nonmanagements', 'nonmanagerial', + 'nonmanual', 'nonmanufacturing', 'nonmanufacturings', 'nonmarital', + 'nonmarket', 'nonmaterial', 'nonmaterialistic', 'nonmathematical', @@ -39359,19 +99641,27 @@ export const scrabble_array = [ 'nonmatriculated', 'nonmeaningful', 'nonmeasurable', + 'nonmeat', 'nonmechanical', 'nonmechanistic', 'nonmedical', 'nonmeeting', 'nonmeetings', + 'nonmember', 'nonmembers', 'nonmembership', 'nonmemberships', + 'nonmen', + 'nonmental', 'nonmercurial', + 'nonmetal', 'nonmetallic', + 'nonmetals', 'nonmetameric', 'nonmetaphorical', + 'nonmetric', 'nonmetrical', + 'nonmetro', 'nonmetropolitan', 'nonmetropolitans', 'nonmicrobial', @@ -39383,18 +99673,27 @@ export const scrabble_array = [ 'nonmilitary', 'nonmimetic', 'nonminority', + 'nonmobile', + 'nonmodal', 'nonmolecular', 'nonmonetarist', 'nonmonetarists', 'nonmonetary', + 'nonmoney', 'nonmonogamous', + 'nonmoral', + 'nonmotile', 'nonmotilities', 'nonmotility', 'nonmotorized', + 'nonmoving', 'nonmunicipal', + 'nonmusic', 'nonmusical', 'nonmusician', 'nonmusicians', + 'nonmusics', + 'nonmutant', 'nonmutants', 'nonmyelinated', 'nonmystical', @@ -39402,22 +99701,28 @@ export const scrabble_array = [ 'nonnarratives', 'nonnational', 'nonnationals', + 'nonnative', 'nonnatives', 'nonnatural', + 'nonnaval', 'nonnecessities', 'nonnecessity', 'nonnegative', 'nonnegligent', 'nonnegotiable', 'nonnetwork', + 'nonnews', 'nonnitrogenous', 'nonnormative', + 'nonnovel', + 'nonnovels', 'nonnuclear', 'nonnucleated', 'nonnumerical', 'nonnumericals', 'nonnutritious', 'nonnutritive', + 'nonobese', 'nonobjective', 'nonobjectivism', 'nonobjectivisms', @@ -39434,6 +99739,8 @@ export const scrabble_array = [ 'nonoccurrence', 'nonoccurrences', 'nonofficial', + 'nonohmic', + 'nonoily', 'nonoperatic', 'nonoperating', 'nonoperational', @@ -39444,11 +99751,19 @@ export const scrabble_array = [ 'nonorthodox', 'nonoverlapping', 'nonoverlappings', + 'nonowner', + 'nonowners', 'nonoxidizing', + 'nonpagan', + 'nonpagans', + 'nonpaid', + 'nonpapal', + 'nonpar', 'nonparallel', 'nonparallels', 'nonparametric', 'nonparasitic', + 'nonpareil', 'nonpareils', 'nonparticipant', 'nonparticipants', @@ -39460,11 +99775,16 @@ export const scrabble_array = [ 'nonpartisans', 'nonpartisanship', 'nonpartisanships', + 'nonparty', 'nonpasserine', 'nonpassive', + 'nonpast', + 'nonpasts', 'nonpathogenic', + 'nonpaying', 'nonpayment', 'nonpayments', + 'nonpeak', 'nonperformance', 'nonperformances', 'nonperformer', @@ -39474,6 +99794,7 @@ export const scrabble_array = [ 'nonperishables', 'nonpermissive', 'nonpersistent', + 'nonperson', 'nonpersonal', 'nonpersons', 'nonpetroleum', @@ -39489,26 +99810,39 @@ export const scrabble_array = [ 'nonphysical', 'nonphysician', 'nonphysicians', + 'nonplanar', 'nonplastic', 'nonplastics', + 'nonplay', 'nonplaying', + 'nonplays', + 'nonplus', + 'nonplused', + 'nonpluses', 'nonplusing', 'nonplussed', 'nonplusses', 'nonplussing', + 'nonpoetic', + 'nonpoint', 'nonpoisonous', + 'nonpolar', 'nonpolarizable', + 'nonpolice', 'nonpolitical', 'nonpolitically', 'nonpolitician', 'nonpoliticians', 'nonpolluting', + 'nonpoor', + 'nonporous', 'nonpossession', 'nonpossessions', 'nonpractical', 'nonpracticing', 'nonpregnant', 'nonprescription', + 'nonprint', 'nonproblem', 'nonproblems', 'nonproducing', @@ -39519,6 +99853,7 @@ export const scrabble_array = [ 'nonprofessionally', 'nonprofessionals', 'nonprofessorial', + 'nonprofit', 'nonprofits', 'nonprogram', 'nonprogrammer', @@ -39530,6 +99865,7 @@ export const scrabble_array = [ 'nonproliferations', 'nonproprietaries', 'nonproprietary', + 'nonpros', 'nonprossed', 'nonprosses', 'nonprossing', @@ -39539,19 +99875,25 @@ export const scrabble_array = [ 'nonpsychiatrists', 'nonpsychological', 'nonpsychotic', + 'nonpublic', 'nonpunitive', 'nonpurposive', 'nonquantifiable', 'nonquantitative', + 'nonquota', + 'nonracial', 'nonracially', 'nonradioactive', 'nonrailroad', + 'nonrandom', 'nonrandomness', 'nonrandomnesses', + 'nonrated', 'nonrational', 'nonreactive', 'nonreactor', 'nonreactors', + 'nonreader', 'nonreaders', 'nonreading', 'nonrealistic', @@ -39625,17 +99967,27 @@ export const scrabble_array = [ 'nonreversible', 'nonrevolutionaries', 'nonrevolutionary', + 'nonrigid', + 'nonrioter', 'nonrioters', 'nonrioting', + 'nonrival', + 'nonrivals', 'nonrotating', 'nonroutine', 'nonroutines', + 'nonroyal', + 'nonrubber', + 'nonruling', 'nonruminant', 'nonruminants', + 'nonrural', 'nonsalable', + 'nonsaline', 'nonsaponifiable', 'nonscheduled', 'nonschizophrenic', + 'nonschool', 'nonscience', 'nonsciences', 'nonscientific', @@ -39647,13 +99999,18 @@ export const scrabble_array = [ 'nonsecretors', 'nonsecretory', 'nonsectarian', + 'nonsecure', 'nonsedimentable', 'nonsegregated', 'nonsegregation', 'nonsegregations', 'nonselected', 'nonselective', + 'nonself', + 'nonselves', 'nonsensational', + 'nonsense', + 'nonsenses', 'nonsensical', 'nonsensically', 'nonsensicalness', @@ -39665,18 +100022,34 @@ export const scrabble_array = [ 'nonseptate', 'nonsequential', 'nonserious', + 'nonsexist', + 'nonsexual', + 'nonshrink', 'nonshrinkable', + 'nonsigner', 'nonsigners', 'nonsignificant', 'nonsignificantly', 'nonsimultaneous', 'nonsinkable', + 'nonskater', 'nonskaters', + 'nonsked', + 'nonskeds', 'nonskeletal', + 'nonskid', + 'nonskier', + 'nonskiers', + 'nonslip', + 'nonsmoker', 'nonsmokers', 'nonsmoking', + 'nonsocial', 'nonsocialist', 'nonsocialists', + 'nonsolar', + 'nonsolid', + 'nonsolids', 'nonsolution', 'nonsolutions', 'nonspatial', @@ -39689,6 +100062,7 @@ export const scrabble_array = [ 'nonspecifically', 'nonspectacular', 'nonspeculative', + 'nonspeech', 'nonspherical', 'nonsporting', 'nonstandard', @@ -39697,22 +100071,35 @@ export const scrabble_array = [ 'nonstationaries', 'nonstationary', 'nonstatistical', + 'nonsteady', 'nonsteroid', 'nonsteroidal', 'nonsteroids', + 'nonstick', + 'nonstop', 'nonstories', + 'nonstory', 'nonstrategic', 'nonstructural', 'nonstructured', 'nonstudent', 'nonstudents', + 'nonstyle', + 'nonstyles', 'nonsubject', 'nonsubjective', 'nonsubjects', 'nonsubsidized', 'nonsuccess', 'nonsuccesses', + 'nonsuch', + 'nonsuches', + 'nonsugar', + 'nonsugars', + 'nonsuit', + 'nonsuited', 'nonsuiting', + 'nonsuits', 'nonsuperimposable', 'nonsupervisory', 'nonsupport', @@ -39725,11 +100112,16 @@ export const scrabble_array = [ 'nonsymmetric', 'nonsymmetrical', 'nonsynchronous', + 'nonsystem', 'nonsystematic', 'nonsystemic', 'nonsystems', + 'nontarget', + 'nontariff', + 'nontax', 'nontaxable', 'nontaxables', + 'nontaxes', 'nonteaching', 'nontechnical', 'nontemporal', @@ -39738,6 +100130,7 @@ export const scrabble_array = [ 'nonterminal', 'nonterminating', 'nontheatrical', + 'nontheist', 'nontheistic', 'nontheists', 'nontheological', @@ -39747,93 +100140,199 @@ export const scrabble_array = [ 'nonthinking', 'nonthinkings', 'nonthreatening', + 'nontidal', + 'nontitle', 'nontobacco', 'nontobaccos', + 'nontonal', 'nontotalitarian', + 'nontoxic', 'nontraditional', 'nontransferable', 'nontreatment', 'nontreatments', 'nontrivial', 'nontropical', + 'nontrump', + 'nontruth', + 'nontruths', 'nonturbulent', 'nontypical', 'nonunanimous', 'nonuniform', 'nonuniformities', 'nonuniformity', + 'nonunion', 'nonunionized', + 'nonunions', + 'nonunique', 'nonuniqueness', 'nonuniquenesses', 'nonuniversal', 'nonuniversals', 'nonuniversities', 'nonuniversity', + 'nonuple', + 'nonuples', + 'nonurban', + 'nonurgent', + 'nonuse', + 'nonuser', + 'nonusers', + 'nonuses', + 'nonusing', 'nonutilitarian', 'nonutilitarians', 'nonutilities', 'nonutility', 'nonutopian', + 'nonvalid', 'nonvalidities', 'nonvalidity', 'nonvanishing', 'nonvascular', + 'nonvector', 'nonvectors', 'nonvegetarian', 'nonvegetarians', 'nonvenomous', + 'nonverbal', 'nonverbally', 'nonveteran', 'nonveterans', + 'nonviable', + 'nonviewer', 'nonviewers', 'nonvintage', 'nonviolence', 'nonviolences', 'nonviolent', 'nonviolently', + 'nonviral', + 'nonvirgin', 'nonvirgins', 'nonviscous', + 'nonvisual', + 'nonvocal', 'nonvocational', 'nonvolatile', 'nonvolcanic', 'nonvoluntary', + 'nonvoter', + 'nonvoters', + 'nonvoting', + 'nonwar', + 'nonwars', + 'nonwhite', + 'nonwhites', 'nonwinning', + 'nonwoody', + 'nonword', + 'nonwords', + 'nonwork', + 'nonworker', 'nonworkers', 'nonworking', + 'nonwoven', + 'nonwovens', + 'nonwriter', 'nonwriters', 'nonyellowing', + 'nonyl', + 'nonyls', + 'nonzero', + 'noo', + 'noodge', + 'noodged', + 'noodges', + 'noodging', + 'noodle', + 'noodled', + 'noodles', + 'noodling', + 'nook', + 'nookies', + 'nooklike', + 'nooks', + 'nooky', + 'noon', + 'noonday', + 'noondays', + 'nooning', + 'noonings', + 'noons', + 'noontide', + 'noontides', + 'noontime', + 'noontimes', + 'noose', + 'noosed', + 'nooser', + 'noosers', + 'nooses', + 'noosing', + 'noosphere', 'noospheres', + 'nopal', + 'nopals', + 'nope', + 'nor', 'noradrenalin', 'noradrenaline', 'noradrenalines', 'noradrenalins', 'noradrenergic', + 'nordic', 'norepinephrine', 'norepinephrines', 'norethindrone', 'norethindrones', + 'nori', + 'noria', + 'norias', + 'noris', + 'norite', + 'norites', + 'noritic', + 'norland', + 'norlands', + 'norm', + 'normal', 'normalcies', + 'normalcy', + 'normalise', 'normalised', 'normalises', 'normalising', 'normalities', + 'normality', 'normalizable', 'normalization', 'normalizations', + 'normalize', 'normalized', 'normalizer', 'normalizers', 'normalizes', 'normalizing', + 'normally', + 'normals', + 'normande', + 'normative', 'normatively', 'normativeness', 'normativenesses', + 'normed', + 'normless', 'normotensive', 'normotensives', 'normothermia', 'normothermias', 'normothermic', + 'norms', + 'north', 'northbound', + 'northeast', 'northeaster', 'northeasterly', 'northeastern', @@ -39842,12 +100341,23 @@ export const scrabble_array = [ 'northeasts', 'northeastward', 'northeastwards', + 'norther', 'northerlies', + 'northerly', + 'northern', 'northerner', 'northerners', 'northernmost', + 'northerns', + 'northers', + 'northing', + 'northings', + 'northland', 'northlands', + 'norths', + 'northward', 'northwards', + 'northwest', 'northwester', 'northwesterly', 'northwestern', @@ -39858,81 +100368,310 @@ export const scrabble_array = [ 'northwestwards', 'nortriptyline', 'nortriptylines', + 'nos', + 'nose', + 'nosebag', + 'nosebags', + 'noseband', + 'nosebands', + 'nosebleed', 'nosebleeds', + 'nosed', + 'nosedive', + 'nosedives', + 'nosegay', + 'nosegays', + 'noseguard', 'noseguards', + 'noseless', + 'noselike', + 'nosepiece', 'nosepieces', + 'noses', + 'nosewheel', 'nosewheels', + 'nosey', + 'nosh', + 'noshed', + 'nosher', + 'noshers', + 'noshes', + 'noshing', + 'nosier', + 'nosiest', + 'nosily', + 'nosiness', 'nosinesses', + 'nosing', + 'nosings', 'nosocomial', + 'nosologic', 'nosological', 'nosologically', 'nosologies', + 'nosology', + 'nostalgia', 'nostalgias', + 'nostalgic', 'nostalgically', 'nostalgics', 'nostalgist', 'nostalgists', + 'nostoc', + 'nostocs', + 'nostril', + 'nostrils', + 'nostrum', + 'nostrums', + 'nosy', + 'not', + 'nota', 'notabilities', 'notability', + 'notable', 'notableness', 'notablenesses', + 'notables', + 'notably', + 'notal', + 'notarial', 'notarially', + 'notaries', 'notarization', 'notarizations', + 'notarize', + 'notarized', + 'notarizes', 'notarizing', + 'notary', + 'notate', + 'notated', + 'notates', + 'notating', + 'notation', 'notational', + 'notations', + 'notch', + 'notchback', 'notchbacks', + 'notched', + 'notcher', + 'notchers', + 'notches', + 'notching', + 'note', + 'notebook', + 'notebooks', + 'notecase', + 'notecases', + 'noted', + 'notedly', + 'notedness', 'notednesses', + 'noteless', + 'notepad', + 'notepads', + 'notepaper', 'notepapers', + 'noter', + 'noters', + 'notes', 'noteworthily', 'noteworthiness', 'noteworthinesses', 'noteworthy', + 'nother', + 'nothing', 'nothingness', 'nothingnesses', + 'nothings', + 'notice', 'noticeable', 'noticeably', + 'noticed', + 'noticer', + 'noticers', + 'notices', + 'noticing', 'notifiable', 'notification', 'notifications', + 'notified', + 'notifier', + 'notifiers', + 'notifies', + 'notify', + 'notifying', + 'noting', + 'notion', + 'notional', 'notionalities', 'notionality', 'notionally', + 'notions', + 'notochord', 'notochordal', 'notochords', 'notorieties', + 'notoriety', + 'notorious', 'notoriously', + 'notornis', + 'notturni', + 'notturno', + 'notum', 'notwithstanding', + 'nougat', + 'nougats', + 'nought', + 'noughts', + 'noumena', + 'noumenal', + 'noumenon', + 'noun', + 'nounal', + 'nounally', + 'nounless', + 'nouns', + 'nourish', + 'nourished', + 'nourisher', 'nourishers', + 'nourishes', 'nourishing', 'nourishment', 'nourishments', + 'nous', + 'nouses', + 'nouveau', + 'nouvelle', + 'nova', 'novaculite', 'novaculites', + 'novae', + 'novalike', + 'novas', + 'novation', + 'novations', + 'novel', + 'novelette', 'novelettes', 'novelettish', + 'novelise', + 'novelised', + 'novelises', 'novelising', + 'novelist', 'novelistic', 'novelistically', + 'novelists', 'novelization', 'novelizations', + 'novelize', + 'novelized', + 'novelizes', 'novelizing', + 'novella', + 'novellas', + 'novelle', + 'novelly', + 'novels', + 'novelties', + 'novelty', 'novemdecillion', 'novemdecillions', + 'novena', + 'novenae', + 'novenas', + 'novercal', + 'novice', + 'novices', + 'novitiate', 'novitiates', 'novobiocin', 'novobiocins', + 'novocaine', 'novocaines', + 'now', + 'nowadays', + 'noway', + 'noways', + 'nowhere', + 'nowheres', + 'nowhither', + 'nowise', + 'nowness', + 'nownesses', + 'nows', + 'nowt', + 'nowts', + 'noxious', + 'noxiously', 'noxiousness', 'noxiousnesses', + 'noyade', + 'noyades', + 'nozzle', + 'nozzles', + 'nth', + 'nu', + 'nuance', + 'nuanced', + 'nuances', + 'nub', + 'nubbier', + 'nubbiest', + 'nubbin', + 'nubbins', + 'nubble', + 'nubbles', + 'nubblier', + 'nubbliest', + 'nubbly', + 'nubby', + 'nubia', + 'nubias', + 'nubile', 'nubilities', + 'nubility', + 'nubilose', + 'nubilous', + 'nubs', + 'nucellar', + 'nucelli', + 'nucellus', + 'nucha', + 'nuchae', + 'nuchal', + 'nuchals', + 'nucleal', + 'nuclear', + 'nuclease', + 'nucleases', + 'nucleate', + 'nucleated', + 'nucleates', 'nucleating', 'nucleation', 'nucleations', + 'nucleator', 'nucleators', + 'nuclei', + 'nuclein', + 'nucleins', 'nucleocapsid', 'nucleocapsids', + 'nucleoid', + 'nucleoids', + 'nucleolar', + 'nucleole', + 'nucleoles', + 'nucleoli', + 'nucleolus', + 'nucleon', + 'nucleonic', 'nucleonics', + 'nucleons', 'nucleophile', 'nucleophiles', 'nucleophilic', @@ -39956,35 +100695,127 @@ export const scrabble_array = [ 'nucleotidases', 'nucleotide', 'nucleotides', + 'nucleus', + 'nucleuses', + 'nuclide', + 'nuclides', + 'nuclidic', + 'nude', + 'nudely', + 'nudeness', 'nudenesses', + 'nuder', + 'nudes', + 'nudest', + 'nudge', + 'nudged', + 'nudger', + 'nudgers', + 'nudges', + 'nudging', 'nudibranch', 'nudibranchs', + 'nudicaul', + 'nudie', + 'nudies', + 'nudism', + 'nudisms', + 'nudist', + 'nudists', + 'nudities', + 'nudity', + 'nudnick', + 'nudnicks', + 'nudnik', + 'nudniks', + 'nudzh', + 'nudzhed', + 'nudzhes', + 'nudzhing', + 'nugatory', + 'nugget', + 'nuggets', + 'nuggety', + 'nuisance', + 'nuisances', + 'nuke', + 'nuked', + 'nukes', + 'nuking', + 'null', + 'nullah', + 'nullahs', + 'nulled', 'nullification', 'nullificationist', 'nullificationists', 'nullifications', + 'nullified', + 'nullifier', 'nullifiers', + 'nullifies', + 'nullify', 'nullifying', + 'nulling', 'nulliparous', + 'nullities', + 'nullity', + 'nulls', + 'numb', + 'numbat', + 'numbats', + 'numbed', + 'number', 'numberable', + 'numbered', + 'numberer', + 'numberers', + 'numbering', 'numberless', + 'numbers', + 'numbest', + 'numbfish', 'numbfishes', + 'numbing', + 'numbingly', + 'numbles', + 'numbly', + 'numbness', 'numbnesses', + 'numbs', + 'numbskull', 'numbskulls', + 'numen', + 'numerable', 'numeracies', + 'numeracy', + 'numeral', + 'numerally', + 'numerals', + 'numerary', + 'numerate', + 'numerated', + 'numerates', 'numerating', 'numeration', 'numerations', + 'numerator', 'numerators', + 'numeric', + 'numerical', 'numerically', + 'numerics', 'numerological', 'numerologies', 'numerologist', 'numerologists', 'numerology', + 'numerous', 'numerously', 'numerousness', 'numerousnesses', + 'numina', + 'numinous', 'numinouses', 'numinousness', 'numinousnesses', @@ -39993,22 +100824,101 @@ export const scrabble_array = [ 'numismatics', 'numismatist', 'numismatists', + 'nummary', + 'nummular', + 'numskull', + 'numskulls', + 'nun', + 'nunatak', + 'nunataks', + 'nunchaku', + 'nunchakus', 'nunciature', 'nunciatures', + 'nuncio', + 'nuncios', + 'nuncle', + 'nuncles', 'nuncupative', + 'nunlike', + 'nunneries', + 'nunnery', + 'nunnish', + 'nuns', + 'nuptial', 'nuptialities', 'nuptiality', + 'nuptials', + 'nurd', + 'nurds', + 'nurl', + 'nurled', + 'nurling', + 'nurls', + 'nurse', + 'nursed', + 'nursemaid', 'nursemaids', + 'nurser', + 'nurseries', + 'nursers', + 'nursery', 'nurseryman', 'nurserymen', + 'nurses', + 'nursing', + 'nursings', + 'nursling', + 'nurslings', + 'nurtural', 'nurturance', 'nurturances', + 'nurturant', + 'nurture', + 'nurtured', + 'nurturer', + 'nurturers', + 'nurtures', + 'nurturing', + 'nus', + 'nut', + 'nutant', + 'nutate', + 'nutated', + 'nutates', + 'nutating', + 'nutation', 'nutational', + 'nutations', + 'nutbrown', + 'nutcase', + 'nutcases', 'nutcracker', 'nutcrackers', + 'nutgall', + 'nutgalls', + 'nutgrass', 'nutgrasses', + 'nuthatch', 'nuthatches', + 'nuthouse', + 'nuthouses', + 'nutlet', + 'nutlets', + 'nutlike', + 'nutmeat', + 'nutmeats', + 'nutmeg', + 'nutmegs', + 'nutpick', + 'nutpicks', + 'nutria', + 'nutrias', + 'nutrient', + 'nutrients', + 'nutriment', 'nutriments', + 'nutrition', 'nutritional', 'nutritionally', 'nutritionist', @@ -40018,12 +100928,57 @@ export const scrabble_array = [ 'nutritiously', 'nutritiousness', 'nutritiousnesses', + 'nutritive', 'nutritively', + 'nuts', + 'nutsedge', + 'nutsedges', + 'nutshell', + 'nutshells', + 'nutsier', + 'nutsiest', + 'nutsy', + 'nutted', + 'nutter', + 'nutters', + 'nuttier', + 'nuttiest', + 'nuttily', + 'nuttiness', 'nuttinesses', + 'nutting', + 'nuttings', + 'nutty', + 'nutwood', + 'nutwoods', + 'nuzzle', + 'nuzzled', + 'nuzzler', + 'nuzzlers', + 'nuzzles', + 'nuzzling', + 'nyala', + 'nyalas', 'nyctalopia', 'nyctalopias', + 'nylghai', + 'nylghais', + 'nylghau', + 'nylghaus', + 'nylon', + 'nylons', + 'nymph', + 'nympha', + 'nymphae', + 'nymphal', + 'nymphalid', 'nymphalids', + 'nymphean', + 'nymphet', + 'nymphets', + 'nymphette', 'nymphettes', + 'nympho', 'nympholepsies', 'nympholepsy', 'nympholept', @@ -40034,40 +100989,149 @@ export const scrabble_array = [ 'nymphomaniacal', 'nymphomaniacs', 'nymphomanias', + 'nymphos', + 'nymphs', + 'nystagmic', + 'nystagmus', 'nystagmuses', + 'nystatin', + 'nystatins', + 'oaf', + 'oafish', + 'oafishly', 'oafishness', 'oafishnesses', + 'oafs', + 'oak', + 'oaken', + 'oaklike', + 'oakmoss', + 'oakmosses', + 'oaks', + 'oakum', + 'oakums', + 'oar', + 'oared', + 'oarfish', + 'oarfishes', + 'oaring', + 'oarless', + 'oarlike', + 'oarlock', + 'oarlocks', + 'oars', + 'oarsman', 'oarsmanship', 'oarsmanships', + 'oarsmen', + 'oarswoman', + 'oarswomen', + 'oases', + 'oasis', + 'oast', + 'oasthouse', 'oasthouses', + 'oasts', + 'oat', + 'oatcake', + 'oatcakes', + 'oaten', + 'oater', + 'oaters', + 'oath', + 'oaths', + 'oatlike', + 'oatmeal', + 'oatmeals', + 'oats', + 'oaves', + 'obbligati', + 'obbligato', 'obbligatos', + 'obconic', + 'obcordate', 'obduracies', + 'obduracy', + 'obdurate', 'obdurately', 'obdurateness', 'obduratenesses', + 'obe', + 'obeah', + 'obeahism', + 'obeahisms', + 'obeahs', + 'obedience', 'obediences', + 'obedient', 'obediently', + 'obeisance', 'obeisances', + 'obeisant', 'obeisantly', + 'obeli', + 'obelia', + 'obelias', + 'obelise', + 'obelised', + 'obelises', + 'obelising', + 'obelisk', + 'obelisks', + 'obelism', + 'obelisms', + 'obelize', + 'obelized', + 'obelizes', + 'obelizing', + 'obelus', + 'obes', + 'obese', + 'obesely', + 'obesities', + 'obesity', + 'obey', + 'obeyable', + 'obeyed', + 'obeyer', + 'obeyers', + 'obeying', + 'obeys', + 'obfuscate', 'obfuscated', 'obfuscates', 'obfuscating', 'obfuscation', 'obfuscations', 'obfuscatory', + 'obi', + 'obia', + 'obias', + 'obiism', + 'obiisms', + 'obis', + 'obit', + 'obits', 'obituaries', 'obituarist', 'obituarists', + 'obituary', + 'object', + 'objected', 'objectification', 'objectifications', 'objectified', 'objectifies', + 'objectify', 'objectifying', + 'objecting', + 'objection', 'objectionable', 'objectionableness', 'objectionablenesses', 'objectionably', 'objections', + 'objective', 'objectively', 'objectiveness', 'objectivenesses', @@ -40082,6 +101146,12 @@ export const scrabble_array = [ 'objectless', 'objectlessness', 'objectlessnesses', + 'objector', + 'objectors', + 'objects', + 'objet', + 'objets', + 'objurgate', 'objurgated', 'objurgates', 'objurgating', @@ -40089,20 +101159,51 @@ export const scrabble_array = [ 'objurgations', 'objurgatory', 'oblanceolate', + 'oblast', + 'oblasti', + 'oblasts', + 'oblate', + 'oblately', 'oblateness', 'oblatenesses', + 'oblates', + 'oblation', + 'oblations', + 'oblatory', + 'obligate', + 'obligated', 'obligately', + 'obligates', + 'obligati', 'obligating', 'obligation', 'obligations', + 'obligato', 'obligatorily', 'obligatory', + 'obligatos', + 'oblige', + 'obliged', + 'obligee', + 'obligees', + 'obliger', + 'obligers', + 'obliges', + 'obliging', 'obligingly', 'obligingness', 'obligingnesses', + 'obligor', + 'obligors', + 'oblique', + 'obliqued', + 'obliquely', 'obliqueness', 'obliquenesses', + 'obliques', + 'obliquing', 'obliquities', + 'obliquity', 'obliterate', 'obliterated', 'obliterates', @@ -40112,9 +101213,18 @@ export const scrabble_array = [ 'obliterative', 'obliterator', 'obliterators', + 'oblivion', + 'oblivions', + 'oblivious', 'obliviously', 'obliviousness', 'obliviousnesses', + 'oblong', + 'oblongly', + 'oblongs', + 'obloquies', + 'obloquy', + 'obnoxious', 'obnoxiously', 'obnoxiousness', 'obnoxiousnesses', @@ -40124,7 +101234,25 @@ export const scrabble_array = [ 'obnubilating', 'obnubilation', 'obnubilations', + 'oboe', + 'oboes', + 'oboist', + 'oboists', + 'obol', + 'obole', + 'oboles', + 'oboli', + 'obols', + 'obolus', + 'obovate', + 'obovoid', + 'obscene', + 'obscenely', + 'obscener', + 'obscenest', 'obscenities', + 'obscenity', + 'obscurant', 'obscurantic', 'obscurantism', 'obscurantisms', @@ -40133,13 +101261,23 @@ export const scrabble_array = [ 'obscurants', 'obscuration', 'obscurations', + 'obscure', + 'obscured', + 'obscurely', 'obscureness', 'obscurenesses', + 'obscurer', + 'obscures', + 'obscurest', + 'obscuring', 'obscurities', + 'obscurity', + 'obsequies', 'obsequious', 'obsequiously', 'obsequiousness', 'obsequiousnesses', + 'obsequy', 'observabilities', 'observability', 'observable', @@ -40147,6 +101285,7 @@ export const scrabble_array = [ 'observably', 'observance', 'observances', + 'observant', 'observantly', 'observants', 'observation', @@ -40155,14 +101294,31 @@ export const scrabble_array = [ 'observations', 'observatories', 'observatory', + 'observe', + 'observed', + 'observer', + 'observers', + 'observes', + 'observing', 'observingly', + 'obsess', + 'obsessed', + 'obsesses', + 'obsessing', + 'obsession', 'obsessional', 'obsessionally', 'obsessions', + 'obsessive', 'obsessively', 'obsessiveness', 'obsessivenesses', 'obsessives', + 'obsessor', + 'obsessors', + 'obsidian', + 'obsidians', + 'obsolesce', 'obsolesced', 'obsolescence', 'obsolescences', @@ -40170,16 +101326,24 @@ export const scrabble_array = [ 'obsolescently', 'obsolesces', 'obsolescing', + 'obsolete', + 'obsoleted', 'obsoletely', 'obsoleteness', 'obsoletenesses', + 'obsoletes', 'obsoleting', + 'obstacle', + 'obstacles', + 'obstetric', 'obstetrical', 'obstetrically', 'obstetrician', 'obstetricians', 'obstetrics', 'obstinacies', + 'obstinacy', + 'obstinate', 'obstinately', 'obstinateness', 'obstinatenesses', @@ -40187,6 +101351,7 @@ export const scrabble_array = [ 'obstreperously', 'obstreperousness', 'obstreperousnesses', + 'obstruct', 'obstructed', 'obstructing', 'obstruction', @@ -40203,55 +101368,154 @@ export const scrabble_array = [ 'obstructives', 'obstructor', 'obstructors', + 'obstructs', + 'obtain', 'obtainabilities', 'obtainability', 'obtainable', + 'obtained', + 'obtainer', + 'obtainers', + 'obtaining', 'obtainment', 'obtainments', + 'obtains', + 'obtect', + 'obtected', + 'obtest', + 'obtested', + 'obtesting', + 'obtests', + 'obtrude', + 'obtruded', + 'obtruder', + 'obtruders', + 'obtrudes', + 'obtruding', + 'obtrusion', 'obtrusions', + 'obtrusive', 'obtrusively', 'obtrusiveness', 'obtrusivenesses', + 'obtund', + 'obtunded', + 'obtunding', + 'obtunds', + 'obturate', + 'obturated', + 'obturates', 'obturating', 'obturation', 'obturations', + 'obturator', 'obturators', + 'obtuse', + 'obtusely', 'obtuseness', 'obtusenesses', + 'obtuser', + 'obtusest', 'obtusities', + 'obtusity', + 'obverse', + 'obversely', + 'obverses', + 'obvert', + 'obverted', + 'obverting', + 'obverts', + 'obviable', + 'obviate', + 'obviated', + 'obviates', + 'obviating', + 'obviation', 'obviations', + 'obviator', + 'obviators', + 'obvious', + 'obviously', 'obviousness', 'obviousnesses', + 'obvolute', + 'oca', + 'ocarina', + 'ocarinas', + 'ocas', + 'occasion', 'occasional', 'occasionally', 'occasioned', 'occasioning', + 'occasions', + 'occident', 'occidental', 'occidentalize', 'occidentalized', 'occidentalizes', 'occidentalizing', 'occidentally', + 'occidents', + 'occipita', + 'occipital', 'occipitally', 'occipitals', + 'occiput', + 'occiputs', + 'occlude', + 'occluded', + 'occludes', + 'occluding', + 'occlusal', + 'occlusion', 'occlusions', + 'occlusive', + 'occult', 'occultation', 'occultations', + 'occulted', + 'occulter', + 'occulters', + 'occulting', + 'occultism', 'occultisms', + 'occultist', 'occultists', + 'occultly', + 'occults', 'occupancies', + 'occupancy', + 'occupant', + 'occupants', 'occupation', 'occupational', 'occupationally', 'occupations', + 'occupied', + 'occupier', + 'occupiers', + 'occupies', + 'occupy', + 'occupying', + 'occur', + 'occurred', 'occurrence', 'occurrences', + 'occurrent', 'occurrents', + 'occurring', + 'occurs', + 'ocean', + 'oceanaria', 'oceanarium', 'oceanariums', + 'oceanaut', + 'oceanauts', 'oceanfront', 'oceanfronts', 'oceangoing', + 'oceanic', 'oceanographer', 'oceanographers', 'oceanographic', @@ -40263,67 +101527,300 @@ export const scrabble_array = [ 'oceanologist', 'oceanologists', 'oceanology', + 'oceans', + 'ocellar', + 'ocellate', + 'ocelli', + 'ocellus', + 'oceloid', + 'ocelot', + 'ocelots', + 'ocher', + 'ochered', + 'ochering', + 'ocherous', + 'ochers', + 'ochery', 'ochlocracies', 'ochlocracy', + 'ochlocrat', 'ochlocratic', 'ochlocratical', 'ochlocrats', + 'ochone', + 'ochre', + 'ochrea', + 'ochreae', + 'ochred', + 'ochreous', + 'ochres', + 'ochring', + 'ochroid', + 'ochrous', + 'ochry', + 'ocker', + 'ockers', + 'ocotillo', + 'ocotillos', + 'ocrea', + 'ocreae', + 'ocreate', + 'octad', + 'octadic', + 'octads', + 'octagon', + 'octagonal', 'octagonally', + 'octagons', + 'octahedra', 'octahedral', 'octahedrally', 'octahedron', 'octahedrons', + 'octal', + 'octameter', 'octameters', + 'octan', + 'octane', + 'octanes', + 'octangle', + 'octangles', + 'octanol', + 'octanols', + 'octans', + 'octant', + 'octantal', + 'octants', 'octapeptide', 'octapeptides', 'octarchies', + 'octarchy', + 'octaval', + 'octave', + 'octaves', + 'octavo', + 'octavos', + 'octet', + 'octets', + 'octette', + 'octettes', + 'octillion', 'octillions', 'octodecillion', 'octodecillions', 'octogenarian', 'octogenarians', 'octonaries', + 'octonary', + 'octopi', + 'octoploid', 'octoploids', + 'octopod', + 'octopodes', + 'octopods', + 'octopus', + 'octopuses', + 'octoroon', + 'octoroons', 'octosyllabic', 'octosyllabics', 'octosyllable', 'octosyllables', + 'octothorp', 'octothorps', + 'octroi', + 'octrois', + 'octuple', + 'octupled', + 'octuples', + 'octuplet', + 'octuplets', + 'octuplex', + 'octupling', + 'octuply', + 'octyl', + 'octyls', + 'ocular', + 'ocularist', 'ocularists', + 'ocularly', + 'oculars', + 'oculi', + 'oculist', + 'oculists', 'oculomotor', + 'oculus', + 'od', + 'odalisk', + 'odalisks', + 'odalisque', 'odalisques', + 'odd', + 'oddball', + 'oddballs', + 'odder', + 'oddest', + 'oddish', + 'oddities', + 'oddity', + 'oddly', + 'oddment', + 'oddments', + 'oddness', + 'oddnesses', + 'odds', + 'oddsmaker', 'oddsmakers', + 'ode', + 'odea', + 'odeon', + 'odeons', + 'odes', + 'odeum', + 'odeums', + 'odic', + 'odious', + 'odiously', 'odiousness', 'odiousnesses', + 'odist', + 'odists', + 'odium', + 'odiums', + 'odograph', + 'odographs', + 'odometer', + 'odometers', 'odometries', + 'odometry', + 'odonate', + 'odonates', 'odontoblast', 'odontoblastic', 'odontoblasts', 'odontoglossum', 'odontoglossums', + 'odontoid', + 'odontoids', + 'odor', + 'odorant', + 'odorants', + 'odored', + 'odorful', 'odoriferous', 'odoriferously', 'odoriferousness', 'odoriferousnesses', + 'odorize', + 'odorized', + 'odorizes', + 'odorizing', + 'odorless', + 'odorous', + 'odorously', 'odorousness', 'odorousnesses', + 'odors', + 'odour', + 'odourful', + 'odours', + 'ods', + 'odyl', + 'odyle', + 'odyles', + 'odyls', + 'odyssey', + 'odysseys', + 'oe', 'oecologies', + 'oecology', 'oecumenical', + 'oedema', + 'oedemas', + 'oedemata', + 'oedipal', + 'oedipally', + 'oedipean', + 'oeillade', + 'oeillades', 'oenologies', + 'oenology', + 'oenomel', + 'oenomels', + 'oenophile', 'oenophiles', + 'oersted', + 'oersteds', + 'oes', + 'oesophagi', 'oesophagus', + 'oestrin', + 'oestrins', + 'oestriol', + 'oestriols', + 'oestrone', + 'oestrones', + 'oestrous', + 'oestrum', + 'oestrums', + 'oestrus', + 'oestruses', + 'oeuvre', + 'oeuvres', + 'of', + 'ofay', + 'ofays', + 'off', + 'offal', + 'offals', + 'offbeat', + 'offbeats', + 'offcast', + 'offcasts', + 'offcut', + 'offcuts', + 'offed', + 'offence', + 'offences', + 'offend', + 'offended', + 'offender', + 'offenders', + 'offending', + 'offends', + 'offense', 'offenseless', + 'offenses', + 'offensive', 'offensively', 'offensiveness', 'offensivenesses', 'offensives', + 'offer', + 'offered', + 'offerer', + 'offerers', + 'offering', + 'offerings', + 'offeror', + 'offerors', + 'offers', 'offertories', + 'offertory', + 'offhand', + 'offhanded', 'offhandedly', 'offhandedness', 'offhandednesses', + 'office', 'officeholder', 'officeholders', + 'officer', + 'officered', 'officering', + 'officers', + 'offices', + 'official', 'officialdom', 'officialdoms', 'officialese', @@ -40331,47 +101828,249 @@ export const scrabble_array = [ 'officialism', 'officialisms', 'officially', + 'officials', + 'officiant', 'officiants', 'officiaries', + 'officiary', + 'officiate', 'officiated', 'officiates', 'officiating', 'officiation', 'officiations', + 'officinal', + 'officious', 'officiously', 'officiousness', 'officiousnesses', + 'offing', + 'offings', + 'offish', + 'offishly', 'offishness', 'offishnesses', + 'offkey', + 'offload', + 'offloaded', 'offloading', + 'offloads', + 'offprint', 'offprinted', 'offprinting', + 'offprints', + 'offramp', + 'offramps', + 'offs', 'offscouring', 'offscourings', + 'offscreen', + 'offset', + 'offsets', 'offsetting', + 'offshoot', + 'offshoots', + 'offshore', + 'offside', + 'offsides', + 'offspring', 'offsprings', + 'offstage', + 'offstages', + 'offtrack', + 'oft', + 'often', + 'oftener', + 'oftenest', 'oftentimes', + 'ofter', + 'oftest', + 'ofttimes', + 'ogam', + 'ogams', + 'ogdoad', + 'ogdoads', + 'ogee', + 'ogees', + 'ogham', + 'oghamic', + 'oghamist', + 'oghamists', + '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', + 'ohmically', + 'ohmmeter', + 'ohmmeters', + 'ohms', + 'oho', + 'ohs', + 'oidia', + 'oidium', + 'oil', + 'oilbird', + 'oilbirds', + 'oilcamp', + 'oilcamps', + 'oilcan', + 'oilcans', + 'oilcloth', + 'oilcloths', + 'oilcup', + 'oilcups', + 'oiled', + 'oiler', + 'oilers', + 'oilhole', + 'oilholes', + 'oilier', + 'oiliest', + 'oilily', + 'oiliness', 'oilinesses', + 'oiling', + 'oilman', + 'oilmen', + 'oilpaper', + 'oilpapers', + 'oilproof', + 'oils', + 'oilseed', + 'oilseeds', + 'oilskin', + 'oilskins', + 'oilstone', + 'oilstones', + 'oiltight', + 'oilway', + 'oilways', + 'oily', + 'oink', + 'oinked', + 'oinking', + 'oinks', 'oinologies', + 'oinology', + 'oinomel', + 'oinomels', + 'ointment', + 'ointments', + 'oiticica', + 'oiticicas', + 'oka', + 'okapi', + 'okapis', + 'okas', + 'okay', + 'okayed', + 'okaying', + 'okays', + 'oke', + 'okeh', + 'okehs', + 'okes', + 'okeydoke', + 'okeydokey', + 'okra', + 'okras', + 'old', + 'olden', + 'older', + 'oldest', 'oldfangled', + 'oldie', + 'oldies', + 'oldish', + 'oldness', + 'oldnesses', + 'olds', + 'oldsquaw', + 'oldsquaws', + 'oldster', + 'oldsters', + 'oldstyle', + 'oldstyles', + 'oldwife', + 'oldwives', + 'oldy', + 'ole', + 'olea', 'oleaginous', 'oleaginously', 'oleaginousness', 'oleaginousnesses', + 'oleander', + 'oleanders', 'oleandomycin', 'oleandomycins', + 'oleaster', + 'oleasters', + 'oleate', + 'oleates', + 'olecranon', 'olecranons', + 'olefin', + 'olefine', + 'olefines', + 'olefinic', + 'olefins', + 'oleic', + 'olein', + 'oleine', + 'oleines', + 'oleins', + 'oleo', + 'oleograph', 'oleographs', 'oleomargarine', 'oleomargarines', + 'oleoresin', 'oleoresinous', 'oleoresins', + 'oleos', + 'oles', + 'oleum', + 'oleums', + 'olfaction', 'olfactions', 'olfactometer', 'olfactometers', + 'olfactory', + 'olibanum', + 'olibanums', + 'oligarch', 'oligarchic', 'oligarchical', 'oligarchies', + 'oligarchs', + 'oligarchy', 'oligochaete', 'oligochaetes', 'oligoclase', @@ -40381,9 +102080,11 @@ export const scrabble_array = [ 'oligodendroglia', 'oligodendroglial', 'oligodendroglias', + 'oligomer', 'oligomeric', 'oligomerization', 'oligomerizations', + 'oligomers', 'oligonucleotide', 'oligonucleotides', 'oligophagies', @@ -40391,28 +102092,100 @@ export const scrabble_array = [ 'oligophagy', 'oligopolies', 'oligopolistic', + 'oligopoly', 'oligopsonies', 'oligopsonistic', 'oligopsony', 'oligosaccharide', 'oligosaccharides', 'oligotrophic', + 'oliguria', + 'oligurias', + 'olio', + 'olios', 'olivaceous', + 'olivary', + 'olive', + 'olivenite', 'olivenites', + 'olives', + 'olivine', + 'olivines', + 'olivinic', 'olivinitic', + 'olla', + 'ollas', + 'ologies', + 'ologist', + 'ologists', + 'ology', + 'ololiuqui', 'ololiuquis', + 'oloroso', + 'olorosos', + 'olympiad', + 'olympiads', + 'om', + 'omasa', + 'omasum', + 'omber', + 'ombers', + 'ombre', + 'ombres', + 'ombudsman', 'ombudsmanship', 'ombudsmanships', + 'ombudsmen', + 'omega', + 'omegas', + 'omelet', + 'omelets', + 'omelette', + 'omelettes', + 'omen', + 'omened', + 'omening', + 'omens', + 'omenta', + 'omental', + 'omentum', + 'omentums', + 'omer', + 'omers', + 'omicron', + 'omicrons', + 'omikron', + 'omikrons', + 'ominous', + 'ominously', 'ominousness', 'ominousnesses', + 'omissible', + 'omission', + 'omissions', + 'omissive', + 'omit', + 'omits', + 'omitted', + 'omitter', + 'omitters', + 'omitting', + 'ommatidia', 'ommatidial', 'ommatidium', + 'omniarch', + 'omniarchs', + 'omnibus', + 'omnibuses', 'omnicompetence', 'omnicompetences', 'omnicompetent', 'omnidirectional', 'omnifarious', + 'omnific', 'omnificent', + 'omniform', + 'omnimode', 'omnipotence', 'omnipotences', 'omnipotent', @@ -40421,36 +102194,90 @@ export const scrabble_array = [ 'omnipresence', 'omnipresences', 'omnipresent', + 'omnirange', 'omniranges', 'omniscience', 'omnisciences', 'omniscient', 'omnisciently', + 'omnivora', + 'omnivore', + 'omnivores', 'omnivorous', 'omnivorously', 'omophagies', + 'omophagy', + 'omphali', + 'omphalos', 'omphaloskepses', 'omphaloskepsis', + 'oms', + 'on', + 'onager', + 'onagers', + 'onagri', + 'onanism', + 'onanisms', + 'onanist', + 'onanistic', + 'onanists', + 'onboard', + 'once', 'onchocerciases', 'onchocerciasis', + 'oncidium', + 'oncidiums', + 'oncogene', + 'oncogenes', 'oncogeneses', 'oncogenesis', + 'oncogenic', 'oncogenicities', 'oncogenicity', + 'oncologic', 'oncological', 'oncologies', 'oncologist', 'oncologists', + 'oncology', + 'oncoming', + 'oncomings', 'oncornavirus', 'oncornaviruses', + 'ondogram', + 'ondograms', + 'one', + 'onefold', + 'oneiric', 'oneirically', 'oneiromancies', 'oneiromancy', + 'oneness', + 'onenesses', + 'onerier', + 'oneriest', + 'onerous', + 'onerously', 'onerousness', 'onerousnesses', + 'onery', + 'ones', + 'oneself', + 'onetime', + 'ongoing', 'ongoingness', 'ongoingnesses', + 'onion', + 'onions', + 'onionskin', 'onionskins', + 'oniony', + 'onium', + 'onlooker', + 'onlookers', + 'onlooking', + 'only', + 'onomastic', 'onomastically', 'onomastician', 'onomasticians', @@ -40465,32 +102292,165 @@ export const scrabble_array = [ 'onomatopoeically', 'onomatopoetic', 'onomatopoetically', + 'onrush', + 'onrushes', + 'onrushing', + 'ons', + 'onset', + 'onsets', + 'onshore', + 'onside', + 'onslaught', 'onslaughts', + 'onstage', + 'onstream', + 'ontic', + 'ontically', + 'onto', 'ontogeneses', 'ontogenesis', 'ontogenetic', 'ontogenetically', 'ontogenies', + 'ontogeny', 'ontological', 'ontologically', 'ontologies', 'ontologist', 'ontologists', + 'ontology', + 'onus', + 'onuses', + 'onward', + 'onwards', 'onychophoran', 'onychophorans', + 'onyx', + 'onyxes', + 'oocyst', + 'oocysts', + 'oocyte', + 'oocytes', + 'oodles', + 'oodlins', + 'oogamete', + 'oogametes', + 'oogamies', + 'oogamous', + 'oogamy', + 'oogeneses', + 'oogenesis', + 'oogenetic', + 'oogenies', + 'oogeny', + 'oogonia', + 'oogonial', + 'oogonium', + 'oogoniums', + 'ooh', + 'oohed', + 'oohing', + 'oohs', + 'oolachan', + 'oolachans', + 'oolite', + 'oolites', + 'oolith', + 'ooliths', + 'oolitic', + 'oologic', + 'oologies', + 'oologist', + 'oologists', + 'oology', + 'oolong', + 'oolongs', + 'oomiac', + 'oomiack', + 'oomiacks', + 'oomiacs', + 'oomiak', + 'oomiaks', + 'oompah', + 'oompahed', + 'oompahing', + 'oompahs', + 'oomph', + 'oomphs', 'oophorectomies', 'oophorectomy', + 'oophyte', + 'oophytes', + 'oophytic', + 'oops', + 'oorali', + 'ooralis', + 'oorie', + 'oosperm', + 'oosperms', + 'oosphere', + 'oospheres', + 'oospore', + 'oospores', + 'oosporic', + 'oot', + 'ootheca', + 'oothecae', + 'oothecal', + 'ootid', + 'ootids', + 'oots', + 'ooze', + 'oozed', + 'oozes', + 'oozier', + 'ooziest', + 'oozily', + 'ooziness', 'oozinesses', + 'oozing', + 'oozy', + 'op', + 'opacified', + 'opacifies', + 'opacify', 'opacifying', + 'opacities', + 'opacity', + 'opah', + 'opahs', + 'opal', + 'opalesce', + 'opalesced', 'opalescence', 'opalescences', 'opalescent', 'opalescently', + 'opalesces', 'opalescing', + 'opaline', + 'opalines', + 'opals', + 'opaque', + 'opaqued', + 'opaquely', 'opaqueness', 'opaquenesses', + 'opaquer', + 'opaques', + 'opaquest', + 'opaquing', + 'ope', + 'oped', + 'open', 'openabilities', 'openability', + 'openable', + 'opencast', + 'opened', + 'opener', + 'openers', + 'openest', 'openhanded', 'openhandedly', 'openhandedness', @@ -40499,17 +102459,41 @@ export const scrabble_array = [ 'openheartedly', 'openheartedness', 'openheartednesses', + 'opening', + 'openings', + 'openly', 'openmouthed', 'openmouthedly', 'openmouthedness', 'openmouthednesses', + 'openness', 'opennesses', + 'opens', + 'openwork', + 'openworks', + 'opera', 'operabilities', 'operability', + 'operable', + 'operably', + 'operagoer', 'operagoers', 'operagoing', 'operagoings', + 'operand', + 'operands', + 'operant', + 'operantly', + 'operants', + 'operas', + 'operate', + 'operated', + 'operates', + 'operatic', 'operatically', + 'operatics', + 'operating', + 'operation', 'operational', 'operationalism', 'operationalisms', @@ -40522,19 +102506,42 @@ export const scrabble_array = [ 'operationist', 'operationists', 'operations', + 'operative', 'operatively', 'operativeness', 'operativenesses', 'operatives', + 'operator', 'operatorless', + 'operators', + 'opercele', + 'operceles', + 'opercula', + 'opercular', 'operculars', 'operculate', 'operculated', + 'opercule', + 'opercules', + 'operculum', 'operculums', + 'operetta', + 'operettas', 'operettist', 'operettists', + 'operon', + 'operons', + 'operose', + 'operosely', 'operoseness', 'operosenesses', + 'opes', + 'ophidian', + 'ophidians', + 'ophite', + 'ophites', + 'ophitic', + 'ophiuroid', 'ophiuroids', 'ophthalmia', 'ophthalmias', @@ -40551,6 +102558,16 @@ export const scrabble_array = [ 'ophthalmoscopic', 'ophthalmoscopies', 'ophthalmoscopy', + 'opiate', + 'opiated', + 'opiates', + 'opiating', + 'opine', + 'opined', + 'opines', + 'oping', + 'opining', + 'opinion', 'opinionated', 'opinionatedly', 'opinionatedness', @@ -40559,9 +102576,28 @@ export const scrabble_array = [ 'opinionatively', 'opinionativeness', 'opinionativenesses', + 'opinioned', + 'opinions', + 'opioid', + 'opioids', 'opisthobranch', 'opisthobranchs', + 'opium', + 'opiumism', + 'opiumisms', + 'opiums', + 'opossum', + 'opossums', + 'oppidan', + 'oppidans', + 'oppilant', + 'oppilate', + 'oppilated', + 'oppilates', 'oppilating', + 'opponent', + 'opponents', + 'opportune', 'opportunely', 'opportuneness', 'opportunenesses', @@ -40575,15 +102611,27 @@ export const scrabble_array = [ 'opportunity', 'opposabilities', 'opposability', + 'opposable', + 'oppose', + 'opposed', 'opposeless', + 'opposer', + 'opposers', + 'opposes', + 'opposing', + 'opposite', 'oppositely', 'oppositeness', 'oppositenesses', + 'opposites', 'opposition', 'oppositional', 'oppositionist', 'oppositionists', 'oppositions', + 'oppress', + 'oppressed', + 'oppresses', 'oppressing', 'oppression', 'oppressions', @@ -40591,6 +102639,7 @@ export const scrabble_array = [ 'oppressively', 'oppressiveness', 'oppressivenesses', + 'oppressor', 'oppressors', 'opprobrious', 'opprobriously', @@ -40598,25 +102647,80 @@ export const scrabble_array = [ 'opprobriousnesses', 'opprobrium', 'opprobriums', + 'oppugn', + 'oppugned', + 'oppugner', + 'oppugners', + 'oppugning', + 'oppugns', + 'ops', + 'opsin', + 'opsins', + 'opsonic', 'opsonified', 'opsonifies', + 'opsonify', 'opsonifying', + 'opsonin', + 'opsonins', + 'opsonize', + 'opsonized', + 'opsonizes', 'opsonizing', + 'opt', + 'optative', 'optatively', + 'optatives', + 'opted', + 'optic', + 'optical', + 'optically', + 'optician', + 'opticians', + 'opticist', + 'opticists', + 'optics', + 'optima', + 'optimal', 'optimalities', 'optimality', + 'optimally', + 'optime', + 'optimes', 'optimisation', 'optimisations', + 'optimise', + 'optimised', + 'optimises', 'optimising', + 'optimism', + 'optimisms', + 'optimist', 'optimistic', 'optimistically', + 'optimists', 'optimization', 'optimizations', + 'optimize', + 'optimized', + 'optimizer', 'optimizers', + 'optimizes', 'optimizing', + 'optimum', + 'optimums', + 'opting', + 'option', + 'optional', 'optionalities', 'optionality', 'optionally', + 'optionals', + 'optioned', + 'optionee', + 'optionees', + 'optioning', + 'options', 'optoelectronic', 'optoelectronics', 'optokinetic', @@ -40624,22 +102728,109 @@ export const scrabble_array = [ 'optometries', 'optometrist', 'optometrists', + 'optometry', + 'opts', + 'opulence', + 'opulences', 'opulencies', + 'opulency', + 'opulent', + 'opulently', + 'opuntia', + 'opuntias', + 'opus', + 'opuscula', + 'opuscule', + 'opuscules', + 'opusculum', + 'opuses', + 'oquassa', + 'oquassas', + 'or', + 'ora', + 'orach', + 'orache', + 'oraches', + 'oracle', + 'oracles', + 'oracular', 'oracularities', 'oracularity', 'oracularly', + 'orad', + 'oral', + 'oralism', + 'oralisms', + 'oralist', + 'oralists', + 'oralities', + 'orality', + 'orally', + 'orals', + 'orang', + 'orange', + 'orangeade', 'orangeades', + 'orangerie', 'orangeries', + 'orangery', + 'oranges', 'orangewood', 'orangewoods', + 'orangey', + 'orangier', + 'orangiest', + 'orangish', + 'orangs', + 'orangutan', 'orangutans', + 'orangy', + 'orate', + 'orated', + 'orates', + 'orating', + 'oration', + 'orations', + 'orator', 'oratorical', 'oratorically', + 'oratories', + 'oratorio', + 'oratorios', + 'orators', + 'oratory', + 'oratress', 'oratresses', + 'oratrices', + 'oratrix', + 'orb', + 'orbed', + 'orbicular', 'orbicularly', 'orbiculate', + 'orbier', + 'orbiest', + 'orbing', + 'orbit', + 'orbital', + 'orbitals', + 'orbited', + 'orbiter', + 'orbiters', + 'orbiting', + 'orbits', + 'orbs', + 'orby', + 'orc', + 'orca', + 'orcas', + 'orcein', + 'orceins', + 'orchard', 'orchardist', 'orchardists', + 'orchards', + 'orchestra', 'orchestral', 'orchestrally', 'orchestras', @@ -40654,25 +102845,90 @@ export const scrabble_array = [ 'orchestrations', 'orchestrator', 'orchestrators', + 'orchid', 'orchidaceous', 'orchidlike', + 'orchids', + 'orchil', + 'orchils', + 'orchis', + 'orchises', + 'orchitic', + 'orchitis', 'orchitises', + 'orcin', + 'orcinol', + 'orcinols', + 'orcins', + 'orcs', + 'ordain', + 'ordained', + 'ordainer', + 'ordainers', + 'ordaining', 'ordainment', 'ordainments', + 'ordains', + 'ordeal', + 'ordeals', + 'order', + 'orderable', + 'ordered', + 'orderer', + 'orderers', + 'ordering', + 'orderless', + 'orderlies', 'orderliness', 'orderlinesses', + 'orderly', + 'orders', + 'ordinal', + 'ordinals', + 'ordinance', 'ordinances', + 'ordinand', + 'ordinands', 'ordinarier', 'ordinaries', 'ordinariest', 'ordinarily', 'ordinariness', 'ordinarinesses', + 'ordinary', + 'ordinate', + 'ordinates', 'ordination', 'ordinations', + 'ordines', + 'ordnance', + 'ordnances', + 'ordo', 'ordonnance', 'ordonnances', + 'ordos', + 'ordure', + 'ordures', + 'ore', + 'oread', + 'oreads', + 'orectic', + 'orective', + 'oregano', + 'oreganos', + 'oreide', + 'oreides', + 'ores', + 'orfray', + 'orfrays', + 'organ', + 'organa', + 'organdie', + 'organdies', + 'organdy', + 'organelle', 'organelles', + 'organic', 'organically', 'organicism', 'organicisms', @@ -40680,19 +102936,32 @@ export const scrabble_array = [ 'organicists', 'organicities', 'organicity', + 'organics', 'organisation', 'organisations', + 'organise', + 'organised', + 'organiser', 'organisers', + 'organises', 'organising', + 'organism', 'organismal', 'organismic', 'organismically', + 'organisms', + 'organist', + 'organists', 'organizable', 'organization', 'organizational', 'organizationally', 'organizations', + 'organize', + 'organized', + 'organizer', 'organizers', + 'organizes', 'organizing', 'organochlorine', 'organochlorines', @@ -40707,13 +102976,43 @@ export const scrabble_array = [ 'organomercurials', 'organometallic', 'organometallics', + 'organon', + 'organons', 'organophosphate', 'organophosphates', 'organophosphorous', 'organophosphorus', 'organophosphoruses', + 'organs', + 'organum', + 'organums', + 'organza', + 'organzas', + 'organzine', 'organzines', + 'orgasm', + 'orgasmic', + 'orgasms', + 'orgastic', + 'orgeat', + 'orgeats', + 'orgiac', + 'orgiastic', 'orgiastically', + 'orgic', + 'orgies', + 'orgone', + 'orgones', + 'orgulous', + 'orgy', + 'oribatid', + 'oribatids', + 'oribi', + 'oribis', + 'oriel', + 'oriels', + 'orient', + 'oriental', 'orientalism', 'orientalisms', 'orientalist', @@ -40723,6 +103022,8 @@ export const scrabble_array = [ 'orientalizes', 'orientalizing', 'orientally', + 'orientals', + 'orientate', 'orientated', 'orientates', 'orientating', @@ -40730,13 +103031,31 @@ export const scrabble_array = [ 'orientational', 'orientationally', 'orientations', + 'oriented', + 'orienteer', 'orienteering', 'orienteerings', 'orienteers', + 'orienting', + 'orients', + 'orifice', + 'orifices', + 'orificial', + 'oriflamme', 'oriflammes', + 'origami', + 'origamis', + 'origan', + 'origans', + 'origanum', + 'origanums', + 'origin', + 'original', 'originalities', 'originality', 'originally', + 'originals', + 'originate', 'originated', 'originates', 'originating', @@ -40746,9 +103065,25 @@ export const scrabble_array = [ 'originatively', 'originator', 'originators', + 'origins', + 'orinasal', + 'orinasals', + 'oriole', + 'orioles', 'orismological', 'orismologies', 'orismology', + 'orison', + 'orisons', + 'orle', + 'orles', + 'orlop', + 'orlops', + 'ormer', + 'ormers', + 'ormolu', + 'ormolus', + 'ornament', 'ornamental', 'ornamentally', 'ornamentals', @@ -40756,10 +103091,20 @@ export const scrabble_array = [ 'ornamentations', 'ornamented', 'ornamenting', + 'ornaments', + 'ornate', + 'ornately', 'ornateness', 'ornatenesses', + 'ornerier', + 'orneriest', 'orneriness', 'ornerinesses', + 'ornery', + 'ornis', + 'ornithes', + 'ornithic', + 'ornithine', 'ornithines', 'ornithischian', 'ornithischians', @@ -40779,20 +103124,59 @@ export const scrabble_array = [ 'orogeneses', 'orogenesis', 'orogenetic', + 'orogenic', + 'orogenies', + 'orogeny', 'orographic', 'orographical', 'orographies', + 'orography', + 'oroide', + 'oroides', + 'orologies', + 'orology', + 'orometer', + 'orometers', 'oropharyngeal', 'oropharynges', 'oropharynx', 'oropharynxes', + 'orotund', 'orotundities', 'orotundity', + 'orphan', + 'orphanage', 'orphanages', + 'orphaned', 'orphanhood', 'orphanhoods', + 'orphaning', + 'orphans', + 'orphic', + 'orphical', 'orphically', + 'orphrey', + 'orphreys', + 'orpiment', + 'orpiments', + 'orpin', + 'orpine', + 'orpines', + 'orpins', + 'orra', + 'orreries', + 'orrery', + 'orrice', + 'orrices', + 'orris', + 'orrises', + 'orrisroot', 'orrisroots', + 'ors', + 'ort', + 'orthicon', + 'orthicons', + 'ortho', 'orthocenter', 'orthocenters', 'orthochromatic', @@ -40805,13 +103189,17 @@ export const scrabble_array = [ 'orthodontics', 'orthodontist', 'orthodontists', + 'orthodox', 'orthodoxes', 'orthodoxies', 'orthodoxly', + 'orthodoxy', + 'orthoepic', 'orthoepically', 'orthoepies', 'orthoepist', 'orthoepists', + 'orthoepy', 'orthogeneses', 'orthogenesis', 'orthogenetic', @@ -40857,9 +103245,24 @@ export const scrabble_array = [ 'orthopteroids', 'orthorhombic', 'orthoscopic', + 'orthoses', + 'orthosis', 'orthostatic', + 'orthotic', + 'orthotics', + 'orthotist', 'orthotists', 'orthotropous', + 'ortolan', + 'ortolans', + 'orts', + 'oryx', + 'oryxes', + 'orzo', + 'orzos', + 'os', + 'osar', + 'oscillate', 'oscillated', 'oscillates', 'oscillating', @@ -40880,30 +103283,99 @@ export const scrabble_array = [ 'oscilloscope', 'oscilloscopes', 'oscilloscopic', + 'oscine', + 'oscines', + 'oscinine', + 'oscitant', + 'oscula', + 'osculant', + 'oscular', + 'osculate', + 'osculated', + 'osculates', 'osculating', 'osculation', 'osculations', 'osculatory', + 'oscule', + 'oscules', + 'osculum', + 'ose', + 'oses', + 'osier', + 'osiers', + 'osmatic', + 'osmeteria', 'osmeterium', + 'osmic', + 'osmics', + 'osmious', 'osmiridium', 'osmiridiums', + 'osmium', + 'osmiums', + 'osmol', + 'osmolal', 'osmolalities', 'osmolality', + 'osmolar', 'osmolarities', 'osmolarity', + 'osmole', + 'osmoles', + 'osmols', + 'osmometer', 'osmometers', 'osmometric', 'osmometries', + 'osmometry', 'osmoregulation', 'osmoregulations', 'osmoregulatory', + 'osmose', + 'osmosed', + 'osmoses', + 'osmosing', + 'osmosis', + 'osmotic', 'osmotically', + 'osmous', + 'osmund', + 'osmunda', + 'osmundas', + 'osmunds', + 'osnaburg', + 'osnaburgs', + 'osprey', + 'ospreys', + 'ossa', + 'ossein', + 'osseins', + 'osseous', + 'ossia', + 'ossicle', + 'ossicles', + 'ossicular', + 'ossific', 'ossification', 'ossifications', + 'ossified', + 'ossifier', + 'ossifiers', + 'ossifies', + 'ossifrage', 'ossifrages', + 'ossify', + 'ossifying', + 'ossuaries', + 'ossuary', + 'osteal', + 'osteitic', 'osteitides', + 'osteitis', 'ostensible', 'ostensibly', + 'ostensive', 'ostensively', 'ostensoria', 'ostensorium', @@ -40922,18 +103394,26 @@ export const scrabble_array = [ 'osteoclast', 'osteoclastic', 'osteoclasts', + 'osteocyte', 'osteocytes', 'osteogeneses', 'osteogenesis', 'osteogenic', + 'osteoid', + 'osteoids', 'osteological', 'osteologies', 'osteologist', 'osteologists', + 'osteology', + 'osteoma', 'osteomalacia', 'osteomalacias', + 'osteomas', + 'osteomata', 'osteomyelitides', 'osteomyelitis', + 'osteopath', 'osteopathic', 'osteopathically', 'osteopathies', @@ -40948,36 +103428,90 @@ export const scrabble_array = [ 'osteosarcoma', 'osteosarcomas', 'osteosarcomata', + 'osteoses', + 'osteosis', 'osteosises', + 'ostia', + 'ostiaries', + 'ostiary', + 'ostinato', + 'ostinatos', + 'ostiolar', + 'ostiole', + 'ostioles', + 'ostium', + 'ostler', + 'ostlers', + 'ostmark', + 'ostmarks', + 'ostomies', + 'ostomy', + 'ostoses', + 'ostosis', + 'ostosises', + 'ostraca', + 'ostracise', 'ostracised', 'ostracises', 'ostracising', + 'ostracism', 'ostracisms', + 'ostracize', 'ostracized', 'ostracizes', 'ostracizing', + 'ostracod', + 'ostracode', 'ostracoderm', 'ostracoderms', 'ostracodes', + 'ostracods', + 'ostracon', + 'ostrich', + 'ostriches', 'ostrichlike', + 'otalgia', + 'otalgias', + 'otalgic', + 'otalgies', + 'otalgy', + 'other', 'otherguess', + 'otherness', 'othernesses', + 'others', 'otherwhere', 'otherwhile', 'otherwhiles', + 'otherwise', 'otherworld', 'otherworldliness', 'otherworldlinesses', 'otherworldly', 'otherworlds', + 'otic', + 'otiose', + 'otiosely', 'otioseness', 'otiosenesses', 'otiosities', + 'otiosity', + 'otitic', + 'otitides', + 'otitis', + 'otocyst', + 'otocystic', + 'otocysts', 'otolaryngological', 'otolaryngologies', 'otolaryngologist', 'otolaryngologists', 'otolaryngology', + 'otolith', + 'otolithic', + 'otoliths', + 'otologies', + 'otology', 'otorhinolaryngological', 'otorhinolaryngologies', 'otorhinolaryngologist', @@ -40985,15 +103519,95 @@ export const scrabble_array = [ 'otorhinolaryngology', 'otoscleroses', 'otosclerosis', + 'otoscope', + 'otoscopes', 'otoscopies', + 'otoscopy', + 'ototoxic', 'ototoxicities', 'ototoxicity', + 'ottar', + 'ottars', + 'ottava', + 'ottavas', + 'otter', + 'otters', + 'otto', + 'ottoman', + 'ottomans', + 'ottos', + 'ouabain', + 'ouabains', + 'oubliette', 'oubliettes', + 'ouch', + 'ouched', + 'ouches', + 'ouching', + 'oud', + 'ouds', + 'ought', + 'oughted', + 'oughting', + 'oughts', + 'ouguiya', + 'ouistiti', + 'ouistitis', + 'ounce', + 'ounces', + 'ouph', + 'ouphe', + 'ouphes', + 'ouphs', + 'our', + 'ourang', + 'ourangs', + 'ourari', + 'ouraris', + 'ourebi', + 'ourebis', + 'ourie', + 'ours', + 'ourself', + 'ourselves', + 'ousel', + 'ousels', + 'oust', + 'ousted', + 'ouster', + 'ousters', + 'ousting', + 'ousts', + 'out', 'outachieve', 'outachieved', 'outachieves', 'outachieving', + 'outact', + 'outacted', + 'outacting', + 'outacts', + 'outadd', + 'outadded', + 'outadding', + 'outadds', + 'outage', + 'outages', + 'outargue', + 'outargued', + 'outargues', 'outarguing', + 'outask', + 'outasked', + 'outasking', + 'outasks', + 'outate', + 'outback', + 'outbacks', + 'outbake', + 'outbaked', + 'outbakes', + 'outbaking', 'outbalance', 'outbalanced', 'outbalances', @@ -41002,93 +103616,224 @@ export const scrabble_array = [ 'outbargained', 'outbargaining', 'outbargains', + 'outbark', + 'outbarked', 'outbarking', + 'outbarks', + 'outbawl', + 'outbawled', 'outbawling', + 'outbawls', + 'outbeam', + 'outbeamed', 'outbeaming', + 'outbeams', + 'outbeg', + 'outbegged', 'outbegging', + 'outbegs', + 'outbid', + 'outbidden', 'outbidding', + 'outbids', + 'outbitch', 'outbitched', 'outbitches', 'outbitching', + 'outblaze', + 'outblazed', + 'outblazes', 'outblazing', + 'outbleat', 'outbleated', 'outbleating', + 'outbleats', + 'outbless', 'outblessed', 'outblesses', 'outblessing', + 'outbloom', 'outbloomed', 'outblooming', + 'outblooms', + 'outbluff', 'outbluffed', 'outbluffing', + 'outbluffs', + 'outblush', 'outblushed', 'outblushes', 'outblushing', + 'outboard', + 'outboards', + 'outboast', 'outboasted', 'outboasting', + 'outboasts', + 'outbought', + 'outbound', + 'outbox', + 'outboxed', + 'outboxes', + 'outboxing', + 'outbrag', 'outbragged', 'outbragging', + 'outbrags', + 'outbrave', + 'outbraved', + 'outbraves', 'outbraving', + 'outbrawl', 'outbrawled', 'outbrawling', + 'outbrawls', + 'outbreak', + 'outbreaks', + 'outbred', + 'outbreed', 'outbreeding', 'outbreedings', + 'outbreeds', + 'outbribe', + 'outbribed', + 'outbribes', 'outbribing', + 'outbuild', 'outbuilding', 'outbuildings', + 'outbuilds', + 'outbuilt', + 'outbulk', + 'outbulked', 'outbulking', + 'outbulks', 'outbullied', 'outbullies', + 'outbully', 'outbullying', + 'outburn', + 'outburned', 'outburning', + 'outburns', + 'outburnt', + 'outburst', + 'outbursts', + 'outbuy', + 'outbuying', + 'outbuys', + 'outby', + 'outbye', + 'outcaper', 'outcapered', 'outcapering', + 'outcapers', + 'outcast', + 'outcaste', + 'outcastes', + 'outcasts', + 'outcatch', 'outcatches', 'outcatching', + 'outcaught', + 'outcavil', 'outcaviled', 'outcaviling', 'outcavilled', 'outcavilling', + 'outcavils', + 'outcharge', 'outcharged', 'outcharges', 'outcharging', + 'outcharm', 'outcharmed', 'outcharming', + 'outcharms', + 'outcheat', 'outcheated', 'outcheating', + 'outcheats', + 'outchid', 'outchidden', + 'outchide', + 'outchided', + 'outchides', 'outchiding', + 'outclass', 'outclassed', 'outclasses', 'outclassing', + 'outclimb', 'outclimbed', 'outclimbing', + 'outclimbs', + 'outclomb', + 'outcoach', 'outcoached', 'outcoaches', 'outcoaching', + 'outcome', + 'outcomes', 'outcompete', 'outcompeted', 'outcompetes', 'outcompeting', + 'outcook', + 'outcooked', 'outcooking', + 'outcooks', + 'outcount', 'outcounted', 'outcounting', + 'outcounts', + 'outcrawl', 'outcrawled', 'outcrawling', + 'outcrawls', + 'outcried', + 'outcries', + 'outcrop', 'outcropped', 'outcropping', 'outcroppings', + 'outcrops', + 'outcross', 'outcrossed', 'outcrosses', 'outcrossing', + 'outcrow', + 'outcrowed', 'outcrowing', + 'outcrows', + 'outcry', + 'outcrying', + 'outcurse', + 'outcursed', + 'outcurses', 'outcursing', + 'outcurve', + 'outcurves', + 'outdance', + 'outdanced', + 'outdances', 'outdancing', + 'outdare', + 'outdared', + 'outdares', + 'outdaring', + 'outdate', + 'outdated', 'outdatedly', 'outdatedness', 'outdatednesses', + 'outdates', + 'outdating', + 'outdazzle', 'outdazzled', 'outdazzles', 'outdazzling', + 'outdebate', 'outdebated', 'outdebates', 'outdebating', @@ -41096,124 +103841,379 @@ export const scrabble_array = [ 'outdelivered', 'outdelivering', 'outdelivers', + 'outdesign', 'outdesigned', 'outdesigning', 'outdesigns', + 'outdid', 'outdistance', 'outdistanced', 'outdistances', 'outdistancing', + 'outdo', + 'outdodge', + 'outdodged', + 'outdodges', 'outdodging', + 'outdoer', + 'outdoers', + 'outdoes', + 'outdoing', + 'outdone', + 'outdoor', + 'outdoors', 'outdoorsman', 'outdoorsmanship', 'outdoorsmanships', 'outdoorsmen', + 'outdoorsy', + 'outdrag', 'outdragged', 'outdragging', + 'outdrags', + 'outdrank', + 'outdraw', 'outdrawing', + 'outdrawn', + 'outdraws', + 'outdream', 'outdreamed', 'outdreaming', + 'outdreams', + 'outdreamt', + 'outdress', 'outdressed', 'outdresses', 'outdressing', + 'outdrew', + 'outdrink', 'outdrinking', + 'outdrinks', + 'outdrive', + 'outdriven', + 'outdrives', 'outdriving', + 'outdrop', 'outdropped', 'outdropping', + 'outdrops', + 'outdrove', + 'outdrunk', + 'outduel', + 'outdueled', 'outdueling', 'outduelled', 'outduelling', + 'outduels', + 'outearn', + 'outearned', 'outearning', + 'outearns', + 'outeat', + 'outeaten', + 'outeating', + 'outeats', + 'outecho', + 'outechoed', + 'outechoes', 'outechoing', + 'outed', + 'outer', + 'outercoat', 'outercoats', + 'outermost', + 'outers', + 'outerwear', + 'outfable', + 'outfabled', + 'outfables', 'outfabling', + 'outface', + 'outfaced', + 'outfaces', + 'outfacing', + 'outfall', + 'outfalls', + 'outfast', + 'outfasted', 'outfasting', + 'outfasts', + 'outfawn', + 'outfawned', 'outfawning', + 'outfawns', + 'outfeast', 'outfeasted', 'outfeasting', + 'outfeasts', + 'outfeel', 'outfeeling', + 'outfeels', + 'outfelt', + 'outfield', 'outfielder', 'outfielders', + 'outfields', + 'outfight', 'outfighting', + 'outfights', + 'outfigure', 'outfigured', 'outfigures', 'outfiguring', + 'outfind', 'outfinding', + 'outfinds', + 'outfire', + 'outfired', + 'outfires', + 'outfiring', + 'outfish', + 'outfished', + 'outfishes', 'outfishing', + 'outfit', + 'outfits', + 'outfitted', + 'outfitter', 'outfitters', 'outfitting', + 'outflank', 'outflanked', 'outflanking', + 'outflanks', + 'outflew', + 'outflies', + 'outflow', + 'outflowed', 'outflowing', + 'outflown', + 'outflows', + 'outfly', + 'outflying', + 'outfool', + 'outfooled', 'outfooling', + 'outfools', + 'outfoot', + 'outfooted', 'outfooting', + 'outfoots', + 'outfought', + 'outfound', + 'outfox', + 'outfoxed', + 'outfoxes', + 'outfoxing', + 'outfrown', 'outfrowned', 'outfrowning', + 'outfrowns', + 'outfumble', 'outfumbled', 'outfumbles', 'outfumbling', + 'outgain', + 'outgained', 'outgaining', + 'outgains', + 'outgas', + 'outgassed', + 'outgasses', 'outgassing', + 'outgave', 'outgeneral', 'outgeneraled', 'outgeneraling', 'outgenerals', + 'outgive', + 'outgiven', + 'outgives', + 'outgiving', 'outgivings', + 'outglare', + 'outglared', + 'outglares', 'outglaring', 'outglitter', 'outglittered', 'outglittering', 'outglitters', + 'outglow', + 'outglowed', 'outglowing', + 'outglows', + 'outgnaw', + 'outgnawed', 'outgnawing', + 'outgnawn', + 'outgnaws', + 'outgo', + 'outgoes', + 'outgoing', 'outgoingness', 'outgoingnesses', + 'outgoings', + 'outgone', + 'outgrew', + 'outgrin', 'outgrinned', 'outgrinning', + 'outgrins', + 'outgross', 'outgrossed', 'outgrosses', 'outgrossing', + 'outgroup', + 'outgroups', + 'outgrow', 'outgrowing', + 'outgrown', + 'outgrows', + 'outgrowth', 'outgrowths', + 'outguess', 'outguessed', 'outguesses', 'outguessing', + 'outguide', + 'outguided', + 'outguides', 'outguiding', + 'outgun', + 'outgunned', 'outgunning', + 'outguns', + 'outgush', + 'outgushes', + 'outhaul', + 'outhauls', + 'outhear', + 'outheard', 'outhearing', + 'outhears', + 'outhit', + 'outhits', 'outhitting', + 'outhomer', 'outhomered', 'outhomering', + 'outhomers', + 'outhouse', + 'outhouses', + 'outhowl', + 'outhowled', 'outhowling', + 'outhowls', + 'outhumor', 'outhumored', 'outhumoring', + 'outhumors', + 'outhunt', + 'outhunted', 'outhunting', + 'outhunts', + 'outhustle', 'outhustled', 'outhustles', 'outhustling', + 'outing', + 'outings', 'outintrigue', 'outintrigued', 'outintrigues', 'outintriguing', + 'outjinx', + 'outjinxed', + 'outjinxes', 'outjinxing', + 'outjump', + 'outjumped', 'outjumping', + 'outjumps', + 'outjut', + 'outjuts', + 'outjutted', 'outjutting', + 'outkeep', 'outkeeping', + 'outkeeps', + 'outkept', + 'outkick', + 'outkicked', 'outkicking', + 'outkicks', + 'outkill', + 'outkilled', 'outkilling', + 'outkills', + 'outkiss', + 'outkissed', + 'outkisses', 'outkissing', + 'outlaid', + 'outlain', + 'outland', + 'outlander', 'outlanders', 'outlandish', 'outlandishly', 'outlandishness', 'outlandishnesses', + 'outlands', + 'outlast', + 'outlasted', 'outlasting', + 'outlasts', + 'outlaugh', 'outlaughed', 'outlaughing', + 'outlaughs', + 'outlaw', + 'outlawed', + 'outlawing', 'outlawries', + 'outlawry', + 'outlaws', + 'outlay', + 'outlaying', + 'outlays', + 'outleap', + 'outleaped', 'outleaping', + 'outleaps', + 'outleapt', + 'outlearn', 'outlearned', 'outlearning', + 'outlearns', + 'outlearnt', + 'outlet', + 'outlets', + 'outlie', + 'outlier', + 'outliers', + 'outlies', + 'outline', + 'outlined', + 'outliner', + 'outliners', + 'outlines', + 'outlining', + 'outlive', + 'outlived', + 'outliver', + 'outlivers', + 'outlives', + 'outliving', + 'outlook', + 'outlooks', + 'outlove', + 'outloved', + 'outloves', + 'outloving', + 'outlying', + 'outman', 'outmaneuver', 'outmaneuvered', 'outmaneuvering', @@ -41222,16 +104222,31 @@ export const scrabble_array = [ 'outmanipulated', 'outmanipulates', 'outmanipulating', + 'outmanned', 'outmanning', + 'outmans', + 'outmarch', 'outmarched', 'outmarches', 'outmarching', + 'outmatch', 'outmatched', 'outmatches', 'outmatching', + 'outmode', + 'outmoded', + 'outmodes', + 'outmoding', + 'outmost', + 'outmove', + 'outmoved', + 'outmoves', + 'outmoving', + 'outmuscle', 'outmuscled', 'outmuscles', 'outmuscling', + 'outnumber', 'outnumbered', 'outnumbering', 'outnumbers', @@ -41239,8 +104254,17 @@ export const scrabble_array = [ 'outorganized', 'outorganizes', 'outorganizing', + 'outpace', + 'outpaced', + 'outpaces', + 'outpacing', + 'outpaint', 'outpainted', 'outpainting', + 'outpaints', + 'outpass', + 'outpassed', + 'outpasses', 'outpassing', 'outpatient', 'outpatients', @@ -41248,43 +104272,80 @@ export const scrabble_array = [ 'outperformed', 'outperforming', 'outperforms', + 'outpitch', 'outpitched', 'outpitches', 'outpitching', + 'outpitied', + 'outpities', + 'outpity', 'outpitying', 'outplacement', 'outplacements', + 'outplan', 'outplanned', 'outplanning', + 'outplans', + 'outplay', + 'outplayed', 'outplaying', + 'outplays', + 'outplod', 'outplodded', 'outplodding', + 'outplods', + 'outplot', + 'outplots', 'outplotted', 'outplotting', + 'outpoint', 'outpointed', 'outpointing', + 'outpoints', 'outpolitick', 'outpoliticked', 'outpoliticking', 'outpoliticks', + 'outpoll', + 'outpolled', 'outpolling', + 'outpolls', 'outpopulate', 'outpopulated', 'outpopulates', 'outpopulating', + 'outport', + 'outports', + 'outpost', + 'outposts', + 'outpour', + 'outpoured', 'outpouring', 'outpourings', + 'outpours', + 'outpower', 'outpowered', 'outpowering', + 'outpowers', + 'outpray', + 'outprayed', 'outpraying', + 'outprays', + 'outpreach', 'outpreached', 'outpreaches', 'outpreaching', + 'outpreen', 'outpreened', 'outpreening', + 'outpreens', + 'outpress', 'outpressed', 'outpresses', 'outpressing', + 'outprice', + 'outpriced', + 'outprices', 'outpricing', 'outproduce', 'outproduced', @@ -41294,24 +104355,70 @@ export const scrabble_array = [ 'outpromised', 'outpromises', 'outpromising', + 'outpull', + 'outpulled', 'outpulling', + 'outpulls', + 'outpunch', 'outpunched', 'outpunches', 'outpunching', + 'outpush', + 'outpushed', + 'outpushes', 'outpushing', + 'output', + 'outputs', + 'outputted', 'outputting', + 'outquote', + 'outquoted', + 'outquotes', 'outquoting', + 'outrace', + 'outraced', + 'outraces', + 'outracing', + 'outrage', + 'outraged', 'outrageous', 'outrageously', 'outrageousness', 'outrageousnesses', + 'outrages', + 'outraging', + 'outraise', + 'outraised', + 'outraises', 'outraising', + 'outran', + 'outrance', + 'outrances', + 'outrang', + 'outrange', + 'outranged', + 'outranges', 'outranging', + 'outrank', + 'outranked', 'outranking', + 'outranks', + 'outrate', + 'outrated', + 'outrates', + 'outrating', + 'outrave', + 'outraved', + 'outraves', + 'outraving', + 'outre', + 'outreach', 'outreached', 'outreaches', 'outreaching', + 'outread', 'outreading', + 'outreads', 'outrebound', 'outrebounded', 'outrebounding', @@ -41320,172 +104427,494 @@ export const scrabble_array = [ 'outreproduced', 'outreproduces', 'outreproducing', + 'outridden', + 'outride', + 'outrider', + 'outriders', + 'outrides', + 'outriding', + 'outrigger', 'outriggers', + 'outright', 'outrightly', + 'outring', 'outringing', + 'outrings', + 'outrival', 'outrivaled', 'outrivaling', 'outrivalled', 'outrivalling', + 'outrivals', + 'outroar', + 'outroared', 'outroaring', + 'outroars', + 'outrock', + 'outrocked', 'outrocking', + 'outrocks', + 'outrode', + 'outroll', + 'outrolled', 'outrolling', + 'outrolls', + 'outroot', + 'outrooted', 'outrooting', + 'outroots', + 'outrow', + 'outrowed', + 'outrowing', + 'outrows', + 'outrun', + 'outrung', 'outrunning', + 'outruns', + 'outrush', + 'outrushed', + 'outrushes', 'outrushing', + 'outs', + 'outsail', + 'outsailed', 'outsailing', + 'outsails', + 'outsang', + 'outsat', + 'outsavor', 'outsavored', 'outsavoring', + 'outsavors', + 'outsaw', + 'outscheme', 'outschemed', 'outschemes', 'outscheming', + 'outscold', 'outscolded', 'outscolding', + 'outscolds', + 'outscoop', 'outscooped', 'outscooping', + 'outscoops', + 'outscore', + 'outscored', + 'outscores', 'outscoring', + 'outscorn', 'outscorned', 'outscorning', + 'outscorns', + 'outsee', + 'outseeing', + 'outseen', + 'outsees', + 'outsell', 'outselling', + 'outsells', + 'outsert', + 'outserts', + 'outserve', + 'outserved', + 'outserves', 'outserving', + 'outset', + 'outsets', + 'outshame', + 'outshamed', + 'outshames', 'outshaming', + 'outshine', + 'outshined', + 'outshines', 'outshining', + 'outshone', + 'outshoot', 'outshooting', + 'outshoots', + 'outshot', + 'outshout', 'outshouted', 'outshouting', + 'outshouts', + 'outside', + 'outsider', 'outsiderness', 'outsidernesses', + 'outsiders', + 'outsides', + 'outsight', + 'outsights', + 'outsin', + 'outsing', 'outsinging', + 'outsings', + 'outsinned', 'outsinning', + 'outsins', + 'outsit', + 'outsits', 'outsitting', + 'outsize', + 'outsized', + 'outsizes', + 'outskate', + 'outskated', + 'outskates', 'outskating', + 'outskirt', + 'outskirts', + 'outsleep', 'outsleeping', + 'outsleeps', + 'outslept', + 'outslick', 'outslicked', 'outslicking', + 'outslicks', + 'outsmart', 'outsmarted', 'outsmarting', + 'outsmarts', + 'outsmile', + 'outsmiled', + 'outsmiles', 'outsmiling', + 'outsmoke', + 'outsmoked', + 'outsmokes', 'outsmoking', + 'outsnore', + 'outsnored', + 'outsnores', 'outsnoring', + 'outsoar', + 'outsoared', 'outsoaring', + 'outsoars', + 'outsold', + 'outsole', + 'outsoles', 'outsourcing', 'outsourcings', + 'outspan', 'outspanned', 'outspanning', + 'outspans', 'outsparkle', 'outsparkled', 'outsparkles', 'outsparkling', + 'outspeak', 'outspeaking', + 'outspeaks', + 'outsped', + 'outspeed', 'outspeeded', 'outspeeding', + 'outspeeds', + 'outspell', 'outspelled', 'outspelling', + 'outspells', + 'outspelt', + 'outspend', 'outspending', + 'outspends', + 'outspent', + 'outspoke', + 'outspoken', 'outspokenly', 'outspokenness', 'outspokennesses', + 'outspread', 'outspreading', 'outspreads', + 'outsprint', 'outsprinted', 'outsprinting', 'outsprints', + 'outstand', 'outstanding', 'outstandingly', + 'outstands', + 'outstare', + 'outstared', + 'outstares', 'outstaring', + 'outstart', 'outstarted', 'outstarting', + 'outstarts', + 'outstate', + 'outstated', + 'outstates', 'outstating', 'outstation', 'outstations', + 'outstay', + 'outstayed', 'outstaying', + 'outstays', + 'outsteer', 'outsteered', 'outsteering', + 'outsteers', + 'outstood', 'outstretch', 'outstretched', 'outstretches', 'outstretching', 'outstridden', + 'outstride', 'outstrides', 'outstriding', + 'outstrip', 'outstripped', 'outstripping', + 'outstrips', + 'outstrode', 'outstudied', 'outstudies', + 'outstudy', 'outstudying', + 'outstunt', 'outstunted', 'outstunting', + 'outstunts', + 'outsulk', + 'outsulked', 'outsulking', + 'outsulks', + 'outsung', + 'outswam', + 'outsware', + 'outswear', 'outswearing', + 'outswears', + 'outswim', 'outswimming', + 'outswims', + 'outswore', + 'outsworn', + 'outswum', + 'outtake', + 'outtakes', + 'outtalk', + 'outtalked', 'outtalking', + 'outtalks', + 'outtask', + 'outtasked', 'outtasking', + 'outtasks', + 'outtell', 'outtelling', + 'outtells', + 'outthank', 'outthanked', 'outthanking', + 'outthanks', + 'outthink', 'outthinking', + 'outthinks', 'outthought', + 'outthrew', + 'outthrob', 'outthrobbed', 'outthrobbing', + 'outthrobs', + 'outthrow', 'outthrowing', + 'outthrown', + 'outthrows', + 'outthrust', 'outthrusting', 'outthrusts', + 'outtold', + 'outtower', 'outtowered', 'outtowering', + 'outtowers', + 'outtrade', + 'outtraded', + 'outtrades', 'outtrading', + 'outtrick', 'outtricked', 'outtricking', + 'outtricks', + 'outtrot', + 'outtrots', 'outtrotted', 'outtrotting', + 'outtrump', 'outtrumped', 'outtrumping', + 'outtrumps', + 'outturn', + 'outturns', + 'outvalue', + 'outvalued', + 'outvalues', 'outvaluing', + 'outvaunt', 'outvaunted', 'outvaunting', + 'outvaunts', + 'outvie', + 'outvied', + 'outvies', + 'outvoice', + 'outvoiced', + 'outvoices', 'outvoicing', + 'outvote', + 'outvoted', + 'outvotes', + 'outvoting', + 'outvying', + 'outwait', + 'outwaited', 'outwaiting', + 'outwaits', + 'outwalk', + 'outwalked', 'outwalking', + 'outwalks', + 'outwar', + 'outward', + 'outwardly', 'outwardness', 'outwardnesses', + 'outwards', + 'outwarred', 'outwarring', + 'outwars', + 'outwash', + 'outwashes', + 'outwaste', + 'outwasted', + 'outwastes', 'outwasting', + 'outwatch', 'outwatched', 'outwatches', 'outwatching', + 'outwear', 'outwearied', 'outwearies', 'outwearing', + 'outwears', + 'outweary', 'outwearying', + 'outweep', 'outweeping', + 'outweeps', + 'outweigh', 'outweighed', 'outweighing', + 'outweighs', + 'outwent', + 'outwept', + 'outwhirl', 'outwhirled', 'outwhirling', + 'outwhirls', + 'outwile', + 'outwiled', + 'outwiles', + 'outwiling', + 'outwill', + 'outwilled', 'outwilling', + 'outwills', + 'outwind', + 'outwinded', 'outwinding', + 'outwinds', + 'outwish', + 'outwished', + 'outwishes', 'outwishing', + 'outwit', + 'outwits', + 'outwitted', 'outwitting', + 'outwore', + 'outwork', + 'outworked', + 'outworker', 'outworkers', 'outworking', + 'outworks', + 'outworn', 'outwrestle', 'outwrestled', 'outwrestles', 'outwrestling', + 'outwrit', + 'outwrite', + 'outwrites', 'outwriting', 'outwritten', + 'outwrote', 'outwrought', + 'outyell', + 'outyelled', 'outyelling', + 'outyells', + 'outyelp', + 'outyelped', 'outyelping', + 'outyelps', + 'outyield', 'outyielded', 'outyielding', + 'outyields', + 'ouzel', + 'ouzels', + 'ouzo', + 'ouzos', + 'ova', + 'oval', + 'ovalbumin', 'ovalbumins', + 'ovalities', + 'ovality', + 'ovally', + 'ovalness', 'ovalnesses', + 'ovals', + 'ovarial', + 'ovarian', 'ovariectomies', 'ovariectomized', 'ovariectomy', + 'ovaries', + 'ovariole', + 'ovarioles', 'ovariotomies', 'ovariotomy', 'ovaritides', + 'ovaritis', + 'ovary', + 'ovate', + 'ovately', + 'ovation', + 'ovations', + 'oven', + 'ovenbird', + 'ovenbirds', + 'ovenlike', + 'ovenproof', + 'ovens', + 'ovenware', + 'ovenwares', + 'over', + 'overable', 'overabstract', 'overabstracted', 'overabstracting', @@ -41505,19 +104934,29 @@ export const scrabble_array = [ 'overachievers', 'overachieves', 'overachieving', + 'overact', + 'overacted', 'overacting', 'overaction', 'overactions', 'overactive', 'overactivities', 'overactivity', + 'overacts', 'overadjustment', 'overadjustments', 'overadvertise', 'overadvertised', 'overadvertises', 'overadvertising', + 'overage', + 'overaged', + 'overages', 'overaggressive', + 'overalert', + 'overall', + 'overalled', + 'overalls', 'overambitious', 'overambitiousness', 'overambitiousnesses', @@ -41534,9 +104973,12 @@ export const scrabble_array = [ 'overanxious', 'overapplication', 'overapplications', + 'overapt', + 'overarch', 'overarched', 'overarches', 'overarching', + 'overarm', 'overarousal', 'overarousals', 'overarrange', @@ -41556,58 +104998,107 @@ export const scrabble_array = [ 'overasserts', 'overassessment', 'overassessments', + 'overate', 'overattention', 'overattentions', + 'overawe', + 'overawed', + 'overawes', + 'overawing', + 'overbake', + 'overbaked', + 'overbakes', 'overbaking', 'overbalance', 'overbalanced', 'overbalances', 'overbalancing', + 'overbear', 'overbearing', 'overbearingly', + 'overbears', + 'overbeat', 'overbeaten', 'overbeating', + 'overbeats', + 'overbed', 'overbejeweled', + 'overbet', + 'overbets', 'overbetted', 'overbetting', + 'overbid', 'overbidden', 'overbidding', + 'overbids', + 'overbig', + 'overbill', 'overbilled', 'overbilling', + 'overbills', + 'overbite', + 'overbites', 'overbleach', 'overbleached', 'overbleaches', 'overbleaching', + 'overblew', 'overblouse', 'overblouses', + 'overblow', 'overblowing', + 'overblown', + 'overblows', + 'overboard', + 'overboil', 'overboiled', 'overboiling', + 'overboils', + 'overbold', + 'overbook', 'overbooked', 'overbooking', + 'overbooks', + 'overbore', + 'overborn', + 'overborne', 'overborrow', 'overborrowed', 'overborrowing', 'overborrows', 'overbought', 'overbreathing', + 'overbred', + 'overbrief', 'overbright', + 'overbroad', 'overbrowse', 'overbrowsed', 'overbrowses', 'overbrowsing', 'overbrutal', + 'overbuild', 'overbuilding', 'overbuilds', + 'overbuilt', 'overburden', 'overburdened', 'overburdening', 'overburdens', + 'overburn', 'overburned', 'overburning', + 'overburns', + 'overburnt', + 'overbusy', + 'overbuy', 'overbuying', + 'overbuys', + 'overcall', 'overcalled', 'overcalling', + 'overcalls', + 'overcame', 'overcapacities', 'overcapacity', 'overcapitalization', @@ -41617,9 +105108,11 @@ export const scrabble_array = [ 'overcapitalizes', 'overcapitalizing', 'overcareful', + 'overcast', 'overcasted', 'overcasting', 'overcastings', + 'overcasts', 'overcaution', 'overcautioned', 'overcautioning', @@ -41635,10 +105128,12 @@ export const scrabble_array = [ 'overcharged', 'overcharges', 'overcharging', + 'overchill', 'overchilled', 'overchilling', 'overchills', 'overcivilized', + 'overclaim', 'overclaimed', 'overclaiming', 'overclaims', @@ -41648,19 +105143,29 @@ export const scrabble_array = [ 'overclassifies', 'overclassify', 'overclassifying', + 'overclean', 'overcleaned', 'overcleaning', 'overcleans', + 'overclear', 'overcleared', 'overclearing', 'overclears', + 'overcloud', 'overclouded', 'overclouding', 'overclouds', + 'overcoach', 'overcoached', 'overcoaches', 'overcoaching', + 'overcoat', + 'overcoats', + 'overcold', + 'overcome', + 'overcomer', 'overcomers', + 'overcomes', 'overcoming', 'overcommercialization', 'overcommercializations', @@ -41725,35 +105230,57 @@ export const scrabble_array = [ 'overcontrolled', 'overcontrolling', 'overcontrols', + 'overcook', 'overcooked', 'overcooking', + 'overcooks', + 'overcool', 'overcooled', 'overcooling', + 'overcools', 'overcorrect', 'overcorrected', 'overcorrecting', 'overcorrection', 'overcorrections', 'overcorrects', + 'overcount', 'overcounted', 'overcounting', 'overcounts', + 'overcoy', + 'overcram', 'overcrammed', 'overcramming', + 'overcrams', 'overcredulous', 'overcritical', + 'overcrop', 'overcropped', 'overcropping', + 'overcrops', + 'overcrowd', 'overcrowded', 'overcrowding', 'overcrowds', 'overcultivation', 'overcultivations', + 'overcure', + 'overcured', + 'overcures', 'overcuring', + 'overcut', + 'overcuts', 'overcutting', + 'overdare', + 'overdared', + 'overdares', 'overdaring', + 'overdear', + 'overdeck', 'overdecked', 'overdecking', + 'overdecks', 'overdecorate', 'overdecorated', 'overdecorates', @@ -41775,6 +105302,7 @@ export const scrabble_array = [ 'overdevelopment', 'overdevelopments', 'overdevelops', + 'overdid', 'overdifferentiation', 'overdifferentiations', 'overdirect', @@ -41787,42 +105315,82 @@ export const scrabble_array = [ 'overdiscounts', 'overdiversities', 'overdiversity', + 'overdo', 'overdocument', 'overdocumented', 'overdocumenting', 'overdocuments', + 'overdoer', + 'overdoers', + 'overdoes', + 'overdog', + 'overdogs', + 'overdoing', 'overdominance', 'overdominances', 'overdominant', + 'overdone', 'overdosage', 'overdosages', + 'overdose', + 'overdosed', + 'overdoses', 'overdosing', + 'overdraft', 'overdrafts', 'overdramatic', 'overdramatize', 'overdramatized', 'overdramatizes', 'overdramatizing', + 'overdrank', + 'overdraw', 'overdrawing', + 'overdrawn', + 'overdraws', + 'overdress', 'overdressed', 'overdresses', 'overdressing', + 'overdrew', + 'overdried', + 'overdries', + 'overdrink', 'overdrinking', 'overdrinks', + 'overdrive', 'overdriven', 'overdrives', 'overdriving', + 'overdrove', + 'overdrunk', + 'overdry', 'overdrying', + 'overdub', 'overdubbed', 'overdubbing', + 'overdubs', + 'overdue', + 'overdye', + 'overdyed', 'overdyeing', + 'overdyes', + 'overeager', 'overeagerness', 'overeagernesses', 'overearnest', + 'overeasy', + 'overeat', + 'overeaten', + 'overeater', 'overeaters', 'overeating', + 'overeats', + 'overed', + 'overedit', 'overedited', 'overediting', + 'overedits', 'overeducate', 'overeducated', 'overeducates', @@ -41841,6 +105409,7 @@ export const scrabble_array = [ 'overembellishing', 'overembellishment', 'overembellishments', + 'overemote', 'overemoted', 'overemotes', 'overemoting', @@ -41891,6 +105460,7 @@ export const scrabble_array = [ 'overexercised', 'overexercises', 'overexercising', + 'overexert', 'overexerted', 'overexerting', 'overexertion', @@ -41937,44 +105507,70 @@ export const scrabble_array = [ 'overfamiliar', 'overfamiliarities', 'overfamiliarity', + 'overfar', + 'overfast', 'overfastidious', + 'overfat', 'overfatigue', 'overfatigued', 'overfatigues', + 'overfavor', 'overfavored', 'overfavoring', 'overfavors', + 'overfear', 'overfeared', 'overfearing', + 'overfears', + 'overfed', + 'overfeed', 'overfeeding', + 'overfeeds', 'overfertilization', 'overfertilizations', 'overfertilize', 'overfertilized', 'overfertilizes', 'overfertilizing', + 'overfill', 'overfilled', 'overfilling', + 'overfills', + 'overfish', 'overfished', 'overfishes', 'overfishing', + 'overflew', + 'overflies', 'overflight', 'overflights', + 'overflow', 'overflowed', 'overflowing', + 'overflown', + 'overflows', + 'overfly', 'overflying', + 'overfocus', 'overfocused', 'overfocuses', 'overfocusing', 'overfocussed', 'overfocusses', 'overfocussing', + 'overfond', + 'overfoul', + 'overfree', 'overfulfill', 'overfulfilled', 'overfulfilling', 'overfulfills', + 'overfull', + 'overfund', 'overfunded', 'overfunding', + 'overfunds', + 'overfussy', 'overgarment', 'overgarments', 'overgeneralization', @@ -41987,55 +105583,105 @@ export const scrabble_array = [ 'overgenerosity', 'overgenerous', 'overgenerously', + 'overgild', 'overgilded', 'overgilding', + 'overgilds', + 'overgilt', + 'overgird', 'overgirded', 'overgirding', + 'overgirds', + 'overgirt', + 'overglad', 'overglamorize', 'overglamorized', 'overglamorizes', 'overglamorizing', + 'overglaze', 'overglazes', + 'overgoad', 'overgoaded', 'overgoading', + 'overgoads', 'overgovern', 'overgoverned', 'overgoverning', 'overgoverns', + 'overgraze', 'overgrazed', 'overgrazes', 'overgrazing', + 'overgrew', + 'overgrow', 'overgrowing', + 'overgrown', + 'overgrows', 'overgrowth', 'overgrowths', + 'overhand', 'overhanded', 'overhanding', 'overhandle', 'overhandled', 'overhandles', 'overhandling', + 'overhands', + 'overhang', 'overhanging', + 'overhangs', + 'overhard', 'overharvest', 'overharvested', 'overharvesting', 'overharvests', + 'overhasty', + 'overhate', + 'overhated', + 'overhates', 'overhating', + 'overhaul', 'overhauled', 'overhauling', + 'overhauls', + 'overhead', + 'overheads', + 'overheap', 'overheaped', 'overheaping', + 'overheaps', + 'overhear', + 'overheard', 'overhearing', + 'overhears', + 'overheat', 'overheated', 'overheating', + 'overheats', + 'overheld', + 'overhigh', + 'overhold', 'overholding', + 'overholds', + 'overholy', 'overhomogenize', 'overhomogenized', 'overhomogenizes', 'overhomogenizing', + 'overhope', + 'overhoped', + 'overhopes', 'overhoping', + 'overhot', + 'overhung', + 'overhunt', 'overhunted', 'overhunting', 'overhuntings', + 'overhunts', + 'overhype', + 'overhyped', + 'overhypes', 'overhyping', 'overidealize', 'overidealized', @@ -42047,6 +105693,7 @@ export const scrabble_array = [ 'overidentifies', 'overidentify', 'overidentifying', + 'overidle', 'overimaginative', 'overimpress', 'overimpressed', @@ -42075,6 +105722,7 @@ export const scrabble_array = [ 'overinformed', 'overinforming', 'overinforms', + 'overing', 'overingenious', 'overingenuities', 'overingenuity', @@ -42098,47 +105746,105 @@ export const scrabble_array = [ 'overinvestments', 'overissuance', 'overissuances', + 'overissue', 'overissued', 'overissues', 'overissuing', + 'overjoy', + 'overjoyed', 'overjoying', + 'overjoys', + 'overjust', + 'overkeen', + 'overkill', 'overkilled', 'overkilling', + 'overkills', + 'overkind', + 'overlabor', 'overlabored', 'overlaboring', 'overlabors', + 'overlade', + 'overladed', + 'overladen', + 'overlades', 'overlading', + 'overlaid', + 'overlain', + 'overland', + 'overlands', + 'overlap', 'overlapped', 'overlapping', + 'overlaps', + 'overlarge', + 'overlate', 'overlavish', + 'overlax', + 'overlay', 'overlaying', + 'overlays', + 'overleaf', + 'overleap', 'overleaped', 'overleaping', + 'overleaps', + 'overleapt', + 'overlearn', 'overlearned', 'overlearning', 'overlearns', + 'overlend', 'overlending', + 'overlends', 'overlength', 'overlengthen', 'overlengthened', 'overlengthening', 'overlengthens', + 'overlent', + 'overlet', + 'overlets', 'overletting', + 'overlewd', + 'overlie', + 'overlies', + 'overlight', 'overlighted', 'overlighting', 'overlights', + 'overlit', 'overliteral', 'overliterary', + 'overlive', + 'overlived', + 'overlives', 'overliving', + 'overload', 'overloaded', 'overloading', + 'overloads', + 'overlong', + 'overlook', 'overlooked', 'overlooking', + 'overlooks', + 'overlord', 'overlorded', 'overlording', + 'overlords', 'overlordship', 'overlordships', + 'overloud', + 'overlove', + 'overloved', + 'overloves', 'overloving', + 'overlush', + 'overly', + 'overlying', + 'overman', 'overmanage', 'overmanaged', 'overmanages', @@ -42146,12 +105852,15 @@ export const scrabble_array = [ 'overmanned', 'overmannered', 'overmanning', + 'overmans', 'overmantel', 'overmantels', + 'overmany', 'overmaster', 'overmastered', 'overmastering', 'overmasters', + 'overmatch', 'overmatched', 'overmatches', 'overmatching', @@ -42164,18 +105873,37 @@ export const scrabble_array = [ 'overmedicating', 'overmedication', 'overmedications', + 'overmeek', + 'overmelt', 'overmelted', 'overmelting', + 'overmelts', + 'overmen', 'overmighty', + 'overmild', + 'overmilk', 'overmilked', 'overmilking', + 'overmilks', + 'overmine', + 'overmined', + 'overmines', 'overmining', + 'overmix', + 'overmixed', + 'overmixes', 'overmixing', 'overmodest', 'overmodestly', 'overmodulated', + 'overmuch', 'overmuches', 'overmuscled', + 'overnear', + 'overneat', + 'overnew', + 'overnice', + 'overnight', 'overnighted', 'overnighter', 'overnighters', @@ -42215,13 +105943,19 @@ export const scrabble_array = [ 'overpackaged', 'overpackages', 'overpackaging', + 'overpaid', 'overparticular', + 'overpass', 'overpassed', 'overpasses', 'overpassing', + 'overpast', + 'overpay', 'overpaying', 'overpayment', 'overpayments', + 'overpays', + 'overpedal', 'overpedaled', 'overpedaling', 'overpedalled', @@ -42237,18 +105971,31 @@ export const scrabble_array = [ 'overpersuading', 'overpersuasion', 'overpersuasions', + 'overpert', + 'overplaid', 'overplaided', 'overplaids', + 'overplan', 'overplanned', 'overplanning', + 'overplans', + 'overplant', 'overplanted', 'overplanting', 'overplants', + 'overplay', 'overplayed', 'overplaying', + 'overplays', + 'overplied', + 'overplies', + 'overplot', + 'overplots', 'overplotted', 'overplotting', + 'overplus', 'overpluses', + 'overply', 'overplying', 'overpopulate', 'overpopulated', @@ -42257,6 +106004,7 @@ export const scrabble_array = [ 'overpopulation', 'overpopulations', 'overpotent', + 'overpower', 'overpowered', 'overpowering', 'overpoweringly', @@ -42274,13 +106022,16 @@ export const scrabble_array = [ 'overprescriptions', 'overpressure', 'overpressures', + 'overprice', 'overpriced', 'overprices', 'overpricing', + 'overprint', 'overprinted', 'overprinting', 'overprints', 'overprivileged', + 'overprize', 'overprized', 'overprizes', 'overprizing', @@ -42308,6 +106059,7 @@ export const scrabble_array = [ 'overpromoted', 'overpromotes', 'overpromoting', + 'overproof', 'overproportion', 'overproportionate', 'overproportionately', @@ -42323,15 +106075,25 @@ export const scrabble_array = [ 'overprotectiveness', 'overprotectivenesses', 'overprotects', + 'overpump', 'overpumped', 'overpumping', + 'overpumps', 'overqualified', + 'overran', + 'overrank', + 'overrash', + 'overrate', + 'overrated', + 'overrates', 'overrating', + 'overreach', 'overreached', 'overreacher', 'overreachers', 'overreaches', 'overreaching', + 'overreact', 'overreacted', 'overreacting', 'overreaction', @@ -42359,14 +106121,35 @@ export const scrabble_array = [ 'overresponded', 'overresponding', 'overresponds', + 'overrich', 'overridden', + 'override', + 'overrides', 'overriding', + 'overrife', + 'overrigid', + 'overripe', + 'overrode', + 'overrude', + 'overruff', 'overruffed', 'overruffing', + 'overruffs', + 'overrule', + 'overruled', + 'overrules', 'overruling', + 'overrun', 'overrunning', + 'overruns', + 'overs', + 'oversad', + 'oversale', + 'oversales', + 'oversalt', 'oversalted', 'oversalting', + 'oversalts', 'oversanguine', 'oversaturate', 'oversaturated', @@ -42374,18 +106157,35 @@ export const scrabble_array = [ 'oversaturating', 'oversaturation', 'oversaturations', + 'oversauce', 'oversauced', 'oversauces', 'oversaucing', + 'oversave', + 'oversaved', + 'oversaves', 'oversaving', + 'oversaw', + 'overscale', 'overscaled', 'overscrupulous', + 'oversea', + 'overseas', 'oversecretion', 'oversecretions', + 'oversee', + 'overseed', 'overseeded', 'overseeding', + 'overseeds', 'overseeing', + 'overseen', + 'overseer', + 'overseers', + 'oversees', + 'oversell', 'overselling', + 'oversells', 'oversensitive', 'oversensitiveness', 'oversensitivenesses', @@ -42397,15 +106197,32 @@ export const scrabble_array = [ 'overserviced', 'overservices', 'overservicing', + 'overset', + 'oversets', 'oversetting', + 'oversew', + 'oversewed', 'oversewing', + 'oversewn', + 'oversews', + 'oversexed', 'overshadow', 'overshadowed', 'overshadowing', 'overshadows', + 'overshirt', 'overshirts', + 'overshoe', + 'overshoes', + 'overshoot', 'overshooting', 'overshoots', + 'overshot', + 'overshots', + 'oversick', + 'overside', + 'oversides', + 'oversight', 'oversights', 'oversimple', 'oversimplification', @@ -42416,22 +106233,40 @@ export const scrabble_array = [ 'oversimplifying', 'oversimplistic', 'oversimply', + 'oversize', + 'oversized', + 'oversizes', + 'overskirt', 'overskirts', 'overslaugh', 'overslaughed', 'overslaughing', 'overslaughs', + 'oversleep', 'oversleeping', 'oversleeps', + 'overslept', + 'overslip', 'overslipped', 'overslipping', + 'overslips', + 'overslipt', + 'overslow', + 'oversmoke', 'oversmoked', 'oversmokes', 'oversmoking', + 'oversoak', 'oversoaked', 'oversoaking', + 'oversoaks', + 'oversoft', + 'oversold', 'oversolicitous', + 'oversoon', 'oversophisticated', + 'oversoul', + 'oversouls', 'overspecialization', 'overspecializations', 'overspecialize', @@ -42444,41 +106279,57 @@ export const scrabble_array = [ 'overspeculating', 'overspeculation', 'overspeculations', + 'overspend', 'overspender', 'overspenders', 'overspending', 'overspends', + 'overspent', + 'overspill', 'overspills', + 'overspin', + 'overspins', 'overspread', 'overspreading', 'overspreads', 'overstabilities', 'overstability', + 'overstaff', 'overstaffed', 'overstaffing', 'overstaffs', + 'overstate', 'overstated', 'overstatement', 'overstatements', 'overstates', 'overstating', + 'overstay', 'overstayed', 'overstaying', + 'overstays', + 'oversteer', 'oversteers', + 'overstep', 'overstepped', 'overstepping', + 'oversteps', 'overstimulate', 'overstimulated', 'overstimulates', 'overstimulating', 'overstimulation', 'overstimulations', + 'overstir', 'overstirred', 'overstirring', + 'overstirs', + 'overstock', 'overstocked', 'overstocking', 'overstocks', 'overstories', + 'overstory', 'overstrain', 'overstrained', 'overstraining', @@ -42491,6 +106342,7 @@ export const scrabble_array = [ 'overstretched', 'overstretches', 'overstretching', + 'overstrew', 'overstrewed', 'overstrewing', 'overstrewn', @@ -42506,6 +106358,7 @@ export const scrabble_array = [ 'overstruck', 'overstructured', 'overstrung', + 'overstuff', 'overstuffed', 'overstuffing', 'overstuffs', @@ -42516,36 +106369,60 @@ export const scrabble_array = [ 'oversubscription', 'oversubscriptions', 'oversubtle', + 'oversuds', 'oversudsed', 'oversudses', 'oversudsing', + 'oversup', 'oversupped', 'oversupping', 'oversupplied', 'oversupplies', 'oversupply', 'oversupplying', + 'oversups', + 'oversure', 'oversuspicious', + 'oversweet', 'oversweeten', 'oversweetened', 'oversweetening', 'oversweetens', 'oversweetness', 'oversweetnesses', + 'overswing', 'overswinging', 'overswings', + 'overswung', + 'overt', + 'overtake', + 'overtaken', + 'overtakes', 'overtaking', + 'overtalk', 'overtalkative', 'overtalked', 'overtalking', + 'overtalks', + 'overtame', + 'overtart', + 'overtask', 'overtasked', 'overtasking', + 'overtasks', + 'overtax', 'overtaxation', 'overtaxations', + 'overtaxed', + 'overtaxes', 'overtaxing', + 'overthin', + 'overthink', 'overthinking', 'overthinks', 'overthought', + 'overthrew', + 'overthrow', 'overthrowing', 'overthrown', 'overthrows', @@ -42553,36 +106430,72 @@ export const scrabble_array = [ 'overtightened', 'overtightening', 'overtightens', + 'overtime', + 'overtimed', + 'overtimes', 'overtiming', + 'overtip', 'overtipped', 'overtipping', + 'overtips', + 'overtire', + 'overtired', + 'overtires', 'overtiring', + 'overtly', + 'overtness', 'overtnesses', + 'overtoil', 'overtoiled', 'overtoiling', + 'overtoils', + 'overtone', + 'overtones', + 'overtook', + 'overtop', 'overtopped', 'overtopping', + 'overtops', + 'overtrade', 'overtraded', 'overtrades', 'overtrading', + 'overtrain', 'overtrained', 'overtraining', 'overtrains', + 'overtreat', 'overtreated', 'overtreating', 'overtreatment', 'overtreatments', 'overtreats', + 'overtrick', 'overtricks', + 'overtrim', 'overtrimmed', 'overtrimming', + 'overtrims', + 'overtrump', 'overtrumped', 'overtrumping', 'overtrumps', + 'overture', + 'overtured', + 'overtures', 'overturing', + 'overturn', 'overturned', 'overturning', + 'overturns', + 'overurge', + 'overurged', + 'overurges', 'overurging', + 'overuse', + 'overused', + 'overuses', + 'overusing', 'overutilization', 'overutilizations', 'overutilize', @@ -42591,22 +106504,40 @@ export const scrabble_array = [ 'overutilizing', 'overvaluation', 'overvaluations', + 'overvalue', 'overvalued', 'overvalues', 'overvaluing', + 'overview', + 'overviews', 'overviolent', + 'overvivid', 'overvoltage', 'overvoltages', + 'overvote', + 'overvoted', + 'overvotes', 'overvoting', + 'overwarm', 'overwarmed', 'overwarming', + 'overwarms', + 'overwary', + 'overwater', 'overwatered', 'overwatering', 'overwaters', + 'overweak', + 'overwear', 'overwearing', + 'overwears', + 'overweary', + 'overween', 'overweened', 'overweening', 'overweeningly', + 'overweens', + 'overweigh', 'overweighed', 'overweighing', 'overweighs', @@ -42614,31 +106545,64 @@ export const scrabble_array = [ 'overweighted', 'overweighting', 'overweights', + 'overwet', + 'overwets', 'overwetted', 'overwetting', + 'overwhelm', 'overwhelmed', 'overwhelming', 'overwhelmingly', 'overwhelms', + 'overwide', + 'overwily', + 'overwind', 'overwinding', + 'overwinds', 'overwinter', 'overwintered', 'overwintering', 'overwinters', + 'overwise', 'overwithheld', 'overwithhold', 'overwithholding', 'overwithholds', + 'overword', + 'overwords', + 'overwore', + 'overwork', 'overworked', 'overworking', + 'overworks', + 'overworn', + 'overwound', + 'overwrite', 'overwrites', 'overwriting', 'overwritten', + 'overwrote', 'overwrought', + 'overzeal', 'overzealous', 'overzealously', 'overzealousness', 'overzealousnesses', + 'overzeals', + 'ovibos', + 'ovicidal', + 'ovicide', + 'ovicides', + 'oviducal', + 'oviduct', + 'oviductal', + 'oviducts', + 'oviform', + 'ovine', + 'ovines', + 'ovipara', + 'oviparous', + 'oviposit', 'oviposited', 'ovipositing', 'oviposition', @@ -42646,27 +106610,149 @@ export const scrabble_array = [ 'ovipositions', 'ovipositor', 'ovipositors', + 'oviposits', + 'ovisac', + 'ovisacs', + 'ovoid', + 'ovoidal', + 'ovoids', 'ovolactovegetarian', 'ovolactovegetarians', + 'ovoli', + 'ovolo', + 'ovolos', + 'ovonic', + 'ovonics', + 'ovotestes', + 'ovotestis', 'ovoviviparous', 'ovoviviparously', 'ovoviviparousness', 'ovoviviparousnesses', + 'ovular', + 'ovulary', + 'ovulate', + 'ovulated', + 'ovulates', + 'ovulating', + 'ovulation', 'ovulations', + 'ovulatory', + 'ovule', + 'ovules', + 'ovum', + 'ow', + 'owe', + 'owed', + 'owes', + 'owing', + 'owl', + 'owlet', + 'owlets', + 'owlish', + 'owlishly', 'owlishness', 'owlishnesses', + 'owllike', + 'owls', + 'own', + 'ownable', + 'owned', + 'owner', + 'owners', + 'ownership', 'ownerships', + 'owning', + 'owns', + 'owse', + 'owsen', + 'ox', + 'oxacillin', 'oxacillins', 'oxalacetate', 'oxalacetates', + 'oxalate', + 'oxalated', + 'oxalates', + 'oxalating', + 'oxalic', + 'oxalis', + 'oxalises', 'oxaloacetate', 'oxaloacetates', + 'oxazepam', + 'oxazepams', + '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', + 'oxidating', + 'oxidation', 'oxidations', + 'oxidative', 'oxidatively', + 'oxide', + 'oxides', + 'oxidic', + 'oxidise', + 'oxidised', + 'oxidiser', + 'oxidisers', + 'oxidises', + 'oxidising', 'oxidizable', + 'oxidize', + 'oxidized', + 'oxidizer', + 'oxidizers', + 'oxidizes', + 'oxidizing', 'oxidoreductase', 'oxidoreductases', + 'oxids', + 'oxim', + 'oxime', + 'oximes', + 'oxims', + 'oxlip', + 'oxlips', + 'oxo', + 'oxpecker', + 'oxpeckers', + 'oxtail', + 'oxtails', + 'oxter', + 'oxters', + 'oxtongue', + 'oxtongues', + 'oxy', 'oxyacetylene', + 'oxyacid', + 'oxyacids', + 'oxygen', + 'oxygenate', 'oxygenated', 'oxygenates', 'oxygenating', @@ -42674,40 +106760,129 @@ export const scrabble_array = [ 'oxygenations', 'oxygenator', 'oxygenators', + 'oxygenic', 'oxygenless', + 'oxygens', 'oxyhemoglobin', 'oxyhemoglobins', 'oxyhydrogen', + 'oxymora', + 'oxymoron', 'oxymoronic', 'oxymoronically', + 'oxymorons', 'oxyphenbutazone', 'oxyphenbutazones', + 'oxyphil', + 'oxyphile', + 'oxyphiles', + 'oxyphilic', + 'oxyphils', + 'oxysalt', + 'oxysalts', + 'oxysome', + 'oxysomes', 'oxytetracycline', 'oxytetracyclines', + 'oxytocic', + 'oxytocics', + 'oxytocin', + 'oxytocins', + 'oxytone', + 'oxytones', 'oxyuriases', 'oxyuriasis', + 'oy', + 'oyer', + 'oyers', + 'oyes', + 'oyesses', + 'oyez', + 'oyster', 'oystercatcher', 'oystercatchers', + 'oystered', + 'oysterer', + 'oysterers', + 'oystering', 'oysterings', + 'oysterman', + 'oystermen', + 'oysters', + 'ozocerite', 'ozocerites', + 'ozokerite', 'ozokerites', + 'ozonate', + 'ozonated', + 'ozonates', + 'ozonating', + 'ozonation', 'ozonations', + 'ozone', + 'ozones', + 'ozonic', + 'ozonide', + 'ozonides', + 'ozonise', + 'ozonised', + 'ozonises', + 'ozonising', 'ozonization', 'ozonizations', + 'ozonize', + 'ozonized', + 'ozonizer', + 'ozonizers', + 'ozonizes', + 'ozonizing', 'ozonosphere', 'ozonospheres', + 'ozonous', + 'pa', + 'pablum', + 'pablums', + 'pabular', + 'pabulum', + 'pabulums', + 'pac', + 'paca', + 'pacas', + 'pace', + 'paced', + 'pacemaker', 'pacemakers', 'pacemaking', 'pacemakings', + 'pacer', + 'pacers', + 'paces', 'pacesetter', 'pacesetters', 'pacesetting', + 'pacha', + 'pachadom', + 'pachadoms', + 'pachalic', + 'pachalics', + 'pachas', + 'pachinko', + 'pachinkos', + 'pachisi', + 'pachisis', + 'pachouli', + 'pachoulis', + 'pachuco', + 'pachucos', + 'pachyderm', 'pachydermatous', 'pachyderms', 'pachysandra', 'pachysandras', + 'pachytene', 'pachytenes', 'pacifiable', + 'pacific', 'pacifically', 'pacification', 'pacifications', @@ -42717,29 +106892,121 @@ export const scrabble_array = [ 'pacificisms', 'pacificist', 'pacificists', + 'pacified', + 'pacifier', + 'pacifiers', + 'pacifies', + 'pacifism', + 'pacifisms', + 'pacifist', 'pacifistic', 'pacifistically', + 'pacifists', + 'pacify', + 'pacifying', + 'pacing', + 'pack', 'packabilities', 'packability', + 'packable', + 'package', + 'packaged', + 'packager', + 'packagers', + 'packages', + 'packaging', + 'packboard', 'packboards', + 'packed', + 'packer', + 'packers', + 'packet', + 'packeted', + 'packeting', + 'packets', + 'packhorse', 'packhorses', + 'packing', 'packinghouse', 'packinghouses', + 'packings', + 'packly', + 'packman', + 'packmen', + 'packness', 'packnesses', + 'packs', + 'packsack', + 'packsacks', 'packsaddle', 'packsaddles', 'packthread', 'packthreads', + 'packwax', + 'packwaxes', + 'pacs', + 'pact', + 'paction', + 'pactions', + 'pacts', + 'pad', + 'padauk', + 'padauks', + 'padded', + 'padder', + 'padders', + 'paddies', + 'padding', + 'paddings', + 'paddle', 'paddleball', 'paddleballs', 'paddleboard', 'paddleboards', 'paddleboat', 'paddleboats', + 'paddled', 'paddlefish', 'paddlefishes', + 'paddler', + 'paddlers', + 'paddles', + 'paddling', + 'paddlings', + 'paddock', + 'paddocked', 'paddocking', + 'paddocks', + 'paddy', + 'padi', + 'padis', + 'padishah', + 'padishahs', + 'padle', + 'padles', + 'padlock', + 'padlocked', 'padlocking', + 'padlocks', + 'padnag', + 'padnags', + 'padouk', + 'padouks', + 'padre', + 'padres', + 'padri', + 'padrone', + 'padrones', + 'padroni', + 'pads', + 'padshah', + 'padshahs', + 'paduasoy', + 'paduasoys', + 'paean', + 'paeanism', + 'paeanisms', + 'paeans', 'paediatric', 'paediatrician', 'paediatricians', @@ -42754,50 +107021,195 @@ export const scrabble_array = [ 'paedomorphisms', 'paedomorphoses', 'paedomorphosis', + 'paella', + 'paellas', + 'paeon', + 'paeons', + 'paesan', + 'paesani', + 'paesano', + 'paesanos', + 'paesans', + 'pagan', + 'pagandom', + 'pagandoms', + 'paganise', + 'paganised', + 'paganises', + 'paganish', 'paganising', + 'paganism', + 'paganisms', + 'paganist', + 'paganists', + 'paganize', + 'paganized', + 'paganizer', 'paganizers', + 'paganizes', 'paganizing', + 'pagans', + 'page', + 'pageant', 'pageantries', + 'pageantry', + 'pageants', + 'pageboy', + 'pageboys', + 'paged', + 'pager', + 'pagers', + 'pages', + 'paginal', + 'paginate', + 'paginated', + 'paginates', 'paginating', 'pagination', 'paginations', + 'paging', + 'pagings', + 'pagod', + 'pagoda', + 'pagodas', + 'pagods', + 'pagurian', + 'pagurians', + 'pagurid', + 'pagurids', + 'pah', + 'pahlavi', + 'pahlavis', + 'pahoehoe', + 'pahoehoes', + 'paid', + 'paik', + 'paiked', + 'paiking', + 'paiks', + 'pail', + 'pailful', + 'pailfuls', + 'paillard', + 'paillards', + 'paillette', 'paillettes', + 'pails', + 'pailsful', + 'pain', + 'painch', + 'painches', + 'pained', + 'painful', 'painfuller', 'painfullest', + 'painfully', 'painfulness', 'painfulnesses', + 'paining', 'painkiller', 'painkillers', 'painkilling', + 'painless', 'painlessly', 'painlessness', 'painlessnesses', + 'pains', 'painstaking', 'painstakingly', 'painstakings', + 'paint', 'paintbrush', 'paintbrushes', + 'painted', + 'painter', 'painterliness', 'painterlinesses', + 'painterly', + 'painters', + 'paintier', + 'paintiest', + 'painting', + 'paintings', + 'paints', + 'paintwork', 'paintworks', + 'painty', + 'pair', + 'paired', + 'pairing', + 'pairings', + 'pairs', + 'paisa', + 'paisan', + 'paisana', + 'paisanas', + 'paisano', + 'paisanos', + 'paisans', + 'paisas', + 'paise', + 'paisley', + 'paisleys', + 'pajama', + 'pajamaed', + 'pajamas', + 'pakeha', + 'pakehas', + 'pal', + 'palabra', + 'palabras', + 'palace', + 'palaced', + 'palaces', + 'paladin', + 'paladins', + 'palaestra', 'palaestrae', + 'palais', + 'palanquin', 'palanquins', 'palatabilities', 'palatability', + 'palatable', 'palatableness', 'palatablenesses', + 'palatably', + 'palatal', 'palatalization', 'palatalizations', 'palatalize', 'palatalized', 'palatalizes', 'palatalizing', + 'palatally', + 'palatals', + 'palate', + 'palates', + 'palatial', 'palatially', 'palatialness', 'palatialnesses', 'palatinate', 'palatinates', + 'palatine', + 'palatines', + 'palaver', + 'palavered', 'palavering', + 'palavers', + 'palazzi', + 'palazzo', + 'palazzos', + 'pale', + 'palea', + 'paleae', + 'paleal', + 'paled', + 'paleface', + 'palefaces', + 'palely', + 'paleness', 'palenesses', 'paleoanthropological', 'paleoanthropologies', @@ -42856,12 +107268,35 @@ export const scrabble_array = [ 'paleopathologist', 'paleopathologists', 'paleopathology', + 'paleosol', + 'paleosols', 'paleozoological', 'paleozoologies', 'paleozoologist', 'paleozoologists', 'paleozoology', + 'paler', + 'pales', + 'palest', + 'palestra', + 'palestrae', + 'palestras', + 'palet', + 'paletot', + 'paletots', + 'palets', + 'palette', + 'palettes', + 'paleways', + 'palewise', + 'palfrey', + 'palfreys', + 'palier', + 'paliest', + 'palikar', + 'palikars', 'palimonies', + 'palimony', 'palimpsest', 'palimpsests', 'palindrome', @@ -42869,51 +107304,163 @@ export const scrabble_array = [ 'palindromic', 'palindromist', 'palindromists', + 'paling', 'palingeneses', 'palingenesis', 'palingenetic', + 'palings', + 'palinode', + 'palinodes', + 'palisade', + 'palisaded', + 'palisades', 'palisading', + 'palish', + 'pall', + 'palladia', + 'palladic', + 'palladium', 'palladiums', + 'palladous', 'pallbearer', 'pallbearers', + 'palled', + 'pallet', + 'palletise', 'palletised', 'palletises', 'palletising', 'palletization', 'palletizations', + 'palletize', 'palletized', 'palletizer', 'palletizers', 'palletizes', 'palletizing', + 'pallets', + 'pallette', + 'pallettes', + 'pallia', + 'pallial', + 'palliasse', 'palliasses', + 'palliate', + 'palliated', + 'palliates', 'palliating', 'palliation', 'palliations', 'palliative', 'palliatively', 'palliatives', + 'palliator', 'palliators', + 'pallid', + 'pallidly', 'pallidness', 'pallidnesses', + 'pallier', + 'palliest', + 'palling', + 'pallium', + 'palliums', + 'pallor', + 'pallors', + 'palls', + 'pally', + 'palm', + 'palmar', + 'palmary', + 'palmate', + 'palmated', + 'palmately', + 'palmation', 'palmations', + 'palmed', + 'palmer', + 'palmers', 'palmerworm', 'palmerworms', + 'palmette', + 'palmettes', + 'palmetto', 'palmettoes', + 'palmettos', + 'palmier', + 'palmiest', + 'palming', + 'palmist', 'palmistries', + 'palmistry', + 'palmists', + 'palmitate', 'palmitates', + 'palmitin', + 'palmitins', + 'palmlike', + 'palms', + 'palmy', + 'palmyra', + 'palmyras', + 'palomino', + 'palominos', + 'palooka', + 'palookas', + 'paloverde', 'paloverdes', + 'palp', 'palpabilities', 'palpability', + 'palpable', + 'palpably', + 'palpal', + 'palpate', + 'palpated', + 'palpates', + 'palpating', + 'palpation', 'palpations', + 'palpator', + 'palpators', + 'palpebra', + 'palpebrae', + 'palpebral', + 'palpi', + 'palpitant', + 'palpitate', 'palpitated', 'palpitates', 'palpitating', 'palpitation', 'palpitations', + 'palps', + 'palpus', + 'pals', + 'palsgrave', 'palsgraves', + 'palship', + 'palships', + 'palsied', + 'palsies', + 'palsy', + 'palsying', + 'palter', + 'paltered', + 'palterer', + 'palterers', + 'paltering', + 'palters', + 'paltrier', + 'paltriest', + 'paltrily', 'paltriness', 'paltrinesses', + 'paltry', + 'paludal', + 'paludism', + 'paludisms', + 'paly', 'palynologic', 'palynological', 'palynologically', @@ -42921,15 +107468,54 @@ export const scrabble_array = [ 'palynologist', 'palynologists', 'palynology', + 'pam', + 'pampa', + 'pampas', + 'pampean', + 'pampeans', + 'pamper', + 'pampered', + 'pamperer', + 'pamperers', + 'pampering', + 'pampero', + 'pamperos', + 'pampers', + 'pamphlet', 'pamphleteer', 'pamphleteered', 'pamphleteering', 'pamphleteers', + 'pamphlets', + 'pams', + 'pan', + 'panacea', + 'panacean', + 'panaceas', + 'panache', + 'panaches', + 'panada', + 'panadas', + 'panama', + 'panamas', + 'panatela', + 'panatelas', + 'panbroil', 'panbroiled', 'panbroiling', + 'panbroils', + 'pancake', + 'pancaked', + 'pancakes', + 'pancaking', + 'pancetta', + 'pancettas', + 'panchax', + 'panchaxes', 'panchromatic', 'pancratium', 'pancratiums', + 'pancreas', 'pancreases', 'pancreatectomies', 'pancreatectomized', @@ -42943,152 +107529,417 @@ export const scrabble_array = [ 'pancreozymins', 'pancytopenia', 'pancytopenias', + 'panda', + 'pandani', + 'pandanus', 'pandanuses', + 'pandas', + 'pandect', + 'pandects', + 'pandemic', + 'pandemics', 'pandemonium', 'pandemoniums', + 'pander', + 'pandered', + 'panderer', + 'panderers', + 'pandering', + 'panders', + 'pandied', + 'pandies', + 'pandit', + 'pandits', + 'pandoor', + 'pandoors', + 'pandora', + 'pandoras', + 'pandore', + 'pandores', + 'pandour', + 'pandours', 'pandowdies', + 'pandowdy', + 'pandura', + 'panduras', + 'pandy', + 'pandying', + 'pane', + 'paned', + 'panegyric', 'panegyrical', 'panegyrically', 'panegyrics', 'panegyrist', 'panegyrists', + 'panel', + 'paneled', + 'paneling', + 'panelings', + 'panelist', + 'panelists', + 'panelled', + 'panelling', 'panellings', + 'panels', + 'panes', + 'panetela', + 'panetelas', + 'panettone', 'panettones', + 'panfish', + 'panfishes', + 'panfried', + 'panfries', + 'panfry', + 'panfrying', + 'panful', + 'panfuls', + 'pang', + 'panga', + 'pangas', + 'panged', + 'pangen', + 'pangene', + 'pangenes', 'pangeneses', 'pangenesis', 'pangenetic', + 'pangens', + 'panging', + 'pangolin', + 'pangolins', + 'pangs', + 'panhandle', 'panhandled', 'panhandler', 'panhandlers', 'panhandles', 'panhandling', + 'panhuman', + 'panic', + 'panicked', + 'panickier', 'panickiest', + 'panicking', + 'panicky', + 'panicle', + 'panicled', + 'panicles', + 'panics', 'paniculate', + 'panicum', + 'panicums', + 'panier', + 'paniers', + 'panjandra', 'panjandrum', 'panjandrums', 'panleukopenia', 'panleukopenias', + 'panmictic', + 'panmixes', + 'panmixia', + 'panmixias', + 'panmixis', 'panmixises', + 'panne', + 'panned', + 'pannes', + 'pannier', + 'panniers', + 'pannikin', + 'pannikins', + 'panning', + 'panocha', + 'panochas', + 'panoche', + 'panoches', + 'panoplied', + 'panoplies', + 'panoply', + 'panoptic', + 'panorama', + 'panoramas', + 'panoramic', 'panoramically', + 'panpipe', + 'panpipes', + 'pans', + 'pansexual', 'pansexualities', 'pansexuality', + 'pansies', 'pansophies', + 'pansophy', + 'pansy', + 'pant', + 'pantalets', 'pantalettes', + 'pantalone', 'pantalones', + 'pantaloon', 'pantaloons', + 'pantdress', 'pantdresses', 'pantechnicon', 'pantechnicons', + 'panted', + 'pantheism', 'pantheisms', + 'pantheist', 'pantheistic', 'pantheistical', 'pantheistically', 'pantheists', + 'pantheon', + 'pantheons', + 'panther', + 'panthers', + 'pantie', + 'panties', + 'pantile', + 'pantiled', + 'pantiles', + 'panting', 'pantisocracies', 'pantisocracy', 'pantisocratic', 'pantisocratical', 'pantisocratist', 'pantisocratists', + 'panto', + 'pantofle', + 'pantofles', 'pantograph', 'pantographic', 'pantographs', + 'pantomime', 'pantomimed', 'pantomimes', 'pantomimic', 'pantomiming', 'pantomimist', 'pantomimists', + 'pantos', 'pantothenate', 'pantothenates', + 'pantoum', + 'pantoums', + 'pantries', + 'pantropic', 'pantropical', + 'pantry', + 'pantryman', + 'pantrymen', + 'pants', + 'pantsuit', 'pantsuited', + 'pantsuits', + 'panty', + 'pantyhose', 'pantywaist', 'pantywaists', + 'panzer', + 'panzers', + 'pap', + 'papa', + 'papacies', + 'papacy', + 'papain', + 'papains', + 'papal', + 'papally', + 'paparazzi', + 'paparazzo', + 'papas', 'papaverine', 'papaverines', + 'papaw', + 'papaws', + 'papaya', + 'papayan', + 'papayas', + 'paper', + 'paperback', 'paperbacked', 'paperbacks', 'paperboard', 'paperboards', 'paperbound', 'paperbounds', + 'paperboy', + 'paperboys', + 'papered', + 'paperer', + 'paperers', 'paperhanger', 'paperhangers', 'paperhanging', 'paperhangings', 'paperiness', 'paperinesses', + 'papering', + 'paperless', 'papermaker', 'papermakers', 'papermaking', 'papermakings', + 'papers', 'paperweight', 'paperweights', + 'paperwork', 'paperworks', + 'papery', + 'papeterie', 'papeteries', + 'paphian', + 'paphians', 'papilionaceous', + 'papilla', + 'papillae', + 'papillar', + 'papillary', + 'papillate', + 'papilloma', 'papillomas', 'papillomata', 'papillomatous', 'papillomavirus', 'papillomaviruses', + 'papillon', + 'papillons', + 'papillose', + 'papillote', 'papillotes', + 'papist', + 'papistic', 'papistries', + 'papistry', + 'papists', + 'papoose', + 'papooses', 'papovavirus', 'papovaviruses', + 'pappi', + 'pappier', + 'pappies', + 'pappiest', + 'pappoose', + 'pappooses', + 'pappose', + 'pappous', + 'pappus', + 'pappy', + 'paprica', + 'papricas', + 'paprika', + 'paprikas', + 'paps', + 'papula', + 'papulae', + 'papular', + 'papule', + 'papules', + 'papulose', + 'papyral', + 'papyri', + 'papyrian', + 'papyrine', 'papyrologies', 'papyrologist', 'papyrologists', 'papyrology', + 'papyrus', + 'papyruses', + 'par', + 'para', 'parabioses', 'parabiosis', 'parabiotic', 'parabiotically', + 'parable', + 'parables', + 'parabola', + 'parabolas', + 'parabolic', 'parabolically', 'paraboloid', 'paraboloidal', 'paraboloids', + 'parachor', + 'parachors', + 'parachute', 'parachuted', 'parachutes', 'parachutic', 'parachuting', 'parachutist', 'parachutists', + 'parade', + 'paraded', + 'parader', + 'paraders', + 'parades', 'paradichlorobenzene', 'paradichlorobenzenes', 'paradiddle', 'paradiddles', + 'paradigm', 'paradigmatic', 'paradigmatically', + 'paradigms', + 'parading', 'paradisaic', 'paradisaical', 'paradisaically', + 'paradisal', + 'paradise', + 'paradises', 'paradisiac', 'paradisiacal', 'paradisiacally', 'paradisial', 'paradisical', + 'parador', + 'paradores', + 'paradors', + 'parados', + 'paradoses', + 'paradox', + 'paradoxes', 'paradoxical', 'paradoxicalities', 'paradoxicality', 'paradoxically', 'paradoxicalness', 'paradoxicalnesses', + 'paradrop', 'paradropped', 'paradropping', + 'paradrops', 'paraesthesia', 'paraesthesias', + 'paraffin', 'paraffined', 'paraffinic', 'paraffining', + 'paraffins', + 'paraform', 'paraformaldehyde', 'paraformaldehydes', + 'paraforms', 'parageneses', 'paragenesis', 'paragenetic', 'paragenetically', + 'paragoge', + 'paragoges', + 'paragon', + 'paragoned', 'paragoning', + 'paragons', + 'paragraph', 'paragraphed', 'paragrapher', 'paragraphers', @@ -43099,15 +107950,22 @@ export const scrabble_array = [ 'parainfluenzas', 'parajournalism', 'parajournalisms', + 'parakeet', + 'parakeets', + 'parakite', + 'parakites', 'paralanguage', 'paralanguages', 'paraldehyde', 'paraldehydes', + 'paralegal', 'paralegals', 'paralinguistic', 'paralinguistics', 'parallactic', + 'parallax', 'parallaxes', + 'parallel', 'paralleled', 'parallelepiped', 'parallelepipeds', @@ -43118,14 +107976,24 @@ export const scrabble_array = [ 'parallelling', 'parallelogram', 'parallelograms', + 'parallels', 'paralogism', 'paralogisms', + 'paralyse', + 'paralysed', + 'paralyses', 'paralysing', + 'paralysis', + 'paralytic', 'paralytically', 'paralytics', 'paralyzation', 'paralyzations', + 'paralyze', + 'paralyzed', + 'paralyzer', 'paralyzers', + 'paralyzes', 'paralyzing', 'paralyzingly', 'paramagnet', @@ -43134,11 +108002,17 @@ export const scrabble_array = [ 'paramagnetism', 'paramagnetisms', 'paramagnets', + 'paramecia', 'paramecium', 'parameciums', + 'paramedic', 'paramedical', 'paramedicals', 'paramedics', + 'parament', + 'paramenta', + 'paraments', + 'parameter', 'parameterization', 'parameterizations', 'parameterize', @@ -43157,22 +108031,44 @@ export const scrabble_array = [ 'paramilitary', 'paramnesia', 'paramnesias', + 'paramo', + 'paramos', + 'paramount', 'paramountcies', 'paramountcy', 'paramountly', 'paramounts', + 'paramour', + 'paramours', + 'paramylum', 'paramylums', 'paramyxovirus', 'paramyxoviruses', + 'parang', + 'parangs', + 'paranoea', + 'paranoeas', + 'paranoia', + 'paranoiac', 'paranoiacs', + 'paranoias', + 'paranoic', 'paranoically', + 'paranoics', + 'paranoid', 'paranoidal', + 'paranoids', 'paranormal', 'paranormalities', 'paranormality', 'paranormally', 'paranormals', + 'paranymph', 'paranymphs', + 'parapet', + 'parapeted', + 'parapets', + 'paraph', 'paraphernalia', 'paraphrasable', 'paraphrase', @@ -43183,12 +108079,14 @@ export const scrabble_array = [ 'paraphrasing', 'paraphrastic', 'paraphrastically', + 'paraphs', 'paraphyses', 'paraphysis', 'paraplegia', 'paraplegias', 'paraplegic', 'paraplegics', + 'parapodia', 'parapodial', 'parapodium', 'paraprofessional', @@ -43198,14 +108096,26 @@ export const scrabble_array = [ 'parapsychologist', 'parapsychologists', 'parapsychology', + 'paraquat', + 'paraquats', + 'paraquet', + 'paraquets', 'pararosaniline', 'pararosanilines', + 'paras', 'parasailing', 'parasailings', + 'parasang', + 'parasangs', 'parasexual', 'parasexualities', 'parasexuality', + 'parashah', 'parashioth', + 'parashoth', + 'parasite', + 'parasites', + 'parasitic', 'parasitical', 'parasitically', 'parasiticidal', @@ -43234,6 +108144,8 @@ export const scrabble_array = [ 'parasitology', 'parasitoses', 'parasitosis', + 'parasol', + 'parasols', 'parasympathetic', 'parasympathetics', 'parasympathomimetic', @@ -43243,6 +108155,9 @@ export const scrabble_array = [ 'paratactic', 'paratactical', 'paratactically', + 'parataxes', + 'parataxis', + 'parathion', 'parathions', 'parathormone', 'parathormones', @@ -43251,30 +108166,86 @@ export const scrabble_array = [ 'parathyroidectomized', 'parathyroidectomy', 'parathyroids', + 'paratroop', 'paratrooper', 'paratroopers', 'paratroops', 'paratyphoid', 'paratyphoids', + 'paravane', + 'paravanes', + 'parawing', + 'parawings', + 'parazoan', + 'parazoans', + 'parboil', + 'parboiled', 'parboiling', + 'parboils', + 'parbuckle', 'parbuckled', 'parbuckles', 'parbuckling', + 'parcel', + 'parceled', + 'parceling', + 'parcelled', 'parcelling', + 'parcels', 'parcenaries', + 'parcenary', + 'parcener', + 'parceners', + 'parch', + 'parched', + 'parches', + 'parchesi', + 'parchesis', + 'parching', + 'parchisi', + 'parchisis', + 'parchment', 'parchments', + 'pard', + 'pardah', + 'pardahs', + 'pardee', + 'pardi', + 'pardie', + 'pardine', + 'pardner', + 'pardners', + 'pardon', 'pardonable', 'pardonableness', 'pardonablenesses', 'pardonably', + 'pardoned', + 'pardoner', + 'pardoners', + 'pardoning', + 'pardons', + 'pards', + 'pardy', + 'pare', + 'parecism', + 'parecisms', + 'pared', + 'paregoric', 'paregorics', + 'pareira', + 'pareiras', 'parenchyma', 'parenchymal', 'parenchymas', 'parenchymata', 'parenchymatous', + 'parent', + 'parentage', 'parentages', + 'parental', 'parentally', + 'parented', 'parenteral', 'parenterally', 'parentheses', @@ -43288,54 +108259,239 @@ export const scrabble_array = [ 'parenthetically', 'parenthood', 'parenthoods', + 'parenting', 'parentings', 'parentless', + 'parents', + 'pareo', + 'pareos', + 'parer', + 'parerga', + 'parergon', + 'parers', + 'pares', + 'pareses', + 'paresis', 'paresthesia', 'paresthesias', 'paresthetic', + 'paretic', + 'paretics', + 'pareu', + 'pareus', + 'pareve', + 'parfait', + 'parfaits', + 'parfleche', 'parfleches', + 'parflesh', 'parfleshes', + 'parfocal', 'parfocalities', 'parfocality', 'parfocalize', 'parfocalized', 'parfocalizes', 'parfocalizing', + 'parge', + 'parged', + 'parges', + 'parget', + 'pargeted', + 'pargeting', + 'pargets', + 'pargetted', 'pargetting', + 'parging', + 'pargings', + 'pargo', + 'pargos', + 'pargyline', 'pargylines', + 'parhelia', + 'parhelic', + 'parhelion', + 'pariah', + 'pariahs', + 'parian', + 'parians', + 'paries', + 'parietal', + 'parietals', + 'parietes', 'parimutuel', + 'paring', + 'parings', + 'paris', + 'parises', + 'parish', + 'parishes', 'parishioner', 'parishioners', + 'parities', + 'parity', + 'park', + 'parka', + 'parkas', + 'parked', + 'parker', + 'parkers', + 'parking', + 'parkings', 'parkinsonian', 'parkinsonism', 'parkinsonisms', + 'parkland', + 'parklands', + 'parklike', + 'parks', + 'parkway', + 'parkways', + 'parlance', + 'parlances', + 'parlando', + 'parlante', + 'parlay', + 'parlayed', + 'parlaying', + 'parlays', + 'parle', + 'parled', + 'parles', + 'parley', + 'parleyed', + 'parleyer', + 'parleyers', + 'parleying', + 'parleys', 'parliament', 'parliamentarian', 'parliamentarians', 'parliamentary', 'parliaments', + 'parling', + 'parlor', + 'parlors', + 'parlour', + 'parlours', + 'parlous', + 'parlously', 'parmigiana', 'parmigiano', + 'parochial', 'parochialism', 'parochialisms', 'parochially', + 'parodic', + 'parodied', + 'parodies', + 'parodist', 'parodistic', + 'parodists', + 'parodoi', + 'parodos', + 'parody', + 'parodying', + 'parol', + 'parole', + 'paroled', + 'parolee', + 'parolees', + 'paroles', + 'paroling', + 'parols', 'paronomasia', 'paronomasias', 'paronomastic', + 'paronym', 'paronymous', + 'paronyms', + 'paroquet', + 'paroquets', + 'parotic', + 'parotid', + 'parotids', + 'parotitis', 'parotitises', + 'parotoid', + 'parotoids', + 'parous', + 'paroxysm', 'paroxysmal', + 'paroxysms', + 'parquet', + 'parqueted', 'parqueting', 'parquetries', + 'parquetry', + 'parquets', + 'parr', + 'parrakeet', 'parrakeets', + 'parral', + 'parrals', + 'parred', + 'parrel', + 'parrels', 'parricidal', + 'parricide', 'parricides', + 'parridge', + 'parridges', + 'parried', + 'parries', + 'parring', + 'parritch', 'parritches', + 'parroket', + 'parrokets', + 'parrot', + 'parroted', + 'parroter', + 'parroters', + 'parroting', + 'parrots', + 'parroty', + 'parrs', + 'parry', + 'parrying', + 'pars', + 'parsable', + 'parse', + 'parsec', + 'parsecs', + 'parsed', + 'parser', + 'parsers', + 'parses', 'parsimonies', 'parsimonious', 'parsimoniously', + 'parsimony', + 'parsing', + 'parsley', + 'parsleyed', + 'parsleys', + 'parslied', + 'parsnip', + 'parsnips', + 'parson', + 'parsonage', 'parsonages', + 'parsonic', + 'parsons', + 'part', + 'partake', + 'partaken', + 'partaker', + 'partakers', + 'partakes', + 'partaking', + 'partan', + 'partans', + 'parted', + 'parterre', + 'parterres', 'parthenocarpic', 'parthenocarpies', 'parthenocarpy', @@ -43343,10 +108499,14 @@ export const scrabble_array = [ 'parthenogenesis', 'parthenogenetic', 'parthenogenetically', + 'partial', 'partialities', 'partiality', + 'partially', + 'partials', 'partibilities', 'partibility', + 'partible', 'participant', 'participants', 'participate', @@ -43364,8 +108524,10 @@ export const scrabble_array = [ 'participially', 'participle', 'participles', + 'particle', 'particleboard', 'particleboards', + 'particles', 'particular', 'particularise', 'particularised', @@ -43388,9 +108550,21 @@ export const scrabble_array = [ 'particulars', 'particulate', 'particulates', + 'partied', + 'partier', + 'partiers', + 'parties', + 'parting', + 'partings', + 'partisan', 'partisanly', + 'partisans', 'partisanship', 'partisanships', + 'partita', + 'partitas', + 'partite', + 'partition', 'partitioned', 'partitioner', 'partitioners', @@ -43398,36 +108572,128 @@ export const scrabble_array = [ 'partitionist', 'partitionists', 'partitions', + 'partitive', 'partitively', + 'partizan', + 'partizans', + 'partlet', + 'partlets', + 'partly', + 'partner', + 'partnered', 'partnering', 'partnerless', + 'partners', 'partnership', 'partnerships', + 'parton', + 'partons', + 'partook', + 'partridge', 'partridgeberries', 'partridgeberry', 'partridges', + 'parts', 'parturient', 'parturients', 'parturition', 'parturitions', + 'partway', + 'party', + 'partyer', + 'partyers', + 'partying', + 'parura', + 'paruras', + 'parure', + 'parures', + 'parve', + 'parvenu', + 'parvenue', + 'parvenus', + 'parvis', + 'parvise', + 'parvises', + 'parvo', + 'parvolin', + 'parvolins', + 'parvos', 'parvovirus', 'parvoviruses', + 'pas', + 'pascal', + 'pascals', + 'paschal', + 'paschals', + 'pase', + 'paseo', + 'paseos', + 'pases', + 'pash', + 'pasha', + 'pashadom', + 'pashadoms', + 'pashalic', + 'pashalics', + 'pashalik', + 'pashaliks', + 'pashas', + 'pashed', + 'pashes', + 'pashing', 'pasqueflower', 'pasqueflowers', + 'pasquil', + 'pasquils', 'pasquinade', 'pasquinaded', 'pasquinades', 'pasquinading', + 'pass', + 'passable', + 'passably', 'passacaglia', 'passacaglias', + 'passade', + 'passades', + 'passado', + 'passadoes', + 'passados', + 'passage', + 'passaged', + 'passages', 'passageway', 'passageways', 'passagework', 'passageworks', + 'passaging', + 'passant', + 'passband', + 'passbands', + 'passbook', + 'passbooks', + 'passe', + 'passed', + 'passee', + 'passel', + 'passels', 'passementerie', 'passementeries', + 'passenger', 'passengers', + 'passer', + 'passerby', + 'passerine', 'passerines', + 'passers', + 'passersby', + 'passes', + 'passible', + 'passim', + 'passing', + 'passings', + 'passion', + 'passional', 'passionate', 'passionately', 'passionateness', @@ -43435,22 +108701,57 @@ export const scrabble_array = [ 'passionflower', 'passionflowers', 'passionless', + 'passions', + 'passivate', 'passivated', 'passivates', 'passivating', 'passivation', 'passivations', + 'passive', + 'passively', 'passiveness', 'passivenesses', + 'passives', + 'passivism', 'passivisms', + 'passivist', 'passivists', 'passivities', + 'passivity', + 'passkey', + 'passkeys', + 'passless', + 'passover', + 'passovers', + 'passport', + 'passports', + 'passus', + 'passuses', + 'password', + 'passwords', + 'past', + 'pasta', + 'pastas', + 'paste', 'pasteboard', 'pasteboards', + 'pasted', + 'pastedown', 'pastedowns', + 'pastel', + 'pastelist', 'pastelists', 'pastellist', 'pastellists', + 'pastels', + 'paster', + 'pastern', + 'pasterns', + 'pasters', + 'pastes', + 'pasteup', + 'pasteups', 'pasteurise', 'pasteurised', 'pasteurises', @@ -43463,11 +108764,36 @@ export const scrabble_array = [ 'pasteurizers', 'pasteurizes', 'pasteurizing', + 'pasticci', + 'pasticcio', 'pasticcios', + 'pastiche', + 'pastiches', 'pasticheur', 'pasticheurs', + 'pastie', + 'pastier', + 'pasties', + 'pastiest', + 'pastil', + 'pastille', + 'pastilles', + 'pastils', + 'pastime', + 'pastimes', + 'pastina', + 'pastinas', + 'pastiness', 'pastinesses', + 'pasting', + 'pastis', + 'pastises', + 'pastless', + 'pastness', 'pastnesses', + 'pastor', + 'pastoral', + 'pastorale', 'pastorales', 'pastoralism', 'pastoralisms', @@ -43476,24 +108802,87 @@ export const scrabble_array = [ 'pastorally', 'pastoralness', 'pastoralnesses', + 'pastorals', + 'pastorate', 'pastorates', + 'pastored', + 'pastoring', + 'pastors', 'pastorship', 'pastorships', + 'pastrami', + 'pastramis', + 'pastries', + 'pastromi', + 'pastromis', + 'pastry', + 'pasts', + 'pasturage', 'pasturages', + 'pastural', + 'pasture', + 'pastured', 'pastureland', 'pasturelands', + 'pasturer', + 'pasturers', + 'pastures', + 'pasturing', + 'pasty', + 'pat', + 'pataca', + 'patacas', + 'patagia', + 'patagial', + 'patagium', + 'patamar', + 'patamars', + 'patch', 'patchboard', 'patchboards', + 'patched', + 'patcher', + 'patchers', + 'patches', + 'patchier', + 'patchiest', + 'patchily', 'patchiness', 'patchinesses', + 'patching', + 'patchouli', 'patchoulies', 'patchoulis', + 'patchouly', + 'patchwork', 'patchworks', + 'patchy', + 'pate', + 'pated', + 'patella', + 'patellae', + 'patellar', + 'patellas', 'patelliform', + 'paten', + 'patencies', + 'patency', + 'patens', + 'patent', 'patentabilities', 'patentability', 'patentable', + 'patented', + 'patentee', + 'patentees', + 'patenting', + 'patently', + 'patentor', + 'patentors', + 'patents', + 'pater', 'paterfamilias', + 'paternal', 'paternalism', 'paternalisms', 'paternalist', @@ -43502,25 +108891,33 @@ export const scrabble_array = [ 'paternalists', 'paternally', 'paternities', + 'paternity', 'paternoster', 'paternosters', + 'paters', + 'pates', + 'path', 'pathbreaking', + 'pathetic', 'pathetical', 'pathetically', 'pathfinder', 'pathfinders', 'pathfinding', 'pathfindings', + 'pathless', 'pathlessness', 'pathlessnesses', 'pathobiologies', 'pathobiology', + 'pathogen', 'pathogeneses', 'pathogenesis', 'pathogenetic', 'pathogenic', 'pathogenicities', 'pathogenicity', + 'pathogens', 'pathognomonic', 'pathologic', 'pathological', @@ -43528,74 +108925,299 @@ export const scrabble_array = [ 'pathologies', 'pathologist', 'pathologists', + 'pathology', 'pathophysiologic', 'pathophysiological', 'pathophysiologies', 'pathophysiology', + 'pathos', + 'pathoses', + 'paths', + 'pathway', + 'pathways', + 'patience', + 'patiences', + 'patient', + 'patienter', 'patientest', + 'patiently', + 'patients', + 'patin', + 'patina', + 'patinae', + 'patinas', + 'patinate', + 'patinated', + 'patinates', 'patinating', 'patination', 'patinations', + 'patine', + 'patined', + 'patines', + 'patining', + 'patinize', + 'patinized', + 'patinizes', 'patinizing', + 'patins', + 'patio', + 'patios', 'patisserie', 'patisseries', + 'patissier', 'patissiers', + 'patly', + 'patness', + 'patnesses', + 'patois', 'patresfamilias', + 'patriarch', 'patriarchal', 'patriarchate', 'patriarchates', 'patriarchies', 'patriarchs', 'patriarchy', + 'patrician', 'patricians', 'patriciate', 'patriciates', 'patricidal', + 'patricide', 'patricides', 'patrilineal', 'patrimonial', 'patrimonies', + 'patrimony', + 'patriot', + 'patriotic', 'patriotically', 'patriotism', 'patriotisms', + 'patriots', + 'patristic', 'patristical', 'patristics', + 'patrol', + 'patrolled', + 'patroller', 'patrollers', 'patrolling', + 'patrolman', + 'patrolmen', + 'patrols', + 'patron', + 'patronage', 'patronages', + 'patronal', + 'patroness', 'patronesses', + 'patronise', 'patronised', 'patronises', 'patronising', 'patronization', 'patronizations', + 'patronize', 'patronized', 'patronizes', 'patronizing', 'patronizingly', + 'patronly', + 'patrons', 'patronymic', 'patronymics', + 'patroon', + 'patroons', + 'pats', + 'patsies', + 'patsy', + 'pattamar', + 'pattamars', + 'patted', + 'pattee', + 'patten', + 'pattens', + 'patter', + 'pattered', + 'patterer', + 'patterers', + 'pattering', + 'pattern', + 'patterned', 'patterning', 'patternings', 'patternless', + 'patterns', + 'patters', + 'pattie', + 'patties', + 'patting', + 'patty', + 'pattypan', + 'pattypans', + 'patulent', + 'patulous', + 'paty', + 'patzer', + 'patzers', + 'paucities', + 'paucity', + 'paughty', + 'pauldron', + 'pauldrons', + 'paulin', + 'paulins', + 'paulownia', 'paulownias', + 'paunch', + 'paunched', + 'paunches', + 'paunchier', 'paunchiest', 'paunchiness', 'paunchinesses', + 'paunchy', + 'pauper', + 'paupered', + 'paupering', + 'pauperism', 'pauperisms', + 'pauperize', 'pauperized', 'pauperizes', 'pauperizing', + 'paupers', + 'paupiette', 'paupiettes', + 'pausal', + 'pause', + 'paused', + 'pauser', + 'pausers', + 'pauses', + 'pausing', + 'pavan', + 'pavane', + 'pavanes', + 'pavans', + 'pave', + 'paved', + 'paveed', + 'pavement', + 'pavements', + 'paver', + 'pavers', + 'paves', + 'pavid', + 'pavilion', 'pavilioned', 'pavilioning', + 'pavilions', + 'pavillon', + 'pavillons', + 'pavin', + 'paving', + 'pavings', + 'pavins', + 'pavior', + 'paviors', + 'paviour', + 'paviours', + 'pavis', + 'pavise', + 'paviser', + 'pavisers', + 'pavises', + 'pavlova', + 'pavlovas', + 'pavonine', + 'paw', + 'pawed', + 'pawer', + 'pawers', + 'pawing', + 'pawkier', + 'pawkiest', + 'pawkily', + 'pawky', + 'pawl', + 'pawls', + 'pawn', + 'pawnable', + 'pawnage', + 'pawnages', 'pawnbroker', 'pawnbrokers', 'pawnbroking', 'pawnbrokings', + 'pawned', + 'pawnee', + 'pawnees', + 'pawner', + 'pawners', + 'pawning', + 'pawnor', + 'pawnors', + 'pawns', + 'pawnshop', + 'pawnshops', + 'pawpaw', + 'pawpaws', + 'paws', + 'pax', + 'paxes', + 'paxwax', + 'paxwaxes', + 'pay', + 'payable', + 'payables', + 'payably', + 'payback', + 'paybacks', + 'paycheck', + 'paychecks', + 'payday', + 'paydays', + 'payed', + 'payee', + 'payees', + 'payer', + 'payers', + 'paygrade', + 'paygrades', + 'paying', + 'payload', + 'payloads', + 'paymaster', 'paymasters', + 'payment', + 'payments', + 'paynim', + 'paynims', + 'payoff', + 'payoffs', + 'payola', + 'payolas', + 'payor', + 'payors', + 'payout', + 'payouts', + 'payroll', + 'payrolls', + 'pays', + 'pazazz', + 'pazazzes', + 'pe', + 'pea', + 'peace', + 'peaceable', 'peaceableness', 'peaceablenesses', + 'peaceably', + 'peaced', + 'peaceful', 'peacefuller', 'peacefullest', 'peacefully', @@ -43609,140 +109231,587 @@ export const scrabble_array = [ 'peacemakers', 'peacemaking', 'peacemakings', + 'peacenik', + 'peaceniks', + 'peaces', + 'peacetime', 'peacetimes', + 'peach', + 'peached', + 'peacher', + 'peachers', + 'peaches', + 'peachier', + 'peachiest', + 'peaching', + 'peachy', + 'peacing', + 'peacoat', + 'peacoats', + 'peacock', + 'peacocked', 'peacockier', 'peacockiest', 'peacocking', 'peacockish', + 'peacocks', + 'peacocky', + 'peafowl', + 'peafowls', + 'peag', + 'peage', + 'peages', + 'peags', + 'peahen', + 'peahens', + 'peak', + 'peaked', 'peakedness', 'peakednesses', + 'peakier', + 'peakiest', + 'peaking', + 'peakish', + 'peakless', + 'peaklike', + 'peaks', + 'peaky', + 'peal', + 'pealed', + 'pealike', + 'pealing', + 'peals', + 'pean', + 'peans', + 'peanut', + 'peanuts', + 'pear', + 'pearl', + 'pearlash', 'pearlashes', + 'pearled', + 'pearler', + 'pearlers', 'pearlescence', 'pearlescences', 'pearlescent', + 'pearlier', + 'pearliest', + 'pearling', + 'pearlite', + 'pearlites', + 'pearlitic', + 'pearlized', + 'pearls', + 'pearly', + 'pearmain', + 'pearmains', + 'pears', + 'peart', + 'pearter', + 'peartest', + 'peartly', + 'peas', + 'peasant', 'peasantries', + 'peasantry', + 'peasants', + 'peascod', + 'peascods', + 'pease', + 'peasecod', + 'peasecods', + 'peasen', + 'peases', 'peashooter', 'peashooters', + 'peat', + 'peatier', + 'peatiest', + 'peats', + 'peaty', + 'peavey', + 'peaveys', + 'peavies', + 'peavy', + 'pebble', + 'pebbled', + 'pebbles', + 'pebblier', + 'pebbliest', + 'pebbling', + 'pebbly', + 'pec', + 'pecan', + 'pecans', + 'peccable', 'peccadillo', 'peccadilloes', 'peccadillos', 'peccancies', + 'peccancy', + 'peccant', + 'peccantly', + 'peccaries', + 'peccary', + 'peccavi', + 'peccavis', + 'pech', + 'pechan', + 'pechans', + 'peched', + 'peching', + 'pechs', + 'peck', + 'pecked', + 'pecker', + 'peckers', 'peckerwood', 'peckerwoods', + 'peckier', + 'peckiest', + 'pecking', + 'peckish', + 'pecks', + 'pecky', + 'pecorini', + 'pecorino', + 'pecorinos', + 'pecs', + 'pectase', + 'pectases', + 'pectate', + 'pectates', + 'pecten', + 'pectens', + 'pectic', + 'pectin', 'pectinaceous', + 'pectinate', 'pectination', 'pectinations', + 'pectines', 'pectinesterase', 'pectinesterases', + 'pectins', + 'pectize', + 'pectized', + 'pectizes', + 'pectizing', + 'pectoral', + 'pectorals', + 'peculate', + 'peculated', + 'peculates', 'peculating', 'peculation', 'peculations', + 'peculator', 'peculators', + 'peculia', + 'peculiar', 'peculiarities', 'peculiarity', 'peculiarly', + 'peculiars', + 'peculium', 'pecuniarily', + 'pecuniary', + 'ped', + 'pedagog', + 'pedagogic', 'pedagogical', 'pedagogically', 'pedagogics', 'pedagogies', + 'pedagogs', + 'pedagogue', 'pedagogues', + 'pedagogy', + 'pedal', + 'pedaled', + 'pedalfer', + 'pedalfers', + 'pedalier', + 'pedaliers', + 'pedaling', + 'pedalled', + 'pedalling', + 'pedalo', + 'pedalos', + 'pedals', + 'pedant', + 'pedantic', 'pedantically', 'pedantries', + 'pedantry', + 'pedants', + 'pedate', + 'pedately', + 'peddle', + 'peddled', + 'peddler', 'peddleries', + 'peddlers', + 'peddlery', + 'peddles', + 'peddling', + 'pederast', 'pederastic', 'pederasties', + 'pederasts', + 'pederasty', + 'pedes', + 'pedestal', 'pedestaled', 'pedestaling', 'pedestalled', 'pedestalling', + 'pedestals', 'pedestrian', 'pedestrianism', 'pedestrianisms', 'pedestrians', + 'pediatric', 'pediatrician', 'pediatricians', 'pediatrics', 'pediatrist', 'pediatrists', + 'pedicab', + 'pedicabs', + 'pedicel', 'pedicellate', + 'pedicels', + 'pedicle', + 'pedicled', + 'pedicles', 'pediculate', 'pediculates', 'pediculoses', 'pediculosis', 'pediculosises', 'pediculous', + 'pedicure', + 'pedicured', + 'pedicures', 'pedicuring', 'pedicurist', 'pedicurists', + 'pediform', + 'pedigree', + 'pedigreed', + 'pedigrees', + 'pediment', 'pedimental', 'pedimented', + 'pediments', + 'pedipalp', + 'pedipalps', + 'pedlar', + 'pedlaries', + 'pedlars', + 'pedlary', + 'pedler', + 'pedleries', + 'pedlers', + 'pedlery', + 'pedocal', + 'pedocalic', + 'pedocals', 'pedogeneses', 'pedogenesis', 'pedogenetic', + 'pedogenic', + 'pedologic', 'pedological', 'pedologies', 'pedologist', 'pedologists', + 'pedology', + 'pedometer', 'pedometers', + 'pedophile', 'pedophiles', 'pedophilia', 'pedophiliac', 'pedophilias', 'pedophilic', + 'pedro', + 'pedros', + 'peds', + 'peduncle', + 'peduncled', + 'peduncles', 'peduncular', 'pedunculate', 'pedunculated', + 'pee', + 'peebeen', + 'peebeens', + 'peed', + 'peeing', + 'peek', + 'peekaboo', + 'peekaboos', + 'peeked', + 'peeking', + 'peeks', + 'peel', + 'peelable', + 'peeled', + 'peeler', + 'peelers', + 'peeling', + 'peelings', + 'peels', + 'peen', + 'peened', + 'peening', + 'peens', + 'peep', + 'peeped', + 'peeper', + 'peepers', + 'peephole', + 'peepholes', + 'peeping', + 'peeps', + 'peepshow', + 'peepshows', + 'peepul', + 'peepuls', + 'peer', + 'peerage', + 'peerages', + 'peered', + 'peeress', + 'peeresses', + 'peerie', + 'peeries', + 'peering', + 'peerless', 'peerlessly', + 'peers', + 'peery', + 'pees', + 'peesweep', + 'peesweeps', + 'peetweet', + 'peetweets', + 'peeve', + 'peeved', + 'peeves', + 'peeving', + 'peevish', + 'peevishly', 'peevishness', 'peevishnesses', + 'peewee', + 'peewees', + 'peewit', + 'peewits', + 'peg', + 'pegboard', + 'pegboards', + 'pegbox', + 'pegboxes', + 'pegged', + 'pegging', + 'pegless', + 'peglike', + 'pegmatite', 'pegmatites', 'pegmatitic', + 'pegs', + 'peh', + 'pehs', + 'peignoir', + 'peignoirs', + 'pein', + 'peined', + 'peining', + 'peins', + 'peise', + 'peised', + 'peises', + 'peising', 'pejorative', 'pejoratively', 'pejoratives', + 'pekan', + 'pekans', + 'peke', + 'pekes', + 'pekin', + 'pekins', + 'pekoe', + 'pekoes', + 'pelage', + 'pelages', + 'pelagial', + 'pelagic', 'pelargonium', 'pelargoniums', + 'pele', + 'pelecypod', 'pelecypods', + 'pelerine', + 'pelerines', + 'peles', + 'pelf', + 'pelfs', + 'pelican', + 'pelicans', + 'pelisse', + 'pelisses', + 'pelite', + 'pelites', + 'pelitic', + 'pellagra', + 'pellagras', + 'pellagrin', 'pellagrins', 'pellagrous', + 'pellet', + 'pelletal', + 'pelleted', + 'pelleting', + 'pelletise', 'pelletised', 'pelletises', 'pelletising', 'pelletization', 'pelletizations', + 'pelletize', 'pelletized', 'pelletizer', 'pelletizers', 'pelletizes', 'pelletizing', + 'pellets', + 'pellicle', + 'pellicles', 'pellitories', + 'pellitory', + 'pellmell', + 'pellmells', + 'pellucid', 'pellucidly', + 'pelmet', + 'pelmets', + 'pelon', + 'peloria', + 'pelorian', + 'pelorias', + 'peloric', + 'pelorus', + 'peloruses', + 'pelota', + 'pelotas', + 'pelt', + 'peltast', + 'peltasts', + 'peltate', + 'pelted', + 'pelter', + 'peltered', + 'peltering', + 'pelters', + 'pelting', + 'peltries', + 'peltry', + 'pelts', + 'pelves', + 'pelvic', + 'pelvics', + 'pelvis', + 'pelvises', 'pelycosaur', 'pelycosaurs', + 'pembina', + 'pembinas', + 'pemican', + 'pemicans', + 'pemmican', + 'pemmicans', + 'pemoline', + 'pemolines', + 'pemphigus', 'pemphiguses', + 'pemphix', + 'pemphixes', + 'pen', + 'penal', + 'penalise', + 'penalised', + 'penalises', 'penalising', 'penalities', + 'penality', 'penalization', 'penalizations', + 'penalize', + 'penalized', + 'penalizes', 'penalizing', + 'penally', + 'penalties', + 'penalty', + 'penance', + 'penanced', + 'penances', + 'penancing', + 'penang', + 'penangs', + 'penates', + 'pence', + 'pencel', + 'pencels', + 'penchant', + 'penchants', + 'pencil', + 'penciled', + 'penciler', + 'pencilers', + 'penciling', 'pencilings', + 'pencilled', 'pencilling', 'pencillings', + 'pencils', + 'pend', + 'pendant', + 'pendants', + 'pended', 'pendencies', + 'pendency', + 'pendent', 'pendentive', 'pendentives', + 'pendents', + 'pending', + 'pends', + 'pendular', + 'pendulous', 'pendulousness', 'pendulousnesses', + 'pendulum', + 'pendulums', + 'peneplain', 'peneplains', + 'peneplane', 'peneplanes', + 'penes', 'penetrabilities', 'penetrability', 'penetrable', 'penetralia', 'penetrance', 'penetrances', + 'penetrant', 'penetrants', + 'penetrate', 'penetrated', 'penetrates', 'penetrating', @@ -43752,7 +109821,14 @@ export const scrabble_array = [ 'penetrative', 'penetrometer', 'penetrometers', + 'pengo', + 'pengos', + 'penguin', + 'penguins', + 'penholder', 'penholders', + 'penial', + 'penicil', 'penicillamine', 'penicillamines', 'penicillate', @@ -43762,17 +109838,58 @@ export const scrabble_array = [ 'penicillinases', 'penicillins', 'penicillium', + 'penicils', + 'penile', + 'peninsula', 'peninsular', 'peninsulas', + 'penis', + 'penises', + 'penitence', 'penitences', + 'penitent', 'penitential', 'penitentially', 'penitentiaries', 'penitentiary', 'penitently', + 'penitents', + 'penknife', + 'penknives', + 'penlight', + 'penlights', + 'penlite', + 'penlites', + 'penman', 'penmanship', 'penmanships', + 'penmen', + 'penna', + 'pennae', + 'penname', + 'pennames', + 'pennant', + 'pennants', + 'pennate', + 'pennated', + 'penne', + 'penned', + 'penner', + 'penners', + 'penni', + 'pennia', + 'pennies', + 'penniless', + 'pennine', + 'pennines', + 'penning', + 'pennis', + 'pennon', + 'pennoncel', 'pennoncels', + 'pennoned', + 'pennons', + 'penny', 'pennycress', 'pennycresses', 'pennyroyal', @@ -43781,27 +109898,62 @@ export const scrabble_array = [ 'pennyweights', 'pennywhistle', 'pennywhistles', + 'pennywort', 'pennyworth', 'pennyworths', 'pennyworts', + 'penoche', + 'penoches', 'penological', 'penologies', 'penologist', 'penologists', + 'penology', + 'penoncel', + 'penoncels', + 'penpoint', + 'penpoints', + 'pens', + 'pensee', + 'pensees', + 'pensil', + 'pensile', + 'pensils', + 'pension', 'pensionable', 'pensionaries', 'pensionary', + 'pensione', + 'pensioned', + 'pensioner', 'pensioners', + 'pensiones', 'pensioning', 'pensionless', + 'pensions', + 'pensive', + 'pensively', 'pensiveness', 'pensivenesses', + 'penstemon', 'penstemons', + 'penster', + 'pensters', + 'penstock', + 'penstocks', + 'pent', 'pentachlorophenol', 'pentachlorophenols', + 'pentacle', + 'pentacles', + 'pentad', + 'pentads', + 'pentagon', 'pentagonal', 'pentagonally', 'pentagonals', + 'pentagons', + 'pentagram', 'pentagrams', 'pentahedra', 'pentahedral', @@ -43812,14 +109964,22 @@ export const scrabble_array = [ 'pentameters', 'pentamidine', 'pentamidines', + 'pentane', + 'pentanes', + 'pentangle', 'pentangles', + 'pentanol', + 'pentanols', 'pentapeptide', 'pentapeptides', 'pentaploid', 'pentaploidies', 'pentaploids', 'pentaploidy', + 'pentarch', 'pentarchies', + 'pentarchs', + 'pentarchy', 'pentathlete', 'pentathletes', 'pentathlon', @@ -43828,6 +109988,9 @@ export const scrabble_array = [ 'pentavalent', 'pentazocine', 'pentazocines', + 'pentene', + 'pentenes', + 'penthouse', 'penthouses', 'pentlandite', 'pentlandites', @@ -43835,40 +109998,142 @@ export const scrabble_array = [ 'pentobarbitals', 'pentobarbitone', 'pentobarbitones', + 'pentode', + 'pentodes', + 'pentomic', + 'pentosan', + 'pentosans', + 'pentose', + 'pentoses', + 'pentoxide', 'pentoxides', 'pentstemon', 'pentstemons', + 'pentyl', 'pentylenetetrazol', 'pentylenetetrazols', + 'pentyls', + 'penuche', + 'penuches', + 'penuchi', + 'penuchis', + 'penuchle', + 'penuchles', + 'penuckle', + 'penuckles', + 'penult', + 'penultima', 'penultimas', 'penultimate', 'penultimately', + 'penults', + 'penumbra', + 'penumbrae', + 'penumbral', + 'penumbras', + 'penuries', + 'penurious', 'penuriously', 'penuriousness', 'penuriousnesses', + 'penury', + 'peon', + 'peonage', + 'peonages', + 'peones', + 'peonies', + 'peonism', + 'peonisms', + 'peons', + 'peony', + 'people', + 'peopled', 'peoplehood', 'peoplehoods', 'peopleless', + 'peopler', + 'peoplers', + 'peoples', + 'peopling', + 'pep', + 'peperomia', 'peperomias', + 'peperoni', + 'peperonis', + 'pepla', + 'peplos', + 'peploses', + 'peplum', + 'peplumed', + 'peplums', + 'peplus', + 'pepluses', + 'pepo', + 'peponida', + 'peponidas', + 'peponium', + 'peponiums', + 'pepos', + 'pepped', + 'pepper', + 'pepperbox', 'pepperboxes', 'peppercorn', 'peppercorns', + 'peppered', + 'pepperer', + 'pepperers', 'peppergrass', 'peppergrasses', 'pepperiness', 'pepperinesses', + 'peppering', 'peppermint', 'peppermints', 'pepperminty', + 'pepperoni', 'pepperonis', + 'peppers', 'peppertree', 'peppertrees', + 'peppery', + 'peppier', + 'peppiest', + 'peppily', + 'peppiness', 'peppinesses', + 'pepping', + 'peppy', + 'peps', + 'pepsin', + 'pepsine', + 'pepsines', 'pepsinogen', 'pepsinogens', + 'pepsins', + 'peptic', + 'peptics', + 'peptid', + 'peptidase', 'peptidases', + 'peptide', + 'peptides', + 'peptidic', 'peptidoglycan', 'peptidoglycans', + 'peptids', + 'peptize', + 'peptized', + 'peptizer', + 'peptizers', + 'peptizes', + 'peptizing', + 'peptone', + 'peptones', + 'peptonic', + 'per', + 'peracid', + 'peracids', 'peradventure', 'peradventures', 'perambulate', @@ -43880,16 +110145,27 @@ export const scrabble_array = [ 'perambulator', 'perambulators', 'perambulatory', + 'perborate', 'perborates', + 'percale', + 'percales', + 'percaline', 'percalines', 'perceivable', 'perceivably', + 'perceive', + 'perceived', + 'perceiver', 'perceivers', + 'perceives', 'perceiving', + 'percent', 'percentage', 'percentages', 'percentile', 'percentiles', + 'percents', + 'percept', 'perceptibilities', 'perceptibility', 'perceptible', @@ -43903,8 +110179,16 @@ export const scrabble_array = [ 'perceptivenesses', 'perceptivities', 'perceptivity', + 'percepts', 'perceptual', 'perceptually', + 'perch', + 'perchance', + 'perched', + 'percher', + 'perchers', + 'perches', + 'perching', 'perchlorate', 'perchlorates', 'perchloroethylene', @@ -43914,6 +110198,9 @@ export const scrabble_array = [ 'percipient', 'percipiently', 'percipients', + 'percoid', + 'percoids', + 'percolate', 'percolated', 'percolates', 'percolating', @@ -43921,6 +110208,9 @@ export const scrabble_array = [ 'percolations', 'percolator', 'percolators', + 'percuss', + 'percussed', + 'percusses', 'percussing', 'percussion', 'percussionist', @@ -43932,32 +110222,60 @@ export const scrabble_array = [ 'percussivenesses', 'percutaneous', 'percutaneously', + 'perdie', + 'perdition', 'perditions', + 'perdu', + 'perdue', + 'perdues', 'perdurabilities', 'perdurability', 'perdurable', 'perdurably', + 'perdure', + 'perdured', + 'perdures', + 'perduring', + 'perdus', + 'perdy', + 'perea', + 'peregrin', 'peregrinate', 'peregrinated', 'peregrinates', 'peregrinating', 'peregrination', 'peregrinations', + 'peregrine', 'peregrines', + 'peregrins', + 'pereia', + 'pereion', + 'pereiopod', 'pereiopods', 'peremptorily', 'peremptoriness', 'peremptorinesses', 'peremptory', + 'perennate', 'perennated', 'perennates', 'perennating', 'perennation', 'perennations', + 'perennial', 'perennially', 'perennials', + 'pereon', + 'pereopod', + 'pereopods', 'perestroika', 'perestroikas', + 'perfect', + 'perfecta', + 'perfectas', + 'perfected', + 'perfecter', 'perfecters', 'perfectest', 'perfectibilities', @@ -43978,13 +110296,21 @@ export const scrabble_array = [ 'perfectives', 'perfectivities', 'perfectivity', + 'perfectly', 'perfectness', 'perfectnesses', + 'perfecto', + 'perfectos', + 'perfects', + 'perfervid', + 'perfidies', 'perfidious', 'perfidiously', 'perfidiousness', 'perfidiousnesses', + 'perfidy', 'perfoliate', + 'perforate', 'perforated', 'perforates', 'perforating', @@ -43992,6 +110318,8 @@ export const scrabble_array = [ 'perforations', 'perforator', 'perforators', + 'perforce', + 'perform', 'performabilities', 'performability', 'performable', @@ -44000,53 +110328,125 @@ export const scrabble_array = [ 'performative', 'performatives', 'performatory', + 'performed', + 'performer', 'performers', 'performing', + 'performs', + 'perfume', + 'perfumed', + 'perfumer', 'perfumeries', + 'perfumers', + 'perfumery', + 'perfumes', + 'perfuming', 'perfunctorily', 'perfunctoriness', 'perfunctorinesses', 'perfunctory', + 'perfusate', 'perfusates', + 'perfuse', + 'perfused', + 'perfuses', + 'perfusing', + 'perfusion', 'perfusionist', 'perfusionists', 'perfusions', + 'pergola', + 'pergolas', + 'perhaps', + 'perhapses', + 'peri', + 'perianth', + 'perianths', + 'periapt', + 'periapts', + 'periblem', + 'periblems', 'pericardia', 'pericardial', 'pericarditides', 'pericarditis', 'pericardium', + 'pericarp', + 'pericarps', 'perichondral', 'perichondria', 'perichondrium', + 'pericopae', + 'pericope', + 'pericopes', 'pericrania', 'pericranial', 'pericranium', + 'pericycle', 'pericycles', 'pericyclic', + 'periderm', + 'periderms', + 'peridia', + 'peridial', + 'peridium', + 'peridot', + 'peridotic', 'peridotite', 'peridotites', 'peridotitic', + 'peridots', + 'perigeal', + 'perigean', + 'perigee', + 'perigees', + 'perigon', + 'perigons', 'perigynies', 'perigynous', + 'perigyny', + 'perihelia', 'perihelial', 'perihelion', + 'perikarya', 'perikaryal', 'perikaryon', + 'peril', + 'periled', + 'periling', + 'perilla', + 'perillas', + 'perilled', + 'perilling', + 'perilous', 'perilously', 'perilousness', 'perilousnesses', + 'perils', + 'perilune', + 'perilunes', + 'perilymph', 'perilymphs', + 'perimeter', 'perimeters', + 'perimysia', 'perimysium', + 'perinatal', 'perinatally', + 'perinea', + 'perineal', + 'perineum', 'perineuria', 'perineurium', + 'period', + 'periodic', 'periodical', 'periodically', 'periodicals', 'periodicities', 'periodicity', + 'periodid', + 'periodids', 'periodization', 'periodizations', 'periodontal', @@ -44056,25 +110456,31 @@ export const scrabble_array = [ 'periodontists', 'periodontologies', 'periodontology', + 'periods', 'perionychia', 'perionychium', + 'periostea', 'periosteal', 'periosteum', 'periostites', 'periostitides', 'periostitis', 'periostitises', + 'periotic', 'peripatetic', 'peripatetically', 'peripatetics', + 'peripatus', 'peripatuses', 'peripeteia', 'peripeteias', 'peripeties', + 'peripety', 'peripheral', 'peripherally', 'peripherals', 'peripheries', + 'periphery', 'periphrases', 'periphrasis', 'periphrastic', @@ -44082,24 +110488,40 @@ export const scrabble_array = [ 'periphytic', 'periphyton', 'periphytons', + 'periplast', 'periplasts', + 'peripter', + 'peripters', + 'perique', + 'periques', + 'peris', + 'perisarc', + 'perisarcs', + 'periscope', 'periscopes', 'periscopic', + 'perish', 'perishabilities', 'perishability', 'perishable', 'perishables', + 'perished', + 'perishes', + 'perishing', 'perissodactyl', 'perissodactyls', 'peristalses', 'peristalsis', 'peristaltic', + 'peristome', 'peristomes', 'peristomial', + 'peristyle', 'peristyles', 'perithecia', 'perithecial', 'perithecium', + 'peritonea', 'peritoneal', 'peritoneally', 'peritoneum', @@ -44110,18 +110532,43 @@ export const scrabble_array = [ 'peritonitises', 'peritrichous', 'peritrichously', + 'periwig', 'periwigged', + 'periwigs', 'periwinkle', 'periwinkles', + 'perjure', + 'perjured', + 'perjurer', + 'perjurers', + 'perjures', + 'perjuries', + 'perjuring', 'perjurious', 'perjuriously', + 'perjury', + 'perk', + 'perked', + 'perkier', + 'perkiest', + 'perkily', + 'perkiness', 'perkinesses', + 'perking', + 'perkish', + 'perks', + 'perky', + 'perlite', + 'perlites', + 'perlitic', + 'perm', 'permafrost', 'permafrosts', 'permanence', 'permanences', 'permanencies', 'permanency', + 'permanent', 'permanently', 'permanentness', 'permanentnesses', @@ -44130,14 +110577,23 @@ export const scrabble_array = [ 'permanganates', 'permeabilities', 'permeability', + 'permeable', + 'permeant', + 'permease', + 'permeases', + 'permeate', + 'permeated', + 'permeates', 'permeating', 'permeation', 'permeations', 'permeative', + 'permed', 'permethrin', 'permethrins', 'permillage', 'permillages', + 'perming', 'permissibilities', 'permissibility', 'permissible', @@ -44150,38 +110606,66 @@ export const scrabble_array = [ 'permissively', 'permissiveness', 'permissivenesses', + 'permit', + 'permits', + 'permitted', + 'permittee', 'permittees', + 'permitter', 'permitters', 'permitting', 'permittivities', 'permittivity', + 'perms', 'permutable', 'permutation', 'permutational', 'permutations', + 'permute', + 'permuted', + 'permutes', + 'permuting', 'pernicious', 'perniciously', 'perniciousness', 'perniciousnesses', 'pernickety', + 'peroneal', + 'peroral', + 'perorally', + 'perorate', + 'perorated', + 'perorates', 'perorating', 'peroration', 'perorational', 'perorations', 'perovskite', 'perovskites', + 'peroxid', 'peroxidase', 'peroxidases', + 'peroxide', + 'peroxided', + 'peroxides', + 'peroxidic', 'peroxiding', + 'peroxids', 'peroxisomal', 'peroxisome', 'peroxisomes', + 'peroxy', + 'perpend', + 'perpended', 'perpendicular', 'perpendicularities', 'perpendicularity', 'perpendicularly', 'perpendiculars', 'perpending', + 'perpends', + 'perpent', + 'perpents', 'perpetrate', 'perpetrated', 'perpetrates', @@ -44190,6 +110674,7 @@ export const scrabble_array = [ 'perpetrations', 'perpetrator', 'perpetrators', + 'perpetual', 'perpetually', 'perpetuate', 'perpetuated', @@ -44203,12 +110688,23 @@ export const scrabble_array = [ 'perpetuity', 'perphenazine', 'perphenazines', + 'perplex', + 'perplexed', 'perplexedly', + 'perplexes', 'perplexing', 'perplexities', 'perplexity', 'perquisite', 'perquisites', + 'perries', + 'perron', + 'perrons', + 'perry', + 'persalt', + 'persalts', + 'perse', + 'persecute', 'persecuted', 'persecutee', 'persecutees', @@ -44220,6 +110716,7 @@ export const scrabble_array = [ 'persecutor', 'persecutors', 'persecutory', + 'perses', 'perseverance', 'perseverances', 'perseverate', @@ -44228,28 +110725,39 @@ export const scrabble_array = [ 'perseverating', 'perseveration', 'perseverations', + 'persevere', 'persevered', 'perseveres', 'persevering', 'perseveringly', 'persiflage', 'persiflages', + 'persimmon', 'persimmons', + 'persist', + 'persisted', 'persistence', 'persistences', 'persistencies', 'persistency', 'persistent', 'persistently', + 'persister', 'persisters', 'persisting', + 'persists', 'persnicketiness', 'persnicketinesses', 'persnickety', + 'person', + 'persona', 'personable', 'personableness', 'personablenesses', + 'personae', + 'personage', 'personages', + 'personal', 'personalise', 'personalised', 'personalises', @@ -44268,8 +110776,11 @@ export const scrabble_array = [ 'personalizes', 'personalizing', 'personally', + 'personals', 'personalties', 'personalty', + 'personas', + 'personate', 'personated', 'personates', 'personating', @@ -44286,8 +110797,11 @@ export const scrabble_array = [ 'personifier', 'personifiers', 'personifies', + 'personify', 'personifying', + 'personnel', 'personnels', + 'persons', 'perspectival', 'perspective', 'perspectively', @@ -44307,9 +110821,17 @@ export const scrabble_array = [ 'perspiration', 'perspirations', 'perspiratory', + 'perspire', + 'perspired', + 'perspires', 'perspiring', + 'perspiry', 'persuadable', + 'persuade', + 'persuaded', + 'persuader', 'persuaders', + 'persuades', 'persuading', 'persuasible', 'persuasion', @@ -44318,7 +110840,13 @@ export const scrabble_array = [ 'persuasively', 'persuasiveness', 'persuasivenesses', + 'pert', + 'pertain', + 'pertained', 'pertaining', + 'pertains', + 'perter', + 'pertest', 'pertinacious', 'pertinaciously', 'pertinaciousness', @@ -44329,18 +110857,45 @@ export const scrabble_array = [ 'pertinences', 'pertinencies', 'pertinency', + 'pertinent', 'pertinently', + 'pertly', + 'pertness', 'pertnesses', + 'perturb', 'perturbable', 'perturbation', 'perturbational', 'perturbations', + 'perturbed', 'perturbing', + 'perturbs', + 'pertussis', 'pertussises', + 'peruke', + 'peruked', + 'perukes', + 'perusal', + 'perusals', + 'peruse', + 'perused', + 'peruser', + 'perusers', + 'peruses', + 'perusing', + 'pervade', + 'pervaded', + 'pervader', + 'pervaders', + 'pervades', + 'pervading', + 'pervasion', 'pervasions', + 'pervasive', 'pervasively', 'pervasiveness', 'pervasivenesses', + 'perverse', 'perversely', 'perverseness', 'perversenesses', @@ -44349,42 +110904,132 @@ export const scrabble_array = [ 'perversities', 'perversity', 'perversive', + 'pervert', + 'perverted', 'pervertedly', 'pervertedness', 'pervertednesses', + 'perverter', 'perverters', 'perverting', + 'perverts', + 'pervious', 'perviousness', 'perviousnesses', + 'pes', + 'pesade', + 'pesades', + 'peseta', + 'pesetas', + 'pesewa', + 'pesewas', + 'peskier', + 'peskiest', + 'peskily', + 'pesky', + 'peso', + 'pesos', + 'pessaries', + 'pessary', + 'pessimism', 'pessimisms', + 'pessimist', 'pessimistic', 'pessimistically', 'pessimists', + 'pest', + 'pester', + 'pestered', + 'pesterer', + 'pesterers', + 'pestering', + 'pesters', + 'pesthole', + 'pestholes', + 'pesthouse', 'pesthouses', + 'pesticide', 'pesticides', + 'pestier', + 'pestiest', 'pestiferous', 'pestiferously', 'pestiferousness', 'pestiferousnesses', 'pestilence', 'pestilences', + 'pestilent', 'pestilential', 'pestilentially', 'pestilently', + 'pestle', + 'pestled', + 'pestles', + 'pestling', + 'pesto', + 'pestos', + 'pests', + 'pesty', + 'pet', + 'petal', + 'petaled', + 'petaline', + 'petalled', + 'petallike', 'petalodies', + 'petalody', + 'petaloid', + 'petalous', + 'petals', + 'petard', + 'petards', + 'petasos', + 'petasoses', + 'petasus', + 'petasuses', + 'petcock', + 'petcocks', + 'petechia', + 'petechiae', + 'petechial', + 'peter', + 'petered', + 'petering', + 'peters', + 'petiolar', + 'petiolate', + 'petiole', + 'petioled', + 'petioles', + 'petiolule', 'petiolules', + 'petit', + 'petite', 'petiteness', 'petitenesses', + 'petites', + 'petition', 'petitionary', 'petitioned', 'petitioner', 'petitioners', 'petitioning', + 'petitions', + 'petnap', + 'petnapped', 'petnapping', + 'petnaps', + 'petrale', + 'petrales', + 'petrel', + 'petrels', 'petrifaction', 'petrifactions', 'petrification', 'petrifications', + 'petrified', + 'petrifies', + 'petrify', 'petrifying', 'petrochemical', 'petrochemicals', @@ -44404,17 +111049,38 @@ export const scrabble_array = [ 'petrographically', 'petrographies', 'petrography', + 'petrol', 'petrolatum', 'petrolatums', + 'petroleum', 'petroleums', + 'petrolic', 'petrologic', 'petrological', 'petrologically', 'petrologies', 'petrologist', 'petrologists', + 'petrology', + 'petrols', + 'petronel', + 'petronels', + 'petrosal', + 'petrous', + 'pets', + 'petsai', + 'petsais', + 'petted', + 'pettedly', + 'petter', + 'petters', + 'petti', + 'petticoat', 'petticoated', 'petticoats', + 'pettier', + 'pettiest', + 'pettifog', 'pettifogged', 'pettifogger', 'pettifoggeries', @@ -44422,13 +111088,65 @@ export const scrabble_array = [ 'pettifoggery', 'pettifogging', 'pettifoggings', + 'pettifogs', + 'pettily', + 'pettiness', 'pettinesses', + 'petting', + 'pettings', + 'pettish', + 'pettishly', 'pettishness', 'pettishnesses', + 'pettitoes', + 'pettle', + 'pettled', + 'pettles', + 'pettling', + 'petto', + 'petty', + 'petulance', 'petulances', 'petulancies', + 'petulancy', + 'petulant', 'petulantly', + 'petunia', + 'petunias', + 'petuntse', + 'petuntses', + 'petuntze', + 'petuntzes', + 'pew', + 'pewee', + 'pewees', + 'pewholder', 'pewholders', + 'pewit', + 'pewits', + 'pews', + 'pewter', + 'pewterer', + 'pewterers', + 'pewters', + 'peyote', + 'peyotes', + 'peyotl', + 'peyotls', + 'peytral', + 'peytrals', + 'peytrel', + 'peytrels', + 'pfennig', + 'pfennige', + 'pfennigs', + 'pfft', + 'pfui', + 'phaeton', + 'phaetons', + 'phage', + 'phages', + 'phagocyte', 'phagocytes', 'phagocytic', 'phagocytize', @@ -44441,21 +111159,37 @@ export const scrabble_array = [ 'phagocytosing', 'phagocytosis', 'phagocytotic', + 'phalange', 'phalangeal', + 'phalanger', 'phalangers', + 'phalanges', 'phalansteries', 'phalanstery', + 'phalanx', + 'phalanxes', + 'phalarope', 'phalaropes', + 'phalli', + 'phallic', 'phallically', 'phallicism', 'phallicisms', + 'phallism', + 'phallisms', + 'phallist', + 'phallists', 'phallocentric', + 'phallus', + 'phalluses', 'phanerogam', 'phanerogams', 'phanerophyte', 'phanerophytes', 'phantasied', 'phantasies', + 'phantasm', + 'phantasma', 'phantasmagoria', 'phantasmagorias', 'phantasmagoric', @@ -44463,14 +111197,26 @@ export const scrabble_array = [ 'phantasmal', 'phantasmata', 'phantasmic', + 'phantasms', + 'phantast', + 'phantasts', + 'phantasy', 'phantasying', + 'phantom', 'phantomlike', + 'phantoms', + 'pharaoh', + 'pharaohs', + 'pharaonic', + 'pharisaic', 'pharisaical', 'pharisaically', 'pharisaicalness', 'pharisaicalnesses', 'pharisaism', 'pharisaisms', + 'pharisee', + 'pharisees', 'pharmaceutical', 'pharmaceutically', 'pharmaceuticals', @@ -44501,28 +111247,68 @@ export const scrabble_array = [ 'pharmacopoeias', 'pharmacotherapies', 'pharmacotherapy', + 'pharmacy', + 'pharos', + 'pharoses', 'pharyngeal', + 'pharynges', 'pharyngitides', 'pharyngitis', + 'pharynx', + 'pharynxes', + 'phase', + 'phaseal', + 'phased', + 'phasedown', 'phasedowns', + 'phaseout', + 'phaseouts', + 'phases', + 'phasic', + 'phasing', + 'phasis', + 'phasmid', + 'phasmids', + 'phat', + 'phatic', 'phatically', + 'pheasant', + 'pheasants', + 'phellem', + 'phellems', 'phelloderm', 'phelloderms', + 'phellogen', 'phellogens', + 'phelonia', + 'phelonion', 'phelonions', 'phenacaine', 'phenacaines', 'phenacetin', 'phenacetins', + 'phenacite', 'phenacites', + 'phenakite', 'phenakites', 'phenanthrene', 'phenanthrenes', + 'phenate', + 'phenates', + 'phenazin', + 'phenazine', 'phenazines', + 'phenazins', 'phencyclidine', 'phencyclidines', + 'phenetic', 'pheneticist', 'pheneticists', + 'phenetics', + 'phenetol', + 'phenetols', + 'phenix', + 'phenixes', 'phenmetrazine', 'phenmetrazines', 'phenobarbital', @@ -44530,16 +111316,25 @@ export const scrabble_array = [ 'phenobarbitone', 'phenobarbitones', 'phenocopies', + 'phenocopy', 'phenocryst', 'phenocrystic', 'phenocrysts', + 'phenol', + 'phenolate', 'phenolated', 'phenolates', + 'phenolic', + 'phenolics', 'phenological', 'phenologically', 'phenologies', + 'phenology', 'phenolphthalein', 'phenolphthaleins', + 'phenols', + 'phenom', + 'phenomena', 'phenomenal', 'phenomenalism', 'phenomenalisms', @@ -44557,15 +111352,20 @@ export const scrabble_array = [ 'phenomenology', 'phenomenon', 'phenomenons', + 'phenoms', 'phenothiazine', 'phenothiazines', + 'phenotype', 'phenotypes', 'phenotypic', 'phenotypical', 'phenotypically', + 'phenoxide', 'phenoxides', + 'phenoxy', 'phentolamine', 'phentolamines', + 'phenyl', 'phenylalanine', 'phenylalanines', 'phenylbutazone', @@ -44574,24 +111374,35 @@ export const scrabble_array = [ 'phenylephrines', 'phenylethylamine', 'phenylethylamines', + 'phenylic', 'phenylketonuria', 'phenylketonurias', 'phenylketonuric', 'phenylketonurics', 'phenylpropanolamine', 'phenylpropanolamines', + 'phenyls', 'phenylthiocarbamide', 'phenylthiocarbamides', 'phenylthiourea', 'phenylthioureas', + 'phenytoin', 'phenytoins', 'pheochromocytoma', 'pheochromocytomas', 'pheochromocytomata', 'pheromonal', + 'pheromone', 'pheromones', + 'phew', + 'phi', + 'phial', + 'phials', + 'philabeg', + 'philabegs', 'philadelphus', 'philadelphuses', + 'philander', 'philandered', 'philanderer', 'philanderers', @@ -44611,6 +111422,7 @@ export const scrabble_array = [ 'philatelies', 'philatelist', 'philatelists', + 'philately', 'philharmonic', 'philharmonics', 'philhellene', @@ -44620,7 +111432,11 @@ export const scrabble_array = [ 'philhellenisms', 'philhellenist', 'philhellenists', + 'philibeg', + 'philibegs', + 'philippic', 'philippics', + 'philistia', 'philistine', 'philistines', 'philistinism', @@ -44635,6 +111451,9 @@ export const scrabble_array = [ 'philologies', 'philologist', 'philologists', + 'philology', + 'philomel', + 'philomels', 'philoprogenitive', 'philoprogenitiveness', 'philoprogenitivenesses', @@ -44657,8 +111476,24 @@ export const scrabble_array = [ 'philosophizes', 'philosophizing', 'philosophy', + 'philter', + 'philtered', 'philtering', + 'philters', + 'philtra', + 'philtre', + 'philtred', + 'philtres', + 'philtring', + 'philtrum', + 'phimoses', + 'phimosis', + 'phimotic', + 'phis', + 'phiz', + 'phizes', 'phlebitides', + 'phlebitis', 'phlebogram', 'phlebograms', 'phlebographic', @@ -44670,25 +111505,74 @@ export const scrabble_array = [ 'phlebotomist', 'phlebotomists', 'phlebotomy', + 'phlegm', 'phlegmatic', 'phlegmatically', + 'phlegmier', 'phlegmiest', + 'phlegms', + 'phlegmy', + 'phloem', + 'phloems', 'phlogistic', 'phlogiston', 'phlogistons', 'phlogopite', 'phlogopites', + 'phlox', + 'phloxes', + 'phobia', + 'phobias', + 'phobic', + 'phobics', + 'phocine', + 'phoebe', + 'phoebes', + 'phoebus', + 'phoebuses', + 'phoenix', + 'phoenixes', 'phoenixlike', + 'phon', + 'phonal', + 'phonate', + 'phonated', + 'phonates', + 'phonating', + 'phonation', 'phonations', + 'phone', + 'phoned', 'phonematic', + 'phoneme', + 'phonemes', + 'phonemic', 'phonemically', 'phonemicist', 'phonemicists', + 'phonemics', + 'phones', + 'phonetic', 'phonetically', 'phonetician', 'phoneticians', + 'phonetics', + 'phoney', + 'phoneyed', + 'phoneying', + 'phoneys', + 'phonic', 'phonically', + 'phonics', + 'phonied', + 'phonier', + 'phonies', + 'phoniest', + 'phonily', + 'phoniness', 'phoninesses', + 'phoning', + 'phono', 'phonocardiogram', 'phonocardiograms', 'phonocardiograph', @@ -44696,6 +111580,7 @@ export const scrabble_array = [ 'phonocardiographies', 'phonocardiographs', 'phonocardiography', + 'phonogram', 'phonogramic', 'phonogramically', 'phonogrammic', @@ -44709,6 +111594,7 @@ export const scrabble_array = [ 'phonographies', 'phonographs', 'phonography', + 'phonolite', 'phonolites', 'phonologic', 'phonological', @@ -44716,10 +111602,25 @@ export const scrabble_array = [ 'phonologies', 'phonologist', 'phonologists', + 'phonology', + 'phonon', + 'phonons', + 'phonos', 'phonotactic', 'phonotactics', + 'phons', + 'phony', + 'phonying', + 'phooey', + 'phorate', + 'phorates', + 'phoronid', + 'phoronids', + 'phosgene', + 'phosgenes', 'phosphatase', 'phosphatases', + 'phosphate', 'phosphates', 'phosphatic', 'phosphatide', @@ -44739,9 +111640,17 @@ export const scrabble_array = [ 'phosphatizing', 'phosphaturia', 'phosphaturias', + 'phosphene', 'phosphenes', + 'phosphid', + 'phosphide', 'phosphides', + 'phosphids', + 'phosphin', + 'phosphine', 'phosphines', + 'phosphins', + 'phosphite', 'phosphites', 'phosphocreatine', 'phosphocreatines', @@ -44769,6 +111678,8 @@ export const scrabble_array = [ 'phosphoniums', 'phosphoprotein', 'phosphoproteins', + 'phosphor', + 'phosphore', 'phosphores', 'phosphoresce', 'phosphoresced', @@ -44786,6 +111697,7 @@ export const scrabble_array = [ 'phosphorolysis', 'phosphorolytic', 'phosphorous', + 'phosphors', 'phosphorus', 'phosphoruses', 'phosphoryl', @@ -44799,7 +111711,11 @@ export const scrabble_array = [ 'phosphorylations', 'phosphorylative', 'phosphoryls', + 'phot', + 'photic', 'photically', + 'photics', + 'photo', 'photoautotroph', 'photoautotrophic', 'photoautotrophically', @@ -44812,6 +111728,7 @@ export const scrabble_array = [ 'photobiology', 'photocathode', 'photocathodes', + 'photocell', 'photocells', 'photochemical', 'photochemically', @@ -44839,6 +111756,7 @@ export const scrabble_array = [ 'photocopier', 'photocopiers', 'photocopies', + 'photocopy', 'photocopying', 'photocurrent', 'photocurrents', @@ -44869,6 +111787,7 @@ export const scrabble_array = [ 'photoduplications', 'photodynamic', 'photodynamically', + 'photoed', 'photoelectric', 'photoelectrically', 'photoelectron', @@ -44897,6 +111816,7 @@ export const scrabble_array = [ 'photofloods', 'photofluorographies', 'photofluorography', + 'photog', 'photogenic', 'photogenically', 'photogeologic', @@ -44905,6 +111825,7 @@ export const scrabble_array = [ 'photogeologist', 'photogeologists', 'photogeology', + 'photogram', 'photogrammetric', 'photogrammetries', 'photogrammetrist', @@ -44923,10 +111844,12 @@ export const scrabble_array = [ 'photography', 'photogravure', 'photogravures', + 'photogs', 'photoinduced', 'photoinduction', 'photoinductions', 'photoinductive', + 'photoing', 'photointerpretation', 'photointerpretations', 'photointerpreter', @@ -44958,11 +111881,15 @@ export const scrabble_array = [ 'photolytic', 'photolytically', 'photolyzable', + 'photolyze', 'photolyzed', 'photolyzes', 'photolyzing', + 'photomap', 'photomapped', 'photomapping', + 'photomaps', + 'photomask', 'photomasks', 'photomechanical', 'photomechanically', @@ -44988,7 +111915,11 @@ export const scrabble_array = [ 'photomultipliers', 'photomural', 'photomurals', + 'photon', 'photonegative', + 'photonic', + 'photonics', + 'photons', 'photonuclear', 'photooxidation', 'photooxidations', @@ -45012,6 +111943,10 @@ export const scrabble_array = [ 'photophores', 'photophosphorylation', 'photophosphorylations', + 'photopia', + 'photopias', + 'photopic', + 'photoplay', 'photoplays', 'photopolarimeter', 'photopolarimeters', @@ -45046,6 +111981,7 @@ export const scrabble_array = [ 'photoresists', 'photorespiration', 'photorespirations', + 'photos', 'photosensitive', 'photosensitivities', 'photosensitivity', @@ -45057,12 +111993,15 @@ export const scrabble_array = [ 'photosensitizers', 'photosensitizes', 'photosensitizing', + 'photoset', + 'photosets', 'photosetter', 'photosetters', 'photosetting', 'photosphere', 'photospheres', 'photospheric', + 'photostat', 'photostated', 'photostatic', 'photostating', @@ -45094,6 +112033,7 @@ export const scrabble_array = [ 'phototropically', 'phototropism', 'phototropisms', + 'phototube', 'phototubes', 'phototypesetter', 'phototypesetters', @@ -45101,8 +112041,14 @@ export const scrabble_array = [ 'phototypesettings', 'photovoltaic', 'photovoltaics', + 'phots', + 'phpht', 'phragmoplast', 'phragmoplasts', + 'phrasal', + 'phrasally', + 'phrase', + 'phrased', 'phrasemaker', 'phrasemakers', 'phrasemaking', @@ -45116,18 +112062,41 @@ export const scrabble_array = [ 'phraseologist', 'phraseologists', 'phraseology', + 'phrases', + 'phrasing', + 'phrasings', + 'phratral', + 'phratric', + 'phratries', + 'phratry', + 'phreatic', 'phreatophyte', 'phreatophytes', 'phreatophytic', + 'phrenetic', + 'phrenic', 'phrenological', 'phrenologies', 'phrenologist', 'phrenologists', 'phrenology', + 'phrensied', + 'phrensies', + 'phrensy', 'phrensying', + 'pht', + 'phthalic', + 'phthalin', + 'phthalins', 'phthalocyanine', 'phthalocyanines', + 'phthises', + 'phthisic', 'phthisical', + 'phthisics', + 'phthisis', + 'phut', + 'phuts', 'phycocyanin', 'phycocyanins', 'phycoerythrin', @@ -45136,18 +112105,40 @@ export const scrabble_array = [ 'phycologies', 'phycologist', 'phycologists', + 'phycology', 'phycomycete', 'phycomycetes', 'phycomycetous', + 'phyla', 'phylacteries', 'phylactery', + 'phylae', + 'phylar', + 'phylaxis', 'phylaxises', + 'phyle', + 'phyleses', + 'phylesis', 'phylesises', + 'phyletic', 'phyletically', + 'phylic', 'phyllaries', + 'phyllary', + 'phyllite', + 'phyllites', + 'phyllo', 'phylloclade', 'phylloclades', + 'phyllode', + 'phyllodes', + 'phyllodia', 'phyllodium', + 'phylloid', + 'phylloids', + 'phyllome', + 'phyllomes', + 'phyllos', 'phyllotactic', 'phyllotaxes', 'phyllotaxies', @@ -45159,8 +112150,16 @@ export const scrabble_array = [ 'phylogenetic', 'phylogenetically', 'phylogenies', + 'phylogeny', + 'phylon', + 'phylum', + 'physed', + 'physeds', + 'physes', 'physiatrist', 'physiatrists', + 'physic', + 'physical', 'physicalism', 'physicalisms', 'physicalist', @@ -45171,11 +112170,16 @@ export const scrabble_array = [ 'physically', 'physicalness', 'physicalnesses', + 'physicals', + 'physician', 'physicians', + 'physicist', 'physicists', + 'physicked', 'physicking', 'physicochemical', 'physicochemically', + 'physics', 'physiocratic', 'physiognomic', 'physiognomical', @@ -45203,8 +112207,13 @@ export const scrabble_array = [ 'physiotherapist', 'physiotherapists', 'physiotherapy', + 'physique', + 'physiques', + 'physis', 'physostigmine', 'physostigmines', + 'phytane', + 'phytanes', 'phytoalexin', 'phytoalexins', 'phytochemical', @@ -45228,6 +112237,12 @@ export const scrabble_array = [ 'phytohemagglutinins', 'phytohormone', 'phytohormones', + 'phytoid', + 'phytol', + 'phytols', + 'phyton', + 'phytonic', + 'phytons', 'phytopathogen', 'phytopathogenic', 'phytopathogens', @@ -45248,51 +112263,192 @@ export const scrabble_array = [ 'phytotoxic', 'phytotoxicities', 'phytotoxicity', + 'pi', + 'pia', + 'piacular', + 'piaffe', + 'piaffed', + 'piaffer', + 'piaffers', + 'piaffes', + 'piaffing', + 'pial', + 'pian', + 'pianic', + 'pianism', + 'pianisms', 'pianissimi', 'pianissimo', 'pianissimos', + 'pianist', + 'pianistic', 'pianistically', + 'pianists', + 'piano', 'pianoforte', 'pianofortes', + 'pianos', + 'pians', + 'pias', + 'piasaba', + 'piasabas', + 'piasava', + 'piasavas', + 'piassaba', + 'piassabas', + 'piassava', + 'piassavas', + 'piaster', + 'piasters', + 'piastre', + 'piastres', + 'piazza', + 'piazzas', + 'piazze', + 'pibal', + 'pibals', + 'pibroch', + 'pibrochs', + 'pic', + 'pica', + 'picacho', + 'picachos', + 'picador', + 'picadores', + 'picadors', + 'pical', 'picaninnies', + 'picaninny', + 'picara', + 'picaras', 'picaresque', 'picaresques', + 'picaro', + 'picaroon', 'picarooned', 'picarooning', + 'picaroons', + 'picaros', + 'picas', + 'picayune', + 'picayunes', 'picayunish', 'piccalilli', 'piccalillis', + 'piccolo', 'piccoloist', 'piccoloists', + 'piccolos', + 'pice', + 'piceous', + 'piciform', + 'pick', + 'pickaback', 'pickabacked', 'pickabacking', 'pickabacks', + 'pickadil', + 'pickadils', 'pickaninnies', 'pickaninny', + 'pickaroon', 'pickaroons', + 'pickax', + 'pickaxe', + 'pickaxed', + 'pickaxes', + 'pickaxing', + 'picked', + 'pickeer', + 'pickeered', 'pickeering', + 'pickeers', + 'picker', + 'pickerel', + 'pickerels', 'pickerelweed', 'pickerelweeds', + 'pickers', + 'picket', 'picketboat', 'picketboats', + 'picketed', + 'picketer', + 'picketers', + 'picketing', + 'pickets', + 'pickier', + 'pickiest', + 'picking', + 'pickings', + 'pickle', + 'pickled', + 'pickles', + 'pickling', + 'picklock', + 'picklocks', + 'pickoff', + 'pickoffs', 'pickpocket', 'pickpockets', + 'pickproof', + 'picks', + 'pickthank', 'pickthanks', + 'pickup', + 'pickups', + 'pickwick', + 'pickwicks', + 'picky', + 'picloram', + 'piclorams', + 'picnic', + 'picnicked', + 'picnicker', 'picnickers', 'picnicking', + 'picnicky', + 'picnics', + 'picofarad', 'picofarads', + 'picogram', + 'picograms', + 'picolin', + 'picoline', + 'picolines', + 'picolins', + 'picomole', + 'picomoles', 'picornavirus', 'picornaviruses', 'picosecond', 'picoseconds', + 'picot', + 'picoted', + 'picotee', + 'picotees', + 'picoting', + 'picots', + 'picquet', + 'picquets', + 'picrate', + 'picrated', + 'picrates', + 'picric', + 'picrite', + 'picrites', + 'picritic', 'picrotoxin', 'picrotoxins', + 'pics', + 'pictogram', 'pictograms', 'pictograph', 'pictographic', 'pictographies', 'pictographs', 'pictography', + 'pictorial', 'pictorialism', 'pictorialisms', 'pictorialist', @@ -45307,27 +112463,93 @@ export const scrabble_array = [ 'pictorialness', 'pictorialnesses', 'pictorials', + 'picture', + 'pictured', 'picturephone', 'picturephones', + 'pictures', 'picturesque', 'picturesquely', 'picturesqueness', 'picturesquenesses', + 'picturing', 'picturization', 'picturizations', + 'picturize', 'picturized', 'picturizes', 'picturizing', + 'picul', + 'piculs', + 'piddle', + 'piddled', + 'piddler', + 'piddlers', + 'piddles', + 'piddling', + 'piddly', + 'piddock', + 'piddocks', + 'pidgin', 'pidginization', 'pidginizations', + 'pidginize', 'pidginized', 'pidginizes', 'pidginizing', + 'pidgins', + 'pie', + 'piebald', + 'piebalds', + 'piece', + 'pieced', + 'piecemeal', + 'piecer', + 'piecers', + 'pieces', + 'piecewise', + 'piecework', 'pieceworker', 'pieceworkers', 'pieceworks', + 'piecing', + 'piecings', + 'piecrust', + 'piecrusts', + 'pied', + 'piedfort', + 'piedforts', + 'piedmont', + 'piedmonts', + 'piefort', + 'pieforts', + 'pieing', + 'pieplant', + 'pieplants', + 'pier', + 'pierce', + 'pierced', + 'piercer', + 'piercers', + 'pierces', + 'piercing', 'piercingly', + 'pierogi', + 'pierogies', + 'pierrot', + 'pierrots', + 'piers', + 'pies', + 'pieta', + 'pietas', + 'pieties', + 'pietism', + 'pietisms', + 'pietist', + 'pietistic', 'pietistically', + 'pietists', + 'piety', 'piezoelectric', 'piezoelectrically', 'piezoelectricities', @@ -45335,184 +112557,873 @@ export const scrabble_array = [ 'piezometer', 'piezometers', 'piezometric', + 'piffle', + 'piffled', + 'piffles', + 'piffling', + 'pig', + 'pigboat', + 'pigboats', + 'pigeon', 'pigeonhole', 'pigeonholed', 'pigeonholer', 'pigeonholers', 'pigeonholes', 'pigeonholing', + 'pigeonite', 'pigeonites', + 'pigeons', 'pigeonwing', 'pigeonwings', + 'pigfish', + 'pigfishes', + 'pigged', + 'piggeries', + 'piggery', + 'piggie', + 'piggier', + 'piggies', + 'piggiest', + 'piggin', + 'pigging', + 'piggins', + 'piggish', + 'piggishly', 'piggishness', 'piggishnesses', + 'piggy', + 'piggyback', 'piggybacked', 'piggybacking', 'piggybacks', + 'pigheaded', 'pigheadedly', 'pigheadedness', 'pigheadednesses', + 'piglet', + 'piglets', + 'piglike', + 'pigment', 'pigmentary', 'pigmentation', 'pigmentations', + 'pigmented', 'pigmenting', + 'pigments', + 'pigmies', + 'pigmy', + 'pignoli', + 'pignolia', + 'pignolias', + 'pignolis', + 'pignora', + 'pignus', + 'pignut', + 'pignuts', + 'pigout', + 'pigouts', + 'pigpen', + 'pigpens', + 'pigs', + 'pigskin', + 'pigskins', + 'pigsney', + 'pigsneys', + 'pigstick', 'pigsticked', 'pigsticker', 'pigstickers', 'pigsticking', + 'pigsticks', + 'pigsties', + 'pigsty', + 'pigtail', + 'pigtailed', + 'pigtails', + 'pigweed', + 'pigweeds', + 'piing', + 'pika', + 'pikake', + 'pikakes', + 'pikas', + 'pike', + 'piked', + 'pikeman', + 'pikemen', + 'piker', + 'pikers', + 'pikes', + 'pikestaff', 'pikestaffs', 'pikestaves', + 'piki', + 'piking', + 'pikis', + 'pilaf', + 'pilaff', + 'pilaffs', + 'pilafs', + 'pilar', + 'pilaster', + 'pilasters', + 'pilau', + 'pilaus', + 'pilaw', + 'pilaws', + 'pilchard', + 'pilchards', + 'pile', + 'pilea', + 'pileate', + 'pileated', + 'piled', + 'pilei', + 'pileless', + 'pileous', + 'piles', + 'pileum', + 'pileup', + 'pileups', + 'pileus', + 'pilewort', + 'pileworts', + 'pilfer', 'pilferable', + 'pilferage', 'pilferages', + 'pilfered', + 'pilferer', + 'pilferers', + 'pilfering', 'pilferproof', + 'pilfers', + 'pilgarlic', 'pilgarlics', + 'pilgrim', 'pilgrimage', 'pilgrimaged', 'pilgrimages', 'pilgrimaging', + 'pilgrims', + 'pili', + 'piliform', + 'piling', + 'pilings', + 'pilis', + 'pill', + 'pillage', + 'pillaged', + 'pillager', + 'pillagers', + 'pillages', + 'pillaging', + 'pillar', + 'pillared', + 'pillaring', 'pillarless', + 'pillars', + 'pillbox', + 'pillboxes', + 'pilled', + 'pilling', + 'pillion', + 'pillions', + 'pilloried', + 'pillories', + 'pillory', 'pillorying', + 'pillow', 'pillowcase', 'pillowcases', + 'pillowed', + 'pillowing', + 'pillows', + 'pillowy', + 'pills', 'pilocarpine', 'pilocarpines', + 'pilose', 'pilosities', + 'pilosity', + 'pilot', + 'pilotage', + 'pilotages', + 'piloted', 'pilothouse', 'pilothouses', + 'piloting', + 'pilotings', + 'pilotless', + 'pilots', + 'pilous', + 'pilsener', + 'pilseners', + 'pilsner', + 'pilsners', + 'pilular', + 'pilule', + 'pilules', + 'pilus', + 'pily', + 'pima', + 'pimas', + 'pimento', + 'pimentos', + 'pimiento', + 'pimientos', + 'pimp', + 'pimped', + 'pimpernel', 'pimpernels', + 'pimping', + 'pimple', + 'pimpled', + 'pimples', + 'pimplier', + 'pimpliest', + 'pimply', 'pimpmobile', 'pimpmobiles', + 'pimps', + 'pin', + 'pina', + 'pinafore', + 'pinafored', + 'pinafores', + 'pinang', + 'pinangs', + 'pinas', + 'pinaster', + 'pinasters', + 'pinata', + 'pinatas', + 'pinball', + 'pinballs', + 'pinbone', + 'pinbones', + 'pincer', 'pincerlike', + 'pincers', + 'pinch', + 'pinchbeck', 'pinchbecks', + 'pinchbug', + 'pinchbugs', + 'pincheck', + 'pinchecks', + 'pinched', + 'pincher', + 'pinchers', + 'pinches', + 'pinching', 'pinchpenny', 'pincushion', 'pincushions', + 'pinder', + 'pinders', + 'pindling', + 'pine', + 'pineal', 'pinealectomies', 'pinealectomize', 'pinealectomized', 'pinealectomizes', 'pinealectomizing', 'pinealectomy', + 'pineals', + 'pineapple', 'pineapples', + 'pinecone', + 'pinecones', + 'pined', + 'pinedrops', + 'pineland', + 'pinelands', + 'pinelike', + 'pinene', + 'pinenes', + 'pineries', + 'pinery', + 'pines', + 'pinesap', + 'pinesaps', + 'pineta', + 'pinetum', + 'pinewood', + 'pinewoods', + 'piney', 'pinfeather', 'pinfeathers', + 'pinfish', + 'pinfishes', + 'pinfold', + 'pinfolded', 'pinfolding', + 'pinfolds', + 'ping', + 'pinged', + 'pinger', + 'pingers', + 'pinging', + 'pingo', + 'pingos', + 'pingrass', 'pingrasses', + 'pings', + 'pinguid', + 'pinhead', + 'pinheaded', 'pinheadedness', 'pinheadednesses', + 'pinheads', + 'pinhole', + 'pinholes', + 'pinier', + 'piniest', + 'pining', + 'pinion', + 'pinioned', + 'pinioning', + 'pinions', + 'pinite', + 'pinites', + 'pinitol', + 'pinitols', + 'pink', + 'pinked', + 'pinken', + 'pinkened', + 'pinkening', + 'pinkens', + 'pinker', + 'pinkers', + 'pinkest', + 'pinkey', + 'pinkeye', + 'pinkeyes', + 'pinkeys', + 'pinkie', + 'pinkies', + 'pinking', + 'pinkings', + 'pinkish', 'pinkishness', 'pinkishnesses', + 'pinkly', + 'pinkness', 'pinknesses', + 'pinko', + 'pinkoes', + 'pinkos', + 'pinkroot', + 'pinkroots', + 'pinks', + 'pinky', + 'pinna', + 'pinnace', + 'pinnaces', + 'pinnacle', + 'pinnacled', + 'pinnacles', 'pinnacling', + 'pinnae', + 'pinnal', + 'pinnas', + 'pinnate', + 'pinnated', + 'pinnately', 'pinnatifid', + 'pinned', + 'pinner', + 'pinners', + 'pinnies', + 'pinning', + 'pinniped', + 'pinnipeds', + 'pinnula', + 'pinnulae', + 'pinnular', + 'pinnule', + 'pinnules', + 'pinny', + 'pinochle', + 'pinochles', + 'pinocle', + 'pinocles', + 'pinocytic', 'pinocytoses', 'pinocytosis', 'pinocytotic', 'pinocytotically', + 'pinole', + 'pinoles', + 'pinon', + 'pinones', + 'pinons', + 'pinot', + 'pinots', + 'pinpoint', 'pinpointed', 'pinpointing', + 'pinpoints', + 'pinprick', 'pinpricked', 'pinpricking', + 'pinpricks', + 'pins', + 'pinscher', + 'pinschers', + 'pinsetter', 'pinsetters', 'pinspotter', 'pinspotters', + 'pinstripe', 'pinstriped', 'pinstripes', + 'pint', + 'pinta', + 'pintada', + 'pintadas', + 'pintado', + 'pintadoes', + 'pintados', + 'pintail', + 'pintails', + 'pintano', + 'pintanos', + 'pintas', + 'pintle', + 'pintles', + 'pinto', + 'pintoes', + 'pintos', + 'pints', + 'pintsize', + 'pinup', + 'pinups', + 'pinwale', + 'pinwales', + 'pinweed', + 'pinweeds', + 'pinwheel', 'pinwheeled', 'pinwheeling', + 'pinwheels', + 'pinwork', + 'pinworks', + 'pinworm', + 'pinworms', + 'piny', + 'pinyin', + 'pinyon', + 'pinyons', + 'piolet', + 'piolets', + 'pion', + 'pioneer', + 'pioneered', 'pioneering', + 'pioneers', + 'pionic', + 'pions', + 'piosities', + 'piosity', + 'pious', + 'piously', + 'piousness', 'piousnesses', + 'pip', + 'pipage', + 'pipages', + 'pipal', + 'pipals', + 'pipe', + 'pipeage', + 'pipeages', + 'piped', + 'pipefish', 'pipefishes', + 'pipeful', + 'pipefuls', + 'pipeless', + 'pipelike', + 'pipeline', + 'pipelined', + 'pipelines', 'pipelining', + 'piper', 'piperazine', 'piperazines', 'piperidine', 'piperidines', + 'piperine', + 'piperines', + 'piperonal', 'piperonals', + 'pipers', + 'pipes', + 'pipestem', + 'pipestems', + 'pipestone', 'pipestones', + 'pipet', + 'pipets', + 'pipette', + 'pipetted', + 'pipettes', + 'pipetting', + 'pipier', + 'pipiest', + 'pipiness', 'pipinesses', + 'piping', + 'pipingly', + 'pipings', + 'pipit', + 'pipits', + 'pipkin', + 'pipkins', + 'pipped', + 'pippin', + 'pipping', + 'pippins', + 'pips', 'pipsissewa', 'pipsissewas', + 'pipsqueak', 'pipsqueaks', + 'pipy', + 'piquance', + 'piquances', 'piquancies', + 'piquancy', + 'piquant', + 'piquantly', 'piquantness', 'piquantnesses', + 'pique', + 'piqued', + 'piques', + 'piquet', + 'piquets', + 'piquing', + 'piracies', + 'piracy', + 'piragua', + 'piraguas', + 'pirana', + 'piranas', + 'piranha', + 'piranhas', + 'pirarucu', + 'pirarucus', + 'pirate', + 'pirated', + 'pirates', + 'piratic', + 'piratical', 'piratically', + 'pirating', + 'piraya', + 'pirayas', + 'piriform', + 'pirn', + 'pirns', + 'pirog', + 'pirogen', + 'piroghi', + 'pirogi', + 'pirogies', + 'pirogue', + 'pirogues', + 'pirojki', + 'piroplasm', 'piroplasma', 'piroplasmata', 'piroplasms', + 'piroque', + 'piroques', + 'piroshki', + 'pirouette', 'pirouetted', 'pirouettes', 'pirouetting', + 'pirozhki', + 'pirozhok', + 'pis', + 'piscaries', + 'piscary', + 'piscator', 'piscatorial', + 'piscators', + 'piscatory', 'pisciculture', 'piscicultures', + 'piscina', + 'piscinae', + 'piscinal', + 'piscinas', + 'piscine', 'piscivorous', + 'pisco', + 'piscos', + 'pish', + 'pished', + 'pishes', + 'pishing', + 'pishoge', + 'pishoges', + 'pishogue', + 'pishogues', + 'pisiform', + 'pisiforms', + 'pismire', + 'pismires', + 'piso', + 'pisolite', + 'pisolites', + 'pisolitic', + 'pisos', + 'piss', + 'pissant', + 'pissants', + 'pissed', + 'pisser', + 'pissers', + 'pisses', + 'pissing', + 'pissoir', + 'pissoirs', + 'pistache', + 'pistaches', + 'pistachio', 'pistachios', + 'pistareen', 'pistareens', + 'piste', + 'pistes', + 'pistil', 'pistillate', + 'pistils', + 'pistol', + 'pistole', + 'pistoled', + 'pistoleer', 'pistoleers', + 'pistoles', + 'pistoling', + 'pistolled', 'pistolling', + 'pistols', + 'piston', + 'pistons', + 'pit', + 'pita', + 'pitapat', + 'pitapats', 'pitapatted', 'pitapatting', + 'pitas', + 'pitch', 'pitchblende', 'pitchblendes', + 'pitched', + 'pitcher', 'pitcherful', 'pitcherfuls', + 'pitchers', 'pitchersful', + 'pitches', + 'pitchfork', 'pitchforked', 'pitchforking', 'pitchforks', + 'pitchier', + 'pitchiest', + 'pitchily', + 'pitching', + 'pitchman', + 'pitchmen', + 'pitchout', + 'pitchouts', + 'pitchpole', 'pitchpoled', 'pitchpoles', 'pitchpoling', 'pitchwoman', 'pitchwomen', + 'pitchy', + 'piteous', + 'piteously', 'piteousness', 'piteousnesses', + 'pitfall', + 'pitfalls', + 'pith', + 'pithead', + 'pitheads', 'pithecanthropi', 'pithecanthropine', 'pithecanthropines', 'pithecanthropus', + 'pithed', + 'pithier', + 'pithiest', + 'pithily', + 'pithiness', 'pithinesses', + 'pithing', + 'pithless', + 'piths', + 'pithy', + 'pitiable', 'pitiableness', 'pitiablenesses', + 'pitiably', + 'pitied', + 'pitier', + 'pitiers', + 'pities', + 'pitiful', 'pitifuller', 'pitifullest', + 'pitifully', 'pitifulness', 'pitifulnesses', + 'pitiless', 'pitilessly', 'pitilessness', 'pitilessnesses', + 'pitman', + 'pitmans', + 'pitmen', + 'piton', + 'pitons', + 'pits', + 'pitsaw', + 'pitsaws', + 'pittance', + 'pittances', + 'pitted', + 'pitting', + 'pittings', 'pittosporum', 'pittosporums', 'pituitaries', + 'pituitary', + 'pity', + 'pitying', + 'pityingly', 'pityriases', 'pityriasis', + 'piu', + 'pivot', + 'pivotable', + 'pivotal', + 'pivotally', + 'pivoted', + 'pivoting', + 'pivotman', + 'pivotmen', + 'pivots', + 'pix', + 'pixel', + 'pixels', + 'pixes', + 'pixie', + 'pixieish', + 'pixies', + 'pixilated', 'pixilation', 'pixilations', 'pixillated', + 'pixiness', 'pixinesses', + 'pixy', + 'pixyish', + 'pizazz', + 'pizazzes', + 'pizazzy', + 'pizza', + 'pizzalike', + 'pizzas', + 'pizzeria', + 'pizzerias', + 'pizzicati', + 'pizzicato', + 'pizzle', + 'pizzles', 'placabilities', 'placability', + 'placable', + 'placably', + 'placard', + 'placarded', 'placarding', + 'placards', + 'placate', + 'placated', + 'placater', + 'placaters', + 'placates', + 'placating', 'placatingly', + 'placation', 'placations', + 'placative', + 'placatory', + 'place', + 'placeable', + 'placebo', + 'placeboes', + 'placebos', + 'placed', 'placeholder', 'placeholders', + 'placekick', 'placekicked', 'placekicker', 'placekickers', 'placekicking', 'placekicks', + 'placeless', 'placelessly', + 'placeman', + 'placemen', + 'placement', 'placements', + 'placenta', + 'placentae', + 'placental', 'placentals', + 'placentas', 'placentation', 'placentations', + 'placer', + 'placers', + 'places', + 'placet', + 'placets', + 'placid', 'placidities', + 'placidity', + 'placidly', 'placidness', 'placidnesses', + 'placing', + 'plack', + 'placket', + 'plackets', + 'placks', + 'placoid', + 'placoids', + 'plafond', + 'plafonds', + 'plagal', + 'plage', + 'plages', 'plagiaries', 'plagiarise', 'plagiarised', @@ -45529,38 +113440,101 @@ export const scrabble_array = [ 'plagiarizers', 'plagiarizes', 'plagiarizing', + 'plagiary', 'plagioclase', 'plagioclases', 'plagiotropic', + 'plague', + 'plagued', + 'plaguer', + 'plaguers', + 'plagues', + 'plaguey', + 'plaguily', + 'plaguing', + 'plaguy', + 'plaice', + 'plaices', + 'plaid', + 'plaided', + 'plaids', + 'plain', 'plainchant', 'plainchants', 'plainclothes', 'plainclothesman', 'plainclothesmen', + 'plained', + 'plainer', + 'plainest', + 'plaining', + 'plainly', + 'plainness', 'plainnesses', + 'plains', + 'plainsman', + 'plainsmen', + 'plainsong', 'plainsongs', 'plainspoken', 'plainspokenness', 'plainspokennesses', + 'plaint', + 'plaintext', 'plaintexts', + 'plaintful', + 'plaintiff', 'plaintiffs', + 'plaintive', 'plaintively', 'plaintiveness', 'plaintivenesses', + 'plaints', + 'plaister', 'plaistered', 'plaistering', + 'plaisters', + 'plait', + 'plaited', + 'plaiter', + 'plaiters', + 'plaiting', + 'plaitings', + 'plaits', + 'plan', + 'planar', + 'planaria', + 'planarian', 'planarians', + 'planarias', 'planarities', + 'planarity', + 'planate', + 'planation', 'planations', + 'planch', + 'planche', + 'planches', + 'planchet', + 'planchets', 'planchette', 'planchettes', + 'plane', + 'planed', + 'planeload', 'planeloads', + 'planer', + 'planers', + 'planes', + 'planet', 'planetaria', 'planetarium', 'planetariums', + 'planetary', 'planetesimal', 'planetesimals', 'planetlike', + 'planetoid', 'planetoidal', 'planetoids', 'planetological', @@ -45568,31 +113542,92 @@ export const scrabble_array = [ 'planetologist', 'planetologists', 'planetology', + 'planets', 'planetwide', + 'planform', + 'planforms', 'plangencies', + 'plangency', + 'plangent', 'plangently', 'planimeter', 'planimeters', 'planimetric', 'planimetrically', + 'planing', + 'planish', + 'planished', + 'planisher', 'planishers', + 'planishes', 'planishing', 'planisphere', 'planispheres', 'planispheric', + 'plank', + 'planked', + 'planking', + 'plankings', + 'planks', + 'plankter', + 'plankters', + 'plankton', 'planktonic', + 'planktons', + 'planless', 'planlessly', 'planlessness', 'planlessnesses', + 'planned', + 'planner', + 'planners', + 'planning', + 'plannings', 'planographic', 'planographies', 'planography', + 'planosol', + 'planosols', + 'plans', + 'plant', + 'plantable', + 'plantain', + 'plantains', + 'plantar', 'plantation', 'plantations', + 'planted', + 'planter', + 'planters', 'plantigrade', 'plantigrades', + 'planting', + 'plantings', + 'plantlet', + 'plantlets', + 'plantlike', 'plantocracies', 'plantocracy', + 'plants', + 'plantsman', + 'plantsmen', + 'planula', + 'planulae', + 'planular', + 'plaque', + 'plaques', + 'plash', + 'plashed', + 'plasher', + 'plashers', + 'plashes', + 'plashier', + 'plashiest', + 'plashing', + 'plashy', + 'plasm', + 'plasma', + 'plasmagel', 'plasmagels', 'plasmagene', 'plasmagenes', @@ -45600,17 +113635,28 @@ export const scrabble_array = [ 'plasmalemmas', 'plasmaphereses', 'plasmapheresis', + 'plasmas', + 'plasmasol', 'plasmasols', + 'plasmatic', + 'plasmic', + 'plasmid', + 'plasmids', + 'plasmin', 'plasminogen', 'plasminogens', + 'plasmins', 'plasmodesm', 'plasmodesma', 'plasmodesmas', 'plasmodesmata', 'plasmodesms', + 'plasmodia', 'plasmodium', 'plasmogamies', 'plasmogamy', + 'plasmoid', + 'plasmoids', 'plasmolyses', 'plasmolysis', 'plasmolytic', @@ -45618,13 +113664,22 @@ export const scrabble_array = [ 'plasmolyzed', 'plasmolyzes', 'plasmolyzing', + 'plasmon', + 'plasmons', + 'plasms', + 'plaster', 'plasterboard', 'plasterboards', + 'plastered', + 'plasterer', 'plasterers', 'plastering', 'plasterings', + 'plasters', 'plasterwork', 'plasterworks', + 'plastery', + 'plastic', 'plastically', 'plasticene', 'plasticenes', @@ -45640,24 +113695,70 @@ export const scrabble_array = [ 'plasticizers', 'plasticizes', 'plasticizing', + 'plasticky', + 'plastics', + 'plastid', 'plastidial', + 'plastids', + 'plastisol', 'plastisols', 'plastocyanin', 'plastocyanins', 'plastoquinone', 'plastoquinones', + 'plastral', + 'plastron', + 'plastrons', + 'plastrum', + 'plastrums', + 'plat', + 'platan', + 'platane', + 'platanes', + 'platans', + 'plate', + 'plateau', + 'plateaued', 'plateauing', + 'plateaus', + 'plateaux', + 'plated', + 'plateful', + 'platefuls', 'plateglass', + 'platelet', + 'platelets', + 'platelike', 'platemaker', 'platemakers', 'platemaking', 'platemakings', + 'platen', + 'platens', + 'plater', 'plateresque', + 'platers', + 'plates', + 'platesful', + 'platform', + 'platforms', + 'platier', + 'platies', + 'platiest', + 'platina', + 'platinas', + 'plating', + 'platings', + 'platinic', + 'platinize', 'platinized', 'platinizes', 'platinizing', 'platinocyanide', 'platinocyanides', + 'platinum', + 'platinums', + 'platitude', 'platitudes', 'platitudinal', 'platitudinarian', @@ -45668,46 +113769,140 @@ export const scrabble_array = [ 'platitudinizing', 'platitudinous', 'platitudinously', + 'platonic', 'platonically', + 'platoon', + 'platooned', 'platooning', + 'platoons', + 'plats', + 'platted', + 'platter', 'platterful', 'platterfuls', + 'platters', 'plattersful', + 'platting', + 'platy', + 'platyfish', 'platyfishes', 'platyhelminth', 'platyhelminthic', 'platyhelminths', + 'platypi', + 'platypus', 'platypuses', 'platyrrhine', 'platyrrhines', + 'platys', + 'plaudit', + 'plaudits', 'plausibilities', 'plausibility', + 'plausible', 'plausibleness', 'plausiblenesses', + 'plausibly', + 'plausive', + 'play', + 'playa', 'playabilities', 'playability', + 'playable', + 'playact', + 'playacted', 'playacting', 'playactings', + 'playacts', + 'playas', + 'playback', + 'playbacks', + 'playbill', + 'playbills', + 'playbook', + 'playbooks', + 'playboy', + 'playboys', + 'playdate', + 'playdates', + 'playday', + 'playdays', + 'playdown', + 'playdowns', + 'played', + 'player', + 'players', 'playfellow', 'playfellows', + 'playfield', 'playfields', + 'playful', + 'playfully', 'playfulness', 'playfulnesses', + 'playgirl', + 'playgirls', + 'playgoer', + 'playgoers', 'playground', 'playgrounds', + 'playhouse', 'playhouses', + 'playing', + 'playland', + 'playlands', + 'playless', + 'playlet', + 'playlets', + 'playlike', + 'playlist', + 'playlists', + 'playmaker', 'playmakers', 'playmaking', 'playmakings', + 'playmate', + 'playmates', + 'playoff', + 'playoffs', + 'playpen', + 'playpens', + 'playroom', + 'playrooms', + 'plays', + 'playsuit', + 'playsuits', + 'plaything', 'playthings', + 'playtime', + 'playtimes', + 'playwear', 'playwright', 'playwrighting', 'playwrightings', 'playwrights', 'playwriting', 'playwritings', + 'plaza', + 'plazas', + 'plea', + 'pleach', + 'pleached', + 'pleaches', + 'pleaching', + 'plead', + 'pleadable', + 'pleaded', + 'pleader', + 'pleaders', + 'pleading', 'pleadingly', + 'pleadings', + 'pleads', + 'pleas', + 'pleasance', 'pleasances', + 'pleasant', 'pleasanter', 'pleasantest', 'pleasantly', @@ -45715,6 +113910,12 @@ export const scrabble_array = [ 'pleasantnesses', 'pleasantries', 'pleasantry', + 'please', + 'pleased', + 'pleaser', + 'pleasers', + 'pleases', + 'pleasing', 'pleasingly', 'pleasingness', 'pleasingnesses', @@ -45724,16 +113925,55 @@ export const scrabble_array = [ 'pleasurableness', 'pleasurablenesses', 'pleasurably', + 'pleasure', + 'pleasured', 'pleasureless', + 'pleasures', 'pleasuring', + 'pleat', + 'pleated', + 'pleater', + 'pleaters', + 'pleating', + 'pleatless', + 'pleats', + 'pleb', + 'plebe', + 'plebeian', 'plebeianism', 'plebeianisms', 'plebeianly', + 'plebeians', + 'plebes', 'plebiscitary', 'plebiscite', 'plebiscites', + 'plebs', 'plecopteran', 'plecopterans', + 'plectra', + 'plectron', + 'plectrons', + 'plectrum', + 'plectrums', + 'pled', + 'pledge', + 'pledged', + 'pledgee', + 'pledgees', + 'pledgeor', + 'pledgeors', + 'pledger', + 'pledgers', + 'pledges', + 'pledget', + 'pledgets', + 'pledging', + 'pledgor', + 'pledgors', + 'pleiad', + 'pleiades', + 'pleiads', 'pleinairism', 'pleinairisms', 'pleinairist', @@ -45741,32 +113981,59 @@ export const scrabble_array = [ 'pleiotropic', 'pleiotropies', 'pleiotropy', + 'plena', + 'plenary', + 'plench', + 'plenches', 'plenipotent', 'plenipotentiaries', 'plenipotentiary', + 'plenish', + 'plenished', + 'plenishes', 'plenishing', + 'plenism', + 'plenisms', + 'plenist', + 'plenists', + 'plenitude', 'plenitudes', 'plenitudinous', + 'plenteous', 'plenteously', 'plenteousness', 'plenteousnesses', + 'plenties', + 'plentiful', 'plentifully', 'plentifulness', 'plentifulnesses', 'plentitude', 'plentitudes', + 'plenty', + 'plenum', + 'plenums', 'pleochroic', 'pleochroism', 'pleochroisms', 'pleomorphic', 'pleomorphism', 'pleomorphisms', + 'pleonasm', + 'pleonasms', 'pleonastic', 'pleonastically', + 'pleopod', + 'pleopods', 'plerocercoid', 'plerocercoids', 'plesiosaur', 'plesiosaurs', + 'plessor', + 'plessors', + 'plethora', + 'plethoras', + 'plethoric', 'plethysmogram', 'plethysmograms', 'plethysmograph', @@ -45775,53 +114042,323 @@ export const scrabble_array = [ 'plethysmographies', 'plethysmographs', 'plethysmography', + 'pleura', + 'pleurae', + 'pleural', + 'pleuras', 'pleurisies', + 'pleurisy', + 'pleuritic', + 'pleuron', 'pleuropneumonia', 'pleuropneumonias', + 'pleuston', 'pleustonic', + 'pleustons', + 'plew', + 'plews', + 'plexal', + 'plexiform', + 'plexor', + 'plexors', + 'plexus', + 'plexuses', 'pliabilities', 'pliability', + 'pliable', 'pliableness', 'pliablenesses', + 'pliably', + 'pliancies', + 'pliancy', + 'pliant', + 'pliantly', 'pliantness', 'pliantnesses', + 'plica', + 'plicae', + 'plical', + 'plicate', + 'plicated', + 'plication', 'plications', + 'plie', + 'plied', + 'plier', + 'pliers', + 'plies', + 'plight', + 'plighted', + 'plighter', + 'plighters', + 'plighting', + 'plights', + 'plimsol', + 'plimsole', + 'plimsoles', + 'plimsoll', + 'plimsolls', + 'plimsols', + 'plink', + 'plinked', + 'plinker', + 'plinkers', + 'plinking', + 'plinks', + 'plinth', + 'plinths', + 'pliotron', + 'pliotrons', + 'pliskie', + 'pliskies', + 'plisky', + 'plisse', + 'plisses', + 'plod', + 'plodded', + 'plodder', + 'plodders', + 'plodding', 'ploddingly', + 'plods', + 'ploidies', + 'ploidy', + 'plonk', + 'plonked', + 'plonking', + 'plonks', + 'plop', + 'plopped', + 'plopping', + 'plops', + 'plosion', + 'plosions', + 'plosive', + 'plosives', + 'plot', + 'plotless', 'plotlessness', 'plotlessnesses', + 'plotline', + 'plotlines', + 'plots', + 'plottage', + 'plottages', + 'plotted', + 'plotter', + 'plotters', + 'plottier', + 'plotties', + 'plottiest', + 'plotting', + 'plotty', + 'plotz', + 'plotzed', + 'plotzes', + 'plotzing', + 'plough', + 'ploughed', + 'plougher', + 'ploughers', + 'ploughing', + 'ploughs', + 'plover', + 'plovers', + 'plow', + 'plowable', + 'plowback', + 'plowbacks', + 'plowboy', + 'plowboys', + 'plowed', + 'plower', + 'plowers', + 'plowhead', + 'plowheads', + 'plowing', + 'plowland', + 'plowlands', + 'plowman', + 'plowmen', + 'plows', + 'plowshare', 'plowshares', + 'ploy', + 'ployed', + 'ploying', + 'ploys', + 'pluck', + 'plucked', + 'plucker', + 'pluckers', + 'pluckier', + 'pluckiest', + 'pluckily', 'pluckiness', 'pluckinesses', + 'plucking', + 'plucks', + 'plucky', + 'plug', + 'plugged', + 'plugger', + 'pluggers', + 'plugging', + 'plugless', + 'plugola', + 'plugolas', + 'plugs', 'pluguglies', + 'plugugly', + 'plum', + 'plumage', + 'plumaged', + 'plumages', + 'plumate', + 'plumb', + 'plumbago', + 'plumbagos', + 'plumbed', + 'plumber', 'plumberies', + 'plumbers', + 'plumbery', + 'plumbic', + 'plumbing', + 'plumbings', + 'plumbism', + 'plumbisms', + 'plumbous', + 'plumbs', + 'plumbum', + 'plumbums', + 'plume', + 'plumed', + 'plumelet', + 'plumelets', + 'plumeria', + 'plumerias', + 'plumes', + 'plumier', + 'plumiest', + 'pluming', + 'plumiped', + 'plumipeds', + 'plumlike', + 'plummet', + 'plummeted', 'plummeting', + 'plummets', + 'plummier', + 'plummiest', + 'plummy', + 'plumose', + 'plump', + 'plumped', + 'plumpen', + 'plumpened', 'plumpening', + 'plumpens', + 'plumper', + 'plumpers', + 'plumpest', + 'plumping', + 'plumpish', + 'plumply', + 'plumpness', 'plumpnesses', + 'plumps', + 'plums', + 'plumular', + 'plumule', + 'plumules', + 'plumy', + 'plunder', + 'plundered', + 'plunderer', 'plunderers', 'plundering', 'plunderous', + 'plunders', + 'plunge', + 'plunged', + 'plunger', + 'plungers', + 'plunges', + 'plunging', + 'plunk', + 'plunked', + 'plunker', + 'plunkers', + 'plunking', + 'plunks', 'pluperfect', 'pluperfects', + 'plural', + 'pluralism', 'pluralisms', + 'pluralist', 'pluralistic', 'pluralistically', 'pluralists', 'pluralities', + 'plurality', 'pluralization', 'pluralizations', + 'pluralize', 'pluralized', 'pluralizes', 'pluralizing', + 'plurally', + 'plurals', 'pluripotent', + 'plus', + 'pluses', + 'plush', + 'plusher', + 'plushes', + 'plushest', + 'plushier', + 'plushiest', + 'plushily', 'plushiness', 'plushinesses', + 'plushly', + 'plushness', 'plushnesses', + 'plushy', + 'plussage', + 'plussages', + 'plusses', + 'plutei', + 'pluteus', 'plutocracies', 'plutocracy', + 'plutocrat', 'plutocratic', 'plutocratically', 'plutocrats', + 'pluton', + 'plutonian', + 'plutonic', + 'plutonium', 'plutoniums', + 'plutons', + 'pluvial', + 'pluvials', + 'pluvian', + 'pluviose', + 'pluvious', + 'ply', + 'plyer', + 'plyers', + 'plying', + 'plyingly', + 'plywood', + 'plywoods', + 'pneuma', + 'pneumas', + 'pneumatic', 'pneumatically', 'pneumaticities', 'pneumaticity', @@ -45839,7 +114376,9 @@ export const scrabble_array = [ 'pneumographs', 'pneumonectomies', 'pneumonectomy', + 'pneumonia', 'pneumonias', + 'pneumonic', 'pneumonites', 'pneumonitides', 'pneumonitis', @@ -45847,71 +114386,247 @@ export const scrabble_array = [ 'pneumothoraces', 'pneumothorax', 'pneumothoraxes', + 'poaceous', + 'poach', + 'poached', + 'poacher', + 'poachers', + 'poaches', + 'poachier', + 'poachiest', + 'poaching', + 'poachy', + 'pochard', + 'pochards', + 'pock', + 'pocked', + 'pocket', 'pocketable', 'pocketbook', 'pocketbooks', + 'pocketed', + 'pocketer', + 'pocketers', + 'pocketful', 'pocketfuls', + 'pocketing', 'pocketknife', 'pocketknives', + 'pockets', 'pocketsful', + 'pockier', + 'pockiest', + 'pockily', + 'pocking', + 'pockmark', 'pockmarked', 'pockmarking', + 'pockmarks', + 'pocks', + 'pocky', + 'poco', 'pococurante', 'pococurantism', 'pococurantisms', + 'pocosin', + 'pocosins', + 'pod', + 'podagra', + 'podagral', + 'podagras', + 'podagric', + 'podded', + 'podding', + 'podesta', + 'podestas', + 'podgier', + 'podgiest', + 'podgily', + 'podgy', + 'podia', + 'podiatric', 'podiatries', 'podiatrist', 'podiatrists', + 'podiatry', + 'podite', + 'podites', + 'poditic', + 'podium', + 'podiums', + 'podlike', + 'podocarp', + 'podomere', + 'podomeres', 'podophylli', 'podophyllin', 'podophyllins', 'podophyllum', 'podophyllums', + 'pods', + 'podsol', + 'podsolic', 'podsolization', 'podsolizations', + 'podsols', + 'podzol', + 'podzolic', 'podzolization', 'podzolizations', + 'podzolize', 'podzolized', 'podzolizes', 'podzolizing', + 'podzols', + 'poechore', + 'poechores', + 'poem', + 'poems', + 'poesies', + 'poesy', + 'poet', + 'poetaster', 'poetasters', + 'poetess', + 'poetesses', + 'poetic', + 'poetical', 'poetically', 'poeticalness', 'poeticalnesses', + 'poeticism', 'poeticisms', + 'poeticize', 'poeticized', 'poeticizes', 'poeticizing', + 'poetics', + 'poetise', + 'poetised', + 'poetiser', + 'poetisers', + 'poetises', + 'poetising', + 'poetize', + 'poetized', + 'poetizer', + 'poetizers', + 'poetizes', + 'poetizing', + 'poetless', + 'poetlike', + 'poetries', + 'poetry', + 'poets', + 'pogey', + 'pogeys', + 'pogies', + 'pogonia', + 'pogonias', + 'pogonip', + 'pogonips', 'pogonophoran', 'pogonophorans', + 'pogrom', + 'pogromed', + 'pogroming', + 'pogromist', 'pogromists', + 'pogroms', + 'pogy', + 'poh', + 'poi', + 'poignance', 'poignances', 'poignancies', + 'poignancy', + 'poignant', 'poignantly', 'poikilotherm', 'poikilothermic', 'poikilotherms', + 'poilu', + 'poilus', + 'poinciana', 'poincianas', + 'poind', + 'poinded', + 'poinding', + 'poinds', 'poinsettia', 'poinsettias', + 'point', + 'pointe', + 'pointed', + 'pointedly', 'pointedness', 'pointednesses', + 'pointelle', 'pointelles', + 'pointer', + 'pointers', + 'pointes', + 'pointier', + 'pointiest', 'pointillism', 'pointillisms', 'pointillist', 'pointillistic', 'pointillists', + 'pointing', + 'pointless', 'pointlessly', 'pointlessness', 'pointlessnesses', + 'pointman', + 'pointmen', + 'points', 'pointtillist', + 'pointy', + 'pois', + 'poise', + 'poised', + 'poiser', + 'poisers', + 'poises', + 'poisha', + 'poising', + 'poison', + 'poisoned', + 'poisoner', + 'poisoners', + 'poisoning', 'poisonings', + 'poisonous', 'poisonously', + 'poisons', 'poisonwood', 'poisonwoods', + 'poitrel', + 'poitrels', + 'poke', 'pokeberries', + 'pokeberry', + 'poked', + 'poker', + 'pokeroot', + 'pokeroots', + 'pokers', + 'pokes', + 'pokeweed', + 'pokeweeds', + 'pokey', + 'pokeys', + 'pokier', + 'pokies', + 'pokiest', + 'pokily', + 'pokiness', 'pokinesses', + 'poking', + 'poky', + 'pol', + 'polar', 'polarimeter', 'polarimeters', 'polarimetric', @@ -45920,19 +114635,45 @@ export const scrabble_array = [ 'polariscope', 'polariscopes', 'polariscopic', + 'polarise', + 'polarised', + 'polarises', 'polarising', 'polarities', + 'polarity', 'polarizabilities', 'polarizability', 'polarizable', 'polarization', 'polarizations', + 'polarize', + 'polarized', + 'polarizer', 'polarizers', + 'polarizes', 'polarizing', 'polarographic', 'polarographically', 'polarographies', 'polarography', + 'polaron', + 'polarons', + 'polars', + 'polder', + 'polders', + 'pole', + 'poleax', + 'poleaxe', + 'poleaxed', + 'poleaxes', + 'poleaxing', + 'polecat', + 'polecats', + 'poled', + 'poleis', + 'poleless', + 'polemic', + 'polemical', 'polemically', 'polemicist', 'polemicists', @@ -45940,21 +114681,63 @@ export const scrabble_array = [ 'polemicized', 'polemicizes', 'polemicizing', + 'polemics', + 'polemist', + 'polemists', + 'polemize', + 'polemized', + 'polemizes', 'polemizing', 'polemonium', 'polemoniums', + 'polenta', + 'polentas', + 'poler', + 'polers', + 'poles', + 'polestar', + 'polestars', + 'poleward', + 'poleyn', + 'poleyns', + 'police', + 'policed', + 'policeman', + 'policemen', + 'polices', 'policewoman', 'policewomen', + 'policies', + 'policing', + 'policy', 'policyholder', 'policyholders', + 'poling', + 'polio', 'poliomyelitides', 'poliomyelitis', + 'polios', 'poliovirus', 'polioviruses', + 'polis', + 'polish', + 'polished', + 'polisher', + 'polishers', + 'polishes', + 'polishing', + 'politburo', 'politburos', + 'polite', + 'politely', 'politeness', 'politenesses', + 'politer', + 'politesse', 'politesses', + 'politest', + 'politic', + 'political', 'politicalization', 'politicalizations', 'politicalize', @@ -45974,17 +114757,47 @@ export const scrabble_array = [ 'politicized', 'politicizes', 'politicizing', + 'politick', 'politicked', 'politicker', 'politickers', 'politicking', + 'politicks', + 'politico', 'politicoes', + 'politicos', + 'politics', + 'polities', + 'polity', + 'polka', + 'polkaed', + 'polkaing', + 'polkas', + 'poll', + 'pollack', + 'pollacks', + 'pollard', + 'pollarded', 'pollarding', + 'pollards', + 'polled', + 'pollee', + 'pollees', + 'pollen', + 'pollened', + 'pollening', 'pollenizer', 'pollenizers', 'pollenoses', 'pollenosis', 'pollenosises', + 'pollens', + 'poller', + 'pollers', + 'pollex', + 'pollical', + 'pollices', + 'pollinate', 'pollinated', 'pollinates', 'pollinating', @@ -45992,32 +114805,74 @@ export const scrabble_array = [ 'pollinations', 'pollinator', 'pollinators', + 'polling', + 'pollinia', + 'pollinic', + 'pollinium', 'pollinizer', 'pollinizers', 'pollinoses', 'pollinosis', 'pollinosises', + 'pollist', + 'pollists', + 'polliwog', + 'polliwogs', + 'pollock', + 'pollocks', + 'polls', + 'pollster', + 'pollsters', + 'pollutant', 'pollutants', + 'pollute', + 'polluted', + 'polluter', + 'polluters', + 'pollutes', + 'polluting', + 'pollution', 'pollutions', + 'pollutive', + 'pollywog', + 'pollywogs', + 'polo', + 'poloist', + 'poloists', + 'polonaise', 'polonaises', + 'polonium', + 'poloniums', + 'polos', + 'pols', 'poltergeist', 'poltergeists', + 'poltroon', 'poltrooneries', 'poltroonery', + 'poltroons', + 'poly', 'polyacrylamide', 'polyacrylamides', 'polyacrylonitrile', 'polyacrylonitriles', 'polyalcohol', 'polyalcohols', + 'polyamide', 'polyamides', + 'polyamine', 'polyamines', 'polyandries', 'polyandrous', + 'polyandry', + 'polyantha', 'polyanthas', + 'polyanthi', 'polyanthus', 'polyanthuses', 'polyatomic', + 'polybrid', + 'polybrids', 'polybutadiene', 'polybutadienes', 'polycarbonate', @@ -46046,6 +114901,8 @@ export const scrabble_array = [ 'polyclonal', 'polycondensation', 'polycondensations', + 'polycot', + 'polycots', 'polycrystal', 'polycrystalline', 'polycrystals', @@ -46068,12 +114925,19 @@ export const scrabble_array = [ 'polyembryonic', 'polyembryonies', 'polyembryony', + 'polyene', + 'polyenes', + 'polyenic', + 'polyester', 'polyesterification', 'polyesterifications', 'polyesters', 'polyestrous', 'polyethylene', 'polyethylenes', + 'polygala', + 'polygalas', + 'polygamic', 'polygamies', 'polygamist', 'polygamists', @@ -46082,16 +114946,28 @@ export const scrabble_array = [ 'polygamizes', 'polygamizing', 'polygamous', + 'polygamy', + 'polygene', + 'polygenes', 'polygeneses', 'polygenesis', 'polygenetic', + 'polygenic', + 'polyglot', 'polyglotism', 'polyglotisms', + 'polyglots', 'polyglottism', 'polyglottisms', + 'polygon', + 'polygonal', 'polygonally', 'polygonies', + 'polygons', + 'polygonum', 'polygonums', + 'polygony', + 'polygraph', 'polygrapher', 'polygraphers', 'polygraphic', @@ -46100,6 +114976,8 @@ export const scrabble_array = [ 'polygraphs', 'polygynies', 'polygynous', + 'polygyny', + 'polyhedra', 'polyhedral', 'polyhedron', 'polyhedrons', @@ -46111,10 +114989,15 @@ export const scrabble_array = [ 'polyhydroxy', 'polylysine', 'polylysines', + 'polymath', 'polymathic', 'polymathies', + 'polymaths', + 'polymathy', + 'polymer', 'polymerase', 'polymerases', + 'polymeric', 'polymerisation', 'polymerisations', 'polymerise', @@ -46129,6 +115012,8 @@ export const scrabble_array = [ 'polymerized', 'polymerizes', 'polymerizing', + 'polymers', + 'polymorph', 'polymorphic', 'polymorphically', 'polymorphism', @@ -46138,6 +115023,7 @@ export const scrabble_array = [ 'polymorphous', 'polymorphously', 'polymorphs', + 'polymyxin', 'polymyxins', 'polyneuritides', 'polyneuritis', @@ -46147,10 +115033,17 @@ export const scrabble_array = [ 'polynuclear', 'polynucleotide', 'polynucleotides', + 'polynya', + 'polynyas', + 'polynyi', 'polyolefin', 'polyolefins', + 'polyoma', + 'polyomas', 'polyonymous', + 'polyp', 'polyparies', + 'polypary', 'polypeptide', 'polypeptides', 'polypeptidic', @@ -46159,26 +115052,47 @@ export const scrabble_array = [ 'polyphagias', 'polyphagies', 'polyphagous', + 'polyphagy', + 'polyphase', 'polyphasic', 'polyphenol', 'polyphenolic', 'polyphenols', 'polyphiloprogenitive', + 'polyphone', 'polyphones', 'polyphonic', 'polyphonically', 'polyphonies', 'polyphonous', 'polyphonously', + 'polyphony', 'polyphyletic', 'polyphyletically', + 'polypi', + 'polypide', + 'polypides', + 'polyploid', 'polyploidies', 'polyploids', 'polyploidy', + 'polypnea', + 'polypneas', + 'polypod', 'polypodies', + 'polypods', + 'polypody', + 'polypoid', + 'polypore', + 'polypores', + 'polypous', 'polypropylene', 'polypropylenes', + 'polyps', + 'polyptych', 'polyptychs', + 'polypus', + 'polypuses', 'polyrhythm', 'polyrhythmic', 'polyrhythmically', @@ -46188,10 +115102,14 @@ export const scrabble_array = [ 'polyribosomal', 'polyribosome', 'polyribosomes', + 'polys', 'polysaccharide', 'polysaccharides', 'polysemies', 'polysemous', + 'polysemy', + 'polysome', + 'polysomes', 'polysorbate', 'polysorbates', 'polystichous', @@ -46209,42 +115127,140 @@ export const scrabble_array = [ 'polysyndetons', 'polytechnic', 'polytechnics', + 'polytene', 'polytenies', + 'polyteny', 'polytheism', 'polytheisms', 'polytheist', 'polytheistic', 'polytheistical', 'polytheists', + 'polythene', 'polythenes', + 'polytonal', 'polytonalities', 'polytonality', 'polytonally', + 'polytype', + 'polytypes', + 'polytypic', 'polyunsaturated', 'polyurethane', 'polyurethanes', + 'polyuria', + 'polyurias', + 'polyuric', 'polyvalence', 'polyvalences', 'polyvalent', + 'polyvinyl', + 'polywater', 'polywaters', + 'polyzoan', + 'polyzoans', + 'polyzoic', + 'pom', + 'pomace', + 'pomaceous', + 'pomaces', + 'pomade', + 'pomaded', + 'pomades', + 'pomading', + 'pomander', + 'pomanders', + 'pomatum', + 'pomatums', + 'pome', 'pomegranate', 'pomegranates', + 'pomelo', + 'pomelos', + 'pomes', + 'pomfret', + 'pomfrets', + 'pommee', + 'pommel', + 'pommeled', + 'pommeling', + 'pommelled', 'pommelling', + 'pommels', + 'pommie', + 'pommies', + 'pommy', 'pomological', 'pomologies', 'pomologist', 'pomologists', + 'pomology', + 'pomp', + 'pompadour', 'pompadoured', 'pompadours', + 'pompano', + 'pompanos', + 'pompom', + 'pompoms', + 'pompon', + 'pompons', 'pomposities', + 'pomposity', + 'pompous', + 'pompously', 'pompousness', 'pompousnesses', + 'pomps', + 'poms', + 'ponce', + 'ponced', + 'ponces', + 'poncho', + 'ponchos', + 'poncing', + 'pond', + 'ponded', + 'ponder', 'ponderable', + 'pondered', + 'ponderer', + 'ponderers', + 'pondering', + 'ponderosa', 'ponderosas', + 'ponderous', 'ponderously', 'ponderousness', 'ponderousnesses', + 'ponders', + 'ponding', + 'ponds', + 'pondweed', + 'pondweeds', + 'pone', + 'ponent', + 'pones', + 'pong', + 'ponged', + 'pongee', + 'pongees', + 'pongid', + 'pongids', + 'ponging', + 'pongs', + 'poniard', + 'poniarded', 'poniarding', + 'poniards', + 'ponied', + 'ponies', + 'pons', + 'pontes', + 'pontifex', + 'pontiff', + 'pontiffs', + 'pontific', 'pontifical', 'pontifically', 'pontificals', @@ -46257,11 +115273,120 @@ export const scrabble_array = [ 'pontificator', 'pontificators', 'pontifices', + 'pontil', + 'pontils', + 'pontine', + 'ponton', + 'pontons', + 'pontoon', + 'pontoons', + 'pony', + 'ponying', + 'ponytail', 'ponytailed', + 'ponytails', + 'pooch', + 'pooched', + 'pooches', + 'pooching', + 'pood', + 'poodle', + 'poodles', + 'poods', + 'poof', + 'poofs', + 'pooftah', + 'pooftahs', + 'poofter', + 'poofters', + 'poofy', + 'pooh', + 'poohed', + 'poohing', + 'poohs', + 'pool', + 'pooled', + 'poolhall', + 'poolhalls', + 'pooling', + 'poolroom', + 'poolrooms', + 'pools', + 'poolside', + 'poolsides', + 'poon', + 'poons', + 'poop', + 'pooped', + 'pooping', + 'poops', + 'poor', + 'poorer', + 'poorest', + 'poorhouse', 'poorhouses', + 'poori', + 'pooris', + 'poorish', + 'poorly', + 'poorness', 'poornesses', + 'poortith', + 'poortiths', + 'poove', + 'pooves', + 'pop', + 'popcorn', + 'popcorns', + 'pope', + 'popedom', + 'popedoms', + 'popeless', + 'popelike', + 'poperies', + 'popery', + 'popes', + 'popeyed', + 'popgun', + 'popguns', + 'popinjay', + 'popinjays', + 'popish', + 'popishly', + 'poplar', + 'poplars', + 'poplin', + 'poplins', + 'popliteal', + 'poplitic', + 'popover', + 'popovers', + 'poppa', + 'poppas', + 'popped', + 'popper', + 'poppers', + 'poppet', + 'poppets', + 'poppied', + 'poppies', + 'popping', + 'popple', + 'poppled', + 'popples', + 'poppling', + 'poppy', + 'poppycock', 'poppycocks', + 'poppyhead', 'poppyheads', + 'pops', + 'popsie', + 'popsies', + 'popsy', + 'populace', + 'populaces', + 'popular', 'popularise', 'popularised', 'popularises', @@ -46276,15 +115401,26 @@ export const scrabble_array = [ 'popularizers', 'popularizes', 'popularizing', + 'popularly', + 'populate', + 'populated', + 'populates', 'populating', 'population', 'populational', 'populations', + 'populism', + 'populisms', + 'populist', 'populistic', + 'populists', + 'populous', 'populously', 'populousness', 'populousnesses', + 'porbeagle', 'porbeagles', + 'porcelain', 'porcelainize', 'porcelainized', 'porcelainizes', @@ -46293,63 +115429,189 @@ export const scrabble_array = [ 'porcelains', 'porcelaneous', 'porcellaneous', + 'porch', + 'porches', + 'porcine', + 'porcini', + 'porcino', + 'porcupine', 'porcupines', + 'pore', + 'pored', + 'pores', + 'porgies', + 'porgy', + 'poring', + 'porism', + 'porisms', + 'pork', + 'porker', + 'porkers', + 'porkier', + 'porkies', + 'porkiest', + 'porkpie', + 'porkpies', + 'porks', + 'porkwood', + 'porkwoods', + 'porky', + 'porn', + 'pornier', + 'porniest', + 'porno', 'pornographer', 'pornographers', 'pornographic', 'pornographically', 'pornographies', 'pornography', + 'pornos', + 'porns', + 'porny', + 'porose', 'porosities', + 'porosity', + 'porous', + 'porously', 'porousness', 'porousnesses', + 'porphyria', 'porphyrias', 'porphyries', + 'porphyrin', 'porphyrins', 'porphyritic', 'porphyropsin', 'porphyropsins', + 'porphyry', + 'porpoise', + 'porpoises', + 'porrect', + 'porridge', + 'porridges', + 'porridgy', + 'porringer', 'porringers', + 'port', 'portabilities', 'portability', + 'portable', + 'portables', + 'portably', + 'portage', + 'portaged', + 'portages', + 'portaging', + 'portal', + 'portaled', + 'portals', 'portamenti', 'portamento', + 'portance', + 'portances', + 'portapack', 'portapacks', + 'portapak', + 'portapaks', + 'portative', 'portcullis', 'portcullises', + 'ported', + 'portend', + 'portended', 'portending', + 'portends', + 'portent', 'portentous', 'portentously', 'portentousness', 'portentousnesses', + 'portents', + 'porter', + 'porterage', 'porterages', + 'portered', 'porterhouse', 'porterhouses', + 'portering', + 'porters', + 'portfolio', 'portfolios', + 'porthole', + 'portholes', + 'portico', + 'porticoes', + 'porticos', + 'portiere', + 'portieres', + 'porting', + 'portion', + 'portioned', 'portioning', 'portionless', + 'portions', + 'portless', + 'portlier', + 'portliest', 'portliness', 'portlinesses', + 'portly', 'portmanteau', 'portmanteaus', 'portmanteaux', + 'portrait', 'portraitist', 'portraitists', + 'portraits', 'portraiture', 'portraitures', + 'portray', + 'portrayal', 'portrayals', + 'portrayed', + 'portrayer', 'portrayers', 'portraying', + 'portrays', + 'portress', 'portresses', + 'ports', + 'portulaca', 'portulacas', + 'posada', + 'posadas', + 'pose', + 'posed', + 'poser', + 'posers', + 'poses', + 'poseur', + 'poseurs', + 'posh', + 'posher', + 'poshest', + 'poshly', + 'poshness', 'poshnesses', + 'posies', + 'posing', + 'posingly', + 'posit', + 'posited', + 'positing', + 'position', 'positional', 'positionally', 'positioned', 'positioning', + 'positions', + 'positive', 'positively', 'positiveness', 'positivenesses', + 'positiver', + 'positives', 'positivest', 'positivism', 'positivisms', @@ -46359,12 +115621,21 @@ export const scrabble_array = [ 'positivists', 'positivities', 'positivity', + 'positron', 'positronium', 'positroniums', + 'positrons', + 'posits', 'posologies', + 'posology', + 'posse', + 'posses', + 'possess', + 'possessed', 'possessedly', 'possessedness', 'possessednesses', + 'possesses', 'possessing', 'possession', 'possessional', @@ -46375,28 +115646,59 @@ export const scrabble_array = [ 'possessiveness', 'possessivenesses', 'possessives', + 'possessor', 'possessors', 'possessory', + 'posset', + 'possets', 'possibilities', 'possibility', + 'possible', + 'possibler', 'possiblest', + 'possibly', + 'possum', + 'possums', + 'post', 'postabortion', 'postaccident', 'postadolescent', 'postadolescents', + 'postage', + 'postages', + 'postal', + 'postally', + 'postals', 'postamputation', + 'postanal', 'postapocalyptic', 'postarrest', 'postatomic', 'postattack', + 'postaxial', 'postbaccalaureate', + 'postbag', + 'postbags', + 'postbase', 'postbellum', 'postbiblical', 'postbourgeois', + 'postbox', + 'postboxes', + 'postboy', + 'postboys', + 'postburn', 'postcapitalist', + 'postcard', 'postcardlike', + 'postcards', + 'postcava', + 'postcavae', + 'postcaval', 'postclassic', 'postclassical', + 'postcode', + 'postcodes', 'postcoital', 'postcollege', 'postcolleges', @@ -46409,10 +115711,15 @@ export const scrabble_array = [ 'postconvention', 'postcopulatory', 'postcoronary', + 'postcoup', 'postcranial', 'postcranially', + 'postcrash', 'postcrises', 'postcrisis', + 'postdate', + 'postdated', + 'postdates', 'postdating', 'postdeadline', 'postdebate', @@ -46424,12 +115731,19 @@ export const scrabble_array = [ 'postdevaluation', 'postdiluvian', 'postdiluvians', + 'postdive', 'postdivestiture', 'postdivorce', + 'postdoc', + 'postdocs', 'postdoctoral', 'postdoctorate', + 'postdrug', + 'posted', 'postediting', 'posteditings', + 'posteen', + 'posteens', 'postelection', 'postembryonal', 'postembryonic', @@ -46437,34 +115751,55 @@ export const scrabble_array = [ 'postemergency', 'postencephalitic', 'postepileptic', + 'poster', + 'posterior', 'posteriorities', 'posteriority', 'posteriorly', 'posteriors', 'posterities', + 'posterity', + 'postern', + 'posterns', 'posterolateral', + 'posters', 'posteruptive', 'postexercise', 'postexilic', 'postexperience', 'postexperimental', 'postexposure', + 'postface', + 'postfaces', + 'postfault', 'postfeminist', + 'postfire', + 'postfix', + 'postfixed', + 'postfixes', 'postfixing', 'postflight', + 'postform', 'postformed', 'postforming', + 'postforms', 'postfracture', 'postfractures', 'postfreeze', + 'postgame', 'postganglionic', 'postglacial', 'postgraduate', 'postgraduates', 'postgraduation', 'postharvest', + 'posthaste', 'posthastes', + 'postheat', + 'postheats', 'posthemorrhagic', + 'posthole', + 'postholes', 'postholiday', 'postholocaust', 'posthospital', @@ -46473,17 +115808,26 @@ export const scrabble_array = [ 'posthumousness', 'posthumousnesses', 'posthypnotic', + 'postiche', + 'postiches', + 'postilion', 'postilions', 'postillion', 'postillions', 'postimpact', 'postimperial', + 'postin', 'postinaugural', 'postindependence', 'postindustrial', 'postinfection', + 'posting', + 'postings', 'postinjection', 'postinoculation', + 'postins', + 'postique', + 'postiques', 'postirradiation', 'postischemic', 'postisolation', @@ -46492,9 +115836,14 @@ export const scrabble_array = [ 'postlaunch', 'postliberation', 'postliterate', + 'postlude', + 'postludes', + 'postman', 'postmarital', + 'postmark', 'postmarked', 'postmarking', + 'postmarks', 'postmastectomy', 'postmaster', 'postmasters', @@ -46502,6 +115851,7 @@ export const scrabble_array = [ 'postmasterships', 'postmating', 'postmedieval', + 'postmen', 'postmenopausal', 'postmidnight', 'postmillenarian', @@ -46522,19 +115872,26 @@ export const scrabble_array = [ 'postmodernists', 'postmortem', 'postmortems', + 'postnatal', 'postnatally', 'postneonatal', 'postnuptial', 'postoperative', 'postoperatively', + 'postoral', 'postorbital', 'postorgasmic', + 'postpaid', 'postpartum', 'postpollination', 'postponable', + 'postpone', + 'postponed', 'postponement', 'postponements', + 'postponer', 'postponers', + 'postpones', 'postponing', 'postposition', 'postpositional', @@ -46552,17 +115909,21 @@ export const scrabble_array = [ 'postpuberty', 'postpubescent', 'postpubescents', + 'postrace', 'postrecession', 'postresurrection', 'postresurrections', 'postretirement', 'postrevolutionary', + 'postriot', 'postromantic', + 'posts', 'postscript', 'postscripts', 'postseason', 'postseasons', 'postsecondary', + 'postshow', 'poststimulation', 'poststimulatory', 'poststimulus', @@ -46570,20 +115931,29 @@ export const scrabble_array = [ 'postsurgical', 'postsynaptic', 'postsynaptically', + 'postsync', 'postsynced', 'postsyncing', + 'postsyncs', + 'posttax', + 'postteen', 'posttension', 'posttensioned', 'posttensioning', 'posttensions', + 'posttest', + 'posttests', 'posttranscriptional', 'posttransfusion', 'posttranslational', 'posttraumatic', 'posttreatment', + 'posttrial', 'postulancies', 'postulancy', + 'postulant', 'postulants', + 'postulate', 'postulated', 'postulates', 'postulating', @@ -46592,24 +115962,64 @@ export const scrabble_array = [ 'postulations', 'postulator', 'postulators', + 'postural', + 'posture', + 'postured', + 'posturer', + 'posturers', + 'postures', + 'posturing', 'posturings', 'postvaccinal', 'postvaccination', 'postvagotomy', 'postvasectomy', 'postvocalic', + 'postwar', 'postweaning', 'postworkshop', + 'posy', + 'pot', 'potabilities', 'potability', + 'potable', 'potableness', 'potablenesses', + 'potables', + 'potage', + 'potages', + 'potamic', + 'potash', + 'potashes', + 'potassic', + 'potassium', 'potassiums', + 'potation', + 'potations', + 'potato', + 'potatoes', + 'potatory', 'potbellied', 'potbellies', + 'potbelly', + 'potboil', + 'potboiled', + 'potboiler', 'potboilers', 'potboiling', + 'potboils', + 'potboy', + 'potboys', + 'poteen', + 'poteens', + 'potence', + 'potences', + 'potencies', + 'potency', + 'potent', + 'potentate', 'potentates', + 'potential', 'potentialities', 'potentiality', 'potentially', @@ -46627,73 +116037,276 @@ export const scrabble_array = [ 'potentiometer', 'potentiometers', 'potentiometric', + 'potently', + 'potful', + 'potfuls', + 'pothead', + 'potheads', + 'potheen', + 'potheens', + 'pother', + 'potherb', + 'potherbs', + 'pothered', + 'pothering', + 'pothers', + 'potholder', 'potholders', + 'pothole', + 'potholed', + 'potholes', + 'pothook', + 'pothooks', + 'pothouse', + 'pothouses', + 'pothunter', 'pothunters', 'pothunting', 'pothuntings', + 'potiche', + 'potiches', + 'potion', + 'potions', + 'potlach', + 'potlache', + 'potlaches', + 'potlatch', 'potlatched', 'potlatches', 'potlatching', + 'potlike', + 'potline', + 'potlines', + 'potluck', + 'potlucks', + 'potman', + 'potmen', + 'potometer', 'potometers', + 'potpie', + 'potpies', + 'potpourri', 'potpourris', + 'pots', + 'potshard', + 'potshards', + 'potsherd', + 'potsherds', + 'potshot', + 'potshots', 'potshotting', + 'potsie', + 'potsies', + 'potstone', + 'potstones', + 'potsy', + 'pottage', + 'pottages', + 'potted', + 'potteen', + 'potteens', + 'potter', + 'pottered', + 'potterer', + 'potterers', + 'potteries', + 'pottering', 'potteringly', + 'potters', + 'pottery', + 'pottier', + 'potties', + 'pottiest', + 'potting', + 'pottle', + 'pottles', + 'potto', + 'pottos', + 'potty', + 'potzer', + 'potzers', + 'pouch', + 'pouched', + 'pouches', + 'pouchier', + 'pouchiest', + 'pouching', + 'pouchy', + 'pouf', + 'poufed', + 'pouff', + 'pouffe', + 'pouffed', + 'pouffes', + 'pouffs', + 'poufs', + 'poulard', + 'poularde', + 'poulardes', + 'poulards', + 'poult', + 'poulter', + 'poulterer', 'poulterers', + 'poulters', + 'poultice', + 'poulticed', + 'poultices', 'poulticing', + 'poultries', + 'poultry', 'poultryman', 'poultrymen', + 'poults', + 'pounce', + 'pounced', + 'pouncer', + 'pouncers', + 'pounces', + 'pouncing', + 'pound', + 'poundage', + 'poundages', + 'poundal', + 'poundals', + 'pounded', + 'pounder', + 'pounders', + 'pounding', + 'pounds', + 'pour', + 'pourable', + 'pourboire', 'pourboires', + 'poured', + 'pourer', + 'pourers', + 'pouring', + 'pouringly', 'pourparler', 'pourparlers', + 'pourpoint', 'pourpoints', + 'pours', + 'poussette', 'poussetted', 'poussettes', 'poussetting', + 'poussie', + 'poussies', + 'pout', + 'pouted', + 'pouter', + 'pouters', + 'poutful', + 'poutier', + 'poutiest', + 'pouting', + 'pouts', + 'pouty', + 'poverties', + 'poverty', + 'pow', + 'powder', + 'powdered', + 'powderer', + 'powderers', + 'powdering', 'powderless', 'powderlike', + 'powders', + 'powdery', + 'power', + 'powerboat', 'powerboats', 'powerbroker', 'powerbrokers', + 'powered', + 'powerful', 'powerfully', 'powerhouse', 'powerhouses', + 'powering', + 'powerless', 'powerlessly', 'powerlessness', 'powerlessnesses', + 'powers', + 'pows', + 'powter', + 'powters', + 'powwow', + 'powwowed', + 'powwowing', + 'powwows', + 'pox', + 'poxed', + 'poxes', + 'poxing', + 'poxvirus', 'poxviruses', + 'poyou', + 'poyous', + 'pozzolan', + 'pozzolana', 'pozzolanas', 'pozzolanic', + 'pozzolans', + 'praam', + 'praams', + 'practic', 'practicabilities', 'practicability', 'practicable', 'practicableness', 'practicablenesses', 'practicably', + 'practical', 'practicalities', 'practicality', 'practically', 'practicalness', 'practicalnesses', 'practicals', + 'practice', + 'practiced', + 'practicer', 'practicers', + 'practices', 'practicing', + 'practicum', 'practicums', + 'practise', + 'practised', + 'practises', 'practising', 'practitioner', 'practitioners', + 'praecipe', + 'praecipes', + 'praedial', + 'praefect', + 'praefects', + 'praelect', 'praelected', 'praelecting', + 'praelects', 'praemunire', 'praemunires', + 'praenomen', 'praenomens', 'praenomina', + 'praesidia', 'praesidium', 'praesidiums', + 'praetor', 'praetorial', 'praetorian', 'praetorians', + 'praetors', 'praetorship', 'praetorships', + 'pragmatic', 'pragmatical', 'pragmatically', 'pragmaticism', @@ -46706,56 +116319,157 @@ export const scrabble_array = [ 'pragmatist', 'pragmatistic', 'pragmatists', + 'prahu', + 'prahus', + 'prairie', + 'prairies', + 'praise', + 'praised', + 'praiser', + 'praisers', + 'praises', 'praiseworthily', 'praiseworthiness', 'praiseworthinesses', 'praiseworthy', + 'praising', + 'praline', + 'pralines', 'pralltriller', 'pralltrillers', + 'pram', + 'prams', + 'prance', + 'pranced', + 'prancer', + 'prancers', + 'prances', + 'prancing', + 'prandial', + 'prang', + 'pranged', + 'pranging', + 'prangs', + 'prank', + 'pranked', + 'pranking', + 'prankish', 'prankishly', 'prankishness', 'prankishnesses', + 'pranks', + 'prankster', 'pranksters', + 'prao', + 'praos', + 'prase', 'praseodymium', 'praseodymiums', + 'prases', + 'prat', + 'prate', + 'prated', + 'prater', + 'praters', + 'prates', + 'pratfall', + 'pratfalls', 'pratincole', 'pratincoles', + 'prating', + 'pratingly', + 'pratique', + 'pratiques', + 'prats', + 'prattle', + 'prattled', + 'prattler', + 'prattlers', + 'prattles', + 'prattling', 'prattlingly', + 'prau', + 'praus', + 'prawn', + 'prawned', + 'prawner', + 'prawners', + 'prawning', + 'prawns', 'praxeological', 'praxeologies', 'praxeology', + 'praxes', + 'praxis', + 'praxises', + 'pray', + 'prayed', + 'prayer', + 'prayerful', 'prayerfully', 'prayerfulness', 'prayerfulnesses', + 'prayers', + 'praying', + 'prays', + 'preach', + 'preached', + 'preacher', + 'preachers', + 'preaches', + 'preachier', 'preachiest', 'preachified', 'preachifies', + 'preachify', 'preachifying', + 'preachily', 'preachiness', 'preachinesses', + 'preaching', 'preachingly', 'preachment', 'preachments', + 'preachy', + 'preact', + 'preacted', + 'preacting', + 'preacts', + 'preadapt', 'preadaptation', 'preadaptations', 'preadapted', 'preadapting', 'preadaptive', + 'preadapts', 'preadmission', 'preadmissions', + 'preadmit', + 'preadmits', 'preadmitted', 'preadmitting', 'preadolescence', 'preadolescences', 'preadolescent', 'preadolescents', + 'preadopt', 'preadopted', 'preadopting', + 'preadopts', + 'preadult', + 'preaged', 'preagricultural', + 'preallot', + 'preallots', 'preallotted', 'preallotting', + 'preamble', + 'preambles', + 'preamp', 'preamplifier', 'preamplifiers', + 'preamps', + 'preanal', 'preanesthetic', 'preanesthetics', 'preannounce', @@ -46766,6 +116480,10 @@ export const scrabble_array = [ 'preapproved', 'preapproves', 'preapproving', + 'prearm', + 'prearmed', + 'prearming', + 'prearms', 'prearrange', 'prearranged', 'prearrangement', @@ -46773,27 +116491,59 @@ export const scrabble_array = [ 'prearranges', 'prearranging', 'preassembled', + 'preassign', 'preassigned', 'preassigning', 'preassigns', + 'preatomic', + 'preaudit', + 'preaudits', + 'preaver', 'preaverred', 'preaverring', + 'preavers', + 'preaxial', + 'prebake', + 'prebaked', + 'prebakes', + 'prebaking', + 'prebasal', + 'prebattle', + 'prebend', + 'prebendal', 'prebendaries', 'prebendary', + 'prebends', 'prebiblical', + 'prebill', + 'prebilled', 'prebilling', + 'prebills', + 'prebind', 'prebinding', + 'prebinds', 'prebiologic', 'prebiological', + 'prebiotic', + 'prebless', 'preblessed', 'preblesses', 'preblessing', + 'preboil', + 'preboiled', 'preboiling', + 'preboils', + 'prebook', + 'prebooked', 'prebooking', + 'prebooks', + 'preboom', + 'prebound', 'prebreakfast', 'precalculi', 'precalculus', 'precalculuses', + 'precancel', 'precanceled', 'precanceling', 'precancellation', @@ -46808,26 +116558,44 @@ export const scrabble_array = [ 'precariously', 'precariousness', 'precariousnesses', + 'precast', 'precasting', + 'precasts', + 'precatory', 'precaution', 'precautionary', 'precautioned', 'precautioning', 'precautions', + 'precava', + 'precavae', + 'precaval', + 'precede', + 'preceded', 'precedence', 'precedences', 'precedencies', 'precedency', + 'precedent', 'precedents', + 'precedes', + 'preceding', + 'precensor', 'precensored', 'precensoring', 'precensors', + 'precent', + 'precented', 'precenting', + 'precentor', 'precentorial', 'precentors', 'precentorship', 'precentorships', + 'precents', + 'precept', 'preceptive', + 'preceptor', 'preceptorial', 'preceptorials', 'preceptories', @@ -46835,26 +116603,42 @@ export const scrabble_array = [ 'preceptorship', 'preceptorships', 'preceptory', + 'precepts', 'precertification', 'precertifications', 'precertified', 'precertifies', 'precertify', 'precertifying', + 'precess', + 'precessed', + 'precesses', 'precessing', 'precession', 'precessional', 'precessions', + 'precheck', 'prechecked', 'prechecking', + 'prechecks', + 'prechill', 'prechilled', 'prechilling', + 'prechills', + 'precieuse', + 'precieux', + 'precinct', + 'precincts', 'preciosities', 'preciosity', + 'precious', 'preciouses', 'preciously', 'preciousness', 'preciousnesses', + 'precipe', + 'precipes', + 'precipice', 'precipices', 'precipitable', 'precipitance', @@ -46886,32 +116670,57 @@ export const scrabble_array = [ 'precipitously', 'precipitousness', 'precipitousnesses', + 'precis', + 'precise', + 'precised', + 'precisely', 'preciseness', 'precisenesses', + 'preciser', + 'precises', + 'precisest', + 'precisian', 'precisians', + 'precising', + 'precision', 'precisionist', 'precisionists', 'precisions', + 'precited', + 'preclean', 'precleaned', 'precleaning', + 'precleans', + 'preclear', 'preclearance', 'preclearances', 'precleared', 'preclearing', + 'preclears', 'preclinical', + 'preclude', + 'precluded', + 'precludes', 'precluding', 'preclusion', 'preclusions', 'preclusive', 'preclusively', + 'precocial', 'precocious', 'precociously', 'precociousness', 'precociousnesses', 'precocities', + 'precocity', + 'precode', + 'precoded', + 'precodes', + 'precoding', 'precognition', 'precognitions', 'precognitive', + 'precoital', 'precollege', 'precolleges', 'precollegiate', @@ -46950,28 +116759,57 @@ export const scrabble_array = [ 'preconventions', 'preconviction', 'preconvictions', + 'precook', + 'precooked', 'precooking', + 'precooks', + 'precool', + 'precooled', 'precooling', + 'precools', 'precopulatory', + 'precoup', + 'precrash', + 'precrease', 'precreased', 'precreases', 'precreasing', + 'precrisis', 'precritical', + 'precure', + 'precured', + 'precures', + 'precuring', + 'precursor', 'precursors', 'precursory', + 'precut', + 'precuts', 'precutting', 'predaceous', 'predaceousness', 'predaceousnesses', 'predacious', 'predacities', + 'predacity', + 'predate', + 'predated', + 'predates', + 'predating', + 'predation', 'predations', + 'predator', + 'predators', + 'predatory', + 'predawn', + 'predawns', 'predecease', 'predeceased', 'predeceases', 'predeceasing', 'predecessor', 'predecessors', + 'predefine', 'predefined', 'predefines', 'predefining', @@ -47015,10 +116853,12 @@ export const scrabble_array = [ 'prediabeteses', 'prediabetic', 'prediabetics', + 'predial', 'predicable', 'predicables', 'predicament', 'predicaments', + 'predicate', 'predicated', 'predicates', 'predicating', @@ -47027,16 +116867,21 @@ export const scrabble_array = [ 'predicative', 'predicatively', 'predicatory', + 'predict', 'predictabilities', 'predictability', 'predictable', 'predictably', + 'predicted', 'predicting', 'prediction', 'predictions', 'predictive', 'predictively', + 'predictor', 'predictors', + 'predicts', + 'predigest', 'predigested', 'predigesting', 'predigestion', @@ -47044,6 +116889,7 @@ export const scrabble_array = [ 'predigests', 'predilection', 'predilections', + 'predinner', 'predischarge', 'predischarged', 'predischarges', @@ -47056,6 +116902,7 @@ export const scrabble_array = [ 'predisposing', 'predisposition', 'predispositions', + 'predive', 'prednisolone', 'prednisolones', 'prednisone', @@ -47074,52 +116921,86 @@ export const scrabble_array = [ 'predominating', 'predomination', 'predominations', + 'predrill', 'predrilled', 'predrilling', + 'predrills', + 'predusk', + 'predusks', 'predynastic', + 'pree', 'preeclampsia', 'preeclampsias', 'preeclamptic', + 'preed', + 'preedit', + 'preedited', 'preediting', + 'preedits', + 'preeing', + 'preelect', 'preelected', 'preelecting', 'preelection', 'preelections', 'preelectric', + 'preelects', 'preembargo', 'preemergence', 'preemergent', + 'preemie', + 'preemies', 'preeminence', 'preeminences', 'preeminent', 'preeminently', 'preemployment', 'preemployments', + 'preempt', + 'preempted', 'preempting', 'preemption', 'preemptions', 'preemptive', 'preemptively', + 'preemptor', 'preemptors', 'preemptory', + 'preempts', + 'preen', + 'preenact', 'preenacted', 'preenacting', + 'preenacts', + 'preened', + 'preener', + 'preeners', + 'preening', 'preenrollment', 'preenrollments', + 'preens', + 'preerect', 'preerected', 'preerecting', + 'preerects', + 'prees', 'preestablish', 'preestablished', 'preestablishes', 'preestablishing', 'preethical', + 'preexilic', + 'preexist', 'preexisted', 'preexistence', 'preexistences', 'preexistent', 'preexisting', + 'preexists', 'preexperiment', 'preexperiments', + 'prefab', + 'prefabbed', 'prefabbing', 'prefabricate', 'prefabricated', @@ -47127,11 +117008,26 @@ export const scrabble_array = [ 'prefabricating', 'prefabrication', 'prefabrications', + 'prefabs', + 'preface', + 'prefaced', + 'prefacer', + 'prefacers', + 'prefaces', + 'prefacing', + 'prefade', + 'prefaded', + 'prefades', + 'prefading', 'prefascist', 'prefascists', + 'prefatory', + 'prefect', + 'prefects', 'prefectural', 'prefecture', 'prefectures', + 'prefer', 'preferabilities', 'preferability', 'preferable', @@ -47142,29 +117038,54 @@ export const scrabble_array = [ 'preferentially', 'preferment', 'preferments', + 'preferred', + 'preferrer', 'preferrers', 'preferring', + 'prefers', + 'prefeudal', + 'prefight', 'prefiguration', 'prefigurations', 'prefigurative', 'prefiguratively', 'prefigurativeness', 'prefigurativenesses', + 'prefigure', 'prefigured', 'prefigurement', 'prefigurements', 'prefigures', 'prefiguring', + 'prefile', + 'prefiled', + 'prefiles', + 'prefiling', + 'prefilled', 'prefinance', 'prefinanced', 'prefinances', 'prefinancing', + 'prefire', + 'prefired', + 'prefires', + 'prefiring', + 'prefix', + 'prefixal', + 'prefixed', + 'prefixes', + 'prefixing', + 'preflame', + 'preflight', + 'prefocus', 'prefocused', 'prefocuses', 'prefocusing', 'prefocussed', 'prefocusses', 'prefocussing', + 'preform', + 'preformat', 'preformation', 'preformationist', 'preformationists', @@ -47172,37 +117093,54 @@ export const scrabble_array = [ 'preformats', 'preformatted', 'preformatting', + 'preformed', 'preforming', + 'preforms', 'preformulate', 'preformulated', 'preformulates', 'preformulating', + 'prefrank', 'prefranked', 'prefranking', + 'prefranks', + 'prefreeze', 'prefreezes', 'prefreezing', 'prefreshman', 'prefreshmen', 'prefrontal', 'prefrontals', + 'prefroze', + 'prefrozen', + 'pregame', 'preganglionic', 'pregenital', + 'preggers', 'pregnabilities', 'pregnability', + 'pregnable', 'pregnancies', + 'pregnancy', + 'pregnant', 'pregnantly', 'pregnenolone', 'pregnenolones', 'preharvest', 'preharvests', 'preheadache', + 'preheat', + 'preheated', + 'preheater', 'preheaters', 'preheating', + 'preheats', 'prehensile', 'prehensilities', 'prehensility', 'prehension', 'prehensions', + 'prehiring', 'prehistorian', 'prehistorians', 'prehistoric', @@ -47213,6 +117151,8 @@ export const scrabble_array = [ 'preholiday', 'prehominid', 'prehominids', + 'prehuman', + 'prehumans', 'preignition', 'preignitions', 'preimplantation', @@ -47227,10 +117167,15 @@ export const scrabble_array = [ 'preinterviewing', 'preinterviews', 'preinvasion', + 'prejudge', + 'prejudged', + 'prejudger', 'prejudgers', + 'prejudges', 'prejudging', 'prejudgment', 'prejudgments', + 'prejudice', 'prejudiced', 'prejudices', 'prejudicial', @@ -47240,36 +117185,66 @@ export const scrabble_array = [ 'prejudicing', 'prekindergarten', 'prekindergartens', + 'prelacies', + 'prelacy', 'prelapsarian', + 'prelate', + 'prelates', + 'prelatic', + 'prelature', 'prelatures', + 'prelaunch', + 'prelect', + 'prelected', 'prelecting', 'prelection', 'prelections', + 'prelects', + 'prelegal', 'prelibation', 'prelibations', + 'prelife', + 'prelim', 'preliminaries', 'preliminarily', 'preliminary', + 'prelimit', 'prelimited', 'prelimiting', + 'prelimits', + 'prelims', 'preliterary', 'preliterate', 'preliterates', + 'prelives', 'prelogical', + 'prelude', + 'preluded', + 'preluder', + 'preluders', + 'preludes', + 'preluding', + 'prelunch', 'preluncheon', + 'prelusion', 'prelusions', + 'prelusive', 'prelusively', + 'premade', 'premalignant', + 'preman', 'premanufacture', 'premanufactured', 'premanufactures', 'premanufacturing', 'premarital', 'premaritally', + 'premarket', 'premarketing', 'premarketings', 'premarriage', 'premarriages', + 'premature', 'prematurely', 'prematureness', 'prematurenesses', @@ -47281,11 +117256,15 @@ export const scrabble_array = [ 'premaxillaries', 'premaxillary', 'premaxillas', + 'premeal', 'premeasure', 'premeasured', 'premeasures', 'premeasuring', + 'premed', + 'premedic', 'premedical', + 'premedics', 'premedieval', 'premeditate', 'premeditated', @@ -47297,13 +117276,24 @@ export const scrabble_array = [ 'premeditative', 'premeditator', 'premeditators', + 'premeds', + 'premeet', 'premeiotic', + 'premen', 'premenopausal', 'premenstrual', 'premenstrually', + 'premerger', + 'premie', + 'premier', + 'premiere', + 'premiered', + 'premieres', 'premiering', + 'premiers', 'premiership', 'premierships', + 'premies', 'premigration', 'premillenarian', 'premillenarianism', @@ -47315,16 +117305,38 @@ export const scrabble_array = [ 'premillennialist', 'premillennialists', 'premillennially', + 'premise', + 'premised', + 'premises', + 'premising', + 'premiss', + 'premisses', + 'premium', + 'premiums', + 'premix', + 'premixed', + 'premixes', + 'premixing', + 'premixt', + 'premodern', 'premodification', 'premodifications', 'premodified', 'premodifies', + 'premodify', 'premodifying', 'premoisten', 'premoistened', 'premoistening', 'premoistens', + 'premolar', + 'premolars', + 'premold', + 'premolded', 'premolding', + 'premolds', + 'premolt', + 'premonish', 'premonished', 'premonishes', 'premonishing', @@ -47332,23 +117344,39 @@ export const scrabble_array = [ 'premonitions', 'premonitorily', 'premonitory', + 'premoral', + 'premorse', + 'premune', 'premunition', 'premunitions', 'premycotic', + 'prename', + 'prenames', + 'prenatal', 'prenatally', + 'prenomen', + 'prenomens', + 'prenomina', 'prenominate', 'prenominated', 'prenominates', 'prenominating', 'prenomination', 'prenominations', + 'prenoon', 'prenotification', 'prenotifications', 'prenotified', 'prenotifies', + 'prenotify', 'prenotifying', + 'prenotion', 'prenotions', + 'prentice', + 'prenticed', + 'prentices', 'prenticing', + 'prenumber', 'prenumbered', 'prenumbering', 'prenumbers', @@ -47359,26 +117387,35 @@ export const scrabble_array = [ 'preoccupations', 'preoccupied', 'preoccupies', + 'preoccupy', 'preoccupying', 'preopening', 'preoperational', 'preoperative', 'preoperatively', + 'preordain', 'preordained', 'preordaining', 'preordainment', 'preordainments', 'preordains', + 'preorder', 'preordered', 'preordering', + 'preorders', 'preordination', 'preordinations', 'preovulatory', + 'prep', + 'prepack', 'prepackage', 'prepackaged', 'prepackages', 'prepackaging', + 'prepacked', 'prepacking', + 'prepacks', + 'prepaid', 'preparation', 'preparations', 'preparative', @@ -47388,18 +117425,38 @@ export const scrabble_array = [ 'preparatorily', 'preparators', 'preparatory', + 'prepare', + 'prepared', 'preparedly', 'preparedness', 'preparednesses', + 'preparer', + 'preparers', + 'prepares', + 'preparing', + 'prepaste', + 'prepasted', + 'prepastes', 'prepasting', + 'prepay', + 'prepaying', 'prepayment', 'prepayments', + 'prepays', + 'prepense', 'prepensely', 'preperformance', 'preperformances', + 'prepill', + 'preplace', + 'preplaced', + 'preplaces', 'preplacing', + 'preplan', 'preplanned', 'preplanning', + 'preplans', + 'preplant', 'preplanting', 'preponderance', 'preponderances', @@ -47436,16 +117493,32 @@ export const scrabble_array = [ 'preposterousnesses', 'prepotencies', 'prepotency', + 'prepotent', 'prepotently', + 'prepped', + 'preppie', + 'preppier', + 'preppies', + 'preppiest', + 'preppily', 'preppiness', 'preppinesses', + 'prepping', + 'preppy', 'preprandial', + 'prepreg', + 'prepregs', 'preprepared', 'prepresidential', + 'preprice', + 'prepriced', + 'preprices', 'prepricing', 'preprimary', + 'preprint', 'preprinted', 'preprinting', + 'preprints', 'preprocess', 'preprocessed', 'preprocesses', @@ -47461,6 +117534,7 @@ export const scrabble_array = [ 'preprogrammed', 'preprogramming', 'preprograms', + 'preps', 'prepsychedelic', 'prepuberal', 'prepubertal', @@ -47472,20 +117546,29 @@ export const scrabble_array = [ 'prepubescents', 'prepublication', 'prepublications', + 'prepuce', + 'prepuces', + 'prepunch', 'prepunched', 'prepunches', 'prepunching', + 'prepupal', 'prepurchase', 'prepurchased', 'prepurchases', 'prepurchasing', + 'preputial', 'prequalification', 'prequalifications', 'prequalified', 'prequalifies', 'prequalify', 'prequalifying', + 'prequel', + 'prequels', + 'prerace', 'prerecession', + 'prerecord', 'prerecorded', 'prerecording', 'prerecords', @@ -47498,6 +117581,7 @@ export const scrabble_array = [ 'prerehearsal', 'prerelease', 'prereleases', + 'prerenal', 'prerequire', 'prerequired', 'prerequires', @@ -47506,21 +117590,37 @@ export const scrabble_array = [ 'prerequisites', 'preretirement', 'preretirements', + 'prereturn', + 'prereview', 'prerevisionist', 'prerevisionists', 'prerevolution', 'prerevolutionary', + 'prerinse', + 'prerinses', + 'preriot', + 'prerock', 'prerogative', 'prerogatived', 'prerogatives', 'preromantic', + 'presa', + 'presage', + 'presaged', 'presageful', + 'presager', + 'presagers', + 'presages', + 'presaging', + 'presale', 'presanctified', + 'presbyope', 'presbyopes', 'presbyopia', 'presbyopias', 'presbyopic', 'presbyopics', + 'presbyter', 'presbyterate', 'presbyterates', 'presbyterial', @@ -47534,36 +117634,54 @@ export const scrabble_array = [ 'prescheduled', 'preschedules', 'prescheduling', + 'preschool', 'preschooler', 'preschoolers', 'preschools', 'prescience', 'presciences', + 'prescient', 'prescientific', 'presciently', + 'prescind', 'prescinded', 'prescinding', + 'prescinds', + 'prescore', + 'prescored', + 'prescores', 'prescoring', + 'prescreen', 'prescreened', 'prescreening', 'prescreens', + 'prescribe', 'prescribed', 'prescriber', 'prescribers', 'prescribes', 'prescribing', + 'prescript', 'prescription', 'prescriptions', 'prescriptive', 'prescriptively', 'prescripts', + 'prese', + 'preseason', 'preseasons', + 'preselect', 'preselected', 'preselecting', 'preselection', 'preselections', 'preselects', + 'presell', 'preselling', + 'presells', + 'presence', + 'presences', + 'present', 'presentabilities', 'presentability', 'presentable', @@ -47574,12 +117692,15 @@ export const scrabble_array = [ 'presentational', 'presentations', 'presentative', + 'presented', + 'presentee', 'presentees', 'presentence', 'presentenced', 'presentences', 'presentencing', 'presentencings', + 'presenter', 'presenters', 'presentient', 'presentiment', @@ -47589,10 +117710,12 @@ export const scrabble_array = [ 'presentism', 'presentisms', 'presentist', + 'presently', 'presentment', 'presentments', 'presentness', 'presentnesses', + 'presents', 'preservabilities', 'preservability', 'preservable', @@ -47602,45 +117725,107 @@ export const scrabble_array = [ 'preservations', 'preservative', 'preservatives', + 'preserve', + 'preserved', + 'preserver', 'preservers', + 'preserves', 'preservice', 'preserving', + 'preset', + 'presets', 'presetting', 'presettlement', 'presettlements', + 'preshape', + 'preshaped', + 'preshapes', 'preshaping', + 'preshow', + 'preshowed', 'preshowing', + 'preshown', + 'preshows', + 'preshrank', + 'preshrink', 'preshrinking', 'preshrinks', + 'preshrunk', 'preshrunken', + 'preside', + 'presided', 'presidencies', 'presidency', + 'president', 'presidential', 'presidentially', 'presidents', 'presidentship', 'presidentships', + 'presider', + 'presiders', + 'presides', + 'presidia', + 'presidial', 'presidiary', + 'presiding', + 'presidio', + 'presidios', + 'presidium', 'presidiums', + 'presift', + 'presifted', 'presifting', + 'presifts', 'presignified', 'presignifies', 'presignify', 'presignifying', 'preslaughter', + 'presleep', + 'preslice', + 'presliced', + 'preslices', 'preslicing', + 'presoak', + 'presoaked', 'presoaking', + 'presoaks', + 'presold', + 'presong', + 'presort', + 'presorted', 'presorting', + 'presorts', 'prespecified', 'prespecifies', 'prespecify', 'prespecifying', + 'presplit', + 'press', 'pressboard', 'pressboards', + 'pressed', + 'presser', + 'pressers', + 'presses', + 'pressing', 'pressingly', + 'pressings', + 'pressman', + 'pressmark', 'pressmarks', + 'pressmen', + 'pressor', + 'pressors', + 'pressroom', 'pressrooms', + 'pressrun', + 'pressruns', + 'pressure', + 'pressured', 'pressureless', + 'pressures', 'pressuring', 'pressurise', 'pressurised', @@ -47654,36 +117839,56 @@ export const scrabble_array = [ 'pressurizers', 'pressurizes', 'pressurizing', + 'presswork', 'pressworks', + 'prest', + 'prestamp', 'prestamped', 'prestamping', + 'prestamps', + 'prester', 'presterilize', 'presterilized', 'presterilizes', 'presterilizing', + 'presters', 'prestidigitation', 'prestidigitations', 'prestidigitator', 'prestidigitators', + 'prestige', 'prestigeful', + 'prestiges', 'prestigious', 'prestigiously', 'prestigiousness', 'prestigiousnesses', 'prestissimo', + 'presto', 'prestorage', 'prestorages', + 'prestos', + 'prestress', 'prestressed', 'prestresses', 'prestressing', + 'prestrike', 'prestructure', 'prestructured', 'prestructures', 'prestructuring', + 'prests', 'presumable', 'presumably', + 'presume', + 'presumed', 'presumedly', + 'presumer', + 'presumers', + 'presumes', + 'presuming', 'presumingly', + 'presummit', 'presumption', 'presumptions', 'presumptive', @@ -47707,12 +117912,30 @@ export const scrabble_array = [ 'presymptomatic', 'presynaptic', 'presynaptically', + 'pretape', + 'pretaped', + 'pretapes', + 'pretaping', + 'pretaste', + 'pretasted', + 'pretastes', 'pretasting', + 'pretax', 'pretechnological', + 'preteen', + 'preteens', 'pretelevision', + 'pretence', + 'pretences', + 'pretend', + 'pretended', 'pretendedly', + 'pretender', 'pretenders', 'pretending', + 'pretends', + 'pretense', + 'pretenses', 'pretension', 'pretensioned', 'pretensioning', @@ -47722,12 +117945,17 @@ export const scrabble_array = [ 'pretentiously', 'pretentiousness', 'pretentiousnesses', + 'preterit', + 'preterite', 'preterites', + 'preterits', + 'preterm', 'preterminal', 'pretermination', 'preterminations', 'pretermission', 'pretermissions', + 'pretermit', 'pretermits', 'pretermitted', 'pretermitting', @@ -47735,35 +117963,77 @@ export const scrabble_array = [ 'preternaturally', 'preternaturalness', 'preternaturalnesses', + 'pretest', + 'pretested', 'pretesting', + 'pretests', + 'pretext', + 'pretexted', 'pretexting', + 'pretexts', 'pretheater', + 'pretor', + 'pretorian', 'pretorians', + 'pretors', 'pretournament', 'pretournaments', + 'pretrain', 'pretrained', 'pretraining', + 'pretrains', + 'pretravel', + 'pretreat', 'pretreated', 'pretreating', 'pretreatment', 'pretreatments', + 'pretreats', + 'pretrial', + 'pretrials', + 'pretrim', 'pretrimmed', 'pretrimming', + 'pretrims', + 'prettied', + 'prettier', + 'pretties', + 'prettiest', 'prettification', 'prettifications', 'prettified', 'prettifier', 'prettifiers', 'prettifies', + 'prettify', 'prettifying', + 'prettily', 'prettiness', 'prettinesses', + 'pretty', + 'prettying', + 'prettyish', + 'pretype', + 'pretyped', + 'pretypes', + 'pretyping', + 'pretzel', + 'pretzels', 'preunification', + 'preunion', + 'preunions', + 'preunite', + 'preunited', + 'preunites', 'preuniting', 'preuniversity', + 'prevail', + 'prevailed', 'prevailing', + 'prevails', 'prevalence', 'prevalences', + 'prevalent', 'prevalently', 'prevalents', 'prevaricate', @@ -47776,11 +118046,14 @@ export const scrabble_array = [ 'prevaricators', 'prevenient', 'preveniently', + 'prevent', 'preventabilities', 'preventability', 'preventable', 'preventative', 'preventatives', + 'prevented', + 'preventer', 'preventers', 'preventible', 'preventing', @@ -47791,57 +118064,201 @@ export const scrabble_array = [ 'preventiveness', 'preventivenesses', 'preventives', + 'prevents', + 'preverbal', + 'previable', + 'preview', + 'previewed', + 'previewer', 'previewers', 'previewing', + 'previews', + 'previous', 'previously', 'previousness', 'previousnesses', + 'previse', + 'prevised', + 'previses', + 'prevising', + 'prevision', 'previsional', 'previsionary', 'previsioned', 'previsioning', 'previsions', + 'previsor', + 'previsors', 'prevocalic', 'prevocational', + 'prevue', + 'prevued', + 'prevues', + 'prevuing', + 'prewar', + 'prewarm', + 'prewarmed', 'prewarming', + 'prewarms', + 'prewarn', + 'prewarned', 'prewarning', + 'prewarns', + 'prewash', + 'prewashed', + 'prewashes', 'prewashing', 'preweaning', + 'prework', + 'prewrap', 'prewrapped', 'prewrapping', + 'prewraps', 'prewriting', 'prewritings', + 'prex', + 'prexes', + 'prexies', + 'prexy', + 'prey', + 'preyed', + 'preyer', + 'preyers', + 'preying', + 'preys', + 'prez', + 'prezes', + 'priapean', + 'priapi', + 'priapic', + 'priapism', + 'priapisms', + 'priapus', + 'priapuses', + 'price', + 'priced', + 'priceless', 'pricelessly', + 'pricer', + 'pricers', + 'prices', + 'pricey', + 'pricier', + 'priciest', + 'pricing', + 'prick', + 'pricked', + 'pricker', + 'prickers', + 'pricket', + 'prickets', + 'prickier', + 'prickiest', + 'pricking', + 'prickings', + 'prickle', + 'prickled', + 'prickles', + 'pricklier', 'prickliest', 'prickliness', 'pricklinesses', + 'prickling', + 'prickly', + 'pricks', + 'pricky', + 'pricy', + 'pride', + 'prided', + 'prideful', 'pridefully', 'pridefulness', 'pridefulnesses', + 'prides', + 'priding', + 'pried', + 'priedieu', + 'priedieus', + 'priedieux', + 'prier', + 'priers', + 'pries', + 'priest', + 'priested', + 'priestess', 'priestesses', 'priesthood', 'priesthoods', + 'priesting', 'priestlier', 'priestliest', 'priestliness', 'priestlinesses', + 'priestly', + 'priests', + 'prig', + 'prigged', 'priggeries', + 'priggery', + 'prigging', + 'priggish', 'priggishly', 'priggishness', 'priggishnesses', + 'priggism', + 'priggisms', + 'prigs', + 'prill', + 'prilled', + 'prilling', + 'prills', + 'prim', + 'prima', + 'primacies', + 'primacy', + 'primage', + 'primages', + 'primal', 'primalities', + 'primality', + 'primaries', + 'primarily', + 'primary', + 'primas', + 'primatal', + 'primatals', + 'primate', + 'primates', 'primateship', 'primateships', + 'primatial', 'primatological', 'primatologies', 'primatologist', 'primatologists', 'primatology', + 'prime', + 'primed', + 'primely', + 'primeness', 'primenesses', + 'primer', + 'primero', + 'primeros', + 'primers', + 'primes', + 'primeval', 'primevally', + 'primi', + 'primine', + 'primines', + 'priming', + 'primings', + 'primipara', 'primiparae', 'primiparas', 'primiparous', + 'primitive', 'primitively', 'primitiveness', 'primitivenesses', @@ -47853,15 +118270,39 @@ export const scrabble_array = [ 'primitivists', 'primitivities', 'primitivity', + 'primly', + 'primmed', + 'primmer', + 'primmest', + 'primming', + 'primness', 'primnesses', + 'primo', 'primogenitor', 'primogenitors', 'primogeniture', 'primogenitures', + 'primordia', 'primordial', 'primordially', 'primordium', + 'primos', + 'primp', + 'primped', + 'primping', + 'primps', + 'primrose', + 'primroses', + 'prims', + 'primsie', + 'primula', + 'primulas', + 'primus', + 'primuses', + 'prince', + 'princedom', 'princedoms', + 'princelet', 'princelets', 'princelier', 'princeliest', @@ -47869,27 +118310,66 @@ export const scrabble_array = [ 'princelinesses', 'princeling', 'princelings', + 'princely', + 'princes', 'princeship', 'princeships', + 'princess', + 'princesse', 'princesses', + 'principal', 'principalities', 'principality', 'principally', 'principals', 'principalship', 'principalships', + 'principe', + 'principi', + 'principia', 'principium', + 'principle', 'principled', 'principles', + 'princock', + 'princocks', + 'princox', + 'princoxes', + 'prink', + 'prinked', + 'prinker', + 'prinkers', + 'prinking', + 'prinks', + 'print', 'printabilities', 'printability', + 'printable', + 'printed', + 'printer', 'printeries', + 'printers', + 'printery', + 'printhead', 'printheads', + 'printing', + 'printings', + 'printless', 'printmaker', 'printmakers', 'printmaking', 'printmakings', + 'printout', + 'printouts', + 'prints', + 'prion', + 'prions', + 'prior', + 'priorate', + 'priorates', + 'prioress', 'prioresses', + 'priories', 'priorities', 'prioritization', 'prioritizations', @@ -47897,48 +118377,116 @@ export const scrabble_array = [ 'prioritized', 'prioritizes', 'prioritizing', + 'priority', + 'priorly', + 'priors', + 'priorship', 'priorships', + 'priory', + 'prise', + 'prised', + 'prisere', + 'priseres', + 'prises', + 'prising', + 'prism', + 'prismatic', 'prismatically', 'prismatoid', 'prismatoids', + 'prismoid', 'prismoidal', + 'prismoids', + 'prisms', + 'prison', + 'prisoned', + 'prisoner', + 'prisoners', + 'prisoning', + 'prisons', + 'priss', + 'prissed', + 'prisses', + 'prissier', + 'prissies', + 'prissiest', + 'prissily', 'prissiness', 'prissinesses', + 'prissing', + 'prissy', + 'pristane', + 'pristanes', + 'pristine', 'pristinely', + 'prithee', + 'privacies', + 'privacy', 'privatdocent', 'privatdocents', 'privatdozent', 'privatdozents', + 'private', + 'privateer', 'privateered', 'privateering', 'privateers', + 'privately', 'privateness', 'privatenesses', + 'privater', + 'privates', + 'privatest', + 'privation', 'privations', + 'privatise', 'privatised', 'privatises', 'privatising', + 'privatism', 'privatisms', + 'privative', 'privatively', 'privatives', 'privatization', 'privatizations', + 'privatize', 'privatized', 'privatizes', 'privatizing', + 'privet', + 'privets', + 'privier', + 'privies', + 'priviest', + 'privilege', 'privileged', 'privileges', 'privileging', + 'privily', + 'privities', + 'privity', + 'privy', + 'prize', + 'prized', 'prizefight', 'prizefighter', 'prizefighters', 'prizefighting', 'prizefightings', 'prizefights', + 'prizer', + 'prizers', + 'prizes', 'prizewinner', 'prizewinners', 'prizewinning', + 'prizing', + 'pro', + 'proa', 'proabortion', + 'proactive', + 'proas', 'probabilism', 'probabilisms', 'probabilist', @@ -47947,29 +118495,61 @@ export const scrabble_array = [ 'probabilists', 'probabilities', 'probability', + 'probable', + 'probables', + 'probably', + 'proband', + 'probands', + 'probang', + 'probangs', + 'probate', + 'probated', + 'probates', + 'probating', + 'probation', 'probational', 'probationally', 'probationary', 'probationer', 'probationers', 'probations', + 'probative', + 'probatory', + 'probe', + 'probed', 'probenecid', 'probenecids', + 'prober', + 'probers', + 'probes', + 'probing', + 'probit', + 'probities', + 'probits', + 'probity', + 'problem', 'problematic', 'problematical', 'problematically', 'problematics', + 'problems', 'proboscidean', 'proboscideans', 'proboscides', 'proboscidian', 'proboscidians', + 'proboscis', 'proboscises', + 'procaine', + 'procaines', + 'procambia', 'procambial', 'procambium', 'procambiums', 'procarbazine', 'procarbazines', + 'procarp', + 'procarps', 'procaryote', 'procaryotes', 'procathedral', @@ -47977,15 +118557,22 @@ export const scrabble_array = [ 'procedural', 'procedurally', 'procedurals', + 'procedure', 'procedures', + 'proceed', + 'proceeded', 'proceeding', 'proceedings', + 'proceeds', 'procephalic', 'procercoid', 'procercoids', + 'process', 'processabilities', 'processability', 'processable', + 'processed', + 'processes', 'processibilities', 'processibility', 'processible', @@ -47997,16 +118584,23 @@ export const scrabble_array = [ 'processioned', 'processioning', 'processions', + 'processor', 'processors', + 'prochain', + 'prochein', + 'proclaim', 'proclaimed', 'proclaimer', 'proclaimers', 'proclaiming', + 'proclaims', 'proclamation', 'proclamations', + 'proclitic', 'proclitics', 'proclivities', 'proclivity', + 'proconsul', 'proconsular', 'proconsulate', 'proconsulates', @@ -48021,6 +118615,8 @@ export const scrabble_array = [ 'procrastinations', 'procrastinator', 'procrastinators', + 'procreant', + 'procreate', 'procreated', 'procreates', 'procreating', @@ -48040,28 +118636,59 @@ export const scrabble_array = [ 'proctologist', 'proctologists', 'proctology', + 'proctor', + 'proctored', 'proctorial', 'proctoring', + 'proctors', 'proctorship', 'proctorships', 'procumbent', 'procurable', + 'procural', + 'procurals', 'procuration', 'procurations', 'procurator', 'procuratorial', 'procurators', + 'procure', + 'procured', 'procurement', 'procurements', + 'procurer', + 'procurers', + 'procures', + 'procuring', + 'prod', + 'prodded', + 'prodder', + 'prodders', + 'prodding', + 'prodigal', 'prodigalities', 'prodigality', 'prodigally', + 'prodigals', + 'prodigies', 'prodigious', 'prodigiously', 'prodigiousness', 'prodigiousnesses', + 'prodigy', + 'prodromal', 'prodromata', + 'prodrome', + 'prodromes', + 'prods', + 'produce', + 'produced', + 'producer', + 'producers', + 'produces', 'producible', + 'producing', + 'product', 'production', 'productional', 'productions', @@ -48071,15 +118698,35 @@ export const scrabble_array = [ 'productivenesses', 'productivities', 'productivity', + 'products', + 'proem', + 'proemial', + 'proems', + 'proenzyme', 'proenzymes', + 'proestrus', 'proestruses', + 'proette', + 'proettes', + 'prof', 'profanation', 'profanations', 'profanatory', + 'profane', + 'profaned', + 'profanely', 'profaneness', 'profanenesses', + 'profaner', + 'profaners', + 'profanes', + 'profaning', 'profanities', + 'profanity', + 'profess', + 'professed', 'professedly', + 'professes', 'professing', 'profession', 'professional', @@ -48094,6 +118741,7 @@ export const scrabble_array = [ 'professionally', 'professionals', 'professions', + 'professor', 'professorate', 'professorates', 'professorial', @@ -48105,49 +118753,82 @@ export const scrabble_array = [ 'professors', 'professorship', 'professorships', + 'proffer', + 'proffered', 'proffering', + 'proffers', 'proficiencies', 'proficiency', 'proficient', 'proficiently', 'proficients', + 'profile', + 'profiled', + 'profiler', + 'profilers', + 'profiles', + 'profiling', + 'profit', 'profitabilities', 'profitability', 'profitable', 'profitableness', 'profitablenesses', 'profitably', + 'profited', + 'profiteer', 'profiteered', 'profiteering', 'profiteers', + 'profiter', 'profiterole', 'profiteroles', + 'profiters', + 'profiting', 'profitless', + 'profits', 'profitwise', 'profligacies', 'profligacy', 'profligate', 'profligately', 'profligates', + 'profluent', + 'profound', 'profounder', 'profoundest', 'profoundly', 'profoundness', 'profoundnesses', + 'profounds', + 'profs', 'profundities', 'profundity', + 'profuse', + 'profusely', 'profuseness', 'profusenesses', + 'profusion', 'profusions', + 'prog', + 'progenies', 'progenitor', 'progenitors', + 'progeny', + 'progeria', + 'progerias', 'progestational', 'progesterone', 'progesterones', + 'progestin', 'progestins', 'progestogen', 'progestogenic', 'progestogens', + 'progged', + 'progger', + 'proggers', + 'progging', 'proglottid', 'proglottides', 'proglottids', @@ -48155,7 +118836,11 @@ export const scrabble_array = [ 'prognathism', 'prognathisms', 'prognathous', + 'prognose', + 'prognosed', + 'prognoses', 'prognosing', + 'prognosis', 'prognostic', 'prognosticate', 'prognosticated', @@ -48167,6 +118852,10 @@ export const scrabble_array = [ 'prognosticator', 'prognosticators', 'prognostics', + 'prograde', + 'program', + 'programed', + 'programer', 'programers', 'programing', 'programings', @@ -48176,12 +118865,15 @@ export const scrabble_array = [ 'programmables', 'programmatic', 'programmatically', + 'programme', 'programmed', 'programmer', 'programmers', 'programmes', 'programming', 'programmings', + 'programs', + 'progress', 'progressed', 'progresses', 'progressing', @@ -48200,6 +118892,8 @@ export const scrabble_array = [ 'progressivists', 'progressivities', 'progressivity', + 'progs', + 'prohibit', 'prohibited', 'prohibiting', 'prohibition', @@ -48211,9 +118905,12 @@ export const scrabble_array = [ 'prohibitiveness', 'prohibitivenesses', 'prohibitory', + 'prohibits', 'proinsulin', 'proinsulins', + 'project', 'projectable', + 'projected', 'projectile', 'projectiles', 'projecting', @@ -48224,17 +118921,39 @@ export const scrabble_array = [ 'projections', 'projective', 'projectively', + 'projector', 'projectors', + 'projects', + 'projet', + 'projets', 'prokaryote', 'prokaryotes', 'prokaryotic', + 'prolabor', + 'prolactin', 'prolactins', + 'prolamin', + 'prolamine', 'prolamines', + 'prolamins', + 'prolan', + 'prolans', + 'prolapse', + 'prolapsed', + 'prolapses', 'prolapsing', + 'prolate', + 'prole', + 'proleg', 'prolegomena', 'prolegomenon', 'prolegomenous', + 'prolegs', + 'prolepses', + 'prolepsis', + 'proleptic', 'proleptically', + 'proles', 'proletarian', 'proletarianise', 'proletarianised', @@ -48256,6 +118975,7 @@ export const scrabble_array = [ 'proliferation', 'proliferations', 'proliferative', + 'prolific', 'prolificacies', 'prolificacy', 'prolifically', @@ -48263,22 +118983,45 @@ export const scrabble_array = [ 'prolificity', 'prolificness', 'prolificnesses', + 'proline', + 'prolines', + 'prolix', 'prolixities', + 'prolixity', + 'prolixly', 'prolocutor', 'prolocutors', + 'prolog', + 'prologed', + 'prologing', + 'prologize', 'prologized', 'prologizes', 'prologizing', + 'prologs', + 'prologue', + 'prologued', + 'prologues', 'prologuing', 'prologuize', 'prologuized', 'prologuizes', 'prologuizing', + 'prolong', 'prolongation', 'prolongations', + 'prolonge', + 'prolonged', + 'prolonger', 'prolongers', + 'prolonges', 'prolonging', + 'prolongs', + 'prolusion', 'prolusions', + 'prolusory', + 'prom', + 'promenade', 'promenaded', 'promenader', 'promenaders', @@ -48286,32 +119029,64 @@ export const scrabble_array = [ 'promenading', 'promethium', 'promethiums', + 'promine', 'prominence', 'prominences', + 'prominent', 'prominently', + 'promines', 'promiscuities', 'promiscuity', 'promiscuous', 'promiscuously', 'promiscuousness', 'promiscuousnesses', + 'promise', + 'promised', + 'promisee', + 'promisees', + 'promiser', + 'promisers', + 'promises', + 'promising', 'promisingly', + 'promisor', + 'promisors', 'promissory', + 'promo', 'promontories', 'promontory', + 'promos', 'promotabilities', 'promotability', 'promotable', + 'promote', + 'promoted', + 'promoter', + 'promoters', + 'promotes', + 'promoting', + 'promotion', 'promotional', 'promotions', + 'promotive', 'promotiveness', 'promotivenesses', + 'prompt', 'promptbook', 'promptbooks', + 'prompted', + 'prompter', + 'prompters', + 'promptest', + 'prompting', 'promptitude', 'promptitudes', + 'promptly', 'promptness', 'promptnesses', + 'prompts', + 'proms', 'promulgate', 'promulgated', 'promulgates', @@ -48320,16 +119095,38 @@ export const scrabble_array = [ 'promulgations', 'promulgator', 'promulgators', + 'promulge', + 'promulged', + 'promulges', 'promulging', + 'pronate', + 'pronated', + 'pronates', + 'pronating', + 'pronation', 'pronations', + 'pronator', 'pronatores', + 'pronators', + 'prone', + 'pronely', + 'proneness', 'pronenesses', 'pronephric', 'pronephros', 'pronephroses', + 'prong', + 'pronged', + 'pronghorn', 'pronghorns', + 'pronging', + 'prongs', 'pronominal', 'pronominally', + 'pronota', + 'pronotum', + 'pronoun', + 'pronounce', 'pronounceabilities', 'pronounceability', 'pronounceable', @@ -48341,7 +119138,10 @@ export const scrabble_array = [ 'pronouncers', 'pronounces', 'pronouncing', + 'pronouns', + 'pronto', 'pronuclear', + 'pronuclei', 'pronucleus', 'pronucleuses', 'pronunciamento', @@ -48350,11 +119150,20 @@ export const scrabble_array = [ 'pronunciation', 'pronunciational', 'pronunciations', + 'proof', + 'proofed', + 'proofer', + 'proofers', + 'proofing', + 'proofread', 'proofreader', 'proofreaders', 'proofreading', 'proofreads', + 'proofroom', 'proofrooms', + 'proofs', + 'prop', 'propaedeutic', 'propaedeutics', 'propagable', @@ -48370,6 +119179,7 @@ export const scrabble_array = [ 'propagandizers', 'propagandizes', 'propagandizing', + 'propagate', 'propagated', 'propagates', 'propagating', @@ -48378,42 +119188,80 @@ export const scrabble_array = [ 'propagative', 'propagator', 'propagators', + 'propagule', 'propagules', + 'propane', + 'propanes', + 'propel', 'propellant', 'propellants', + 'propelled', 'propellent', 'propellents', + 'propeller', 'propellers', 'propelling', + 'propellor', 'propellors', + 'propels', + 'propend', + 'propended', 'propending', + 'propends', + 'propene', + 'propenes', + 'propenol', + 'propenols', + 'propense', 'propensities', 'propensity', + 'propenyl', + 'proper', + 'properdin', 'properdins', + 'properer', + 'properest', + 'properly', 'properness', 'propernesses', + 'propers', 'propertied', 'properties', + 'property', 'propertyless', 'propertylessness', 'propertylessnesses', + 'prophage', + 'prophages', + 'prophase', + 'prophases', + 'prophasic', 'prophecies', + 'prophecy', 'prophesied', 'prophesier', 'prophesiers', 'prophesies', + 'prophesy', 'prophesying', + 'prophet', 'prophetess', 'prophetesses', 'prophethood', 'prophethoods', + 'prophetic', 'prophetical', 'prophetically', + 'prophets', 'prophylactic', 'prophylactically', 'prophylactics', 'prophylaxes', 'prophylaxis', + 'propine', + 'propined', + 'propines', + 'propining', 'propinquities', 'propinquity', 'propionate', @@ -48431,10 +119279,20 @@ export const scrabble_array = [ 'propitiously', 'propitiousness', 'propitiousnesses', + 'propjet', + 'propjets', 'proplastid', 'proplastids', + 'propman', + 'propmen', + 'propolis', 'propolises', + 'propone', + 'proponed', + 'proponent', 'proponents', + 'propones', + 'proponing', 'proportion', 'proportionable', 'proportionably', @@ -48451,22 +119309,36 @@ export const scrabble_array = [ 'proportioned', 'proportioning', 'proportions', + 'proposal', + 'proposals', + 'propose', + 'proposed', + 'proposer', + 'proposers', + 'proposes', + 'proposing', + 'propositi', 'proposition', 'propositional', 'propositioned', 'propositioning', 'propositions', 'propositus', + 'propound', 'propounded', 'propounder', 'propounders', 'propounding', + 'propounds', 'propoxyphene', 'propoxyphenes', + 'propped', + 'propping', 'propraetor', 'propraetors', 'propranolol', 'propranolols', + 'propretor', 'propretors', 'proprietaries', 'proprietary', @@ -48478,24 +119350,51 @@ export const scrabble_array = [ 'proprietorships', 'proprietress', 'proprietresses', + 'propriety', 'proprioception', 'proprioceptions', 'proprioceptive', 'proprioceptor', 'proprioceptors', + 'props', + 'proptoses', + 'proptosis', 'propulsion', 'propulsions', 'propulsive', + 'propyl', + 'propyla', + 'propylaea', 'propylaeum', + 'propylene', 'propylenes', + 'propylic', + 'propylon', + 'propyls', + 'prorate', + 'prorated', + 'prorates', + 'prorating', + 'proration', 'prorations', + 'prorogate', 'prorogated', 'prorogates', 'prorogating', 'prorogation', 'prorogations', + 'prorogue', + 'prorogued', + 'prorogues', 'proroguing', + 'pros', + 'prosaic', 'prosaically', + 'prosaism', + 'prosaisms', + 'prosaist', + 'prosaists', + 'prosateur', 'prosateurs', 'prosauropod', 'prosauropods', @@ -48504,6 +119403,7 @@ export const scrabble_array = [ 'prosciutti', 'prosciutto', 'prosciuttos', + 'proscribe', 'proscribed', 'proscriber', 'proscribers', @@ -48513,9 +119413,15 @@ export const scrabble_array = [ 'proscriptions', 'proscriptive', 'proscriptively', + 'prose', + 'prosect', + 'prosected', 'prosecting', + 'prosector', 'prosectors', + 'prosects', 'prosecutable', + 'prosecute', 'prosecuted', 'prosecutes', 'prosecuting', @@ -48524,6 +119430,8 @@ export const scrabble_array = [ 'prosecutor', 'prosecutorial', 'prosecutors', + 'prosed', + 'proselyte', 'proselyted', 'proselytes', 'proselyting', @@ -48546,26 +119454,49 @@ export const scrabble_array = [ 'prosencephala', 'prosencephalic', 'prosencephalon', + 'proser', + 'prosers', + 'proses', + 'prosier', + 'prosiest', + 'prosily', + 'prosimian', 'prosimians', + 'prosiness', 'prosinesses', + 'prosing', + 'prosit', + 'proso', 'prosobranch', 'prosobranchs', + 'prosodic', 'prosodical', 'prosodically', + 'prosodies', + 'prosodist', 'prosodists', + 'prosody', + 'prosoma', + 'prosomal', + 'prosomas', 'prosopographical', 'prosopographies', 'prosopography', 'prosopopoeia', 'prosopopoeias', + 'prosos', + 'prospect', 'prospected', 'prospecting', 'prospective', 'prospectively', 'prospector', 'prospectors', + 'prospects', 'prospectus', 'prospectuses', + 'prosper', + 'prospered', 'prospering', 'prosperities', 'prosperity', @@ -48573,12 +119504,21 @@ export const scrabble_array = [ 'prosperously', 'prosperousness', 'prosperousnesses', + 'prospers', + 'pross', + 'prosses', + 'prossie', + 'prossies', + 'prost', 'prostacyclin', 'prostacyclins', 'prostaglandin', 'prostaglandins', + 'prostate', 'prostatectomies', 'prostatectomy', + 'prostates', + 'prostatic', 'prostatism', 'prostatisms', 'prostatites', @@ -48595,6 +119535,8 @@ export const scrabble_array = [ 'prosthodontics', 'prosthodontist', 'prosthodontists', + 'prostie', + 'prosties', 'prostitute', 'prostituted', 'prostitutes', @@ -48603,20 +119545,39 @@ export const scrabble_array = [ 'prostitutions', 'prostitutor', 'prostitutors', + 'prostomia', 'prostomial', 'prostomium', + 'prostrate', 'prostrated', 'prostrates', 'prostrating', 'prostration', 'prostrations', + 'prostyle', + 'prostyles', + 'prosy', 'protactinium', 'protactiniums', 'protagonist', 'protagonists', + 'protamin', + 'protamine', 'protamines', + 'protamins', + 'protases', + 'protasis', + 'protatic', + 'protea', + 'protean', + 'proteans', + 'proteas', + 'protease', + 'proteases', + 'protect', 'protectant', 'protectants', + 'protected', 'protecting', 'protection', 'protectionism', @@ -48628,6 +119589,7 @@ export const scrabble_array = [ 'protectively', 'protectiveness', 'protectivenesses', + 'protector', 'protectoral', 'protectorate', 'protectorates', @@ -48638,12 +119600,27 @@ export const scrabble_array = [ 'protectory', 'protectress', 'protectresses', + 'protects', + 'protege', + 'protegee', + 'protegees', + 'proteges', + 'protei', + 'proteid', + 'proteide', + 'proteides', + 'proteids', + 'protein', 'proteinaceous', 'proteinase', 'proteinases', + 'proteins', 'proteinuria', 'proteinurias', + 'protend', + 'protended', 'protending', + 'protends', 'protensive', 'protensively', 'proteoglycan', @@ -48652,33 +119629,55 @@ export const scrabble_array = [ 'proteolysis', 'proteolytic', 'proteolytically', + 'proteose', + 'proteoses', + 'protest', 'protestant', 'protestants', 'protestation', 'protestations', + 'protested', + 'protester', 'protesters', 'protesting', + 'protestor', 'protestors', + 'protests', + 'proteus', + 'proteuses', 'prothalamia', 'prothalamion', 'prothalamium', + 'prothalli', 'prothallia', 'prothallium', 'prothallus', 'prothalluses', + 'protheses', + 'prothesis', + 'prothetic', 'prothonotarial', 'prothonotaries', 'prothonotary', 'prothoraces', 'prothoracic', + 'prothorax', 'prothoraxes', 'prothrombin', 'prothrombins', + 'protist', + 'protistan', 'protistans', + 'protists', + 'protium', + 'protiums', + 'protocol', 'protocoled', 'protocoling', 'protocolled', 'protocolling', + 'protocols', + 'protoderm', 'protoderms', 'protogalaxies', 'protogalaxy', @@ -48693,16 +119692,21 @@ export const scrabble_array = [ 'protolanguages', 'protomartyr', 'protomartyrs', + 'proton', + 'protonate', 'protonated', 'protonates', 'protonating', 'protonation', 'protonations', + 'protonema', 'protonemal', 'protonemata', 'protonematal', + 'protonic', 'protonotaries', 'protonotary', + 'protons', 'protopathic', 'protophloem', 'protophloems', @@ -48714,8 +119718,11 @@ export const scrabble_array = [ 'protoplasms', 'protoplast', 'protoplasts', + 'protopod', + 'protopods', 'protoporphyrin', 'protoporphyrins', + 'protostar', 'protostars', 'protostele', 'protosteles', @@ -48728,19 +119735,27 @@ export const scrabble_array = [ 'prototrophs', 'prototrophy', 'prototypal', + 'prototype', 'prototyped', 'prototypes', 'prototypic', 'prototypical', 'prototypically', 'prototyping', + 'protoxid', + 'protoxids', 'protoxylem', 'protoxylems', + 'protozoa', + 'protozoal', + 'protozoan', 'protozoans', 'protozoologies', 'protozoologist', 'protozoologists', 'protozoology', + 'protozoon', + 'protract', 'protracted', 'protractile', 'protracting', @@ -48749,8 +119764,12 @@ export const scrabble_array = [ 'protractive', 'protractor', 'protractors', + 'protracts', 'protreptic', 'protreptics', + 'protrude', + 'protruded', + 'protrudes', 'protruding', 'protrusible', 'protrusion', @@ -48763,26 +119782,59 @@ export const scrabble_array = [ 'protuberances', 'protuberant', 'protuberantly', + 'protyl', + 'protyle', + 'protyles', + 'protyls', + 'proud', + 'prouder', + 'proudest', + 'proudful', 'proudhearted', + 'proudly', + 'prounion', + 'proustite', 'proustites', + 'provable', 'provableness', 'provablenesses', + 'provably', 'provascular', + 'prove', + 'proved', + 'proven', 'provenance', 'provenances', + 'provender', 'provenders', 'provenience', 'proveniences', + 'provenly', 'proventriculi', 'proventriculus', + 'prover', + 'proverb', + 'proverbed', 'proverbial', 'proverbially', 'proverbing', + 'proverbs', + 'provers', + 'proves', + 'provide', + 'provided', 'providence', 'providences', + 'provident', 'providential', 'providentially', 'providently', + 'provider', + 'providers', + 'provides', + 'providing', + 'province', + 'provinces', 'provincial', 'provincialism', 'provincialisms', @@ -48798,7 +119850,11 @@ export const scrabble_array = [ 'provincializing', 'provincially', 'provincials', + 'proving', + 'proviral', + 'provirus', 'proviruses', + 'provision', 'provisional', 'provisionally', 'provisionals', @@ -48808,6 +119864,10 @@ export const scrabble_array = [ 'provisioners', 'provisioning', 'provisions', + 'proviso', + 'provisoes', + 'provisory', + 'provisos', 'provitamin', 'provitamins', 'provocateur', @@ -48819,20 +119879,83 @@ export const scrabble_array = [ 'provocativeness', 'provocativenesses', 'provocatives', + 'provoke', + 'provoked', + 'provoker', + 'provokers', + 'provokes', + 'provoking', 'provokingly', + 'provolone', 'provolones', + 'provost', + 'provosts', + 'prow', + 'prowar', + 'prower', + 'prowess', + 'prowesses', + 'prowest', + 'prowl', + 'prowled', + 'prowler', + 'prowlers', + 'prowling', + 'prowls', + 'prows', + 'proxemic', + 'proxemics', + 'proxies', + 'proximal', 'proximally', + 'proximate', 'proximately', 'proximateness', 'proximatenesses', 'proximities', + 'proximity', + 'proximo', + 'proxy', + 'prude', + 'prudence', + 'prudences', + 'prudent', 'prudential', 'prudentially', + 'prudently', + 'pruderies', + 'prudery', + 'prudes', + 'prudish', + 'prudishly', 'prudishness', 'prudishnesses', + 'pruinose', + 'prunable', + 'prune', + 'pruned', + 'prunella', + 'prunellas', + 'prunelle', + 'prunelles', + 'prunello', + 'prunellos', + 'pruner', + 'pruners', + 'prunes', + 'pruning', + 'prunus', + 'prunuses', + 'prurience', 'pruriences', 'pruriencies', + 'pruriency', + 'prurient', 'pruriently', + 'prurigo', + 'prurigos', + 'pruritic', + 'pruritus', 'prurituses', 'prussianise', 'prussianised', @@ -48844,21 +119967,57 @@ export const scrabble_array = [ 'prussianized', 'prussianizes', 'prussianizing', + 'prussic', + 'pruta', + 'prutah', + 'prutot', + 'prutoth', + 'pry', + 'pryer', + 'pryers', + 'prying', + 'pryingly', + 'prythee', + 'psalm', + 'psalmbook', 'psalmbooks', + 'psalmed', + 'psalmic', + 'psalming', + 'psalmist', + 'psalmists', 'psalmodies', + 'psalmody', + 'psalms', + 'psalter', + 'psalteria', 'psalteries', 'psalterium', + 'psalters', + 'psaltery', + 'psaltries', + 'psaltry', + 'psammite', + 'psammites', + 'psammon', + 'psammons', + 'pschent', + 'pschents', + 'psephite', + 'psephites', 'psephological', 'psephologies', 'psephologist', 'psephologists', 'psephology', + 'pseud', 'pseudepigraph', 'pseudepigrapha', 'pseudepigraphies', 'pseudepigraphon', 'pseudepigraphs', 'pseudepigraphy', + 'pseudo', 'pseudoallele', 'pseudoalleles', 'pseudocholinesterase', @@ -48883,6 +120042,7 @@ export const scrabble_array = [ 'pseudomorphisms', 'pseudomorphous', 'pseudomorphs', + 'pseudonym', 'pseudonymities', 'pseudonymity', 'pseudonymous', @@ -48894,6 +120054,7 @@ export const scrabble_array = [ 'pseudoparenchymas', 'pseudoparenchymata', 'pseudoparenchymatous', + 'pseudopod', 'pseudopodal', 'pseudopodia', 'pseudopodial', @@ -48903,6 +120064,7 @@ export const scrabble_array = [ 'pseudopregnancy', 'pseudopregnant', 'pseudorandom', + 'pseudos', 'pseudoscience', 'pseudosciences', 'pseudoscientific', @@ -48915,34 +120077,69 @@ export const scrabble_array = [ 'pseudosophistications', 'pseudotuberculoses', 'pseudotuberculosis', + 'pseuds', + 'pshaw', + 'pshawed', + 'pshawing', + 'pshaws', + 'psi', + 'psilocin', + 'psilocins', 'psilocybin', 'psilocybins', 'psilophyte', 'psilophytes', 'psilophytic', + 'psiloses', + 'psilosis', + 'psilotic', + 'psis', 'psittacine', 'psittacines', 'psittacoses', 'psittacosis', 'psittacosises', 'psittacotic', + 'psoae', + 'psoai', + 'psoas', + 'psoatic', + 'psocid', + 'psocids', + 'psoralea', + 'psoraleas', + 'psoralen', + 'psoralens', + 'psoriases', + 'psoriasis', + 'psoriatic', 'psoriatics', + 'psst', + 'psych', 'psychasthenia', 'psychasthenias', 'psychasthenic', 'psychasthenics', + 'psyche', + 'psyched', 'psychedelia', 'psychedelias', 'psychedelic', 'psychedelically', 'psychedelics', + 'psyches', 'psychiatric', 'psychiatrically', 'psychiatries', 'psychiatrist', 'psychiatrists', 'psychiatry', + 'psychic', + 'psychical', 'psychically', + 'psychics', + 'psyching', + 'psycho', 'psychoacoustic', 'psychoacoustics', 'psychoactive', @@ -49060,10 +120257,13 @@ export const scrabble_array = [ 'psychophysiologist', 'psychophysiologists', 'psychophysiology', + 'psychos', + 'psychoses', 'psychosexual', 'psychosexualities', 'psychosexuality', 'psychosexually', + 'psychosis', 'psychosocial', 'psychosocially', 'psychosomatic', @@ -49082,6 +120282,7 @@ export const scrabble_array = [ 'psychotherapist', 'psychotherapists', 'psychotherapy', + 'psychotic', 'psychotically', 'psychotics', 'psychotomimetic', @@ -49095,9 +120296,20 @@ export const scrabble_array = [ 'psychrometries', 'psychrometry', 'psychrophilic', + 'psychs', + 'psylla', + 'psyllas', + 'psyllid', + 'psyllids', + 'psyllium', + 'psylliums', + 'psywar', + 'psywars', + 'ptarmigan', 'ptarmigans', 'pteranodon', 'pteranodons', + 'pteridine', 'pteridines', 'pteridological', 'pteridologies', @@ -49108,90 +120320,389 @@ export const scrabble_array = [ 'pteridophytes', 'pteridosperm', 'pteridosperms', + 'pterin', + 'pterins', 'pterodactyl', 'pterodactyls', + 'pteropod', + 'pteropods', + 'pterosaur', 'pterosaurs', + 'pterygia', + 'pterygium', 'pterygiums', + 'pterygoid', 'pterygoids', + 'pteryla', + 'pterylae', + 'ptisan', + 'ptisans', + 'ptomain', + 'ptomaine', + 'ptomaines', + 'ptomains', + 'ptoses', + 'ptosis', + 'ptotic', + 'ptyalin', + 'ptyalins', + 'ptyalism', + 'ptyalisms', + 'pub', + 'puberal', + 'pubertal', + 'puberties', + 'puberty', 'puberulent', + 'pubes', 'pubescence', 'pubescences', + 'pubescent', + 'pubic', + 'pubis', + 'public', 'publically', + 'publican', + 'publicans', 'publication', 'publications', + 'publicise', 'publicised', 'publicises', 'publicising', + 'publicist', 'publicists', 'publicities', + 'publicity', + 'publicize', 'publicized', 'publicizes', 'publicizing', + 'publicly', 'publicness', 'publicnesses', + 'publics', + 'publish', 'publishable', + 'published', + 'publisher', 'publishers', + 'publishes', 'publishing', 'publishings', + 'pubs', + 'puccoon', + 'puccoons', + 'puce', + 'puces', + 'puck', + 'pucka', + 'pucker', + 'puckered', + 'puckerer', + 'puckerers', + 'puckerier', 'puckeriest', + 'puckering', + 'puckers', + 'puckery', + 'puckish', + 'puckishly', 'puckishness', 'puckishnesses', + 'pucks', + 'pud', + 'pudding', + 'puddings', + 'puddle', + 'puddled', + 'puddler', + 'puddlers', + 'puddles', + 'puddlier', + 'puddliest', + 'puddling', + 'puddlings', + 'puddly', + 'pudencies', + 'pudency', + 'pudenda', + 'pudendal', + 'pudendum', + 'pudgier', + 'pudgiest', + 'pudgily', + 'pudginess', 'pudginesses', + 'pudgy', + 'pudibund', + 'pudic', + 'puds', + 'pueblo', + 'pueblos', + 'puerile', + 'puerilely', + 'puerilism', 'puerilisms', 'puerilities', + 'puerility', + 'puerperal', + 'puerperia', 'puerperium', + 'puff', + 'puffball', + 'puffballs', + 'puffed', + 'puffer', + 'pufferies', + 'puffers', + 'puffery', + 'puffier', + 'puffiest', + 'puffily', + 'puffin', + 'puffiness', 'puffinesses', + 'puffing', + 'puffins', + 'puffs', + 'puffy', + 'pug', + 'pugaree', + 'pugarees', + 'puggaree', + 'puggarees', + 'pugged', + 'puggier', + 'puggiest', + 'pugging', + 'puggish', + 'puggree', + 'puggrees', + 'puggries', + 'puggry', + 'puggy', + 'pugh', + 'pugilism', + 'pugilisms', + 'pugilist', 'pugilistic', + 'pugilists', + 'pugmark', + 'pugmarks', 'pugnacious', 'pugnaciously', 'pugnaciousness', 'pugnaciousnesses', 'pugnacities', + 'pugnacity', + 'pugree', + 'pugrees', + 'pugs', + 'puisne', + 'puisnes', + 'puissance', 'puissances', + 'puissant', + 'puja', + 'pujah', + 'pujahs', + 'pujas', + 'puke', + 'puked', + 'pukes', + 'puking', + 'pukka', + 'pul', + 'pula', 'pulchritude', 'pulchritudes', 'pulchritudinous', + 'pule', + 'puled', + 'puler', + 'pulers', + 'pules', + 'puli', + 'pulicene', + 'pulicide', + 'pulicides', + 'pulik', + 'puling', + 'pulingly', + 'pulings', + 'pulis', + 'pull', + 'pullback', + 'pullbacks', + 'pulled', + 'puller', + 'pullers', + 'pullet', + 'pullets', + 'pulley', + 'pulleys', + 'pulling', + 'pullman', + 'pullmans', + 'pullout', + 'pullouts', + 'pullover', + 'pullovers', + 'pulls', + 'pullulate', 'pullulated', 'pullulates', 'pullulating', 'pullulation', 'pullulations', + 'pullup', + 'pullups', + 'pulmonary', + 'pulmonate', 'pulmonates', + 'pulmonic', + 'pulmotor', + 'pulmotors', + 'pulp', + 'pulpal', + 'pulpally', + 'pulped', + 'pulper', + 'pulpers', + 'pulpier', + 'pulpiest', + 'pulpily', + 'pulpiness', 'pulpinesses', + 'pulping', + 'pulpit', + 'pulpital', + 'pulpits', + 'pulpless', + 'pulpous', + 'pulps', + 'pulpwood', + 'pulpwoods', + 'pulpy', + 'pulque', + 'pulques', + 'puls', + 'pulsant', + 'pulsar', + 'pulsars', + 'pulsate', + 'pulsated', + 'pulsates', + 'pulsatile', + 'pulsating', + 'pulsation', 'pulsations', + 'pulsator', + 'pulsators', + 'pulse', + 'pulsed', + 'pulsejet', + 'pulsejets', + 'pulser', + 'pulsers', + 'pulses', + 'pulsing', + 'pulsion', + 'pulsions', + 'pulsojet', + 'pulsojets', 'pulverable', + 'pulverise', 'pulverised', 'pulverises', 'pulverising', 'pulverizable', 'pulverization', 'pulverizations', + 'pulverize', 'pulverized', 'pulverizer', 'pulverizers', 'pulverizes', 'pulverizing', 'pulverulent', + 'pulvilli', + 'pulvillus', + 'pulvinar', + 'pulvini', + 'pulvinus', + 'puma', + 'pumas', + 'pumelo', + 'pumelos', + 'pumice', + 'pumiced', + 'pumiceous', + 'pumicer', + 'pumicers', + 'pumices', + 'pumicing', + 'pumicite', + 'pumicites', + 'pummel', + 'pummeled', + 'pummeling', + 'pummelled', 'pummelling', + 'pummelo', + 'pummelos', + 'pummels', + 'pump', + 'pumped', + 'pumper', 'pumpernickel', 'pumpernickels', + 'pumpers', + 'pumping', + 'pumpkin', + 'pumpkins', 'pumpkinseed', 'pumpkinseeds', + 'pumpless', + 'pumplike', + 'pumps', + 'pun', + 'puna', + 'punas', + 'punch', + 'punchball', 'punchballs', 'punchboard', 'punchboards', + 'punched', + 'puncheon', + 'puncheons', + 'puncher', + 'punchers', + 'punches', + 'punchier', + 'punchiest', + 'punchily', 'punchinello', 'punchinellos', + 'punching', + 'punchless', + 'punchy', + 'punctate', 'punctation', 'punctations', + 'punctilio', 'punctilios', 'punctilious', 'punctiliously', 'punctiliousness', 'punctiliousnesses', + 'punctual', 'punctualities', 'punctuality', 'punctually', + 'punctuate', 'punctuated', 'punctuates', 'punctuating', @@ -49199,53 +120710,253 @@ export const scrabble_array = [ 'punctuations', 'punctuator', 'punctuators', + 'puncture', + 'punctured', + 'punctures', 'puncturing', + 'pundit', + 'punditic', 'punditries', + 'punditry', + 'pundits', + 'pung', 'pungencies', + 'pungency', + 'pungent', + 'pungently', + 'pungle', + 'pungled', + 'pungles', + 'pungling', + 'pungs', + 'punier', + 'puniest', + 'punily', + 'puniness', 'puninesses', + 'punish', 'punishabilities', 'punishability', 'punishable', + 'punished', + 'punisher', + 'punishers', + 'punishes', + 'punishing', 'punishment', 'punishments', + 'punition', + 'punitions', + 'punitive', 'punitively', 'punitiveness', 'punitivenesses', + 'punitory', + 'punk', + 'punka', + 'punkah', + 'punkahs', + 'punkas', + 'punker', + 'punkers', + 'punkest', + 'punkey', + 'punkeys', + 'punkie', + 'punkier', + 'punkies', + 'punkiest', + 'punkin', + 'punkiness', 'punkinesses', + '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', + 'pupations', + 'pupfish', + 'pupfishes', + 'pupil', + 'pupilage', + 'pupilages', + 'pupilar', + 'pupilary', + 'pupillage', 'pupillages', + 'pupillary', + 'pupils', + 'pupped', + 'puppet', + 'puppeteer', 'puppeteers', 'puppetlike', 'puppetries', + 'puppetry', + 'puppets', + 'puppies', + 'pupping', + 'puppy', + 'puppydom', + 'puppydoms', + 'puppyhood', 'puppyhoods', + 'puppyish', + 'puppylike', + 'pups', + 'pur', + 'purana', + 'puranas', + 'puranic', + 'purblind', 'purblindly', 'purblindness', 'purblindnesses', 'purchasable', + 'purchase', + 'purchased', + 'purchaser', 'purchasers', + 'purchases', 'purchasing', + 'purda', + 'purdah', + 'purdahs', + 'purdas', + 'pure', + 'pureblood', 'purebloods', + 'purebred', + 'purebreds', + 'puree', + 'pureed', + 'pureeing', + 'purees', + 'purely', + 'pureness', 'purenesses', + 'purer', + 'purest', + 'purfle', + 'purfled', + 'purfles', + 'purfling', + 'purflings', + 'purgation', 'purgations', + 'purgative', 'purgatives', 'purgatorial', 'purgatories', + 'purgatory', + 'purge', + 'purged', + 'purger', + 'purgers', + 'purges', + 'purging', + 'purgings', + 'puri', 'purification', 'purifications', 'purificator', 'purificators', 'purificatory', + 'purified', + 'purifier', + 'purifiers', + 'purifies', + 'purify', + 'purifying', + 'purin', + 'purine', + 'purines', + 'purins', + 'puris', + 'purism', + 'purisms', + 'purist', + 'puristic', 'puristically', + 'purists', + 'puritan', 'puritanical', 'puritanically', 'puritanism', 'puritanisms', + 'puritans', + 'purities', + 'purity', + 'purl', + 'purled', + 'purlieu', + 'purlieus', + 'purlin', + 'purline', + 'purlines', + 'purling', + 'purlins', + 'purloin', + 'purloined', + 'purloiner', 'purloiners', 'purloining', + 'purloins', + 'purls', + 'puromycin', 'puromycins', + 'purple', + 'purpled', 'purpleheart', 'purplehearts', + 'purpler', + 'purples', + 'purplest', + 'purpling', + 'purplish', + 'purply', + 'purport', + 'purported', 'purportedly', 'purporting', + 'purports', + 'purpose', + 'purposed', 'purposeful', 'purposefully', 'purposefulness', @@ -49254,39 +120965,157 @@ export const scrabble_array = [ 'purposelessly', 'purposelessness', 'purposelessnesses', + 'purposely', + 'purposes', + 'purposing', + 'purposive', 'purposively', 'purposiveness', 'purposivenesses', + 'purpura', + 'purpuras', + 'purpure', + 'purpures', + 'purpuric', + 'purpurin', + 'purpurins', + 'purr', + 'purred', + 'purring', + 'purringly', + 'purrs', + 'purs', + 'purse', + 'pursed', + 'purselike', + 'purser', + 'pursers', + 'purses', + 'pursier', + 'pursiest', + 'pursily', + 'pursiness', 'pursinesses', + 'pursing', + 'purslane', + 'purslanes', + 'pursuance', 'pursuances', + 'pursuant', + 'pursue', + 'pursued', + 'pursuer', + 'pursuers', + 'pursues', + 'pursuing', + 'pursuit', + 'pursuits', 'pursuivant', 'pursuivants', + 'pursy', 'purtenance', 'purtenances', + 'purulence', 'purulences', + 'purulent', + 'purvey', 'purveyance', 'purveyances', + 'purveyed', + 'purveying', + 'purveyor', + 'purveyors', + 'purveys', + 'purview', + 'purviews', + 'pus', + 'puses', + 'push', + 'pushball', + 'pushballs', + 'pushcart', + 'pushcarts', + 'pushchair', 'pushchairs', + 'pushdown', + 'pushdowns', + 'pushed', + 'pusher', + 'pushers', + 'pushes', + 'pushful', 'pushfulness', 'pushfulnesses', + 'pushier', + 'pushiest', + 'pushily', + 'pushiness', 'pushinesses', + 'pushing', + 'pushover', + 'pushovers', + 'pushpin', + 'pushpins', + 'pushrod', + 'pushrods', + 'pushup', + 'pushups', + 'pushy', 'pusillanimities', 'pusillanimity', 'pusillanimous', 'pusillanimously', + 'pusley', + 'pusleys', + 'puslike', + 'puss', + 'pusses', + 'pussier', + 'pussies', + 'pussiest', + 'pussley', + 'pussleys', + 'pusslies', + 'pusslike', + 'pussly', + 'pussy', + 'pussycat', + 'pussycats', + 'pussyfoot', 'pussyfooted', 'pussyfooter', 'pussyfooters', 'pussyfooting', 'pussyfoots', + 'pussytoes', + 'pustulant', 'pustulants', + 'pustular', 'pustulated', 'pustulation', 'pustulations', + 'pustule', + 'pustuled', + 'pustules', + 'put', + 'putamen', + 'putamina', + 'putative', 'putatively', + 'putlog', + 'putlogs', + 'putoff', + 'putoffs', + 'puton', + 'putons', + 'putout', + 'putouts', 'putrefaction', 'putrefactions', 'putrefactive', + 'putrefied', + 'putrefies', + 'putrefy', 'putrefying', 'putrescence', 'putrescences', @@ -49294,48 +121123,174 @@ export const scrabble_array = [ 'putrescible', 'putrescine', 'putrescines', + 'putrid', 'putridities', + 'putridity', + 'putridly', + 'puts', + 'putsch', + 'putsches', + 'putschist', 'putschists', + 'putt', + 'putted', + 'puttee', + 'puttees', + 'putter', + 'puttered', + 'putterer', + 'putterers', + 'puttering', + 'putters', + 'putti', + 'puttied', + 'puttier', + 'puttiers', + 'putties', + 'putting', + 'putto', + 'putts', + 'putty', + 'puttying', + 'puttyless', + 'puttylike', + 'puttyroot', 'puttyroots', + 'putz', + 'putzed', + 'putzes', + 'putzing', + 'puzzle', + 'puzzled', 'puzzleheaded', 'puzzleheadedness', 'puzzleheadednesses', 'puzzlement', 'puzzlements', + 'puzzler', + 'puzzlers', + 'puzzles', + 'puzzling', 'puzzlingly', + 'pya', + 'pyaemia', + 'pyaemias', + 'pyaemic', + 'pyas', + 'pycnidia', + 'pycnidial', + 'pycnidium', 'pycnogonid', 'pycnogonids', 'pycnometer', 'pycnometers', + 'pycnoses', + 'pycnosis', + 'pycnotic', + 'pye', + 'pyelitic', + 'pyelitis', 'pyelitises', 'pyelonephritic', 'pyelonephritides', 'pyelonephritis', + 'pyemia', + 'pyemias', + 'pyemic', + 'pyes', + 'pygidia', + 'pygidial', + 'pygidium', + 'pygmaean', + 'pygmean', + 'pygmies', + 'pygmoid', + 'pygmy', + 'pygmyish', + 'pygmyism', + 'pygmyisms', + 'pyic', + 'pyin', + 'pyins', + 'pyjamas', + 'pyknic', + 'pyknics', + 'pyknoses', + 'pyknosis', + 'pyknotic', + 'pylon', + 'pylons', + 'pylori', + 'pyloric', + 'pylorus', + 'pyloruses', + 'pyoderma', + 'pyodermas', + 'pyogenic', + 'pyoid', + 'pyorrhea', + 'pyorrheas', + 'pyoses', + 'pyosis', 'pyracantha', 'pyracanthas', + 'pyralid', + 'pyralids', + 'pyramid', + 'pyramidal', 'pyramidally', + 'pyramided', 'pyramidical', 'pyramiding', + 'pyramids', + 'pyran', + 'pyranoid', + 'pyranose', + 'pyranoses', 'pyranoside', 'pyranosides', + 'pyrans', 'pyrargyrite', 'pyrargyrites', + 'pyre', + 'pyrene', + 'pyrenes', + 'pyrenoid', + 'pyrenoids', + 'pyres', + 'pyrethrin', 'pyrethrins', 'pyrethroid', 'pyrethroids', + 'pyrethrum', 'pyrethrums', + 'pyretic', + 'pyrexia', + 'pyrexial', + 'pyrexias', + 'pyrexic', 'pyrheliometer', 'pyrheliometers', 'pyrheliometric', + 'pyric', + 'pyridic', + 'pyridine', + 'pyridines', + 'pyridoxal', 'pyridoxals', 'pyridoxamine', 'pyridoxamines', 'pyridoxine', 'pyridoxines', + 'pyriform', 'pyrimethamine', 'pyrimethamines', 'pyrimidine', 'pyrimidines', + 'pyrite', + 'pyrites', + 'pyritic', + 'pyritous', 'pyrocatechol', 'pyrocatechols', 'pyroclastic', @@ -49344,21 +121299,39 @@ export const scrabble_array = [ 'pyroelectricity', 'pyrogallol', 'pyrogallols', + 'pyrogen', + 'pyrogenic', 'pyrogenicities', 'pyrogenicity', + 'pyrogens', + 'pyrola', + 'pyrolas', + 'pyrolize', + 'pyrolized', + 'pyrolizes', 'pyrolizing', 'pyrologies', + 'pyrology', 'pyrolusite', 'pyrolusites', 'pyrolysate', 'pyrolysates', + 'pyrolyses', + 'pyrolysis', + 'pyrolytic', 'pyrolytically', 'pyrolyzable', 'pyrolyzate', 'pyrolyzates', + 'pyrolyze', + 'pyrolyzed', + 'pyrolyzer', 'pyrolyzers', + 'pyrolyzes', 'pyrolyzing', 'pyromancies', + 'pyromancy', + 'pyromania', 'pyromaniac', 'pyromaniacal', 'pyromaniacs', @@ -49366,47 +121339,125 @@ export const scrabble_array = [ 'pyrometallurgical', 'pyrometallurgies', 'pyrometallurgy', + 'pyrometer', 'pyrometers', 'pyrometric', 'pyrometrically', 'pyrometries', + 'pyrometry', 'pyromorphite', 'pyromorphites', + 'pyrone', + 'pyrones', + 'pyronine', + 'pyronines', 'pyroninophilic', + 'pyrope', + 'pyropes', 'pyrophoric', 'pyrophosphate', 'pyrophosphates', 'pyrophyllite', 'pyrophyllites', + 'pyrosis', + 'pyrosises', + 'pyrostat', + 'pyrostats', 'pyrotechnic', 'pyrotechnical', 'pyrotechnically', 'pyrotechnics', 'pyrotechnist', 'pyrotechnists', + 'pyroxene', + 'pyroxenes', + 'pyroxenic', 'pyroxenite', 'pyroxenites', 'pyroxenitic', 'pyroxenoid', 'pyroxenoids', + 'pyroxylin', 'pyroxylins', + 'pyrrhic', + 'pyrrhics', 'pyrrhotite', 'pyrrhotites', + 'pyrrol', + 'pyrrole', + 'pyrroles', + 'pyrrolic', + 'pyrrols', + 'pyruvate', + 'pyruvates', + 'python', + 'pythoness', 'pythonesses', + 'pythonic', + 'pythons', + 'pyuria', + 'pyurias', + 'pyx', + 'pyxes', + 'pyxides', + 'pyxidia', + 'pyxidium', + 'pyxie', + 'pyxies', + 'pyxis', + 'qaid', + 'qaids', + 'qanat', + 'qanats', + 'qat', + 'qats', + 'qindar', + 'qindarka', + 'qindars', + 'qintar', + 'qintars', + 'qiviut', + 'qiviuts', + 'qoph', + 'qophs', + 'qua', + 'quaalude', + 'quaaludes', + 'quack', + 'quacked', 'quackeries', + 'quackery', + 'quacking', + 'quackish', + 'quackism', + 'quackisms', + 'quacks', 'quacksalver', 'quacksalvers', + 'quad', + 'quadded', + 'quadding', + 'quadplex', 'quadplexes', 'quadrangle', 'quadrangles', 'quadrangular', + 'quadrans', + 'quadrant', 'quadrantal', 'quadrantes', + 'quadrants', 'quadraphonic', 'quadraphonics', + 'quadrat', + 'quadrate', + 'quadrated', + 'quadrates', + 'quadratic', 'quadratically', 'quadratics', 'quadrating', + 'quadrats', 'quadrature', 'quadratures', 'quadrennia', @@ -49415,12 +121466,17 @@ export const scrabble_array = [ 'quadrennials', 'quadrennium', 'quadrenniums', + 'quadric', 'quadricentennial', 'quadricentennials', 'quadriceps', 'quadricepses', + 'quadrics', + 'quadriga', + 'quadrigae', 'quadrilateral', 'quadrilaterals', + 'quadrille', 'quadrilles', 'quadrillion', 'quadrillions', @@ -49435,16 +121491,21 @@ export const scrabble_array = [ 'quadriplegics', 'quadrivalent', 'quadrivalents', + 'quadrivia', 'quadrivial', 'quadrivium', 'quadriviums', + 'quadroon', + 'quadroons', 'quadrumanous', 'quadrumvir', 'quadrumvirate', 'quadrumvirates', 'quadrumvirs', + 'quadruped', 'quadrupedal', 'quadrupeds', + 'quadruple', 'quadrupled', 'quadruples', 'quadruplet', @@ -49458,24 +121519,104 @@ export const scrabble_array = [ 'quadruplicities', 'quadruplicity', 'quadrupling', + 'quadruply', 'quadrupole', 'quadrupoles', + 'quads', + 'quaere', + 'quaeres', + 'quaestor', + 'quaestors', + 'quaff', + 'quaffed', + 'quaffer', + 'quaffers', + 'quaffing', + 'quaffs', + 'quag', + 'quagga', + 'quaggas', + 'quaggier', + 'quaggiest', + 'quaggy', + 'quagmire', + 'quagmires', 'quagmirier', 'quagmiriest', + 'quagmiry', + 'quags', + 'quahaug', + 'quahaugs', + 'quahog', + 'quahogs', + 'quai', + 'quaich', + 'quaiches', + 'quaichs', + 'quaigh', + 'quaighs', + 'quail', + 'quailed', + 'quailing', + 'quails', + 'quaint', + 'quainter', + 'quaintest', + 'quaintly', 'quaintness', 'quaintnesses', + 'quais', + 'quake', + 'quaked', + 'quaker', + 'quakers', + 'quakes', + 'quakier', + 'quakiest', + 'quakily', + 'quaking', + 'quaky', + 'quale', + 'qualia', 'qualifiable', 'qualification', 'qualifications', + 'qualified', 'qualifiedly', + 'qualifier', 'qualifiers', + 'qualifies', + 'qualify', 'qualifying', 'qualitative', 'qualitatively', + 'qualities', + 'quality', + 'qualm', + 'qualmier', + 'qualmiest', + 'qualmish', 'qualmishly', 'qualmishness', 'qualmishnesses', + 'qualms', + 'qualmy', + 'quamash', + 'quamashes', + 'quandang', + 'quandangs', 'quandaries', + 'quandary', + 'quandong', + 'quandongs', + 'quango', + 'quangos', + 'quant', + 'quanta', + 'quantal', + 'quanted', + 'quantic', + 'quantics', 'quantifiable', 'quantification', 'quantificational', @@ -49485,7 +121626,11 @@ export const scrabble_array = [ 'quantifier', 'quantifiers', 'quantifies', + 'quantify', 'quantifying', + 'quantile', + 'quantiles', + 'quanting', 'quantitate', 'quantitated', 'quantitates', @@ -49497,25 +121642,54 @@ export const scrabble_array = [ 'quantitativeness', 'quantitativenesses', 'quantities', + 'quantity', 'quantization', 'quantizations', + 'quantize', + 'quantized', + 'quantizer', 'quantizers', + 'quantizes', 'quantizing', + 'quantong', + 'quantongs', + 'quants', + 'quantum', 'quarantine', 'quarantined', 'quarantines', 'quarantining', + 'quare', + 'quark', + 'quarks', + 'quarrel', + 'quarreled', + 'quarreler', 'quarrelers', 'quarreling', 'quarrelled', 'quarreller', 'quarrellers', 'quarrelling', + 'quarrels', 'quarrelsome', 'quarrelsomely', 'quarrelsomeness', 'quarrelsomenesses', + 'quarried', + 'quarrier', + 'quarriers', + 'quarries', + 'quarry', + 'quarrying', 'quarryings', + 'quarryman', + 'quarrymen', + 'quart', + 'quartan', + 'quartans', + 'quarte', + 'quarter', 'quarterage', 'quarterages', 'quarterback', @@ -49524,6 +121698,7 @@ export const scrabble_array = [ 'quarterbacks', 'quarterdeck', 'quarterdecks', + 'quartered', 'quarterfinal', 'quarterfinalist', 'quarterfinalists', @@ -49531,20 +121706,55 @@ export const scrabble_array = [ 'quartering', 'quarterings', 'quarterlies', + 'quarterly', 'quartermaster', 'quartermasters', + 'quartern', + 'quarterns', + 'quarters', 'quartersawed', 'quartersawn', 'quarterstaff', 'quarterstaves', + 'quartes', + 'quartet', + 'quartets', + 'quartette', 'quartettes', + 'quartic', + 'quartics', + 'quartile', + 'quartiles', + 'quarto', + 'quartos', + 'quarts', + 'quartz', + 'quartzes', + 'quartzite', 'quartzites', 'quartzitic', + 'quartzose', + 'quasar', + 'quasars', + 'quash', + 'quashed', + 'quasher', + 'quashers', + 'quashes', + 'quashing', + 'quasi', 'quasiparticle', 'quasiparticles', 'quasiperiodic', 'quasiperiodicities', 'quasiperiodicity', + 'quass', + 'quasses', + 'quassia', + 'quassias', + 'quassin', + 'quassins', + 'quate', 'quatercentenaries', 'quatercentenary', 'quaternaries', @@ -49553,32 +121763,116 @@ export const scrabble_array = [ 'quaternions', 'quaternities', 'quaternity', + 'quatorze', + 'quatorzes', + 'quatrain', + 'quatrains', + 'quatre', 'quatrefoil', 'quatrefoils', + 'quatres', 'quattrocento', 'quattrocentos', 'quattuordecillion', 'quattuordecillions', + 'quaver', + 'quavered', + 'quaverer', + 'quaverers', + 'quavering', 'quaveringly', + 'quavers', + 'quavery', + 'quay', + 'quayage', + 'quayages', + 'quaylike', + 'quays', + 'quayside', + 'quaysides', + 'quean', + 'queans', + 'queasier', + 'queasiest', + 'queasily', 'queasiness', 'queasinesses', + 'queasy', + 'queazier', + 'queaziest', + 'queazy', + 'quebracho', 'quebrachos', + 'queen', + 'queendom', + 'queendoms', + 'queened', + 'queening', + 'queenlier', 'queenliest', 'queenliness', 'queenlinesses', + 'queenly', + 'queens', + 'queenship', 'queenships', + 'queenside', 'queensides', + 'queer', + 'queered', + 'queerer', + 'queerest', + 'queering', + 'queerish', + 'queerly', + 'queerness', 'queernesses', + 'queers', + 'quell', + 'quelled', + 'queller', + 'quellers', + 'quelling', + 'quells', + 'quench', 'quenchable', + 'quenched', + 'quencher', + 'quenchers', + 'quenches', + 'quenching', 'quenchless', + 'quenelle', + 'quenelles', + 'quercetin', 'quercetins', + 'quercine', 'quercitron', 'quercitrons', + 'querida', + 'queridas', + 'queried', + 'querier', + 'queriers', + 'queries', + 'querist', + 'querists', + 'quern', + 'querns', + 'querulous', 'querulously', 'querulousness', 'querulousnesses', + 'query', + 'querying', 'quesadilla', 'quesadillas', + 'quest', + 'quested', + 'quester', + 'questers', + 'questing', + 'question', 'questionable', 'questionableness', 'questionablenesses', @@ -49592,51 +121886,207 @@ export const scrabble_array = [ 'questionless', 'questionnaire', 'questionnaires', + 'questions', + 'questor', + 'questors', + 'quests', + 'quetzal', + 'quetzales', + 'quetzals', + 'queue', + 'queued', + 'queueing', + 'queuer', + 'queuers', + 'queues', + 'queuing', + 'quey', + 'queys', + 'quezal', + 'quezales', + 'quezals', + 'quibble', + 'quibbled', + 'quibbler', + 'quibblers', + 'quibbles', + 'quibbling', + 'quiche', + 'quiches', + 'quick', + 'quicken', + 'quickened', + 'quickener', 'quickeners', 'quickening', + 'quickens', + 'quicker', + 'quickest', + 'quickie', + 'quickies', + 'quicklime', 'quicklimes', + 'quickly', + 'quickness', 'quicknesses', + 'quicks', + 'quicksand', 'quicksands', + 'quickset', + 'quicksets', 'quicksilver', 'quicksilvers', + 'quickstep', 'quicksteps', + 'quid', 'quiddities', + 'quiddity', + 'quidnunc', + 'quidnuncs', + 'quids', 'quiescence', 'quiescences', + 'quiescent', 'quiescently', + 'quiet', + 'quieted', + 'quieten', + 'quietened', 'quietening', + 'quietens', + 'quieter', + 'quieters', + 'quietest', + 'quieting', + 'quietism', + 'quietisms', + 'quietist', 'quietistic', + 'quietists', + 'quietly', + 'quietness', 'quietnesses', + 'quiets', + 'quietude', + 'quietudes', + 'quietus', + 'quietuses', + 'quiff', + 'quiffs', + 'quill', + 'quillai', + 'quillaia', + 'quillaias', + 'quillais', + 'quillaja', + 'quillajas', + 'quillback', 'quillbacks', + 'quilled', + 'quillet', + 'quillets', + 'quilling', + 'quillings', + 'quills', + 'quillwork', 'quillworks', + 'quilt', + 'quilted', + 'quilter', + 'quilters', + 'quilting', + 'quiltings', + 'quilts', + 'quin', 'quinacrine', 'quinacrines', + 'quinaries', + 'quinary', + 'quinate', + 'quince', 'quincentenaries', 'quincentenary', 'quincentennial', 'quincentennials', + 'quinces', 'quincuncial', + 'quincunx', 'quincunxes', 'quincunxial', 'quindecillion', 'quindecillions', + 'quinela', + 'quinelas', + 'quinella', + 'quinellas', + 'quinic', + 'quinidine', 'quinidines', + 'quiniela', + 'quinielas', + 'quinin', + 'quinina', + 'quininas', + 'quinine', + 'quinines', + 'quinins', + 'quinnat', + 'quinnats', + 'quinoa', + 'quinoas', + 'quinoid', + 'quinoids', + 'quinol', + 'quinolin', + 'quinoline', 'quinolines', + 'quinolins', + 'quinols', + 'quinone', + 'quinones', + 'quinonoid', 'quinquennia', 'quinquennial', 'quinquennially', 'quinquennials', 'quinquennium', 'quinquenniums', + 'quins', + 'quinsies', + 'quinsy', + 'quint', + 'quinta', + 'quintain', + 'quintains', + 'quintal', + 'quintals', + 'quintan', + 'quintans', + 'quintar', + 'quintars', + 'quintas', + 'quinte', + 'quintes', 'quintessence', 'quintessences', 'quintessential', 'quintessentially', + 'quintet', + 'quintets', + 'quintette', 'quintettes', + 'quintic', + 'quintics', + 'quintile', + 'quintiles', 'quintillion', 'quintillions', 'quintillionth', 'quintillionths', + 'quintin', + 'quintins', + 'quints', + 'quintuple', 'quintupled', 'quintuples', 'quintuplet', @@ -49646,46 +122096,216 @@ export const scrabble_array = [ 'quintuplicates', 'quintuplicating', 'quintupling', + 'quip', + 'quipped', + 'quipper', + 'quippers', + 'quipping', + 'quippish', + 'quippu', + 'quippus', + 'quips', + 'quipster', + 'quipsters', + 'quipu', + 'quipus', + 'quire', + 'quired', + 'quires', + 'quiring', + 'quirk', + 'quirked', + 'quirkier', + 'quirkiest', + 'quirkily', 'quirkiness', 'quirkinesses', + 'quirking', + 'quirkish', + 'quirks', + 'quirky', + 'quirt', + 'quirted', + 'quirting', + 'quirts', + 'quisling', 'quislingism', 'quislingisms', + 'quislings', + 'quit', + 'quitch', + 'quitches', + 'quitclaim', 'quitclaimed', 'quitclaiming', 'quitclaims', + 'quite', + 'quitrent', + 'quitrents', + 'quits', + 'quittance', 'quittances', + 'quitted', + 'quitter', + 'quitters', + 'quitting', + 'quittor', + 'quittors', + 'quiver', + 'quivered', + 'quiverer', + 'quiverers', + 'quivering', 'quiveringly', + 'quivers', + 'quivery', + 'quixote', + 'quixotes', + 'quixotic', 'quixotical', 'quixotically', + 'quixotism', 'quixotisms', 'quixotries', + 'quixotry', + 'quiz', 'quizmaster', 'quizmasters', + 'quizzed', + 'quizzer', + 'quizzers', + 'quizzes', + 'quizzical', 'quizzicalities', 'quizzicality', 'quizzically', + 'quizzing', + 'quod', + 'quodlibet', 'quodlibets', + 'quods', + 'quohog', + 'quohogs', + 'quoin', + 'quoined', + 'quoining', + 'quoins', + 'quoit', + 'quoited', + 'quoiting', + 'quoits', + 'quokka', + 'quokkas', + 'quomodo', + 'quomodos', + 'quondam', + 'quorum', + 'quorums', + 'quota', 'quotabilities', 'quotability', + 'quotable', + 'quotably', + 'quotas', + 'quotation', 'quotations', + 'quote', + 'quoted', + 'quoter', + 'quoters', + 'quotes', + 'quoth', + 'quotha', + 'quotidian', 'quotidians', + 'quotient', + 'quotients', + 'quoting', + 'qursh', + 'qurshes', + 'qurush', + 'qurushes', + 'qwerty', + 'qwertys', + 'rabat', + 'rabato', + 'rabatos', + 'rabats', + 'rabbet', + 'rabbeted', + 'rabbeting', + 'rabbets', + 'rabbi', + 'rabbies', + 'rabbin', + 'rabbinate', 'rabbinates', + 'rabbinic', 'rabbinical', 'rabbinically', + 'rabbinism', 'rabbinisms', + 'rabbins', + 'rabbis', + 'rabbit', 'rabbitbrush', 'rabbitbrushes', + 'rabbited', + 'rabbiter', + 'rabbiters', + 'rabbiting', 'rabbitries', + 'rabbitry', + 'rabbits', + 'rabbity', + 'rabble', + 'rabbled', 'rabblement', 'rabblements', + 'rabbler', + 'rabblers', + 'rabbles', + 'rabbling', + 'rabboni', + 'rabbonis', + 'rabic', + 'rabid', 'rabidities', + 'rabidity', + 'rabidly', + 'rabidness', 'rabidnesses', + 'rabies', + 'rabietic', + 'raccoon', + 'raccoons', + 'race', 'racecourse', 'racecourses', + 'raced', + 'racehorse', 'racehorses', + 'racemate', + 'racemates', + 'raceme', + 'racemed', + 'racemes', + 'racemic', + 'racemism', + 'racemisms', 'racemization', 'racemizations', + 'racemize', + 'racemized', + 'racemizes', 'racemizing', + 'racemoid', + 'racemose', + 'racemous', + 'racer', + 'racers', + 'races', + 'racetrack', 'racetracker', 'racetrackers', 'racetracks', @@ -49693,24 +122313,112 @@ export const scrabble_array = [ 'racewalkers', 'racewalking', 'racewalkings', + 'raceway', + 'raceways', + 'rachet', + 'rachets', + 'rachial', + 'rachides', + 'rachilla', + 'rachillae', + 'rachis', + 'rachises', + 'rachitic', 'rachitides', + 'rachitis', + 'racial', + 'racialism', 'racialisms', + 'racialist', 'racialistic', 'racialists', + 'racially', + 'racier', + 'raciest', + 'racily', + 'raciness', 'racinesses', + 'racing', + 'racings', + 'racism', + 'racisms', + 'racist', + 'racists', + 'rack', + 'racked', + 'racker', + 'rackers', + 'racket', + 'racketed', + 'racketeer', 'racketeered', 'racketeering', 'racketeers', + 'racketier', 'racketiest', + 'racketing', + 'rackets', + 'rackety', + 'rackful', + 'rackfuls', + 'racking', + 'rackingly', + 'rackle', + 'racks', + 'rackwork', + 'rackworks', + 'raclette', + 'raclettes', + 'racon', + 'racons', + 'raconteur', 'raconteurs', + 'racoon', + 'racoons', + 'racquet', 'racquetball', 'racquetballs', + 'racquets', + 'racy', + 'rad', + 'radar', + 'radars', 'radarscope', 'radarscopes', + 'radded', + 'radding', + 'raddle', + 'raddled', + 'raddles', + 'raddling', + 'radiable', + 'radial', + 'radiale', + 'radialia', + 'radially', + 'radials', + 'radian', + 'radiance', + 'radiances', 'radiancies', + 'radiancy', + 'radians', + 'radiant', + 'radiantly', + 'radiants', + 'radiate', + 'radiated', + 'radiately', + 'radiates', + 'radiating', + 'radiation', 'radiational', 'radiationless', 'radiations', + 'radiative', + 'radiator', + 'radiators', + 'radical', 'radicalise', 'radicalised', 'radicalises', @@ -49723,10 +122431,26 @@ export const scrabble_array = [ 'radicalized', 'radicalizes', 'radicalizing', + 'radically', 'radicalness', 'radicalnesses', + 'radicals', + 'radicand', + 'radicands', + 'radicate', + 'radicated', + 'radicates', 'radicating', + 'radicchio', 'radicchios', + 'radicel', + 'radicels', + 'radices', + 'radicle', + 'radicles', + 'radicular', + 'radii', + 'radio', 'radioactive', 'radioactively', 'radioactivities', @@ -49756,9 +122480,11 @@ export const scrabble_array = [ 'radiochromatograms', 'radioecologies', 'radioecology', + 'radioed', 'radioelement', 'radioelements', 'radiogenic', + 'radiogram', 'radiograms', 'radiograph', 'radiographed', @@ -49771,6 +122497,7 @@ export const scrabble_array = [ 'radioimmunoassay', 'radioimmunoassayable', 'radioimmunoassays', + 'radioing', 'radioisotope', 'radioisotopes', 'radioisotopic', @@ -49789,12 +122516,15 @@ export const scrabble_array = [ 'radiologies', 'radiologist', 'radiologists', + 'radiology', 'radiolucencies', 'radiolucency', 'radiolucent', 'radiolyses', 'radiolysis', 'radiolytic', + 'radioman', + 'radiomen', 'radiometer', 'radiometers', 'radiometric', @@ -49814,6 +122544,7 @@ export const scrabble_array = [ 'radioprotection', 'radioprotections', 'radioprotective', + 'radios', 'radiosensitive', 'radiosensitivities', 'radiosensitivity', @@ -49840,37 +122571,247 @@ export const scrabble_array = [ 'radiothoriums', 'radiotracer', 'radiotracers', + 'radish', + 'radishes', + 'radium', + 'radiums', + 'radius', + 'radiuses', + 'radix', + 'radixes', + 'radome', + 'radomes', + 'radon', + 'radons', + 'rads', + 'radula', + 'radulae', + 'radular', + 'radulas', + 'radwaste', + 'radwastes', + 'raff', + 'raffia', + 'raffias', + 'raffinose', 'raffinoses', + 'raffish', + 'raffishly', 'raffishness', 'raffishnesses', + 'raffle', + 'raffled', + 'raffler', + 'rafflers', + 'raffles', + 'rafflesia', 'rafflesias', + 'raffling', + 'raffs', + 'raft', + 'rafted', + 'rafter', + 'raftered', + 'rafters', + 'rafting', + 'rafts', + 'raftsman', + 'raftsmen', + 'rag', + 'raga', 'ragamuffin', 'ragamuffins', + 'ragas', + 'ragbag', + 'ragbags', + 'rage', + 'raged', + 'ragee', + 'ragees', + 'rages', + 'ragged', + 'raggeder', + 'raggedest', + 'raggedly', 'raggedness', 'raggednesses', + 'raggedy', + 'raggee', + 'raggees', + 'raggies', + 'ragging', + 'raggle', + 'raggles', + 'raggy', + 'ragi', + 'raging', + 'ragingly', + 'ragis', + 'raglan', + 'raglans', + 'ragman', + 'ragmen', + 'ragout', + 'ragouted', + 'ragouting', + 'ragouts', + 'ragpicker', 'ragpickers', + 'rags', + 'ragtag', + 'ragtags', + 'ragtime', + 'ragtimes', + 'ragtop', + 'ragtops', + 'ragweed', + 'ragweeds', + 'ragwort', + 'ragworts', + 'rah', + 'raia', + 'raias', + 'raid', + 'raided', + 'raider', + 'raiders', + 'raiding', + 'raids', + 'rail', + 'railbird', + 'railbirds', + 'railbus', + 'railbuses', 'railbusses', + 'railcar', + 'railcars', + 'railed', + 'railer', + 'railers', + 'railhead', + 'railheads', + 'railing', + 'railings', 'railleries', + 'raillery', + 'railroad', 'railroaded', 'railroader', 'railroaders', 'railroading', 'railroadings', + 'railroads', + 'rails', + 'railway', + 'railways', + 'raiment', + 'raiments', + 'rain', + 'rainband', + 'rainbands', + 'rainbird', + 'rainbirds', + 'rainbow', 'rainbowlike', + 'rainbows', + 'raincoat', + 'raincoats', + 'raindrop', + 'raindrops', + 'rained', + 'rainfall', + 'rainfalls', + 'rainier', + 'rainiest', + 'rainily', + 'raining', + 'rainless', + 'rainmaker', 'rainmakers', 'rainmaking', 'rainmakings', + 'rainout', + 'rainouts', + 'rainproof', + 'rains', + 'rainspout', 'rainspouts', 'rainsquall', 'rainsqualls', + 'rainstorm', 'rainstorms', + 'rainwash', 'rainwashed', 'rainwashes', 'rainwashing', + 'rainwater', 'rainwaters', + 'rainwear', + 'rainy', + 'raisable', + 'raise', + 'raised', + 'raiser', + 'raisers', + 'raises', + 'raisin', + 'raising', + 'raisings', + 'raisins', + 'raisiny', + 'raisonne', + 'raj', + 'raja', + 'rajah', + 'rajahs', + 'rajas', + 'rajes', + 'rake', + 'raked', + 'rakee', + 'rakees', + 'rakehell', + 'rakehells', + 'rakehelly', + 'rakeoff', + 'rakeoffs', + 'raker', + 'rakers', + 'rakes', + 'raki', + 'raking', + 'rakis', + 'rakish', + 'rakishly', 'rakishness', 'rakishnesses', + 'rale', + 'rales', 'rallentando', + 'rallied', + 'rallier', + 'ralliers', + 'rallies', + 'ralline', + 'rally', + 'rallye', + 'rallyes', + 'rallying', + 'rallyings', + 'rallyist', + 'rallyists', + 'ralph', + 'ralphed', + 'ralphing', + 'ralphs', + 'ram', + 'ramate', + 'ramble', + 'rambled', + 'rambler', + 'ramblers', + 'rambles', + 'rambling', 'ramblingly', 'rambouillet', 'rambouillets', @@ -49878,72 +122819,422 @@ export const scrabble_array = [ 'rambunctiously', 'rambunctiousness', 'rambunctiousnesses', + 'rambutan', + 'rambutans', + 'ramee', + 'ramees', + 'ramekin', + 'ramekins', + 'ramenta', + 'ramentum', + 'ramequin', + 'ramequins', + 'ramet', + 'ramets', + 'rami', + 'ramie', + 'ramies', 'ramification', 'ramifications', + 'ramified', + 'ramifies', + 'ramiform', + 'ramify', + 'ramifying', + 'ramilie', + 'ramilies', + 'ramillie', + 'ramillies', + 'ramjet', + 'ramjets', + 'rammed', + 'rammer', + 'rammers', + 'rammier', + 'rammiest', + 'ramming', + 'rammish', + 'rammy', + 'ramose', + 'ramosely', 'ramosities', + 'ramosity', + 'ramous', + 'ramp', + 'rampage', + 'rampaged', 'rampageous', 'rampageously', 'rampageousness', 'rampageousnesses', + 'rampager', + 'rampagers', + 'rampages', + 'rampaging', 'rampancies', + 'rampancy', + 'rampant', + 'rampantly', + 'rampart', + 'ramparted', 'ramparting', + 'ramparts', + 'ramped', + 'rampike', + 'rampikes', + 'ramping', + 'rampion', + 'rampions', + 'rampole', + 'rampoles', + 'ramps', + 'ramrod', + 'ramrodded', 'ramrodding', + 'ramrods', + 'rams', 'ramshackle', + 'ramshorn', + 'ramshorns', + 'ramson', + 'ramsons', + 'ramtil', + 'ramtils', + 'ramulose', + 'ramulous', + 'ramus', + 'ran', + 'rance', + 'rances', + 'ranch', + 'ranched', + 'rancher', + 'ranchero', + 'rancheros', + 'ranchers', + 'ranches', + 'ranching', + 'ranchman', + 'ranchmen', + 'rancho', + 'ranchos', + 'rancid', 'rancidities', + 'rancidity', + 'rancidly', 'rancidness', 'rancidnesses', + 'rancor', + 'rancored', + 'rancorous', 'rancorously', + 'rancors', + 'rancour', + 'rancours', + 'rand', + 'randan', + 'randans', + 'randier', + 'randies', + 'randiest', + 'random', 'randomization', 'randomizations', + 'randomize', 'randomized', 'randomizer', 'randomizers', 'randomizes', 'randomizing', + 'randomly', 'randomness', 'randomnesses', + 'randoms', + 'rands', + 'randy', + 'ranee', + 'ranees', + 'rang', + 'range', + 'ranged', + 'rangeland', 'rangelands', + 'ranger', + 'rangers', + 'ranges', + 'rangier', + 'rangiest', + 'ranginess', 'ranginesses', + 'ranging', + 'rangy', + 'rani', + 'ranid', + 'ranids', + 'ranis', + 'rank', + 'ranked', + 'ranker', + 'rankers', + 'rankest', + 'ranking', + 'rankings', + 'rankish', + 'rankle', + 'rankled', + 'rankles', + 'rankling', + 'rankly', + 'rankness', 'ranknesses', + 'ranks', + 'ranpike', + 'ranpikes', + 'ransack', + 'ransacked', + 'ransacker', 'ransackers', 'ransacking', + 'ransacks', + 'ransom', + 'ransomed', + 'ransomer', + 'ransomers', + 'ransoming', + 'ransoms', + 'rant', + 'ranted', + 'ranter', + 'ranters', + 'ranting', + 'rantingly', + 'rants', + 'ranula', + 'ranulas', + 'ranunculi', 'ranunculus', 'ranunculuses', + 'rap', + 'rapacious', 'rapaciously', 'rapaciousness', 'rapaciousnesses', 'rapacities', + 'rapacity', + 'rape', + 'raped', + 'raper', + 'rapers', + 'rapes', + 'rapeseed', + 'rapeseeds', + 'raphae', + 'raphe', + 'raphes', + 'raphia', + 'raphias', + 'raphide', + 'raphides', + 'raphis', + 'rapid', + 'rapider', + 'rapidest', 'rapidities', + 'rapidity', + 'rapidly', + 'rapidness', 'rapidnesses', + 'rapids', + 'rapier', + 'rapiered', + 'rapiers', + 'rapine', + 'rapines', + 'raping', + 'rapini', + 'rapist', + 'rapists', + 'rapparee', + 'rapparees', + 'rapped', + 'rappee', + 'rappees', + 'rappel', + 'rappeled', + 'rappeling', + 'rappelled', 'rappelling', + 'rappels', + 'rappen', + 'rapper', + 'rappers', + 'rapping', + 'rappini', + 'rapport', 'rapporteur', 'rapporteurs', + 'rapports', 'rapprochement', 'rapprochements', + 'raps', 'rapscallion', 'rapscallions', + 'rapt', + 'raptly', + 'raptness', 'raptnesses', + 'raptor', + 'raptorial', + 'raptors', + 'rapture', + 'raptured', + 'raptures', + 'rapturing', + 'rapturous', 'rapturously', 'rapturousness', 'rapturousnesses', + 'rare', + 'rarebit', + 'rarebits', + 'rared', 'rarefaction', 'rarefactional', 'rarefactions', + 'rarefied', + 'rarefier', + 'rarefiers', + 'rarefies', + 'rarefy', + 'rarefying', + 'rarely', + 'rareness', 'rarenesses', + 'rarer', + 'rareripe', + 'rareripes', + 'rares', + 'rarest', + 'rarified', + 'rarifies', + 'rarify', + 'rarifying', + 'raring', + 'rarities', + 'rarity', + 'ras', + 'rasbora', + 'rasboras', + 'rascal', 'rascalities', + 'rascality', + 'rascally', + 'rascals', + 'rase', + 'rased', + 'raser', + 'rasers', + 'rases', + 'rash', + 'rasher', + 'rashers', + 'rashes', + 'rashest', + 'rashlike', + 'rashly', + 'rashness', 'rashnesses', + 'rasing', + 'rasorial', + 'rasp', 'raspberries', + 'raspberry', + 'rasped', + 'rasper', + 'raspers', + 'raspier', + 'raspiest', + 'rasping', + 'raspingly', + 'raspish', + 'rasps', + 'raspy', + 'rassle', + 'rassled', + 'rassles', + 'rassling', + 'raster', + 'rasters', + 'rasure', + 'rasures', + 'rat', + 'ratable', + 'ratably', + 'ratafee', + 'ratafees', + 'ratafia', + 'ratafias', + 'ratal', + 'ratals', + 'ratan', + 'ratanies', + 'ratans', + 'ratany', + 'rataplan', 'rataplanned', 'rataplanning', + 'rataplans', + 'ratatat', + 'ratatats', 'ratatouille', 'ratatouilles', + 'ratbag', + 'ratbags', + 'ratch', + 'ratches', + 'ratchet', + 'ratcheted', 'ratcheting', + 'ratchets', + 'rate', + 'rateable', + 'rateably', + 'rated', + 'ratel', + 'ratels', + 'ratemeter', 'ratemeters', + 'ratepayer', 'ratepayers', + 'rater', + 'raters', + 'rates', + 'ratfink', + 'ratfinks', + 'ratfish', + 'ratfishes', + 'rath', + 'rathe', + 'rather', + 'rathole', + 'ratholes', 'rathskeller', 'rathskellers', + 'raticide', + 'raticides', 'ratification', 'ratifications', + 'ratified', + 'ratifier', + 'ratifiers', + 'ratifies', + 'ratify', + 'ratifying', + 'ratine', + 'ratines', + 'rating', + 'ratings', + 'ratio', 'ratiocinate', 'ratiocinated', 'ratiocinates', @@ -49953,6 +123244,9 @@ export const scrabble_array = [ 'ratiocinative', 'ratiocinator', 'ratiocinators', + 'ration', + 'rational', + 'rationale', 'rationales', 'rationalise', 'rationalised', @@ -49978,51 +123272,234 @@ export const scrabble_array = [ 'rationally', 'rationalness', 'rationalnesses', + 'rationals', + 'rationed', + 'rationing', + 'rations', + 'ratios', + 'ratite', + 'ratites', + 'ratlike', + 'ratlin', + 'ratline', + 'ratlines', + 'ratlins', + 'rato', + 'ratoon', + 'ratooned', + 'ratooner', + 'ratooners', + 'ratooning', + 'ratoons', + 'ratos', + 'rats', + 'ratsbane', + 'ratsbanes', + 'rattail', + 'rattails', + 'rattan', + 'rattans', + 'ratted', + 'ratteen', + 'ratteens', + 'ratten', + 'rattened', + 'rattener', + 'ratteners', + 'rattening', + 'rattens', + 'ratter', + 'ratters', + 'rattier', + 'rattiest', + 'ratting', + 'rattish', + 'rattle', 'rattlebrain', 'rattlebrained', 'rattlebrains', + 'rattled', + 'rattler', + 'rattlers', + 'rattles', 'rattlesnake', 'rattlesnakes', 'rattletrap', 'rattletraps', + 'rattling', 'rattlingly', + 'rattlings', + 'rattly', + 'ratton', + 'rattons', + 'rattoon', + 'rattooned', 'rattooning', + 'rattoons', + 'rattrap', + 'rattraps', + 'ratty', + 'raucities', + 'raucity', + 'raucous', + 'raucously', 'raucousness', 'raucousnesses', + 'raunch', + 'raunches', + 'raunchier', 'raunchiest', + 'raunchily', 'raunchiness', 'raunchinesses', + 'raunchy', + 'rauwolfia', 'rauwolfias', + 'ravage', + 'ravaged', 'ravagement', 'ravagements', + 'ravager', + 'ravagers', + 'ravages', + 'ravaging', + 'rave', + 'raved', + 'ravel', + 'raveled', + 'raveler', + 'ravelers', + 'ravelin', + 'raveling', + 'ravelings', + 'ravelins', + 'ravelled', + 'raveller', + 'ravellers', + 'ravelling', 'ravellings', + 'ravelly', + 'ravelment', 'ravelments', + 'ravels', + 'raven', + 'ravened', + 'ravener', + 'raveners', + 'ravening', + 'ravenings', + 'ravenous', 'ravenously', 'ravenousness', 'ravenousnesses', + 'ravens', + 'raver', + 'ravers', + 'raves', + 'ravigote', + 'ravigotes', + 'ravin', + 'ravine', + 'ravined', + 'ravines', + 'raving', + 'ravingly', + 'ravings', + 'ravining', + 'ravins', + 'ravioli', + 'raviolis', + 'ravish', + 'ravished', + 'ravisher', + 'ravishers', + 'ravishes', + 'ravishing', 'ravishingly', 'ravishment', 'ravishments', + 'raw', + 'rawboned', + 'rawer', + 'rawest', + 'rawhide', + 'rawhided', + 'rawhides', + 'rawhiding', + 'rawin', + 'rawins', 'rawinsonde', 'rawinsondes', + 'rawish', + 'rawly', + 'rawness', + 'rawnesses', + 'raws', + 'rax', + 'raxed', + 'raxes', + 'raxing', + 'ray', + 'raya', + 'rayah', + 'rayahs', + 'rayas', + 'rayed', + 'raygrass', 'raygrasses', + 'raying', + 'rayless', 'raylessness', 'raylessnesses', + 'raylike', + 'rayon', + 'rayons', + 'rays', + 'raze', + 'razed', + 'razee', + 'razeed', + 'razeeing', + 'razees', + 'razer', + 'razers', + 'razes', + 'razing', + 'razor', + 'razorback', 'razorbacks', + 'razorbill', 'razorbills', + 'razored', + 'razoring', + 'razors', + 'razz', 'razzamatazz', 'razzamatazzes', + 'razzed', + 'razzes', + 'razzing', + 're', + 'reabsorb', 'reabsorbed', 'reabsorbing', + 'reabsorbs', + 'reaccede', + 'reacceded', + 'reaccedes', 'reacceding', 'reaccelerate', 'reaccelerated', 'reaccelerates', 'reaccelerating', + 'reaccent', 'reaccented', 'reaccenting', + 'reaccents', + 'reaccept', 'reaccepted', 'reaccepting', + 'reaccepts', 'reaccession', 'reaccessions', 'reacclimatize', @@ -50035,61 +123512,129 @@ export const scrabble_array = [ 'reaccredited', 'reaccrediting', 'reaccredits', + 'reaccuse', + 'reaccused', + 'reaccuses', 'reaccusing', + 'reach', + 'reachable', + 'reached', + 'reacher', + 'reachers', + 'reaches', + 'reaching', 'reacquaint', 'reacquainted', 'reacquainting', 'reacquaints', + 'reacquire', 'reacquired', 'reacquires', 'reacquiring', 'reacquisition', 'reacquisitions', + 'react', + 'reactance', 'reactances', + 'reactant', + 'reactants', + 'reacted', + 'reacting', + 'reaction', 'reactionaries', 'reactionary', 'reactionaryism', 'reactionaryisms', + 'reactions', 'reactivate', 'reactivated', 'reactivates', 'reactivating', 'reactivation', 'reactivations', + 'reactive', 'reactively', 'reactiveness', 'reactivenesses', 'reactivities', 'reactivity', + 'reactor', + 'reactors', + 'reacts', + 'read', 'readabilities', 'readability', + 'readable', 'readableness', 'readablenesses', + 'readably', + 'readapt', + 'readapted', 'readapting', + 'readapts', + 'readd', + 'readded', + 'readdict', 'readdicted', 'readdicting', + 'readdicts', + 'readding', + 'readdress', 'readdressed', 'readdresses', 'readdressing', + 'readds', + 'reader', + 'readerly', + 'readers', 'readership', 'readerships', + 'readied', + 'readier', + 'readies', + 'readiest', + 'readily', + 'readiness', 'readinesses', + 'reading', + 'readings', + 'readjust', 'readjustable', 'readjusted', 'readjusting', 'readjustment', 'readjustments', + 'readjusts', 'readmission', 'readmissions', + 'readmit', + 'readmits', 'readmitted', 'readmitting', + 'readopt', + 'readopted', 'readopting', + 'readopts', + 'readorn', + 'readorned', 'readorning', + 'readorns', + 'readout', + 'readouts', + 'reads', + 'ready', + 'readying', + 'readymade', 'readymades', + 'reaffirm', 'reaffirmation', 'reaffirmations', 'reaffirmed', 'reaffirming', + 'reaffirms', + 'reaffix', + 'reaffixed', + 'reaffixes', 'reaffixing', 'reafforest', 'reafforestation', @@ -50097,53 +123642,126 @@ export const scrabble_array = [ 'reafforested', 'reafforesting', 'reafforests', + 'reagent', + 'reagents', 'reaggregate', 'reaggregated', 'reaggregates', 'reaggregating', 'reaggregation', 'reaggregations', + 'reagin', + 'reaginic', + 'reagins', + 'real', + 'realer', + 'reales', + 'realest', + 'realgar', + 'realgars', + 'realia', + 'realign', + 'realigned', 'realigning', 'realignment', 'realignments', + 'realigns', + 'realise', + 'realised', + 'realiser', + 'realisers', + 'realises', + 'realising', + 'realism', + 'realisms', + 'realist', + 'realistic', 'realistically', + 'realists', + 'realities', + 'reality', 'realizable', 'realization', 'realizations', + 'realize', + 'realized', + 'realizer', + 'realizers', + 'realizes', + 'realizing', 'reallocate', 'reallocated', 'reallocates', 'reallocating', 'reallocation', 'reallocations', + 'reallot', + 'reallots', 'reallotted', 'reallotting', + 'really', + 'realm', + 'realms', + 'realness', 'realnesses', 'realpolitik', 'realpolitiks', + 'reals', + 'realter', + 'realtered', 'realtering', + 'realters', + 'realties', + 'realty', + 'ream', + 'reamed', + 'reamer', + 'reamers', + 'reaming', + 'reams', 'reanalyses', 'reanalysis', + 'reanalyze', 'reanalyzed', 'reanalyzes', 'reanalyzing', + 'reanimate', 'reanimated', 'reanimates', 'reanimating', 'reanimation', 'reanimations', + 'reannex', 'reannexation', 'reannexations', + 'reannexed', + 'reannexes', 'reannexing', + 'reanoint', 'reanointed', 'reanointing', + 'reanoints', + 'reap', + 'reapable', + 'reaped', + 'reaper', + 'reapers', + 'reaphook', + 'reaphooks', + 'reaping', + 'reappear', 'reappearance', 'reappearances', 'reappeared', 'reappearing', + 'reappears', 'reapplication', 'reapplications', + 'reapplied', + 'reapplies', + 'reapply', 'reapplying', + 'reappoint', 'reappointed', 'reappointing', 'reappointment', @@ -50165,39 +123783,80 @@ export const scrabble_array = [ 'reappropriated', 'reappropriates', 'reappropriating', + 'reapprove', 'reapproved', 'reapproves', 'reapproving', + 'reaps', + 'rear', + 'reared', + 'rearer', + 'rearers', + 'rearguard', + 'reargue', + 'reargued', + 'reargues', + 'rearguing', 'reargument', 'rearguments', + 'rearing', + 'rearm', 'rearmament', 'rearmaments', + 'rearmed', + 'rearmice', + 'rearming', + 'rearmost', + 'rearmouse', + 'rearms', + 'rearousal', 'rearousals', + 'rearouse', + 'rearoused', + 'rearouses', 'rearousing', + 'rearrange', 'rearranged', 'rearrangement', 'rearrangements', 'rearranges', 'rearranging', + 'rearrest', 'rearrested', 'rearresting', + 'rearrests', + 'rears', 'rearticulate', 'rearticulated', 'rearticulates', 'rearticulating', + 'rearward', + 'rearwards', + 'reascend', 'reascended', 'reascending', + 'reascends', + 'reascent', + 'reascents', + 'reason', 'reasonabilities', 'reasonability', 'reasonable', 'reasonableness', 'reasonablenesses', 'reasonably', + 'reasoned', + 'reasoner', + 'reasoners', + 'reasoning', 'reasonings', 'reasonless', 'reasonlessly', + 'reasons', + 'reassail', 'reassailed', 'reassailing', + 'reassails', 'reassemblage', 'reassemblages', 'reassemble', @@ -50206,37 +123865,58 @@ export const scrabble_array = [ 'reassemblies', 'reassembling', 'reassembly', + 'reassert', 'reasserted', 'reasserting', 'reassertion', 'reassertions', + 'reasserts', + 'reassess', 'reassessed', 'reassesses', 'reassessing', 'reassessment', 'reassessments', + 'reassign', 'reassigned', 'reassigning', 'reassignment', 'reassignments', + 'reassigns', + 'reassort', 'reassorted', 'reassorting', + 'reassorts', + 'reassume', + 'reassumed', + 'reassumes', 'reassuming', 'reassumption', 'reassumptions', 'reassurance', 'reassurances', + 'reassure', + 'reassured', + 'reassures', 'reassuring', 'reassuringly', + 'reata', + 'reatas', + 'reattach', 'reattached', 'reattaches', 'reattaching', 'reattachment', 'reattachments', + 'reattack', 'reattacked', 'reattacking', + 'reattacks', + 'reattain', 'reattained', 'reattaining', + 'reattains', + 'reattempt', 'reattempted', 'reattempting', 'reattempts', @@ -50252,41 +123932,194 @@ export const scrabble_array = [ 'reauthorized', 'reauthorizes', 'reauthorizing', + 'reavail', + 'reavailed', 'reavailing', + 'reavails', + 'reave', + 'reaved', + 'reaver', + 'reavers', + 'reaves', + 'reaving', + 'reavow', + 'reavowed', + 'reavowing', + 'reavows', + 'reawake', + 'reawaked', + 'reawaken', 'reawakened', 'reawakening', + 'reawakens', + 'reawakes', + 'reawaking', + 'reawoke', + 'reawoken', + 'reb', + 'rebait', + 'rebaited', + 'rebaiting', + 'rebaits', + 'rebalance', 'rebalanced', 'rebalances', 'rebalancing', + 'rebaptism', 'rebaptisms', + 'rebaptize', 'rebaptized', 'rebaptizes', 'rebaptizing', + 'rebar', 'rebarbative', 'rebarbatively', + 'rebars', + 'rebate', + 'rebated', + 'rebater', + 'rebaters', + 'rebates', + 'rebating', + 'rebato', + 'rebatos', + 'rebbe', + 'rebbes', + 'rebec', + 'rebeck', + 'rebecks', + 'rebecs', + 'rebegan', + 'rebegin', 'rebeginning', + 'rebegins', + 'rebegun', + 'rebel', + 'rebeldom', + 'rebeldoms', + 'rebelled', + 'rebelling', + 'rebellion', 'rebellions', 'rebellious', 'rebelliously', 'rebelliousness', 'rebelliousnesses', + 'rebels', + 'rebid', + 'rebidden', + 'rebidding', + 'rebids', + 'rebill', + 'rebilled', + 'rebilling', + 'rebills', + 'rebind', + 'rebinding', + 'rebinds', + 'rebirth', + 'rebirths', + 'reblend', + 'reblended', 'reblending', + 'reblends', + 'rebloom', + 'rebloomed', 'reblooming', + 'reblooms', + 'reboant', + 'reboard', + 'reboarded', 'reboarding', + 'reboards', + 'rebodied', + 'rebodies', + 'rebody', + 'rebodying', + 'reboil', + 'reboiled', + 'reboiling', + 'reboils', + 'rebook', + 'rebooked', + 'rebooking', + 'rebooks', + 'reboot', + 'rebooted', + 'rebooting', + 'reboots', + 'rebop', + 'rebops', + 'rebore', + 'rebored', + 'rebores', + 'reboring', + 'reborn', + 'rebottle', + 'rebottled', + 'rebottles', 'rebottling', + 'rebought', + 'rebound', + 'rebounded', + 'rebounder', 'rebounders', 'rebounding', + 'rebounds', + 'rebozo', + 'rebozos', + 'rebranch', 'rebranched', 'rebranches', 'rebranching', + 'rebred', + 'rebreed', 'rebreeding', + 'rebreeds', 'rebroadcast', 'rebroadcasting', 'rebroadcasts', + 'rebs', + 'rebuff', + 'rebuffed', + 'rebuffing', + 'rebuffs', + 'rebuild', + 'rebuilded', 'rebuilding', + 'rebuilds', + 'rebuilt', + 'rebuke', + 'rebuked', + 'rebuker', + 'rebukers', + 'rebukes', + 'rebuking', + 'reburial', + 'reburials', + 'reburied', + 'reburies', + 'rebury', + 'reburying', + 'rebus', + 'rebuses', + 'rebut', + 'rebuts', 'rebuttable', + 'rebuttal', + 'rebuttals', + 'rebutted', + 'rebutter', + 'rebutters', + 'rebutting', + 'rebutton', 'rebuttoned', 'rebuttoning', + 'rebuttons', + 'rebuy', + 'rebuying', + 'rebuys', + 'rec', 'recalcitrance', 'recalcitrances', 'recalcitrancies', @@ -50305,17 +124138,36 @@ export const scrabble_array = [ 'recalibrating', 'recalibration', 'recalibrations', + 'recall', 'recallabilities', 'recallability', 'recallable', + 'recalled', + 'recaller', + 'recallers', + 'recalling', + 'recalls', + 'recamier', + 'recamiers', 'recanalization', 'recanalizations', 'recanalize', 'recanalized', 'recanalizes', 'recanalizing', + 'recane', + 'recaned', + 'recanes', + 'recaning', + 'recant', 'recantation', 'recantations', + 'recanted', + 'recanter', + 'recanters', + 'recanting', + 'recants', + 'recap', 'recapitalization', 'recapitalizations', 'recapitalize', @@ -50329,16 +124181,48 @@ export const scrabble_array = [ 'recapitulation', 'recapitulations', 'recappable', + 'recapped', + 'recapping', + 'recaps', + 'recapture', 'recaptured', 'recaptures', 'recapturing', + 'recarried', + 'recarries', + 'recarry', 'recarrying', + 'recast', + 'recasting', + 'recasts', + 'recce', + 'recces', + 'recede', + 'receded', + 'recedes', + 'receding', + 'receipt', + 'receipted', 'receipting', + 'receipts', 'receivable', 'receivables', + 'receive', + 'received', + 'receiver', + 'receivers', 'receivership', 'receiverships', + 'receives', + 'receiving', + 'recencies', + 'recency', + 'recension', 'recensions', + 'recent', + 'recenter', + 'recentest', + 'recently', 'recentness', 'recentnesses', 'recentralization', @@ -50347,25 +124231,38 @@ export const scrabble_array = [ 'recentrifuged', 'recentrifuges', 'recentrifuging', + 'recept', 'receptacle', 'receptacles', + 'reception', 'receptionist', 'receptionists', 'receptions', + 'receptive', 'receptively', 'receptiveness', 'receptivenesses', 'receptivities', 'receptivity', + 'receptor', + 'receptors', + 'recepts', 'recertification', 'recertifications', 'recertified', 'recertifies', + 'recertify', 'recertifying', + 'recess', + 'recessed', + 'recesses', + 'recessing', + 'recession', 'recessional', 'recessionals', 'recessionary', 'recessions', + 'recessive', 'recessively', 'recessiveness', 'recessivenesses', @@ -50374,26 +124271,53 @@ export const scrabble_array = [ 'rechallenged', 'rechallenges', 'rechallenging', + 'rechange', + 'rechanged', + 'rechanges', 'rechanging', + 'rechannel', 'rechanneled', 'rechanneling', 'rechannelled', 'rechannelling', 'rechannels', + 'recharge', 'rechargeable', + 'recharged', + 'recharger', 'rechargers', + 'recharges', 'recharging', + 'rechart', + 'recharted', + 'recharter', 'rechartered', 'rechartering', 'recharters', 'recharting', + 'recharts', + 'rechauffe', 'rechauffes', + 'recheat', + 'recheats', + 'recheck', + 'rechecked', 'rechecking', + 'rechecks', + 'recherche', + 'rechew', + 'rechewed', + 'rechewing', + 'rechews', + 'rechoose', + 'rechooses', 'rechoosing', 'rechoreograph', 'rechoreographed', 'rechoreographing', 'rechoreographs', + 'rechose', + 'rechosen', 'rechristen', 'rechristened', 'rechristening', @@ -50409,6 +124333,9 @@ export const scrabble_array = [ 'recidivist', 'recidivistic', 'recidivists', + 'recipe', + 'recipes', + 'recipient', 'recipients', 'reciprocal', 'reciprocally', @@ -50424,6 +124351,9 @@ export const scrabble_array = [ 'reciprocators', 'reciprocities', 'reciprocity', + 'recircle', + 'recircled', + 'recircles', 'recircling', 'recirculate', 'recirculated', @@ -50431,8 +124361,12 @@ export const scrabble_array = [ 'recirculating', 'recirculation', 'recirculations', + 'recision', + 'recisions', + 'recital', 'recitalist', 'recitalists', + 'recitals', 'recitation', 'recitations', 'recitative', @@ -50440,33 +124374,89 @@ export const scrabble_array = [ 'recitativi', 'recitativo', 'recitativos', + 'recite', + 'recited', + 'reciter', + 'reciters', + 'recites', + 'reciting', + 'reck', + 'recked', + 'recking', + 'reckless', 'recklessly', 'recklessness', 'recklessnesses', + 'reckon', + 'reckoned', + 'reckoner', + 'reckoners', + 'reckoning', 'reckonings', + 'reckons', + 'recks', + 'reclad', + 'reclaim', 'reclaimable', + 'reclaimed', 'reclaiming', + 'reclaims', 'reclamation', 'reclamations', + 'reclame', + 'reclames', + 'reclasp', + 'reclasped', 'reclasping', + 'reclasps', 'reclassification', 'reclassifications', 'reclassified', 'reclassifies', 'reclassify', 'reclassifying', + 'reclean', + 'recleaned', 'recleaning', + 'recleans', + 'recline', + 'reclined', + 'recliner', + 'recliners', + 'reclines', + 'reclining', 'reclosable', + 'reclothe', + 'reclothed', + 'reclothes', 'reclothing', + 'recluse', + 'recluses', + 'reclusion', 'reclusions', + 'reclusive', 'reclusively', 'reclusiveness', 'reclusivenesses', + 'recoal', + 'recoaled', + 'recoaling', + 'recoals', + 'recock', + 'recocked', + 'recocking', + 'recocks', + 'recode', + 'recoded', + 'recodes', 'recodification', 'recodifications', 'recodified', 'recodifies', + 'recodify', 'recodifying', + 'recoding', + 'recognise', 'recognised', 'recognises', 'recognising', @@ -50478,13 +124468,26 @@ export const scrabble_array = [ 'recognizably', 'recognizance', 'recognizances', + 'recognize', 'recognized', 'recognizer', 'recognizers', 'recognizes', 'recognizing', + 'recoil', + 'recoiled', + 'recoiler', + 'recoilers', + 'recoiling', 'recoilless', + 'recoils', + 'recoin', + 'recoinage', 'recoinages', + 'recoined', + 'recoining', + 'recoins', + 'recollect', 'recollected', 'recollecting', 'recollection', @@ -50496,21 +124499,30 @@ export const scrabble_array = [ 'recolonized', 'recolonizes', 'recolonizing', + 'recolor', + 'recolored', 'recoloring', + 'recolors', + 'recomb', + 'recombed', 'recombinant', 'recombinants', 'recombination', 'recombinational', 'recombinations', + 'recombine', 'recombined', 'recombines', + 'recombing', 'recombining', + 'recombs', 'recommence', 'recommenced', 'recommencement', 'recommencements', 'recommences', 'recommencing', + 'recommend', 'recommendable', 'recommendation', 'recommendations', @@ -50522,8 +124534,10 @@ export const scrabble_array = [ 'recommissioned', 'recommissioning', 'recommissions', + 'recommit', 'recommitment', 'recommitments', + 'recommits', 'recommittal', 'recommittals', 'recommitted', @@ -50534,9 +124548,11 @@ export const scrabble_array = [ 'recompensing', 'recompilation', 'recompilations', + 'recompile', 'recompiled', 'recompiles', 'recompiling', + 'recompose', 'recomposed', 'recomposes', 'recomposing', @@ -50544,9 +124560,11 @@ export const scrabble_array = [ 'recompositions', 'recomputation', 'recomputations', + 'recompute', 'recomputed', 'recomputes', 'recomputing', + 'recon', 'reconceive', 'reconceived', 'reconceives', @@ -50568,6 +124586,7 @@ export const scrabble_array = [ 'reconcilabilities', 'reconcilability', 'reconcilable', + 'reconcile', 'reconciled', 'reconcilement', 'reconcilements', @@ -50582,6 +124601,7 @@ export const scrabble_array = [ 'recondensed', 'recondenses', 'recondensing', + 'recondite', 'reconditely', 'reconditeness', 'reconditenesses', @@ -50596,6 +124616,7 @@ export const scrabble_array = [ 'reconfigured', 'reconfigures', 'reconfiguring', + 'reconfirm', 'reconfirmation', 'reconfirmations', 'reconfirmed', @@ -50603,6 +124624,7 @@ export const scrabble_array = [ 'reconfirms', 'reconnaissance', 'reconnaissances', + 'reconnect', 'reconnected', 'reconnecting', 'reconnection', @@ -50616,11 +124638,13 @@ export const scrabble_array = [ 'reconnoitred', 'reconnoitres', 'reconnoitring', + 'reconquer', 'reconquered', 'reconquering', 'reconquers', 'reconquest', 'reconquests', + 'recons', 'reconsecrate', 'reconsecrated', 'reconsecrates', @@ -50657,6 +124681,7 @@ export const scrabble_array = [ 'reconstructor', 'reconstructors', 'reconstructs', + 'recontact', 'recontacted', 'recontacting', 'recontacts', @@ -50670,21 +124695,27 @@ export const scrabble_array = [ 'recontextualized', 'recontextualizes', 'recontextualizing', + 'recontour', 'recontoured', 'recontouring', 'recontours', + 'reconvene', 'reconvened', 'reconvenes', 'reconvening', 'reconversion', 'reconversions', + 'reconvert', 'reconverted', 'reconverting', 'reconverts', + 'reconvey', 'reconveyance', 'reconveyances', 'reconveyed', 'reconveying', + 'reconveys', + 'reconvict', 'reconvicted', 'reconvicting', 'reconviction', @@ -50694,23 +124725,70 @@ export const scrabble_array = [ 'reconvinced', 'reconvinces', 'reconvincing', + 'recook', + 'recooked', + 'recooking', + 'recooks', + 'recopied', + 'recopies', + 'recopy', + 'recopying', + 'record', 'recordable', 'recordation', 'recordations', + 'recorded', + 'recorder', + 'recorders', + 'recording', 'recordings', + 'recordist', 'recordists', + 'records', + 'recork', + 'recorked', + 'recorking', + 'recorks', + 'recount', + 'recounted', + 'recounter', 'recounters', 'recounting', + 'recounts', + 'recoup', 'recoupable', + 'recoupe', + 'recouped', + 'recouping', + 'recouple', + 'recoupled', + 'recouples', 'recoupling', 'recoupment', 'recoupments', + 'recoups', + 'recourse', + 'recourses', + 'recover', 'recoverabilities', 'recoverability', 'recoverable', + 'recovered', + 'recoverer', 'recoverers', 'recoveries', 'recovering', + 'recovers', + 'recovery', + 'recrate', + 'recrated', + 'recrates', + 'recrating', + 'recreant', + 'recreants', + 'recreate', + 'recreated', + 'recreates', 'recreating', 'recreation', 'recreational', @@ -50726,8 +124804,14 @@ export const scrabble_array = [ 'recriminations', 'recriminative', 'recriminatory', + 'recross', + 'recrossed', + 'recrosses', 'recrossing', + 'recrown', + 'recrowned', 'recrowning', + 'recrowns', 'recrudesce', 'recrudesced', 'recrudescence', @@ -50735,41 +124819,70 @@ export const scrabble_array = [ 'recrudescent', 'recrudesces', 'recrudescing', + 'recruit', + 'recruited', + 'recruiter', 'recruiters', 'recruiting', 'recruitment', 'recruitments', + 'recruits', 'recrystallization', 'recrystallizations', 'recrystallize', 'recrystallized', 'recrystallizes', 'recrystallizing', + 'recs', + 'recta', + 'rectal', + 'rectally', + 'rectangle', 'rectangles', 'rectangular', 'rectangularities', 'rectangularity', 'rectangularly', + 'recti', 'rectifiabilities', 'rectifiability', 'rectifiable', 'rectification', 'rectifications', + 'rectified', + 'rectifier', 'rectifiers', + 'rectifies', + 'rectify', 'rectifying', 'rectilinear', 'rectilinearly', + 'rectitude', 'rectitudes', 'rectitudinous', + 'recto', + 'rector', + 'rectorate', 'rectorates', + 'rectorial', + 'rectories', + 'rectors', 'rectorship', 'rectorships', + 'rectory', + 'rectos', + 'rectrices', + 'rectrix', + 'rectum', + 'rectums', + 'rectus', 'recultivate', 'recultivated', 'recultivates', 'recultivating', 'recumbencies', 'recumbency', + 'recumbent', 'recuperate', 'recuperated', 'recuperates', @@ -50777,24 +124890,115 @@ export const scrabble_array = [ 'recuperation', 'recuperations', 'recuperative', + 'recur', + 'recurred', 'recurrence', 'recurrences', + 'recurrent', 'recurrently', + 'recurring', + 'recurs', + 'recursion', 'recursions', + 'recursive', 'recursively', 'recursiveness', 'recursivenesses', + 'recurve', + 'recurved', + 'recurves', + 'recurving', + 'recusal', + 'recusals', 'recusancies', + 'recusancy', + 'recusant', + 'recusants', + 'recuse', + 'recused', + 'recuses', + 'recusing', + 'recut', + 'recuts', + 'recutting', 'recyclable', 'recyclables', + 'recycle', + 'recycled', + 'recycler', + 'recyclers', + 'recycles', + 'recycling', + 'red', + 'redact', + 'redacted', + 'redacting', + 'redaction', 'redactional', 'redactions', + 'redactor', + 'redactors', + 'redacts', + 'redamage', + 'redamaged', + 'redamages', 'redamaging', + 'redan', + 'redans', + 'redargue', + 'redargued', + 'redargues', 'redarguing', + 'redate', + 'redated', + 'redates', + 'redating', + 'redbait', + 'redbaited', 'redbaiting', + 'redbaits', + 'redbay', + 'redbays', + 'redbird', + 'redbirds', + 'redbone', + 'redbones', + 'redbreast', 'redbreasts', + 'redbrick', + 'redbricks', + 'redbud', + 'redbuds', + 'redbug', + 'redbugs', + 'redcap', + 'redcaps', + 'redcoat', + 'redcoats', + 'redd', + 'redded', + 'redden', + 'reddened', + 'reddening', + 'reddens', + 'redder', + 'redders', + 'reddest', + 'redding', + 'reddish', 'reddishness', 'reddishnesses', + 'reddle', + 'reddled', + 'reddles', + 'reddling', + 'redds', + 'rede', + 'redear', + 'redears', + 'redecide', + 'redecided', + 'redecides', 'redeciding', 'redecorate', 'redecorated', @@ -50804,54 +125008,86 @@ export const scrabble_array = [ 'redecorations', 'redecorator', 'redecorators', + 'reded', 'rededicate', 'rededicated', 'rededicates', 'rededicating', 'rededication', 'rededications', + 'redeem', 'redeemable', + 'redeemed', + 'redeemer', + 'redeemers', + 'redeeming', + 'redeems', + 'redefeat', 'redefeated', 'redefeating', + 'redefeats', + 'redefect', 'redefected', 'redefecting', + 'redefects', + 'redefied', + 'redefies', + 'redefine', + 'redefined', + 'redefines', 'redefining', 'redefinition', 'redefinitions', + 'redefy', + 'redefying', + 'redeliver', 'redelivered', 'redeliveries', 'redelivering', 'redelivers', 'redelivery', + 'redemand', 'redemanded', 'redemanding', + 'redemands', 'redemption', 'redemptioner', 'redemptioners', 'redemptions', 'redemptive', 'redemptory', + 'redenied', + 'redenies', + 'redeny', + 'redenying', + 'redeploy', 'redeployed', 'redeploying', 'redeployment', 'redeployments', + 'redeploys', + 'redeposit', 'redeposited', 'redepositing', 'redeposits', + 'redes', 'redescribe', 'redescribed', 'redescribes', 'redescribing', 'redescription', 'redescriptions', + 'redesign', 'redesigned', 'redesigning', + 'redesigns', 'redetermination', 'redeterminations', 'redetermine', 'redetermined', 'redetermines', 'redetermining', + 'redevelop', 'redeveloped', 'redeveloper', 'redevelopers', @@ -50859,11 +125095,35 @@ export const scrabble_array = [ 'redevelopment', 'redevelopments', 'redevelops', + 'redeye', + 'redeyes', + 'redfin', + 'redfins', + 'redfish', + 'redfishes', + 'redhead', + 'redheaded', + 'redheads', + 'redhorse', + 'redhorses', + 'redia', + 'rediae', + 'redial', + 'redialed', + 'redialing', + 'redialled', 'redialling', + 'redials', + 'redias', + 'redid', + 'redigest', 'redigested', 'redigesting', 'redigestion', 'redigestions', + 'redigests', + 'reding', + 'redingote', 'redingotes', 'redintegrate', 'redintegrated', @@ -50872,10 +125132,17 @@ export const scrabble_array = [ 'redintegration', 'redintegrations', 'redintegrative', + 'redip', + 'redipped', + 'redipping', + 'redips', + 'redipt', + 'redirect', 'redirected', 'redirecting', 'redirection', 'redirections', + 'redirects', 'rediscount', 'rediscountable', 'rediscounted', @@ -50887,12 +125154,15 @@ export const scrabble_array = [ 'rediscovering', 'rediscovers', 'rediscovery', + 'rediscuss', 'rediscussed', 'rediscusses', 'rediscussing', + 'redisplay', 'redisplayed', 'redisplaying', 'redisplays', + 'redispose', 'redisposed', 'redisposes', 'redisposing', @@ -50902,6 +125172,7 @@ export const scrabble_array = [ 'redissolved', 'redissolves', 'redissolving', + 'redistill', 'redistillation', 'redistillations', 'redistilled', @@ -50921,27 +125192,136 @@ export const scrabble_array = [ 'redistricted', 'redistricting', 'redistricts', + 'redivide', + 'redivided', + 'redivides', 'redividing', 'redivision', 'redivisions', + 'redivivus', + 'redleg', + 'redlegs', + 'redline', + 'redlined', + 'redlines', + 'redlining', + 'redly', + 'redneck', + 'rednecked', + 'rednecks', + 'redness', + 'rednesses', + 'redo', + 'redock', + 'redocked', + 'redocking', + 'redocks', + 'redoes', + 'redoing', + 'redolence', 'redolences', + 'redolent', 'redolently', + 'redon', + 'redone', + 'redonned', + 'redonning', + 'redons', + 'redos', + 'redouble', + 'redoubled', + 'redoubles', 'redoubling', + 'redoubt', 'redoubtable', 'redoubtably', + 'redoubts', + 'redound', + 'redounded', 'redounding', + 'redounds', + 'redout', + 'redouts', + 'redowa', + 'redowas', + 'redox', + 'redoxes', + 'redpoll', + 'redpolls', + 'redraft', + 'redrafted', 'redrafting', + 'redrafts', + 'redraw', + 'redrawer', + 'redrawers', + 'redrawing', + 'redrawn', + 'redraws', + 'redream', + 'redreamed', 'redreaming', + 'redreams', + 'redreamt', + 'redress', + 'redressed', + 'redresser', 'redressers', + 'redresses', 'redressing', + 'redrew', + 'redried', + 'redries', + 'redrill', + 'redrilled', 'redrilling', + 'redrills', + 'redrive', + 'redriven', + 'redrives', + 'redriving', + 'redroot', + 'redroots', + 'redrove', + 'redry', + 'redrying', + 'reds', + 'redshank', + 'redshanks', + 'redshift', 'redshifted', + 'redshifts', + 'redshirt', 'redshirted', 'redshirting', + 'redshirts', + 'redskin', + 'redskins', + 'redstart', + 'redstarts', + 'redtail', + 'redtails', + 'redtop', + 'redtops', + 'redub', + 'redubbed', + 'redubbing', + 'redubs', + 'reduce', + 'reduced', + 'reducer', + 'reducers', + 'reduces', 'reducibilities', 'reducibility', + 'reducible', + 'reducibly', + 'reducing', + 'reductant', 'reductants', + 'reductase', 'reductases', + 'reduction', 'reductional', 'reductionism', 'reductionisms', @@ -50949,11 +125329,15 @@ export const scrabble_array = [ 'reductionistic', 'reductionists', 'reductions', + 'reductive', 'reductively', 'reductiveness', 'reductivenesses', + 'reductor', + 'reductors', 'redundancies', 'redundancy', + 'redundant', 'redundantly', 'reduplicate', 'reduplicated', @@ -50963,36 +125347,130 @@ export const scrabble_array = [ 'reduplications', 'reduplicative', 'reduplicatively', + 'reduviid', + 'reduviids', + 'redux', + 'redware', + 'redwares', + 'redwing', + 'redwings', + 'redwood', + 'redwoods', + 'redye', + 'redyed', + 'redyeing', + 'redyes', + 'ree', + 'reearn', + 'reearned', + 'reearning', + 'reearns', + 'reechier', + 'reechiest', + 'reecho', + 'reechoed', + 'reechoes', + 'reechoing', + 'reechy', + 'reed', + 'reedbird', + 'reedbirds', + 'reedbuck', + 'reedbucks', + 'reeded', + 'reedier', + 'reediest', + 'reedified', + 'reedifies', + 'reedify', 'reedifying', + 'reedily', + 'reediness', 'reedinesses', + 'reeding', + 'reedings', + 'reedit', + 'reedited', + 'reediting', + 'reedition', 'reeditions', + 'reedits', + 'reedlike', + 'reedling', + 'reedlings', + 'reedman', + 'reedmen', + 'reeds', + 'reeducate', 'reeducated', 'reeducates', 'reeducating', 'reeducation', 'reeducations', 'reeducative', + 'reedy', + 'reef', + 'reefable', + 'reefed', + 'reefer', + 'reefers', + 'reefier', + 'reefiest', + 'reefing', + 'reefs', + 'reefy', + 'reeject', + 'reejected', 'reejecting', + 'reejects', + 'reek', + 'reeked', + 'reeker', + 'reekers', + 'reekier', + 'reekiest', + 'reeking', + 'reeks', + 'reeky', + 'reel', + 'reelable', + 'reelect', + 'reelected', 'reelecting', 'reelection', 'reelections', + 'reelects', + 'reeled', + 'reeler', + 'reelers', 'reeligibilities', 'reeligibility', 'reeligible', + 'reeling', + 'reels', + 'reembark', 'reembarked', 'reembarking', + 'reembarks', 'reembodied', 'reembodies', + 'reembody', 'reembodying', 'reembroider', 'reembroidered', 'reembroidering', 'reembroiders', + 'reemerge', + 'reemerged', 'reemergence', 'reemergences', + 'reemerges', 'reemerging', 'reemission', 'reemissions', + 'reemit', + 'reemits', + 'reemitted', 'reemitting', 'reemphases', 'reemphasis', @@ -51000,138 +125478,295 @@ export const scrabble_array = [ 'reemphasized', 'reemphasizes', 'reemphasizing', + 'reemploy', 'reemployed', 'reemploying', 'reemployment', 'reemployments', + 'reemploys', + 'reenact', + 'reenacted', 'reenacting', 'reenactment', 'reenactments', + 'reenacts', 'reencounter', 'reencountered', 'reencountering', 'reencounters', + 'reendow', + 'reendowed', 'reendowing', + 'reendows', 'reenergize', 'reenergized', 'reenergizes', 'reenergizing', + 'reenforce', 'reenforced', 'reenforces', 'reenforcing', + 'reengage', + 'reengaged', 'reengagement', 'reengagements', + 'reengages', 'reengaging', 'reengineer', 'reengineered', 'reengineering', 'reengineers', + 'reengrave', 'reengraved', 'reengraves', 'reengraving', + 'reenjoy', + 'reenjoyed', 'reenjoying', + 'reenjoys', + 'reenlist', 'reenlisted', 'reenlisting', 'reenlistment', 'reenlistments', + 'reenlists', + 'reenroll', 'reenrolled', 'reenrolling', + 'reenrolls', + 'reenter', + 'reentered', 'reentering', + 'reenters', 'reenthrone', 'reenthroned', 'reenthrones', 'reenthroning', 'reentrance', 'reentrances', + 'reentrant', 'reentrants', + 'reentries', + 'reentry', + 'reequip', 'reequipment', 'reequipments', 'reequipped', 'reequipping', + 'reequips', + 'reerect', + 'reerected', 'reerecting', + 'reerects', + 'rees', 'reescalate', 'reescalated', 'reescalates', 'reescalating', 'reescalation', 'reescalations', + 'reest', 'reestablish', 'reestablished', 'reestablishes', 'reestablishing', 'reestablishment', 'reestablishments', + 'reested', 'reestimate', 'reestimated', 'reestimates', 'reestimating', + 'reesting', + 'reests', 'reevaluate', 'reevaluated', 'reevaluates', 'reevaluating', 'reevaluation', 'reevaluations', + 'reeve', + 'reeved', + 'reeves', + 'reeving', + 'reevoke', + 'reevoked', + 'reevokes', + 'reevoking', 'reexamination', 'reexaminations', + 'reexamine', 'reexamined', 'reexamines', 'reexamining', + 'reexpel', 'reexpelled', 'reexpelling', + 'reexpels', 'reexperience', 'reexperienced', 'reexperiences', 'reexperiencing', + 'reexplore', 'reexplored', 'reexplores', 'reexploring', + 'reexport', 'reexportation', 'reexportations', 'reexported', 'reexporting', + 'reexports', + 'reexpose', + 'reexposed', + 'reexposes', 'reexposing', 'reexposure', 'reexposures', + 'reexpress', 'reexpressed', 'reexpresses', 'reexpressing', + 'ref', + 'reface', + 'refaced', + 'refaces', + 'refacing', + 'refall', + 'refallen', + 'refalling', + 'refalls', + 'refashion', 'refashioned', 'refashioning', 'refashions', + 'refasten', 'refastened', 'refastening', + 'refastens', + 'refect', + 'refected', + 'refecting', + 'refection', 'refections', 'refectories', + 'refectory', + 'refects', + 'refed', + 'refeed', + 'refeeding', + 'refeeds', + 'refeel', + 'refeeling', + 'refeels', + 'refel', + 'refell', + 'refelled', + 'refelling', + 'refels', + 'refelt', + 'refence', + 'refenced', + 'refences', + 'refencing', + 'refer', + 'referable', + 'referee', + 'refereed', 'refereeing', + 'referees', + 'reference', 'referenced', 'references', 'referencing', + 'referenda', 'referendum', 'referendums', + 'referent', 'referential', 'referentialities', 'referentiality', 'referentially', + 'referents', + 'referral', + 'referrals', + 'referred', + 'referrer', + 'referrers', + 'referring', + 'refers', + 'reffed', + 'reffing', + 'refight', 'refighting', + 'refights', + 'refigure', + 'refigured', + 'refigures', 'refiguring', + 'refile', + 'refiled', + 'refiles', + 'refiling', + 'refill', 'refillable', + 'refilled', + 'refilling', + 'refills', + 'refilm', + 'refilmed', + 'refilming', + 'refilms', + 'refilter', 'refiltered', 'refiltering', + 'refilters', + 'refinance', 'refinanced', 'refinances', 'refinancing', + 'refind', + 'refinding', + 'refinds', + 'refine', + 'refined', 'refinement', 'refinements', + 'refiner', 'refineries', + 'refiners', + 'refinery', + 'refines', + 'refining', + 'refinish', 'refinished', 'refinisher', 'refinishers', 'refinishes', 'refinishing', + 'refire', + 'refired', + 'refires', + 'refiring', + 'refit', + 'refits', + 'refitted', + 'refitting', + 'refix', + 'refixed', + 'refixes', + 'refixing', + 'reflate', + 'reflated', + 'reflates', + 'reflating', + 'reflation', 'reflationary', 'reflations', + 'reflect', 'reflectance', 'reflectances', + 'reflected', 'reflecting', 'reflection', 'reflectional', @@ -51146,36 +125781,86 @@ export const scrabble_array = [ 'reflectometers', 'reflectometries', 'reflectometry', + 'reflector', 'reflectorize', 'reflectorized', 'reflectorizes', 'reflectorizing', 'reflectors', + 'reflects', + 'reflet', + 'reflets', + 'reflew', + 'reflex', + 'reflexed', + 'reflexes', + 'reflexing', + 'reflexion', 'reflexions', + 'reflexive', 'reflexively', 'reflexiveness', 'reflexivenesses', 'reflexives', 'reflexivities', 'reflexivity', + 'reflexly', 'reflexologies', 'reflexology', + 'reflies', + 'refloat', + 'refloated', 'refloating', + 'refloats', + 'reflood', + 'reflooded', 'reflooding', + 'refloods', + 'reflow', + 'reflowed', + 'reflower', 'reflowered', 'reflowering', + 'reflowers', + 'reflowing', + 'reflown', + 'reflows', + 'refluence', 'refluences', + 'refluent', + 'reflux', + 'refluxed', + 'refluxes', + 'refluxing', + 'refly', + 'reflying', + 'refocus', + 'refocused', + 'refocuses', 'refocusing', 'refocussed', 'refocusses', 'refocussing', + 'refold', + 'refolded', + 'refolding', + 'refolds', + 'reforest', 'reforestation', 'reforestations', 'reforested', 'reforesting', + 'reforests', + 'reforge', + 'reforged', + 'reforges', + 'reforging', + 'reform', 'reformabilities', 'reformability', 'reformable', + 'reformat', + 'reformate', 'reformates', 'reformation', 'reformational', @@ -51183,10 +125868,18 @@ export const scrabble_array = [ 'reformative', 'reformatories', 'reformatory', + 'reformats', 'reformatted', 'reformatting', + 'reformed', + 'reformer', + 'reformers', + 'reforming', + 'reformism', 'reformisms', + 'reformist', 'reformists', + 'reforms', 'reformulate', 'reformulated', 'reformulates', @@ -51197,10 +125890,17 @@ export const scrabble_array = [ 'refortifications', 'refortified', 'refortifies', + 'refortify', 'refortifying', + 'refought', + 'refound', 'refoundation', 'refoundations', + 'refounded', 'refounding', + 'refounds', + 'refract', + 'refracted', 'refractile', 'refracting', 'refraction', @@ -51216,29 +125916,47 @@ export const scrabble_array = [ 'refractometric', 'refractometries', 'refractometry', + 'refractor', 'refractories', 'refractorily', 'refractoriness', 'refractorinesses', 'refractors', 'refractory', + 'refracts', + 'refrain', + 'refrained', 'refraining', 'refrainment', 'refrainments', + 'refrains', + 'reframe', + 'reframed', + 'reframes', + 'reframing', 'refrangibilities', 'refrangibility', 'refrangible', 'refrangibleness', 'refrangiblenesses', + 'refreeze', + 'refreezes', 'refreezing', + 'refresh', + 'refreshed', + 'refreshen', 'refreshened', 'refreshening', 'refreshens', + 'refresher', 'refreshers', + 'refreshes', 'refreshing', 'refreshingly', 'refreshment', 'refreshments', + 'refried', + 'refries', 'refrigerant', 'refrigerants', 'refrigerate', @@ -51249,15 +125967,45 @@ export const scrabble_array = [ 'refrigerations', 'refrigerator', 'refrigerators', + 'refront', + 'refronted', 'refronting', + 'refronts', + 'refroze', + 'refrozen', + 'refry', + 'refrying', + 'refs', + 'reft', + 'refuel', + 'refueled', + 'refueling', + 'refuelled', 'refuelling', + 'refuels', + 'refuge', + 'refuged', + 'refugee', 'refugeeism', 'refugeeisms', + 'refugees', + 'refuges', + 'refugia', + 'refuging', + 'refugium', 'refulgence', 'refulgences', + 'refulgent', + 'refund', 'refundabilities', 'refundability', 'refundable', + 'refunded', + 'refunder', + 'refunders', + 'refunding', + 'refunds', + 'refurbish', 'refurbished', 'refurbisher', 'refurbishers', @@ -51265,23 +126013,86 @@ export const scrabble_array = [ 'refurbishing', 'refurbishment', 'refurbishments', + 'refurnish', 'refurnished', 'refurnishes', 'refurnishing', + 'refusal', + 'refusals', + 'refuse', + 'refused', + 'refusenik', 'refuseniks', + 'refuser', + 'refusers', + 'refuses', + 'refusing', + 'refusnik', + 'refusniks', + 'refutable', + 'refutably', + 'refutal', + 'refutals', 'refutation', 'refutations', + 'refute', + 'refuted', + 'refuter', + 'refuters', + 'refutes', + 'refuting', + 'reg', + 'regain', + 'regained', + 'regainer', + 'regainers', + 'regaining', + 'regains', + 'regal', + 'regale', + 'regaled', + 'regaler', + 'regalers', + 'regales', + 'regalia', + 'regaling', 'regalities', + 'regality', + 'regally', + 'regard', + 'regardant', + 'regarded', + 'regardful', 'regardfully', 'regardfulness', 'regardfulnesses', + 'regarding', 'regardless', 'regardlessly', 'regardlessness', 'regardlessnesses', + 'regards', + 'regather', 'regathered', 'regathering', + 'regathers', + 'regatta', + 'regattas', + 'regauge', + 'regauged', + 'regauges', + 'regauging', + 'regave', + 'regear', + 'regeared', + 'regearing', + 'regears', + 'regelate', + 'regelated', + 'regelates', 'regelating', + 'regencies', + 'regency', 'regenerable', 'regeneracies', 'regeneracy', @@ -51297,12 +126108,38 @@ export const scrabble_array = [ 'regenerative', 'regenerator', 'regenerators', + 'regent', + 'regental', + 'regents', + 'reges', + 'reggae', + 'reggaes', + 'regicidal', + 'regicide', + 'regicides', + 'regild', + 'regilded', + 'regilding', + 'regilds', + 'regilt', + 'regime', + 'regimen', + 'regimens', + 'regiment', 'regimental', 'regimentals', 'regimentation', 'regimentations', 'regimented', 'regimenting', + 'regiments', + 'regimes', + 'regina', + 'reginae', + 'reginal', + 'reginas', + 'region', + 'regional', 'regionalism', 'regionalisms', 'regionalist', @@ -51315,23 +126152,90 @@ export const scrabble_array = [ 'regionalizes', 'regionalizing', 'regionally', + 'regionals', + 'regions', + 'regisseur', 'regisseurs', + 'register', 'registerable', 'registered', 'registering', + 'registers', 'registrable', 'registrant', 'registrants', + 'registrar', 'registrars', 'registration', 'registrations', 'registries', + 'registry', + 'regius', + 'regive', + 'regiven', + 'regives', + 'regiving', + 'reglaze', + 'reglazed', + 'reglazes', + 'reglazing', + 'reglet', + 'reglets', + 'regloss', + 'reglossed', + 'reglosses', 'reglossing', + 'reglow', + 'reglowed', + 'reglowing', + 'reglows', + 'reglue', + 'reglued', + 'reglues', + 'regluing', + 'regma', + 'regmata', + 'regna', + 'regnal', 'regnancies', + 'regnancy', + 'regnant', + 'regnum', + 'regolith', + 'regoliths', + 'regorge', + 'regorged', + 'regorges', + 'regorging', + 'regosol', + 'regosols', + 'regrade', + 'regraded', + 'regrades', + 'regrading', + 'regraft', + 'regrafted', 'regrafting', + 'regrafts', + 'regrant', + 'regranted', 'regranting', + 'regrants', + 'regrate', + 'regrated', + 'regrates', + 'regrating', + 'regreen', + 'regreened', 'regreening', + 'regreens', + 'regreet', + 'regreeted', 'regreeting', + 'regreets', + 'regress', + 'regressed', + 'regresses', 'regressing', 'regression', 'regressions', @@ -51341,18 +126245,45 @@ export const scrabble_array = [ 'regressivenesses', 'regressivities', 'regressivity', + 'regressor', 'regressors', + 'regret', + 'regretful', 'regretfully', 'regretfulness', 'regretfulnesses', + 'regrets', 'regrettable', 'regrettably', + 'regretted', + 'regretter', 'regretters', 'regretting', + 'regrew', + 'regrind', 'regrinding', + 'regrinds', + 'regroom', + 'regroomed', 'regrooming', + 'regrooms', + 'regroove', + 'regrooved', + 'regrooves', 'regrooving', + 'reground', + 'regroup', + 'regrouped', 'regrouping', + 'regroups', + 'regrow', + 'regrowing', + 'regrown', + 'regrows', + 'regrowth', + 'regrowths', + 'regs', + 'regular', 'regularities', 'regularity', 'regularization', @@ -51361,18 +126292,33 @@ export const scrabble_array = [ 'regularized', 'regularizes', 'regularizing', + 'regularly', + 'regulars', + 'regulate', + 'regulated', + 'regulates', 'regulating', 'regulation', 'regulations', 'regulative', + 'regulator', 'regulators', 'regulatory', + 'reguli', + 'reguline', + 'regulus', + 'reguluses', 'regurgitate', 'regurgitated', 'regurgitates', 'regurgitating', 'regurgitation', 'regurgitations', + 'rehab', + 'rehabbed', + 'rehabber', + 'rehabbers', + 'rehabbing', 'rehabilitant', 'rehabilitants', 'rehabilitate', @@ -51384,26 +126330,81 @@ export const scrabble_array = [ 'rehabilitative', 'rehabilitator', 'rehabilitators', + 'rehabs', + 'rehammer', 'rehammered', 'rehammering', + 'rehammers', + 'rehandle', + 'rehandled', + 'rehandles', 'rehandling', + 'rehang', + 'rehanged', + 'rehanging', + 'rehangs', + 'reharden', 'rehardened', 'rehardening', + 'rehardens', + 'rehash', + 'rehashed', + 'rehashes', + 'rehashing', + 'rehear', + 'reheard', + 'rehearing', 'rehearings', + 'rehears', + 'rehearsal', 'rehearsals', + 'rehearse', + 'rehearsed', + 'rehearser', 'rehearsers', + 'rehearses', 'rehearsing', + 'reheat', + 'reheated', + 'reheater', + 'reheaters', + 'reheating', + 'reheats', + 'reheel', + 'reheeled', + 'reheeling', + 'reheels', + 'rehem', + 'rehemmed', + 'rehemming', + 'rehems', + 'rehinge', + 'rehinged', + 'rehinges', + 'rehinging', + 'rehire', + 'rehired', + 'rehires', + 'rehiring', + 'rehoboam', + 'rehoboams', 'rehospitalization', 'rehospitalizations', 'rehospitalize', 'rehospitalized', 'rehospitalizes', 'rehospitalizing', + 'rehouse', + 'rehoused', + 'rehouses', + 'rehousing', 'rehumanize', 'rehumanized', 'rehumanizes', 'rehumanizing', + 'rehung', 'rehydratable', + 'rehydrate', 'rehydrated', 'rehydrates', 'rehydrating', @@ -51413,49 +126414,82 @@ export const scrabble_array = [ 'rehypnotized', 'rehypnotizes', 'rehypnotizing', + 'rei', 'reichsmark', 'reichsmarks', 'reidentified', 'reidentifies', 'reidentify', 'reidentifying', + 'reif', 'reification', 'reifications', + 'reified', + 'reifier', + 'reifiers', + 'reifies', + 'reifs', + 'reify', + 'reifying', + 'reign', + 'reigned', + 'reigning', + 'reignite', + 'reignited', + 'reignites', 'reigniting', 'reignition', 'reignitions', + 'reigns', + 'reimage', + 'reimaged', + 'reimages', + 'reimagine', 'reimagined', 'reimagines', + 'reimaging', 'reimagining', 'reimbursable', + 'reimburse', 'reimbursed', 'reimbursement', 'reimbursements', 'reimburses', 'reimbursing', + 'reimmerse', 'reimmersed', 'reimmerses', 'reimmersing', + 'reimplant', 'reimplantation', 'reimplantations', 'reimplanted', 'reimplanting', 'reimplants', + 'reimport', 'reimportation', 'reimportations', 'reimported', 'reimporting', + 'reimports', + 'reimpose', + 'reimposed', + 'reimposes', 'reimposing', 'reimposition', 'reimpositions', 'reimpression', 'reimpressions', + 'rein', 'reincarnate', 'reincarnated', 'reincarnates', 'reincarnating', 'reincarnation', 'reincarnations', + 'reincite', + 'reincited', + 'reincites', 'reinciting', 'reincorporate', 'reincorporated', @@ -51463,33 +126497,52 @@ export const scrabble_array = [ 'reincorporating', 'reincorporation', 'reincorporations', + 'reincur', 'reincurred', 'reincurring', + 'reincurs', + 'reindeer', + 'reindeers', + 'reindex', + 'reindexed', + 'reindexes', 'reindexing', + 'reindict', 'reindicted', 'reindicting', 'reindictment', 'reindictments', + 'reindicts', + 'reinduce', + 'reinduced', + 'reinduces', 'reinducing', + 'reinduct', 'reinducted', 'reinducting', + 'reinducts', 'reindustrialization', 'reindustrializations', 'reindustrialize', 'reindustrialized', 'reindustrializes', 'reindustrializing', + 'reined', + 'reinfect', 'reinfected', 'reinfecting', 'reinfection', 'reinfections', + 'reinfects', 'reinfestation', 'reinfestations', + 'reinflate', 'reinflated', 'reinflates', 'reinflating', 'reinflation', 'reinflations', + 'reinforce', 'reinforceable', 'reinforced', 'reinforcement', @@ -51498,22 +126551,40 @@ export const scrabble_array = [ 'reinforcers', 'reinforces', 'reinforcing', + 'reinform', 'reinformed', 'reinforming', + 'reinforms', + 'reinfuse', + 'reinfused', + 'reinfuses', 'reinfusing', + 'reinhabit', 'reinhabited', 'reinhabiting', 'reinhabits', + 'reining', 'reinitiate', 'reinitiated', 'reinitiates', 'reinitiating', + 'reinject', 'reinjected', 'reinjecting', 'reinjection', 'reinjections', + 'reinjects', + 'reinjure', + 'reinjured', + 'reinjures', 'reinjuries', 'reinjuring', + 'reinjury', + 'reink', + 'reinked', + 'reinking', + 'reinks', + 'reinless', 'reinnervate', 'reinnervated', 'reinnervates', @@ -51526,23 +126597,32 @@ export const scrabble_array = [ 'reinoculating', 'reinoculation', 'reinoculations', + 'reins', + 'reinsert', 'reinserted', 'reinserting', 'reinsertion', 'reinsertions', + 'reinserts', + 'reinsman', + 'reinsmen', + 'reinspect', 'reinspected', 'reinspecting', 'reinspection', 'reinspections', 'reinspects', + 'reinspire', 'reinspired', 'reinspires', 'reinspiring', + 'reinstall', 'reinstallation', 'reinstallations', 'reinstalled', 'reinstalling', 'reinstalls', + 'reinstate', 'reinstated', 'reinstatement', 'reinstatements', @@ -51560,7 +126640,11 @@ export const scrabble_array = [ 'reinstitutionalizing', 'reinsurance', 'reinsurances', + 'reinsure', + 'reinsured', + 'reinsurer', 'reinsurers', + 'reinsures', 'reinsuring', 'reintegrate', 'reintegrated', @@ -51569,6 +126653,7 @@ export const scrabble_array = [ 'reintegration', 'reintegrations', 'reintegrative', + 'reinter', 'reinterpret', 'reinterpretation', 'reinterpretations', @@ -51577,6 +126662,7 @@ export const scrabble_array = [ 'reinterprets', 'reinterred', 'reinterring', + 'reinters', 'reinterview', 'reinterviewed', 'reinterviewing', @@ -51587,13 +126673,19 @@ export const scrabble_array = [ 'reintroducing', 'reintroduction', 'reintroductions', + 'reinvade', + 'reinvaded', + 'reinvades', 'reinvading', 'reinvasion', 'reinvasions', + 'reinvent', 'reinvented', 'reinventing', 'reinvention', 'reinventions', + 'reinvents', + 'reinvest', 'reinvested', 'reinvestigate', 'reinvestigated', @@ -51604,6 +126696,7 @@ export const scrabble_array = [ 'reinvesting', 'reinvestment', 'reinvestments', + 'reinvests', 'reinvigorate', 'reinvigorated', 'reinvigorates', @@ -51612,8 +126705,24 @@ export const scrabble_array = [ 'reinvigorations', 'reinvigorator', 'reinvigorators', + 'reinvite', + 'reinvited', + 'reinvites', 'reinviting', + 'reinvoke', + 'reinvoked', + 'reinvokes', 'reinvoking', + 'reis', + 'reissue', + 'reissued', + 'reissuer', + 'reissuers', + 'reissues', + 'reissuing', + 'reitbok', + 'reitboks', + 'reiterate', 'reiterated', 'reiterates', 'reiterating', @@ -51621,15 +126730,55 @@ export const scrabble_array = [ 'reiterations', 'reiterative', 'reiteratively', + 'reive', + 'reived', + 'reiver', + 'reivers', + 'reives', + 'reiving', + 'rejacket', 'rejacketed', 'rejacketing', + 'rejackets', + 'reject', + 'rejected', + 'rejectee', + 'rejectees', + 'rejecter', + 'rejecters', + 'rejecting', 'rejectingly', + 'rejection', 'rejections', + 'rejective', + 'rejector', + 'rejectors', + 'rejects', + 'rejigger', 'rejiggered', 'rejiggering', + 'rejiggers', + 'rejoice', + 'rejoiced', + 'rejoicer', + 'rejoicers', + 'rejoices', + 'rejoicing', 'rejoicingly', 'rejoicings', + 'rejoin', + 'rejoinder', 'rejoinders', + 'rejoined', + 'rejoining', + 'rejoins', + 'rejudge', + 'rejudged', + 'rejudges', + 'rejudging', + 'rejuggle', + 'rejuggled', + 'rejuggles', 'rejuggling', 'rejuvenate', 'rejuvenated', @@ -51642,29 +126791,66 @@ export const scrabble_array = [ 'rejuvenescence', 'rejuvenescences', 'rejuvenescent', + 'rekey', 'rekeyboard', 'rekeyboarded', 'rekeyboarding', 'rekeyboards', + 'rekeyed', + 'rekeying', + 'rekeys', + 'rekindle', + 'rekindled', + 'rekindles', 'rekindling', + 'reknit', + 'reknits', + 'reknitted', 'reknitting', + 'relabel', + 'relabeled', 'relabeling', 'relabelled', 'relabelling', + 'relabels', + 'relace', + 'relaced', + 'relaces', + 'relacing', + 'relacquer', 'relacquered', 'relacquering', 'relacquers', + 'relaid', 'relandscape', 'relandscaped', 'relandscapes', 'relandscaping', + 'relapse', + 'relapsed', + 'relapser', + 'relapsers', + 'relapses', + 'relapsing', + 'relatable', + 'relate', + 'related', + 'relatedly', 'relatedness', 'relatednesses', + 'relater', + 'relaters', + 'relates', + 'relating', + 'relation', 'relational', 'relationally', + 'relations', 'relationship', 'relationships', + 'relative', 'relatively', + 'relatives', 'relativism', 'relativisms', 'relativist', @@ -51677,48 +126863,138 @@ export const scrabble_array = [ 'relativized', 'relativizes', 'relativizing', + 'relator', + 'relators', + 'relaunch', 'relaunched', 'relaunches', 'relaunching', + 'relax', + 'relaxant', + 'relaxants', 'relaxation', 'relaxations', + 'relaxed', + 'relaxedly', 'relaxedness', 'relaxednesses', + 'relaxer', + 'relaxers', + 'relaxes', + 'relaxin', + 'relaxing', + 'relaxins', + 'relay', + 'relayed', + 'relaying', + 'relays', + 'relearn', + 'relearned', 'relearning', + 'relearns', + 'relearnt', 'releasable', + 'release', + 'released', + 'releaser', + 'releasers', + 'releases', + 'releasing', + 'relegate', + 'relegated', + 'relegates', 'relegating', 'relegation', 'relegations', + 'relend', + 'relending', + 'relends', + 'relent', + 'relented', + 'relenting', 'relentless', 'relentlessly', 'relentlessness', 'relentlessnesses', + 'relents', + 'relet', + 'relets', + 'reletter', 'relettered', 'relettering', + 'reletters', + 'reletting', + 'relevance', 'relevances', 'relevancies', + 'relevancy', + 'relevant', 'relevantly', + 'releve', + 'releves', 'reliabilities', 'reliability', + 'reliable', 'reliableness', 'reliablenesses', + 'reliables', + 'reliably', + 'reliance', + 'reliances', + 'reliant', + 'reliantly', + 'relic', + 'relicense', 'relicensed', 'relicenses', 'relicensing', 'relicensure', 'relicensures', + 'relics', + 'relict', + 'reliction', 'relictions', + 'relicts', + 'relied', + 'relief', + 'reliefs', + 'relier', + 'reliers', + 'relies', 'relievable', + 'relieve', + 'relieved', 'relievedly', + 'reliever', + 'relievers', + 'relieves', + 'relieving', + 'relievo', + 'relievos', + 'relight', + 'relighted', 'relighting', + 'relights', + 'religion', 'religionist', 'religionists', 'religionless', + 'religions', + 'religiose', 'religiosities', 'religiosity', + 'religious', 'religiously', 'religiousness', 'religiousnesses', + 'reline', + 'relined', + 'relines', + 'relining', + 'relink', + 'relinked', + 'relinking', + 'relinks', 'relinquish', 'relinquished', 'relinquishes', @@ -51726,58 +127002,167 @@ export const scrabble_array = [ 'relinquishment', 'relinquishments', 'reliquaries', + 'reliquary', + 'relique', 'reliquefied', 'reliquefies', + 'reliquefy', 'reliquefying', + 'reliques', + 'reliquiae', + 'relish', 'relishable', + 'relished', + 'relishes', + 'relishing', + 'relist', + 'relisted', + 'relisting', + 'relists', + 'relit', + 'relive', + 'relived', + 'relives', + 'reliving', + 'reload', + 'reloaded', + 'reloader', + 'reloaders', + 'reloading', + 'reloads', + 'reloan', + 'reloaned', + 'reloaning', + 'reloans', 'relocatable', + 'relocate', + 'relocated', + 'relocatee', 'relocatees', + 'relocates', 'relocating', 'relocation', 'relocations', + 'relock', + 'relocked', + 'relocking', + 'relocks', + 'relook', + 'relooked', + 'relooking', + 'relooks', 'relubricate', 'relubricated', 'relubricates', 'relubricating', 'relubrication', 'relubrications', + 'relucent', + 'reluct', 'reluctance', 'reluctances', 'reluctancies', 'reluctancy', + 'reluctant', 'reluctantly', + 'reluctate', 'reluctated', 'reluctates', 'reluctating', 'reluctation', 'reluctations', + 'relucted', + 'relucting', + 'relucts', + 'relume', + 'relumed', + 'relumes', + 'relumine', + 'relumined', + 'relumines', + 'reluming', 'relumining', + 'rely', + 'relying', + 'rem', + 'remade', + 'remail', + 'remailed', + 'remailing', + 'remails', + 'remain', + 'remainder', 'remaindered', 'remaindering', 'remainders', + 'remained', + 'remaining', + 'remains', + 'remake', + 'remaker', + 'remakers', + 'remakes', + 'remaking', + 'reman', + 'remand', + 'remanded', + 'remanding', + 'remands', + 'remanence', 'remanences', + 'remanent', + 'remanned', + 'remanning', + 'remans', 'remanufacture', 'remanufactured', 'remanufacturer', 'remanufacturers', 'remanufactures', 'remanufacturing', + 'remap', + 'remapped', + 'remapping', + 'remaps', + 'remark', 'remarkable', 'remarkableness', 'remarkablenesses', 'remarkably', + 'remarked', + 'remarker', + 'remarkers', + 'remarket', 'remarketed', 'remarketing', + 'remarkets', + 'remarking', + 'remarks', + 'remarque', + 'remarques', 'remarriage', 'remarriages', + 'remarried', + 'remarries', + 'remarry', 'remarrying', + 'remaster', 'remastered', 'remastering', + 'remasters', + 'rematch', + 'rematched', + 'rematches', 'rematching', + 'remate', + 'remated', 'rematerialize', 'rematerialized', 'rematerializes', 'rematerializing', + 'remates', + 'remating', + 'remeasure', 'remeasured', 'remeasurement', 'remeasurements', @@ -51786,13 +127171,27 @@ export const scrabble_array = [ 'remediabilities', 'remediability', 'remediable', + 'remedial', 'remedially', + 'remediate', 'remediated', 'remediates', 'remediating', 'remediation', 'remediations', + 'remedied', + 'remedies', 'remediless', + 'remedy', + 'remedying', + 'remeet', + 'remeeting', + 'remeets', + 'remelt', + 'remelted', + 'remelting', + 'remelts', + 'remember', 'rememberabilities', 'rememberability', 'rememberable', @@ -51800,10 +127199,23 @@ export const scrabble_array = [ 'rememberer', 'rememberers', 'remembering', + 'remembers', 'remembrance', 'remembrancer', 'remembrancers', 'remembrances', + 'remend', + 'remended', + 'remending', + 'remends', + 'remerge', + 'remerged', + 'remerges', + 'remerging', + 'remet', + 'remex', + 'remiges', + 'remigial', 'remigration', 'remigrations', 'remilitarization', @@ -51812,6 +127224,14 @@ export const scrabble_array = [ 'remilitarized', 'remilitarizes', 'remilitarizing', + 'remind', + 'reminded', + 'reminder', + 'reminders', + 'remindful', + 'reminding', + 'reminds', + 'reminisce', 'reminisced', 'reminiscence', 'reminiscences', @@ -51822,30 +127242,71 @@ export const scrabble_array = [ 'reminiscers', 'reminisces', 'reminiscing', + 'remint', + 'reminted', + 'reminting', + 'remints', + 'remise', + 'remised', + 'remises', + 'remising', + 'remiss', 'remissible', 'remissibly', + 'remission', 'remissions', + 'remissly', 'remissness', 'remissnesses', + 'remit', + 'remitment', 'remitments', + 'remits', 'remittable', + 'remittal', + 'remittals', 'remittance', 'remittances', + 'remitted', + 'remittent', + 'remitter', + 'remitters', + 'remitting', + 'remittor', + 'remittors', + 'remix', + 'remixed', + 'remixes', + 'remixing', + 'remixt', + 'remnant', + 'remnants', 'remobilization', 'remobilizations', 'remobilize', 'remobilized', 'remobilizes', 'remobilizing', + 'remodel', + 'remodeled', 'remodeling', 'remodelled', 'remodelling', + 'remodels', 'remodified', 'remodifies', + 'remodify', 'remodifying', + 'remoisten', 'remoistened', 'remoistening', 'remoistens', + 'remolade', + 'remolades', + 'remold', + 'remolded', + 'remolding', + 'remolds', 'remonetization', 'remonetizations', 'remonetize', @@ -51867,6 +127328,10 @@ export const scrabble_array = [ 'remonstratively', 'remonstrator', 'remonstrators', + 'remora', + 'remoras', + 'remorid', + 'remorse', 'remorseful', 'remorsefully', 'remorsefulness', @@ -51875,24 +127340,48 @@ export const scrabble_array = [ 'remorselessly', 'remorselessness', 'remorselessnesses', + 'remorses', 'remortgage', 'remortgaged', 'remortgages', 'remortgaging', + 'remote', + 'remotely', 'remoteness', 'remotenesses', + 'remoter', + 'remotes', + 'remotest', + 'remotion', + 'remotions', 'remotivate', 'remotivated', 'remotivates', 'remotivating', 'remotivation', 'remotivations', + 'remount', + 'remounted', 'remounting', + 'remounts', 'removabilities', 'removability', + 'removable', 'removableness', 'removablenesses', + 'removably', + 'removal', + 'removals', + 'remove', 'removeable', + 'removed', + 'remover', + 'removers', + 'removes', + 'removing', + 'rems', + 'remuda', + 'remudas', 'remunerate', 'remunerated', 'remunerates', @@ -51910,10 +127399,20 @@ export const scrabble_array = [ 'remythologized', 'remythologizes', 'remythologizing', + 'renail', + 'renailed', + 'renailing', + 'renails', 'renaissance', 'renaissances', + 'renal', + 'rename', + 'renamed', + 'renames', + 'renaming', 'renascence', 'renascences', + 'renascent', 'renationalization', 'renationalizations', 'renationalize', @@ -51922,20 +127421,49 @@ export const scrabble_array = [ 'renationalizing', 'renaturation', 'renaturations', + 'renature', + 'renatured', + 'renatures', 'renaturing', + 'rencontre', 'rencontres', 'rencounter', 'rencountered', 'rencountering', 'rencounters', + 'rend', + 'rended', + 'render', 'renderable', + 'rendered', + 'renderer', + 'renderers', + 'rendering', + 'renders', 'rendezvous', 'rendezvoused', 'rendezvouses', 'rendezvousing', + 'rendible', + 'rending', + 'rendition', 'renditions', + 'rends', + 'rendzina', + 'rendzinas', + 'renegade', + 'renegaded', + 'renegades', 'renegading', + 'renegado', 'renegadoes', + 'renegados', + 'renege', + 'reneged', + 'reneger', + 'renegers', + 'reneges', + 'reneging', 'renegotiable', 'renegotiate', 'renegotiated', @@ -51943,9 +127471,41 @@ export const scrabble_array = [ 'renegotiating', 'renegotiation', 'renegotiations', + 'renest', + 'renested', + 'renesting', + 'renests', + 'renew', 'renewabilities', 'renewability', + 'renewable', + 'renewably', + 'renewal', + 'renewals', + 'renewed', + 'renewer', + 'renewers', + 'renewing', + 'renews', + 'reniform', + 'renig', + 'renigged', + 'renigging', + 'renigs', + 'renin', + 'renins', 'renitencies', + 'renitency', + 'renitent', + 'renminbi', + 'rennase', + 'rennases', + 'rennet', + 'rennets', + 'rennin', + 'rennins', + 'renogram', + 'renograms', 'renographic', 'renographies', 'renography', @@ -51963,50 +127523,103 @@ export const scrabble_array = [ 'renormalizing', 'renotified', 'renotifies', + 'renotify', 'renotifying', + 'renounce', + 'renounced', 'renouncement', 'renouncements', + 'renouncer', 'renouncers', + 'renounces', 'renouncing', 'renovascular', + 'renovate', + 'renovated', + 'renovates', 'renovating', 'renovation', 'renovations', 'renovative', + 'renovator', 'renovators', + 'renown', + 'renowned', + 'renowning', + 'renowns', + 'rent', 'rentabilities', 'rentability', + 'rentable', + 'rental', + 'rentals', + 'rente', + 'rented', + 'renter', + 'renters', + 'rentes', + 'rentier', + 'rentiers', + 'renting', + 'rents', + 'renumber', 'renumbered', 'renumbering', + 'renumbers', 'renunciate', 'renunciates', 'renunciation', 'renunciations', 'renunciative', 'renunciatory', + 'renvoi', + 'renvois', + 'reobject', 'reobjected', 'reobjecting', + 'reobjects', + 'reobserve', 'reobserved', 'reobserves', 'reobserving', + 'reobtain', 'reobtained', 'reobtaining', + 'reobtains', 'reoccupation', 'reoccupations', 'reoccupied', 'reoccupies', + 'reoccupy', 'reoccupying', + 'reoccur', 'reoccurred', 'reoccurrence', 'reoccurrences', 'reoccurring', + 'reoccurs', + 'reoffer', + 'reoffered', 'reoffering', + 'reoffers', + 'reoil', + 'reoiled', + 'reoiling', + 'reoils', + 'reopen', + 'reopened', + 'reopening', 'reopenings', + 'reopens', + 'reoperate', 'reoperated', 'reoperates', 'reoperating', 'reoperation', 'reoperations', + 'reoppose', + 'reopposed', + 'reopposes', 'reopposing', 'reorchestrate', 'reorchestrated', @@ -52014,9 +127627,14 @@ export const scrabble_array = [ 'reorchestrating', 'reorchestration', 'reorchestrations', + 'reordain', 'reordained', 'reordaining', + 'reordains', + 'reorder', + 'reordered', 'reordering', + 'reorders', 'reorganization', 'reorganizational', 'reorganizations', @@ -52026,6 +127644,7 @@ export const scrabble_array = [ 'reorganizers', 'reorganizes', 'reorganizing', + 'reorient', 'reorientate', 'reorientated', 'reorientates', @@ -52034,36 +127653,87 @@ export const scrabble_array = [ 'reorientations', 'reoriented', 'reorienting', + 'reorients', + 'reoutfit', + 'reoutfits', 'reoutfitted', 'reoutfitting', + 'reovirus', 'reoviruses', 'reoxidation', 'reoxidations', + 'reoxidize', 'reoxidized', 'reoxidizes', 'reoxidizing', + 'rep', 'repacified', 'repacifies', + 'repacify', 'repacifying', + 'repack', + 'repackage', 'repackaged', 'repackager', 'repackagers', 'repackages', 'repackaging', + 'repacked', + 'repacking', + 'repacks', + 'repaid', + 'repaint', + 'repainted', 'repainting', + 'repaints', + 'repair', 'repairabilities', 'repairability', 'repairable', + 'repaired', + 'repairer', + 'repairers', + 'repairing', + 'repairman', + 'repairmen', + 'repairs', + 'repand', + 'repandly', + 'repanel', + 'repaneled', 'repaneling', 'repanelled', 'repanelling', + 'repanels', + 'repaper', + 'repapered', 'repapering', + 'repapers', + 'reparable', 'reparation', 'reparations', 'reparative', + 'repark', + 'reparked', + 'reparking', + 'reparks', + 'repartee', + 'repartees', 'repartition', 'repartitions', + 'repass', + 'repassage', 'repassages', + 'repassed', + 'repasses', + 'repassing', + 'repast', + 'repasted', + 'repasting', + 'repasts', + 'repatch', + 'repatched', + 'repatches', 'repatching', 'repatriate', 'repatriated', @@ -52071,31 +127741,83 @@ export const scrabble_array = [ 'repatriating', 'repatriation', 'repatriations', + 'repattern', 'repatterned', 'repatterning', 'repatterns', + 'repave', + 'repaved', + 'repaves', + 'repaving', + 'repay', + 'repayable', + 'repaying', + 'repayment', 'repayments', + 'repays', + 'repeal', 'repealable', + 'repealed', + 'repealer', + 'repealers', + 'repealing', + 'repeals', + 'repeat', 'repeatabilities', 'repeatability', 'repeatable', + 'repeated', 'repeatedly', + 'repeater', + 'repeaters', + 'repeating', + 'repeats', + 'repechage', 'repechages', + 'repeg', + 'repegged', + 'repegging', + 'repegs', + 'repel', + 'repellant', 'repellants', + 'repelled', 'repellencies', 'repellency', + 'repellent', 'repellently', 'repellents', + 'repeller', + 'repellers', + 'repelling', + 'repels', + 'repent', 'repentance', 'repentances', + 'repentant', 'repentantly', + 'repented', + 'repenter', + 'repenters', + 'repenting', + 'repents', + 'repeople', + 'repeopled', + 'repeoples', 'repeopling', 'repercussion', 'repercussions', 'repercussive', + 'reperk', + 'reperked', + 'reperking', + 'reperks', 'repertoire', 'repertoires', 'repertories', + 'repertory', + 'repetend', + 'repetends', 'repetition', 'repetitional', 'repetitions', @@ -52111,20 +127833,63 @@ export const scrabble_array = [ 'rephotographed', 'rephotographing', 'rephotographs', + 'rephrase', + 'rephrased', + 'rephrases', 'rephrasing', + 'repin', + 'repine', + 'repined', + 'repiner', + 'repiners', + 'repines', + 'repining', + 'repinned', + 'repinning', + 'repins', + 'replace', 'replaceable', + 'replaced', 'replacement', 'replacements', + 'replacer', + 'replacers', + 'replaces', + 'replacing', + 'replan', + 'replanned', 'replanning', + 'replans', + 'replant', 'replantation', 'replantations', + 'replanted', 'replanting', + 'replants', + 'replaster', 'replastered', 'replastering', 'replasters', + 'replate', + 'replated', + 'replates', + 'replating', + 'replay', + 'replayed', + 'replaying', + 'replays', + 'replead', + 'repleaded', + 'repleader', 'repleaders', 'repleading', + 'repleads', + 'repled', + 'repledge', + 'repledged', + 'repledges', 'repledging', + 'replenish', 'replenishable', 'replenished', 'replenisher', @@ -52133,35 +127898,69 @@ export const scrabble_array = [ 'replenishing', 'replenishment', 'replenishments', + 'replete', 'repleteness', 'repletenesses', + 'repletion', 'repletions', 'repleviable', + 'replevied', + 'replevies', + 'replevin', 'replevined', 'replevining', + 'replevins', + 'replevy', 'replevying', + 'replica', 'replicabilities', 'replicability', 'replicable', + 'replicas', + 'replicase', 'replicases', + 'replicate', 'replicated', 'replicates', 'replicating', 'replication', 'replications', 'replicative', + 'replicon', + 'replicons', + 'replied', + 'replier', + 'repliers', + 'replies', + 'replot', + 'replots', + 'replotted', 'replotting', + 'replumb', + 'replumbed', 'replumbing', + 'replumbs', + 'replunge', + 'replunged', + 'replunges', 'replunging', + 'reply', + 'replying', + 'repo', 'repolarization', 'repolarizations', 'repolarize', 'repolarized', 'repolarizes', 'repolarizing', + 'repolish', 'repolished', 'repolishes', 'repolishing', + 'repoll', + 'repolled', + 'repolling', + 'repolls', 'repopularize', 'repopularized', 'repopularizes', @@ -52172,14 +127971,33 @@ export const scrabble_array = [ 'repopulating', 'repopulation', 'repopulations', + 'report', 'reportable', + 'reportage', 'reportages', + 'reported', 'reportedly', + 'reporter', + 'reporters', + 'reporting', 'reportorial', 'reportorially', + 'reports', + 'repos', + 'reposal', + 'reposals', + 'repose', + 'reposed', + 'reposeful', 'reposefully', 'reposefulness', 'reposefulnesses', + 'reposer', + 'reposers', + 'reposes', + 'reposing', + 'reposit', + 'reposited', 'repositing', 'reposition', 'repositioned', @@ -52187,6 +128005,8 @@ export const scrabble_array = [ 'repositions', 'repositories', 'repository', + 'reposits', + 'repossess', 'repossessed', 'repossesses', 'repossessing', @@ -52194,7 +128014,24 @@ export const scrabble_array = [ 'repossessions', 'repossessor', 'repossessors', + 'repot', + 'repots', + 'repotted', + 'repotting', + 'repour', + 'repoured', + 'repouring', + 'repours', + 'repousse', + 'repousses', + 'repower', + 'repowered', 'repowering', + 'repowers', + 'repp', + 'repped', + 'repps', + 'reprehend', 'reprehended', 'reprehending', 'reprehends', @@ -52207,6 +128044,7 @@ export const scrabble_array = [ 'reprehension', 'reprehensions', 'reprehensive', + 'represent', 'representable', 'representation', 'representational', @@ -52228,6 +128066,9 @@ export const scrabble_array = [ 'representers', 'representing', 'represents', + 'repress', + 'repressed', + 'represses', 'repressibilities', 'repressibility', 'repressible', @@ -52239,18 +128080,38 @@ export const scrabble_array = [ 'repressively', 'repressiveness', 'repressivenesses', + 'repressor', 'repressors', 'repressurize', 'repressurized', 'repressurizes', 'repressurizing', + 'reprice', + 'repriced', + 'reprices', + 'repricing', + 'reprieval', 'reprievals', + 'reprieve', + 'reprieved', + 'reprieves', 'reprieving', + 'reprimand', 'reprimanded', 'reprimanding', 'reprimands', + 'reprint', + 'reprinted', + 'reprinter', 'reprinters', 'reprinting', + 'reprints', + 'reprisal', + 'reprisals', + 'reprise', + 'reprised', + 'reprises', + 'reprising', 'repristinate', 'repristinated', 'repristinates', @@ -52263,6 +128124,8 @@ export const scrabble_array = [ 'reprivatized', 'reprivatizes', 'reprivatizing', + 'repro', + 'reproach', 'reproachable', 'reproached', 'reproacher', @@ -52276,6 +128139,7 @@ export const scrabble_array = [ 'reproachingly', 'reprobance', 'reprobances', + 'reprobate', 'reprobated', 'reprobates', 'reprobating', @@ -52283,9 +128147,15 @@ export const scrabble_array = [ 'reprobations', 'reprobative', 'reprobatory', + 'reprobe', + 'reprobed', + 'reprobes', + 'reprobing', + 'reprocess', 'reprocessed', 'reprocesses', 'reprocessing', + 'reproduce', 'reproduced', 'reproducer', 'reproducers', @@ -52301,6 +128171,7 @@ export const scrabble_array = [ 'reproductive', 'reproductively', 'reproductives', + 'reprogram', 'reprogramed', 'reprograming', 'reprogrammable', @@ -52313,12 +128184,31 @@ export const scrabble_array = [ 'reprographics', 'reprographies', 'reprography', + 'reproof', + 'reproofs', + 'repros', + 'reproval', + 'reprovals', + 'reprove', + 'reproved', + 'reprover', + 'reprovers', + 'reproves', + 'reproving', 'reprovingly', 'reprovision', 'reprovisioned', 'reprovisioning', 'reprovisions', + 'reps', + 'reptant', + 'reptile', + 'reptiles', + 'reptilia', + 'reptilian', 'reptilians', + 'reptilium', + 'republic', 'republican', 'republicanism', 'republicanisms', @@ -52329,11 +128219,14 @@ export const scrabble_array = [ 'republicans', 'republication', 'republications', + 'republics', + 'republish', 'republished', 'republisher', 'republishers', 'republishes', 'republishing', + 'repudiate', 'repudiated', 'repudiates', 'repudiating', @@ -52343,15 +128236,32 @@ export const scrabble_array = [ 'repudiations', 'repudiator', 'repudiators', + 'repugn', 'repugnance', 'repugnances', 'repugnancies', 'repugnancy', + 'repugnant', 'repugnantly', + 'repugned', + 'repugning', + 'repugns', + 'repulse', + 'repulsed', + 'repulser', + 'repulsers', + 'repulses', + 'repulsing', + 'repulsion', 'repulsions', + 'repulsive', 'repulsively', 'repulsiveness', 'repulsivenesses', + 'repump', + 'repumped', + 'repumping', + 'repumps', 'repunctuation', 'repunctuations', 'repurchase', @@ -52360,25 +128270,53 @@ export const scrabble_array = [ 'repurchasing', 'repurified', 'repurifies', + 'repurify', 'repurifying', + 'repursue', + 'repursued', + 'repursues', 'repursuing', 'reputabilities', 'reputability', + 'reputable', + 'reputably', 'reputation', 'reputational', 'reputations', + 'repute', + 'reputed', + 'reputedly', + 'reputes', + 'reputing', 'requalification', 'requalifications', 'requalified', 'requalifies', + 'requalify', 'requalifying', + 'request', + 'requested', + 'requester', 'requesters', 'requesting', + 'requestor', 'requestors', + 'requests', + 'requiem', + 'requiems', 'requiescat', 'requiescats', + 'requin', + 'requins', + 'require', + 'required', 'requirement', 'requirements', + 'requirer', + 'requirers', + 'requires', + 'requiring', + 'requisite', 'requisiteness', 'requisitenesses', 'requisites', @@ -52386,14 +128324,39 @@ export const scrabble_array = [ 'requisitioned', 'requisitioning', 'requisitions', + 'requital', + 'requitals', + 'requite', + 'requited', + 'requiter', + 'requiters', + 'requites', + 'requiting', + 'rerack', + 'reracked', + 'reracking', + 'reracks', + 'reradiate', 'reradiated', 'reradiates', 'reradiating', 'reradiation', 'reradiations', + 'reraise', + 'reraised', + 'reraises', + 'reraising', + 'reran', + 'reread', + 'rereading', 'rereadings', + 'rereads', + 'rerecord', 'rerecorded', 'rerecording', + 'rerecords', + 'reredos', + 'reredoses', 'reregister', 'reregistered', 'reregistering', @@ -52406,36 +128369,131 @@ export const scrabble_array = [ 'reregulating', 'reregulation', 'reregulations', + 'rerelease', 'rereleased', 'rereleases', 'rereleasing', + 'reremice', + 'reremind', 'rereminded', 'rereminding', + 'rereminds', + 'reremouse', + 'rerepeat', 'rerepeated', 'rerepeating', + 'rerepeats', + 'rereview', 'rereviewed', 'rereviewing', + 'rereviews', + 'rereward', + 'rerewards', + 'rerig', + 'rerigged', + 'rerigging', + 'rerigs', + 'rerise', + 'rerisen', + 'rerises', + 'rerising', + 'reroll', + 'rerolled', + 'reroller', + 'rerollers', + 'rerolling', + 'rerolls', + 'reroof', + 'reroofed', + 'reroofing', + 'reroofs', + 'rerose', + 'reroute', + 'rerouted', + 'reroutes', + 'rerouting', + 'rerun', + 'rerunning', + 'reruns', + 'res', + 'resaddle', + 'resaddled', + 'resaddles', 'resaddling', + 'resaid', + 'resail', + 'resailed', + 'resailing', + 'resails', + 'resalable', + 'resale', + 'resales', + 'resalute', + 'resaluted', + 'resalutes', 'resaluting', + 'resample', + 'resampled', + 'resamples', 'resampling', + 'resaw', + 'resawed', + 'resawing', + 'resawn', + 'resaws', + 'resay', + 'resaying', + 'resays', + 'rescale', + 'rescaled', + 'rescales', + 'rescaling', 'reschedule', 'rescheduled', 'reschedules', 'rescheduling', + 'reschool', 'reschooled', 'reschooling', + 'reschools', + 'rescind', + 'rescinded', + 'rescinder', 'rescinders', 'rescinding', 'rescindment', 'rescindments', + 'rescinds', 'rescission', 'rescissions', 'rescissory', + 'rescore', + 'rescored', + 'rescores', + 'rescoring', + 'rescreen', 'rescreened', 'rescreening', + 'rescreens', + 'rescript', + 'rescripts', + 'rescuable', + 'rescue', + 'rescued', + 'rescuer', + 'rescuers', + 'rescues', + 'rescuing', + 'resculpt', 'resculpted', 'resculpting', + 'resculpts', + 'reseal', 'resealable', + 'resealed', + 'resealing', + 'reseals', + 'research', 'researchable', 'researched', 'researcher', @@ -52444,90 +128502,257 @@ export const scrabble_array = [ 'researching', 'researchist', 'researchists', + 'reseason', 'reseasoned', 'reseasoning', + 'reseasons', + 'reseat', + 'reseated', + 'reseating', + 'reseats', + 'reseau', + 'reseaus', + 'reseaux', + 'resect', 'resectabilities', 'resectability', 'resectable', + 'resected', + 'resecting', + 'resection', 'resections', + 'resects', + 'resecure', + 'resecured', + 'resecures', 'resecuring', + 'reseda', + 'resedas', + 'resee', + 'reseed', + 'reseeded', + 'reseeding', + 'reseeds', + 'reseeing', + 'reseek', + 'reseeking', + 'reseeks', + 'reseen', + 'resees', 'resegregate', 'resegregated', 'resegregates', 'resegregating', 'resegregation', 'resegregations', + 'reseize', + 'reseized', + 'reseizes', + 'reseizing', + 'resell', + 'reseller', + 'resellers', + 'reselling', + 'resells', 'resemblance', 'resemblances', 'resemblant', + 'resemble', + 'resembled', + 'resembles', 'resembling', + 'resend', + 'resending', + 'resends', 'resensitize', 'resensitized', 'resensitizes', 'resensitizing', + 'resent', + 'resented', 'resentence', 'resentenced', 'resentences', 'resentencing', + 'resentful', 'resentfully', 'resentfulness', 'resentfulnesses', + 'resenting', 'resentment', 'resentments', + 'resents', + 'reserpine', 'reserpines', 'reservable', 'reservation', 'reservationist', 'reservationists', 'reservations', + 'reserve', + 'reserved', 'reservedly', 'reservedness', 'reservednesses', + 'reserver', + 'reservers', + 'reserves', + 'reservice', 'reserviced', 'reservices', 'reservicing', + 'reserving', + 'reservist', 'reservists', + 'reservoir', 'reservoirs', + 'reset', + 'resets', 'resettable', + 'resetter', + 'resetters', + 'resetting', + 'resettle', + 'resettled', 'resettlement', 'resettlements', + 'resettles', 'resettling', + 'resew', + 'resewed', + 'resewing', + 'resewn', + 'resews', + 'resh', + 'reshape', + 'reshaped', + 'reshaper', + 'reshapers', + 'reshapes', + 'reshaping', + 'reshave', + 'reshaved', + 'reshaven', + 'reshaves', + 'reshaving', + 'reshes', + 'reshine', + 'reshined', + 'reshines', + 'reshingle', 'reshingled', 'reshingles', 'reshingling', + 'reshining', + 'reship', + 'reshipped', 'reshipping', + 'reships', + 'reshod', + 'reshoe', + 'reshoeing', + 'reshoes', + 'reshone', + 'reshoot', 'reshooting', + 'reshoots', + 'reshot', + 'reshow', + 'reshowed', + 'reshowing', + 'reshown', + 'reshows', + 'reshuffle', 'reshuffled', 'reshuffles', 'reshuffling', + 'resid', + 'reside', + 'resided', + 'residence', 'residences', 'residencies', + 'residency', + 'resident', 'residential', 'residentially', + 'residents', + 'resider', + 'residers', + 'resides', + 'residing', + 'resids', + 'residua', + 'residual', 'residually', + 'residuals', + 'residuary', + 'residue', + 'residues', + 'residuum', + 'residuums', + 'resift', + 'resifted', + 'resifting', + 'resifts', + 'resight', + 'resighted', 'resighting', + 'resights', + 'resign', 'resignation', 'resignations', + 'resigned', 'resignedly', 'resignedness', 'resignednesses', + 'resigner', + 'resigners', + 'resigning', + 'resigns', + 'resile', + 'resiled', + 'resiles', 'resilience', 'resiliences', 'resiliencies', 'resiliency', + 'resilient', 'resiliently', + 'resiling', + 'resilver', 'resilvered', 'resilvering', + 'resilvers', + 'resin', + 'resinate', + 'resinated', + 'resinates', 'resinating', + 'resined', 'resinified', 'resinifies', + 'resinify', 'resinifying', + 'resining', + 'resinoid', + 'resinoids', + 'resinous', + 'resins', + 'resiny', + 'resist', 'resistance', 'resistances', + 'resistant', 'resistants', + 'resisted', + 'resister', + 'resisters', 'resistibilities', 'resistibility', 'resistible', + 'resisting', + 'resistive', 'resistively', 'resistiveness', 'resistivenesses', @@ -52537,51 +128762,142 @@ export const scrabble_array = [ 'resistlessly', 'resistlessness', 'resistlessnesses', + 'resistor', + 'resistors', + 'resists', + 'resite', + 'resited', + 'resites', + 'resiting', + 'resitting', 'resittings', + 'resize', + 'resized', + 'resizes', + 'resizing', + 'resketch', 'resketched', 'resketches', 'resketching', + 'reslate', + 'reslated', + 'reslates', + 'reslating', + 'resmelt', + 'resmelted', 'resmelting', + 'resmelts', + 'resmooth', 'resmoothed', 'resmoothing', + 'resmooths', + 'resoak', + 'resoaked', + 'resoaking', + 'resoaks', 'resocialization', 'resocializations', 'resocialize', 'resocialized', 'resocializes', 'resocializing', + 'resod', + 'resodded', + 'resodding', + 'resods', + 'resojet', + 'resojets', + 'resold', + 'resolder', 'resoldered', 'resoldering', + 'resolders', + 'resole', + 'resoled', + 'resoles', 'resolidification', 'resolidifications', 'resolidified', 'resolidifies', 'resolidify', 'resolidifying', + 'resoling', + 'resoluble', + 'resolute', 'resolutely', 'resoluteness', 'resolutenesses', + 'resoluter', + 'resolutes', 'resolutest', 'resolution', 'resolutions', 'resolvable', + 'resolve', + 'resolved', + 'resolvent', 'resolvents', + 'resolver', + 'resolvers', + 'resolves', + 'resolving', + 'resonance', 'resonances', + 'resonant', 'resonantly', + 'resonants', + 'resonate', + 'resonated', + 'resonates', 'resonating', + 'resonator', 'resonators', + 'resorb', + 'resorbed', + 'resorbing', + 'resorbs', + 'resorcin', 'resorcinol', 'resorcinols', + 'resorcins', 'resorption', 'resorptions', 'resorptive', + 'resort', + 'resorted', + 'resorter', + 'resorters', + 'resorting', + 'resorts', + 'resought', + 'resound', + 'resounded', 'resounding', 'resoundingly', + 'resounds', + 'resource', 'resourceful', 'resourcefully', 'resourcefulness', 'resourcefulnesses', + 'resources', + 'resow', + 'resowed', + 'resowing', + 'resown', + 'resows', + 'respace', + 'respaced', + 'respaces', + 'respacing', + 'respade', + 'respaded', + 'respades', + 'respading', + 'respeak', 'respeaking', + 'respeaks', + 'respect', 'respectabilities', 'respectability', 'respectable', @@ -52589,6 +128905,8 @@ export const scrabble_array = [ 'respectablenesses', 'respectables', 'respectably', + 'respected', + 'respecter', 'respecters', 'respectful', 'respectfully', @@ -52599,14 +128917,23 @@ export const scrabble_array = [ 'respectively', 'respectiveness', 'respectivenesses', + 'respects', + 'respell', + 'respelled', 'respelling', 'respellings', + 'respells', + 'respelt', 'respirable', 'respiration', 'respirations', 'respirator', 'respirators', 'respiratory', + 'respire', + 'respired', + 'respires', + 'respiring', 'respiritualize', 'respiritualized', 'respiritualizes', @@ -52616,18 +128943,36 @@ export const scrabble_array = [ 'respirometric', 'respirometries', 'respirometry', + 'respite', + 'respited', + 'respites', + 'respiting', 'resplendence', 'resplendences', 'resplendencies', 'resplendency', 'resplendent', 'resplendently', + 'resplice', + 'respliced', + 'resplices', 'resplicing', + 'resplit', + 'resplits', 'resplitting', + 'respoke', + 'respoken', + 'respond', + 'responded', 'respondent', 'respondents', + 'responder', 'responders', 'responding', + 'responds', + 'responsa', + 'response', + 'responses', 'responsibilities', 'responsibility', 'responsible', @@ -52641,33 +128986,74 @@ export const scrabble_array = [ 'responsivenesses', 'responsories', 'responsory', + 'responsum', + 'respot', + 'respots', + 'respotted', 'respotting', + 'resprang', + 'respray', + 'resprayed', 'respraying', + 'resprays', + 'respread', 'respreading', + 'respreads', + 'respring', 'respringing', + 'resprings', + 'resprout', 'resprouted', 'resprouting', + 'resprouts', + 'resprung', 'ressentiment', 'ressentiments', + 'rest', 'restabilize', 'restabilized', 'restabilizes', 'restabilizing', + 'restack', + 'restacked', 'restacking', + 'restacks', + 'restaff', + 'restaffed', 'restaffing', + 'restaffs', + 'restage', + 'restaged', + 'restages', + 'restaging', + 'restamp', + 'restamped', 'restamping', + 'restamps', + 'restart', 'restartable', + 'restarted', 'restarting', + 'restarts', + 'restate', + 'restated', 'restatement', 'restatements', + 'restates', + 'restating', 'restaurant', 'restauranteur', 'restauranteurs', 'restaurants', 'restaurateur', 'restaurateurs', + 'rested', + 'rester', + 'resters', + 'restful', 'restfuller', 'restfullest', + 'restfully', 'restfulness', 'restfulnesses', 'restimulate', @@ -52676,40 +129062,66 @@ export const scrabble_array = [ 'restimulating', 'restimulation', 'restimulations', + 'resting', + 'restitch', 'restitched', 'restitches', 'restitching', + 'restitute', 'restituted', 'restitutes', 'restituting', 'restitution', 'restitutions', + 'restive', + 'restively', 'restiveness', 'restivenesses', + 'restless', 'restlessly', 'restlessness', 'restlessnesses', + 'restock', + 'restocked', 'restocking', + 'restocks', + 'restoke', + 'restoked', + 'restokes', + 'restoking', 'restorable', + 'restoral', + 'restorals', 'restoration', 'restorations', 'restorative', 'restoratives', + 'restore', + 'restored', + 'restorer', + 'restorers', + 'restores', + 'restoring', + 'restrain', 'restrainable', 'restrained', 'restrainedly', 'restrainer', 'restrainers', 'restraining', + 'restrains', + 'restraint', 'restraints', 'restrengthen', 'restrengthened', 'restrengthening', 'restrengthens', + 'restress', 'restressed', 'restresses', 'restressing', 'restricken', + 'restrict', 'restricted', 'restrictedly', 'restricting', @@ -52724,37 +129136,86 @@ export const scrabble_array = [ 'restrictiveness', 'restrictivenesses', 'restrictives', + 'restricts', + 'restrike', + 'restrikes', 'restriking', + 'restring', 'restringing', + 'restrings', + 'restrive', + 'restriven', + 'restrives', 'restriving', + 'restroom', + 'restrooms', + 'restrove', + 'restruck', 'restructure', 'restructured', 'restructures', 'restructuring', + 'restrung', + 'rests', + 'restudied', + 'restudies', + 'restudy', 'restudying', + 'restuff', + 'restuffed', 'restuffing', + 'restuffs', + 'restyle', + 'restyled', + 'restyles', + 'restyling', 'resubmission', 'resubmissions', + 'resubmit', + 'resubmits', 'resubmitted', 'resubmitting', + 'result', + 'resultant', 'resultantly', 'resultants', + 'resulted', + 'resultful', + 'resulting', 'resultless', + 'results', + 'resume', + 'resumed', + 'resumer', + 'resumers', + 'resumes', + 'resuming', + 'resummon', 'resummoned', 'resummoning', + 'resummons', 'resumption', 'resumptions', 'resupinate', + 'resupine', 'resupplied', 'resupplies', + 'resupply', 'resupplying', + 'resurface', 'resurfaced', 'resurfacer', 'resurfacers', 'resurfaces', 'resurfacing', + 'resurge', + 'resurged', 'resurgence', 'resurgences', + 'resurgent', + 'resurges', + 'resurging', + 'resurrect', 'resurrected', 'resurrecting', 'resurrection', @@ -52763,8 +129224,10 @@ export const scrabble_array = [ 'resurrectionists', 'resurrections', 'resurrects', + 'resurvey', 'resurveyed', 'resurveying', + 'resurveys', 'resuscitate', 'resuscitated', 'resuscitates', @@ -52784,10 +129247,45 @@ export const scrabble_array = [ 'resystematized', 'resystematizes', 'resystematizing', + 'ret', + 'retable', + 'retables', + 'retack', + 'retacked', + 'retacking', + 'retackle', + 'retackled', + 'retackles', 'retackling', + 'retacks', + 'retag', + 'retagged', + 'retagging', + 'retags', + 'retail', + 'retailed', + 'retailer', + 'retailers', + 'retailing', 'retailings', + 'retailor', 'retailored', 'retailoring', + 'retailors', + 'retails', + 'retain', + 'retained', + 'retainer', + 'retainers', + 'retaining', + 'retains', + 'retake', + 'retaken', + 'retaker', + 'retakers', + 'retakes', + 'retaking', + 'retaliate', 'retaliated', 'retaliates', 'retaliating', @@ -52795,32 +129293,103 @@ export const scrabble_array = [ 'retaliations', 'retaliative', 'retaliatory', + 'retape', + 'retaped', + 'retapes', + 'retaping', + 'retard', + 'retardant', 'retardants', + 'retardate', 'retardates', 'retardation', 'retardations', + 'retarded', + 'retarder', + 'retarders', + 'retarding', + 'retards', + 'retarget', 'retargeted', 'retargeting', + 'retargets', + 'retaste', + 'retasted', + 'retastes', + 'retasting', + 'retaught', + 'retax', + 'retaxed', + 'retaxes', + 'retaxing', + 'retch', + 'retched', + 'retches', + 'retching', + 'rete', + 'reteach', + 'reteaches', 'reteaching', + 'reteam', + 'reteamed', + 'reteaming', + 'reteams', + 'retear', + 'retearing', + 'retears', + 'retell', + 'retelling', 'retellings', + 'retells', + 'retem', + 'retemper', 'retempered', 'retempering', + 'retempers', + 'retems', + 'retene', + 'retenes', + 'retention', 'retentions', + 'retentive', 'retentively', 'retentiveness', 'retentivenesses', 'retentivities', 'retentivity', + 'retest', + 'retested', + 'retesting', + 'retests', + 'retexture', 'retextured', 'retextures', 'retexturing', + 'rethink', + 'rethinker', 'rethinkers', 'rethinking', + 'rethinks', + 'rethought', + 'rethread', 'rethreaded', 'rethreading', + 'rethreads', + 'retia', + 'retial', + 'retiarii', + 'retiarius', + 'retiary', + 'reticence', 'reticences', 'reticencies', + 'reticency', + 'reticent', 'reticently', + 'reticle', + 'reticles', + 'reticula', + 'reticular', 'reticulate', 'reticulated', 'reticulately', @@ -52828,43 +129397,135 @@ export const scrabble_array = [ 'reticulating', 'reticulation', 'reticulations', + 'reticule', + 'reticules', 'reticulocyte', 'reticulocytes', 'reticuloendothelial', + 'reticulum', + 'retie', + 'retied', + 'reties', + 'retiform', + 'retighten', 'retightened', 'retightening', 'retightens', + 'retile', + 'retiled', + 'retiles', + 'retiling', + 'retime', + 'retimed', + 'retimes', + 'retiming', + 'retina', 'retinacula', 'retinaculum', + 'retinae', + 'retinal', + 'retinals', + 'retinas', + 'retine', + 'retinene', + 'retinenes', + 'retines', + 'retinite', + 'retinites', 'retinitides', + 'retinitis', 'retinoblastoma', 'retinoblastomas', 'retinoblastomata', + 'retinoid', + 'retinoids', + 'retinol', + 'retinols', 'retinopathies', 'retinopathy', 'retinoscopies', 'retinoscopy', 'retinotectal', + 'retint', + 'retinted', + 'retinting', + 'retints', + 'retinue', + 'retinued', + 'retinues', + 'retinula', + 'retinulae', + 'retinular', + 'retinulas', + 'retirant', + 'retirants', + 'retire', + 'retired', + 'retiredly', 'retiredness', 'retirednesses', + 'retiree', + 'retirees', 'retirement', 'retirements', + 'retirer', + 'retirers', + 'retires', + 'retiring', 'retiringly', 'retiringness', 'retiringnesses', + 'retitle', + 'retitled', + 'retitles', + 'retitling', + 'retold', + 'retook', + 'retool', + 'retooled', + 'retooling', + 'retools', + 'retore', + 'retorn', + 'retort', + 'retorted', + 'retorter', + 'retorters', + 'retorting', + 'retorts', + 'retouch', + 'retouched', + 'retoucher', 'retouchers', + 'retouches', 'retouching', + 'retrace', + 'retraced', + 'retraces', + 'retracing', + 'retrack', + 'retracked', 'retracking', + 'retracks', + 'retract', 'retractable', + 'retracted', 'retractile', 'retractilities', 'retractility', 'retracting', 'retraction', 'retractions', + 'retractor', 'retractors', + 'retracts', + 'retrain', 'retrainable', + 'retrained', 'retraining', + 'retrains', + 'retral', + 'retrally', 'retransfer', 'retransferred', 'retransferring', @@ -52887,28 +129548,50 @@ export const scrabble_array = [ 'retransmits', 'retransmitted', 'retransmitting', + 'retread', + 'retreaded', 'retreading', + 'retreads', + 'retreat', 'retreatant', 'retreatants', + 'retreated', + 'retreater', 'retreaters', 'retreating', + 'retreats', + 'retrench', 'retrenched', 'retrenches', 'retrenching', 'retrenchment', 'retrenchments', + 'retrial', + 'retrials', 'retribution', 'retributions', 'retributive', 'retributively', 'retributory', + 'retried', + 'retries', 'retrievabilities', 'retrievability', 'retrievable', + 'retrieval', 'retrievals', + 'retrieve', + 'retrieved', + 'retriever', 'retrievers', + 'retrieves', 'retrieving', + 'retrim', + 'retrimmed', 'retrimming', + 'retrims', + 'retro', + 'retroact', 'retroacted', 'retroacting', 'retroaction', @@ -52917,24 +129600,31 @@ export const scrabble_array = [ 'retroactively', 'retroactivities', 'retroactivity', + 'retroacts', + 'retrocede', 'retroceded', 'retrocedes', 'retroceding', 'retrocession', 'retrocessions', + 'retrodict', 'retrodicted', 'retrodicting', 'retrodiction', 'retrodictions', 'retrodictive', 'retrodicts', + 'retrofire', 'retrofired', 'retrofires', 'retrofiring', + 'retrofit', + 'retrofits', 'retrofitted', 'retrofitting', 'retroflection', 'retroflections', + 'retroflex', 'retroflexion', 'retroflexions', 'retrogradation', @@ -52952,6 +129642,7 @@ export const scrabble_array = [ 'retrogressions', 'retrogressive', 'retrogressively', + 'retropack', 'retropacks', 'retroperitoneal', 'retroperitoneally', @@ -52960,6 +129651,8 @@ export const scrabble_array = [ 'retroreflective', 'retroreflector', 'retroreflectors', + 'retrorse', + 'retros', 'retrospect', 'retrospected', 'retrospecting', @@ -52969,32 +129662,82 @@ export const scrabble_array = [ 'retrospectively', 'retrospectives', 'retrospects', + 'retrousse', 'retroversion', 'retroversions', 'retroviral', 'retrovirus', 'retroviruses', + 'retry', + 'retrying', + 'rets', + 'retsina', + 'retsinas', + 'retted', + 'retting', + 'retune', + 'retuned', + 'retunes', + 'retuning', + 'return', 'returnable', 'returnables', + 'returned', + 'returnee', + 'returnees', + 'returner', + 'returners', + 'returning', + 'returns', + 'retuse', + 'retwist', + 'retwisted', 'retwisting', + 'retwists', + 'retying', + 'retype', + 'retyped', + 'retypes', + 'retyping', 'reunification', 'reunifications', + 'reunified', + 'reunifies', + 'reunify', 'reunifying', + 'reunion', 'reunionist', 'reunionistic', 'reunionists', + 'reunions', + 'reunite', + 'reunited', + 'reuniter', + 'reuniters', + 'reunites', + 'reuniting', 'reupholster', 'reupholstered', 'reupholstering', 'reupholsters', 'reusabilities', 'reusability', + 'reusable', + 'reuse', + 'reused', + 'reuses', + 'reusing', 'reutilization', 'reutilizations', + 'reutilize', 'reutilized', 'reutilizes', 'reutilizing', + 'reutter', + 'reuttered', 'reuttering', + 'reutters', + 'rev', 'revaccinate', 'revaccinated', 'revaccinates', @@ -53013,35 +129756,86 @@ export const scrabble_array = [ 'revalorized', 'revalorizes', 'revalorizing', + 'revaluate', 'revaluated', 'revaluates', 'revaluating', 'revaluation', 'revaluations', + 'revalue', + 'revalued', + 'revalues', + 'revaluing', + 'revamp', + 'revamped', + 'revamper', + 'revampers', + 'revamping', + 'revamps', + 'revanche', + 'revanches', 'revanchism', 'revanchisms', 'revanchist', 'revanchists', 'revascularization', 'revascularizations', + 'reveal', 'revealable', + 'revealed', + 'revealer', + 'revealers', + 'revealing', 'revealingly', 'revealment', 'revealments', + 'reveals', 'revegetate', 'revegetated', 'revegetates', 'revegetating', 'revegetation', 'revegetations', + 'revehent', + 'reveille', + 'reveilles', + 'revel', 'revelation', 'revelations', + 'revelator', 'revelators', 'revelatory', + 'reveled', + 'reveler', + 'revelers', + 'reveling', + 'revelled', + 'reveller', + 'revellers', + 'revelling', + 'revelries', + 'revelry', + 'revels', + 'revenant', + 'revenants', + 'revenge', + 'revenged', 'revengeful', 'revengefully', 'revengefulness', 'revengefulnesses', + 'revenger', + 'revengers', + 'revenges', + 'revenging', + 'revenual', + 'revenue', + 'revenued', + 'revenuer', + 'revenuers', + 'revenues', + 'reverb', + 'reverbed', 'reverberant', 'reverberantly', 'reverberate', @@ -53052,44 +129846,121 @@ export const scrabble_array = [ 'reverberations', 'reverberative', 'reverberatory', + 'reverbing', + 'reverbs', + 'revere', + 'revered', + 'reverence', 'reverenced', 'reverencer', 'reverencers', 'reverences', 'reverencing', + 'reverend', + 'reverends', + 'reverent', 'reverential', 'reverentially', 'reverently', + 'reverer', + 'reverers', + 'reveres', + 'reverie', + 'reveries', 'reverified', 'reverifies', + 'reverify', 'reverifying', + 'revering', + 'revers', + 'reversal', + 'reversals', + 'reverse', + 'reversed', + 'reversely', + 'reverser', + 'reversers', + 'reverses', 'reversibilities', 'reversibility', 'reversible', 'reversibles', 'reversibly', + 'reversing', + 'reversion', 'reversional', 'reversionary', 'reversioner', 'reversioners', 'reversions', + 'reverso', + 'reversos', + 'revert', + 'revertant', 'revertants', + 'reverted', + 'reverter', + 'reverters', 'revertible', + 'reverting', + 'reverts', + 'revery', + 'revest', + 'revested', + 'revesting', + 'revests', + 'revet', + 'revetment', 'revetments', + 'revets', + 'revetted', + 'revetting', + 'revictual', 'revictualed', 'revictualing', 'revictualled', 'revictualling', 'revictuals', + 'review', 'reviewable', + 'reviewal', + 'reviewals', + 'reviewed', + 'reviewer', + 'reviewers', + 'reviewing', + 'reviews', + 'revile', + 'reviled', 'revilement', 'revilements', + 'reviler', + 'revilers', + 'reviles', + 'reviling', + 'revisable', + 'revisal', + 'revisals', + 'revise', + 'revised', + 'reviser', + 'revisers', + 'revises', + 'revising', + 'revision', 'revisionary', 'revisionism', 'revisionisms', 'revisionist', 'revisionists', + 'revisions', + 'revisit', + 'revisited', 'revisiting', + 'revisits', + 'revisor', + 'revisors', + 'revisory', 'revisualization', 'revisualizations', 'revitalise', @@ -53102,22 +129973,51 @@ export const scrabble_array = [ 'revitalized', 'revitalizes', 'revitalizing', + 'revivable', + 'revival', 'revivalism', 'revivalisms', 'revivalist', 'revivalistic', 'revivalists', + 'revivals', + 'revive', + 'revived', + 'reviver', + 'revivers', + 'revives', 'revivification', 'revivifications', 'revivified', 'revivifies', + 'revivify', 'revivifying', + 'reviving', 'reviviscence', 'reviviscences', 'reviviscent', + 'revocable', 'revocation', 'revocations', + 'revoice', + 'revoiced', + 'revoices', + 'revoicing', + 'revokable', + 'revoke', + 'revoked', + 'revoker', + 'revokers', + 'revokes', + 'revoking', + 'revolt', + 'revolted', + 'revolter', + 'revolters', + 'revolting', 'revoltingly', + 'revolts', + 'revolute', 'revolution', 'revolutionaries', 'revolutionarily', @@ -53138,27 +130038,159 @@ export const scrabble_array = [ 'revolutionizing', 'revolutions', 'revolvable', + 'revolve', + 'revolved', + 'revolver', + 'revolvers', + 'revolves', + 'revolving', + 'revote', + 'revoted', + 'revotes', + 'revoting', + 'revs', + 'revue', + 'revues', + 'revuist', + 'revuists', + 'revulsed', + 'revulsion', 'revulsions', + 'revulsive', + 'revved', + 'revving', + 'rewake', + 'rewaked', + 'rewaken', + 'rewakened', 'rewakening', + 'rewakens', + 'rewakes', + 'rewaking', + 'rewan', + 'reward', 'rewardable', + 'rewarded', + 'rewarder', + 'rewarders', + 'rewarding', 'rewardingly', + 'rewards', + 'rewarm', + 'rewarmed', + 'rewarming', + 'rewarms', + 'rewash', + 'rewashed', + 'rewashes', + 'rewashing', + 'rewax', + 'rewaxed', + 'rewaxes', + 'rewaxing', + 'reweave', + 'reweaved', + 'reweaves', + 'reweaving', + 'rewed', + 'rewedded', + 'rewedding', + 'reweds', + 'reweigh', + 'reweighed', 'reweighing', + 'reweighs', + 'reweld', + 'rewelded', + 'rewelding', + 'rewelds', + 'rewet', + 'rewets', + 'rewetted', + 'rewetting', + 'rewiden', + 'rewidened', 'rewidening', + 'rewidens', + 'rewin', + 'rewind', + 'rewinded', + 'rewinder', + 'rewinders', + 'rewinding', + 'rewinds', + 'rewinning', + 'rewins', + 'rewire', + 'rewired', + 'rewires', + 'rewiring', + 'rewoke', + 'rewoken', + 'rewon', + 'reword', + 'reworded', + 'rewording', + 'rewords', + 'rework', + 'reworked', + 'reworking', + 'reworks', + 'rewound', + 'rewove', + 'rewoven', + 'rewrap', + 'rewrapped', 'rewrapping', + 'rewraps', + 'rewrapt', + 'rewrite', + 'rewriter', + 'rewriters', + 'rewrites', + 'rewriting', + 'rewritten', + 'rewrote', + 'rewrought', + 'rex', + 'rexes', + 'reynard', + 'reynards', + 'rezone', + 'rezoned', + 'rezones', + 'rezoning', 'rhabdocoele', 'rhabdocoeles', + 'rhabdom', 'rhabdomancer', 'rhabdomancers', 'rhabdomancies', 'rhabdomancy', + 'rhabdome', 'rhabdomere', 'rhabdomeres', + 'rhabdomes', + 'rhabdoms', 'rhabdomyosarcoma', 'rhabdomyosarcomas', 'rhabdomyosarcomata', 'rhabdovirus', 'rhabdoviruses', + 'rhachides', + 'rhachis', + 'rhachises', 'rhadamanthine', + 'rhamnose', + 'rhamnoses', + 'rhamnus', + 'rhamnuses', + 'rhaphae', + 'rhaphe', + 'rhaphes', + 'rhapsode', + 'rhapsodes', + 'rhapsodic', 'rhapsodical', 'rhapsodically', 'rhapsodies', @@ -53168,27 +130200,59 @@ export const scrabble_array = [ 'rhapsodized', 'rhapsodizes', 'rhapsodizing', + 'rhapsody', + 'rhatanies', + 'rhatany', + 'rhea', + 'rheas', + 'rhebok', + 'rheboks', + 'rhematic', + 'rhenium', + 'rheniums', + 'rheobase', + 'rheobases', 'rheological', 'rheologically', 'rheologies', 'rheologist', 'rheologists', + 'rheology', + 'rheometer', 'rheometers', + 'rheophil', + 'rheostat', 'rheostatic', + 'rheostats', + 'rhesus', + 'rhesuses', + 'rhetor', + 'rhetoric', 'rhetorical', 'rhetorically', 'rhetorician', 'rhetoricians', + 'rhetorics', + 'rhetors', + 'rheum', + 'rheumatic', 'rheumatically', 'rheumatics', 'rheumatism', 'rheumatisms', + 'rheumatiz', 'rheumatizes', 'rheumatoid', 'rheumatologies', 'rheumatologist', 'rheumatologists', 'rheumatology', + 'rheumic', + 'rheumier', + 'rheumiest', + 'rheums', + 'rheumy', + 'rhinal', 'rhinencephala', 'rhinencephalic', 'rhinencephalon', @@ -53196,62 +130260,178 @@ export const scrabble_array = [ 'rhinestoned', 'rhinestones', 'rhinitides', + 'rhinitis', + 'rhino', + 'rhinoceri', 'rhinoceros', 'rhinoceroses', 'rhinoplasties', 'rhinoplasty', + 'rhinos', 'rhinoscopies', 'rhinoscopy', 'rhinovirus', 'rhinoviruses', + 'rhizobia', + 'rhizobial', + 'rhizobium', 'rhizoctonia', 'rhizoctonias', + 'rhizoid', + 'rhizoidal', + 'rhizoids', + 'rhizoma', + 'rhizomata', 'rhizomatous', + 'rhizome', + 'rhizomes', + 'rhizomic', + 'rhizopi', 'rhizoplane', 'rhizoplanes', + 'rhizopod', + 'rhizopods', + 'rhizopus', 'rhizopuses', 'rhizosphere', 'rhizospheres', 'rhizotomies', + 'rhizotomy', + 'rho', + 'rhodamin', + 'rhodamine', 'rhodamines', + 'rhodamins', + 'rhodic', + 'rhodium', + 'rhodiums', 'rhodochrosite', 'rhodochrosites', 'rhododendron', 'rhododendrons', + 'rhodolite', 'rhodolites', 'rhodomontade', 'rhodomontades', + 'rhodonite', 'rhodonites', + 'rhodopsin', 'rhodopsins', + 'rhodora', + 'rhodoras', + 'rhomb', 'rhombencephala', 'rhombencephalon', + 'rhombi', + 'rhombic', 'rhombohedra', 'rhombohedral', 'rhombohedron', 'rhombohedrons', + 'rhomboid', 'rhomboidal', 'rhomboidei', 'rhomboideus', + 'rhomboids', + 'rhombs', + 'rhombus', + 'rhombuses', + 'rhonchal', + 'rhonchi', + 'rhonchus', + 'rhos', + 'rhubarb', + 'rhubarbs', + 'rhumb', + 'rhumba', + 'rhumbaed', + 'rhumbaing', + 'rhumbas', + 'rhumbs', + 'rhus', + 'rhuses', + 'rhyme', + 'rhymed', + 'rhymeless', + 'rhymer', + 'rhymers', + 'rhymes', + 'rhymester', 'rhymesters', + 'rhyming', 'rhynchocephalian', 'rhynchocephalians', + 'rhyolite', + 'rhyolites', + 'rhyolitic', + 'rhyta', + 'rhythm', + 'rhythmic', 'rhythmical', 'rhythmically', 'rhythmicities', 'rhythmicity', + 'rhythmics', + 'rhythmist', 'rhythmists', 'rhythmization', 'rhythmizations', + 'rhythmize', 'rhythmized', 'rhythmizes', 'rhythmizing', + 'rhythms', + 'rhytidome', 'rhytidomes', + 'rhyton', + 'rhytons', + 'ria', + 'rial', + 'rials', + 'rialto', + 'rialtos', + 'riant', + 'riantly', + 'rias', + 'riata', + 'riatas', + 'rib', + 'ribald', + 'ribaldly', 'ribaldries', + 'ribaldry', + 'ribalds', + 'riband', + 'ribands', + 'ribavirin', 'ribavirins', + 'ribband', + 'ribbands', + 'ribbed', + 'ribber', + 'ribbers', + 'ribbier', + 'ribbiest', + 'ribbing', + 'ribbings', + 'ribbon', + 'ribboned', 'ribbonfish', 'ribbonfishes', + 'ribboning', 'ribbonlike', + 'ribbons', + 'ribbony', + 'ribby', + 'ribes', + 'ribgrass', 'ribgrasses', + 'ribier', + 'ribiers', + 'ribless', + 'riblet', + 'riblets', + 'riblike', 'riboflavin', 'riboflavins', 'ribonuclease', @@ -53262,140 +130442,766 @@ export const scrabble_array = [ 'ribonucleosides', 'ribonucleotide', 'ribonucleotides', + 'ribose', + 'riboses', + 'ribosomal', + 'ribosome', + 'ribosomes', + 'ribs', + 'ribwort', + 'ribworts', + 'rice', + 'ricebird', + 'ricebirds', + 'riced', + 'ricer', + 'ricercar', + 'ricercare', + 'ricercari', + 'ricercars', + 'ricers', + 'rices', + 'rich', + 'richen', + 'richened', + 'richening', + 'richens', + 'richer', + 'riches', + 'richest', + 'richly', + 'richness', 'richnesses', + 'richweed', + 'richweeds', + 'ricin', + 'ricing', + 'ricins', + 'ricinus', + 'ricinuses', + 'rick', + 'ricked', + 'ricketier', 'ricketiest', + 'rickets', 'rickettsia', 'rickettsiae', 'rickettsial', 'rickettsias', + 'rickety', + 'rickey', + 'rickeys', + 'ricking', + 'rickrack', + 'rickracks', + 'ricks', + 'ricksha', + 'rickshas', + 'rickshaw', + 'rickshaws', + 'ricochet', 'ricocheted', 'ricocheting', + 'ricochets', 'ricochetted', 'ricochetting', + 'ricotta', + 'ricottas', + 'ricrac', + 'ricracs', + 'rictal', + 'rictus', + 'rictuses', + 'rid', + 'ridable', + 'riddance', + 'riddances', + 'ridded', + 'ridden', + 'ridder', + 'ridders', + 'ridding', + 'riddle', + 'riddled', + 'riddler', + 'riddlers', + 'riddles', + 'riddling', + 'ride', + 'rideable', + 'rident', + 'rider', + 'riderless', + 'riders', + 'ridership', 'riderships', + 'rides', + 'ridge', + 'ridged', + 'ridgel', + 'ridgeline', 'ridgelines', + 'ridgeling', 'ridgelings', + 'ridgels', + 'ridgepole', 'ridgepoles', + 'ridges', + 'ridgier', + 'ridgiest', + 'ridgil', + 'ridgils', + 'ridging', + 'ridgling', + 'ridglings', + 'ridgy', + 'ridicule', + 'ridiculed', + 'ridiculer', 'ridiculers', + 'ridicules', 'ridiculing', 'ridiculous', 'ridiculously', 'ridiculousness', 'ridiculousnesses', + 'riding', + 'ridings', + 'ridley', + 'ridleys', + 'ridotto', + 'ridottos', + 'rids', + 'riel', + 'riels', + 'riesling', + 'rieslings', + 'riever', + 'rievers', + 'rif', 'rifampicin', 'rifampicins', + 'rifampin', + 'rifampins', + 'rife', + 'rifely', + 'rifeness', 'rifenesses', + 'rifer', + 'rifest', + 'riff', + 'riffed', + 'riffing', + 'riffle', + 'riffled', + 'riffler', + 'rifflers', + 'riffles', + 'riffling', + 'riffraff', + 'riffraffs', + 'riffs', + 'rifle', + 'riflebird', 'riflebirds', + 'rifled', + 'rifleman', + 'riflemen', + 'rifler', + 'rifleries', + 'riflers', + 'riflery', + 'rifles', + 'rifling', + 'riflings', + 'rifs', + 'rift', + 'rifted', + 'rifting', + 'riftless', + 'rifts', + 'rig', + 'rigadoon', + 'rigadoons', 'rigamarole', 'rigamaroles', + 'rigatoni', + 'rigatonis', + 'rigaudon', + 'rigaudons', + 'rigged', + 'rigger', + 'riggers', + 'rigging', + 'riggings', + 'right', + 'righted', + 'righteous', 'righteously', 'righteousness', 'righteousnesses', + 'righter', + 'righters', + 'rightest', + 'rightful', 'rightfully', 'rightfulness', 'rightfulnesses', + 'righties', + 'righting', + 'rightism', + 'rightisms', + 'rightist', + 'rightists', + 'rightly', + 'rightmost', + 'rightness', 'rightnesses', + 'righto', + 'rights', + 'rightward', + 'righty', + 'rigid', 'rigidification', 'rigidifications', 'rigidified', 'rigidifies', + 'rigidify', 'rigidifying', 'rigidities', + 'rigidity', + 'rigidly', + 'rigidness', 'rigidnesses', + 'rigmarole', 'rigmaroles', + 'rigor', + 'rigorism', + 'rigorisms', + 'rigorist', 'rigoristic', + 'rigorists', + 'rigorous', 'rigorously', 'rigorousness', 'rigorousnesses', + 'rigors', + 'rigour', + 'rigours', + 'rigs', 'rijsttafel', 'rijsttafels', + 'rikisha', + 'rikishas', + 'rikshaw', + 'rikshaws', + 'rile', + 'riled', + 'riles', + 'riley', + 'rilievi', + 'rilievo', + 'riling', + 'rill', + 'rille', + 'rilled', + 'rilles', + 'rillet', + 'rillets', + 'rillettes', + 'rilling', + 'rills', + 'rim', + 'rime', + 'rimed', + 'rimer', + 'rimers', + 'rimes', + 'rimester', + 'rimesters', + 'rimfire', + 'rimfires', + 'rimier', + 'rimiest', + 'riminess', 'riminesses', + 'riming', + 'rimland', + 'rimlands', + 'rimless', + 'rimmed', + 'rimmer', + 'rimmers', + 'rimming', + 'rimose', + 'rimosely', 'rimosities', + 'rimosity', + 'rimous', + 'rimple', + 'rimpled', + 'rimples', + 'rimpling', + 'rimrock', + 'rimrocks', + 'rims', + 'rimy', + 'rin', + 'rind', + 'rinded', 'rinderpest', 'rinderpests', + 'rinds', + 'ring', + 'ringbark', 'ringbarked', 'ringbarking', + 'ringbarks', + 'ringbolt', + 'ringbolts', + 'ringbone', + 'ringbones', + 'ringdove', + 'ringdoves', + 'ringed', + 'ringent', + 'ringer', + 'ringers', + 'ringgit', + 'ringgits', + 'ringhals', 'ringhalses', + 'ringing', + 'ringingly', 'ringleader', 'ringleaders', + 'ringlet', + 'ringlets', + 'ringlike', 'ringmaster', 'ringmasters', + 'ringneck', + 'ringnecks', + 'rings', + 'ringside', + 'ringsides', 'ringstraked', + 'ringtail', + 'ringtails', + 'ringtaw', + 'ringtaws', + 'ringtoss', 'ringtosses', + 'ringworm', + 'ringworms', + 'rink', + 'rinks', + 'rinning', + 'rins', + 'rinsable', + 'rinse', + 'rinsed', + 'rinser', + 'rinsers', + 'rinses', + 'rinsible', + 'rinsing', + 'rinsings', + 'rioja', + 'riojas', + 'riot', + 'rioted', + 'rioter', + 'rioters', + 'rioting', + 'riotous', + 'riotously', 'riotousness', 'riotousnesses', + 'riots', + 'rip', + 'riparian', + 'ripcord', + 'ripcords', + 'ripe', + 'riped', + 'ripely', + 'ripen', + 'ripened', + 'ripener', + 'ripeners', + 'ripeness', 'ripenesses', + 'ripening', + 'ripens', + 'riper', + 'ripes', + 'ripest', + 'ripieni', + 'ripieno', + 'ripienos', + 'riping', + 'ripoff', + 'ripoffs', + 'ripost', + 'riposte', + 'riposted', + 'ripostes', + 'riposting', + 'riposts', + 'rippable', + 'ripped', + 'ripper', + 'rippers', + 'ripping', + 'ripple', + 'rippled', + 'rippler', + 'ripplers', + 'ripples', + 'ripplet', + 'ripplets', + 'ripplier', + 'rippliest', + 'rippling', + 'ripply', + 'riprap', + 'riprapped', 'riprapping', + 'ripraps', + 'rips', + 'ripsaw', + 'ripsaws', 'ripsnorter', 'ripsnorters', 'ripsnorting', + 'ripstop', + 'ripstops', + 'riptide', + 'riptides', + 'rise', + 'risen', + 'riser', + 'risers', + 'rises', + 'rishi', + 'rishis', 'risibilities', 'risibility', + 'risible', + 'risibles', + 'risibly', + 'rising', + 'risings', + 'risk', + 'risked', + 'risker', + 'riskers', + 'riskier', + 'riskiest', + 'riskily', + 'riskiness', 'riskinesses', + 'risking', + 'riskless', + 'risks', + 'risky', 'risorgimento', 'risorgimentos', + 'risotto', + 'risottos', + 'risque', + 'rissole', + 'rissoles', + 'risus', + 'risuses', + 'ritard', 'ritardando', 'ritardandos', + 'ritards', + 'rite', + 'rites', 'ritornelli', 'ritornello', 'ritornellos', + 'ritter', + 'ritters', + 'ritual', + 'ritualism', 'ritualisms', + 'ritualist', 'ritualistic', 'ritualistically', 'ritualists', 'ritualization', 'ritualizations', + 'ritualize', 'ritualized', 'ritualizes', 'ritualizing', + 'ritually', + 'rituals', + 'ritz', + 'ritzes', + 'ritzier', + 'ritziest', + 'ritzily', + 'ritziness', 'ritzinesses', + 'ritzy', + 'rivage', + 'rivages', + 'rival', + 'rivaled', + 'rivaling', + 'rivalled', + 'rivalling', + 'rivalries', + 'rivalrous', + 'rivalry', + 'rivals', + 'rive', + 'rived', + 'riven', + 'river', + 'riverbank', 'riverbanks', + 'riverbed', + 'riverbeds', + 'riverboat', 'riverboats', 'riverfront', 'riverfronts', + 'riverine', + 'rivers', + 'riverside', 'riversides', + 'riverward', 'riverwards', + 'rives', + 'rivet', + 'riveted', + 'riveter', + 'riveters', + 'riveting', 'rivetingly', + 'rivets', + 'rivetted', + 'rivetting', + 'riviera', + 'rivieras', + 'riviere', + 'rivieres', + 'riving', + 'rivulet', + 'rivulets', + 'rivulose', + 'riyal', + 'riyals', + 'roach', + 'roached', + 'roaches', + 'roaching', + 'road', 'roadabilities', 'roadability', + 'roadbed', + 'roadbeds', + 'roadblock', 'roadblocked', 'roadblocking', 'roadblocks', + 'roadeo', + 'roadeos', 'roadholding', 'roadholdings', + 'roadhouse', 'roadhouses', + 'roadie', + 'roadies', + 'roadkill', + 'roadkills', + 'roadless', 'roadrunner', 'roadrunners', + 'roads', + 'roadshow', + 'roadshows', + 'roadside', + 'roadsides', + 'roadstead', 'roadsteads', + 'roadster', + 'roadsters', + 'roadway', + 'roadways', + 'roadwork', + 'roadworks', 'roadworthiness', 'roadworthinesses', 'roadworthy', + 'roam', + 'roamed', + 'roamer', + 'roamers', + 'roaming', + 'roams', + 'roan', + 'roans', + 'roar', + 'roared', + 'roarer', + 'roarers', + 'roaring', + 'roaringly', + 'roarings', + 'roars', + 'roast', + 'roasted', + 'roaster', + 'roasters', + 'roasting', + 'roasts', + 'rob', + 'robalo', + 'robalos', + 'roband', + 'robands', + 'robbed', + 'robber', + 'robberies', + 'robbers', + 'robbery', + 'robbin', + 'robbing', + 'robbins', + 'robe', + 'robed', + 'robes', + 'robin', + 'robing', + 'robins', + 'roble', + 'robles', + 'roborant', + 'roborants', + 'robot', + 'robotic', 'robotically', + 'robotics', + 'robotism', + 'robotisms', 'robotization', 'robotizations', + 'robotize', + 'robotized', + 'robotizes', 'robotizing', + 'robotries', + 'robotry', + 'robots', + 'robs', + 'robust', + 'robusta', + 'robustas', + 'robuster', + 'robustest', 'robustious', 'robustiously', 'robustiousness', 'robustiousnesses', + 'robustly', 'robustness', 'robustnesses', + 'roc', + 'rocaille', + 'rocailles', + 'rochet', + 'rochets', + 'rock', + 'rockabies', 'rockabillies', 'rockabilly', + 'rockaby', + 'rockabye', + 'rockabyes', + 'rockaway', + 'rockaways', + 'rockbound', + 'rocked', + 'rocker', + 'rockeries', + 'rockers', + 'rockery', + 'rocket', + 'rocketed', + 'rocketeer', 'rocketeers', + 'rocketer', + 'rocketers', + 'rocketing', 'rocketries', + 'rocketry', + 'rockets', + 'rockfall', + 'rockfalls', + 'rockfish', 'rockfishes', 'rockhopper', 'rockhoppers', + 'rockhound', 'rockhounding', 'rockhoundings', 'rockhounds', + 'rockier', + 'rockiest', + 'rockiness', 'rockinesses', + 'rocking', + 'rockless', + 'rocklike', + 'rockling', + 'rocklings', + 'rockoon', + 'rockoons', + 'rockrose', + 'rockroses', + 'rocks', + 'rockshaft', 'rockshafts', + 'rockweed', + 'rockweeds', + 'rockwork', + 'rockworks', + 'rocky', + 'rococo', + 'rococos', + 'rocs', + 'rod', + 'rodded', + 'rodding', + 'rode', + 'rodent', 'rodenticide', 'rodenticides', + 'rodents', + 'rodeo', + 'rodeoed', + 'rodeoing', + 'rodeos', + 'rodless', + 'rodlike', + 'rodman', + 'rodmen', 'rodomontade', 'rodomontades', + 'rods', + 'rodsman', + 'rodsmen', + 'roe', + 'roebuck', + 'roebucks', + 'roentgen', 'roentgenogram', 'roentgenograms', 'roentgenographic', @@ -53409,17 +131215,97 @@ export const scrabble_array = [ 'roentgenologist', 'roentgenologists', 'roentgenology', + 'roentgens', + 'roes', + 'rogation', + 'rogations', + 'rogatory', + 'roger', + 'rogers', + 'rogue', + 'rogued', + 'rogueing', + 'rogueries', + 'roguery', + 'rogues', + 'roguing', + 'roguish', + 'roguishly', 'roguishness', 'roguishnesses', + 'roil', + 'roiled', + 'roilier', + 'roiliest', + 'roiling', + 'roils', + 'roily', + 'roister', + 'roistered', + 'roisterer', 'roisterers', 'roistering', 'roisterous', 'roisterously', + 'roisters', + 'rolamite', + 'rolamites', + 'role', + 'roles', + 'rolf', + 'rolfed', + 'rolfer', + 'rolfers', + 'rolfing', + 'rolfs', + 'roll', + 'rollaway', + 'rollback', + 'rollbacks', + 'rolled', + 'roller', + 'rollers', + 'rollick', + 'rollicked', 'rollicking', + 'rollicks', + 'rollicky', + 'rolling', + 'rollings', + 'rollmop', + 'rollmops', + 'rollout', + 'rollouts', + 'rollover', + 'rollovers', + 'rolls', + 'rolltop', + 'rollway', + 'rollways', + 'rom', + 'romaine', + 'romaines', + 'roman', + 'romance', + 'romanced', + 'romancer', + 'romancers', + 'romances', + 'romancing', + 'romanise', + 'romanised', + 'romanises', 'romanising', 'romanization', 'romanizations', + 'romanize', + 'romanized', + 'romanizes', 'romanizing', + 'romano', + 'romanos', + 'romans', + 'romantic', 'romantically', 'romanticise', 'romanticised', @@ -53435,100 +131321,557 @@ export const scrabble_array = [ 'romanticized', 'romanticizes', 'romanticizing', + 'romantics', + 'romaunt', + 'romaunts', + 'romeldale', 'romeldales', + 'romeo', + 'romeos', + 'romp', + 'romped', + 'romper', + 'rompers', + 'romping', + 'rompish', + 'romps', + 'roms', + 'rondeau', + 'rondeaux', + 'rondel', + 'rondelet', + 'rondelets', + 'rondelle', + 'rondelles', + 'rondels', + 'rondo', + 'rondos', + 'rondure', + 'rondures', + 'ronion', + 'ronions', + 'ronnel', + 'ronnels', + 'rontgen', + 'rontgens', + 'ronyon', + 'ronyons', + 'rood', + 'roods', + 'roof', + 'roofed', + 'roofer', + 'roofers', + 'roofing', + 'roofings', + 'roofless', + 'rooflike', + 'roofline', + 'rooflines', + 'roofs', + 'rooftop', + 'rooftops', + 'rooftree', + 'rooftrees', + 'rook', + 'rooked', + 'rookeries', + 'rookery', + 'rookie', + 'rookier', + 'rookies', + 'rookiest', + 'rooking', + 'rooks', + 'rooky', + 'room', + 'roomed', + 'roomer', + 'roomers', + 'roomette', + 'roomettes', + 'roomful', + 'roomfuls', + 'roomie', + 'roomier', + 'roomies', + 'roomiest', + 'roomily', + 'roominess', 'roominesses', + 'rooming', + 'roommate', + 'roommates', + 'rooms', + 'roomy', + 'roorbach', + 'roorbachs', + 'roorback', + 'roorbacks', + 'roose', + 'roosed', + 'rooser', + 'roosers', + 'rooses', + 'roosing', + 'roost', + 'roosted', + 'rooster', + 'roosters', + 'roosting', + 'roosts', + 'root', + 'rootage', + 'rootages', + 'rooted', 'rootedness', 'rootednesses', + 'rooter', + 'rooters', + 'roothold', + 'rootholds', + 'rootier', + 'rootiest', + 'rooting', + 'rootless', 'rootlessness', 'rootlessnesses', + 'rootlet', + 'rootlets', + 'rootlike', + 'roots', + 'rootstock', 'rootstocks', + 'rooty', + 'ropable', + 'rope', + 'roped', 'ropedancer', 'ropedancers', 'ropedancing', 'ropedancings', + 'ropelike', + 'roper', + 'roperies', + 'ropers', + 'ropery', + 'ropes', + 'ropewalk', 'ropewalker', 'ropewalkers', + 'ropewalks', + 'ropeway', + 'ropeways', + 'ropey', + 'ropier', + 'ropiest', + 'ropily', + 'ropiness', 'ropinesses', + 'roping', + 'ropy', + 'roque', 'roquelaure', 'roquelaures', + 'roques', + 'roquet', + 'roqueted', + 'roqueting', + 'roquets', + 'rorqual', + 'rorquals', + 'rosaceous', + 'rosaria', + 'rosarian', + 'rosarians', + 'rosaries', + 'rosarium', + 'rosariums', + 'rosary', + 'roscoe', + 'roscoes', + 'rose', + 'roseate', + 'roseately', + 'rosebay', + 'rosebays', + 'rosebud', + 'rosebuds', + 'rosebush', 'rosebushes', + 'rosed', + 'rosefish', 'rosefishes', + 'roselike', + 'roselle', + 'roselles', 'rosemaling', 'rosemalings', 'rosemaries', + 'rosemary', + 'roseola', + 'roseolar', + 'roseolas', + 'roseries', + 'roseroot', + 'roseroots', + 'rosery', + 'roses', + 'roseslug', + 'roseslugs', + 'roset', + 'rosets', + 'rosette', + 'rosettes', + 'rosewater', + 'rosewood', + 'rosewoods', + 'rosier', + 'rosiest', + 'rosily', + 'rosin', + 'rosined', + 'rosiness', 'rosinesses', + 'rosing', + 'rosining', + 'rosinol', + 'rosinols', + 'rosinous', + 'rosins', + 'rosinweed', 'rosinweeds', + 'rosiny', + 'rosolio', + 'rosolios', + 'rostella', + 'rostellar', + 'rostellum', 'rostellums', + 'roster', + 'rosters', + 'rostra', + 'rostral', + 'rostrally', + 'rostrate', + 'rostrum', + 'rostrums', + 'rosulate', + 'rosy', + 'rot', + 'rota', + 'rotameter', 'rotameters', + 'rotaries', + 'rotary', + 'rotas', + 'rotatable', + 'rotate', + 'rotated', + 'rotates', + 'rotating', + 'rotation', 'rotational', + 'rotations', + 'rotative', 'rotatively', + 'rotator', + 'rotatores', + 'rotators', + 'rotatory', + 'rotavirus', 'rotaviruses', + 'rotch', + 'rotche', + 'rotches', + 'rote', + 'rotenone', + 'rotenones', + 'rotes', + 'rotgut', + 'rotguts', + 'roti', + 'rotifer', + 'rotifers', + 'rotiform', + 'rotis', 'rotisserie', 'rotisseries', + 'rotl', + 'rotls', + 'roto', 'rotogravure', 'rotogravures', + 'rotor', 'rotorcraft', + 'rotors', + 'rotos', + 'rototill', 'rototilled', 'rototiller', 'rototillers', 'rototilling', + 'rototills', + 'rots', + 'rotte', + 'rotted', + 'rotten', + 'rottener', + 'rottenest', + 'rottenly', 'rottenness', 'rottennesses', 'rottenstone', 'rottenstones', + 'rotter', + 'rotters', + 'rottes', + 'rotting', 'rottweiler', 'rottweilers', + 'rotund', + 'rotunda', + 'rotundas', 'rotundities', + 'rotundity', + 'rotundly', 'rotundness', 'rotundnesses', + 'roturier', + 'roturiers', + 'rouble', + 'roubles', + 'rouche', + 'rouches', + 'roue', + 'rouen', + 'rouens', + 'roues', + 'rouge', + 'rouged', + 'rouges', + 'rough', + 'roughage', + 'roughages', + 'roughcast', 'roughcasting', 'roughcasts', 'roughdried', 'roughdries', + 'roughdry', 'roughdrying', + 'roughed', + 'roughen', + 'roughened', 'roughening', + 'roughens', + 'rougher', + 'roughers', + 'roughest', + 'roughhew', 'roughhewed', 'roughhewing', + 'roughhewn', + 'roughhews', 'roughhouse', 'roughhoused', 'roughhouses', 'roughhousing', + 'roughing', + 'roughish', + 'roughleg', + 'roughlegs', + 'roughly', + 'roughneck', 'roughnecks', + 'roughness', 'roughnesses', 'roughrider', 'roughriders', + 'roughs', + 'roughshod', + 'rouging', + 'rouille', + 'rouilles', + 'roulade', + 'roulades', + 'rouleau', + 'rouleaus', + 'rouleaux', + 'roulette', + 'rouletted', + 'roulettes', 'rouletting', + 'round', 'roundabout', 'roundaboutness', 'roundaboutnesses', 'roundabouts', + 'rounded', 'roundedness', 'roundednesses', + 'roundel', + 'roundelay', 'roundelays', + 'roundels', + 'rounder', + 'rounders', + 'roundest', 'roundheaded', 'roundheadedness', 'roundheadednesses', 'roundhouse', 'roundhouses', + 'rounding', + 'roundish', + 'roundlet', + 'roundlets', + 'roundly', + 'roundness', 'roundnesses', + 'rounds', + 'roundsman', + 'roundsmen', 'roundtable', 'roundtables', + 'roundup', + 'roundups', + 'roundwood', 'roundwoods', + 'roundworm', 'roundworms', + 'roup', + 'rouped', + 'roupet', + 'roupier', + 'roupiest', + 'roupily', + 'rouping', + 'roups', + 'roupy', + 'rouse', 'rouseabout', 'rouseabouts', + 'roused', + 'rousement', 'rousements', + 'rouser', + 'rousers', + 'rouses', + 'rousing', + 'rousingly', + 'rousseau', + 'rousseaus', + 'roust', 'roustabout', 'roustabouts', + 'rousted', + 'rouster', + 'rousters', + 'rousting', + 'rousts', + 'rout', + 'route', + 'routed', + 'routeman', + 'routemen', + 'router', + 'routers', + 'routes', + 'routeway', + 'routeways', + 'routh', + 'rouths', + 'routine', + 'routinely', + 'routines', + 'routing', 'routinization', 'routinizations', + 'routinize', 'routinized', 'routinizes', 'routinizing', + 'routs', + 'roux', + 'rove', + 'roved', + 'roven', + 'rover', + 'rovers', + 'roves', + 'roving', + 'rovingly', + 'rovings', + 'row', + 'rowable', + 'rowan', 'rowanberries', 'rowanberry', + 'rowans', + 'rowboat', + 'rowboats', + 'rowdier', + 'rowdies', + 'rowdiest', + 'rowdily', + 'rowdiness', 'rowdinesses', + 'rowdy', + 'rowdyish', + 'rowdyism', + 'rowdyisms', + 'rowed', + 'rowel', + 'roweled', + 'roweling', + 'rowelled', + 'rowelling', + 'rowels', + 'rowen', + 'rowens', + 'rower', + 'rowers', + 'rowing', + 'rowings', + 'rowlock', + 'rowlocks', + 'rows', + 'rowth', + 'rowths', + 'royal', + 'royalism', + 'royalisms', + 'royalist', + 'royalists', + 'royally', + 'royals', + 'royalties', + 'royalty', + 'royster', + 'roystered', 'roystering', + 'roysters', + 'rozzer', + 'rozzers', + 'ruana', + 'ruanas', + 'rub', + 'rubaboo', + 'rubaboos', + 'rubace', + 'rubaces', + 'rubaiyat', + 'rubasse', + 'rubasses', + 'rubato', + 'rubatos', + 'rubbaboo', + 'rubbaboos', + 'rubbed', + 'rubber', + 'rubbered', + 'rubbering', 'rubberized', 'rubberlike', 'rubberneck', @@ -53537,12 +131880,56 @@ export const scrabble_array = [ 'rubberneckers', 'rubbernecking', 'rubbernecks', + 'rubbers', + 'rubbery', + 'rubbing', + 'rubbings', + 'rubbish', + 'rubbishes', + 'rubbishy', + 'rubble', + 'rubbled', + 'rubbles', + 'rubblier', + 'rubbliest', + 'rubbling', + 'rubbly', + 'rubdown', + 'rubdowns', + 'rube', 'rubefacient', 'rubefacients', + 'rubella', + 'rubellas', + 'rubellite', 'rubellites', + 'rubeola', + 'rubeolar', + 'rubeolas', + 'rubes', + 'rubicund', 'rubicundities', 'rubicundity', + 'rubidic', + 'rubidium', + 'rubidiums', + 'rubied', + 'rubier', + 'rubies', + 'rubiest', + 'rubigo', + 'rubigos', + 'rubious', + 'ruble', + 'rubles', + 'ruboff', + 'ruboffs', + 'rubout', + 'rubouts', + 'rubric', + 'rubrical', 'rubrically', + 'rubricate', 'rubricated', 'rubricates', 'rubricating', @@ -53550,62 +131937,373 @@ export const scrabble_array = [ 'rubrications', 'rubricator', 'rubricators', + 'rubrics', + 'rubs', + 'rubus', + 'ruby', + 'rubying', + 'rubylike', 'rubythroat', 'rubythroats', + 'ruche', + 'ruched', + 'ruches', + 'ruching', + 'ruchings', + 'ruck', + 'rucked', + 'rucking', + 'ruckle', + 'ruckled', + 'ruckles', + 'ruckling', + 'rucks', + 'rucksack', + 'rucksacks', + 'ruckus', + 'ruckuses', + 'ruction', + 'ructions', + 'ructious', + 'rudbeckia', 'rudbeckias', + 'rudd', + 'rudder', 'rudderless', 'rudderpost', 'rudderposts', + 'rudders', + 'ruddier', + 'ruddiest', + 'ruddily', + 'ruddiness', 'ruddinesses', + 'ruddle', + 'ruddled', + 'ruddles', + 'ruddling', + 'ruddock', + 'ruddocks', + 'rudds', + 'ruddy', + 'rude', + 'rudely', + 'rudeness', 'rudenesses', + 'ruder', + 'ruderal', + 'ruderals', + 'rudesbies', + 'rudesby', + 'rudest', + 'rudiment', 'rudimental', 'rudimentarily', 'rudimentariness', 'rudimentarinesses', 'rudimentary', + 'rudiments', + 'rue', + 'rued', + 'rueful', + 'ruefully', 'ruefulness', 'ruefulnesses', + 'ruer', + 'ruers', + 'rues', + 'rufescent', + 'ruff', + 'ruffe', + 'ruffed', + 'ruffes', + 'ruffian', 'ruffianism', 'ruffianisms', + 'ruffianly', + 'ruffians', + 'ruffing', + 'ruffle', + 'ruffled', + 'ruffler', + 'rufflers', + 'ruffles', + 'rufflier', + 'ruffliest', + 'rufflike', + 'ruffling', + 'ruffly', + 'ruffs', + 'rufiyaa', + 'rufous', + 'rug', + 'ruga', + 'rugae', + 'rugal', + 'rugate', + 'rugbies', + 'rugby', + 'rugged', + 'ruggeder', + 'ruggedest', 'ruggedization', 'ruggedizations', + 'ruggedize', 'ruggedized', 'ruggedizes', 'ruggedizing', + 'ruggedly', 'ruggedness', 'ruggednesses', + 'rugger', + 'ruggers', + 'rugging', + 'ruglike', + 'rugola', + 'rugolas', + 'rugosa', + 'rugosas', + 'rugose', + 'rugosely', 'rugosities', + 'rugosity', + 'rugous', + 'rugs', + 'rugulose', + 'ruin', + 'ruinable', + 'ruinate', + 'ruinated', + 'ruinates', + 'ruinating', + 'ruination', 'ruinations', + 'ruined', + 'ruiner', + 'ruiners', + 'ruing', + 'ruining', + 'ruinous', + 'ruinously', 'ruinousness', 'ruinousnesses', + 'ruins', + 'rulable', + 'rule', + 'ruled', + 'ruleless', + 'ruler', + 'rulers', + 'rulership', 'rulerships', + 'rules', + 'rulier', + 'ruliest', + 'ruling', + 'rulings', + 'ruly', + 'rum', + 'rumaki', + 'rumakis', + 'rumba', + 'rumbaed', + 'rumbaing', + 'rumbas', + 'rumble', + 'rumbled', + 'rumbler', + 'rumblers', + 'rumbles', + 'rumbling', + 'rumblings', + 'rumbly', 'rumbustious', 'rumbustiously', 'rumbustiousness', 'rumbustiousnesses', + 'rumen', + 'rumens', + 'rumina', + 'ruminal', + 'ruminant', 'ruminantly', + 'ruminants', + 'ruminate', + 'ruminated', + 'ruminates', 'ruminating', 'rumination', 'ruminations', 'ruminative', 'ruminatively', + 'ruminator', 'ruminators', + 'rummage', + 'rummaged', + 'rummager', + 'rummagers', + 'rummages', + 'rummaging', + 'rummer', + 'rummers', + 'rummest', + 'rummier', + 'rummies', + 'rummiest', + 'rummy', + 'rumor', + 'rumored', + 'rumoring', 'rumormonger', 'rumormongering', 'rumormongerings', 'rumormongers', + 'rumors', + 'rumour', + 'rumoured', + 'rumouring', + 'rumours', + 'rump', + 'rumple', + 'rumpled', + 'rumples', + 'rumpless', + 'rumplier', + 'rumpliest', + 'rumpling', + 'rumply', + 'rumps', + 'rumpus', + 'rumpuses', + 'rumrunner', 'rumrunners', + 'rums', + 'run', + 'runabout', + 'runabouts', + 'runagate', + 'runagates', + 'runaround', 'runarounds', + 'runaway', + 'runaways', + 'runback', + 'runbacks', + 'runcinate', + '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', + 'runrounds', + 'runs', + 'runt', + 'runtier', + 'runtiest', + 'runtiness', 'runtinesses', + 'runtish', + 'runts', + 'runty', + 'runway', + 'runways', + 'rupee', + 'rupees', + 'rupiah', + 'rupiahs', + 'rupture', + 'ruptured', + 'ruptures', + 'rupturing', + 'rural', + 'ruralise', + 'ruralised', + 'ruralises', 'ruralising', + 'ruralism', + 'ruralisms', + 'ruralist', + 'ruralists', + 'ruralite', + 'ruralites', 'ruralities', + 'rurality', + 'ruralize', + 'ruralized', + 'ruralizes', 'ruralizing', + 'rurally', + 'rurban', + 'ruse', + 'ruses', + 'rush', + 'rushed', + 'rushee', + 'rushees', + 'rusher', + 'rushers', + 'rushes', + 'rushier', + 'rushiest', + 'rushing', + 'rushings', + 'rushlight', 'rushlights', + 'rushlike', + 'rushy', + 'rusine', + 'rusk', + 'rusks', + 'russet', + 'russeting', 'russetings', + 'russets', 'russetting', 'russettings', + 'russety', + 'russified', + 'russifies', + 'russify', 'russifying', + 'rust', + 'rustable', + 'rusted', + 'rustic', + 'rustical', 'rustically', + 'rusticals', + 'rusticate', 'rusticated', 'rusticates', 'rusticating', @@ -53614,33 +132312,146 @@ export const scrabble_array = [ 'rusticator', 'rusticators', 'rusticities', + 'rusticity', + 'rusticly', + 'rustics', + 'rustier', + 'rustiest', + 'rustily', + 'rustiness', 'rustinesses', + 'rusting', + 'rustle', + 'rustled', + 'rustler', + 'rustlers', + 'rustles', + 'rustless', + 'rustling', + 'rustproof', 'rustproofed', 'rustproofing', 'rustproofs', + 'rusts', + 'rusty', + 'rut', + 'rutabaga', + 'rutabagas', + 'ruth', + 'ruthenic', + 'ruthenium', 'rutheniums', 'rutherfordium', 'rutherfordiums', + 'ruthful', + 'ruthfully', 'ruthfulness', 'ruthfulnesses', + 'ruthless', 'ruthlessly', 'ruthlessness', 'ruthlessnesses', + 'ruths', + 'rutilant', + 'rutile', + 'rutiles', + 'rutin', + 'rutins', + 'ruts', + 'rutted', + 'ruttier', + 'ruttiest', + 'ruttily', + 'rutting', + 'ruttish', + 'ruttishly', 'ruttishness', 'ruttishnesses', + 'rutty', + 'rya', + 'ryas', + 'rye', + 'ryegrass', 'ryegrasses', + 'ryes', + 'ryke', + 'ryked', + 'rykes', + 'ryking', + 'rynd', + 'rynds', + 'ryokan', + 'ryokans', + 'ryot', + 'ryots', + 'sab', + 'sabadilla', 'sabadillas', + 'sabaton', + 'sabatons', + 'sabayon', + 'sabayons', + 'sabbat', + 'sabbath', + 'sabbaths', + 'sabbatic', 'sabbatical', 'sabbaticals', + 'sabbatics', + 'sabbats', + 'sabbed', + 'sabbing', + 'sabe', + 'sabed', + 'sabeing', + 'saber', + 'sabered', + 'sabering', 'sabermetrician', 'sabermetricians', 'sabermetrics', + 'sabers', + 'sabes', + 'sabin', + 'sabine', + 'sabines', + 'sabins', + 'sabir', + 'sabirs', + 'sable', + 'sablefish', 'sablefishes', + 'sables', + 'sabot', + 'sabotage', + 'sabotaged', + 'sabotages', 'sabotaging', + 'saboteur', + 'saboteurs', + 'sabots', + 'sabra', + 'sabras', + 'sabre', + 'sabred', + 'sabres', + 'sabring', + 'sabs', + 'sabulose', + 'sabulous', + 'sac', 'sacahuista', 'sacahuistas', 'sacahuiste', 'sacahuistes', + 'sacaton', + 'sacatons', + 'sacbut', + 'sacbuts', + 'saccade', + 'saccades', + 'saccadic', + 'saccate', 'saccharase', 'saccharases', 'saccharide', @@ -53653,6 +132464,7 @@ export const scrabble_array = [ 'saccharifying', 'saccharimeter', 'saccharimeters', + 'saccharin', 'saccharine', 'saccharinities', 'saccharinity', @@ -53661,16 +132473,49 @@ export const scrabble_array = [ 'saccharometer', 'saccharometers', 'saccharomyces', + 'saccular', + 'sacculate', 'sacculated', 'sacculation', 'sacculations', + 'saccule', + 'saccules', + 'sacculi', + 'sacculus', 'sacerdotal', 'sacerdotalism', 'sacerdotalisms', 'sacerdotalist', 'sacerdotalists', 'sacerdotally', + 'sachem', + 'sachemic', + 'sachems', + 'sachet', + 'sacheted', + 'sachets', + 'sack', + 'sackbut', + 'sackbuts', + 'sackcloth', 'sackcloths', + 'sacked', + 'sacker', + 'sackers', + 'sackful', + 'sackfuls', + 'sacking', + 'sackings', + 'sacklike', + 'sacks', + 'sacksful', + 'saclike', + 'sacque', + 'sacques', + 'sacra', + 'sacral', + 'sacrals', + 'sacrament', 'sacramental', 'sacramentalism', 'sacramentalisms', @@ -53679,8 +132524,13 @@ export const scrabble_array = [ 'sacramentally', 'sacramentals', 'sacraments', + 'sacraria', + 'sacrarium', + 'sacred', + 'sacredly', 'sacredness', 'sacrednesses', + 'sacrifice', 'sacrificed', 'sacrificer', 'sacrificers', @@ -53688,113 +132538,385 @@ export const scrabble_array = [ 'sacrificial', 'sacrificially', 'sacrificing', + 'sacrilege', 'sacrileges', 'sacrilegious', 'sacrilegiously', 'sacrilegiousness', 'sacrilegiousnesses', + 'sacring', + 'sacrings', + 'sacrist', + 'sacristan', 'sacristans', 'sacristies', + 'sacrists', + 'sacristy', 'sacroiliac', 'sacroiliacs', 'sacrosanct', 'sacrosanctities', 'sacrosanctity', + 'sacrum', + 'sacrums', + 'sacs', + 'sad', + 'sadden', + 'saddened', + 'saddening', + 'saddens', + 'sadder', + 'saddest', + 'saddhu', + 'saddhus', + 'saddle', + 'saddlebag', 'saddlebags', + 'saddlebow', 'saddlebows', 'saddlebred', 'saddlebreds', 'saddlecloth', 'saddlecloths', + 'saddled', 'saddleless', + 'saddler', 'saddleries', + 'saddlers', + 'saddlery', + 'saddles', 'saddletree', 'saddletrees', + 'saddling', + 'sade', + 'sades', + 'sadhe', + 'sadhes', + 'sadhu', + 'sadhus', + 'sadi', + 'sadiron', + 'sadirons', + 'sadis', + 'sadism', + 'sadisms', + 'sadist', + 'sadistic', 'sadistically', + 'sadists', + 'sadly', + 'sadness', + 'sadnesses', 'sadomasochism', 'sadomasochisms', 'sadomasochist', 'sadomasochistic', 'sadomasochists', + 'sae', + 'safari', + 'safaried', + 'safariing', + 'safaris', + 'safe', 'safecracker', 'safecrackers', 'safecracking', 'safecrackings', + 'safeguard', 'safeguarded', 'safeguarding', 'safeguards', 'safekeeping', 'safekeepings', + 'safelight', 'safelights', + 'safely', + 'safeness', 'safenesses', + 'safer', + 'safes', + 'safest', + 'safetied', + 'safeties', + 'safety', + 'safetying', + 'safetyman', + 'safetymen', + 'safflower', 'safflowers', + 'saffron', + 'saffrons', + 'safranin', + 'safranine', 'safranines', + 'safranins', + 'safrol', + 'safrole', + 'safroles', + 'safrols', + 'sag', + 'saga', + 'sagacious', 'sagaciously', 'sagaciousness', 'sagaciousnesses', 'sagacities', + 'sagacity', + 'sagaman', + 'sagamen', + 'sagamore', + 'sagamores', + 'saganash', 'saganashes', + 'sagas', + 'sagbut', + 'sagbuts', + 'sage', + 'sagebrush', 'sagebrushes', + 'sagely', + 'sageness', 'sagenesses', + 'sager', + 'sages', + 'sagest', + 'saggar', + 'saggard', + 'saggards', + 'saggared', + 'saggaring', + 'saggars', + 'sagged', + 'sagger', + 'saggered', + 'saggering', + 'saggers', + 'saggier', + 'saggiest', + 'sagging', + 'saggy', + 'sagier', + 'sagiest', + 'sagittal', 'sagittally', + 'sagittate', + 'sago', + 'sagos', + 'sags', + 'saguaro', + 'saguaros', + 'sagum', + 'sagy', + 'sahib', + 'sahibs', + 'sahiwal', + 'sahiwals', + 'sahuaro', + 'sahuaros', + 'saice', + 'saices', + 'said', + 'saids', + 'saiga', + 'saigas', + 'sail', + 'sailable', + 'sailboard', 'sailboarding', 'sailboardings', 'sailboards', + 'sailboat', 'sailboater', 'sailboaters', 'sailboating', 'sailboatings', + 'sailboats', + 'sailcloth', 'sailcloths', + 'sailed', + 'sailer', + 'sailers', + 'sailfish', 'sailfishes', + 'sailing', + 'sailings', + 'sailor', + 'sailorly', + 'sailors', + 'sailplane', 'sailplaned', 'sailplaner', 'sailplaners', 'sailplanes', 'sailplaning', + 'sails', + 'saimin', + 'saimins', + 'sain', + 'sained', + 'sainfoin', + 'sainfoins', + 'saining', + 'sains', + 'saint', + 'saintdom', + 'saintdoms', + 'sainted', + 'sainthood', 'sainthoods', + 'sainting', + 'saintlier', 'saintliest', + 'saintlike', 'saintliness', 'saintlinesses', + 'saintly', + 'saints', + 'saintship', 'saintships', + 'saith', + 'saithe', + 'saiyid', + 'saiyids', + 'sajou', + 'sajous', + 'sake', + 'saker', + 'sakers', + 'sakes', + 'saki', + 'sakis', + 'sal', + 'salaam', + 'salaamed', + 'salaaming', + 'salaams', 'salabilities', 'salability', + 'salable', + 'salably', + 'salacious', 'salaciously', 'salaciousness', 'salaciousnesses', 'salacities', + 'salacity', + 'salad', + 'saladang', + 'saladangs', + 'salads', + 'salal', + 'salals', 'salamander', 'salamanders', 'salamandrine', + 'salami', + 'salamis', + 'salariat', + 'salariats', + 'salaried', + 'salaries', + 'salary', + 'salarying', + 'salaryman', + 'salarymen', + 'salchow', + 'salchows', + 'sale', + 'saleable', + 'saleably', + 'salep', + 'saleps', + 'saleratus', 'saleratuses', + 'saleroom', + 'salerooms', + 'sales', 'salesclerk', 'salesclerks', + 'salesgirl', 'salesgirls', 'salesladies', + 'saleslady', + 'salesman', 'salesmanship', 'salesmanships', + 'salesmen', 'salespeople', 'salesperson', 'salespersons', + 'salesroom', 'salesrooms', 'saleswoman', 'saleswomen', + 'salic', + 'salicin', + 'salicine', + 'salicines', + 'salicins', 'salicylate', 'salicylates', + 'salience', + 'saliences', 'saliencies', + 'saliency', + 'salient', + 'saliently', + 'salients', + 'salified', + 'salifies', + 'salify', + 'salifying', + 'salina', + 'salinas', + 'saline', + 'salines', 'salinities', + 'salinity', 'salinization', 'salinizations', + 'salinize', + 'salinized', + 'salinizes', 'salinizing', 'salinometer', 'salinometers', + 'saliva', + 'salivary', + 'salivas', + 'salivate', + 'salivated', + 'salivates', 'salivating', 'salivation', 'salivations', + 'salivator', 'salivators', + 'sall', + 'sallet', + 'sallets', + 'sallied', + 'sallier', + 'salliers', + 'sallies', + 'sallow', + 'sallowed', + 'sallower', + 'sallowest', + 'sallowing', + 'sallowish', + 'sallowly', 'sallowness', 'sallownesses', + 'sallows', + 'sallowy', + 'sally', + 'sallying', 'salmagundi', 'salmagundis', + 'salmi', + 'salmis', + 'salmon', 'salmonberries', 'salmonberry', 'salmonella', @@ -53802,37 +132924,112 @@ export const scrabble_array = [ 'salmonellas', 'salmonelloses', 'salmonellosis', + 'salmonid', + 'salmonids', + 'salmonoid', 'salmonoids', + 'salmons', + 'salol', + 'salols', + 'salometer', 'salometers', + 'salon', + 'salons', + 'saloon', + 'saloons', + 'saloop', + 'saloops', + 'salp', + 'salpa', + 'salpae', + 'salpas', + 'salpian', + 'salpians', + 'salpid', + 'salpids', 'salpiglosses', 'salpiglossis', 'salpiglossises', + 'salpinges', 'salpingites', 'salpingitides', 'salpingitis', 'salpingitises', + 'salpinx', + 'salps', + 'sals', + 'salsa', + 'salsas', + 'salsifies', + 'salsify', + 'salsilla', + 'salsillas', + 'salt', + 'saltant', 'saltarello', 'saltarellos', + 'saltation', 'saltations', 'saltatorial', + 'saltatory', + 'saltbox', + 'saltboxes', + 'saltbush', 'saltbushes', 'saltcellar', 'saltcellars', + 'salted', + 'salter', + 'saltern', + 'salterns', + 'salters', + 'saltest', + 'saltie', + 'saltier', + 'saltiers', + 'salties', + 'saltiest', + 'saltily', 'saltimbocca', 'saltimboccas', + 'saltine', + 'saltines', + 'saltiness', 'saltinesses', + 'salting', + 'saltings', + 'saltire', + 'saltires', + 'saltish', + 'saltless', + 'saltlike', + 'saltness', 'saltnesses', + 'saltpan', + 'saltpans', + 'saltpeter', 'saltpeters', + 'salts', 'saltshaker', 'saltshakers', + 'saltwater', + 'saltwork', + 'saltworks', + 'saltwort', + 'saltworts', + 'salty', 'salubrious', 'salubriously', 'salubriousness', 'salubriousnesses', 'salubrities', + 'salubrity', + 'saluki', + 'salukis', 'salutarily', 'salutariness', 'salutarinesses', + 'salutary', 'salutation', 'salutational', 'salutations', @@ -53840,30 +133037,133 @@ export const scrabble_array = [ 'salutatorians', 'salutatories', 'salutatory', + 'salute', + 'saluted', + 'saluter', + 'saluters', + 'salutes', 'salutiferous', + 'saluting', + 'salvable', + 'salvably', + 'salvage', 'salvageabilities', 'salvageability', 'salvageable', + 'salvaged', + 'salvagee', + 'salvagees', + 'salvager', + 'salvagers', + 'salvages', + 'salvaging', + 'salvarsan', 'salvarsans', + 'salvation', 'salvational', 'salvationism', 'salvationisms', 'salvationist', 'salvations', + 'salve', + 'salved', + 'salver', 'salverform', + 'salvers', + 'salves', + 'salvia', + 'salvias', + 'salvific', + 'salving', + 'salvo', + 'salvoed', + 'salvoes', + 'salvoing', + 'salvor', + 'salvors', + 'salvos', + 'samara', + 'samaras', + 'samaritan', 'samaritans', + 'samarium', + 'samariums', 'samarskite', 'samarskites', + 'samba', + 'sambaed', + 'sambaing', + 'sambar', + 'sambars', + 'sambas', + 'sambhar', + 'sambhars', + 'sambhur', + 'sambhurs', + 'sambo', + 'sambos', + 'sambuca', + 'sambucas', + 'sambuke', + 'sambukes', + 'sambur', + 'samburs', + 'same', + 'samech', + 'samechs', + 'samek', + 'samekh', + 'samekhs', + 'sameks', + 'sameness', 'samenesses', + 'samiel', + 'samiels', + 'samisen', + 'samisens', + 'samite', + 'samites', + 'samizdat', + 'samizdats', + 'samlet', + 'samlets', + 'samosa', + 'samosas', + 'samovar', + 'samovars', + 'samp', + 'sampan', + 'sampans', + 'samphire', + 'samphires', + 'sample', + 'sampled', + 'sampler', + 'samplers', + 'samples', + 'sampling', + 'samplings', + 'samps', + 'samsara', + 'samsaras', + 'samshu', + 'samshus', + 'samurai', + 'samurais', + 'sanative', + 'sanatoria', 'sanatorium', 'sanatoriums', + 'sanbenito', 'sanbenitos', + 'sancta', 'sanctification', 'sanctifications', 'sanctified', 'sanctifier', 'sanctifiers', 'sanctifies', + 'sanctify', 'sanctifying', 'sanctimonies', 'sanctimonious', @@ -53871,86 +133171,259 @@ export const scrabble_array = [ 'sanctimoniousness', 'sanctimoniousnesses', 'sanctimony', + 'sanction', 'sanctionable', 'sanctioned', 'sanctioning', + 'sanctions', 'sanctities', + 'sanctity', 'sanctuaries', + 'sanctuary', + 'sanctum', + 'sanctums', + 'sand', + 'sandal', + 'sandaled', + 'sandaling', + 'sandalled', 'sandalling', + 'sandals', 'sandalwood', 'sandalwoods', + 'sandarac', + 'sandaracs', + 'sandbag', 'sandbagged', 'sandbagger', 'sandbaggers', 'sandbagging', + 'sandbags', + 'sandbank', + 'sandbanks', + 'sandbar', + 'sandbars', + 'sandblast', 'sandblasted', 'sandblaster', 'sandblasters', 'sandblasting', 'sandblasts', + 'sandbox', + 'sandboxes', + 'sandbur', + 'sandburr', + 'sandburrs', + 'sandburs', + 'sanddab', + 'sanddabs', + 'sanded', + 'sander', 'sanderling', 'sanderlings', + 'sanders', + 'sandfish', 'sandfishes', + 'sandflies', + 'sandfly', + 'sandglass', 'sandglasses', 'sandgrouse', 'sandgrouses', + 'sandhi', + 'sandhis', + 'sandhog', + 'sandhogs', + 'sandier', + 'sandiest', + 'sandiness', 'sandinesses', + 'sanding', + 'sandlike', + 'sandling', + 'sandlings', + 'sandlot', + 'sandlots', 'sandlotter', 'sandlotters', + 'sandman', + 'sandmen', 'sandpainting', 'sandpaintings', + 'sandpaper', 'sandpapered', 'sandpapering', 'sandpapers', 'sandpapery', + 'sandpeep', + 'sandpeeps', + 'sandpile', + 'sandpiles', + 'sandpiper', 'sandpipers', + 'sandpit', + 'sandpits', + 'sands', + 'sandshoe', + 'sandshoes', + 'sandsoap', + 'sandsoaps', + 'sandspur', + 'sandspurs', + 'sandstone', 'sandstones', + 'sandstorm', 'sandstorms', + 'sandwich', 'sandwiched', 'sandwiches', 'sandwiching', + 'sandworm', + 'sandworms', + 'sandwort', + 'sandworts', + 'sandy', + 'sane', + 'saned', + 'sanely', + 'saneness', 'sanenesses', + 'saner', + 'sanes', + 'sanest', + 'sang', + 'sanga', + 'sangar', + 'sangaree', + 'sangarees', + 'sangars', + 'sangas', + 'sanger', + 'sangers', + 'sangfroid', 'sangfroids', + 'sangh', + 'sanghs', + 'sangria', + 'sangrias', 'sanguinaria', 'sanguinarias', 'sanguinarily', 'sanguinary', + 'sanguine', 'sanguinely', 'sanguineness', 'sanguinenesses', 'sanguineous', + 'sanguines', 'sanguinities', 'sanguinity', + 'sanicle', + 'sanicles', + 'sanies', + 'saning', + 'sanious', + 'sanitaria', 'sanitarian', 'sanitarians', 'sanitaries', 'sanitarily', 'sanitarium', 'sanitariums', + 'sanitary', + 'sanitate', + 'sanitated', + 'sanitates', 'sanitating', 'sanitation', 'sanitations', + 'sanities', + 'sanitise', + 'sanitised', + 'sanitises', 'sanitising', 'sanitization', 'sanitizations', + 'sanitize', + 'sanitized', + 'sanitizes', 'sanitizing', + 'sanitoria', 'sanitorium', 'sanitoriums', + 'sanity', + 'sanjak', + 'sanjaks', + 'sank', + 'sannop', + 'sannops', + 'sannup', + 'sannups', + 'sannyasi', + 'sannyasin', 'sannyasins', + 'sannyasis', + 'sans', + 'sansar', + 'sansars', 'sansculotte', 'sansculottes', 'sansculottic', 'sansculottish', 'sansculottism', 'sansculottisms', + 'sansei', + 'sanseis', + 'sanserif', + 'sanserifs', 'sansevieria', 'sansevierias', + 'santalic', + 'santalol', + 'santalols', + 'santimi', + 'santims', + 'santir', + 'santirs', + 'santo', + 'santol', + 'santolina', 'santolinas', + 'santols', + 'santonin', + 'santonins', + 'santos', + 'santour', + 'santours', + 'santur', + 'santurs', + 'sap', + 'sapajou', + 'sapajous', + 'saphead', + 'sapheaded', + 'sapheads', + 'saphena', + 'saphenae', + 'saphenous', + 'sapid', 'sapidities', + 'sapidity', + 'sapience', + 'sapiences', 'sapiencies', + 'sapiency', + 'sapiens', + 'sapient', + 'sapiently', + 'sapless', 'saplessness', 'saplessnesses', + 'sapling', + 'saplings', + 'sapodilla', 'sapodillas', + 'sapogenin', 'sapogenins', 'saponaceous', 'saponaceousness', @@ -53962,29 +133435,96 @@ export const scrabble_array = [ 'saponifier', 'saponifiers', 'saponifies', + 'saponify', 'saponifying', + 'saponin', + 'saponine', + 'saponines', + 'saponins', + 'saponite', + 'saponites', + 'sapor', + 'saporous', + 'sapors', + 'sapota', + 'sapotas', + 'sapote', + 'sapotes', + 'sapour', + 'sapours', + 'sapped', + 'sapper', + 'sappers', + 'sapphic', + 'sapphics', + 'sapphire', + 'sapphires', 'sapphirine', + 'sapphism', + 'sapphisms', + 'sapphist', + 'sapphists', + 'sappier', + 'sappiest', + 'sappily', + 'sappiness', 'sappinesses', + 'sapping', + 'sappy', + 'sapremia', + 'sapremias', + 'sapremic', + 'saprobe', + 'saprobes', + 'saprobic', 'saprogenic', 'saprogenicities', 'saprogenicity', + 'saprolite', 'saprolites', + 'sapropel', + 'sapropels', 'saprophagous', 'saprophyte', 'saprophytes', 'saprophytic', 'saprophytically', + 'saprozoic', + 'saps', + 'sapsago', + 'sapsagos', + 'sapsucker', 'sapsuckers', + 'sapwood', + 'sapwoods', + 'saraband', + 'sarabande', 'sarabandes', + 'sarabands', + 'saran', + 'sarans', + 'sarape', + 'sarapes', + 'sarcasm', + 'sarcasms', + 'sarcastic', 'sarcastically', + 'sarcenet', + 'sarcenets', + 'sarcoid', 'sarcoidoses', 'sarcoidosis', + 'sarcoids', 'sarcolemma', 'sarcolemmal', 'sarcolemmas', + 'sarcoma', + 'sarcomas', + 'sarcomata', 'sarcomatoses', 'sarcomatosis', 'sarcomatous', + 'sarcomere', 'sarcomeres', 'sarcophagi', 'sarcophagus', @@ -53993,30 +133533,167 @@ export const scrabble_array = [ 'sarcoplasmic', 'sarcoplasms', 'sarcosomal', + 'sarcosome', 'sarcosomes', + 'sarcous', + 'sard', + 'sardana', + 'sardanas', + 'sardar', + 'sardars', + 'sardine', + 'sardines', + 'sardius', + 'sardiuses', + 'sardonic', 'sardonically', 'sardonicism', 'sardonicisms', + 'sardonyx', 'sardonyxes', + 'sards', + 'saree', + 'sarees', + 'sargasso', + 'sargassos', + 'sargassum', 'sargassums', + 'sarge', + 'sarges', + 'sari', + 'sarin', + 'sarins', + 'saris', + 'sark', + 'sarkier', + 'sarkiest', + 'sarks', + 'sarky', + 'sarment', + 'sarmenta', + 'sarments', + 'sarmentum', + 'sarod', + 'sarode', + 'sarodes', + 'sarodist', + 'sarodists', + 'sarods', + 'sarong', + 'sarongs', + 'saros', + 'saroses', 'sarracenia', 'sarracenias', 'sarsaparilla', 'sarsaparillas', + 'sarsar', + 'sarsars', + 'sarsen', + 'sarsenet', + 'sarsenets', + 'sarsens', + 'sartor', + 'sartorial', 'sartorially', + 'sartorii', + 'sartorius', + 'sartors', + 'sash', + 'sashay', + 'sashayed', + 'sashaying', + 'sashays', + 'sashed', + 'sashes', + 'sashimi', + 'sashimis', + 'sashing', + 'sasin', + 'sasins', + 'saskatoon', 'saskatoons', + 'sass', + 'sassabies', + 'sassaby', + 'sassafras', 'sassafrases', + 'sassed', + 'sasses', + 'sassier', + 'sassies', + 'sassiest', + 'sassily', + 'sassing', + 'sasswood', + 'sasswoods', + 'sassy', + 'sastruga', + 'sastrugi', + 'sat', + 'satang', + 'satangs', + 'satanic', 'satanically', + 'satanism', + 'satanisms', + 'satanist', + 'satanists', + 'satara', + 'sataras', + 'satay', + 'satays', + 'satchel', 'satchelful', 'satchelfuls', + 'satchels', 'satchelsful', + 'sate', + 'sated', + 'sateen', + 'sateens', + 'satellite', 'satellites', + 'satem', + 'sates', + 'sati', + 'satiable', + 'satiably', + 'satiate', + 'satiated', + 'satiates', + 'satiating', + 'satiation', 'satiations', + 'satieties', + 'satiety', + 'satin', + 'satinet', + 'satinets', + 'sating', + 'satinpod', + 'satinpods', + 'satins', + 'satinwood', 'satinwoods', + 'satiny', + 'satire', + 'satires', + 'satiric', + 'satirical', 'satirically', + 'satirise', + 'satirised', + 'satirises', 'satirising', + 'satirist', + 'satirists', 'satirizable', + 'satirize', + 'satirized', + 'satirizes', 'satirizing', + 'satis', 'satisfaction', 'satisfactions', 'satisfactorily', @@ -54024,72 +133701,385 @@ export const scrabble_array = [ 'satisfactorinesses', 'satisfactory', 'satisfiable', + 'satisfied', + 'satisfies', + 'satisfy', 'satisfying', 'satisfyingly', + 'satori', + 'satoris', + 'satrap', + 'satrapies', + 'satraps', + 'satrapy', + 'satsuma', + 'satsumas', + 'saturable', + 'saturant', + 'saturants', + 'saturate', + 'saturated', + 'saturates', 'saturating', 'saturation', 'saturations', + 'saturator', 'saturators', 'saturnalia', 'saturnalian', 'saturnalianly', 'saturnalias', + 'saturniid', 'saturniids', + 'saturnine', + 'saturnism', 'saturnisms', 'satyagraha', 'satyagrahas', + 'satyr', 'satyriases', 'satyriasis', + 'satyric', + 'satyrid', + 'satyrids', + 'satyrs', + 'sau', + 'sauce', + 'sauceboat', 'sauceboats', + 'saucebox', 'sauceboxes', + 'sauced', + 'saucepan', + 'saucepans', + 'saucer', 'saucerlike', + 'saucers', + 'sauces', + 'sauch', + 'sauchs', + 'saucier', + 'sauciest', + 'saucily', + 'sauciness', 'saucinesses', + 'saucing', + 'saucy', 'sauerbraten', 'sauerbratens', 'sauerkraut', 'sauerkrauts', + 'sauger', + 'saugers', + 'saugh', + 'saughs', + 'saughy', + 'saul', + 'sauls', + 'sault', + 'saults', + 'sauna', + 'saunas', + 'saunter', + 'sauntered', + 'saunterer', 'saunterers', 'sauntering', + 'saunters', + 'saurel', + 'saurels', + 'saurian', + 'saurians', + 'sauries', 'saurischian', 'saurischians', + 'sauropod', + 'sauropods', + 'saury', + 'sausage', + 'sausages', + 'saute', + 'sauted', + 'sauteed', + 'sauteing', + 'sauterne', + 'sauternes', + 'sautes', + 'sautoir', + 'sautoire', + 'sautoires', + 'sautoirs', + 'savable', + 'savage', + 'savaged', + 'savagely', 'savageness', 'savagenesses', + 'savager', 'savageries', + 'savagery', + 'savages', + 'savagest', + 'savaging', + 'savagism', + 'savagisms', + 'savanna', + 'savannah', + 'savannahs', + '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', + 'savoriest', + 'savorily', 'savoriness', 'savorinesses', + 'savoring', + 'savorless', + 'savorous', + 'savors', + 'savory', + 'savour', + 'savoured', + 'savourer', + 'savourers', + 'savourier', + 'savouries', 'savouriest', + 'savouring', + 'savours', + 'savoury', + 'savoy', + 'savoys', + 'savvied', + 'savvier', + 'savvies', + 'savviest', + 'savvy', + 'savvying', + 'saw', + 'sawbill', + 'sawbills', + 'sawbones', 'sawboneses', + 'sawbuck', + 'sawbucks', + 'sawdust', + 'sawdusts', + 'sawed', + 'sawer', + 'sawers', + 'sawfish', + 'sawfishes', + 'sawflies', + 'sawfly', + 'sawhorse', + 'sawhorses', + 'sawing', + 'sawlike', + 'sawlog', + 'sawlogs', + 'sawmill', + 'sawmills', + 'sawn', + 'sawney', + 'sawneys', + 'saws', + 'sawteeth', + 'sawtimber', 'sawtimbers', + 'sawtooth', + 'sawyer', + 'sawyers', + 'sax', + 'saxatile', + 'saxes', + 'saxhorn', + 'saxhorns', 'saxicolous', + 'saxifrage', 'saxifrages', + 'saxitoxin', 'saxitoxins', + 'saxonies', + 'saxony', + 'saxophone', 'saxophones', 'saxophonic', 'saxophonist', 'saxophonists', + 'saxtuba', + 'saxtubas', + 'say', + 'sayable', + 'sayer', + 'sayers', + 'sayest', + 'sayid', + 'sayids', + 'saying', + 'sayings', + 'sayonara', + 'sayonaras', + 'says', + 'sayst', + 'sayyid', + 'sayyids', + 'scab', + 'scabbard', 'scabbarded', 'scabbarding', + 'scabbards', + 'scabbed', + 'scabbier', + 'scabbiest', + 'scabbily', + 'scabbing', + 'scabble', + 'scabbled', + 'scabbles', + 'scabbling', + 'scabby', + 'scabies', + 'scabietic', + 'scabiosa', + 'scabiosas', + 'scabious', 'scabiouses', + 'scabland', + 'scablands', + 'scablike', + 'scabrous', 'scabrously', 'scabrousness', 'scabrousnesses', + 'scabs', + 'scad', + 'scads', + 'scaffold', 'scaffolded', 'scaffolding', 'scaffoldings', + 'scaffolds', + 'scag', + 'scagliola', 'scagliolas', + 'scags', + 'scalable', + 'scalably', + 'scalade', + 'scalades', + 'scalado', + 'scalados', + 'scalage', + 'scalages', + 'scalar', + 'scalare', + 'scalares', 'scalariform', 'scalariformly', + 'scalars', + 'scalawag', + 'scalawags', + 'scald', + 'scalded', + 'scaldic', + 'scalding', + 'scalds', + 'scale', + 'scaled', + 'scaleless', + 'scalelike', + 'scalene', + 'scaleni', + 'scalenus', + 'scalepan', + 'scalepans', + 'scaler', + 'scalers', + 'scales', + 'scaleup', + 'scaleups', + 'scalier', + 'scaliest', + 'scaliness', 'scalinesses', + 'scaling', + 'scall', + 'scallion', + 'scallions', + 'scallop', + 'scalloped', + 'scalloper', 'scallopers', 'scalloping', 'scallopini', 'scallopinis', + 'scallops', + 'scalls', + 'scallywag', 'scallywags', + 'scalogram', 'scalograms', 'scaloppine', 'scaloppines', + 'scalp', + 'scalped', + 'scalpel', + 'scalpels', + 'scalper', + 'scalpers', + 'scalping', + 'scalps', + 'scaly', + 'scam', + 'scammed', + 'scamming', 'scammonies', + 'scammony', + 'scamp', + 'scamped', + 'scamper', + 'scampered', 'scampering', + 'scampers', + 'scampi', + 'scampies', + 'scamping', + 'scampish', + 'scamps', + 'scams', + 'scan', + 'scandal', + 'scandaled', 'scandaling', 'scandalise', 'scandalised', @@ -54109,10 +134099,43 @@ export const scrabble_array = [ 'scandalously', 'scandalousness', 'scandalousnesses', + 'scandals', + 'scandent', + 'scandia', + 'scandias', + 'scandic', + 'scandium', + 'scandiums', + 'scannable', + 'scanned', + 'scanner', + 'scanners', + 'scanning', + 'scannings', + 'scans', + 'scansion', + 'scansions', + 'scant', + 'scanted', + 'scanter', + 'scantest', + 'scantier', + 'scanties', + 'scantiest', + 'scantily', 'scantiness', 'scantinesses', + 'scanting', + 'scantling', 'scantlings', + 'scantly', + 'scantness', 'scantnesses', + 'scants', + 'scanty', + 'scape', + 'scaped', + 'scapegoat', 'scapegoated', 'scapegoating', 'scapegoatings', @@ -54121,38 +134144,123 @@ export const scrabble_array = [ 'scapegoats', 'scapegrace', 'scapegraces', + 'scapes', + 'scaphoid', + 'scaphoids', + 'scaping', + 'scapolite', 'scapolites', + 'scapose', + 'scapula', + 'scapulae', + 'scapular', + 'scapulars', + 'scapulas', + 'scar', + 'scarab', + 'scarabaei', 'scarabaeus', 'scarabaeuses', + 'scarabs', 'scaramouch', 'scaramouche', 'scaramouches', + 'scarce', + 'scarcely', 'scarceness', 'scarcenesses', + 'scarcer', + 'scarcest', 'scarcities', + 'scarcity', + 'scare', + 'scarecrow', 'scarecrows', + 'scared', + 'scarehead', 'scareheads', 'scaremonger', 'scaremongers', + 'scarer', + 'scarers', + 'scares', + 'scarey', + 'scarf', + 'scarfed', + 'scarfing', + 'scarfpin', + 'scarfpins', + 'scarfs', + 'scarfskin', 'scarfskins', + 'scarier', + 'scariest', 'scarification', 'scarifications', + 'scarified', + 'scarifier', 'scarifiers', + 'scarifies', + 'scarify', 'scarifying', 'scarifyingly', + 'scarily', + 'scaring', + 'scariose', + 'scarious', 'scarlatina', 'scarlatinal', 'scarlatinas', + 'scarless', + 'scarlet', + 'scarlets', + 'scarp', + 'scarped', + 'scarper', + 'scarpered', 'scarpering', + 'scarpers', + 'scarph', + 'scarphed', + 'scarphing', + 'scarphs', + 'scarping', + 'scarps', + 'scarred', + 'scarrier', + 'scarriest', + 'scarring', + 'scarry', + 'scars', + 'scart', + 'scarted', + 'scarting', + 'scarts', + 'scarves', + 'scary', + 'scat', + 'scatback', + 'scatbacks', + 'scathe', + 'scathed', 'scatheless', + 'scathes', + 'scathing', 'scathingly', 'scatological', 'scatologies', + 'scatology', + 'scats', + 'scatt', + 'scatted', + 'scatter', 'scatteration', 'scatterations', 'scatterbrain', 'scatterbrained', 'scatterbrains', + 'scattered', + 'scatterer', 'scatterers', 'scattergood', 'scattergoods', @@ -54163,26 +134271,86 @@ export const scrabble_array = [ 'scattering', 'scatteringly', 'scatterings', + 'scatters', 'scattershot', + 'scattier', + 'scattiest', + 'scatting', + 'scatts', + 'scatty', + 'scaup', + 'scauper', + 'scaupers', + 'scaups', + 'scaur', + 'scaurs', + 'scavenge', + 'scavenged', + 'scavenger', 'scavengers', + 'scavenges', 'scavenging', + 'scena', + 'scenario', + 'scenarios', + 'scenarist', 'scenarists', + 'scenas', + 'scend', + 'scended', + 'scending', + 'scends', + 'scene', + 'sceneries', + 'scenery', + 'scenes', 'sceneshifter', 'sceneshifters', + 'scenic', + 'scenical', 'scenically', 'scenographer', 'scenographers', 'scenographic', 'scenographies', 'scenography', + 'scent', + 'scented', + 'scenting', + 'scentless', + 'scents', + 'scepter', + 'sceptered', 'sceptering', + 'scepters', + 'sceptic', + 'sceptical', 'scepticism', 'scepticisms', + 'sceptics', + 'sceptral', + 'sceptre', + 'sceptred', + 'sceptres', + 'sceptring', 'schadenfreude', 'schadenfreudes', + 'schappe', + 'schappes', + 'schav', + 'schavs', + 'schedule', + 'scheduled', + 'scheduler', 'schedulers', + 'schedules', 'scheduling', + 'scheelite', 'scheelites', + 'schema', + 'schemas', + 'schemata', + 'schematic', 'schematically', 'schematics', 'schematism', @@ -54193,11 +134361,24 @@ export const scrabble_array = [ 'schematized', 'schematizes', 'schematizing', + 'scheme', + 'schemed', + 'schemer', + 'schemers', + 'schemes', + 'scheming', 'scherzando', 'scherzandos', + 'scherzi', + 'scherzo', + 'scherzos', + 'schiller', + 'schillers', + 'schilling', 'schillings', 'schipperke', 'schipperkes', + 'schism', 'schismatic', 'schismatical', 'schismatically', @@ -54206,6 +134387,9 @@ export const scrabble_array = [ 'schismatized', 'schismatizes', 'schismatizing', + 'schisms', + 'schist', + 'schistose', 'schistosities', 'schistosity', 'schistosomal', @@ -54213,12 +134397,20 @@ export const scrabble_array = [ 'schistosomes', 'schistosomiases', 'schistosomiasis', + 'schists', + 'schizier', + 'schiziest', + 'schizo', 'schizocarp', 'schizocarps', 'schizogonic', 'schizogonies', 'schizogonous', 'schizogony', + 'schizoid', + 'schizoids', + 'schizont', + 'schizonts', 'schizophrene', 'schizophrenes', 'schizophrenia', @@ -54226,27 +134418,88 @@ export const scrabble_array = [ 'schizophrenic', 'schizophrenically', 'schizophrenics', + 'schizos', + 'schizy', + 'schizzier', 'schizziest', + 'schizzy', + 'schlemiel', 'schlemiels', + 'schlep', + 'schlepp', + 'schlepped', 'schlepping', + 'schlepps', + 'schleps', + 'schliere', + 'schlieren', + 'schlieric', + 'schlock', 'schlockmeister', 'schlockmeisters', + 'schlocks', + 'schlocky', + 'schlump', + 'schlumped', 'schlumping', + 'schlumps', + 'schmaltz', 'schmaltzes', 'schmaltzier', 'schmaltziest', + 'schmaltzy', + 'schmalz', + 'schmalzes', 'schmalzier', 'schmalziest', + 'schmalzy', + 'schmear', + 'schmears', + 'schmeer', + 'schmeered', 'schmeering', + 'schmeers', + 'schmelze', + 'schmelzes', + 'schmo', + 'schmoe', + 'schmoes', + 'schmoos', + 'schmoose', + 'schmoosed', + 'schmooses', 'schmoosing', + 'schmooze', + 'schmoozed', + 'schmoozes', 'schmoozing', + 'schmos', + 'schmuck', + 'schmucks', + 'schnapps', + 'schnaps', + 'schnauzer', 'schnauzers', + 'schnecke', + 'schnecken', + 'schnitzel', 'schnitzels', + 'schnook', + 'schnooks', + 'schnorkel', 'schnorkeled', 'schnorkeling', 'schnorkels', + 'schnorrer', 'schnorrers', + 'schnoz', + 'schnozz', + 'schnozzes', + 'schnozzle', 'schnozzles', + 'scholar', + 'scholarly', + 'scholars', 'scholarship', 'scholarships', 'scholastic', @@ -54256,23 +134509,34 @@ export const scrabble_array = [ 'scholasticism', 'scholasticisms', 'scholastics', + 'scholia', + 'scholiast', 'scholiastic', 'scholiasts', + 'scholium', + 'scholiums', + 'school', + 'schoolbag', 'schoolbags', 'schoolbook', 'schoolbooks', + 'schoolboy', 'schoolboyish', 'schoolboys', 'schoolchild', 'schoolchildren', + 'schooled', 'schoolfellow', 'schoolfellows', 'schoolgirl', 'schoolgirls', 'schoolhouse', 'schoolhouses', + 'schooling', 'schoolings', + 'schoolkid', 'schoolkids', + 'schoolman', 'schoolmarm', 'schoolmarmish', 'schoolmarms', @@ -54282,32 +134546,82 @@ export const scrabble_array = [ 'schoolmasters', 'schoolmate', 'schoolmates', + 'schoolmen', 'schoolmistress', 'schoolmistresses', 'schoolroom', 'schoolrooms', + 'schools', 'schoolteacher', 'schoolteachers', 'schooltime', 'schooltimes', 'schoolwork', 'schoolworks', + 'schooner', + 'schooners', + 'schorl', + 'schorls', 'schottische', 'schottisches', + 'schrik', + 'schriks', + 'schrod', + 'schrods', + 'schtick', + 'schticks', + 'schtik', + 'schtiks', + 'schuit', + 'schuits', + 'schul', + 'schuln', + 'schuss', 'schussboomer', 'schussboomers', + 'schussed', + 'schusser', + 'schussers', + 'schusses', + 'schussing', + 'schwa', 'schwarmerei', 'schwarmereis', + 'schwas', + 'sciaenid', + 'sciaenids', + 'sciatic', + 'sciatica', + 'sciaticas', + 'sciatics', + 'science', + 'sciences', + 'sciential', 'scientific', 'scientifically', + 'scientism', 'scientisms', + 'scientist', 'scientists', + 'scientize', 'scientized', 'scientizes', 'scientizing', + 'scilicet', + 'scilla', + 'scillas', + 'scimetar', + 'scimetars', + 'scimitar', + 'scimitars', + 'scimiter', + 'scimiters', + 'scincoid', + 'scincoids', 'scintigraphic', 'scintigraphies', 'scintigraphy', + 'scintilla', 'scintillae', 'scintillant', 'scintillantly', @@ -54322,165 +134636,575 @@ export const scrabble_array = [ 'scintillators', 'scintillometer', 'scintillometers', + 'sciolism', + 'sciolisms', + 'sciolist', 'sciolistic', + 'sciolists', + 'scion', + 'scions', + 'scirocco', + 'sciroccos', + 'scirrhi', + 'scirrhous', + 'scirrhus', 'scirrhuses', + 'scissile', + 'scission', + 'scissions', + 'scissor', + 'scissored', 'scissoring', + 'scissors', 'scissortail', 'scissortails', + 'scissure', + 'scissures', + 'sciurid', + 'sciurids', + 'sciurine', + 'sciurines', + 'sciuroid', + 'sclaff', + 'sclaffed', + 'sclaffer', + 'sclaffers', + 'sclaffing', + 'sclaffs', + 'sclera', + 'sclerae', + 'scleral', + 'scleras', + 'sclereid', + 'sclereids', 'sclerenchyma', 'sclerenchymas', 'sclerenchymata', 'sclerenchymatous', + 'sclerite', + 'sclerites', 'scleroderma', 'sclerodermas', 'sclerodermata', + 'scleroid', + 'scleroma', 'scleromata', 'sclerometer', 'sclerometers', 'scleroprotein', 'scleroproteins', + 'sclerose', + 'sclerosed', + 'scleroses', 'sclerosing', + 'sclerosis', + 'sclerotia', 'sclerotial', + 'sclerotic', 'sclerotics', + 'sclerotin', 'sclerotins', 'sclerotium', 'sclerotization', 'sclerotizations', 'sclerotized', + 'sclerous', + 'scoff', + 'scoffed', + 'scoffer', + 'scoffers', + 'scoffing', + 'scofflaw', + 'scofflaws', + 'scoffs', + 'scold', + 'scolded', + 'scolder', + 'scolders', + 'scolding', + 'scoldings', + 'scolds', + 'scoleces', + 'scolecite', 'scolecites', + 'scolex', + 'scolices', + 'scolioma', + 'scoliomas', + 'scolioses', + 'scoliosis', + 'scoliotic', + 'scollop', + 'scolloped', 'scolloping', + 'scollops', 'scolopendra', 'scolopendras', + 'scombroid', 'scombroids', + 'sconce', + 'sconced', + 'sconces', + 'sconcing', + 'scone', + 'scones', + 'scoop', + 'scooped', + 'scooper', + 'scoopers', + 'scoopful', + 'scoopfuls', + 'scooping', + 'scoops', + 'scoopsful', + 'scoot', + 'scooted', + 'scooter', + 'scooters', + 'scooting', + 'scoots', + 'scop', + 'scope', + 'scoped', + 'scopes', + 'scoping', 'scopolamine', 'scopolamines', + 'scops', + 'scopula', + 'scopulae', + 'scopulas', + 'scorbutic', + 'scorch', + 'scorched', + 'scorcher', + 'scorchers', + 'scorches', + 'scorching', 'scorchingly', + 'score', 'scoreboard', 'scoreboards', + 'scorecard', 'scorecards', + 'scored', 'scorekeeper', 'scorekeepers', + 'scoreless', + 'scorepad', + 'scorepads', + 'scorer', + 'scorers', + 'scores', + 'scoria', 'scoriaceous', + 'scoriae', + 'scorified', + 'scorifies', + 'scorify', 'scorifying', + 'scoring', + 'scorn', + 'scorned', + 'scorner', + 'scorners', + 'scornful', 'scornfully', 'scornfulness', 'scornfulnesses', + 'scorning', + 'scorns', 'scorpaenid', 'scorpaenids', + 'scorpion', + 'scorpions', + 'scot', + 'scotch', + 'scotched', + 'scotches', + 'scotching', + 'scoter', + 'scoters', + 'scotia', + 'scotias', + 'scotoma', + 'scotomas', + 'scotomata', + 'scotopia', + 'scotopias', + 'scotopic', + 'scots', + 'scottie', + 'scotties', + 'scoundrel', 'scoundrelly', 'scoundrels', + 'scour', + 'scoured', + 'scourer', + 'scourers', + 'scourge', + 'scourged', + 'scourger', + 'scourgers', + 'scourges', + 'scourging', + 'scouring', + 'scourings', + 'scours', + 'scouse', + 'scouses', + 'scout', 'scoutcraft', 'scoutcrafts', + 'scouted', + 'scouter', + 'scouters', + 'scouth', + 'scouther', 'scouthered', 'scouthering', + 'scouthers', + 'scouths', + 'scouting', + 'scoutings', 'scoutmaster', 'scoutmasters', + 'scouts', + 'scow', + 'scowder', + 'scowdered', 'scowdering', + 'scowders', + 'scowed', + 'scowing', + 'scowl', + 'scowled', + 'scowler', + 'scowlers', + 'scowling', 'scowlingly', + 'scowls', + 'scows', + 'scrabble', + 'scrabbled', + 'scrabbler', 'scrabblers', + 'scrabbles', 'scrabblier', 'scrabbliest', 'scrabbling', + 'scrabbly', + 'scrag', + 'scragged', + 'scraggier', 'scraggiest', + 'scragging', 'scragglier', 'scraggliest', + 'scraggly', + 'scraggy', + 'scrags', + 'scraich', + 'scraiched', 'scraiching', + 'scraichs', + 'scraigh', + 'scraighed', 'scraighing', + 'scraighs', + 'scram', + 'scramble', + 'scrambled', + 'scrambler', 'scramblers', + 'scrambles', 'scrambling', + 'scramjet', + 'scramjets', + 'scrammed', + 'scramming', + 'scrams', + 'scrannel', + 'scrannels', + 'scrap', + 'scrapbook', 'scrapbooks', + 'scrape', + 'scraped', + 'scraper', + 'scrapers', + 'scrapes', + 'scrapheap', 'scrapheaps', + 'scrapie', + 'scrapies', + 'scraping', + 'scrapings', + 'scrappage', 'scrappages', + 'scrapped', + 'scrapper', + 'scrappers', + 'scrappier', 'scrappiest', + 'scrappily', 'scrappiness', 'scrappinesses', + 'scrapping', + 'scrapple', + 'scrapples', + 'scrappy', + 'scraps', + 'scratch', 'scratchboard', 'scratchboards', + 'scratched', + 'scratcher', 'scratchers', + 'scratches', 'scratchier', 'scratchiest', 'scratchily', 'scratchiness', 'scratchinesses', 'scratching', + 'scratchy', + 'scrawl', + 'scrawled', + 'scrawler', + 'scrawlers', + 'scrawlier', 'scrawliest', + 'scrawling', + 'scrawls', + 'scrawly', + 'scrawnier', 'scrawniest', 'scrawniness', 'scrawninesses', + 'scrawny', + 'screak', + 'screaked', + 'screaking', + 'screaks', + 'screaky', + 'scream', + 'screamed', + 'screamer', + 'screamers', + 'screaming', 'screamingly', + 'screams', + 'scree', + 'screech', + 'screeched', + 'screecher', 'screechers', + 'screeches', 'screechier', 'screechiest', 'screeching', + 'screechy', + 'screed', + 'screeded', + 'screeding', + 'screeds', + 'screen', 'screenable', + 'screened', + 'screener', + 'screeners', + 'screening', 'screenings', 'screenland', 'screenlands', 'screenplay', 'screenplays', + 'screens', 'screenwriter', 'screenwriters', + 'screes', + 'screw', + 'screwball', 'screwballs', + 'screwbean', 'screwbeans', 'screwdriver', 'screwdrivers', + 'screwed', + 'screwer', + 'screwers', + 'screwier', + 'screwiest', 'screwiness', 'screwinesses', + 'screwing', + 'screwlike', + 'screws', + 'screwup', + 'screwups', + 'screwworm', 'screwworms', + 'screwy', + 'scribal', + 'scribble', + 'scribbled', + 'scribbler', 'scribblers', + 'scribbles', 'scribbling', 'scribblings', + 'scribe', + 'scribed', + 'scriber', + 'scribers', + 'scribes', + 'scribing', + 'scried', + 'scries', + 'scrieve', + 'scrieved', + 'scrieves', + 'scrieving', + 'scrim', + 'scrimmage', 'scrimmaged', 'scrimmager', 'scrimmagers', 'scrimmages', 'scrimmaging', + 'scrimp', + 'scrimped', + 'scrimper', + 'scrimpers', + 'scrimpier', 'scrimpiest', + 'scrimping', + 'scrimpit', + 'scrimps', + 'scrimpy', + 'scrims', 'scrimshander', 'scrimshanders', + 'scrimshaw', 'scrimshawed', 'scrimshawing', 'scrimshaws', + 'scrip', + 'scrips', + 'script', + 'scripted', + 'scripter', + 'scripters', + 'scripting', 'scriptoria', 'scriptorium', + 'scripts', 'scriptural', 'scripturally', + 'scripture', 'scriptures', 'scriptwriter', 'scriptwriters', + 'scrive', + 'scrived', + 'scrivener', 'scriveners', + 'scrives', + 'scriving', + 'scrod', + 'scrods', + 'scrofula', + 'scrofulas', 'scrofulous', + 'scroggier', 'scroggiest', + 'scroggy', + 'scroll', + 'scrolled', + 'scrolling', + 'scrolls', 'scrollwork', 'scrollworks', + 'scrooch', + 'scrooched', + 'scrooches', 'scrooching', + 'scrooge', + 'scrooges', + 'scroop', + 'scrooped', + 'scrooping', + 'scroops', + 'scrootch', 'scrootched', 'scrootches', 'scrootching', + 'scrota', + 'scrotal', + 'scrotum', + 'scrotums', + 'scrouge', + 'scrouged', + 'scrouges', + 'scrouging', + 'scrounge', + 'scrounged', + 'scrounger', 'scroungers', + 'scrounges', 'scroungier', 'scroungiest', 'scrounging', + 'scroungy', + 'scrub', 'scrubbable', + 'scrubbed', + 'scrubber', + 'scrubbers', + 'scrubbier', 'scrubbiest', + 'scrubbing', + 'scrubby', + 'scrubland', 'scrublands', + 'scrubs', 'scrubwoman', 'scrubwomen', + 'scruff', + 'scruffier', 'scruffiest', + 'scruffily', 'scruffiness', 'scruffinesses', + 'scruffs', + 'scruffy', + 'scrum', + 'scrummage', 'scrummaged', 'scrummages', 'scrummaging', + 'scrummed', + 'scrumming', 'scrumptious', 'scrumptiously', + 'scrums', + 'scrunch', + 'scrunched', + 'scrunches', 'scrunching', + 'scruple', + 'scrupled', + 'scruples', + 'scrupling', 'scrupulosities', 'scrupulosity', 'scrupulous', 'scrupulously', 'scrupulousness', 'scrupulousnesses', + 'scrutable', 'scrutineer', 'scrutineers', 'scrutinies', @@ -54494,106 +135218,452 @@ export const scrabble_array = [ 'scrutinizers', 'scrutinizes', 'scrutinizing', + 'scrutiny', + 'scry', + 'scrying', + 'scuba', + 'scubas', + 'scud', + 'scudded', + 'scudding', + 'scudi', + 'scudo', + 'scuds', + 'scuff', + 'scuffed', + 'scuffing', + 'scuffle', + 'scuffled', + 'scuffler', + 'scufflers', + 'scuffles', + 'scuffling', + 'scuffs', + 'sculk', + 'sculked', + 'sculker', + 'sculkers', + 'sculking', + 'sculks', + 'scull', + 'sculled', + 'sculler', 'sculleries', + 'scullers', + 'scullery', + 'sculling', + 'scullion', + 'scullions', + 'sculls', + 'sculp', + 'sculped', + 'sculpin', + 'sculping', + 'sculpins', + 'sculps', + 'sculpt', + 'sculpted', + 'sculpting', + 'sculptor', + 'sculptors', 'sculptress', 'sculptresses', + 'sculpts', 'sculptural', 'sculpturally', + 'sculpture', 'sculptured', 'sculptures', 'sculpturesque', 'sculpturesquely', 'sculpturing', + 'scum', + 'scumbag', + 'scumbags', + 'scumble', + 'scumbled', + 'scumbles', + 'scumbling', + 'scumlike', + 'scummed', + 'scummer', + 'scummers', + 'scummier', + 'scummiest', + 'scumming', + 'scummy', + 'scums', + 'scungilli', 'scungillis', + 'scunner', + 'scunnered', 'scunnering', + 'scunners', + 'scup', + 'scuppaug', + 'scuppaugs', + 'scupper', + 'scuppered', 'scuppering', 'scuppernong', 'scuppernongs', + 'scuppers', + 'scups', + 'scurf', + 'scurfier', + 'scurfiest', + 'scurfs', + 'scurfy', + 'scurried', + 'scurries', + 'scurril', + 'scurrile', 'scurrilities', 'scurrility', 'scurrilous', 'scurrilously', 'scurrilousness', 'scurrilousnesses', + 'scurry', + 'scurrying', + 'scurvier', + 'scurvies', + 'scurviest', + 'scurvily', 'scurviness', 'scurvinesses', + 'scurvy', + 'scut', + 'scuta', + 'scutage', + 'scutages', + 'scutate', + 'scutch', + 'scutched', + 'scutcheon', 'scutcheons', + 'scutcher', + 'scutchers', + 'scutches', + 'scutching', + 'scute', + 'scutella', + 'scutellar', 'scutellate', 'scutellated', + 'scutellum', + 'scutes', + 'scuts', + 'scutter', + 'scuttered', 'scuttering', + 'scutters', + 'scuttle', 'scuttlebutt', 'scuttlebutts', + 'scuttled', + 'scuttles', + 'scuttling', + 'scutum', + 'scuzzier', + 'scuzziest', + 'scuzzy', + 'scyphate', + 'scyphi', 'scyphistoma', 'scyphistomae', 'scyphistomas', 'scyphozoan', 'scyphozoans', + 'scyphus', + 'scythe', + 'scythed', + 'scythes', + 'scything', + 'sea', + 'seabag', + 'seabags', + 'seabeach', 'seabeaches', + 'seabed', + 'seabeds', + 'seabird', + 'seabirds', + 'seaboard', + 'seaboards', + 'seaboot', + 'seaboots', 'seaborgium', 'seaborgiums', + 'seaborne', + 'seacoast', + 'seacoasts', + 'seacock', + 'seacocks', + 'seacraft', + 'seacrafts', + 'seadog', + 'seadogs', + 'seadrome', + 'seadromes', + 'seafarer', + 'seafarers', + 'seafaring', 'seafarings', + 'seafloor', + 'seafloors', + 'seafood', + 'seafoods', + 'seafowl', + 'seafowls', + 'seafront', + 'seafronts', + 'seagirt', + 'seagoing', + 'seagull', + 'seagulls', + 'seal', + 'sealable', + 'sealant', + 'sealants', + 'sealed', + 'sealer', + 'sealeries', + 'sealers', + 'sealery', + 'sealing', + 'seallike', + 'seals', + 'sealskin', + 'sealskins', + 'seam', + 'seaman', 'seamanlike', + 'seamanly', 'seamanship', 'seamanships', + 'seamark', + 'seamarks', + 'seamed', + 'seamen', + 'seamer', + 'seamers', + 'seamier', + 'seamiest', + 'seaminess', 'seaminesses', + 'seaming', + 'seamless', 'seamlessly', 'seamlessness', 'seamlessnesses', + 'seamlike', + 'seamount', + 'seamounts', + 'seams', + 'seamster', + 'seamsters', 'seamstress', 'seamstresses', + 'seamy', + 'seance', + 'seances', + 'seapiece', + 'seapieces', + 'seaplane', + 'seaplanes', + 'seaport', + 'seaports', + 'seaquake', + 'seaquakes', + 'sear', + 'search', 'searchable', + 'searched', + 'searcher', + 'searchers', + 'searches', + 'searching', 'searchingly', 'searchless', 'searchlight', 'searchlights', + 'seared', + 'searer', + 'searest', + 'searing', + 'searingly', + 'searobin', + 'searobins', + 'sears', + 'seas', + 'seascape', + 'seascapes', + 'seascout', + 'seascouts', + 'seashell', + 'seashells', + 'seashore', + 'seashores', + 'seasick', 'seasickness', 'seasicknesses', + 'seaside', + 'seasides', + 'season', 'seasonable', 'seasonableness', 'seasonablenesses', 'seasonably', + 'seasonal', 'seasonalities', 'seasonality', 'seasonally', + 'seasoned', + 'seasoner', + 'seasoners', + 'seasoning', 'seasonings', 'seasonless', + 'seasons', + 'seastrand', 'seastrands', + 'seat', + 'seated', + 'seater', + 'seaters', + 'seating', + 'seatings', + 'seatless', + 'seatmate', + 'seatmates', + 'seatrain', + 'seatrains', + 'seats', + 'seatwork', + 'seatworks', + 'seawall', + 'seawalls', + 'seawan', + 'seawans', + 'seawant', + 'seawants', + 'seaward', + 'seawards', + 'seaware', + 'seawares', + 'seawater', + 'seawaters', + 'seaway', + 'seaways', + 'seaweed', + 'seaweeds', 'seaworthiness', 'seaworthinesses', + 'seaworthy', + 'sebaceous', + 'sebacic', + 'sebasic', + 'seborrhea', 'seborrheas', 'seborrheic', + 'sebum', + 'sebums', + 'sec', + 'secalose', + 'secaloses', + 'secant', + 'secantly', + 'secants', + 'secateur', + 'secateurs', + 'secco', + 'seccos', + 'secede', + 'seceded', + 'seceder', + 'seceders', + 'secedes', + 'seceding', + 'secern', + 'secerned', + 'secerning', + 'secerns', + 'secession', 'secessionism', 'secessionisms', 'secessionist', 'secessionists', 'secessions', + 'seclude', + 'secluded', 'secludedly', 'secludedness', 'secludednesses', + 'secludes', + 'secluding', + 'seclusion', 'seclusions', + 'seclusive', 'seclusively', 'seclusiveness', 'seclusivenesses', 'secobarbital', 'secobarbitals', + 'second', 'secondaries', 'secondarily', 'secondariness', 'secondarinesses', + 'secondary', + 'seconde', + 'seconded', + 'seconder', + 'seconders', + 'secondes', 'secondhand', + 'secondi', + 'seconding', + 'secondly', + 'secondo', + 'seconds', + 'secpar', + 'secpars', + 'secrecies', + 'secrecy', + 'secret', 'secretagogue', 'secretagogues', 'secretarial', 'secretariat', 'secretariats', 'secretaries', + 'secretary', 'secretaryship', 'secretaryships', + 'secrete', + 'secreted', + 'secreter', + 'secretes', + 'secretest', + 'secretin', + 'secreting', + 'secretins', + 'secretion', 'secretionary', 'secretions', + 'secretive', 'secretively', 'secretiveness', 'secretivenesses', + 'secretly', + 'secretor', + 'secretors', + 'secretory', + 'secrets', + 'secs', + 'sect', + 'sectarian', 'sectarianism', 'sectarianisms', 'sectarianize', @@ -54601,12 +135671,28 @@ export const scrabble_array = [ 'sectarianizes', 'sectarianizing', 'sectarians', + 'sectaries', + 'sectary', + 'sectile', 'sectilities', + 'sectility', + 'section', + 'sectional', 'sectionalism', 'sectionalisms', 'sectionally', 'sectionals', + 'sectioned', 'sectioning', + 'sections', + 'sector', + 'sectoral', + 'sectored', + 'sectorial', + 'sectoring', + 'sectors', + 'sects', + 'secular', 'secularise', 'secularised', 'secularises', @@ -54626,10 +135712,23 @@ export const scrabble_array = [ 'secularizers', 'secularizes', 'secularizing', + 'secularly', + 'seculars', + 'secund', + 'secundly', + 'secundum', + 'secure', + 'secured', + 'securely', 'securement', 'securements', 'secureness', 'securenesses', + 'securer', + 'securers', + 'secures', + 'securest', + 'securing', 'securities', 'securitization', 'securitizations', @@ -54637,8 +135736,37 @@ export const scrabble_array = [ 'securitized', 'securitizes', 'securitizing', + 'security', + 'sedan', + 'sedans', + 'sedarim', + 'sedate', + 'sedated', + 'sedately', 'sedateness', 'sedatenesses', + 'sedater', + 'sedates', + 'sedatest', + 'sedating', + 'sedation', + 'sedations', + 'sedative', + 'sedatives', + 'sedentary', + 'seder', + 'seders', + 'sederunt', + 'sederunts', + 'sedge', + 'sedges', + 'sedgier', + 'sedgiest', + 'sedgy', + 'sedile', + 'sedilia', + 'sedilium', + 'sediment', 'sedimentable', 'sedimentary', 'sedimentation', @@ -54652,34 +135780,145 @@ export const scrabble_array = [ 'sedimentologist', 'sedimentologists', 'sedimentology', + 'sediments', + 'sedition', + 'seditions', + 'seditious', 'seditiously', 'seditiousness', 'seditiousnesses', + 'seduce', + 'seduced', 'seducement', 'seducements', + 'seducer', + 'seducers', + 'seduces', + 'seducing', + 'seducive', + 'seduction', 'seductions', + 'seductive', 'seductively', 'seductiveness', 'seductivenesses', 'seductress', 'seductresses', 'sedulities', + 'sedulity', + 'sedulous', 'sedulously', 'sedulousness', 'sedulousnesses', + 'sedum', + 'sedums', + 'see', + 'seeable', + 'seecatch', 'seecatchie', + 'seed', + 'seedbed', + 'seedbeds', + 'seedcake', + 'seedcakes', + 'seedcase', + 'seedcases', + 'seedeater', 'seedeaters', + 'seeded', + 'seeder', + 'seeders', + 'seedier', + 'seediest', + 'seedily', + 'seediness', 'seedinesses', + 'seeding', + 'seedless', + 'seedlike', + 'seedling', + 'seedlings', + 'seedman', + 'seedmen', + 'seedpod', + 'seedpods', + 'seeds', + 'seedsman', + 'seedsmen', + 'seedtime', + 'seedtimes', + 'seedy', + 'seeing', + 'seeings', + 'seek', + 'seeker', + 'seekers', + 'seeking', + 'seeks', + 'seel', + 'seeled', + 'seeling', + 'seels', + 'seely', + 'seem', + 'seemed', + 'seemer', + 'seemers', + 'seeming', + 'seemingly', + 'seemings', + 'seemlier', + 'seemliest', 'seemliness', 'seemlinesses', + 'seemly', + 'seems', + 'seen', + 'seep', + 'seepage', + 'seepages', + 'seeped', + 'seepier', + 'seepiest', + 'seeping', + 'seeps', + 'seepy', + 'seer', + 'seeress', + 'seeresses', + 'seers', 'seersucker', 'seersuckers', + 'sees', + 'seesaw', + 'seesawed', + 'seesawing', + 'seesaws', + 'seethe', + 'seethed', + 'seethes', + 'seething', + 'seg', + 'segetal', + 'seggar', + 'seggars', + 'segment', + 'segmental', 'segmentally', 'segmentary', 'segmentation', 'segmentations', + 'segmented', 'segmenting', + 'segments', + 'segni', + 'segno', + 'segnos', + 'sego', + 'segos', + 'segregant', 'segregants', + 'segregate', 'segregated', 'segregates', 'segregating', @@ -54688,20 +135927,63 @@ export const scrabble_array = [ 'segregationists', 'segregations', 'segregative', + 'segs', + 'segue', + 'segued', + 'segueing', + 'segues', 'seguidilla', 'seguidillas', + 'sei', + 'seicento', + 'seicentos', + 'seiche', + 'seiches', + 'seidel', + 'seidels', + 'seif', + 'seifs', + 'seigneur', 'seigneurial', 'seigneuries', + 'seigneurs', + 'seigneury', + 'seignior', 'seigniorage', 'seigniorages', 'seigniories', + 'seigniors', + 'seigniory', 'seignorage', 'seignorages', 'seignorial', 'seignories', + 'seignory', + 'seine', + 'seined', + 'seiner', + 'seiners', + 'seines', + 'seining', + 'seis', + 'seisable', + 'seise', + 'seised', + 'seiser', + 'seisers', + 'seises', + 'seisin', + 'seising', + 'seisings', + 'seisins', + 'seism', + 'seismal', + 'seismic', 'seismically', 'seismicities', 'seismicity', + 'seismism', + 'seismisms', 'seismogram', 'seismograms', 'seismograph', @@ -54721,51 +136003,165 @@ export const scrabble_array = [ 'seismometric', 'seismometries', 'seismometry', + 'seisms', + 'seisor', + 'seisors', + 'seisure', + 'seisures', + 'seizable', + 'seize', + 'seized', + 'seizer', + 'seizers', + 'seizes', + 'seizin', + 'seizing', + 'seizings', + 'seizins', + 'seizor', + 'seizors', + 'seizure', + 'seizures', + 'sejant', + 'sejeant', + 'sel', + 'selachian', 'selachians', + 'seladang', + 'seladangs', 'selaginella', 'selaginellas', + 'selah', + 'selahs', + 'selamlik', + 'selamliks', + 'selcouth', + 'seldom', + 'seldomly', + 'select', 'selectable', + 'selected', + 'selectee', + 'selectees', + 'selecting', + 'selection', 'selectionist', 'selectionists', 'selections', + 'selective', 'selectively', 'selectiveness', 'selectivenesses', 'selectivities', 'selectivity', + 'selectly', + 'selectman', + 'selectmen', 'selectness', 'selectnesses', + 'selector', + 'selectors', + 'selects', + 'selenate', + 'selenates', + 'selenic', + 'selenide', + 'selenides', 'seleniferous', + 'selenite', + 'selenites', + 'selenium', + 'seleniums', 'selenocentric', 'selenological', 'selenologies', 'selenologist', 'selenologists', 'selenology', + 'selenous', + 'self', + 'selfdom', + 'selfdoms', + 'selfed', + 'selfheal', + 'selfheals', + 'selfhood', + 'selfhoods', + 'selfing', + 'selfish', + 'selfishly', 'selfishness', 'selfishnesses', + 'selfless', 'selflessly', 'selflessness', 'selflessnesses', + 'selfness', 'selfnesses', + 'selfs', + 'selfsame', 'selfsameness', 'selfsamenesses', + 'selfward', + 'sell', + 'sellable', + 'selle', + 'seller', + 'sellers', + 'selles', + 'selling', + 'sellout', + 'sellouts', + 'sells', + 'sels', + 'selsyn', + 'selsyns', + 'seltzer', + 'seltzers', + 'selva', + 'selvage', + 'selvaged', + 'selvages', + 'selvas', + 'selvedge', + 'selvedged', + 'selvedges', + 'selves', + 'semantic', 'semantical', 'semantically', 'semanticist', 'semanticists', + 'semantics', + 'semaphore', 'semaphored', 'semaphores', 'semaphoring', 'semasiological', 'semasiologies', 'semasiology', + 'sematic', + 'semblable', 'semblables', + 'semblably', + 'semblance', 'semblances', + 'seme', 'semeiologies', 'semeiology', + 'semeiotic', 'semeiotics', + 'sememe', + 'sememes', + 'sememic', + 'semen', + 'semens', + 'semes', + 'semester', + 'semesters', + 'semestral', 'semestrial', + 'semi', 'semiabstract', 'semiabstraction', 'semiabstractions', @@ -54773,6 +136169,7 @@ export const scrabble_array = [ 'semiannually', 'semiaquatic', 'semiarboreal', + 'semiarid', 'semiaridities', 'semiaridity', 'semiautobiographical', @@ -54780,6 +136177,8 @@ export const scrabble_array = [ 'semiautomatically', 'semiautomatics', 'semiautonomous', + 'semibald', + 'semibreve', 'semibreves', 'semicentennial', 'semicentennials', @@ -54790,12 +136189,15 @@ export const scrabble_array = [ 'semiclassic', 'semiclassical', 'semiclassics', + 'semicolon', 'semicolonial', 'semicolonialism', 'semicolonialisms', 'semicolonies', 'semicolons', 'semicolony', + 'semicoma', + 'semicomas', 'semicommercial', 'semiconducting', 'semiconductor', @@ -54809,8 +136211,10 @@ export const scrabble_array = [ 'semicylindrical', 'semidarkness', 'semidarknesses', + 'semideaf', 'semideified', 'semideifies', + 'semideify', 'semideifying', 'semidesert', 'semideserts', @@ -54821,27 +136225,43 @@ export const scrabble_array = [ 'semidivine', 'semidocumentaries', 'semidocumentary', + 'semidome', + 'semidomed', + 'semidomes', 'semidomesticated', 'semidomestication', 'semidomestications', 'semidominant', + 'semidry', 'semidrying', + 'semidwarf', 'semidwarfs', 'semidwarves', 'semiempirical', + 'semierect', 'semievergreen', 'semifeudal', + 'semifinal', 'semifinalist', 'semifinalists', 'semifinals', 'semifinished', + 'semifit', 'semifitted', 'semiflexible', + 'semifluid', 'semifluids', 'semiformal', + 'semigala', + 'semigloss', 'semigovernmental', + 'semigroup', 'semigroups', + 'semihard', + 'semihigh', + 'semihobo', 'semihoboes', + 'semihobos', 'semilegendary', 'semilethal', 'semilethals', @@ -54849,23 +136269,40 @@ export const scrabble_array = [ 'semiliquids', 'semiliterate', 'semiliterates', + 'semilog', 'semilogarithmic', + 'semilunar', 'semilustrous', + 'semimat', + 'semimatt', + 'semimatte', + 'semimetal', 'semimetallic', 'semimetals', + 'semimicro', + 'semimoist', 'semimonastic', 'semimonthlies', 'semimonthly', + 'semimute', 'semimystical', + 'semina', + 'seminal', + 'seminally', + 'seminar', 'seminarian', 'seminarians', 'seminaries', 'seminarist', 'seminarists', + 'seminars', + 'seminary', 'seminatural', 'seminiferous', + 'seminomad', 'seminomadic', 'seminomads', + 'seminude', 'seminudities', 'seminudity', 'semiofficial', @@ -54875,11 +136312,16 @@ export const scrabble_array = [ 'semiologies', 'semiologist', 'semiologists', + 'semiology', 'semiopaque', + 'semioses', + 'semiosis', + 'semiotic', 'semiotician', 'semioticians', 'semioticist', 'semioticists', + 'semiotics', 'semipalmated', 'semiparasite', 'semiparasites', @@ -54899,29 +136341,45 @@ export const scrabble_array = [ 'semipostals', 'semiprecious', 'semiprivate', + 'semipro', 'semiprofessional', 'semiprofessionally', 'semiprofessionals', + 'semipros', 'semipublic', 'semiquantitative', 'semiquantitatively', 'semiquaver', 'semiquavers', + 'semiraw', 'semireligious', 'semiretired', 'semiretirement', 'semiretirements', + 'semirigid', + 'semirural', + 'semis', 'semisacred', 'semisecret', 'semisedentary', + 'semises', 'semishrubby', 'semiskilled', + 'semisoft', + 'semisolid', 'semisolids', 'semisubmersible', 'semisubmersibles', + 'semisweet', 'semisynthetic', 'semiterrestrial', + 'semitist', + 'semitists', + 'semitonal', 'semitonally', + 'semitone', + 'semitones', + 'semitonic', 'semitonically', 'semitrailer', 'semitrailers', @@ -54930,30 +136388,108 @@ export const scrabble_array = [ 'semitropic', 'semitropical', 'semitropics', + 'semivowel', 'semivowels', 'semiweeklies', 'semiweekly', + 'semiwild', + 'semiworks', 'semiyearly', + 'semolina', + 'semolinas', 'sempervivum', 'sempervivums', 'sempiternal', 'sempiternally', 'sempiternities', 'sempiternity', + 'semple', + 'semplice', + 'sempre', 'sempstress', 'sempstresses', + 'sen', + 'senarii', + 'senarius', + 'senary', + 'senate', + 'senates', + 'senator', 'senatorial', 'senatorian', + 'senators', 'senatorship', 'senatorships', + 'send', + 'sendable', + 'sendal', + 'sendals', + 'sended', + 'sender', + 'senders', + 'sending', + 'sendoff', + 'sendoffs', + 'sends', + 'sendup', + 'sendups', + 'sene', + 'seneca', + 'senecas', + 'senecio', + 'senecios', 'senectitude', 'senectitudes', + 'senega', + 'senegas', 'senescence', 'senescences', + 'senescent', + 'seneschal', 'seneschals', + 'sengi', + 'senhor', + 'senhora', + 'senhoras', + 'senhores', + 'senhorita', 'senhoritas', + 'senhors', + 'senile', + 'senilely', + 'seniles', 'senilities', + 'senility', + 'senior', 'seniorities', + 'seniority', + 'seniors', + 'seniti', + 'senna', + 'sennas', + 'sennet', + 'sennets', + 'sennight', + 'sennights', + 'sennit', + 'sennits', + 'senopia', + 'senopias', + 'senor', + 'senora', + 'senoras', + 'senores', + 'senorita', + 'senoritas', + 'senors', + 'senryu', + 'sensa', + 'sensate', + 'sensated', + 'sensately', + 'sensates', + 'sensating', + 'sensation', 'sensational', 'sensationalise', 'sensationalised', @@ -54970,20 +136506,35 @@ export const scrabble_array = [ 'sensationalizing', 'sensationally', 'sensations', + 'sense', + 'sensed', + 'senseful', + 'senseless', 'senselessly', 'senselessness', 'senselessnesses', + 'senses', 'sensibilia', 'sensibilities', 'sensibility', + 'sensible', 'sensibleness', 'sensiblenesses', + 'sensibler', + 'sensibles', 'sensiblest', + 'sensibly', + 'sensilla', + 'sensillae', + 'sensillum', + 'sensing', 'sensitisation', 'sensitisations', + 'sensitise', 'sensitised', 'sensitises', 'sensitising', + 'sensitive', 'sensitively', 'sensitiveness', 'sensitivenesses', @@ -54992,6 +136543,7 @@ export const scrabble_array = [ 'sensitivity', 'sensitization', 'sensitizations', + 'sensitize', 'sensitized', 'sensitizer', 'sensitizers', @@ -55002,10 +136554,17 @@ export const scrabble_array = [ 'sensitometric', 'sensitometries', 'sensitometry', + 'sensor', + 'sensoria', + 'sensorial', 'sensorially', 'sensorimotor', 'sensorineural', + 'sensorium', 'sensoriums', + 'sensors', + 'sensory', + 'sensual', 'sensualism', 'sensualisms', 'sensualist', @@ -55019,20 +136578,34 @@ export const scrabble_array = [ 'sensualized', 'sensualizes', 'sensualizing', + 'sensually', + 'sensum', 'sensuosities', 'sensuosity', + 'sensuous', 'sensuously', 'sensuousness', 'sensuousnesses', + 'sent', + 'sente', + 'sentence', + 'sentenced', + 'sentences', 'sentencing', + 'sententia', 'sententiae', 'sentential', 'sententious', 'sententiously', 'sententiousness', 'sententiousnesses', + 'senti', + 'sentience', 'sentiences', + 'sentient', 'sentiently', + 'sentients', + 'sentiment', 'sentimental', 'sentimentalise', 'sentimentalised', @@ -55052,17 +136625,34 @@ export const scrabble_array = [ 'sentimentalizing', 'sentimentally', 'sentiments', + 'sentimo', + 'sentimos', + 'sentinel', 'sentineled', 'sentineling', 'sentinelled', 'sentinelling', + 'sentinels', + 'sentries', + 'sentry', + 'sepal', + 'sepaled', + 'sepaline', + 'sepalled', + 'sepaloid', + 'sepalous', + 'sepals', 'separabilities', 'separability', + 'separable', 'separableness', 'separablenesses', + 'separate', + 'separated', 'separately', 'separateness', 'separatenesses', + 'separates', 'separating', 'separation', 'separationist', @@ -55074,8 +136664,25 @@ export const scrabble_array = [ 'separatistic', 'separatists', 'separative', + 'separator', 'separators', + 'sepia', + 'sepias', + 'sepic', + 'sepiolite', 'sepiolites', + 'sepoy', + 'sepoys', + 'seppuku', + 'seppukus', + 'sepses', + 'sepsis', + 'sept', + 'septa', + 'septal', + 'septaria', + 'septarium', + 'septate', 'septenarii', 'septenarius', 'septendecillion', @@ -55085,35 +136692,67 @@ export const scrabble_array = [ 'septentrion', 'septentrional', 'septentrions', + 'septet', + 'septets', + 'septette', + 'septettes', + 'septic', + 'septical', 'septicemia', 'septicemias', 'septicemic', 'septicidal', + 'septics', 'septillion', 'septillions', + 'septime', + 'septimes', + 'septs', 'septuagenarian', 'septuagenarians', + 'septum', + 'septums', + 'septuple', + 'septupled', + 'septuples', 'septupling', + 'sepulcher', 'sepulchered', 'sepulchering', 'sepulchers', 'sepulchral', 'sepulchrally', + 'sepulchre', 'sepulchred', 'sepulchres', 'sepulchring', + 'sepulture', 'sepultures', 'sequacious', 'sequaciously', 'sequacities', + 'sequacity', + 'sequel', + 'sequela', + 'sequelae', + 'sequels', + 'sequence', + 'sequenced', + 'sequencer', 'sequencers', + 'sequences', 'sequencies', 'sequencing', + 'sequency', + 'sequent', 'sequential', 'sequentially', + 'sequents', + 'sequester', 'sequestered', 'sequestering', 'sequesters', + 'sequestra', 'sequestrate', 'sequestrated', 'sequestrates', @@ -55122,60 +136761,169 @@ export const scrabble_array = [ 'sequestrations', 'sequestrum', 'sequestrums', + 'sequin', + 'sequined', + 'sequinned', + 'sequins', + 'sequitur', + 'sequiturs', + 'sequoia', + 'sequoias', + 'ser', + 'sera', + 'serac', + 'seracs', + 'seraglio', + 'seraglios', + 'serai', + 'serail', + 'serails', + 'serais', + 'seral', + 'serape', + 'serapes', + 'seraph', + 'seraphic', 'seraphically', + 'seraphim', + 'seraphims', + 'seraphin', + 'seraphs', + 'serdab', + 'serdabs', + 'sere', + 'sered', + 'serein', + 'sereins', + 'serenade', + 'serenaded', + 'serenader', 'serenaders', + 'serenades', 'serenading', + 'serenata', + 'serenatas', + 'serenate', 'serendipities', 'serendipitous', 'serendipitously', 'serendipity', + 'serene', + 'serenely', 'sereneness', 'serenenesses', + 'serener', + 'serenes', + 'serenest', 'serenities', + 'serenity', + 'serer', + 'seres', + 'serest', + 'serf', + 'serfage', + 'serfages', + 'serfdom', + 'serfdoms', + 'serfhood', + 'serfhoods', + 'serfish', + 'serflike', + 'serfs', + 'serge', 'sergeancies', + 'sergeancy', + 'sergeant', 'sergeanties', + 'sergeants', + 'sergeanty', + 'serges', + 'serging', + 'sergings', + 'serial', + 'serialise', 'serialised', 'serialises', 'serialising', + 'serialism', 'serialisms', + 'serialist', 'serialists', 'serialization', 'serializations', + 'serialize', 'serialized', 'serializes', 'serializing', + 'serially', + 'serials', + 'seriate', + 'seriated', + 'seriately', + 'seriates', + 'seriatim', + 'seriating', + 'sericeous', + 'sericin', + 'sericins', 'sericultural', 'sericulture', 'sericultures', 'sericulturist', 'sericulturists', + 'seriema', + 'seriemas', + 'series', + 'serif', + 'serifed', + 'seriffed', + 'serifs', + 'serigraph', 'serigrapher', 'serigraphers', 'serigraphies', 'serigraphs', 'serigraphy', + 'serin', + 'serine', + 'serines', + 'sering', + 'seringa', + 'seringas', + 'serins', 'seriocomic', 'seriocomically', + 'serious', + 'seriously', 'seriousness', 'seriousnesses', + 'serjeant', 'serjeanties', + 'serjeants', + 'serjeanty', + 'sermon', 'sermonette', 'sermonettes', + 'sermonic', + 'sermonize', 'sermonized', 'sermonizer', 'sermonizers', 'sermonizes', 'sermonizing', + 'sermons', 'seroconversion', 'seroconversions', 'serodiagnoses', 'serodiagnosis', 'serodiagnostic', + 'serologic', 'serological', 'serologically', 'serologies', 'serologist', 'serologists', + 'serology', 'seronegative', 'seronegativities', 'seronegativity', @@ -55183,23 +136931,70 @@ export const scrabble_array = [ 'seropositivities', 'seropositivity', 'seropurulent', + 'serosa', + 'serosae', + 'serosal', + 'serosas', 'serosities', + 'serosity', + 'serotinal', + 'serotine', + 'serotines', 'serotinous', 'serotonergic', + 'serotonin', 'serotoninergic', 'serotonins', + 'serotype', + 'serotypes', + 'serous', + 'serow', + 'serows', + 'serpent', 'serpentine', 'serpentinely', 'serpentines', + 'serpents', 'serpigines', 'serpiginous', 'serpiginously', + 'serpigo', + 'serpigoes', + 'serranid', + 'serranids', + 'serrano', + 'serranos', + 'serrate', + 'serrated', + 'serrates', + 'serrating', + 'serration', 'serrations', + 'serried', + 'serriedly', 'serriedness', 'serriednesses', + 'serries', + 'serry', + 'serrying', + 'sers', + 'serum', + 'serumal', + 'serums', + 'servable', + 'serval', + 'servals', + 'servant', 'servanthood', 'servanthoods', 'servantless', + 'servants', + 'serve', + 'served', + 'server', + 'servers', + 'serves', + 'service', 'serviceabilities', 'serviceability', 'serviceable', @@ -55208,19 +137003,39 @@ export const scrabble_array = [ 'serviceably', 'serviceberries', 'serviceberry', + 'serviced', 'serviceman', 'servicemen', + 'servicer', + 'servicers', + 'services', 'servicewoman', 'servicewomen', + 'servicing', + 'serviette', 'serviettes', + 'servile', + 'servilely', 'servileness', 'servilenesses', 'servilities', + 'servility', + 'serving', + 'servings', + 'servitor', + 'servitors', + 'servitude', 'servitudes', + 'servo', 'servomechanism', 'servomechanisms', 'servomotor', 'servomotors', + 'servos', + 'sesame', + 'sesames', + 'sesamoid', + 'sesamoids', 'sesquicarbonate', 'sesquicarbonates', 'sesquicentenaries', @@ -55230,159 +137045,685 @@ export const scrabble_array = [ 'sesquipedalian', 'sesquiterpene', 'sesquiterpenes', + 'sessile', + 'session', + 'sessional', + 'sessions', + 'sesspool', + 'sesspools', + 'sesterce', + 'sesterces', + 'sestertia', 'sestertium', + 'sestet', + 'sestets', + 'sestina', + 'sestinas', + 'sestine', + 'sestines', + 'set', + 'seta', + 'setaceous', + 'setae', + 'setal', + 'setback', + 'setbacks', + 'setenant', + 'setenants', + 'setiform', + 'setline', + 'setlines', + 'setoff', + 'setoffs', + 'seton', + 'setons', + 'setose', + 'setous', + 'setout', + 'setouts', + 'sets', + 'setscrew', + 'setscrews', + 'sett', + 'settee', + 'settees', + 'setter', + 'setters', + 'setting', + 'settings', + 'settle', 'settleable', + 'settled', 'settlement', 'settlements', + 'settler', + 'settlers', + 'settles', + 'settling', + 'settlings', + 'settlor', + 'settlors', + 'setts', + 'setulose', + 'setulous', + 'setup', + 'setups', + 'seven', + 'sevenfold', + 'sevens', + 'seventeen', 'seventeens', 'seventeenth', 'seventeenths', + 'seventh', + 'sevenths', + 'seventies', 'seventieth', 'seventieths', + 'seventy', + 'sever', 'severabilities', 'severability', + 'severable', + 'several', 'severalfold', + 'severally', + 'severals', 'severalties', + 'severalty', + 'severance', 'severances', + 'severe', + 'severed', + 'severely', 'severeness', 'severenesses', + 'severer', + 'severest', + 'severing', 'severities', + 'severity', + 'severs', + 'seviche', + 'seviches', + 'sevruga', + 'sevrugas', + 'sew', 'sewabilities', 'sewability', + 'sewable', + 'sewage', + 'sewages', + 'sewan', + 'sewans', + 'sewar', + 'sewars', + 'sewed', + 'sewer', + 'sewerage', + 'sewerages', + 'sewered', + 'sewering', + 'sewers', + 'sewing', + 'sewings', + 'sewn', + 'sews', + 'sex', 'sexagenarian', 'sexagenarians', 'sexagesimal', 'sexagesimals', 'sexdecillion', 'sexdecillions', + 'sexed', + 'sexes', + 'sexier', + 'sexiest', + 'sexily', + 'sexiness', 'sexinesses', + 'sexing', + 'sexism', + 'sexisms', + 'sexist', + 'sexists', + 'sexless', + 'sexlessly', 'sexlessness', 'sexlessnesses', 'sexologies', 'sexologist', 'sexologists', + 'sexology', 'sexploitation', 'sexploitations', + 'sexpot', + 'sexpots', + 'sext', + 'sextain', + 'sextains', + 'sextan', + 'sextans', + 'sextant', + 'sextants', + 'sextarii', + 'sextarius', + 'sextet', + 'sextets', + 'sextette', + 'sextettes', + 'sextile', + 'sextiles', 'sextillion', 'sextillions', + 'sexto', 'sextodecimo', 'sextodecimos', + 'sexton', + 'sextons', + 'sextos', + 'sexts', + 'sextuple', + 'sextupled', + 'sextuples', + 'sextuplet', 'sextuplets', 'sextuplicate', 'sextuplicated', 'sextuplicates', 'sextuplicating', 'sextupling', + 'sextuply', + 'sexual', 'sexualities', + 'sexuality', 'sexualization', 'sexualizations', + 'sexualize', 'sexualized', 'sexualizes', 'sexualizing', + 'sexually', + 'sexy', + 'sferics', + 'sforzandi', + 'sforzando', 'sforzandos', + 'sforzato', + 'sforzatos', + 'sfumato', + 'sfumatos', + 'sgraffiti', + 'sgraffito', + 'sh', + 'sha', + 'shabbier', + 'shabbiest', + 'shabbily', 'shabbiness', 'shabbinesses', + 'shabby', + 'shack', + 'shackle', 'shacklebone', 'shacklebones', + 'shackled', + 'shackler', + 'shacklers', + 'shackles', + 'shackling', + 'shacko', + 'shackoes', + 'shackos', + 'shacks', + 'shad', 'shadberries', + 'shadberry', + 'shadblow', + 'shadblows', + 'shadbush', 'shadbushes', + 'shadchan', 'shadchanim', + 'shadchans', + 'shaddock', + 'shaddocks', + 'shade', + 'shaded', + 'shadeless', + 'shader', + 'shaders', + 'shades', + 'shadflies', + 'shadfly', + 'shadier', + 'shadiest', + 'shadily', + 'shadiness', 'shadinesses', + 'shading', + 'shadings', + 'shadoof', + 'shadoofs', + 'shadow', + 'shadowbox', 'shadowboxed', 'shadowboxes', 'shadowboxing', + 'shadowed', + 'shadower', + 'shadowers', 'shadowgraph', 'shadowgraphies', 'shadowgraphs', 'shadowgraphy', + 'shadowier', 'shadowiest', + 'shadowily', 'shadowiness', 'shadowinesses', + 'shadowing', 'shadowless', 'shadowlike', + 'shadows', + 'shadowy', + 'shadrach', + 'shadrachs', + 'shads', + 'shaduf', + 'shadufs', + 'shady', + 'shaft', + 'shafted', + 'shafting', + 'shaftings', + 'shafts', + 'shag', + 'shagbark', + 'shagbarks', + 'shagged', + 'shaggier', + 'shaggiest', + 'shaggily', 'shagginess', 'shagginesses', + 'shagging', + 'shaggy', 'shaggymane', 'shaggymanes', + 'shagreen', + 'shagreens', + 'shags', + 'shah', + 'shahdom', + 'shahdoms', + 'shahs', + 'shaird', + 'shairds', + 'shairn', + 'shairns', + 'shaitan', + 'shaitans', + 'shakable', + 'shake', + 'shakeable', + 'shakedown', 'shakedowns', + 'shaken', + 'shakeout', + 'shakeouts', + 'shaker', + 'shakers', + 'shakes', + 'shakeup', + 'shakeups', + 'shakier', + 'shakiest', + 'shakily', + 'shakiness', 'shakinesses', + 'shaking', + 'shako', + 'shakoes', + 'shakos', + 'shaky', + 'shale', + 'shaled', + 'shales', + 'shaley', + 'shalier', + 'shaliest', + 'shall', + 'shalloon', + 'shalloons', + 'shallop', + 'shallops', + 'shallot', + 'shallots', + 'shallow', + 'shallowed', + 'shallower', 'shallowest', 'shallowing', + 'shallowly', 'shallowness', 'shallownesses', + 'shallows', + 'shalom', + 'shaloms', + 'shalt', + 'shaly', + 'sham', + 'shamable', + 'shaman', + 'shamanic', + 'shamanism', 'shamanisms', + 'shamanist', 'shamanistic', 'shamanists', + 'shamans', + 'shamas', + 'shamble', + 'shambled', + 'shambles', + 'shambling', + 'shambolic', + 'shame', + 'shamed', 'shamefaced', 'shamefacedly', 'shamefacedness', 'shamefacednesses', + 'shamefast', + 'shameful', 'shamefully', 'shamefulness', 'shamefulnesses', + 'shameless', 'shamelessly', 'shamelessness', 'shamelessnesses', + 'shames', + 'shaming', + 'shammas', + 'shammash', 'shammashim', + 'shammasim', + 'shammed', + 'shammer', + 'shammers', + 'shammes', + 'shammied', + 'shammies', + 'shamming', + 'shammos', + 'shammosim', + 'shammy', + 'shammying', + 'shamois', + 'shamos', + 'shamosim', + 'shamoy', + 'shamoyed', + 'shamoying', + 'shamoys', + 'shampoo', + 'shampooed', + 'shampooer', 'shampooers', 'shampooing', + 'shampoos', + 'shamrock', + 'shamrocks', + 'shams', + 'shamus', + 'shamuses', + 'shandies', + 'shandy', 'shandygaff', 'shandygaffs', + 'shanghai', 'shanghaied', 'shanghaier', 'shanghaiers', 'shanghaiing', + 'shanghais', + 'shank', + 'shanked', + 'shanking', 'shankpiece', 'shankpieces', + 'shanks', + 'shannies', + 'shanny', + 'shantey', + 'shanteys', + 'shanti', + 'shanties', + 'shantih', + 'shantihs', + 'shantis', + 'shantung', + 'shantungs', + 'shanty', + 'shantyman', + 'shantymen', 'shantytown', 'shantytowns', + 'shapable', + 'shape', + 'shapeable', + 'shaped', + 'shapeless', 'shapelessly', 'shapelessness', 'shapelessnesses', + 'shapelier', 'shapeliest', 'shapeliness', 'shapelinesses', + 'shapely', + 'shapen', + 'shaper', + 'shapers', + 'shapes', + 'shapeup', + 'shapeups', + 'shaping', + 'sharable', + 'shard', + 'shards', + 'share', 'shareabilities', 'shareability', + 'shareable', + 'sharecrop', 'sharecropped', 'sharecropper', 'sharecroppers', 'sharecropping', 'sharecrops', + 'shared', 'shareholder', 'shareholders', + 'sharer', + 'sharers', + 'shares', + 'shareware', 'sharewares', + 'sharif', + 'sharifian', + 'sharifs', + 'sharing', + 'shark', + 'sharked', + 'sharker', + 'sharkers', + 'sharking', + 'sharklike', + 'sharks', + 'sharkskin', 'sharkskins', + 'sharn', + 'sharns', + 'sharny', + 'sharp', + 'sharped', + 'sharpen', + 'sharpened', + 'sharpener', 'sharpeners', 'sharpening', + 'sharpens', + 'sharper', + 'sharpers', + 'sharpest', + 'sharpie', + 'sharpies', + 'sharping', + 'sharply', + 'sharpness', 'sharpnesses', + 'sharps', 'sharpshooter', 'sharpshooters', 'sharpshooting', 'sharpshootings', + 'sharpy', + 'shashlick', 'shashlicks', + 'shashlik', + 'shashliks', + 'shaslik', + 'shasliks', + 'shat', + 'shatter', + 'shattered', 'shattering', 'shatteringly', 'shatterproof', + 'shatters', + 'shaugh', + 'shaughs', + 'shaul', + 'shauled', + 'shauling', + 'shauls', + 'shavable', + 'shave', + 'shaved', + 'shaveling', 'shavelings', + 'shaven', + 'shaver', + 'shavers', + 'shaves', + 'shavetail', 'shavetails', + 'shavie', + 'shavies', + 'shaving', + 'shavings', + 'shaw', + 'shawed', + 'shawing', + 'shawl', + 'shawled', + 'shawling', + 'shawls', + 'shawm', + 'shawms', + 'shawn', + 'shaws', + 'shay', + 'shays', + 'she', + 'shea', + 'sheaf', + 'sheafed', + 'sheafing', + 'sheaflike', + 'sheafs', + 'sheal', + 'shealing', + 'shealings', + 'sheals', + 'shear', + 'sheared', + 'shearer', + 'shearers', + 'shearing', + 'shearings', + 'shearling', 'shearlings', + 'shears', 'shearwater', 'shearwaters', + 'sheas', + 'sheath', 'sheathbill', 'sheathbills', + 'sheathe', + 'sheathed', + 'sheather', + 'sheathers', + 'sheathes', + 'sheathing', 'sheathings', + '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', + 'sheeniest', + 'sheening', + 'sheens', + 'sheeny', + 'sheep', 'sheepberries', 'sheepberry', + 'sheepcot', + 'sheepcote', 'sheepcotes', + 'sheepcots', + 'sheepdog', + 'sheepdogs', + 'sheepfold', 'sheepfolds', 'sheepherder', 'sheepherders', 'sheepherding', 'sheepherdings', + 'sheepish', 'sheepishly', 'sheepishness', 'sheepishnesses', + 'sheepman', + 'sheepmen', 'sheepshank', 'sheepshanks', 'sheepshead', @@ -55391,120 +137732,613 @@ export const scrabble_array = [ 'sheepshearers', 'sheepshearing', 'sheepshearings', + 'sheepskin', 'sheepskins', + 'sheer', + 'sheered', + 'sheerer', + 'sheerest', + 'sheering', + 'sheerlegs', + 'sheerly', + 'sheerness', 'sheernesses', + 'sheers', + 'sheet', + 'sheeted', + 'sheeter', + 'sheeters', + 'sheetfed', + 'sheeting', + 'sheetings', + 'sheetlike', + 'sheets', + 'sheeve', + 'sheeves', + 'shegetz', + 'sheik', + 'sheikdom', + 'sheikdoms', + 'sheikh', + 'sheikhdom', 'sheikhdoms', + 'sheikhs', + 'sheiks', + 'sheila', + 'sheilas', + 'sheitan', + 'sheitans', + 'shekel', + 'shekels', + 'sheldrake', 'sheldrakes', + 'shelduck', + 'shelducks', + 'shelf', + 'shelfful', + 'shelffuls', + 'shelflike', + 'shell', + 'shellac', + 'shellack', 'shellacked', 'shellacking', 'shellackings', + 'shellacks', + 'shellacs', + 'shellback', 'shellbacks', 'shellcracker', 'shellcrackers', + 'shelled', + 'sheller', + 'shellers', + 'shellfire', 'shellfires', + 'shellfish', 'shellfisheries', 'shellfishery', 'shellfishes', + 'shellier', + 'shelliest', + 'shelling', 'shellproof', + 'shells', 'shellshocked', + 'shellwork', 'shellworks', + 'shelly', + 'shelta', + 'sheltas', + 'shelter', 'shelterbelt', 'shelterbelts', + 'sheltered', + 'shelterer', 'shelterers', 'sheltering', 'shelterless', + 'shelters', + 'sheltie', + 'shelties', + 'shelty', + 'shelve', + 'shelved', + 'shelver', + 'shelvers', + 'shelves', + 'shelvier', + 'shelviest', + 'shelving', + 'shelvings', + 'shelvy', 'shenanigan', 'shenanigans', + 'shend', + 'shending', + 'shends', + 'shent', + 'sheol', + 'sheols', + 'shepherd', 'shepherded', 'shepherdess', 'shepherdesses', 'shepherding', + 'shepherds', + 'sheqalim', + 'sheqel', + 'sherbert', + 'sherberts', + 'sherbet', + 'sherbets', + 'sherd', + 'sherds', + 'shereef', + 'shereefs', 'shergottite', 'shergottites', + 'sherif', + 'sheriff', 'sheriffdom', 'sheriffdoms', + 'sheriffs', + 'sherifs', + 'sherlock', + 'sherlocks', + 'sheroot', + 'sheroots', + 'sherpa', + 'sherpas', + 'sherries', + 'sherris', + 'sherrises', + 'sherry', + 'shes', + 'shetland', + 'shetlands', + 'sheuch', + 'sheuchs', + 'sheugh', + 'sheughs', + 'shew', + 'shewbread', 'shewbreads', + 'shewed', + 'shewer', + 'shewers', + 'shewing', + 'shewn', + 'shews', + 'shh', + 'shiatsu', + 'shiatsus', + 'shiatzu', + 'shiatzus', + 'shibah', + 'shibahs', 'shibboleth', 'shibboleths', + 'shicker', + 'shickers', + 'shicksa', + 'shicksas', + 'shied', + 'shiel', + 'shield', + 'shielded', + 'shielder', + 'shielders', + 'shielding', + 'shields', + 'shieling', + 'shielings', + 'shiels', + 'shier', + 'shiers', + 'shies', + 'shiest', + 'shift', + 'shiftable', + 'shifted', + 'shifter', + 'shifters', + 'shiftier', + 'shiftiest', + 'shiftily', 'shiftiness', 'shiftinesses', + 'shifting', + 'shiftless', 'shiftlessly', 'shiftlessness', 'shiftlessnesses', + 'shifts', + 'shifty', + 'shigella', + 'shigellae', + 'shigellas', 'shigelloses', 'shigellosis', + 'shiitake', + 'shiitakes', + 'shikar', + 'shikaree', + 'shikarees', + 'shikari', + 'shikaris', + 'shikarred', 'shikarring', + 'shikars', + 'shikker', + 'shikkers', + 'shiksa', + 'shiksas', + 'shikse', + 'shikses', + 'shilingi', + 'shill', + 'shillala', + 'shillalah', 'shillalahs', + 'shillalas', + 'shilled', 'shillelagh', 'shillelaghs', + 'shilling', + 'shillings', + 'shills', + 'shilpit', + 'shily', + 'shim', + 'shimmed', + 'shimmer', + 'shimmered', 'shimmering', + 'shimmers', + 'shimmery', + 'shimmied', + 'shimmies', + 'shimming', + 'shimmy', + 'shimmying', + 'shims', + 'shin', + 'shinbone', + 'shinbones', + 'shindies', + 'shindig', + 'shindigs', + 'shindy', + 'shindys', + 'shine', + 'shined', + 'shiner', + 'shiners', + 'shines', + 'shingle', + 'shingled', + 'shingler', + 'shinglers', + 'shingles', + 'shingling', + 'shingly', + 'shinier', + 'shiniest', + 'shinily', + 'shininess', 'shininesses', + 'shining', + 'shinleaf', + 'shinleafs', 'shinleaves', + 'shinned', 'shinneries', + 'shinnery', + 'shinney', + 'shinneyed', 'shinneying', + 'shinneys', + 'shinnied', + 'shinnies', + 'shinning', + 'shinny', + 'shinnying', 'shinplaster', 'shinplasters', + 'shins', 'shinsplints', + 'shiny', + 'ship', + 'shipboard', 'shipboards', + 'shipborne', 'shipbuilder', 'shipbuilders', 'shipbuilding', 'shipbuildings', 'shipfitter', 'shipfitters', + 'shiplap', + 'shiplaps', + 'shipload', + 'shiploads', + 'shipman', 'shipmaster', 'shipmasters', + 'shipmate', + 'shipmates', + 'shipmen', + 'shipment', + 'shipments', + 'shipowner', 'shipowners', + 'shippable', + 'shipped', + 'shippen', + 'shippens', + 'shipper', + 'shippers', + 'shipping', + 'shippings', + 'shippon', + 'shippons', + 'ships', + 'shipshape', + 'shipside', + 'shipsides', + 'shipway', + 'shipways', + 'shipworm', + 'shipworms', + 'shipwreck', 'shipwrecked', 'shipwrecking', 'shipwrecks', 'shipwright', 'shipwrights', + 'shipyard', + 'shipyards', + 'shire', + 'shires', + 'shirk', + 'shirked', + 'shirker', + 'shirkers', + 'shirking', + 'shirks', + 'shirr', + 'shirred', + 'shirring', + 'shirrings', + 'shirrs', + 'shirt', 'shirtdress', 'shirtdresses', 'shirtfront', 'shirtfronts', + 'shirtier', + 'shirtiest', + 'shirting', + 'shirtings', + 'shirtless', 'shirtmaker', 'shirtmakers', + 'shirts', 'shirtsleeve', 'shirtsleeved', 'shirtsleeves', + 'shirttail', 'shirttails', 'shirtwaist', 'shirtwaists', + 'shirty', + 'shist', + 'shists', + 'shit', + 'shitake', + 'shitakes', + 'shithead', + 'shitheads', + 'shits', + 'shittah', + 'shittahs', + 'shitted', + 'shittier', + 'shittiest', + 'shittim', + 'shittims', 'shittimwood', 'shittimwoods', + 'shitting', + 'shitty', + 'shiv', + 'shiva', + 'shivah', + 'shivahs', + 'shivaree', + 'shivareed', 'shivareeing', + 'shivarees', + 'shivas', + 'shive', + 'shiver', + 'shivered', + 'shiverer', + 'shiverers', + 'shivering', + 'shivers', + 'shivery', + 'shives', + 'shivs', + 'shkotzim', + 'shlemiehl', 'shlemiehls', + 'shlemiel', + 'shlemiels', + 'shlep', + 'shlepp', + 'shlepped', + 'shlepping', + 'shlepps', + 'shleps', + 'shlock', + 'shlocks', + 'shlump', + 'shlumped', + 'shlumping', + 'shlumps', + 'shlumpy', + 'shmaltz', + 'shmaltzes', 'shmaltzier', 'shmaltziest', + 'shmaltzy', + 'shmear', + 'shmears', + 'shmo', + 'shmoes', + 'shmooze', + 'shmoozed', + 'shmoozes', + 'shmoozing', + 'shmuck', + 'shmucks', + 'shnaps', + 'shnook', + 'shnooks', + 'shoal', + 'shoaled', + 'shoaler', + 'shoalest', + 'shoalier', + 'shoaliest', + 'shoaling', + 'shoals', + 'shoaly', + 'shoat', + 'shoats', + 'shock', + 'shockable', + 'shocked', + 'shocker', + 'shockers', + 'shocking', 'shockingly', 'shockproof', + 'shocks', + 'shod', + 'shodden', + 'shoddier', + 'shoddies', + 'shoddiest', + 'shoddily', 'shoddiness', 'shoddinesses', + 'shoddy', + 'shoe', + 'shoebill', + 'shoebills', + 'shoeblack', 'shoeblacks', + 'shoed', + 'shoehorn', 'shoehorned', 'shoehorning', + 'shoehorns', + 'shoeing', + 'shoelace', + 'shoelaces', + 'shoeless', + 'shoemaker', 'shoemakers', + 'shoepac', + 'shoepack', + 'shoepacks', + 'shoepacs', + 'shoer', + 'shoers', + 'shoes', + 'shoeshine', 'shoeshines', 'shoestring', 'shoestrings', + 'shoetree', + 'shoetrees', + 'shofar', + 'shofars', + 'shofroth', + 'shog', + 'shogged', + 'shogging', + 'shogs', + 'shogun', + 'shogunal', + 'shogunate', 'shogunates', + 'shoguns', + 'shoji', + 'shojis', + 'sholom', + 'sholoms', + 'shone', + 'shoo', + 'shooed', + 'shooflies', + 'shoofly', + 'shooing', + 'shook', + 'shooks', + 'shool', + 'shooled', + 'shooling', + 'shools', + 'shoon', + 'shoos', + 'shoot', + 'shooter', + 'shooters', + 'shooting', + 'shootings', + 'shootout', + 'shootouts', + 'shoots', + 'shop', + 'shopboy', + 'shopboys', + 'shopgirl', + 'shopgirls', + 'shophar', + 'shophars', + 'shophroth', 'shopkeeper', 'shopkeepers', + 'shoplift', 'shoplifted', 'shoplifter', 'shoplifters', 'shoplifting', + 'shoplifts', + 'shopman', + 'shopmen', + 'shoppe', + 'shopped', + 'shopper', + 'shoppers', + 'shoppes', + 'shopping', + 'shoppings', + 'shops', + 'shoptalk', + 'shoptalks', 'shopwindow', 'shopwindows', + 'shopworn', + 'shoran', + 'shorans', + 'shore', + 'shorebird', 'shorebirds', + 'shored', 'shorefront', 'shorefronts', + 'shoreline', 'shorelines', + 'shores', + 'shoreside', + 'shoreward', 'shorewards', + 'shoring', + 'shorings', + 'shorl', + 'shorls', + 'shorn', + 'short', + 'shortage', + 'shortages', 'shortbread', 'shortbreads', + 'shortcake', 'shortcakes', 'shortchange', 'shortchanged', @@ -55514,158 +138348,680 @@ export const scrabble_array = [ 'shortchanging', 'shortcoming', 'shortcomings', + 'shortcut', + 'shortcuts', 'shortcutting', + 'shorted', + 'shorten', + 'shortened', + 'shortener', 'shorteners', 'shortening', 'shortenings', + 'shortens', + 'shorter', + 'shortest', + 'shortfall', 'shortfalls', + 'shorthair', 'shorthaired', 'shorthairs', + 'shorthand', 'shorthanded', 'shorthands', + 'shorthorn', 'shorthorns', + 'shortia', + 'shortias', + 'shortie', + 'shorties', + 'shorting', + 'shortish', + 'shortlist', 'shortlists', + 'shortly', + 'shortness', 'shortnesses', + 'shorts', 'shortsighted', 'shortsightedly', 'shortsightedness', 'shortsightednesses', + 'shortstop', 'shortstops', + 'shortwave', 'shortwaves', + 'shorty', + 'shot', + 'shote', + 'shotes', + 'shotgun', 'shotgunned', 'shotgunner', 'shotgunners', 'shotgunning', + 'shotguns', + 'shots', + 'shott', + 'shotted', + 'shotten', + 'shotting', + 'shotts', + 'should', + 'shoulder', 'shouldered', 'shouldering', + 'shoulders', + 'shouldest', + 'shouldst', + 'shout', + 'shouted', + 'shouter', + 'shouters', + 'shouting', + 'shouts', + 'shove', + 'shoved', + 'shovel', + 'shoveled', + 'shoveler', + 'shovelers', + 'shovelful', 'shovelfuls', + 'shoveling', + 'shovelled', + 'shoveller', 'shovellers', 'shovelling', 'shovelnose', 'shovelnoses', + 'shovels', 'shovelsful', + 'shover', + 'shovers', + 'shoves', + 'shoving', + 'show', + 'showable', + 'showbiz', 'showbizzes', + 'showbizzy', + 'showboat', 'showboated', 'showboating', + 'showboats', + 'showbread', 'showbreads', + 'showcase', + 'showcased', + 'showcases', 'showcasing', + 'showdown', + 'showdowns', + 'showed', + 'shower', + 'showered', + 'showerer', + 'showerers', 'showerhead', 'showerheads', + 'showering', 'showerless', + 'showers', + 'showery', + 'showgirl', + 'showgirls', + 'showier', + 'showiest', + 'showily', + 'showiness', 'showinesses', + 'showing', + 'showings', + 'showman', 'showmanship', 'showmanships', + 'showmen', + 'shown', + 'showoff', + 'showoffs', + 'showpiece', 'showpieces', + 'showplace', 'showplaces', + 'showring', + 'showrings', + 'showroom', + 'showrooms', + 'shows', 'showstopper', 'showstoppers', 'showstopping', + 'showy', + 'shoyu', + 'shoyus', + 'shrank', + 'shrapnel', + 'shred', + 'shredded', + 'shredder', + 'shredders', + 'shredding', + 'shreds', + 'shrew', + 'shrewd', + 'shrewder', + 'shrewdest', + 'shrewdie', + 'shrewdies', + 'shrewdly', 'shrewdness', 'shrewdnesses', + 'shrewed', + 'shrewing', + 'shrewish', 'shrewishly', 'shrewishness', 'shrewishnesses', + 'shrewlike', + 'shrews', + 'shri', + 'shriek', + 'shrieked', + 'shrieker', + 'shriekers', + 'shriekier', 'shriekiest', + 'shrieking', + 'shrieks', + 'shrieky', + 'shrieval', 'shrievalties', 'shrievalty', + 'shrieve', + 'shrieved', + 'shrieves', + 'shrieving', + 'shrift', + 'shrifts', + 'shrike', + 'shrikes', + 'shrill', + 'shrilled', + 'shriller', + 'shrillest', + 'shrilling', 'shrillness', 'shrillnesses', + 'shrills', + 'shrilly', + 'shrimp', + 'shrimped', + 'shrimper', + 'shrimpers', + 'shrimpier', 'shrimpiest', + 'shrimping', 'shrimplike', + 'shrimps', + 'shrimpy', + 'shrine', + 'shrined', + 'shrines', + 'shrining', + 'shrink', 'shrinkable', + 'shrinkage', 'shrinkages', + 'shrinker', + 'shrinkers', + 'shrinking', + 'shrinks', + 'shris', + 'shrive', + 'shrived', + 'shrivel', + 'shriveled', 'shriveling', 'shrivelled', 'shrivelling', + 'shrivels', + 'shriven', + 'shriver', + 'shrivers', + 'shrives', + 'shriving', + 'shroff', + 'shroffed', + 'shroffing', + 'shroffs', + 'shroud', + 'shrouded', + 'shrouding', + 'shrouds', + 'shrove', + 'shrub', 'shrubberies', + 'shrubbery', + 'shrubbier', 'shrubbiest', + 'shrubby', + 'shrubs', + 'shrug', + 'shrugged', + 'shrugging', + 'shrugs', + 'shrunk', + 'shrunken', + 'shtetel', + 'shtetels', + 'shtetl', + 'shtetlach', + 'shtetls', + 'shtick', + 'shticks', + 'shtik', + 'shtiks', + 'shuck', + 'shucked', + 'shucker', + 'shuckers', + 'shucking', + 'shuckings', + 'shucks', + 'shudder', + 'shuddered', 'shuddering', + 'shudders', + 'shuddery', + 'shuffle', 'shuffleboard', 'shuffleboards', + 'shuffled', + 'shuffler', + 'shufflers', + 'shuffles', + 'shuffling', + 'shul', + 'shuln', + 'shuls', + 'shun', + 'shunned', + 'shunner', + 'shunners', + 'shunning', + 'shunpike', + 'shunpiked', + 'shunpiker', 'shunpikers', + 'shunpikes', 'shunpiking', 'shunpikings', + 'shuns', + 'shunt', + 'shunted', + 'shunter', + 'shunters', + 'shunting', + 'shunts', + 'shush', + 'shushed', + 'shushes', + 'shushing', + 'shut', + 'shutdown', + 'shutdowns', + 'shute', + 'shuted', + 'shutes', + 'shuteye', + 'shuteyes', + 'shuting', + 'shutoff', + 'shutoffs', + 'shutout', + 'shutouts', + 'shuts', + 'shutter', 'shutterbug', 'shutterbugs', + 'shuttered', 'shuttering', 'shutterless', + 'shutters', + 'shutting', + 'shuttle', 'shuttlecock', 'shuttlecocked', 'shuttlecocking', 'shuttlecocks', + 'shuttled', 'shuttleless', + 'shuttles', + 'shuttling', + 'shwanpan', + 'shwanpans', + 'shy', + 'shyer', + 'shyers', + 'shyest', + 'shying', + 'shylock', + 'shylocked', 'shylocking', + 'shylocks', + 'shyly', + 'shyness', + 'shynesses', + 'shyster', + 'shysters', + 'si', + 'sial', 'sialagogue', 'sialagogues', + 'sialic', + 'sialid', + 'sialidan', + 'sialidans', + 'sialids', + 'sialoid', + 'sials', + 'siamang', + 'siamangs', + 'siamese', + 'siameses', + 'sib', + 'sibb', + 'sibbs', + 'sibilance', 'sibilances', + 'sibilant', 'sibilantly', + 'sibilants', + 'sibilate', + 'sibilated', + 'sibilates', 'sibilating', 'sibilation', 'sibilations', + 'sibling', + 'siblings', + 'sibs', + 'sibyl', + 'sibylic', + 'sibyllic', + 'sibylline', + 'sibyls', + 'sic', + 'siccan', + 'sicced', + 'siccing', + 'sice', + 'sices', + 'sick', + 'sickbay', + 'sickbays', + 'sickbed', + 'sickbeds', + 'sicked', + 'sickee', + 'sickees', + 'sicken', + 'sickened', + 'sickener', + 'sickeners', + 'sickening', 'sickeningly', + 'sickens', + 'sicker', + 'sickerly', + 'sickest', + 'sickie', + 'sickies', + 'sicking', + 'sickish', + 'sickishly', 'sickishness', 'sickishnesses', + 'sickle', + 'sickled', + 'sicklemia', 'sicklemias', + 'sickles', + 'sicklied', + 'sicklier', + 'sicklies', + 'sickliest', + 'sicklily', 'sickliness', 'sicklinesses', + 'sickling', + 'sickly', + 'sicklying', + 'sickness', 'sicknesses', + 'sicko', + 'sickos', + 'sickout', + 'sickouts', + 'sickroom', + 'sickrooms', + 'sicks', + 'sics', + 'siddur', + 'siddurim', + 'siddurs', + 'side', + 'sidearm', + 'sideband', + 'sidebands', + 'sidebar', + 'sidebars', + 'sideboard', 'sideboards', 'sideburned', + 'sideburns', + 'sidecar', + 'sidecars', + 'sided', + 'sidedness', 'sidednesses', + 'sidedress', 'sidedresses', + 'sidehill', + 'sidehills', + 'sidekick', + 'sidekicks', + 'sidelight', 'sidelights', + 'sideline', + 'sidelined', + 'sideliner', 'sideliners', + 'sidelines', + 'sideling', 'sidelining', + 'sidelong', + 'sideman', + 'sidemen', + 'sidepiece', 'sidepieces', + 'sidereal', + 'siderite', + 'siderites', 'siderolite', 'siderolites', + 'sides', 'sidesaddle', 'sidesaddles', + 'sideshow', + 'sideshows', + 'sideslip', 'sideslipped', 'sideslipping', + 'sideslips', + 'sidespin', + 'sidespins', 'sidesplitting', 'sidesplittingly', + 'sidestep', 'sidestepped', 'sidestepper', 'sidesteppers', 'sidestepping', + 'sidesteps', 'sidestream', 'sidestroke', 'sidestrokes', + 'sideswipe', 'sideswiped', 'sideswipes', 'sideswiping', + 'sidetrack', 'sidetracked', 'sidetracking', 'sidetracks', + 'sidewalk', + 'sidewalks', + 'sidewall', + 'sidewalls', + 'sideward', + 'sidewards', + 'sideway', + 'sideways', 'sidewinder', 'sidewinders', + 'sidewise', + 'siding', + 'sidings', + 'sidle', + 'sidled', + 'sidler', + 'sidlers', + 'sidles', + 'sidling', + 'siege', + 'sieged', + 'sieges', + 'sieging', + 'siemens', + 'sienite', + 'sienites', + 'sienna', + 'siennas', + 'sierozem', + 'sierozems', + 'sierra', + 'sierran', + 'sierras', + 'siesta', + 'siestas', + 'sieur', + 'sieurs', + 'sieve', + 'sieved', + 'sieves', + 'sieving', + 'sifaka', + 'sifakas', + 'siffleur', + 'siffleurs', + 'sift', + 'sifted', + 'sifter', + 'sifters', + 'sifting', + 'siftings', + 'sifts', + 'siganid', + 'siganids', + 'sigh', + 'sighed', + 'sigher', + 'sighers', + 'sighing', + 'sighless', + 'sighlike', + 'sighs', + 'sight', + 'sighted', + 'sighter', + 'sighters', + 'sighting', + 'sightings', + 'sightless', 'sightlessly', 'sightlessness', 'sightlessnesses', + 'sightlier', 'sightliest', 'sightliness', 'sightlinesses', + 'sightly', + 'sights', + 'sightsaw', + 'sightsee', 'sightseeing', + 'sightseen', + 'sightseer', 'sightseers', + 'sightsees', + 'sigil', + 'sigils', + 'sigloi', + 'siglos', + 'sigma', + 'sigmas', + 'sigmate', + 'sigmoid', + 'sigmoidal', 'sigmoidally', 'sigmoidoscopies', 'sigmoidoscopy', + 'sigmoids', + 'sign', + 'signage', + 'signages', + 'signal', + 'signaled', + 'signaler', + 'signalers', + 'signaling', + 'signalise', 'signalised', 'signalises', 'signalising', 'signalization', 'signalizations', + 'signalize', 'signalized', 'signalizes', 'signalizing', + 'signalled', + 'signaller', 'signallers', 'signalling', + 'signally', + 'signalman', + 'signalmen', 'signalment', 'signalments', + 'signals', 'signatories', + 'signatory', + 'signature', 'signatures', + 'signboard', 'signboards', + 'signed', + 'signee', + 'signees', + 'signer', + 'signers', + 'signet', + 'signeted', + 'signeting', + 'signets', 'significance', 'significances', 'significancies', @@ -55675,47 +139031,187 @@ export const scrabble_array = [ 'signification', 'significations', 'significative', + 'significs', + 'signified', 'signifieds', + 'signifier', 'signifiers', + 'signifies', + 'signify', 'signifying', 'signifyings', + 'signing', + 'signior', + 'signiori', 'signiories', + 'signiors', + 'signiory', + 'signor', + 'signora', + 'signoras', + 'signore', + 'signori', + 'signories', + 'signorina', 'signorinas', + 'signorine', + 'signors', + 'signory', + 'signpost', 'signposted', 'signposting', + 'signposts', + 'signs', + 'sike', + 'siker', + 'sikes', + 'silage', + 'silages', + 'silane', + 'silanes', + 'sild', + 'silds', + 'silence', + 'silenced', + 'silencer', + 'silencers', + 'silences', + 'silencing', + 'sileni', + 'silent', + 'silenter', + 'silentest', + 'silently', 'silentness', 'silentnesses', + 'silents', + 'silenus', + 'silesia', + 'silesias', + 'silex', + 'silexes', 'silhouette', 'silhouetted', 'silhouettes', 'silhouetting', 'silhouettist', 'silhouettists', + 'silica', + 'silicas', + 'silicate', + 'silicates', + 'siliceous', + 'silicic', + 'silicide', + 'silicides', 'silicification', 'silicifications', 'silicified', 'silicifies', + 'silicify', 'silicifying', + 'silicious', + 'silicium', + 'siliciums', + 'silicle', + 'silicles', + 'silicon', + 'silicone', + 'silicones', 'siliconized', + 'silicons', + 'silicoses', + 'silicosis', + 'silicotic', 'silicotics', + 'silicula', + 'siliculae', + 'siliqua', + 'siliquae', + 'silique', + 'siliques', + 'silk', + 'silkaline', 'silkalines', + 'silked', + 'silken', + 'silkier', + 'silkies', + 'silkiest', + 'silkily', + 'silkiness', 'silkinesses', + 'silking', + 'silklike', + 'silkoline', 'silkolines', + 'silks', + 'silkweed', + 'silkweeds', + 'silkworm', + 'silkworms', + 'silky', + 'sill', + 'sillabub', + 'sillabubs', + 'siller', + 'sillers', + 'sillibub', + 'sillibubs', + 'sillier', + 'sillies', + 'silliest', + 'sillily', 'sillimanite', 'sillimanites', + 'silliness', 'sillinesses', + 'sills', + 'silly', + 'silo', + 'siloed', + 'siloing', + 'silos', + 'siloxane', + 'siloxanes', + 'silt', + 'siltation', 'siltations', + 'silted', + 'siltier', + 'siltiest', + 'silting', + 'silts', + 'siltstone', 'siltstones', + 'silty', + 'silurid', + 'silurids', + 'siluroid', + 'siluroids', + 'silva', + 'silvae', + 'silvan', + 'silvans', + 'silvas', + 'silver', 'silverback', 'silverbacks', 'silverberries', 'silverberry', + 'silvered', + 'silverer', + 'silverers', 'silverfish', 'silverfishes', 'silveriness', 'silverinesses', + 'silvering', + 'silverly', + 'silvern', 'silverpoint', 'silverpoints', + 'silvers', 'silverside', 'silversides', 'silversmith', @@ -55726,26 +139222,90 @@ export const scrabble_array = [ 'silverwares', 'silverweed', 'silverweeds', + 'silvery', + 'silvex', + 'silvexes', + 'silvical', + 'silvics', 'silvicultural', 'silviculturally', 'silviculture', 'silvicultures', 'silviculturist', 'silviculturists', + 'sim', + 'sima', + 'simar', + 'simars', + 'simaruba', + 'simarubas', + 'simas', + 'simazine', + 'simazines', + 'simian', + 'simians', + 'similar', 'similarities', 'similarity', + 'similarly', + 'simile', + 'similes', 'similitude', 'similitudes', + 'simioid', + 'simious', + 'simitar', + 'simitars', + 'simlin', + 'simlins', + 'simmer', + 'simmered', + 'simmering', + 'simmers', + 'simnel', + 'simnels', + 'simoleon', + 'simoleons', + 'simoniac', 'simoniacal', 'simoniacally', + 'simoniacs', + 'simonies', + 'simonist', + 'simonists', + 'simonize', + 'simonized', + 'simonizes', 'simonizing', + 'simony', + 'simoom', + 'simooms', + 'simoon', + 'simoons', + 'simp', + 'simpatico', + 'simper', + 'simpered', + 'simperer', + 'simperers', + 'simpering', + 'simpers', + 'simple', 'simpleminded', 'simplemindedly', 'simplemindedness', 'simplemindednesses', 'simpleness', 'simplenesses', + 'simpler', + 'simples', + 'simplest', + 'simpleton', 'simpletons', + 'simplex', + 'simplexes', + 'simplices', + 'simplicia', 'simplicial', 'simplicially', 'simplicities', @@ -55756,17 +139316,36 @@ export const scrabble_array = [ 'simplifier', 'simplifiers', 'simplifies', + 'simplify', 'simplifying', + 'simplism', + 'simplisms', + 'simplist', 'simplistic', 'simplistically', + 'simplists', + 'simply', + 'simps', + 'sims', + 'simulacra', + 'simulacre', 'simulacres', 'simulacrum', 'simulacrums', + 'simulant', + 'simulants', + 'simular', + 'simulars', + 'simulate', + 'simulated', + 'simulates', 'simulating', 'simulation', 'simulations', 'simulative', + 'simulator', 'simulators', + 'simulcast', 'simulcasted', 'simulcasting', 'simulcasts', @@ -55776,22 +139355,70 @@ export const scrabble_array = [ 'simultaneously', 'simultaneousness', 'simultaneousnesses', + 'sin', + 'sinapism', + 'sinapisms', + 'since', + 'sincere', + 'sincerely', 'sincereness', 'sincerenesses', + 'sincerer', + 'sincerest', 'sincerities', + 'sincerity', + 'sincipita', 'sincipital', + 'sinciput', + 'sinciputs', + 'sine', + 'sinecure', + 'sinecures', + 'sines', + 'sinew', + 'sinewed', + 'sinewing', + 'sinews', + 'sinewy', + 'sinfonia', + 'sinfonie', 'sinfonietta', 'sinfoniettas', + 'sinful', + 'sinfully', 'sinfulness', 'sinfulnesses', + 'sing', + 'singable', + 'singe', + 'singed', + 'singeing', + 'singer', + 'singers', + 'singes', + 'singing', + 'single', + 'singled', 'singleness', 'singlenesses', + 'singles', 'singlestick', 'singlesticks', + 'singlet', + 'singleton', 'singletons', 'singletree', 'singletrees', + 'singlets', + 'singling', + 'singly', + 'sings', + 'singsong', + 'singsongs', + 'singsongy', + 'singspiel', 'singspiels', + 'singular', 'singularities', 'singularity', 'singularize', @@ -55799,59 +139426,300 @@ export const scrabble_array = [ 'singularizes', 'singularizing', 'singularly', + 'singulars', + 'sinh', + 'sinhs', + 'sinicize', + 'sinicized', + 'sinicizes', 'sinicizing', + 'sinister', 'sinisterly', 'sinisterness', 'sinisternesses', + 'sinistral', 'sinistrous', + 'sink', + 'sinkable', + 'sinkage', + 'sinkages', + 'sinker', + 'sinkers', + 'sinkhole', + 'sinkholes', + 'sinking', + 'sinks', + 'sinless', + 'sinlessly', 'sinlessness', 'sinlessnesses', + 'sinned', + 'sinner', + 'sinners', + 'sinning', 'sinoatrial', 'sinological', 'sinologies', 'sinologist', 'sinologists', + 'sinologue', 'sinologues', + 'sinology', + 'sinopia', + 'sinopias', + 'sinopie', + 'sins', 'sinsemilla', 'sinsemillas', + 'sinsyne', + 'sinter', 'sinterabilities', 'sinterability', + 'sintered', + 'sintering', + 'sinters', + 'sinuate', + 'sinuated', + 'sinuates', + 'sinuating', 'sinuosities', + 'sinuosity', + 'sinuous', + 'sinuously', 'sinuousness', 'sinuousnesses', + 'sinus', + 'sinuses', + 'sinusitis', 'sinusitises', + 'sinusoid', 'sinusoidal', 'sinusoidally', + 'sinusoids', + 'sip', + 'sipe', + 'siped', + 'sipes', + 'siphon', + 'siphonal', + 'siphoned', + 'siphonic', + 'siphoning', 'siphonophore', 'siphonophores', 'siphonostele', 'siphonosteles', + 'siphons', + 'siping', + 'sipped', + 'sipper', + 'sippers', + 'sippet', + 'sippets', + 'sipping', + 'sips', + 'sir', + 'sirdar', + 'sirdars', + 'sire', + 'sired', + 'siree', + 'sirees', + 'siren', + 'sirenian', + 'sirenians', + 'sirens', + 'sires', + 'siring', + 'sirloin', + 'sirloins', + 'sirocco', + 'siroccos', + 'sirra', + 'sirrah', + 'sirrahs', + 'sirras', + 'sirree', + 'sirrees', + 'sirs', + 'sirup', + 'sirups', + 'sirupy', + 'sirvente', + 'sirventes', + 'sis', + 'sisal', + 'sisals', + 'sises', + 'siskin', + 'siskins', + 'sissier', + 'sissies', + 'sissiest', + 'sissified', + 'sissy', + 'sissyish', + 'sister', + 'sistered', 'sisterhood', 'sisterhoods', + 'sistering', + 'sisterly', + 'sisters', + 'sistra', + 'sistroid', + 'sistrum', + 'sistrums', + 'sit', + 'sitar', + 'sitarist', + 'sitarists', + 'sitars', + 'sitcom', + 'sitcoms', + 'site', + 'sited', + 'sites', + 'sith', + 'sithence', + 'sithens', + 'siting', 'sitologies', + 'sitology', 'sitosterol', 'sitosterols', + 'sits', + 'sitten', + 'sitter', + 'sitters', + 'sitting', + 'sittings', + 'situate', + 'situated', + 'situates', + 'situating', + 'situation', 'situational', 'situationally', 'situations', + 'situp', + 'situps', + 'situs', + 'situses', + 'sitzmark', + 'sitzmarks', + 'siver', + 'sivers', + 'six', + 'sixes', + 'sixfold', + 'sixmo', + 'sixmos', + 'sixpence', + 'sixpences', + 'sixpenny', + 'sixte', + 'sixteen', + 'sixteenmo', 'sixteenmos', + 'sixteens', + 'sixteenth', 'sixteenths', + 'sixtes', + 'sixth', + 'sixthly', + 'sixths', + 'sixties', + 'sixtieth', + 'sixtieths', + 'sixty', + 'sixtyish', + 'sizable', 'sizableness', 'sizablenesses', + 'sizably', + 'sizar', + 'sizars', + 'size', + 'sizeable', + 'sizeably', + 'sized', + 'sizer', + 'sizers', + 'sizes', + 'sizier', + 'siziest', + 'siziness', 'sizinesses', + 'sizing', + 'sizings', + 'sizy', + 'sizzle', + 'sizzled', + 'sizzler', + 'sizzlers', + 'sizzles', + 'sizzling', + 'sjambok', + 'sjamboked', 'sjamboking', + 'sjamboks', + 'ska', + 'skag', + 'skags', + 'skald', + 'skaldic', + 'skalds', + 'skas', + 'skat', + 'skate', 'skateboard', 'skateboarder', 'skateboarders', 'skateboarding', 'skateboardings', 'skateboards', + 'skated', + 'skater', + 'skaters', + 'skates', + 'skating', + 'skatings', + 'skatol', + 'skatole', + 'skatoles', + 'skatols', + 'skats', + 'skean', + 'skeane', + 'skeanes', + 'skeans', + 'skedaddle', 'skedaddled', 'skedaddler', 'skedaddlers', 'skedaddles', 'skedaddling', + 'skee', + 'skeed', + 'skeeing', + 'skeen', + 'skeens', + 'skees', + 'skeet', + 'skeeter', + 'skeeters', + 'skeets', + 'skeg', + 'skegs', + 'skeigh', + 'skein', + 'skeined', + 'skeining', + 'skeins', + 'skeletal', 'skeletally', + 'skeleton', 'skeletonic', 'skeletonise', 'skeletonised', @@ -55863,88 +139731,480 @@ export const scrabble_array = [ 'skeletonizers', 'skeletonizes', 'skeletonizing', + 'skeletons', + 'skellum', + 'skellums', + 'skelm', + 'skelms', + 'skelp', + 'skelped', + 'skelping', + 'skelpit', + 'skelps', + 'skelter', + 'skeltered', 'skeltering', + 'skelters', + 'skene', + 'skenes', + 'skep', + 'skeps', + 'skepsis', + 'skepsises', + 'skeptic', + 'skeptical', 'skeptically', 'skepticism', 'skepticisms', + 'skeptics', + 'skerries', + 'skerry', + 'sketch', 'sketchbook', 'sketchbooks', + 'sketched', + 'sketcher', + 'sketchers', + 'sketches', + 'sketchier', 'sketchiest', + 'sketchily', 'sketchiness', 'sketchinesses', + 'sketching', + 'sketchy', + 'skew', + 'skewback', + 'skewbacks', + 'skewbald', + 'skewbalds', + 'skewed', + 'skewer', + 'skewered', + 'skewering', + 'skewers', + 'skewing', + 'skewness', 'skewnesses', + 'skews', + 'ski', + 'skiable', + 'skiagram', + 'skiagrams', + 'skibob', + 'skibobber', 'skibobbers', 'skibobbing', 'skibobbings', + 'skibobs', + 'skid', + 'skidded', + 'skidder', + 'skidders', + 'skiddier', + 'skiddiest', + 'skidding', + 'skiddoo', + 'skiddooed', 'skiddooing', + 'skiddoos', + 'skiddy', + 'skidoo', + 'skidooed', + 'skidooing', + 'skidoos', + 'skidproof', + 'skids', + 'skidway', + 'skidways', + 'skied', + 'skier', + 'skiers', + 'skies', + 'skiey', + 'skiff', + 'skiffle', + 'skiffled', + 'skiffles', + 'skiffling', + 'skiffs', + 'skiing', + 'skiings', + 'skijorer', + 'skijorers', + 'skijoring', 'skijorings', + 'skilful', + 'skill', + 'skilled', + 'skilless', 'skillessness', 'skillessnesses', + 'skillet', + 'skillets', + 'skillful', 'skillfully', 'skillfulness', 'skillfulnesses', + 'skilling', + 'skillings', + 'skills', + 'skim', + 'skimmed', + 'skimmer', + 'skimmers', + 'skimming', + 'skimmings', + 'skimo', + 'skimobile', 'skimobiles', + 'skimos', + 'skimp', + 'skimped', + 'skimpier', + 'skimpiest', + 'skimpily', 'skimpiness', 'skimpinesses', + 'skimping', + 'skimps', + 'skimpy', + 'skims', + 'skin', + 'skinflint', 'skinflints', + 'skinful', + 'skinfuls', + 'skinhead', + 'skinheads', + 'skink', + 'skinked', + 'skinker', + 'skinkers', + 'skinking', + 'skinks', + 'skinless', + 'skinlike', + 'skinned', + 'skinner', + 'skinners', + 'skinnier', + 'skinniest', 'skinniness', 'skinninesses', + 'skinning', + 'skinny', + 'skins', + 'skint', + 'skintight', + 'skioring', + 'skiorings', + 'skip', + 'skipjack', + 'skipjacks', + 'skiplane', + 'skiplanes', + 'skippable', + 'skipped', + 'skipper', + 'skippered', 'skippering', + 'skippers', + 'skippet', + 'skippets', + 'skipping', + 'skips', + 'skirl', + 'skirled', + 'skirling', + 'skirls', + 'skirmish', 'skirmished', 'skirmisher', 'skirmishers', 'skirmishes', 'skirmishing', + 'skirr', + 'skirred', + 'skirret', + 'skirrets', + 'skirring', + 'skirrs', + 'skirt', + 'skirted', + 'skirter', + 'skirters', + 'skirting', + 'skirtings', + 'skirts', + 'skis', + 'skit', + 'skite', + 'skited', + 'skites', + 'skiting', + 'skits', + 'skitter', + 'skittered', 'skitterier', 'skitteriest', 'skittering', + 'skitters', + 'skittery', + 'skittish', 'skittishly', 'skittishness', 'skittishnesses', + 'skittle', + 'skittles', + 'skive', + 'skived', + 'skiver', + 'skivers', + 'skives', + 'skiving', + 'skivvied', + 'skivvies', + 'skivvy', + 'skivvying', + 'skiwear', + 'sklent', + 'sklented', + 'sklenting', + 'sklents', + 'skoal', + 'skoaled', + 'skoaling', + 'skoals', + 'skookum', + 'skosh', + 'skoshes', + 'skreegh', + 'skreeghed', 'skreeghing', + 'skreeghs', + 'skreigh', + 'skreighed', 'skreighing', + 'skreighs', + 'skua', + 'skuas', 'skulduggeries', 'skulduggery', + 'skulk', + 'skulked', + 'skulker', + 'skulkers', + 'skulking', + 'skulks', + 'skull', + 'skullcap', + 'skullcaps', 'skullduggeries', 'skullduggery', + 'skulled', + 'skulls', + 'skunk', + 'skunked', + 'skunking', + 'skunks', + 'sky', + 'skyborne', + 'skybox', + 'skyboxes', + 'skycap', + 'skycaps', + 'skydive', + 'skydived', + 'skydiver', + 'skydivers', + 'skydives', + 'skydiving', 'skydivings', + 'skydove', + 'skyed', + 'skyey', + 'skyhook', + 'skyhooks', + 'skying', + 'skyjack', + 'skyjacked', + 'skyjacker', 'skyjackers', 'skyjacking', 'skyjackings', + 'skyjacks', + 'skylark', + 'skylarked', + 'skylarker', 'skylarkers', 'skylarking', + 'skylarks', + 'skylight', 'skylighted', + 'skylights', + 'skyline', + 'skylines', + 'skylit', + 'skyman', + 'skymen', + 'skyphoi', + 'skyphos', + 'skyrocket', 'skyrocketed', 'skyrocketing', 'skyrockets', + 'skysail', + 'skysails', 'skyscraper', 'skyscrapers', + 'skywalk', + 'skywalks', + 'skyward', + 'skywards', + 'skyway', + 'skyways', + 'skywrite', + 'skywriter', 'skywriters', + 'skywrites', 'skywriting', 'skywritings', 'skywritten', + 'skywrote', + 'slab', + 'slabbed', + 'slabber', + 'slabbered', 'slabbering', + 'slabbers', + 'slabbery', + 'slabbing', + 'slablike', + 'slabs', + 'slack', + 'slacked', + 'slacken', + 'slackened', 'slackening', + 'slackens', + 'slacker', + 'slackers', + 'slackest', + 'slacking', + 'slackly', + 'slackness', 'slacknesses', + 'slacks', + 'slag', + 'slagged', + 'slaggier', + 'slaggiest', + 'slagging', + 'slaggy', + 'slags', + 'slain', + 'slainte', + 'slakable', + 'slake', + 'slaked', + 'slaker', + 'slakers', + 'slakes', + 'slaking', + 'slalom', + 'slalomed', + 'slaloming', + 'slaloms', + 'slam', + 'slammed', + 'slammer', + 'slammers', + 'slamming', + 'slams', + 'slander', + 'slandered', + 'slanderer', 'slanderers', 'slandering', 'slanderous', 'slanderously', 'slanderousness', 'slanderousnesses', + 'slanders', + 'slang', + 'slanged', + 'slangier', + 'slangiest', + 'slangily', 'slanginess', 'slanginesses', + 'slanging', + 'slangs', + 'slanguage', 'slanguages', + 'slangy', + 'slank', + 'slant', + 'slanted', + 'slanting', 'slantingly', + 'slants', + 'slantways', + 'slantwise', + 'slanty', + 'slap', + 'slapdash', 'slapdashes', 'slaphappier', 'slaphappiest', + 'slaphappy', + 'slapjack', + 'slapjacks', + 'slapped', + 'slapper', + 'slappers', + 'slapping', + 'slaps', + 'slapstick', 'slapsticks', + 'slash', + 'slashed', + 'slasher', + 'slashers', + 'slashes', + 'slashing', 'slashingly', + 'slashings', + 'slat', + 'slatch', + 'slatches', + 'slate', + 'slated', + 'slatelike', + 'slater', + 'slaters', + 'slates', + 'slatey', + 'slather', + 'slathered', 'slathering', + 'slathers', + 'slatier', + 'slatiest', + 'slating', + 'slatings', + 'slats', + 'slatted', + 'slattern', 'slatternliness', 'slatternlinesses', 'slatternly', + 'slatterns', + 'slatting', + 'slattings', + 'slaty', + 'slaughter', 'slaughtered', 'slaughterer', 'slaughterers', @@ -55954,253 +140214,1304 @@ export const scrabble_array = [ 'slaughterous', 'slaughterously', 'slaughters', + 'slave', + 'slaved', 'slaveholder', 'slaveholders', 'slaveholding', 'slaveholdings', + 'slaver', + 'slavered', + 'slaverer', + 'slaverers', + 'slaveries', + 'slavering', + 'slavers', + 'slavery', + 'slaves', + 'slavey', + 'slaveys', + 'slaving', + 'slavish', + 'slavishly', 'slavishness', 'slavishnesses', 'slavocracies', 'slavocracy', + 'slaw', + 'slaws', + 'slay', + 'slayed', + 'slayer', + 'slayers', + 'slaying', + 'slays', + 'sleave', + 'sleaved', + 'sleaves', + 'sleaving', + 'sleaze', + 'sleazebag', 'sleazebags', 'sleazeball', 'sleazeballs', + 'sleazes', + 'sleazier', + 'sleaziest', + 'sleazily', 'sleaziness', 'sleazinesses', + 'sleazo', + 'sleazy', + 'sled', + 'sledded', + 'sledder', + 'sledders', + 'sledding', + 'sleddings', + 'sledge', + 'sledged', 'sledgehammer', 'sledgehammered', 'sledgehammering', 'sledgehammers', + 'sledges', + 'sledging', + 'sleds', + 'sleek', + 'sleeked', + 'sleeken', + 'sleekened', 'sleekening', + 'sleekens', + 'sleeker', + 'sleekest', + 'sleekier', + 'sleekiest', + 'sleeking', + 'sleekit', + 'sleekly', + 'sleekness', 'sleeknesses', + 'sleeks', + 'sleeky', + 'sleep', + 'sleeper', + 'sleepers', + 'sleepier', + 'sleepiest', + 'sleepily', 'sleepiness', 'sleepinesses', + 'sleeping', + 'sleepings', + 'sleepless', 'sleeplessly', 'sleeplessness', 'sleeplessnesses', + 'sleeplike', + 'sleepover', 'sleepovers', + 'sleeps', + 'sleepwalk', 'sleepwalked', 'sleepwalker', 'sleepwalkers', 'sleepwalking', 'sleepwalks', + 'sleepwear', + 'sleepy', 'sleepyhead', 'sleepyheads', + 'sleet', + 'sleeted', + 'sleetier', + 'sleetiest', + 'sleeting', + 'sleets', + 'sleety', + 'sleeve', + 'sleeved', 'sleeveless', + 'sleevelet', 'sleevelets', + 'sleeves', + 'sleeving', + 'sleigh', + 'sleighed', + 'sleigher', + 'sleighers', + 'sleighing', + 'sleighs', + 'sleight', + 'sleights', + 'slender', + 'slenderer', 'slenderest', 'slenderize', 'slenderized', 'slenderizes', 'slenderizing', + 'slenderly', 'slenderness', 'slendernesses', + 'slept', + 'sleuth', + 'sleuthed', 'sleuthhound', 'sleuthhounds', + 'sleuthing', + 'sleuths', + 'slew', + 'slewed', + 'slewing', + 'slews', + 'slice', + 'sliceable', + 'sliced', + 'slicer', + 'slicers', + 'slices', + 'slicing', + 'slick', + 'slicked', 'slickenside', 'slickensides', + 'slicker', + 'slickers', + 'slickest', + 'slicking', + 'slickly', + 'slickness', 'slicknesses', + 'slickrock', 'slickrocks', + 'slicks', + 'slid', + 'slidable', + 'slidden', + 'slide', + 'slider', + 'sliders', + 'slides', + 'slideway', + 'slideways', + 'sliding', + 'slier', + 'sliest', + 'slight', + 'slighted', + 'slighter', + 'slightest', + 'slighting', 'slightingly', + 'slightly', 'slightness', 'slightnesses', + 'slights', + 'slily', + 'slim', + 'slime', + 'slimeball', 'slimeballs', + 'slimed', + 'slimes', + 'slimier', + 'slimiest', + 'slimily', + 'sliminess', 'sliminesses', + 'sliming', + 'slimly', + 'slimmed', + 'slimmer', + 'slimmers', + 'slimmest', + 'slimming', 'slimnastics', + 'slimness', 'slimnesses', + 'slimpsier', 'slimpsiest', + 'slimpsy', + 'slims', + 'slimsier', + 'slimsiest', + 'slimsy', + 'slimy', + 'sling', + 'slinger', + 'slingers', + 'slinging', + 'slings', + 'slingshot', 'slingshots', + 'slink', + 'slinked', + 'slinkier', + 'slinkiest', + 'slinkily', 'slinkiness', 'slinkinesses', + 'slinking', + 'slinks', + 'slinky', + 'slip', + 'slipcase', + 'slipcased', + 'slipcases', + 'slipcover', 'slipcovers', + 'slipe', + 'sliped', + 'slipes', + 'slipform', 'slipformed', 'slipforming', + 'slipforms', + 'sliping', + 'slipknot', + 'slipknots', + 'slipless', + 'slipout', + 'slipouts', + 'slipover', + 'slipovers', + 'slippage', + 'slippages', + 'slipped', + 'slipper', + 'slippered', 'slipperier', 'slipperiest', 'slipperiness', 'slipperinesses', + 'slippers', + 'slippery', + 'slippier', + 'slippiest', + 'slipping', + 'slippy', + 'slips', + 'slipshod', + 'slipslop', + 'slipslops', + 'slipsole', + 'slipsoles', 'slipstream', 'slipstreamed', 'slipstreaming', 'slipstreams', + 'slipt', + 'slipup', + 'slipups', + 'slipware', + 'slipwares', + 'slipway', + 'slipways', + 'slit', + 'slither', + 'slithered', 'slithering', + 'slithers', + 'slithery', + 'slitless', + 'slits', + 'slitted', + 'slitter', + 'slitters', + 'slitting', + 'sliver', + 'slivered', + 'sliverer', + 'sliverers', + 'slivering', + 'slivers', + 'slivovic', 'slivovices', + 'slivovitz', 'slivovitzes', + 'slob', + 'slobber', + 'slobbered', + 'slobberer', 'slobberers', 'slobbering', + 'slobbers', + 'slobbery', + 'slobbier', + 'slobbiest', + 'slobbish', + 'slobby', + 'slobs', + 'sloe', + 'sloes', + 'slog', + 'slogan', + 'sloganeer', 'sloganeered', 'sloganeering', 'sloganeers', + 'sloganize', 'sloganized', 'sloganizes', 'sloganizing', + 'slogans', + 'slogged', + 'slogger', + 'sloggers', + 'slogging', + 'slogs', + 'sloid', + 'sloids', + 'slojd', + 'slojds', + 'sloop', + 'sloops', + 'slop', + 'slope', + 'sloped', + 'sloper', + 'slopers', + 'slopes', + 'sloping', + 'slopped', + 'sloppier', + 'sloppiest', + 'sloppily', 'sloppiness', 'sloppinesses', + 'slopping', + 'sloppy', + 'slops', + 'slopwork', + 'slopworks', + 'slosh', + 'sloshed', + 'sloshes', + 'sloshier', + 'sloshiest', + 'sloshing', + 'sloshy', + 'slot', + 'slotback', + 'slotbacks', + 'sloth', + 'slothful', 'slothfully', 'slothfulness', 'slothfulnesses', + 'sloths', + 'slots', + 'slotted', + 'slotting', + 'slouch', + 'slouched', + 'sloucher', + 'slouchers', + 'slouches', + 'slouchier', 'slouchiest', + 'slouchily', 'slouchiness', 'slouchinesses', + 'slouching', + 'slouchy', + 'slough', + 'sloughed', + 'sloughier', 'sloughiest', + 'sloughing', + 'sloughs', + 'sloughy', + 'sloven', 'slovenlier', 'slovenliest', 'slovenliness', 'slovenlinesses', + 'slovenly', + 'slovens', + 'slow', + 'slowdown', + 'slowdowns', + 'slowed', + 'slower', + 'slowest', + 'slowing', + 'slowish', + 'slowly', + 'slowness', 'slownesses', + 'slowpoke', + 'slowpokes', + 'slows', + 'slowworm', + 'slowworms', + 'sloyd', + 'sloyds', + 'slub', + 'slubbed', + 'slubber', + 'slubbered', 'slubbering', + 'slubbers', + 'slubbing', + 'slubbings', + 'slubs', + 'sludge', + 'sludges', + 'sludgier', + 'sludgiest', + 'sludgy', + 'slue', + 'slued', + 'slues', + 'sluff', + 'sluffed', + 'sluffing', + 'sluffs', + 'slug', + 'slugabed', + 'slugabeds', + 'slugfest', + 'slugfests', + 'sluggard', 'sluggardly', 'sluggardness', 'sluggardnesses', + 'sluggards', + 'slugged', + 'slugger', + 'sluggers', + 'slugging', + 'sluggish', 'sluggishly', 'sluggishness', 'sluggishnesses', + 'slugs', + 'sluice', + 'sluiced', + 'sluices', + 'sluiceway', 'sluiceways', + 'sluicing', + 'sluicy', + 'sluing', + 'slum', + 'slumber', + 'slumbered', + 'slumberer', 'slumberers', 'slumbering', 'slumberous', + 'slumbers', + 'slumbery', + 'slumbrous', 'slumgullion', 'slumgullions', + 'slumgum', + 'slumgums', + 'slumism', + 'slumisms', + 'slumlord', + 'slumlords', + 'slummed', + 'slummer', + 'slummers', + 'slummier', + 'slummiest', + 'slumming', + 'slummy', + 'slump', + 'slumped', 'slumpflation', 'slumpflations', + 'slumping', + 'slumps', + 'slums', + 'slung', + 'slungshot', 'slungshots', + 'slunk', + 'slur', + 'slurb', + 'slurban', + 'slurbs', + 'slurp', + 'slurped', + 'slurping', + 'slurps', + 'slurred', + 'slurried', + 'slurries', + 'slurring', + 'slurry', + 'slurrying', + 'slurs', + 'slush', + 'slushed', + 'slushes', + 'slushier', + 'slushiest', + 'slushily', 'slushiness', 'slushinesses', + 'slushing', + 'slushy', + 'slut', + 'sluts', + 'sluttier', + 'sluttiest', + 'sluttish', 'sluttishly', 'sluttishness', 'sluttishnesses', + 'slutty', + 'sly', + 'slyboots', + 'slyer', + 'slyest', + 'slyly', + 'slyness', + 'slynesses', + 'slype', + 'slypes', + 'smack', + 'smacked', + 'smacker', + 'smackers', + 'smacking', + 'smacks', + 'small', + 'smallage', + 'smallages', 'smallclothes', + 'smaller', + 'smallest', 'smallholder', 'smallholders', 'smallholding', 'smallholdings', + 'smallish', 'smallmouth', 'smallmouths', + 'smallness', 'smallnesses', + 'smallpox', 'smallpoxes', + 'smalls', 'smallsword', 'smallswords', + 'smalt', + 'smalti', + 'smaltine', + 'smaltines', + 'smaltite', + 'smaltites', + 'smalto', + 'smaltos', + 'smalts', + 'smaragd', + 'smaragde', + 'smaragdes', 'smaragdine', 'smaragdite', 'smaragdites', + 'smaragds', + 'smarm', + 'smarmier', + 'smarmiest', + 'smarmily', 'smarminess', 'smarminesses', + 'smarms', + 'smarmy', + 'smart', + 'smartass', 'smartasses', + 'smarted', + 'smarten', + 'smartened', 'smartening', + 'smartens', + 'smarter', + 'smartest', + 'smartie', + 'smarties', + 'smarting', + 'smartly', + 'smartness', 'smartnesses', + 'smarts', + 'smartweed', 'smartweeds', + 'smarty', + 'smash', + 'smashed', + 'smasher', + 'smashers', + 'smashes', + 'smashing', 'smashingly', + 'smashup', + 'smashups', + 'smatter', + 'smattered', + 'smatterer', 'smatterers', 'smattering', 'smatterings', + 'smatters', + 'smaze', + 'smazes', + 'smear', + 'smearcase', 'smearcases', + 'smeared', + 'smearer', + 'smearers', + 'smearier', + 'smeariest', + 'smearing', + 'smears', + 'smeary', + 'smectic', + 'smectite', + 'smectites', + 'smectitic', + 'smeddum', + 'smeddums', + 'smeek', + 'smeeked', + 'smeeking', + 'smeeks', + 'smegma', + 'smegmas', + 'smell', + 'smelled', + 'smeller', + 'smellers', + 'smellier', + 'smelliest', + 'smelling', + 'smells', + 'smelly', + 'smelt', + 'smelted', + 'smelter', 'smelteries', + 'smelters', + 'smeltery', + 'smelting', + 'smelts', + 'smerk', + 'smerked', + 'smerking', + 'smerks', + 'smew', + 'smews', + 'smidge', + 'smidgen', + 'smidgens', + 'smidgeon', + 'smidgeons', + 'smidges', + 'smidgin', + 'smidgins', + 'smiercase', 'smiercases', + 'smilax', + 'smilaxes', + 'smile', + 'smiled', + 'smileless', + 'smiler', + 'smilers', + 'smiles', + 'smiley', + 'smiling', + 'smilingly', + 'smirch', + 'smirched', + 'smirches', + 'smirching', + 'smirk', + 'smirked', + 'smirker', + 'smirkers', + 'smirkier', + 'smirkiest', + 'smirking', + 'smirks', + 'smirky', + 'smit', + 'smite', + 'smiter', + 'smiters', + 'smites', + 'smith', 'smithereens', 'smitheries', + 'smithers', + 'smithery', + 'smithies', + 'smiths', 'smithsonite', 'smithsonites', + 'smithy', + 'smiting', + 'smitten', + 'smock', + 'smocked', + 'smocking', + 'smockings', + 'smocks', + 'smog', + 'smoggier', + 'smoggiest', + 'smoggy', + 'smogless', + 'smogs', + 'smokable', + 'smoke', + 'smokeable', + 'smoked', 'smokehouse', 'smokehouses', + 'smokejack', 'smokejacks', + 'smokeless', + 'smokelike', + 'smokepot', + 'smokepots', + 'smoker', + 'smokers', + 'smokes', 'smokestack', 'smokestacks', + 'smokey', + 'smokier', + 'smokiest', + 'smokily', + 'smokiness', 'smokinesses', + 'smoking', + 'smoky', + 'smolder', + 'smoldered', 'smoldering', + 'smolders', + 'smolt', + 'smolts', + 'smooch', + 'smooched', + 'smooches', + 'smooching', + 'smoochy', + 'smooth', 'smoothbore', 'smoothbores', + 'smoothed', + 'smoothen', 'smoothened', 'smoothening', + 'smoothens', + 'smoother', + 'smoothers', + 'smoothes', + 'smoothest', + 'smoothie', + 'smoothies', + 'smoothing', + 'smoothly', 'smoothness', 'smoothnesses', + 'smooths', + 'smoothy', 'smorgasbord', 'smorgasbords', + 'smote', + 'smother', + 'smothered', 'smothering', + 'smothers', + 'smothery', + 'smoulder', 'smouldered', 'smouldering', + 'smoulders', + 'smudge', + 'smudged', + 'smudges', + 'smudgier', + 'smudgiest', + 'smudgily', 'smudginess', 'smudginesses', + 'smudging', + 'smudgy', + 'smug', + 'smugger', + 'smuggest', + 'smuggle', + 'smuggled', + 'smuggler', + 'smugglers', + 'smuggles', + 'smuggling', + 'smugly', + 'smugness', 'smugnesses', + 'smut', + 'smutch', + 'smutched', + 'smutches', + 'smutchier', 'smutchiest', + 'smutching', + 'smutchy', + 'smuts', + 'smutted', + 'smuttier', + 'smuttiest', + 'smuttily', 'smuttiness', 'smuttinesses', + 'smutting', + 'smutty', + 'snack', + 'snacked', + 'snacking', + 'snacks', + 'snaffle', + 'snaffled', + 'snaffles', + 'snaffling', + 'snafu', + 'snafued', + 'snafuing', + 'snafus', + 'snag', + 'snagged', + 'snaggier', + 'snaggiest', + 'snagging', 'snaggleteeth', 'snaggletooth', 'snaggletoothed', + 'snaggy', + 'snaglike', + 'snags', + 'snail', + 'snailed', + 'snailing', + 'snaillike', + 'snails', + 'snake', + 'snakebird', 'snakebirds', + 'snakebit', + 'snakebite', 'snakebites', 'snakebitten', + 'snaked', + 'snakelike', + 'snakeroot', 'snakeroots', + 'snakes', + 'snakeskin', 'snakeskins', + 'snakeweed', 'snakeweeds', + 'snakey', + 'snakier', + 'snakiest', + 'snakily', + 'snaking', + 'snaky', + 'snap', + 'snapback', + 'snapbacks', 'snapdragon', 'snapdragons', + 'snapless', + 'snapped', + 'snapper', + 'snappers', + 'snappier', + 'snappiest', + 'snappily', 'snappiness', 'snappinesses', + 'snapping', + 'snappish', 'snappishly', 'snappishness', 'snappishnesses', + 'snappy', + 'snaps', 'snapshooter', 'snapshooters', + 'snapshot', + 'snapshots', 'snapshotted', 'snapshotting', + 'snapweed', + 'snapweeds', + 'snare', + 'snared', + 'snarer', + 'snarers', + 'snares', + 'snaring', + 'snark', + 'snarkier', + 'snarkiest', + 'snarks', + 'snarky', + 'snarl', + 'snarled', + 'snarler', + 'snarlers', + 'snarlier', + 'snarliest', + 'snarling', + 'snarls', + 'snarly', + 'snash', + 'snashes', + 'snatch', + 'snatched', + 'snatcher', + 'snatchers', + 'snatches', + 'snatchier', 'snatchiest', + 'snatching', + 'snatchy', + 'snath', + 'snathe', + 'snathes', + 'snaths', + 'snaw', + 'snawed', + 'snawing', + 'snaws', + 'snazzier', + 'snazziest', + 'snazzy', + 'sneak', + 'sneaked', + 'sneaker', + 'sneakered', + 'sneakers', + 'sneakier', + 'sneakiest', + 'sneakily', 'sneakiness', 'sneakinesses', + 'sneaking', 'sneakingly', + 'sneaks', + 'sneaky', + 'sneap', + 'sneaped', + 'sneaping', + 'sneaps', + 'sneck', + 'snecks', + 'sned', + 'snedded', + 'snedding', + 'sneds', + 'sneer', + 'sneered', + 'sneerer', + 'sneerers', + 'sneerful', + 'sneering', + 'sneers', + 'sneesh', + 'sneeshes', + 'sneeze', + 'sneezed', + 'sneezer', + 'sneezers', + 'sneezes', 'sneezeweed', 'sneezeweeds', + 'sneezier', + 'sneeziest', + 'sneezing', + 'sneezy', + 'snell', + 'snelled', + 'sneller', + 'snellest', + 'snelling', + 'snells', + 'snib', + 'snibbed', + 'snibbing', + 'snibs', + 'snick', + 'snicked', + 'snicker', + 'snickered', + 'snickerer', 'snickerers', 'snickering', + 'snickers', 'snickersnee', 'snickersnees', + 'snickery', + 'snicking', + 'snicks', + 'snide', + 'snidely', + 'snideness', 'snidenesses', + 'snider', + 'snidest', + 'sniff', + 'sniffed', + 'sniffer', + 'sniffers', + 'sniffier', + 'sniffiest', + 'sniffily', 'sniffiness', 'sniffinesses', + 'sniffing', + 'sniffish', 'sniffishly', 'sniffishness', 'sniffishnesses', + 'sniffle', + 'sniffled', + 'sniffler', + 'snifflers', + 'sniffles', + 'sniffling', + 'sniffs', + 'sniffy', + 'snifter', + 'snifters', + 'snigger', + 'sniggered', + 'sniggerer', 'sniggerers', 'sniggering', + 'sniggers', + 'sniggle', + 'sniggled', + 'sniggler', + 'snigglers', + 'sniggles', + 'sniggling', + 'snip', + 'snipe', + 'sniped', + 'sniper', + 'snipers', 'sniperscope', 'sniperscopes', + 'snipes', + 'sniping', + 'snipped', + 'snipper', + 'snippers', 'snippersnapper', 'snippersnappers', + 'snippet', 'snippetier', 'snippetiest', + 'snippets', + 'snippety', + 'snippier', + 'snippiest', + 'snippily', + 'snipping', + 'snippy', + 'snips', + 'snit', + 'snitch', + 'snitched', + 'snitcher', + 'snitchers', + 'snitches', + 'snitching', + 'snits', + 'snivel', + 'sniveled', + 'sniveler', + 'snivelers', + 'sniveling', + 'snivelled', 'snivelling', + 'snivels', + 'snob', 'snobberies', + 'snobbery', + 'snobbier', + 'snobbiest', + 'snobbily', + 'snobbish', 'snobbishly', 'snobbishness', 'snobbishnesses', + 'snobbism', + 'snobbisms', + 'snobby', + 'snobs', + 'snog', + 'snogged', + 'snogging', + 'snogs', 'snollygoster', 'snollygosters', + 'snood', + 'snooded', + 'snooding', + 'snoods', + 'snook', + 'snooked', + 'snooker', + 'snookered', 'snookering', + 'snookers', + 'snooking', + 'snooks', + 'snool', + 'snooled', + 'snooling', + 'snools', + 'snoop', + 'snooped', + 'snooper', + 'snoopers', + 'snoopier', + 'snoopiest', + 'snoopily', + 'snooping', + 'snoops', + 'snoopy', + 'snoot', + 'snooted', + 'snootier', + 'snootiest', + 'snootily', 'snootiness', 'snootinesses', + 'snooting', + 'snoots', + 'snooty', + 'snooze', + 'snoozed', + 'snoozer', + 'snoozers', + 'snoozes', + 'snoozier', + 'snooziest', + 'snoozing', + 'snoozle', + 'snoozled', + 'snoozles', + 'snoozling', + 'snoozy', + 'snore', + 'snored', + 'snorer', + 'snorers', + 'snores', + 'snoring', + 'snorkel', + 'snorkeled', + 'snorkeler', 'snorkelers', 'snorkeling', + 'snorkels', + 'snort', + 'snorted', + 'snorter', + 'snorters', + 'snorting', + 'snorts', + 'snot', + 'snots', + 'snottier', + 'snottiest', + 'snottily', 'snottiness', 'snottinesses', + 'snotty', + 'snout', + 'snouted', + 'snoutier', + 'snoutiest', + 'snouting', + 'snoutish', + 'snouts', + 'snouty', + 'snow', + 'snowball', 'snowballed', 'snowballing', + 'snowballs', + 'snowbank', + 'snowbanks', + 'snowbell', + 'snowbells', + 'snowbelt', + 'snowbelts', 'snowberries', + 'snowberry', + 'snowbird', + 'snowbirds', 'snowblower', 'snowblowers', + 'snowboard', 'snowboarder', 'snowboarders', 'snowboarding', 'snowboardings', 'snowboards', + 'snowbound', + 'snowbrush', 'snowbrushes', + 'snowbush', 'snowbushes', + 'snowcap', 'snowcapped', + 'snowcaps', + 'snowdrift', 'snowdrifts', + 'snowdrop', + 'snowdrops', + 'snowed', + 'snowfall', + 'snowfalls', + 'snowfield', 'snowfields', + 'snowflake', 'snowflakes', + 'snowier', + 'snowiest', + 'snowily', + 'snowiness', 'snowinesses', + 'snowing', + 'snowland', + 'snowlands', + 'snowless', + 'snowlike', + 'snowmaker', 'snowmakers', 'snowmaking', + 'snowman', + 'snowmelt', + 'snowmelts', + 'snowmen', 'snowmobile', 'snowmobiler', 'snowmobilers', @@ -56209,52 +141520,201 @@ export const scrabble_array = [ 'snowmobilings', 'snowmobilist', 'snowmobilists', + 'snowmold', + 'snowmolds', + 'snowpack', + 'snowpacks', + 'snowplow', 'snowplowed', 'snowplowing', + 'snowplows', + 'snows', + 'snowscape', 'snowscapes', + 'snowshed', + 'snowsheds', + 'snowshoe', + 'snowshoed', 'snowshoeing', + 'snowshoer', 'snowshoers', + 'snowshoes', + 'snowslide', 'snowslides', + 'snowstorm', 'snowstorms', + 'snowsuit', + 'snowsuits', + 'snowy', + 'snub', + 'snubbed', + 'snubber', + 'snubbers', + 'snubbier', + 'snubbiest', 'snubbiness', 'snubbinesses', + 'snubbing', + 'snubby', + 'snubness', 'snubnesses', + 'snubs', + 'snuck', + 'snuff', + 'snuffbox', 'snuffboxes', + 'snuffed', + 'snuffer', + 'snuffers', + 'snuffier', + 'snuffiest', + 'snuffily', + 'snuffing', + 'snuffle', + 'snuffled', + 'snuffler', + 'snufflers', + 'snuffles', + 'snufflier', 'snuffliest', + 'snuffling', + 'snuffly', + 'snuffs', + 'snuffy', + 'snug', + 'snugged', + 'snugger', 'snuggeries', + 'snuggery', + 'snuggest', + 'snuggies', + 'snugging', + 'snuggle', + 'snuggled', + 'snuggles', + 'snuggling', + 'snugly', + 'snugness', 'snugnesses', + 'snugs', + 'snye', + 'snyes', + 'so', + 'soak', + 'soakage', + 'soakages', + 'soaked', + 'soaker', + 'soakers', + 'soaking', + 'soaks', + 'soap', + 'soapbark', + 'soapbarks', 'soapberries', + 'soapberry', + 'soapbox', + 'soapboxes', + 'soaped', + 'soaper', + 'soapers', + 'soapier', + 'soapiest', + 'soapily', + 'soapiness', 'soapinesses', + 'soaping', + 'soapless', + 'soaplike', + 'soaps', + 'soapstone', 'soapstones', + 'soapsuds', + 'soapwort', + 'soapworts', + 'soapy', + 'soar', + 'soared', + 'soarer', + 'soarers', + 'soaring', + 'soarings', + 'soars', + 'soave', + 'soaves', + 'sob', + 'sobbed', + 'sobber', + 'sobbers', + 'sobbing', + 'sobeit', + 'sober', + 'sobered', + 'soberer', + 'soberest', + 'sobering', + 'soberize', + 'soberized', + 'soberizes', 'soberizing', + 'soberly', + 'soberness', 'sobernesses', + 'sobers', 'sobersided', 'sobersidedness', 'sobersidednesses', 'sobersides', + 'sobful', 'sobrieties', + 'sobriety', + 'sobriquet', 'sobriquets', + 'sobs', + 'socage', + 'socager', + 'socagers', + 'socages', + 'soccage', + 'soccages', + 'soccer', + 'soccers', 'sociabilities', 'sociability', + 'sociable', 'sociableness', 'sociablenesses', + 'sociables', + 'sociably', + 'social', + 'socialise', 'socialised', 'socialises', 'socialising', + 'socialism', 'socialisms', + 'socialist', 'socialistic', 'socialistically', 'socialists', + 'socialite', 'socialites', 'socialities', + 'sociality', 'socialization', 'socializations', + 'socialize', 'socialized', 'socializer', 'socializers', 'socializes', 'socializing', + 'socially', + 'socials', + 'societal', 'societally', + 'societies', + 'society', 'sociobiological', 'sociobiologies', 'sociobiologist', @@ -56264,6 +141724,7 @@ export const scrabble_array = [ 'socioculturally', 'socioeconomic', 'socioeconomically', + 'sociogram', 'sociograms', 'sociohistorical', 'sociolinguist', @@ -56278,79 +141739,304 @@ export const scrabble_array = [ 'sociologies', 'sociologist', 'sociologists', + 'sociology', 'sociometric', 'sociometries', 'sociometry', + 'sociopath', 'sociopathic', 'sociopaths', 'sociopolitical', 'sociopsychological', 'socioreligious', 'sociosexual', + 'sock', 'sockdolager', 'sockdolagers', 'sockdologer', 'sockdologers', + 'socked', + 'socket', + 'socketed', + 'socketing', + 'sockets', + 'sockeye', + 'sockeyes', + 'socking', + 'sockless', + 'sockman', + 'sockmen', + 'socko', + 'socks', + 'socle', + 'socles', + 'socman', + 'socmen', + 'sod', + 'soda', + 'sodaless', + 'sodalist', + 'sodalists', + 'sodalite', + 'sodalites', 'sodalities', + 'sodality', + 'sodamide', + 'sodamides', + 'sodas', + 'sodbuster', 'sodbusters', + 'sodded', + 'sodden', + 'soddened', + 'soddening', + 'soddenly', 'soddenness', 'soddennesses', + 'soddens', + 'soddies', + 'sodding', + 'soddy', + 'sodic', + 'sodium', + 'sodiums', + 'sodom', + 'sodomies', + 'sodomist', + 'sodomists', + 'sodomite', + 'sodomites', + 'sodomitic', 'sodomitical', + 'sodomize', + 'sodomized', + 'sodomizes', 'sodomizing', + 'sodoms', + 'sodomy', + 'sods', + 'soever', + 'sofa', + 'sofar', + 'sofars', + 'sofas', + 'soffit', + 'soffits', + 'soft', + 'softa', + 'softas', + 'softback', + 'softbacks', + 'softball', 'softballer', 'softballers', + 'softballs', + 'softbound', + 'softcover', 'softcovers', + 'soften', + 'softened', + 'softener', + 'softeners', + 'softening', + 'softens', + 'softer', + 'softest', + 'softhead', 'softheaded', 'softheadedly', 'softheadedness', 'softheadednesses', + 'softheads', 'softhearted', 'softheartedly', 'softheartedness', 'softheartednesses', + 'softie', + 'softies', + 'softish', + 'softly', + 'softness', 'softnesses', + 'softs', + 'softshell', 'softshells', + 'software', + 'softwares', + 'softwood', + 'softwoods', + 'softy', + 'sogged', + 'soggier', + 'soggiest', + 'soggily', + 'sogginess', 'sogginesses', + 'soggy', + 'soigne', + 'soignee', + 'soil', + 'soilage', + 'soilages', + 'soilborne', + 'soiled', + 'soiling', + 'soilless', + 'soils', + 'soilure', + 'soilures', + 'soiree', + 'soirees', + 'soja', + 'sojas', + 'sojourn', + 'sojourned', + 'sojourner', 'sojourners', 'sojourning', + 'sojourns', + 'soke', + 'sokeman', + 'sokemen', + 'sokes', + 'sokol', + 'sokols', + 'sol', + 'sola', + 'solace', + 'solaced', 'solacement', 'solacements', + 'solacer', + 'solacers', + 'solaces', + 'solacing', + 'solan', 'solanaceous', + 'soland', + 'solander', + 'solanders', + 'solands', + 'solanin', + 'solanine', + 'solanines', + 'solanins', + 'solano', + 'solanos', + 'solans', + 'solanum', + 'solanums', + 'solar', + 'solaria', + 'solarise', + 'solarised', + 'solarises', 'solarising', + 'solarism', + 'solarisms', + 'solarium', + 'solariums', 'solarization', 'solarizations', + 'solarize', + 'solarized', + 'solarizes', 'solarizing', + 'solate', + 'solated', + 'solates', + 'solatia', + 'solating', + 'solation', + 'solations', + 'solatium', + 'sold', + 'soldan', + 'soldans', + 'solder', 'solderabilities', 'solderability', + 'soldered', + 'solderer', + 'solderers', + 'soldering', + 'solders', + 'soldi', + 'soldier', + 'soldiered', 'soldieries', 'soldiering', 'soldierings', + 'soldierly', + 'soldiers', 'soldiership', 'soldierships', + 'soldiery', + 'soldo', + 'sole', + 'solecise', + 'solecised', + 'solecises', 'solecising', + 'solecism', + 'solecisms', + 'solecist', 'solecistic', + 'solecists', + 'solecize', + 'solecized', + 'solecizes', 'solecizing', + 'soled', + 'solei', + 'soleless', + 'solely', + 'solemn', + 'solemner', + 'solemnest', 'solemnified', 'solemnifies', + 'solemnify', 'solemnifying', 'solemnities', + 'solemnity', 'solemnization', 'solemnizations', + 'solemnize', 'solemnized', 'solemnizes', 'solemnizing', + 'solemnly', 'solemnness', 'solemnnesses', + 'soleness', 'solenesses', + 'solenoid', 'solenoidal', + 'solenoids', + 'soleplate', 'soleplates', + 'soleret', + 'solerets', + 'soles', + 'soleus', + 'solfatara', 'solfataras', + 'solfege', + 'solfeges', + 'solfeggi', + 'solfeggio', 'solfeggios', + 'solgel', + 'soli', + 'solicit', 'solicitant', 'solicitants', 'solicitation', 'solicitations', + 'solicited', 'soliciting', + 'solicitor', 'solicitors', 'solicitorship', 'solicitorships', @@ -56358,8 +142044,12 @@ export const scrabble_array = [ 'solicitously', 'solicitousness', 'solicitousnesses', + 'solicits', 'solicitude', 'solicitudes', + 'solid', + 'solidago', + 'solidagos', 'solidarism', 'solidarisms', 'solidarist', @@ -56367,13 +142057,23 @@ export const scrabble_array = [ 'solidarists', 'solidarities', 'solidarity', + 'solidary', + 'solider', + 'solidest', + 'solidi', 'solidification', 'solidifications', 'solidified', 'solidifies', + 'solidify', 'solidifying', 'solidities', + 'solidity', + 'solidly', + 'solidness', 'solidnesses', + 'solids', + 'solidus', 'solifluction', 'solifluctions', 'soliloquies', @@ -56389,23 +142089,53 @@ export const scrabble_array = [ 'soliloquizers', 'soliloquizes', 'soliloquizing', + 'soliloquy', + 'soling', + 'solion', + 'solions', + 'solipsism', 'solipsisms', + 'solipsist', 'solipsistic', 'solipsistically', 'solipsists', + 'soliquid', + 'soliquids', + 'solitaire', 'solitaires', 'solitaries', 'solitarily', 'solitariness', 'solitarinesses', + 'solitary', + 'soliton', + 'solitons', + 'solitude', + 'solitudes', 'solitudinarian', 'solitudinarians', + 'solleret', + 'sollerets', 'solmization', 'solmizations', + 'solo', + 'soloed', + 'soloing', + 'soloist', + 'soloists', + 'solon', + 'solonchak', 'solonchaks', + 'solonets', 'solonetses', + 'solonetz', 'solonetzes', 'solonetzic', + 'solons', + 'solos', + 'sols', + 'solstice', + 'solstices', 'solstitial', 'solubilise', 'solubilised', @@ -56419,14 +142149,44 @@ export const scrabble_array = [ 'solubilized', 'solubilizes', 'solubilizing', + 'soluble', + 'solubles', + 'solubly', + 'solum', + 'solums', + 'solus', + 'solute', + 'solutes', + 'solution', + 'solutions', 'solvabilities', 'solvability', + 'solvable', + 'solvate', + 'solvated', + 'solvates', + 'solvating', + 'solvation', 'solvations', + 'solve', + 'solved', 'solvencies', + 'solvency', + 'solvent', 'solventless', + 'solvently', + 'solvents', + 'solver', + 'solvers', + 'solves', + 'solving', 'solvolyses', 'solvolysis', 'solvolytic', + 'soma', + 'somas', + 'somata', + 'somatic', 'somatically', 'somatological', 'somatologies', @@ -56444,19 +142204,51 @@ export const scrabble_array = [ 'somatotropins', 'somatotype', 'somatotypes', + 'somber', + 'somberly', 'somberness', 'sombernesses', + 'sombre', + 'sombrely', + 'sombrero', + 'sombreros', + 'sombrous', + 'some', 'somebodies', + 'somebody', + 'someday', + 'somedeal', + 'somehow', + 'someone', + 'someones', + 'someplace', 'somersault', 'somersaulted', 'somersaulting', 'somersaults', + 'somerset', 'somerseted', 'somerseting', + 'somersets', 'somersetted', 'somersetting', + 'something', + 'sometime', + 'sometimes', + 'someway', + 'someways', + 'somewhat', + 'somewhats', + 'somewhen', + 'somewhere', 'somewheres', 'somewhither', + 'somewise', + 'somital', + 'somite', + 'somites', + 'somitic', + 'sommelier', 'sommeliers', 'somnambulant', 'somnambulate', @@ -56476,43 +142268,157 @@ export const scrabble_array = [ 'somniferous', 'somnolence', 'somnolences', + 'somnolent', 'somnolently', + 'son', + 'sonance', + 'sonances', + 'sonant', + 'sonantal', + 'sonantic', + 'sonants', + 'sonar', + 'sonarman', + 'sonarmen', + 'sonars', + 'sonata', + 'sonatas', + 'sonatina', + 'sonatinas', + 'sonatine', + 'sonde', + 'sonder', + 'sonders', + 'sondes', + 'sone', + 'sones', + 'song', + 'songbird', + 'songbirds', + 'songbook', + 'songbooks', + 'songfest', + 'songfests', + 'songful', + 'songfully', 'songfulness', 'songfulnesses', + 'songless', 'songlessly', + 'songlike', + 'songs', + 'songsmith', 'songsmiths', + 'songster', + 'songsters', 'songstress', 'songstresses', 'songwriter', 'songwriters', 'songwriting', 'songwritings', + 'sonhood', + 'sonhoods', + 'sonic', + 'sonically', + 'sonicate', + 'sonicated', + 'sonicates', 'sonicating', 'sonication', 'sonications', + 'sonics', + 'sonless', + 'sonlike', + 'sonly', + 'sonnet', + 'sonneted', + 'sonneteer', 'sonneteering', 'sonneteerings', 'sonneteers', + 'sonneting', + 'sonnets', + 'sonnetted', 'sonnetting', + 'sonnies', + 'sonny', + 'sonobuoy', + 'sonobuoys', + 'sonogram', + 'sonograms', 'sonographer', 'sonographers', 'sonographies', 'sonography', + 'sonorant', + 'sonorants', 'sonorities', + 'sonority', + 'sonorous', 'sonorously', 'sonorousness', 'sonorousnesses', + 'sonovox', + 'sonovoxes', + 'sons', + 'sonship', + 'sonships', + 'sonsie', + 'sonsier', + 'sonsiest', + 'sonsy', + 'soochong', + 'soochongs', + 'sooey', + 'sook', + 'sooks', + 'soon', + 'sooner', + 'sooners', + 'soonest', + 'soot', + 'sooted', + 'sooth', + 'soothe', + 'soothed', + 'soother', + 'soothers', + 'soothes', + 'soothest', + 'soothfast', + 'soothing', 'soothingly', 'soothingness', 'soothingnesses', + 'soothly', + 'sooths', + 'soothsaid', + 'soothsay', 'soothsayer', 'soothsayers', 'soothsaying', 'soothsayings', + 'soothsays', + 'sootier', + 'sootiest', + 'sootily', + 'sootiness', 'sootinesses', + 'sooting', + 'soots', + 'sooty', + 'sop', 'sopaipilla', 'sopaipillas', + 'sopapilla', 'sopapillas', + 'soph', + 'sophies', + 'sophism', + 'sophisms', + 'sophist', + 'sophistic', 'sophistical', 'sophistically', 'sophisticate', @@ -56523,68 +142429,297 @@ export const scrabble_array = [ 'sophistication', 'sophistications', 'sophistries', + 'sophistry', + 'sophists', + 'sophomore', 'sophomores', 'sophomoric', + 'sophs', + 'sophy', + 'sopite', + 'sopited', + 'sopites', + 'sopiting', + 'sopor', 'soporiferous', 'soporiferousness', 'soporiferousnesses', + 'soporific', 'soporifics', + 'sopors', + 'sopped', + 'soppier', + 'soppiest', + 'soppiness', 'soppinesses', + 'sopping', + 'soppy', + 'soprani', + 'sopranino', 'sopraninos', + 'soprano', + 'sopranos', + 'sops', + 'sora', + 'soras', + 'sorb', 'sorbabilities', 'sorbability', + 'sorbable', + 'sorbate', + 'sorbates', + 'sorbed', + 'sorbent', + 'sorbents', + 'sorbet', + 'sorbets', + 'sorbic', + 'sorbing', + 'sorbitol', + 'sorbitols', + 'sorbose', + 'sorboses', + 'sorbs', + 'sorcerer', + 'sorcerers', + 'sorceress', 'sorceresses', + 'sorceries', + 'sorcerous', + 'sorcery', + 'sord', + 'sordid', + 'sordidly', 'sordidness', 'sordidnesses', + 'sordine', + 'sordines', + 'sordini', + 'sordino', + 'sordor', + 'sordors', + 'sords', + 'sore', + 'sorehead', 'soreheaded', + 'soreheads', + 'sorel', + 'sorels', + 'sorely', + 'soreness', 'sorenesses', + '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', + 'sororates', 'sororities', + 'sorority', + 'soroses', + 'sorosis', + 'sorosises', + 'sorption', + 'sorptions', + 'sorptive', + 'sorrel', + 'sorrels', + 'sorrier', + 'sorriest', + 'sorrily', + 'sorriness', 'sorrinesses', + 'sorrow', + 'sorrowed', + 'sorrower', + 'sorrowers', + 'sorrowful', 'sorrowfully', 'sorrowfulness', 'sorrowfulnesses', + 'sorrowing', + 'sorrows', + 'sorry', + 'sort', + 'sortable', + 'sortably', + 'sorted', + 'sorter', + 'sorters', + 'sortie', + 'sortied', + 'sortieing', + 'sorties', + 'sortilege', 'sortileges', + 'sorting', + 'sortition', 'sortitions', + 'sorts', + 'sorus', + 'sos', + 'sostenuti', + 'sostenuto', 'sostenutos', + 'sot', 'soteriological', 'soteriologies', 'soteriology', + 'soth', + 'soths', + 'sotol', + 'sotols', + 'sots', + 'sotted', + 'sottish', + 'sottishly', 'sottishness', 'sottishnesses', + 'sou', + 'souari', + 'souaris', + 'soubise', + 'soubises', + 'soubrette', 'soubrettes', 'soubriquet', 'soubriquets', + 'soucar', + 'soucars', + 'souchong', + 'souchongs', + 'soudan', + 'soudans', + 'souffle', + 'souffled', + 'souffleed', + 'souffles', + 'sough', + 'soughed', + 'soughing', + 'soughs', + 'sought', + 'souk', + 'souks', + 'soul', + 'souled', + 'soulful', + 'soulfully', 'soulfulness', 'soulfulnesses', + 'soulless', 'soullessly', 'soullessness', 'soullessnesses', + 'soullike', + 'souls', + 'sound', + 'soundable', 'soundalike', 'soundalikes', 'soundboard', 'soundboards', + 'soundbox', 'soundboxes', + 'sounded', + 'sounder', + 'sounders', + 'soundest', + 'sounding', 'soundingly', + 'soundings', + 'soundless', 'soundlessly', + 'soundly', + 'soundman', + 'soundmen', + 'soundness', 'soundnesses', 'soundproof', 'soundproofed', 'soundproofing', 'soundproofs', + 'sounds', 'soundstage', 'soundstages', 'soundtrack', 'soundtracks', + 'soup', + 'soupcon', + 'soupcons', + 'souped', + 'soupier', + 'soupiest', + 'souping', + 'soups', + 'soupspoon', 'soupspoons', + 'soupy', + 'sour', + 'sourball', + 'sourballs', + 'source', 'sourcebook', 'sourcebooks', + 'sourced', 'sourceless', + 'sources', + 'sourcing', + 'sourdine', + 'sourdines', + 'sourdough', 'sourdoughs', + 'soured', + 'sourer', + 'sourest', + 'souring', + 'sourish', + 'sourly', + 'sourness', 'sournesses', + 'sourpuss', 'sourpusses', + 'sours', + 'soursop', + 'soursops', + 'sourwood', + 'sourwoods', + 'sous', 'sousaphone', 'sousaphones', + 'souse', + 'soused', + 'souses', + 'sousing', + 'soutache', + 'soutaches', + 'soutane', + 'soutanes', + 'souter', + 'souters', + 'south', 'southbound', + 'southeast', 'southeaster', 'southeasterly', 'southeastern', @@ -56593,16 +142728,32 @@ export const scrabble_array = [ 'southeasts', 'southeastward', 'southeastwards', + 'southed', + 'souther', 'southerlies', + 'southerly', + 'southern', 'southerner', 'southerners', 'southernmost', 'southernness', 'southernnesses', + 'southerns', 'southernwood', 'southernwoods', + 'southers', + 'southing', + 'southings', + 'southland', 'southlands', + 'southpaw', + 'southpaws', + 'southron', + 'southrons', + 'souths', + 'southward', 'southwards', + 'southwest', 'southwester', 'southwesterly', 'southwestern', @@ -56611,88 +142762,387 @@ export const scrabble_array = [ 'southwests', 'southwestward', 'southwestwards', + 'souvenir', + 'souvenirs', + 'souvlaki', + 'souvlakia', 'souvlakias', + 'souvlakis', + 'sovereign', 'sovereignly', 'sovereigns', 'sovereignties', 'sovereignty', + 'soviet', + 'sovietism', 'sovietisms', 'sovietization', 'sovietizations', + 'sovietize', 'sovietized', 'sovietizes', 'sovietizing', + 'soviets', + 'sovkhoz', + 'sovkhozes', + 'sovkhozy', + 'sovran', + 'sovranly', + 'sovrans', 'sovranties', + 'sovranty', + 'sow', + 'sowable', + 'sowans', + 'sowar', + 'sowars', 'sowbellies', + 'sowbelly', + 'sowbread', + 'sowbreads', + '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', + 'spaceband', 'spacebands', 'spacecraft', 'spacecrafts', + 'spaced', 'spaceflight', 'spaceflights', + 'spaceless', + 'spaceman', + 'spacemen', + 'spaceport', 'spaceports', + 'spacer', + 'spacers', + 'spaces', + 'spaceship', 'spaceships', + 'spacesuit', 'spacesuits', + 'spacewalk', 'spacewalked', 'spacewalker', 'spacewalkers', 'spacewalking', 'spacewalks', + 'spaceward', + 'spacey', + 'spacial', + 'spacier', + 'spaciest', + 'spacing', + 'spacings', + 'spacious', 'spaciously', 'spaciousness', 'spaciousnesses', + 'spackle', + 'spackled', + 'spackles', + 'spackling', + 'spacy', + 'spade', + 'spaded', + 'spadefish', 'spadefishes', + 'spadeful', + 'spadefuls', + 'spader', + 'spaders', + 'spades', + 'spadework', 'spadeworks', + 'spadices', + 'spadille', + 'spadilles', + 'spading', + 'spadix', + 'spadixes', + 'spado', + 'spadones', + 'spae', + 'spaed', + 'spaeing', + 'spaeings', + 'spaes', + 'spaetzle', + 'spaetzles', + 'spaghetti', 'spaghettilike', 'spaghettini', 'spaghettinis', 'spaghettis', + 'spagyric', + 'spagyrics', + 'spahee', + 'spahees', + 'spahi', + 'spahis', + 'spail', + 'spails', + 'spait', + 'spaits', + 'spake', + 'spale', + 'spales', + 'spall', + 'spallable', 'spallation', 'spallations', + 'spalled', + 'spaller', + 'spallers', + 'spalling', + 'spalls', + 'spalpeen', + 'spalpeens', + 'span', 'spanakopita', 'spanakopitas', + 'spancel', + 'spanceled', 'spanceling', 'spancelled', 'spancelling', + 'spancels', + 'spandex', + 'spandexes', + 'spandrel', + 'spandrels', + 'spandril', + 'spandrils', + 'spang', + 'spangle', + 'spangled', + 'spangles', + 'spanglier', 'spangliest', + 'spangling', + 'spangly', + 'spaniel', + 'spaniels', + 'spank', + 'spanked', + 'spanker', + 'spankers', + 'spanking', + 'spankings', + 'spanks', + 'spanless', + 'spanned', + 'spanner', + 'spanners', + 'spanning', 'spanokopita', 'spanokopitas', + 'spans', + 'spanworm', + 'spanworms', + 'spar', + 'sparable', + 'sparables', + 'spare', + 'spareable', + 'spared', + 'sparely', + 'spareness', 'sparenesses', + 'sparer', + 'sparerib', + 'spareribs', + 'sparers', + 'spares', + 'sparest', + 'sparge', + 'sparged', + 'sparger', + 'spargers', + 'sparges', + 'sparging', + 'sparid', + 'sparids', + 'sparing', + 'sparingly', + 'spark', + 'sparked', + 'sparker', + 'sparkers', + 'sparkier', + 'sparkiest', + 'sparkily', + 'sparking', + 'sparkish', + 'sparkle', + 'sparkled', + 'sparkler', + 'sparklers', + 'sparkles', + 'sparklier', 'sparkliest', + 'sparkling', + 'sparkly', + 'sparkplug', 'sparkplugged', 'sparkplugging', 'sparkplugs', + 'sparks', + 'sparky', + 'sparlike', + 'sparling', + 'sparlings', + 'sparoid', + 'sparoids', + 'sparred', + 'sparrier', + 'sparriest', + 'sparring', + 'sparrow', 'sparrowlike', + 'sparrows', + 'sparry', + 'spars', + 'sparse', + 'sparsely', 'sparseness', 'sparsenesses', + 'sparser', + 'sparsest', 'sparsities', + 'sparsity', + 'spartan', + 'sparteine', 'sparteines', + 'spas', + 'spasm', + 'spasmodic', 'spasmodically', 'spasmolytic', 'spasmolytics', + 'spasms', + 'spastic', 'spastically', 'spasticities', 'spasticity', + 'spastics', + 'spat', + 'spate', + 'spates', + 'spathal', + 'spathe', + 'spathed', + 'spathes', + 'spathic', + 'spathose', 'spathulate', + 'spatial', 'spatialities', 'spatiality', + 'spatially', 'spatiotemporal', 'spatiotemporally', + 'spats', + 'spatted', + 'spatter', 'spatterdock', 'spatterdocks', + 'spattered', 'spattering', + 'spatters', + 'spatting', + 'spatula', + 'spatular', + 'spatulas', + 'spatulate', + 'spatzle', + 'spavie', + 'spavies', + 'spaviet', + 'spavin', + 'spavined', + 'spavins', + 'spawn', + 'spawned', + 'spawner', + 'spawners', + 'spawning', + 'spawns', + 'spay', + 'spayed', + 'spaying', + 'spays', + 'spaz', + 'spazzes', + 'speak', + 'speakable', 'speakeasies', + 'speakeasy', + 'speaker', 'speakerphone', 'speakerphones', + 'speakers', 'speakership', 'speakerships', + 'speaking', + 'speakings', + 'speaks', + 'spean', + 'speaned', + 'speaning', + 'speans', + 'spear', + 'speared', + 'spearer', + 'spearers', + 'spearfish', 'spearfished', 'spearfishes', 'spearfishing', + 'speargun', + 'spearguns', + 'spearhead', 'spearheaded', 'spearheading', 'spearheads', + 'spearing', + 'spearman', + 'spearmen', + 'spearmint', 'spearmints', + 'spears', + 'spearwort', 'spearworts', + 'spec', + 'specced', + 'speccing', + 'special', + 'specialer', 'specialest', 'specialisation', 'specialisations', @@ -56713,41 +143163,78 @@ export const scrabble_array = [ 'specialized', 'specializes', 'specializing', + 'specially', 'specialness', 'specialnesses', + 'specials', 'specialties', + 'specialty', + 'speciate', + 'speciated', + 'speciates', 'speciating', 'speciation', 'speciational', 'speciations', + 'specie', + 'species', 'speciesism', 'speciesisms', 'specifiable', + 'specific', 'specifically', 'specification', 'specifications', 'specificities', 'specificity', + 'specifics', + 'specified', + 'specifier', 'specifiers', + 'specifies', + 'specify', 'specifying', + 'specimen', + 'specimens', 'speciosities', 'speciosity', + 'specious', 'speciously', 'speciousness', 'speciousnesses', + 'speck', + 'specked', + 'specking', + 'speckle', + 'speckled', + 'speckles', + 'speckling', + 'specks', + 'specs', + 'spectacle', 'spectacled', 'spectacles', 'spectacular', 'spectacularly', 'spectaculars', + 'spectate', + 'spectated', + 'spectates', 'spectating', + 'spectator', 'spectatorial', 'spectators', 'spectatorship', 'spectatorships', + 'specter', + 'specters', 'spectinomycin', 'spectinomycins', + 'spectra', + 'spectral', 'spectrally', + 'spectre', + 'spectres', 'spectrofluorimeter', 'spectrofluorimeters', 'spectrofluorometer', @@ -56791,9 +143278,14 @@ export const scrabble_array = [ 'spectroscopist', 'spectroscopists', 'spectroscopy', + 'spectrum', + 'spectrums', + 'specula', + 'specular', 'specularities', 'specularity', 'specularly', + 'speculate', 'speculated', 'speculates', 'speculating', @@ -56803,8 +143295,14 @@ export const scrabble_array = [ 'speculatively', 'speculator', 'speculators', + 'speculum', + 'speculums', + 'sped', + 'speech', + 'speeches', 'speechified', 'speechifies', + 'speechify', 'speechifying', 'speechless', 'speechlessly', @@ -56812,43 +143310,123 @@ export const scrabble_array = [ 'speechlessnesses', 'speechwriter', 'speechwriters', + 'speed', + 'speedball', 'speedballed', 'speedballing', 'speedballs', + 'speedboat', 'speedboating', 'speedboatings', 'speedboats', + 'speeded', + 'speeder', + 'speeders', + 'speedier', + 'speediest', + 'speedily', 'speediness', 'speedinesses', + 'speeding', + 'speedings', + 'speedo', 'speedometer', 'speedometers', + 'speedos', + 'speeds', + 'speedster', 'speedsters', + 'speedup', + 'speedups', + 'speedway', + 'speedways', + 'speedwell', 'speedwells', + 'speedy', + 'speel', + 'speeled', + 'speeling', + 'speels', + 'speer', + 'speered', + 'speering', + 'speerings', + 'speers', + 'speil', + 'speiled', + 'speiling', + 'speils', + 'speir', + 'speired', + 'speiring', + 'speirs', + 'speise', + 'speises', + 'speiss', + 'speisses', + 'spelaean', + 'spelean', 'speleological', 'speleologies', 'speleologist', 'speleologists', 'speleology', + 'spell', + 'spellbind', 'spellbinder', 'spellbinders', 'spellbinding', 'spellbindingly', 'spellbinds', 'spellbound', + 'spelled', + 'speller', + 'spellers', + 'spelling', + 'spellings', + 'spells', + 'spelt', + 'spelter', + 'spelters', + 'spelts', + 'speltz', + 'speltzes', + 'spelunk', + 'spelunked', + 'spelunker', 'spelunkers', 'spelunking', 'spelunkings', + 'spelunks', + 'spence', + 'spencer', + 'spencers', + 'spences', + 'spend', + 'spendable', + 'spender', + 'spenders', + 'spending', + 'spends', 'spendthrift', 'spendthrifts', + 'spense', + 'spenses', + 'spent', + 'sperm', 'spermaceti', 'spermacetis', 'spermagonia', 'spermagonium', 'spermaries', + 'spermary', 'spermatheca', 'spermathecae', 'spermathecas', + 'spermatia', 'spermatial', + 'spermatic', + 'spermatid', 'spermatids', 'spermatium', 'spermatocyte', @@ -56871,99 +143449,347 @@ export const scrabble_array = [ 'spermatozoid', 'spermatozoids', 'spermatozoon', + 'spermic', 'spermicidal', 'spermicide', 'spermicides', + 'spermine', + 'spermines', 'spermiogeneses', 'spermiogenesis', 'spermophile', 'spermophiles', + 'spermous', + 'sperms', 'sperrylite', 'sperrylites', 'spessartine', 'spessartines', 'spessartite', 'spessartites', + 'spew', + 'spewed', + 'spewer', + 'spewers', + 'spewing', + 'spews', + 'sphagnous', + 'sphagnum', + 'sphagnums', 'sphalerite', 'sphalerites', + 'sphene', + 'sphenes', + 'sphenic', + 'sphenodon', 'sphenodons', 'sphenodont', + 'sphenoid', 'sphenoidal', + 'sphenoids', 'sphenopsid', 'sphenopsids', + 'spheral', + 'sphere', + 'sphered', + 'spheres', + 'spheric', + 'spherical', 'spherically', 'sphericities', 'sphericity', + 'spherics', + 'spherier', + 'spheriest', + 'sphering', + 'spheroid', 'spheroidal', 'spheroidally', + 'spheroids', 'spherometer', 'spherometers', 'spheroplast', 'spheroplasts', + 'spherule', + 'spherules', 'spherulite', 'spherulites', 'spherulitic', + 'sphery', + 'sphincter', 'sphincteric', 'sphincters', + 'sphinges', + 'sphingid', + 'sphingids', 'sphingosine', 'sphingosines', + 'sphinx', + 'sphinxes', 'sphinxlike', + 'sphygmic', 'sphygmograph', 'sphygmographs', 'sphygmomanometer', 'sphygmomanometers', 'sphygmomanometries', 'sphygmomanometry', + 'sphygmus', 'sphygmuses', + 'spic', + 'spica', + 'spicae', + 'spicas', + 'spicate', + 'spicated', + 'spiccato', + 'spiccatos', + 'spice', + 'spicebush', 'spicebushes', + 'spiced', + 'spiceless', + 'spicer', + 'spiceries', + 'spicers', + 'spicery', + 'spices', + 'spicey', + 'spicier', + 'spiciest', + 'spicily', + 'spiciness', 'spicinesses', + 'spicing', + 'spick', + 'spicks', + 'spics', + 'spicula', + 'spiculae', + 'spicular', 'spiculation', 'spiculations', + 'spicule', + 'spicules', + 'spiculum', + 'spicy', + 'spider', + 'spiderier', 'spideriest', + 'spiderish', 'spiderlike', + 'spiders', + 'spiderweb', 'spiderwebs', 'spiderwort', 'spiderworts', + 'spidery', + 'spied', + 'spiegel', 'spiegeleisen', 'spiegeleisens', + 'spiegels', + 'spiel', + 'spieled', + 'spieler', + 'spielers', + 'spieling', + 'spiels', + 'spier', + 'spiered', + 'spiering', + 'spiers', + 'spies', + 'spiff', + 'spiffed', + 'spiffier', + 'spiffiest', + 'spiffily', 'spiffiness', 'spiffinesses', + 'spiffing', + 'spiffs', + 'spiffy', + 'spigot', + 'spigots', + 'spik', + 'spike', + 'spiked', + 'spikelet', + 'spikelets', + 'spikelike', + 'spikenard', 'spikenards', + 'spiker', + 'spikers', + 'spikes', + 'spikey', + 'spikier', + 'spikiest', + 'spikily', + 'spikiness', 'spikinesses', + 'spiking', + 'spiks', + 'spiky', + 'spile', + 'spiled', + 'spiles', + 'spilikin', + 'spilikins', + 'spiling', + 'spilings', + 'spill', + 'spillable', + 'spillage', + 'spillages', + 'spilled', + 'spiller', + 'spillers', + 'spillikin', 'spillikins', + 'spilling', + 'spillover', 'spillovers', + 'spills', + 'spillway', + 'spillways', + 'spilt', + 'spilth', + 'spilths', + 'spin', + 'spinach', + 'spinaches', 'spinachlike', + 'spinachy', + 'spinage', + 'spinages', + 'spinal', + 'spinally', + 'spinals', + 'spinate', + 'spindle', + 'spindled', + 'spindler', + 'spindlers', + 'spindles', + 'spindlier', 'spindliest', + 'spindling', + 'spindly', + 'spindrift', 'spindrifts', + 'spine', + 'spined', + 'spinel', + 'spineless', 'spinelessly', 'spinelessness', 'spinelessnesses', + 'spinelike', + 'spinelle', + 'spinelles', + 'spinels', + 'spines', + 'spinet', + 'spinets', + 'spinier', + 'spiniest', + 'spinifex', 'spinifexes', + 'spininess', 'spininesses', + 'spinless', + 'spinnaker', 'spinnakers', + 'spinner', + 'spinneret', 'spinnerets', 'spinnerette', 'spinnerettes', 'spinneries', + 'spinners', + 'spinnery', + 'spinney', + 'spinneys', + 'spinnies', + 'spinning', + 'spinnings', + 'spinny', + 'spinoff', + 'spinoffs', + 'spinor', + 'spinors', + 'spinose', 'spinosities', + 'spinosity', + 'spinous', + 'spinout', + 'spinouts', + 'spins', + 'spinster', 'spinsterhood', 'spinsterhoods', 'spinsterish', 'spinsterly', + 'spinsters', 'spinthariscope', 'spinthariscopes', + 'spinto', + 'spintos', + 'spinula', + 'spinulae', + 'spinule', + 'spinules', + 'spinulose', + 'spiny', + 'spiracle', + 'spiracles', 'spiracular', + 'spiraea', + 'spiraeas', + 'spiral', + 'spiraled', + 'spiraling', + 'spiralled', 'spiralling', + 'spirally', + 'spirals', + 'spirant', + 'spirants', + 'spire', + 'spirea', + 'spireas', + 'spired', + 'spirem', + 'spireme', + 'spiremes', + 'spirems', + 'spires', + 'spirier', + 'spiriest', + 'spirilla', + 'spirillum', + 'spiring', + 'spirit', + 'spirited', 'spiritedly', 'spiritedness', 'spiritednesses', + 'spiriting', + 'spiritism', 'spiritisms', + 'spiritist', 'spiritistic', 'spiritists', 'spiritless', 'spiritlessly', 'spiritlessness', 'spiritlessnesses', + 'spiritoso', + 'spiritous', + 'spirits', + 'spiritual', 'spiritualism', 'spiritualisms', 'spiritualist', @@ -56983,6 +143809,7 @@ export const scrabble_array = [ 'spirituals', 'spiritualties', 'spiritualty', + 'spirituel', 'spirituelle', 'spirituous', 'spirochaete', @@ -56992,33 +143819,98 @@ export const scrabble_array = [ 'spirochetes', 'spirochetoses', 'spirochetosis', + 'spirogyra', 'spirogyras', + 'spiroid', 'spirometer', 'spirometers', 'spirometric', 'spirometries', 'spirometry', + 'spirt', + 'spirted', + 'spirting', + 'spirts', + 'spirula', + 'spirulae', + 'spirulas', + 'spiry', + 'spit', + 'spital', + 'spitals', + 'spitball', + 'spitballs', + 'spite', + 'spited', + 'spiteful', 'spitefuller', 'spitefullest', 'spitefully', 'spitefulness', 'spitefulnesses', + 'spites', + 'spitfire', + 'spitfires', + 'spiting', + 'spits', + 'spitted', + 'spitter', + 'spitters', + 'spitting', + 'spittle', 'spittlebug', 'spittlebugs', + 'spittles', + 'spittoon', + 'spittoons', + 'spitz', + 'spitzes', + 'spiv', + 'spivs', + 'splake', + 'splakes', 'splanchnic', + 'splash', 'splashboard', 'splashboards', 'splashdown', 'splashdowns', + 'splashed', + 'splasher', + 'splashers', + 'splashes', + 'splashier', 'splashiest', + 'splashily', 'splashiness', 'splashinesses', + 'splashing', + 'splashy', + 'splat', + 'splats', + 'splatted', + 'splatter', 'splattered', 'splattering', + 'splatters', + 'splatting', + 'splay', + 'splayed', + 'splayfeet', + 'splayfoot', 'splayfooted', + 'splaying', + 'splays', + 'spleen', + 'spleenful', + 'spleenier', 'spleeniest', + 'spleens', 'spleenwort', 'spleenworts', + 'spleeny', + 'splendent', + 'splendid', 'splendider', 'splendidest', 'splendidly', @@ -57028,7 +143920,10 @@ export const scrabble_array = [ 'splendiferously', 'splendiferousness', 'splendiferousnesses', + 'splendor', 'splendorous', + 'splendors', + 'splendour', 'splendours', 'splendrous', 'splenectomies', @@ -57037,47 +143932,156 @@ export const scrabble_array = [ 'splenectomizes', 'splenectomizing', 'splenectomy', + 'splenetic', 'splenetically', 'splenetics', + 'splenia', + 'splenial', + 'splenic', + 'splenii', + 'splenium', + 'splenius', 'splenomegalies', 'splenomegaly', + 'splent', + 'splents', + 'spleuchan', 'spleuchans', + 'splice', + 'spliced', + 'splicer', + 'splicers', + 'splices', + 'splicing', + 'spliff', + 'spliffs', + 'spline', + 'splined', + 'splines', + 'splining', + 'splint', + 'splinted', + 'splinter', 'splintered', 'splintering', + 'splinters', + 'splintery', + 'splinting', + 'splints', + 'split', + 'splits', + 'splitter', + 'splitters', + 'splitting', + 'splodge', + 'splodged', + 'splodges', + 'splodging', + 'splore', + 'splores', + 'splosh', + 'sploshed', + 'sploshes', + 'sploshing', + 'splotch', + 'splotched', + 'splotches', 'splotchier', 'splotchiest', 'splotching', + 'splotchy', + 'splurge', + 'splurged', + 'splurger', + 'splurgers', + 'splurges', + 'splurgier', 'splurgiest', + 'splurging', + 'splurgy', + 'splutter', 'spluttered', 'splutterer', 'splutterers', 'spluttering', + 'splutters', + 'spluttery', + 'spode', + 'spodes', + 'spodumene', 'spodumenes', + 'spoil', + 'spoilable', + 'spoilage', + 'spoilages', + 'spoiled', + 'spoiler', + 'spoilers', + 'spoiling', + 'spoils', + 'spoilsman', + 'spoilsmen', 'spoilsport', 'spoilsports', + 'spoilt', + 'spoke', + 'spoked', + 'spoken', + 'spokes', 'spokeshave', 'spokeshaves', + 'spokesman', 'spokesmanship', 'spokesmanships', + 'spokesmen', 'spokespeople', 'spokesperson', 'spokespersons', 'spokeswoman', 'spokeswomen', + 'spoking', + 'spoliate', + 'spoliated', + 'spoliates', 'spoliating', 'spoliation', 'spoliations', + 'spoliator', 'spoliators', + 'spondaic', + 'spondaics', + 'spondee', + 'spondees', 'spondylites', 'spondylitides', 'spondylitis', 'spondylitises', + 'sponge', + 'sponged', + 'sponger', + 'spongers', + 'sponges', 'spongeware', 'spongewares', + 'spongier', + 'spongiest', + 'spongily', + 'spongin', 'sponginess', 'sponginesses', + 'sponging', + 'spongins', + 'spongy', + 'sponsal', + 'sponsion', + 'sponsions', + 'sponson', + 'sponsons', + 'sponsor', + 'sponsored', 'sponsorial', 'sponsoring', + 'sponsors', 'sponsorship', 'sponsorships', 'spontaneities', @@ -57086,21 +144090,75 @@ export const scrabble_array = [ 'spontaneously', 'spontaneousness', 'spontaneousnesses', + 'spontoon', + 'spontoons', + 'spoof', + 'spoofed', + 'spoofer', 'spooferies', + 'spoofers', + 'spoofery', + 'spoofing', + 'spoofs', + 'spoofy', + 'spook', + 'spooked', 'spookeries', + 'spookery', + 'spookier', + 'spookiest', + 'spookily', 'spookiness', 'spookinesses', + 'spooking', + 'spookish', + 'spooks', + 'spooky', + 'spool', + 'spooled', + 'spooling', + 'spoolings', + 'spools', + 'spoon', + 'spoonbill', 'spoonbills', + 'spooned', 'spoonerism', 'spoonerisms', + 'spooney', + 'spooneys', + 'spoonful', + 'spoonfuls', + 'spoonier', + 'spoonies', + 'spooniest', + 'spoonily', + 'spooning', + 'spoons', + 'spoonsful', + 'spoony', + 'spoor', + 'spoored', + 'spooring', + 'spoors', + 'sporadic', 'sporadically', + 'sporal', + 'sporangia', 'sporangial', 'sporangiophore', 'sporangiophores', 'sporangium', + 'spore', + 'spored', + 'spores', 'sporicidal', + 'sporicide', 'sporicides', + 'sporing', + 'sporocarp', 'sporocarps', + 'sporocyst', 'sporocysts', 'sporogeneses', 'sporogenesis', @@ -57110,6 +144168,8 @@ export const scrabble_array = [ 'sporogonic', 'sporogonies', 'sporogonium', + 'sporogony', + 'sporoid', 'sporophore', 'sporophores', 'sporophyll', @@ -57122,32 +144182,51 @@ export const scrabble_array = [ 'sporotrichoses', 'sporotrichosis', 'sporotrichosises', + 'sporozoa', + 'sporozoan', 'sporozoans', 'sporozoite', 'sporozoites', + 'sporozoon', + 'sporran', + 'sporrans', + 'sport', + 'sported', + 'sporter', + 'sporters', 'sportfisherman', 'sportfishermen', 'sportfishing', 'sportfishings', + 'sportful', 'sportfully', 'sportfulness', 'sportfulnesses', + 'sportier', + 'sportiest', + 'sportif', + 'sportily', 'sportiness', 'sportinesses', + 'sporting', 'sportingly', + 'sportive', 'sportively', 'sportiveness', 'sportivenesses', + 'sports', 'sportscast', 'sportscaster', 'sportscasters', 'sportscasting', 'sportscastings', 'sportscasts', + 'sportsman', 'sportsmanlike', 'sportsmanly', 'sportsmanship', 'sportsmanships', + 'sportsmen', 'sportswear', 'sportswoman', 'sportswomen', @@ -57155,31 +144234,110 @@ export const scrabble_array = [ 'sportswriters', 'sportswriting', 'sportswritings', + 'sporty', + 'sporular', + 'sporulate', 'sporulated', 'sporulates', 'sporulating', 'sporulation', 'sporulations', 'sporulative', + 'sporule', + 'sporules', + 'spot', + 'spotless', 'spotlessly', 'spotlessness', 'spotlessnesses', + 'spotlight', 'spotlighted', 'spotlighting', 'spotlights', + 'spotlit', + 'spots', + 'spottable', + 'spotted', + 'spotter', + 'spotters', + 'spottier', + 'spottiest', + 'spottily', 'spottiness', 'spottinesses', + 'spotting', + 'spotty', + 'spousal', + 'spousals', + 'spouse', + 'spoused', + 'spouses', + 'spousing', + 'spout', + 'spouted', + 'spouter', + 'spouters', + 'spouting', + 'spouts', 'sprachgefuhl', 'sprachgefuhls', + 'spraddle', + 'spraddled', + 'spraddles', 'spraddling', + 'sprag', + 'sprags', + 'sprain', + 'sprained', + 'spraining', + 'sprains', + 'sprang', + 'sprangs', + 'sprat', + 'sprats', + 'sprattle', + 'sprattled', + 'sprattles', 'sprattling', + 'sprawl', + 'sprawled', + 'sprawler', + 'sprawlers', + 'sprawlier', 'sprawliest', + 'sprawling', + 'sprawls', + 'sprawly', + 'spray', + 'sprayed', + 'sprayer', + 'sprayers', + 'spraying', + 'sprays', + 'spread', 'spreadabilities', 'spreadability', 'spreadable', + 'spreader', + 'spreaders', + 'spreading', + 'spreads', 'spreadsheet', 'spreadsheets', + 'spree', + 'sprees', + 'sprent', + 'sprier', + 'spriest', + 'sprig', + 'sprigged', + 'sprigger', + 'spriggers', + 'spriggier', 'spriggiest', + 'sprigging', + 'spriggy', + 'spright', 'sprightful', 'sprightfully', 'sprightfulness', @@ -57188,20 +144346,37 @@ export const scrabble_array = [ 'sprightliest', 'sprightliness', 'sprightlinesses', + 'sprightly', + 'sprights', + 'sprigs', + 'spring', + 'springal', + 'springald', 'springalds', + 'springals', 'springboard', 'springboards', + 'springbok', 'springboks', + 'springe', + 'springed', 'springeing', + 'springer', + 'springers', + 'springes', 'springhead', 'springheads', 'springhouse', 'springhouses', + 'springier', 'springiest', + 'springily', 'springiness', 'springinesses', + 'springing', 'springings', 'springlike', + 'springs', 'springtail', 'springtails', 'springtide', @@ -57212,174 +144387,676 @@ export const scrabble_array = [ 'springwaters', 'springwood', 'springwoods', + 'springy', + 'sprinkle', + 'sprinkled', + 'sprinkler', 'sprinklered', 'sprinklers', + 'sprinkles', 'sprinkling', 'sprinklings', + 'sprint', + 'sprinted', + 'sprinter', + 'sprinters', + 'sprinting', + 'sprints', + 'sprit', + 'sprite', + 'sprites', + 'sprits', + 'spritsail', 'spritsails', + 'spritz', + 'spritzed', + 'spritzer', + 'spritzers', + 'spritzes', + 'spritzing', + 'sprocket', + 'sprockets', + 'sprout', + 'sprouted', + 'sprouting', + 'sprouts', + 'spruce', + 'spruced', + 'sprucely', 'spruceness', 'sprucenesses', + 'sprucer', + 'spruces', + 'sprucest', + 'sprucier', + 'spruciest', + 'sprucing', + 'sprucy', + 'sprue', + 'sprues', + 'sprug', + 'sprugs', + 'sprung', + 'spry', + 'spryer', + 'spryest', + 'spryly', + 'spryness', 'sprynesses', + 'spud', + 'spudded', + 'spudder', + 'spudders', + 'spudding', + 'spuds', + 'spue', + 'spued', + 'spues', + 'spuing', + 'spume', + 'spumed', + 'spumes', + 'spumier', + 'spumiest', + 'spuming', + 'spumone', + 'spumones', + 'spumoni', + 'spumonis', + 'spumous', + 'spumy', + 'spun', 'spunbonded', + 'spunk', + 'spunked', + 'spunkie', + 'spunkier', + 'spunkies', + 'spunkiest', + 'spunkily', 'spunkiness', 'spunkinesses', + 'spunking', + 'spunks', + 'spunky', + 'spur', + 'spurgall', 'spurgalled', 'spurgalling', + 'spurgalls', + 'spurge', + 'spurges', + 'spurious', 'spuriously', 'spuriousness', 'spuriousnesses', + 'spurn', + 'spurned', + 'spurner', + 'spurners', + 'spurning', + 'spurns', + 'spurred', + 'spurrer', + 'spurrers', + 'spurrey', + 'spurreys', + 'spurrier', + 'spurriers', + 'spurries', + 'spurring', + 'spurry', + 'spurs', + 'spurt', + 'spurted', + 'spurting', + 'spurtle', + 'spurtles', + 'spurts', + 'sputa', + 'sputnik', + 'sputniks', + 'sputter', + 'sputtered', + 'sputterer', 'sputterers', 'sputtering', + 'sputters', + 'sputum', + 'spy', + 'spyglass', 'spyglasses', + 'spying', + 'spymaster', 'spymasters', + 'squab', + 'squabbier', 'squabbiest', + 'squabble', + 'squabbled', + 'squabbler', 'squabblers', + 'squabbles', 'squabbling', + 'squabby', + 'squabs', + 'squad', + 'squadded', + 'squadding', + 'squadron', 'squadroned', 'squadroning', + 'squadrons', + 'squads', + 'squalene', + 'squalenes', + 'squalid', + 'squalider', 'squalidest', + 'squalidly', 'squalidness', 'squalidnesses', + 'squall', + 'squalled', + 'squaller', + 'squallers', + 'squallier', 'squalliest', + 'squalling', + 'squalls', + 'squally', + 'squalor', + 'squalors', + 'squama', + 'squamae', + 'squamate', 'squamation', 'squamations', + 'squamosal', 'squamosals', + 'squamose', + 'squamous', 'squamulose', + 'squander', 'squandered', 'squanderer', 'squanderers', 'squandering', + 'squanders', + 'square', + 'squared', + 'squarely', 'squareness', 'squarenesses', + 'squarer', + 'squarers', + 'squares', + 'squarest', + 'squaring', + 'squarish', 'squarishly', 'squarishness', 'squarishnesses', + 'squash', + 'squashed', + 'squasher', + 'squashers', + 'squashes', + 'squashier', 'squashiest', + 'squashily', 'squashiness', 'squashinesses', + 'squashing', + 'squashy', + 'squat', + 'squatly', + 'squatness', 'squatnesses', + 'squats', + 'squatted', + 'squatter', 'squattered', 'squattering', + 'squatters', + 'squattest', + 'squattier', 'squattiest', + 'squatting', + 'squatty', + 'squaw', + 'squawfish', 'squawfishes', + 'squawk', + 'squawked', + 'squawker', + 'squawkers', + 'squawking', + 'squawks', + 'squawroot', 'squawroots', + 'squaws', + 'squeak', + 'squeaked', + 'squeaker', + 'squeakers', + 'squeakier', 'squeakiest', + 'squeaking', + 'squeaks', + 'squeaky', + 'squeal', + 'squealed', + 'squealer', + 'squealers', + 'squealing', + 'squeals', + 'squeamish', 'squeamishly', 'squeamishness', 'squeamishnesses', + 'squeegee', + 'squeegeed', 'squeegeeing', + 'squeegees', 'squeezabilities', 'squeezability', 'squeezable', + 'squeeze', + 'squeezed', + 'squeezer', + 'squeezers', + 'squeezes', + 'squeezing', + 'squeg', + 'squegged', + 'squegging', + 'squegs', + 'squelch', + 'squelched', + 'squelcher', 'squelchers', + 'squelches', 'squelchier', 'squelchiest', 'squelching', + 'squelchy', 'squeteague', + 'squib', + 'squibbed', + 'squibbing', + 'squibs', + 'squid', + 'squidded', + 'squidding', + 'squids', + 'squiffed', + 'squiffier', 'squiffiest', + 'squiffy', + 'squiggle', + 'squiggled', + 'squiggles', 'squigglier', 'squiggliest', 'squiggling', + 'squiggly', + 'squilgee', + 'squilgeed', 'squilgeeing', + 'squilgees', + 'squill', + 'squilla', + 'squillae', + 'squillas', + 'squills', + 'squinch', + 'squinched', + 'squinches', 'squinching', + 'squinnied', + 'squinnier', + 'squinnies', 'squinniest', + 'squinny', 'squinnying', + 'squint', + 'squinted', + 'squinter', + 'squinters', + 'squintest', + 'squintier', 'squintiest', + 'squinting', 'squintingly', + 'squints', + 'squinty', 'squirarchies', 'squirarchy', + 'squire', 'squirearchies', 'squirearchy', + 'squired', + 'squireen', + 'squireens', + 'squires', + 'squiring', + 'squirish', + 'squirm', + 'squirmed', + 'squirmer', + 'squirmers', + 'squirmier', 'squirmiest', + 'squirming', + 'squirms', + 'squirmy', + 'squirrel', 'squirreled', 'squirreling', 'squirrelled', 'squirrelling', 'squirrelly', + 'squirrels', + 'squirt', + 'squirted', + 'squirter', + 'squirters', + 'squirting', + 'squirts', + 'squish', + 'squished', + 'squishes', + 'squishier', 'squishiest', 'squishiness', 'squishinesses', + 'squishing', + 'squishy', + 'squoosh', + 'squooshed', + 'squooshes', 'squooshier', 'squooshiest', 'squooshing', + 'squooshy', + 'squush', + 'squushed', + 'squushes', + 'squushing', + 'sraddha', + 'sraddhas', + 'sradha', + 'sradhas', + 'sri', + 'sris', + 'stab', + 'stabbed', + 'stabber', + 'stabbers', + 'stabbing', + 'stabbings', + 'stabile', + 'stabiles', 'stabilities', + 'stability', 'stabilization', 'stabilizations', + 'stabilize', 'stabilized', 'stabilizer', 'stabilizers', 'stabilizes', 'stabilizing', + 'stable', + 'stabled', + 'stableman', 'stablemate', 'stablemates', + 'stablemen', 'stableness', 'stablenesses', + 'stabler', + 'stablers', + 'stables', + 'stablest', + 'stabling', + 'stablings', + 'stablish', 'stablished', 'stablishes', 'stablishing', 'stablishment', 'stablishments', + 'stably', + 'stabs', + 'staccati', + 'staccato', + 'staccatos', + 'stack', + 'stackable', + 'stacked', + 'stacker', + 'stackers', + 'stacking', + 'stacks', + 'stackup', + 'stackups', + 'stacte', + 'stactes', + 'staddle', + 'staddles', + 'stade', + 'stades', + 'stadia', + 'stadias', + 'stadium', + 'stadiums', 'stadtholder', 'stadtholderate', 'stadtholderates', 'stadtholders', 'stadtholdership', 'stadtholderships', + 'staff', + 'staffed', + 'staffer', + 'staffers', + 'staffing', + 'staffs', + 'stag', + 'stage', + 'stageable', 'stagecoach', 'stagecoaches', 'stagecraft', 'stagecrafts', + 'staged', + 'stageful', + 'stagefuls', + 'stagehand', 'stagehands', + 'stagelike', + 'stager', + 'stagers', + 'stages', 'stagestruck', + 'stagey', 'stagflation', 'stagflationary', 'stagflations', + 'staggard', + 'staggards', + 'staggart', + 'staggarts', + 'stagged', + 'stagger', 'staggerbush', 'staggerbushes', + 'staggered', + 'staggerer', 'staggerers', 'staggering', 'staggeringly', + 'staggers', + 'staggery', + 'staggie', + 'staggier', + 'staggies', + 'staggiest', + 'stagging', + 'staggy', + 'staghound', 'staghounds', + 'stagier', + 'stagiest', + 'stagily', + 'staginess', 'staginesses', + 'staging', + 'stagings', 'stagnancies', + 'stagnancy', + 'stagnant', 'stagnantly', + 'stagnate', + 'stagnated', + 'stagnates', 'stagnating', 'stagnation', 'stagnations', + 'stags', + 'stagy', + 'staid', + 'staider', + 'staidest', + 'staidly', + 'staidness', 'staidnesses', + 'staig', + 'staigs', + 'stain', 'stainabilities', 'stainability', + 'stainable', + 'stained', + 'stainer', + 'stainers', + 'staining', + 'stainless', 'stainlesses', 'stainlessly', 'stainproof', + 'stains', + 'stair', + 'staircase', 'staircases', + 'stairs', + 'stairway', + 'stairways', + 'stairwell', 'stairwells', + 'staithe', + 'staithes', + 'stake', + 'staked', 'stakeholder', 'stakeholders', + 'stakeout', + 'stakeouts', + 'stakes', + 'staking', 'stalactite', 'stalactites', 'stalactitic', + 'stalag', 'stalagmite', 'stalagmites', 'stalagmitic', + 'stalags', + 'stale', + 'staled', + 'stalely', + 'stalemate', 'stalemated', 'stalemates', 'stalemating', + 'staleness', 'stalenesses', + 'staler', + 'stales', + 'stalest', + 'staling', + 'stalk', + 'stalked', + 'stalker', + 'stalkers', + 'stalkier', + 'stalkiest', + 'stalkily', + 'stalking', + 'stalkless', + 'stalks', + 'stalky', + 'stall', + 'stalled', 'stallholder', 'stallholders', + 'stalling', + 'stallion', + 'stallions', + 'stalls', + 'stalwart', 'stalwartly', 'stalwartness', 'stalwartnesses', + 'stalwarts', + 'stalworth', 'stalworths', + 'stamen', + 'stamens', + 'stamina', + 'staminal', + 'staminas', + 'staminate', 'staminodia', 'staminodium', + 'stammel', + 'stammels', + 'stammer', + 'stammered', + 'stammerer', 'stammerers', 'stammering', + 'stammers', + 'stamp', + 'stamped', + 'stampede', + 'stampeded', + 'stampeder', 'stampeders', + 'stampedes', 'stampeding', + 'stamper', + 'stampers', + 'stamping', + 'stampless', + 'stamps', + 'stance', + 'stances', + 'stanch', + 'stanched', + 'stancher', + 'stanchers', + 'stanches', + 'stanchest', + 'stanching', + 'stanchion', 'stanchioned', 'stanchions', + 'stanchly', + 'stand', + 'standard', 'standardbred', 'standardbreds', 'standardise', @@ -57394,120 +145071,375 @@ export const scrabble_array = [ 'standardizing', 'standardless', 'standardly', + 'standards', + 'standaway', + 'standby', + 'standbys', + 'standee', + 'standees', + 'stander', + 'standers', + 'standing', + 'standings', + 'standish', 'standishes', + 'standoff', 'standoffish', 'standoffishly', 'standoffishness', 'standoffishnesses', + 'standoffs', + 'standout', + 'standouts', + 'standpat', 'standpatter', 'standpatters', 'standpattism', 'standpattisms', + 'standpipe', 'standpipes', 'standpoint', 'standpoints', + 'stands', 'standstill', 'standstills', + 'standup', + 'stane', + 'staned', + 'stanes', + 'stang', + 'stanged', + 'stanging', + 'stangs', + 'stanhope', + 'stanhopes', + 'stanine', + 'stanines', + 'staning', + 'stank', + 'stanks', 'stannaries', + 'stannary', + 'stannic', + 'stannite', + 'stannites', + 'stannous', + 'stannum', + 'stannums', + 'stanza', + 'stanzaed', + 'stanzaic', + 'stanzas', 'stapedectomies', 'stapedectomy', + 'stapedes', + 'stapedial', + 'stapelia', + 'stapelias', + 'stapes', + 'staph', + 'staphs', 'staphylinid', 'staphylinids', 'staphylococcal', 'staphylococci', 'staphylococcic', 'staphylococcus', + 'staple', + 'stapled', + 'stapler', + 'staplers', + 'staples', + 'stapling', + 'star', + 'starboard', 'starboarded', 'starboarding', 'starboards', + 'starch', + 'starched', + 'starches', + 'starchier', 'starchiest', + 'starchily', 'starchiness', 'starchinesses', + 'starching', + 'starchy', + 'stardom', + 'stardoms', + 'stardust', + 'stardusts', + 'stare', + 'stared', + 'starer', + 'starers', + 'stares', + 'starets', + 'starfish', 'starfishes', 'starflower', 'starflowers', + 'starfruit', 'starfruits', + 'stargaze', + 'stargazed', + 'stargazer', 'stargazers', + 'stargazes', 'stargazing', 'stargazings', + 'staring', + 'stark', + 'starker', + 'starkers', + 'starkest', + 'starkly', + 'starkness', 'starknesses', + 'starless', + 'starlet', + 'starlets', + 'starlight', 'starlights', + 'starlike', + 'starling', + 'starlings', + 'starlit', + 'starnose', + 'starnoses', + 'starred', + 'starrier', + 'starriest', + 'starring', + 'starry', + 'stars', + 'starship', + 'starships', 'starstruck', + 'start', + 'started', + 'starter', + 'starters', + 'starting', + 'startle', + 'startled', 'startlement', 'startlements', + 'startler', + 'startlers', + 'startles', + 'startling', 'startlingly', + 'starts', + 'startsy', + 'startup', + 'startups', 'starvation', 'starvations', + 'starve', + 'starved', 'starveling', 'starvelings', + 'starver', + 'starvers', + 'starves', + 'starving', + 'starwort', + 'starworts', + 'stases', + 'stash', + 'stashed', + 'stashes', + 'stashing', + 'stasima', + 'stasimon', + 'stasis', + 'stat', + 'statable', + 'statal', + 'statant', + 'state', + 'stateable', 'statecraft', 'statecrafts', + 'stated', + 'statedly', + 'statehood', 'statehoods', 'statehouse', 'statehouses', + 'stateless', 'statelessness', 'statelessnesses', + 'statelier', 'stateliest', 'stateliness', 'statelinesses', + 'stately', + 'statement', 'statements', + 'stater', + 'stateroom', 'staterooms', + 'staters', + 'states', + 'stateside', + 'statesman', 'statesmanlike', 'statesmanly', 'statesmanship', 'statesmanships', + 'statesmen', + 'statewide', + 'static', + 'statical', 'statically', + 'statice', + 'statices', + 'staticky', + 'statics', + 'stating', + 'station', + 'stational', 'stationary', + 'stationed', + 'stationer', 'stationeries', 'stationers', 'stationery', 'stationing', 'stationmaster', 'stationmasters', + 'stations', + 'statism', + 'statisms', + 'statist', + 'statistic', 'statistical', 'statistically', 'statistician', 'statisticians', 'statistics', + 'statists', + 'stative', + 'statives', 'statoblast', 'statoblasts', + 'statocyst', 'statocysts', + 'statolith', 'statoliths', + 'stator', + 'stators', 'statoscope', 'statoscopes', + 'stats', 'statuaries', + 'statuary', + 'statue', + 'statued', + 'statues', 'statuesque', 'statuesquely', + 'statuette', 'statuettes', + 'stature', + 'statures', + 'status', + 'statuses', + 'statusy', 'statutable', + 'statute', + 'statutes', 'statutorily', + 'statutory', + 'staumrel', + 'staumrels', + 'staunch', + 'staunched', + 'stauncher', + 'staunches', 'staunchest', 'staunching', + 'staunchly', 'staunchness', 'staunchnesses', 'staurolite', 'staurolites', 'staurolitic', + 'stave', + 'staved', + 'staves', 'stavesacre', 'stavesacres', + 'staving', + 'staw', + 'stay', + 'stayed', + 'stayer', + 'stayers', + 'staying', + 'stays', + 'staysail', + 'staysails', + 'stead', + 'steaded', + 'steadfast', 'steadfastly', 'steadfastness', 'steadfastnesses', + 'steadied', + 'steadier', + 'steadiers', + 'steadies', + 'steadiest', + 'steadily', 'steadiness', 'steadinesses', + 'steading', + 'steadings', + 'steads', + 'steady', + 'steadying', + 'steak', 'steakhouse', 'steakhouses', + 'steaks', + 'steal', + 'stealable', + 'stealage', + 'stealages', + 'stealer', + 'stealers', + 'stealing', + 'stealings', + 'steals', + 'stealth', 'stealthier', 'stealthiest', 'stealthily', 'stealthiness', 'stealthinesses', + 'stealths', + 'stealthy', + 'steam', + 'steamboat', 'steamboats', + 'steamed', + 'steamer', + 'steamered', 'steamering', + 'steamers', 'steamfitter', 'steamfitters', + 'steamier', + 'steamiest', + 'steamily', 'steaminess', 'steaminesses', + 'steaming', + 'steamroll', 'steamrolled', 'steamroller', 'steamrollered', @@ -57515,25 +145447,72 @@ export const scrabble_array = [ 'steamrollers', 'steamrolling', 'steamrolls', + 'steams', + 'steamship', 'steamships', + 'steamy', + 'steapsin', + 'steapsins', + 'stearate', + 'stearates', + 'stearic', + 'stearin', + 'stearine', + 'stearines', + 'stearins', + 'steatite', + 'steatites', + 'steatitic', 'steatopygia', 'steatopygias', 'steatopygic', 'steatopygous', 'steatorrhea', 'steatorrheas', + 'stedfast', + 'steed', + 'steeds', + 'steek', + 'steeked', + 'steeking', + 'steeks', + 'steel', + 'steeled', + 'steelhead', 'steelheads', + 'steelie', + 'steelier', + 'steelies', + 'steeliest', 'steeliness', 'steelinesses', + 'steeling', 'steelmaker', 'steelmakers', 'steelmaking', 'steelmakings', + 'steels', + 'steelwork', 'steelworker', 'steelworkers', 'steelworks', + 'steely', + 'steelyard', 'steelyards', + 'steenbok', + 'steenboks', + 'steep', + 'steeped', + 'steepen', + 'steepened', 'steepening', + 'steepens', + 'steeper', + 'steepers', + 'steepest', + 'steeping', + 'steepish', + 'steeple', 'steeplebush', 'steeplebushes', 'steeplechase', @@ -57542,25 +145521,98 @@ export const scrabble_array = [ 'steeplechases', 'steeplechasing', 'steeplechasings', + 'steepled', 'steeplejack', 'steeplejacks', + 'steeples', + 'steeply', + 'steepness', 'steepnesses', + 'steeps', + 'steer', + 'steerable', + 'steerage', + 'steerages', 'steerageway', 'steerageways', + 'steered', + 'steerer', + 'steerers', + 'steering', + 'steers', + 'steersman', + 'steersmen', + 'steeve', + 'steeved', + 'steeves', + 'steeving', + 'steevings', + 'stegodon', + 'stegodons', + 'stegosaur', 'stegosaurs', 'stegosaurus', 'stegosauruses', + 'stein', + 'steinbok', + 'steinboks', + 'steins', + 'stela', + 'stelae', + 'stelai', + 'stelar', + 'stele', + 'stelene', + 'steles', + 'stelic', + 'stella', + 'stellar', + 'stellas', + 'stellate', 'stellified', 'stellifies', + 'stellify', 'stellifying', + 'stem', + 'stemless', + 'stemlike', + 'stemma', + 'stemmas', + 'stemmata', + 'stemmatic', + 'stemmed', + 'stemmer', 'stemmeries', + 'stemmers', + 'stemmery', + 'stemmier', + 'stemmiest', + 'stemming', + 'stemmy', + 'stems', + 'stemson', + 'stemsons', + 'stemware', + 'stemwares', + 'stench', + 'stenches', + 'stenchful', + 'stenchier', 'stenchiest', + 'stenchy', + 'stencil', + 'stenciled', + 'stenciler', 'stencilers', 'stenciling', 'stencilled', 'stenciller', 'stencillers', 'stencilling', + 'stencils', + 'stengah', + 'stengahs', + 'steno', 'stenobathic', 'stenographer', 'stenographers', @@ -57569,20 +145621,35 @@ export const scrabble_array = [ 'stenographies', 'stenography', 'stenohaline', + 'stenokies', + 'stenoky', + 'stenos', + 'stenosed', + 'stenoses', + 'stenosis', 'stenotherm', 'stenothermal', 'stenotherms', + 'stenotic', 'stenotopic', + 'stenotype', 'stenotyped', 'stenotypes', 'stenotypies', 'stenotyping', 'stenotypist', 'stenotypists', + 'stenotypy', + 'stentor', 'stentorian', + 'stentors', + 'step', 'stepbrother', 'stepbrothers', + 'stepchild', 'stepchildren', + 'stepdame', + 'stepdames', 'stepdaughter', 'stepdaughters', 'stepfamilies', @@ -57593,18 +145660,32 @@ export const scrabble_array = [ 'stephanotises', 'stepladder', 'stepladders', + 'steplike', 'stepmother', 'stepmothers', 'stepparent', 'stepparenting', 'stepparentings', 'stepparents', + 'steppe', + 'stepped', + 'stepper', + 'steppers', + 'steppes', + 'stepping', + 'steps', 'stepsister', 'stepsisters', + 'stepson', + 'stepsons', + 'stepwise', 'stercoraceous', + 'stere', + 'stereo', 'stereochemical', 'stereochemistries', 'stereochemistry', + 'stereoed', 'stereogram', 'stereograms', 'stereograph', @@ -57614,6 +145695,7 @@ export const scrabble_array = [ 'stereographing', 'stereographs', 'stereography', + 'stereoing', 'stereoisomer', 'stereoisomeric', 'stereoisomerism', @@ -57642,6 +145724,7 @@ export const scrabble_array = [ 'stereoregular', 'stereoregularities', 'stereoregularity', + 'stereos', 'stereoscope', 'stereoscopes', 'stereoscopic', @@ -57666,72 +145749,204 @@ export const scrabble_array = [ 'stereotypies', 'stereotyping', 'stereotypy', + 'steres', + 'steric', + 'sterical', 'sterically', + 'sterigma', + 'sterigmas', 'sterigmata', + 'sterilant', 'sterilants', + 'sterile', + 'sterilely', 'sterilities', + 'sterility', 'sterilization', 'sterilizations', + 'sterilize', 'sterilized', 'sterilizer', 'sterilizers', 'sterilizes', 'sterilizing', + 'sterlet', + 'sterlets', + 'sterling', 'sterlingly', 'sterlingness', 'sterlingnesses', + 'sterlings', + 'stern', + 'sterna', + 'sternal', + 'sterner', + 'sternest', 'sternforemost', + 'sternite', + 'sternites', + 'sternly', + 'sternmost', + 'sternness', 'sternnesses', 'sternocostal', + 'sternpost', 'sternposts', + 'sterns', + 'sternson', + 'sternsons', + 'sternum', + 'sternums', 'sternutation', 'sternutations', 'sternutator', 'sternutators', + 'sternward', 'sternwards', + 'sternway', + 'sternways', + 'steroid', + 'steroidal', 'steroidogeneses', 'steroidogenesis', 'steroidogenic', + 'steroids', + 'sterol', + 'sterols', + 'stertor', 'stertorous', 'stertorously', + 'stertors', + 'stet', 'stethoscope', 'stethoscopes', 'stethoscopic', + 'stets', + 'stetted', + 'stetting', + 'stevedore', 'stevedored', 'stevedores', 'stevedoring', + 'stew', + 'steward', + 'stewarded', 'stewardess', 'stewardesses', 'stewarding', + 'stewards', 'stewardship', 'stewardships', + 'stewbum', + 'stewbums', + 'stewed', + 'stewing', + 'stewpan', + 'stewpans', + 'stews', + 'stey', + 'sthenia', + 'sthenias', + 'sthenic', + 'stibial', + 'stibine', + 'stibines', + 'stibium', + 'stibiums', + 'stibnite', + 'stibnites', + 'stich', + 'stichic', 'stichomythia', 'stichomythias', 'stichomythic', 'stichomythies', 'stichomythy', + 'stichs', + 'stick', + 'stickball', 'stickballs', + 'sticked', + 'sticker', + 'stickers', + 'stickful', + 'stickfuls', 'stickhandle', 'stickhandled', 'stickhandler', 'stickhandlers', 'stickhandles', 'stickhandling', + 'stickier', + 'stickiest', + 'stickily', 'stickiness', 'stickinesses', + 'sticking', + 'stickit', + 'stickle', 'stickleback', 'sticklebacks', + 'stickled', + 'stickler', + 'sticklers', + 'stickles', + 'sticklike', + 'stickling', + 'stickman', + 'stickmen', + 'stickout', + 'stickouts', + 'stickpin', + 'stickpins', + 'sticks', + 'stickseed', 'stickseeds', 'sticktight', 'sticktights', + 'stickum', + 'stickums', + 'stickup', + 'stickups', + 'stickweed', 'stickweeds', + 'stickwork', 'stickworks', + 'sticky', + 'stiction', + 'stictions', + 'stied', + 'sties', + 'stiff', + 'stiffed', + 'stiffen', + 'stiffened', + 'stiffener', 'stiffeners', 'stiffening', + 'stiffens', + 'stiffer', + 'stiffest', + 'stiffing', + 'stiffish', + 'stiffly', + 'stiffness', 'stiffnesses', + 'stiffs', + 'stifle', + 'stifled', + 'stifler', + 'stiflers', + 'stifles', + 'stifling', 'stiflingly', + 'stigma', + 'stigmal', + 'stigmas', 'stigmasterol', 'stigmasterols', + 'stigmata', + 'stigmatic', 'stigmatically', 'stigmatics', 'stigmatist', @@ -57742,19 +145957,52 @@ export const scrabble_array = [ 'stigmatized', 'stigmatizes', 'stigmatizing', + 'stilbene', + 'stilbenes', 'stilbestrol', 'stilbestrols', + 'stilbite', + 'stilbites', + 'stile', + 'stiles', + 'stiletto', 'stilettoed', 'stilettoes', 'stilettoing', + 'stilettos', + 'still', 'stillbirth', 'stillbirths', + 'stillborn', 'stillborns', + 'stilled', + 'stiller', + 'stillest', + 'stillier', + 'stilliest', + 'stilling', + 'stillman', + 'stillmen', + 'stillness', 'stillnesses', + 'stillroom', 'stillrooms', + 'stills', + 'stilly', + 'stilt', + 'stilted', + 'stiltedly', 'stiltedness', 'stiltednesses', + 'stilting', + 'stilts', + 'stime', + 'stimes', + 'stimied', + 'stimies', + 'stimulant', 'stimulants', + 'stimulate', 'stimulated', 'stimulates', 'stimulating', @@ -57764,16 +146012,75 @@ export const scrabble_array = [ 'stimulator', 'stimulators', 'stimulatory', + 'stimuli', + 'stimulus', + 'stimy', + 'stimying', + 'sting', + 'stingaree', 'stingarees', + 'stinger', + 'stingers', + 'stingier', + 'stingiest', + 'stingily', 'stinginess', 'stinginesses', + 'stinging', 'stingingly', + 'stingless', + 'stingo', + 'stingos', + 'stingray', + 'stingrays', + 'stings', + 'stingy', + 'stink', + 'stinkard', + 'stinkards', + 'stinkbug', + 'stinkbugs', + 'stinker', + 'stinkers', + 'stinkhorn', 'stinkhorns', + 'stinkier', + 'stinkiest', + 'stinking', 'stinkingly', + 'stinko', + 'stinkpot', + 'stinkpots', + 'stinks', + 'stinkweed', 'stinkweeds', + 'stinkwood', 'stinkwoods', + 'stinky', + 'stint', + 'stinted', + 'stinter', + 'stinters', + 'stinting', + 'stints', + 'stipe', + 'stiped', + 'stipel', + 'stipels', + 'stipend', 'stipendiaries', 'stipendiary', + 'stipends', + 'stipes', + 'stipites', + 'stipple', + 'stippled', + 'stippler', + 'stipplers', + 'stipples', + 'stippling', + 'stipular', + 'stipulate', 'stipulated', 'stipulates', 'stipulating', @@ -57782,13 +146089,61 @@ export const scrabble_array = [ 'stipulator', 'stipulators', 'stipulatory', + 'stipule', + 'stipuled', + 'stipules', + 'stir', + 'stirabout', 'stirabouts', + 'stirk', + 'stirks', + 'stirp', + 'stirpes', + 'stirps', + 'stirred', + 'stirrer', + 'stirrers', + 'stirring', 'stirringly', + 'stirrup', + 'stirrups', + 'stirs', + 'stitch', + 'stitched', + 'stitcher', 'stitcheries', + 'stitchers', + 'stitchery', + 'stitches', + 'stitching', 'stitchwort', 'stitchworts', + 'stithied', + 'stithies', + 'stithy', + 'stithying', + 'stiver', + 'stivers', + 'stoa', + 'stoae', + 'stoai', + 'stoas', + 'stoat', + 'stoats', + 'stob', + 'stobbed', + 'stobbing', + 'stobs', + 'stoccado', + 'stoccados', + 'stoccata', + 'stoccatas', 'stochastic', 'stochastically', + 'stock', + 'stockade', + 'stockaded', + 'stockades', 'stockading', 'stockbreeder', 'stockbreeders', @@ -57798,120 +146153,380 @@ export const scrabble_array = [ 'stockbrokers', 'stockbroking', 'stockbrokings', + 'stockcar', + 'stockcars', + 'stocked', + 'stocker', + 'stockers', + 'stockfish', 'stockfishes', 'stockholder', 'stockholders', + 'stockier', + 'stockiest', + 'stockily', 'stockiness', 'stockinesses', + 'stockinet', 'stockinets', 'stockinette', 'stockinettes', + 'stocking', 'stockinged', + 'stockings', + 'stockish', + 'stockist', + 'stockists', 'stockjobber', 'stockjobbers', 'stockjobbing', 'stockjobbings', 'stockkeeper', 'stockkeepers', + 'stockman', + 'stockmen', + 'stockpile', 'stockpiled', 'stockpiler', 'stockpilers', 'stockpiles', 'stockpiling', + 'stockpot', + 'stockpots', + 'stockroom', 'stockrooms', + 'stocks', 'stocktaking', 'stocktakings', + 'stocky', + 'stockyard', 'stockyards', + 'stodge', + 'stodged', + 'stodges', + 'stodgier', + 'stodgiest', + 'stodgily', 'stodginess', 'stodginesses', + 'stodging', + 'stodgy', + 'stogey', + 'stogeys', + 'stogie', + 'stogies', + 'stogy', + 'stoic', + 'stoical', + 'stoically', 'stoichiometric', 'stoichiometrically', 'stoichiometries', 'stoichiometry', + 'stoicism', + 'stoicisms', + 'stoics', + 'stoke', + 'stoked', + 'stokehold', 'stokeholds', + 'stoker', + 'stokers', + 'stokes', + 'stokesia', + 'stokesias', + 'stoking', + 'stole', + 'stoled', + 'stolen', + 'stoles', + 'stolid', + 'stolider', + 'stolidest', 'stolidities', + 'stolidity', + 'stolidly', + 'stollen', + 'stollens', + 'stolon', + 'stolonic', 'stoloniferous', + 'stolons', + 'stolport', + 'stolports', + 'stoma', + 'stomach', 'stomachache', 'stomachaches', + 'stomached', + 'stomacher', 'stomachers', + 'stomachic', 'stomachics', 'stomaching', + 'stomachs', + 'stomachy', + 'stomal', + 'stomas', + 'stomata', + 'stomatal', + 'stomate', + 'stomates', + 'stomatic', 'stomatitides', 'stomatitis', 'stomatitises', 'stomatopod', 'stomatopods', + 'stomodaea', 'stomodaeal', 'stomodaeum', 'stomodaeums', + 'stomodea', + 'stomodeal', + 'stomodeum', 'stomodeums', + 'stomp', + 'stomped', + 'stomper', + 'stompers', + 'stomping', + 'stomps', + 'stonable', + 'stone', + 'stoneboat', 'stoneboats', + 'stonechat', 'stonechats', + 'stonecrop', 'stonecrops', 'stonecutter', 'stonecutters', 'stonecutting', 'stonecuttings', + 'stoned', + 'stonefish', 'stonefishes', 'stoneflies', + 'stonefly', 'stonemason', 'stonemasonries', 'stonemasonry', 'stonemasons', + 'stoner', + 'stoners', + 'stones', + 'stonewall', 'stonewalled', 'stonewaller', 'stonewallers', 'stonewalling', 'stonewalls', + 'stoneware', 'stonewares', 'stonewashed', + 'stonework', 'stoneworks', + 'stonewort', 'stoneworts', + 'stoney', + 'stonier', + 'stoniest', + 'stonily', + 'stoniness', 'stoninesses', + 'stoning', + 'stonish', + 'stonished', + 'stonishes', 'stonishing', + 'stony', 'stonyhearted', + 'stood', + 'stooge', + 'stooged', + 'stooges', + 'stooging', + 'stook', + 'stooked', + 'stooker', + 'stookers', + 'stooking', + 'stooks', + 'stool', + 'stooled', + 'stoolie', + 'stoolies', + 'stooling', + 'stools', + 'stoop', + 'stoopball', 'stoopballs', + 'stooped', + 'stooper', + 'stoopers', + 'stooping', + 'stoops', + 'stop', + 'stopbank', + 'stopbanks', + 'stopcock', + 'stopcocks', + 'stope', + 'stoped', + 'stoper', + 'stopers', + 'stopes', + 'stopgap', + 'stopgaps', + 'stoping', + 'stoplight', 'stoplights', + 'stopover', + 'stopovers', + 'stoppable', + 'stoppage', + 'stoppages', + 'stopped', + 'stopper', + 'stoppered', 'stoppering', + 'stoppers', + 'stopping', + 'stopple', + 'stoppled', + 'stopples', + 'stoppling', + 'stops', + 'stopt', + 'stopwatch', 'stopwatches', + 'storable', + 'storables', + 'storage', + 'storages', + 'storax', + 'storaxes', + 'store', + 'stored', 'storefront', 'storefronts', 'storehouse', 'storehouses', 'storekeeper', 'storekeepers', + 'storeroom', 'storerooms', + 'stores', + 'storeship', 'storeships', + 'storewide', + 'storey', + 'storeyed', + 'storeys', + 'storied', + 'stories', + 'storing', + 'stork', + 'storks', 'storksbill', 'storksbills', + 'storm', 'stormbound', + 'stormed', + 'stormier', + 'stormiest', + 'stormily', 'storminess', 'storminesses', + 'storming', + 'storms', + 'stormy', + 'story', 'storyboard', 'storyboarded', 'storyboarding', 'storyboards', + 'storybook', 'storybooks', + 'storying', 'storyteller', 'storytellers', 'storytelling', 'storytellings', + 'stoss', + 'stotinka', + 'stotinki', + 'stound', + 'stounded', + 'stounding', + 'stounds', + 'stoup', + 'stoups', + 'stour', + 'stoure', + 'stoures', + 'stourie', + 'stours', + 'stoury', + 'stout', + 'stouten', + 'stoutened', 'stoutening', + 'stoutens', + 'stouter', + 'stoutest', 'stouthearted', 'stoutheartedly', 'stoutheartedness', 'stoutheartednesses', + 'stoutish', + 'stoutly', + 'stoutness', 'stoutnesses', + 'stouts', + 'stove', + 'stovepipe', 'stovepipes', + 'stover', + 'stovers', + 'stoves', + 'stow', + 'stowable', + 'stowage', + 'stowages', + 'stowaway', + 'stowaways', + 'stowed', + 'stowing', + 'stowp', + 'stowps', + 'stows', 'strabismic', 'strabismus', 'strabismuses', + 'straddle', + 'straddled', + 'straddler', 'straddlers', + 'straddles', 'straddling', + 'strafe', + 'strafed', + 'strafer', + 'strafers', + 'strafes', + 'strafing', + 'straggle', + 'straggled', + 'straggler', 'stragglers', + 'straggles', 'stragglier', 'straggliest', 'straggling', + 'straggly', + 'straight', 'straightaway', 'straightaways', 'straightbred', @@ -57942,9 +146557,21 @@ export const scrabble_array = [ 'straightly', 'straightness', 'straightnesses', + 'straights', 'straightway', + 'strain', + 'strained', + 'strainer', + 'strainers', + 'straining', + 'strains', + 'strait', + 'straiten', 'straitened', 'straitening', + 'straitens', + 'straiter', + 'straitest', 'straitjacket', 'straitjacketed', 'straitjacketing', @@ -57953,23 +146580,46 @@ export const scrabble_array = [ 'straitlacedly', 'straitlacedness', 'straitlacednesses', + 'straitly', 'straitness', 'straitnesses', + 'straits', + 'strake', + 'straked', + 'strakes', + 'stramash', 'stramashes', 'stramonies', 'stramonium', 'stramoniums', + 'stramony', + 'strand', + 'stranded', 'strandedness', 'strandednesses', + 'strander', + 'stranders', + 'stranding', 'strandline', 'strandlines', + 'strands', + 'strang', + 'strange', + 'strangely', 'strangeness', 'strangenesses', + 'stranger', 'strangered', 'strangering', + 'strangers', + 'strangest', + 'strangle', + 'strangled', 'stranglehold', 'strangleholds', + 'strangler', 'stranglers', + 'strangles', 'strangling', 'strangulate', 'strangulated', @@ -57978,15 +146628,33 @@ export const scrabble_array = [ 'strangulation', 'strangulations', 'stranguries', + 'strangury', + 'strap', + 'straphang', 'straphanger', 'straphangers', 'straphanging', 'straphangs', + 'straphung', + 'strapless', 'straplesses', + 'strappado', 'strappadoes', 'strappados', + 'strapped', + 'strapper', + 'strappers', + 'strapping', 'strappings', + 'straps', + 'strass', + 'strasses', + 'strata', + 'stratagem', 'stratagems', + 'stratal', + 'stratas', + 'strategic', 'strategical', 'strategically', 'strategies', @@ -57996,13 +146664,18 @@ export const scrabble_array = [ 'strategized', 'strategizes', 'strategizing', + 'strategy', + 'strath', + 'straths', 'strathspey', 'strathspeys', + 'strati', 'stratification', 'stratifications', 'stratified', 'stratifies', 'stratiform', + 'stratify', 'stratifying', 'stratigraphic', 'stratigraphies', @@ -58014,23 +146687,62 @@ export const scrabble_array = [ 'stratosphere', 'stratospheres', 'stratospheric', + 'stratous', 'stratovolcano', 'stratovolcanoes', 'stratovolcanos', + 'stratum', + 'stratums', + 'stratus', + 'stravage', + 'stravaged', + 'stravages', 'stravaging', + 'stravaig', 'stravaiged', 'stravaiging', + 'stravaigs', + 'straw', 'strawberries', 'strawberry', + 'strawed', 'strawflower', 'strawflowers', + 'strawhat', + 'strawier', + 'strawiest', + 'strawing', + 'straws', + 'strawy', + 'stray', + 'strayed', + 'strayer', + 'strayers', + 'straying', + 'strays', + 'streak', + 'streaked', + 'streaker', + 'streakers', + 'streakier', 'streakiest', 'streakiness', 'streakinesses', + 'streaking', 'streakings', + 'streaks', + 'streaky', + 'stream', + 'streambed', 'streambeds', + 'streamed', + 'streamer', + 'streamers', + 'streamier', 'streamiest', + 'streaming', 'streamings', + 'streamlet', 'streamlets', 'streamline', 'streamlined', @@ -58038,13 +146750,28 @@ export const scrabble_array = [ 'streamliners', 'streamlines', 'streamlining', + 'streams', 'streamside', 'streamsides', + 'streamy', + 'streek', + 'streeked', + 'streeker', + 'streekers', + 'streeking', + 'streeks', + 'streel', + 'streeled', + 'streeling', + 'streels', + 'street', + 'streetcar', 'streetcars', 'streetlamp', 'streetlamps', 'streetlight', 'streetlights', + 'streets', 'streetscape', 'streetscapes', 'streetwalker', @@ -58052,17 +146779,22 @@ export const scrabble_array = [ 'streetwalking', 'streetwalkings', 'streetwise', + 'strength', 'strengthen', 'strengthened', 'strengthener', 'strengtheners', 'strengthening', 'strengthens', + 'strengths', 'strenuosities', 'strenuosity', + 'strenuous', 'strenuously', 'strenuousness', 'strenuousnesses', + 'strep', + 'streps', 'streptobacilli', 'streptobacillus', 'streptococcal', @@ -58080,26 +146812,83 @@ export const scrabble_array = [ 'streptomycins', 'streptothricin', 'streptothricins', + 'stress', + 'stressed', + 'stresses', + 'stressful', 'stressfully', + 'stressing', 'stressless', 'stresslessness', 'stresslessnesses', + 'stressor', + 'stressors', + 'stretch', 'stretchabilities', 'stretchability', 'stretchable', + 'stretched', + 'stretcher', 'stretchers', + 'stretches', 'stretchier', 'stretchiest', 'stretching', + 'stretchy', + 'stretta', + 'strettas', + 'strette', + 'stretti', + 'stretto', + 'strettos', + 'streusel', + 'streusels', + 'strew', + 'strewed', + 'strewer', + 'strewers', + 'strewing', + 'strewment', 'strewments', + 'strewn', + 'strews', + 'stria', + 'striae', + 'striate', + 'striated', + 'striates', + 'striating', + 'striation', 'striations', + 'strick', + 'stricken', + 'strickle', + 'strickled', + 'strickles', 'strickling', + 'stricks', + 'strict', + 'stricter', + 'strictest', + 'strictly', 'strictness', 'strictnesses', + 'stricture', 'strictures', + 'stridden', + 'stride', + 'stridence', 'stridences', 'stridencies', + 'stridency', + 'strident', 'stridently', + 'strider', + 'striders', + 'strides', + 'striding', + 'stridor', + 'stridors', 'stridulate', 'stridulated', 'stridulates', @@ -58109,69 +146898,185 @@ export const scrabble_array = [ 'stridulatory', 'stridulous', 'stridulously', + 'strife', 'strifeless', + 'strifes', + 'strigil', + 'strigils', + 'strigose', + 'strike', 'strikebound', 'strikebreaker', 'strikebreakers', 'strikebreaking', 'strikebreakings', + 'strikeout', 'strikeouts', 'strikeover', 'strikeovers', + 'striker', + 'strikers', + 'strikes', + 'striking', 'strikingly', + 'string', 'stringcourse', 'stringcourses', + 'stringed', 'stringencies', 'stringency', 'stringendo', + 'stringent', 'stringently', + 'stringer', + 'stringers', 'stringhalt', 'stringhalted', 'stringhalts', + 'stringier', 'stringiest', 'stringiness', 'stringinesses', + 'stringing', 'stringings', 'stringless', 'stringpiece', 'stringpieces', + 'strings', + 'stringy', 'stringybark', 'stringybarks', + 'strip', + 'stripe', + 'striped', 'stripeless', + 'striper', + 'stripers', + 'stripes', + 'stripier', + 'stripiest', + 'striping', + 'stripings', + 'stripling', 'striplings', 'strippable', + 'stripped', + 'stripper', + 'strippers', + 'stripping', + 'strips', + 'stript', 'striptease', 'stripteaser', 'stripteasers', 'stripteases', + 'stripy', + 'strive', + 'strived', + 'striven', + 'striver', + 'strivers', + 'strives', + 'striving', + 'strobe', + 'strobes', + 'strobic', + 'strobil', + 'strobila', + 'strobilae', 'strobilation', 'strobilations', + 'strobile', + 'strobiles', + 'strobili', + 'strobils', + 'strobilus', 'stroboscope', 'stroboscopes', 'stroboscopic', 'stroboscopically', 'strobotron', 'strobotrons', + 'strode', 'stroganoff', + 'stroke', + 'stroked', + 'stroker', + 'strokers', + 'strokes', + 'stroking', + 'stroll', + 'strolled', + 'stroller', + 'strollers', + 'strolling', + 'strolls', + 'stroma', + 'stromal', + 'stromata', 'stromatolite', 'stromatolites', 'stromatolitic', + 'strong', + 'strongbox', 'strongboxes', + 'stronger', + 'strongest', 'stronghold', 'strongholds', + 'strongish', + 'strongly', + 'strongman', + 'strongmen', + 'strongyl', + 'strongyle', 'strongyles', 'strongyloidiases', 'strongyloidiasis', 'strongyloidoses', 'strongyloidosis', 'strongyloidosises', + 'strongyls', + 'strontia', 'strontianite', 'strontianites', + 'strontias', + 'strontic', + 'strontium', 'strontiums', + 'strook', + 'strop', 'strophanthin', 'strophanthins', + 'strophe', + 'strophes', + 'strophic', + 'stropped', + 'stropper', + 'stroppers', + 'stroppier', 'stroppiest', + 'stropping', + 'stroppy', + 'strops', + 'stroud', + 'strouding', 'stroudings', + 'strouds', + 'strove', + 'strow', + 'strowed', + 'strowing', + 'strown', + 'strows', + 'stroy', + 'stroyed', + 'stroyer', + 'stroyers', + 'stroying', + 'stroys', + 'struck', + 'strucken', 'structural', 'structuralism', 'structuralisms', @@ -58186,111 +147091,399 @@ export const scrabble_array = [ 'structurally', 'structuration', 'structurations', + 'structure', 'structured', 'structureless', 'structurelessness', 'structurelessnesses', 'structures', 'structuring', + 'strudel', + 'strudels', + 'struggle', + 'struggled', + 'struggler', 'strugglers', + 'struggles', 'struggling', + 'strum', + 'struma', + 'strumae', + 'strumas', + 'strummed', + 'strummer', + 'strummers', + 'strumming', + 'strumose', + 'strumous', + 'strumpet', + 'strumpets', + 'strums', + 'strung', + 'strunt', + 'strunted', + 'strunting', + 'strunts', + 'strut', 'struthious', + 'struts', + 'strutted', + 'strutter', + 'strutters', + 'strutting', 'strychnine', 'strychnines', + 'stub', + 'stubbed', + 'stubbier', + 'stubbiest', + 'stubbily', + 'stubbing', + 'stubble', + 'stubbled', + 'stubbles', + 'stubblier', 'stubbliest', + 'stubbly', + 'stubborn', 'stubborner', 'stubbornest', 'stubbornly', 'stubbornness', 'stubbornnesses', + 'stubby', + 'stubs', + 'stucco', + 'stuccoed', + 'stuccoer', + 'stuccoers', + 'stuccoes', + 'stuccoing', + 'stuccos', 'stuccowork', 'stuccoworks', + 'stuck', + 'stud', + 'studbook', + 'studbooks', + 'studded', + 'studdie', + 'studdies', + 'studding', + 'studdings', + 'student', + 'students', 'studentship', 'studentships', + 'studfish', 'studfishes', + 'studhorse', 'studhorses', + 'studied', + 'studiedly', 'studiedness', 'studiednesses', + 'studier', + 'studiers', + 'studies', + 'studio', + 'studios', + 'studious', 'studiously', 'studiousness', 'studiousnesses', + 'studlier', + 'studliest', + 'studly', + 'studs', + 'studwork', + 'studworks', + 'study', + 'studying', + 'stuff', + 'stuffed', + 'stuffer', + 'stuffers', + 'stuffier', + 'stuffiest', + 'stuffily', 'stuffiness', 'stuffinesses', + 'stuffing', + 'stuffings', + 'stuffless', + 'stuffs', + 'stuffy', + 'stuiver', + 'stuivers', + 'stull', + 'stulls', 'stultification', 'stultifications', 'stultified', 'stultifies', + 'stultify', 'stultifying', + 'stum', + 'stumble', 'stumblebum', 'stumblebums', + 'stumbled', + 'stumbler', + 'stumblers', + 'stumbles', + 'stumbling', 'stumblingly', + 'stummed', + 'stumming', + 'stump', + 'stumpage', + 'stumpages', + 'stumped', + 'stumper', + 'stumpers', + 'stumpier', + 'stumpiest', + 'stumping', + 'stumps', + 'stumpy', + 'stums', + 'stun', + 'stung', + 'stunk', + 'stunned', + 'stunner', + 'stunners', + 'stunning', 'stunningly', + 'stuns', + 'stunsail', + 'stunsails', + 'stunt', + 'stunted', 'stuntedness', 'stuntednesses', + 'stunting', + 'stuntman', + 'stuntmen', + 'stunts', 'stuntwoman', 'stuntwomen', + 'stupa', + 'stupas', + 'stupe', 'stupefaction', 'stupefactions', + 'stupefied', + 'stupefies', + 'stupefy', 'stupefying', 'stupefyingly', 'stupendous', 'stupendously', 'stupendousness', 'stupendousnesses', + 'stupes', + 'stupid', + 'stupider', + 'stupidest', 'stupidities', + 'stupidity', + 'stupidly', 'stupidness', 'stupidnesses', + 'stupids', + 'stupor', + 'stuporous', + 'stupors', + 'sturdied', + 'sturdier', + 'sturdies', + 'sturdiest', + 'sturdily', 'sturdiness', 'sturdinesses', + 'sturdy', + 'sturgeon', + 'sturgeons', + 'sturt', + 'sturts', + 'stutter', + 'stuttered', + 'stutterer', 'stutterers', 'stuttering', + 'stutters', + 'sty', + 'stye', + 'styed', + 'styes', + 'stygian', + 'stying', + 'stylar', + 'stylate', + 'style', + 'stylebook', 'stylebooks', + 'styled', + 'styleless', 'stylelessness', 'stylelessnesses', + 'styler', + 'stylers', + 'styles', + 'stylet', + 'stylets', + 'styli', + 'styliform', + 'styling', + 'stylings', + 'stylise', + 'stylised', + 'styliser', + 'stylisers', + 'stylises', + 'stylish', + 'stylishly', 'stylishness', 'stylishnesses', + 'stylising', + 'stylist', + 'stylistic', 'stylistically', 'stylistics', + 'stylists', + 'stylite', + 'stylites', + 'stylitic', 'stylization', 'stylizations', + 'stylize', + 'stylized', + 'stylizer', + 'stylizers', + 'stylizes', + 'stylizing', + 'stylobate', 'stylobates', 'stylographies', 'stylography', + 'styloid', 'stylopodia', 'stylopodium', + 'stylus', + 'styluses', + 'stymie', + 'stymied', + 'stymieing', + 'stymies', + 'stymy', + 'stymying', + 'stypsis', + 'stypsises', + 'styptic', + 'styptics', + 'styrax', + 'styraxes', + 'styrene', + 'styrenes', 'suabilities', + 'suability', + 'suable', + 'suably', + 'suasion', + 'suasions', + 'suasive', + 'suasively', 'suasiveness', 'suasivenesses', + 'suasory', + 'suave', + 'suavely', + 'suaveness', 'suavenesses', + 'suaver', + 'suavest', + 'suavities', + 'suavity', + 'sub', + 'suba', + 'subabbot', + 'subabbots', + 'subacid', + 'subacidly', 'subacidness', 'subacidnesses', + 'subacrid', + 'subacute', 'subacutely', + 'subadar', + 'subadars', 'subadolescent', 'subadolescents', + 'subadult', + 'subadults', + 'subaerial', 'subaerially', 'subagencies', + 'subagency', + 'subagent', + 'subagents', + 'subah', + 'subahdar', + 'subahdars', + 'subahs', + 'subalar', 'suballocation', 'suballocations', + 'subalpine', + 'subaltern', 'subalterns', 'subantarctic', + 'subapical', 'subaquatic', 'subaqueous', 'subarachnoid', 'subarachnoidal', + 'subarctic', 'subarctics', + 'subarea', + 'subareas', + 'subarid', + 'subas', 'subassemblies', 'subassembly', 'subatmospheric', + 'subatom', + 'subatomic', + 'subatoms', 'subaudible', 'subaudition', 'subauditions', 'subaverage', + 'subaxial', + 'subbase', 'subbasement', 'subbasements', + 'subbases', + 'subbasin', + 'subbasins', + 'subbass', + 'subbasses', + 'subbed', + 'subbing', + 'subbings', 'subbituminous', + 'subblock', + 'subblocks', + 'subbranch', 'subbranches', + 'subbreed', + 'subbreeds', 'subcabinet', 'subcapsular', + 'subcaste', + 'subcastes', 'subcategories', 'subcategorization', 'subcategorizations', @@ -58299,16 +147492,28 @@ export const scrabble_array = [ 'subcategorizes', 'subcategorizing', 'subcategory', + 'subcause', + 'subcauses', 'subceiling', 'subceilings', + 'subcell', + 'subcellar', 'subcellars', + 'subcells', 'subcellular', + 'subcenter', 'subcenters', 'subcentral', 'subcentrally', 'subchapter', 'subchapters', + 'subchaser', 'subchasers', + 'subchief', + 'subchiefs', + 'subclan', + 'subclans', + 'subclass', 'subclassed', 'subclasses', 'subclassification', @@ -58320,17 +147525,23 @@ export const scrabble_array = [ 'subclassing', 'subclavian', 'subclavians', + 'subclerk', + 'subclerks', + 'subclimax', 'subclimaxes', 'subclinical', 'subclinically', 'subcluster', 'subclusters', + 'subcode', + 'subcodes', 'subcollection', 'subcollections', 'subcollege', 'subcolleges', 'subcollegiate', 'subcolonies', + 'subcolony', 'subcommission', 'subcommissions', 'subcommittee', @@ -58359,13 +147570,19 @@ export const scrabble_array = [ 'subcontraoctaves', 'subcontraries', 'subcontrary', + 'subcool', + 'subcooled', 'subcooling', + 'subcools', 'subcordate', 'subcoriaceous', 'subcortical', 'subcounties', + 'subcounty', 'subcritical', 'subcrustal', + 'subcult', + 'subcults', 'subcultural', 'subculturally', 'subculture', @@ -58376,14 +147593,24 @@ export const scrabble_array = [ 'subcuratives', 'subcutaneous', 'subcutaneously', + 'subcutes', + 'subcutis', 'subcutises', + 'subdeacon', 'subdeacons', + 'subdean', + 'subdeans', + 'subdeb', + 'subdebs', 'subdebutante', 'subdebutantes', 'subdecision', 'subdecisions', 'subdepartment', 'subdepartments', + 'subdepot', + 'subdepots', + 'subdermal', 'subdermally', 'subdevelopment', 'subdevelopments', @@ -58398,6 +147625,7 @@ export const scrabble_array = [ 'subdistricting', 'subdistricts', 'subdividable', + 'subdivide', 'subdivided', 'subdivider', 'subdividers', @@ -58407,35 +147635,111 @@ export const scrabble_array = [ 'subdivisions', 'subdominant', 'subdominants', + 'subdual', + 'subduals', + 'subduce', + 'subduced', + 'subduces', + 'subducing', + 'subduct', + 'subducted', 'subducting', 'subduction', 'subductions', + 'subducts', + 'subdue', + 'subdued', + 'subduedly', + 'subduer', + 'subduers', + 'subdues', + 'subduing', + 'subdural', + 'subecho', + 'subechoes', 'subeconomies', 'subeconomy', + 'subedit', + 'subedited', 'subediting', + 'subeditor', 'subeditorial', 'subeditors', + 'subedits', 'subemployed', 'subemployment', 'subemployments', 'subentries', + 'subentry', 'subepidermal', + 'subepoch', + 'subepochs', + 'suber', + 'suberect', + 'suberic', + 'suberin', + 'suberins', + 'suberise', + 'suberised', + 'suberises', 'suberising', 'suberization', 'suberizations', + 'suberize', + 'suberized', + 'suberizes', 'suberizing', + 'suberose', + 'suberous', + 'subers', 'subfamilies', + 'subfamily', + 'subfield', + 'subfields', + 'subfile', + 'subfiles', + 'subfix', + 'subfixes', + 'subfloor', + 'subfloors', + 'subfluid', + 'subfossil', 'subfossils', + 'subframe', + 'subframes', 'subfreezing', + 'subfusc', + 'subgenera', 'subgeneration', 'subgenerations', + 'subgenre', + 'subgenres', + 'subgenus', 'subgenuses', 'subglacial', 'subglacially', + 'subgoal', + 'subgoals', 'subgovernment', 'subgovernments', + 'subgrade', + 'subgrades', + 'subgraph', + 'subgraphs', + 'subgroup', + 'subgroups', + 'subgum', + 'subgums', + 'subhead', 'subheading', 'subheadings', + 'subheads', + 'subhuman', + 'subhumans', + 'subhumid', + 'subidea', + 'subideas', + 'subindex', 'subindexes', 'subindices', 'subindustries', @@ -58455,9 +147759,15 @@ export const scrabble_array = [ 'subirrigating', 'subirrigation', 'subirrigations', + 'subitem', + 'subitems', + 'subito', 'subjacencies', 'subjacency', + 'subjacent', 'subjacently', + 'subject', + 'subjected', 'subjecting', 'subjection', 'subjections', @@ -58484,7 +147794,12 @@ export const scrabble_array = [ 'subjectivizes', 'subjectivizing', 'subjectless', + 'subjects', + 'subjoin', + 'subjoined', 'subjoining', + 'subjoins', + 'subjugate', 'subjugated', 'subjugates', 'subjugating', @@ -58500,10 +147815,23 @@ export const scrabble_array = [ 'subkingdoms', 'sublanguage', 'sublanguages', + 'sublate', + 'sublated', + 'sublates', + 'sublating', + 'sublation', 'sublations', + 'sublease', + 'subleased', + 'subleases', 'subleasing', + 'sublet', + 'sublethal', 'sublethally', + 'sublets', 'subletting', + 'sublevel', + 'sublevels', 'sublibrarian', 'sublibrarians', 'sublicense', @@ -58513,16 +147841,28 @@ export const scrabble_array = [ 'sublieutenant', 'sublieutenants', 'sublimable', + 'sublimate', 'sublimated', 'sublimates', 'sublimating', 'sublimation', 'sublimations', + 'sublime', + 'sublimed', + 'sublimely', 'sublimeness', 'sublimenesses', + 'sublimer', + 'sublimers', + 'sublimes', + 'sublimest', 'subliminal', 'subliminally', + 'subliming', 'sublimities', + 'sublimity', + 'subline', + 'sublines', 'sublingual', 'subliteracies', 'subliteracy', @@ -58532,6 +147872,10 @@ export const scrabble_array = [ 'subliteratures', 'sublittoral', 'sublittorals', + 'sublot', + 'sublots', + 'sublunar', + 'sublunary', 'subluxation', 'subluxations', 'submanager', @@ -58539,21 +147883,31 @@ export const scrabble_array = [ 'submandibular', 'submandibulars', 'submarginal', + 'submarine', 'submarined', 'submariner', 'submariners', 'submarines', 'submarining', + 'submarket', 'submarkets', 'submaxillaries', 'submaxillary', 'submaximal', 'submediant', 'submediants', + 'submenu', + 'submenus', + 'submerge', + 'submerged', 'submergence', 'submergences', + 'submerges', 'submergible', 'submerging', + 'submerse', + 'submersed', + 'submerses', 'submersible', 'submersibles', 'submersing', @@ -58562,6 +147916,7 @@ export const scrabble_array = [ 'submetacentric', 'submetacentrics', 'submicrogram', + 'submicron', 'submicroscopic', 'submicroscopically', 'submillimeter', @@ -58569,15 +147924,21 @@ export const scrabble_array = [ 'subminimal', 'subminister', 'subministers', + 'submiss', 'submission', 'submissions', 'submissive', 'submissively', 'submissiveness', 'submissivenesses', + 'submit', 'submitochondrial', + 'submits', + 'submittal', 'submittals', + 'submitted', 'submitting', + 'submucosa', 'submucosae', 'submucosal', 'submucosas', @@ -58585,14 +147946,22 @@ export const scrabble_array = [ 'submultiples', 'submunition', 'submunitions', + 'subnasal', 'subnational', + 'subnet', + 'subnets', 'subnetwork', 'subnetworks', + 'subniche', + 'subniches', + 'subnodal', + 'subnormal', 'subnormalities', 'subnormality', 'subnormally', 'subnuclear', 'suboceanic', + 'suboptic', 'suboptimal', 'suboptimization', 'suboptimizations', @@ -58601,8 +147970,11 @@ export const scrabble_array = [ 'suboptimizes', 'suboptimizing', 'suboptimum', + 'suboral', 'suborbicular', 'suborbital', + 'suborder', + 'suborders', 'subordinate', 'subordinated', 'subordinately', @@ -58617,19 +147989,48 @@ export const scrabble_array = [ 'subordinators', 'suborganization', 'suborganizations', + 'suborn', 'subornation', 'subornations', + 'suborned', + 'suborner', + 'suborners', + 'suborning', + 'suborns', + 'suboval', + 'subovate', + 'suboxide', + 'suboxides', + 'subpanel', + 'subpanels', + 'subpar', 'subparagraph', 'subparagraphs', 'subparallel', + 'subpart', + 'subparts', + 'subpena', + 'subpenaed', 'subpenaing', + 'subpenas', + 'subperiod', 'subperiods', + 'subphase', + 'subphases', + 'subphyla', + 'subphylum', + 'subplot', + 'subplots', + 'subpoena', 'subpoenaed', 'subpoenaing', + 'subpoenas', + 'subpolar', 'subpopulation', 'subpopulations', 'subpotencies', 'subpotency', + 'subpotent', 'subprimate', 'subprimates', 'subprincipal', @@ -58648,13 +148049,22 @@ export const scrabble_array = [ 'subprojects', 'subproletariat', 'subproletariats', + 'subpubic', + 'subrace', + 'subraces', 'subrational', + 'subregion', 'subregional', 'subregions', + 'subrent', + 'subrents', 'subreption', 'subreptions', 'subreptitious', 'subreptitiously', + 'subring', + 'subrings', + 'subrogate', 'subrogated', 'subrogates', 'subrogating', @@ -58662,6 +148072,12 @@ export const scrabble_array = [ 'subrogations', 'subroutine', 'subroutines', + 'subrule', + 'subrules', + 'subs', + 'subsale', + 'subsales', + 'subsample', 'subsampled', 'subsamples', 'subsampling', @@ -58670,25 +148086,35 @@ export const scrabble_array = [ 'subsaturated', 'subsaturation', 'subsaturations', + 'subscale', + 'subscales', 'subscience', 'subsciences', + 'subscribe', 'subscribed', 'subscriber', 'subscribers', 'subscribes', 'subscribing', + 'subscript', 'subscription', 'subscriptions', 'subscripts', + 'subsea', 'subsecretaries', 'subsecretary', + 'subsect', 'subsection', 'subsections', + 'subsector', 'subsectors', + 'subsects', 'subsegment', 'subsegments', 'subseizure', 'subseizures', + 'subsense', + 'subsenses', 'subsentence', 'subsentences', 'subsequence', @@ -58696,6 +148122,12 @@ export const scrabble_array = [ 'subsequent', 'subsequently', 'subsequents', + 'subsere', + 'subseres', + 'subseries', + 'subserve', + 'subserved', + 'subserves', 'subservience', 'subserviences', 'subserviencies', @@ -58703,32 +148135,66 @@ export const scrabble_array = [ 'subservient', 'subserviently', 'subserving', + 'subset', + 'subsets', + 'subshaft', + 'subshafts', + 'subshell', + 'subshells', + 'subshrub', + 'subshrubs', + 'subside', + 'subsided', 'subsidence', 'subsidences', + 'subsider', + 'subsiders', + 'subsides', 'subsidiaries', 'subsidiarily', 'subsidiarities', 'subsidiarity', 'subsidiary', + 'subsidies', + 'subsiding', + 'subsidise', 'subsidised', 'subsidises', 'subsidising', 'subsidization', 'subsidizations', + 'subsidize', 'subsidized', 'subsidizer', 'subsidizers', 'subsidizes', 'subsidizing', + 'subsidy', + 'subsist', + 'subsisted', 'subsistence', 'subsistences', 'subsistent', 'subsisting', + 'subsists', + 'subsite', + 'subsites', + 'subskill', + 'subskills', + 'subsocial', 'subsocieties', 'subsociety', + 'subsoil', + 'subsoiled', + 'subsoiler', 'subsoilers', 'subsoiling', + 'subsoils', + 'subsolar', + 'subsonic', 'subsonically', + 'subspace', + 'subspaces', 'subspecialist', 'subspecialists', 'subspecialize', @@ -58739,6 +148205,9 @@ export const scrabble_array = [ 'subspecialty', 'subspecies', 'subspecific', + 'substage', + 'substages', + 'substance', 'substanceless', 'substances', 'substandard', @@ -58767,6 +148236,8 @@ export const scrabble_array = [ 'substantivized', 'substantivizes', 'substantivizing', + 'substate', + 'substates', 'substation', 'substations', 'substituent', @@ -58785,22 +148256,40 @@ export const scrabble_array = [ 'substitutions', 'substitutive', 'substitutively', + 'substrata', + 'substrate', 'substrates', 'substratum', 'substructural', 'substructure', 'substructures', 'subsumable', + 'subsume', + 'subsumed', + 'subsumes', + 'subsuming', 'subsumption', 'subsumptions', 'subsurface', 'subsurfaces', + 'subsystem', 'subsystems', + 'subtask', + 'subtasks', + 'subtaxa', + 'subtaxon', + 'subtaxons', + 'subteen', + 'subteens', 'subtemperate', 'subtenancies', 'subtenancy', + 'subtenant', 'subtenants', + 'subtend', + 'subtended', 'subtending', + 'subtends', 'subterfuge', 'subterfuges', 'subterminal', @@ -58808,28 +148297,61 @@ export const scrabble_array = [ 'subterraneanly', 'subterraneous', 'subterraneously', + 'subtest', + 'subtests', + 'subtext', + 'subtexts', 'subtextual', + 'subtheme', + 'subthemes', 'subtherapeutic', 'subthreshold', + 'subtile', + 'subtilely', 'subtileness', 'subtilenesses', + 'subtiler', + 'subtilest', + 'subtilin', + 'subtilins', 'subtilisin', 'subtilisins', 'subtilization', 'subtilizations', + 'subtilize', 'subtilized', 'subtilizes', 'subtilizing', 'subtilties', + 'subtilty', + 'subtitle', + 'subtitled', + 'subtitles', 'subtitling', + 'subtle', 'subtleness', 'subtlenesses', + 'subtler', + 'subtlest', 'subtleties', + 'subtlety', + 'subtly', + 'subtone', + 'subtones', + 'subtonic', + 'subtonics', + 'subtopia', + 'subtopias', + 'subtopic', + 'subtopics', + 'subtotal', 'subtotaled', 'subtotaling', 'subtotalled', 'subtotalling', 'subtotally', + 'subtotals', + 'subtract', 'subtracted', 'subtracter', 'subtracters', @@ -58837,14 +148359,29 @@ export const scrabble_array = [ 'subtraction', 'subtractions', 'subtractive', + 'subtracts', 'subtrahend', 'subtrahends', 'subtreasuries', 'subtreasury', + 'subtrend', + 'subtrends', + 'subtribe', + 'subtribes', + 'subtropic', 'subtropical', 'subtropics', + 'subtunic', + 'subtunics', + 'subtype', + 'subtypes', + 'subulate', 'subumbrella', 'subumbrellas', + 'subunit', + 'subunits', + 'suburb', + 'suburban', 'suburbanise', 'suburbanised', 'suburbanises', @@ -58857,9 +148394,19 @@ export const scrabble_array = [ 'suburbanized', 'suburbanizes', 'suburbanizing', + 'suburbans', + 'suburbed', + 'suburbia', + 'suburbias', + 'suburbs', 'subvarieties', 'subvariety', + 'subvassal', 'subvassals', + 'subvene', + 'subvened', + 'subvenes', + 'subvening', 'subvention', 'subventionary', 'subventions', @@ -58871,9 +148418,18 @@ export const scrabble_array = [ 'subversiveness', 'subversivenesses', 'subversives', + 'subvert', + 'subverted', + 'subverter', 'subverters', 'subverting', + 'subverts', + 'subvicar', + 'subvicars', + 'subviral', 'subvisible', + 'subvisual', + 'subvocal', 'subvocalization', 'subvocalizations', 'subvocalize', @@ -58881,13 +148437,32 @@ export const scrabble_array = [ 'subvocalizes', 'subvocalizing', 'subvocally', + 'subway', + 'subwayed', + 'subwaying', + 'subways', + 'subworld', + 'subworlds', + 'subwriter', 'subwriters', + 'subzero', + 'subzone', + 'subzones', + 'succah', + 'succahs', 'succedanea', 'succedaneous', 'succedaneum', 'succedaneums', + 'succedent', + 'succeed', + 'succeeded', + 'succeeder', 'succeeders', 'succeeding', + 'succeeds', + 'success', + 'successes', 'successful', 'successfully', 'successfulness', @@ -58900,49 +148475,173 @@ export const scrabble_array = [ 'successively', 'successiveness', 'successivenesses', + 'successor', 'successors', + 'succinate', 'succinates', + 'succinct', 'succincter', 'succinctest', 'succinctly', 'succinctness', 'succinctnesses', + 'succinic', + 'succinyl', 'succinylcholine', 'succinylcholines', + 'succinyls', + 'succor', + 'succored', + 'succorer', + 'succorers', + 'succories', + 'succoring', + 'succors', + 'succory', + 'succotash', 'succotashes', + 'succoth', + 'succour', + 'succoured', 'succouring', + 'succours', + 'succuba', + 'succubae', + 'succubi', + 'succubus', 'succubuses', 'succulence', 'succulences', + 'succulent', 'succulently', 'succulents', + 'succumb', + 'succumbed', 'succumbing', + 'succumbs', + 'succuss', + 'succussed', + 'succusses', 'succussing', + 'such', + 'suchlike', + 'suchness', 'suchnesses', + 'suck', + 'sucked', + 'sucker', + 'suckered', + 'suckering', + 'suckers', + 'suckfish', 'suckfishes', + 'sucking', + 'suckle', + 'suckled', + 'suckler', + 'sucklers', + 'suckles', + 'suckless', + 'suckling', + 'sucklings', + 'sucks', + 'sucrase', + 'sucrases', + 'sucre', + 'sucres', + 'sucrose', + 'sucroses', + 'suction', + 'suctional', + 'suctioned', 'suctioning', + 'suctions', + 'suctorial', + 'suctorian', 'suctorians', + 'sudaria', + 'sudaries', + 'sudarium', + 'sudary', + 'sudation', + 'sudations', + 'sudatoria', 'sudatories', 'sudatorium', 'sudatoriums', + 'sudatory', + 'sudd', + 'sudden', + 'suddenly', 'suddenness', 'suddennesses', + 'suddens', + 'sudds', + 'sudor', + 'sudoral', 'sudoriferous', + 'sudorific', 'sudorifics', + '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', 'sufferable', 'sufferableness', 'sufferablenesses', 'sufferably', 'sufferance', 'sufferances', + 'suffered', + 'sufferer', + 'sufferers', + 'suffering', 'sufferings', + 'suffers', + 'suffice', + 'sufficed', + 'sufficer', + 'sufficers', + 'suffices', 'sufficiencies', 'sufficiency', 'sufficient', 'sufficiently', + 'sufficing', + 'suffix', + 'suffixal', 'suffixation', 'suffixations', + 'suffixed', + 'suffixes', + 'suffixing', + 'sufflate', + 'sufflated', + 'sufflates', 'sufflating', + 'suffocate', 'suffocated', 'suffocates', 'suffocating', @@ -58950,22 +148649,46 @@ export const scrabble_array = [ 'suffocation', 'suffocations', 'suffocative', + 'suffragan', 'suffragans', + 'suffrage', + 'suffrages', 'suffragette', 'suffragettes', 'suffragist', 'suffragists', + 'suffuse', + 'suffused', + 'suffuses', + 'suffusing', + 'suffusion', 'suffusions', + 'suffusive', + 'sugar', 'sugarberries', 'sugarberry', + 'sugarcane', 'sugarcanes', + 'sugarcoat', 'sugarcoated', 'sugarcoating', 'sugarcoats', + 'sugared', 'sugarhouse', 'sugarhouses', + 'sugarier', + 'sugariest', + 'sugaring', + 'sugarless', + 'sugarloaf', 'sugarloaves', + 'sugarplum', 'sugarplums', + 'sugars', + 'sugary', + 'suggest', + 'suggested', + 'suggester', 'suggesters', 'suggestibilities', 'suggestibility', @@ -58977,45 +148700,161 @@ export const scrabble_array = [ 'suggestively', 'suggestiveness', 'suggestivenesses', + 'suggests', + 'sugh', + 'sughed', + 'sughing', + 'sughs', + 'suicidal', 'suicidally', + 'suicide', + 'suicided', + 'suicides', + 'suiciding', + 'suing', + 'suint', + 'suints', + 'suit', 'suitabilities', 'suitability', + 'suitable', 'suitableness', 'suitablenesses', + 'suitably', + 'suitcase', + 'suitcases', + 'suite', + 'suited', + 'suiter', + 'suiters', + 'suites', + 'suiting', + 'suitings', + 'suitlike', + 'suitor', + 'suitors', + 'suits', + 'sukiyaki', + 'sukiyakis', + 'sukkah', + 'sukkahs', + 'sukkot', + 'sukkoth', + 'sulcal', + 'sulcate', + 'sulcated', + 'sulci', + 'sulcus', + 'suldan', + 'suldans', + 'sulfa', 'sulfadiazine', 'sulfadiazines', 'sulfanilamide', 'sulfanilamides', + 'sulfas', + 'sulfatase', 'sulfatases', + 'sulfate', + 'sulfated', + 'sulfates', + 'sulfating', 'sulfhydryl', 'sulfhydryls', + 'sulfid', + 'sulfide', + 'sulfides', + 'sulfids', 'sulfinpyrazone', 'sulfinpyrazones', + 'sulfinyl', + 'sulfinyls', + 'sulfite', + 'sulfites', + 'sulfitic', + 'sulfo', 'sulfonamide', 'sulfonamides', + 'sulfonate', 'sulfonated', 'sulfonates', 'sulfonating', 'sulfonation', 'sulfonations', + 'sulfone', + 'sulfones', + 'sulfonic', + 'sulfonium', 'sulfoniums', + 'sulfonyl', + 'sulfonyls', 'sulfonylurea', 'sulfonylureas', + 'sulfoxide', 'sulfoxides', + 'sulfur', + 'sulfured', + 'sulfuret', 'sulfureted', 'sulfureting', + 'sulfurets', 'sulfuretted', 'sulfuretting', + 'sulfuric', + 'sulfuring', + 'sulfurize', 'sulfurized', 'sulfurizes', 'sulfurizing', + 'sulfurous', 'sulfurously', 'sulfurousness', 'sulfurousnesses', + 'sulfurs', + 'sulfury', + 'sulfuryl', + 'sulfuryls', + 'sulk', + 'sulked', + 'sulker', + 'sulkers', + 'sulkier', + 'sulkies', + 'sulkiest', + 'sulkily', + 'sulkiness', 'sulkinesses', + 'sulking', + 'sulks', + 'sulky', + 'sullage', + 'sullages', + 'sullen', + 'sullener', + 'sullenest', + 'sullenly', 'sullenness', 'sullennesses', + 'sullied', + 'sullies', + 'sully', + 'sullying', + 'sulpha', + 'sulphas', + 'sulphate', + 'sulphated', + 'sulphates', 'sulphating', + 'sulphid', + 'sulphide', + 'sulphides', + 'sulphids', + 'sulphite', + 'sulphites', + 'sulphone', + 'sulphones', + 'sulphur', + 'sulphured', 'sulphureous', 'sulphuring', 'sulphurise', @@ -59023,30 +148862,75 @@ export const scrabble_array = [ 'sulphurises', 'sulphurising', 'sulphurous', + 'sulphurs', + 'sulphury', + 'sultan', + 'sultana', + 'sultanas', + 'sultanate', 'sultanates', + 'sultaness', 'sultanesses', + 'sultanic', + 'sultans', + 'sultrier', + 'sultriest', + 'sultrily', 'sultriness', 'sultrinesses', + 'sultry', + 'sulu', + 'sulus', + 'sum', + 'sumac', + 'sumach', + 'sumachs', + 'sumacs', + 'sumless', + 'summa', 'summabilities', 'summability', + 'summable', + 'summae', + 'summand', + 'summands', + 'summaries', + 'summarily', + 'summarise', 'summarised', 'summarises', 'summarising', 'summarizable', 'summarization', 'summarizations', + 'summarize', 'summarized', 'summarizer', 'summarizers', 'summarizes', 'summarizing', + 'summary', + 'summas', + 'summate', + 'summated', + 'summates', + 'summating', + 'summation', 'summational', 'summations', + 'summative', + 'summed', + 'summer', + 'summered', 'summerhouse', 'summerhouses', + 'summerier', 'summeriest', + 'summering', 'summerlike', 'summerlong', + 'summerly', + 'summers', 'summersault', 'summersaulted', 'summersaulting', @@ -59055,29 +148939,184 @@ export const scrabble_array = [ 'summertimes', 'summerwood', 'summerwoods', + 'summery', + 'summing', + 'summit', + 'summital', + 'summited', + 'summiteer', 'summiteers', + 'summiting', 'summitries', + 'summitry', + 'summits', + 'summon', 'summonable', + 'summoned', + 'summoner', + 'summoners', + 'summoning', + 'summons', + 'summonsed', + 'summonses', 'summonsing', + 'sumo', + 'sumos', + 'sump', + 'sumps', + 'sumpter', + 'sumpters', + 'sumptuary', + 'sumptuous', 'sumptuously', 'sumptuousness', 'sumptuousnesses', + 'sumpweed', + 'sumpweeds', + 'sums', + 'sun', + 'sunback', + 'sunbaked', + 'sunbath', + 'sunbathe', + 'sunbathed', + 'sunbather', 'sunbathers', + 'sunbathes', 'sunbathing', + 'sunbaths', + 'sunbeam', + 'sunbeams', + 'sunbeamy', + 'sunbelt', + 'sunbelts', + 'sunbird', + 'sunbirds', + 'sunblock', + 'sunblocks', + 'sunbonnet', 'sunbonnets', + 'sunbow', + 'sunbows', + 'sunburn', + 'sunburned', 'sunburning', + 'sunburns', + 'sunburnt', + 'sunburst', + 'sunbursts', + 'sunchoke', + 'sunchokes', + 'sundae', + 'sundaes', + 'sundeck', + 'sundecks', + 'sunder', + 'sundered', + 'sunderer', + 'sunderers', + 'sundering', + 'sunders', + 'sundew', + 'sundews', + 'sundial', + 'sundials', + 'sundog', + 'sundogs', + 'sundown', + 'sundowner', 'sundowners', + 'sundowns', + 'sundress', 'sundresses', + 'sundries', + 'sundrops', + 'sundry', + 'sunfast', + 'sunfish', + 'sunfishes', + 'sunflower', 'sunflowers', + 'sung', + 'sunglass', 'sunglasses', + 'sunglow', + 'sunglows', + 'sunk', + 'sunken', + 'sunket', + 'sunkets', + 'sunlamp', + 'sunlamps', + 'sunland', + 'sunlands', + 'sunless', + 'sunlight', + 'sunlights', + 'sunlike', + 'sunlit', + 'sunn', + 'sunna', + 'sunnah', + 'sunnahs', + 'sunnas', + 'sunned', + 'sunnier', + 'sunniest', + 'sunnily', + 'sunniness', 'sunninesses', + 'sunning', + 'sunns', + 'sunny', + 'sunporch', 'sunporches', + 'sunproof', + 'sunrise', + 'sunrises', + 'sunroof', + 'sunroofs', + 'sunroom', + 'sunrooms', + 'suns', + 'sunscald', + 'sunscalds', + 'sunscreen', 'sunscreening', 'sunscreens', + 'sunseeker', 'sunseekers', + 'sunset', + 'sunsets', + 'sunshade', + 'sunshades', + 'sunshine', + 'sunshines', + 'sunshiny', + 'sunspot', + 'sunspots', + 'sunstone', + 'sunstones', + 'sunstroke', 'sunstrokes', + 'sunstruck', + 'sunsuit', + 'sunsuits', + 'suntan', + 'suntanned', + 'suntans', + 'sunup', + 'sunups', + 'sunward', + 'sunwards', + 'sunwise', + 'sup', + 'supe', + 'super', + 'superable', 'superableness', 'superablenesses', + 'superably', 'superabound', 'superabounded', 'superabounding', @@ -59092,10 +149131,12 @@ export const scrabble_array = [ 'superachievers', 'superactivities', 'superactivity', + 'superadd', 'superadded', 'superadding', 'superaddition', 'superadditions', + 'superadds', 'superadministrator', 'superadministrators', 'superagencies', @@ -59115,17 +149156,24 @@ export const scrabble_array = [ 'superannuations', 'superathlete', 'superathletes', + 'superb', + 'superbad', + 'superbank', 'superbanks', + 'superber', + 'superbest', 'superbillionaire', 'superbillionaires', 'superbitch', 'superbitches', 'superblock', 'superblocks', + 'superbly', 'superbness', 'superbnesses', 'superboard', 'superboards', + 'superbomb', 'superbomber', 'superbombers', 'superbombs', @@ -59138,12 +149186,15 @@ export const scrabble_array = [ 'supercalendered', 'supercalendering', 'supercalenders', + 'supercar', 'supercargo', 'supercargoes', 'supercargos', 'supercarrier', 'supercarriers', + 'supercars', 'supercautious', + 'supercede', 'superceded', 'supercedes', 'superceding', @@ -59155,6 +149206,7 @@ export const scrabble_array = [ 'superchargers', 'supercharges', 'supercharging', + 'superchic', 'superchurch', 'superchurches', 'superciliary', @@ -59163,15 +149215,18 @@ export const scrabble_array = [ 'superciliousness', 'superciliousnesses', 'supercities', + 'supercity', 'supercivilization', 'supercivilizations', 'supercivilized', 'superclass', 'superclasses', 'superclean', + 'superclub', 'superclubs', 'supercluster', 'superclusters', + 'supercoil', 'supercoiled', 'supercoiling', 'supercoils', @@ -59198,9 +149253,12 @@ export const scrabble_array = [ 'supercontinent', 'supercontinents', 'superconvenient', + 'supercool', 'supercooled', 'supercooling', 'supercools', + 'supercop', + 'supercops', 'supercorporation', 'supercorporations', 'supercriminal', @@ -59208,15 +149266,19 @@ export const scrabble_array = [ 'supercritical', 'supercurrent', 'supercurrents', + 'supercute', 'superdeluxe', 'superdiplomat', 'superdiplomats', + 'supered', 'supereffective', 'superefficiencies', 'superefficiency', 'superefficient', + 'superego', 'superegoist', 'superegoists', + 'superegos', 'superelevate', 'superelevated', 'superelevates', @@ -59236,13 +149298,18 @@ export const scrabble_array = [ 'supererogation', 'supererogations', 'supererogatory', + 'superette', 'superettes', 'superexpensive', 'superexpress', 'superexpresses', 'superfamilies', 'superfamily', + 'superfan', + 'superfans', + 'superfarm', 'superfarms', + 'superfast', 'superfatted', 'superfecundation', 'superfecundations', @@ -59253,7 +149320,10 @@ export const scrabble_array = [ 'superficiality', 'superficially', 'superficies', + 'superfine', + 'superfirm', 'superfirms', + 'superfix', 'superfixes', 'superflack', 'superflacks', @@ -59267,11 +149337,15 @@ export const scrabble_array = [ 'superfluously', 'superfluousness', 'superfluousnesses', + 'superfund', 'superfunds', + 'supergene', 'supergenes', 'supergiant', 'supergiants', + 'superglue', 'superglues', + 'supergood', 'supergovernment', 'supergovernments', 'supergraphics', @@ -59285,6 +149359,7 @@ export const scrabble_array = [ 'superhardened', 'superhardening', 'superhardens', + 'superheat', 'superheated', 'superheater', 'superheaters', @@ -59297,6 +149372,7 @@ export const scrabble_array = [ 'superhelices', 'superhelix', 'superhelixes', + 'superhero', 'superheroes', 'superheroine', 'superheroines', @@ -59304,12 +149380,16 @@ export const scrabble_array = [ 'superheterodynes', 'superhighway', 'superhighways', + 'superhit', + 'superhits', + 'superhot', 'superhuman', 'superhumanities', 'superhumanity', 'superhumanly', 'superhumanness', 'superhumannesses', + 'superhype', 'superhyped', 'superhypes', 'superhyping', @@ -59335,6 +149415,7 @@ export const scrabble_array = [ 'superinfection', 'superinfections', 'superinfects', + 'supering', 'superinsulated', 'superintellectual', 'superintellectuals', @@ -59353,12 +149434,18 @@ export const scrabble_array = [ 'superintends', 'superintensities', 'superintensity', + 'superior', 'superiorities', 'superiority', 'superiorly', + 'superiors', 'superjacent', + 'superjet', + 'superjets', + 'superjock', 'superjocks', 'superjumbo', + 'superlain', 'superlarge', 'superlative', 'superlatively', @@ -59367,6 +149454,9 @@ export const scrabble_array = [ 'superlatives', 'superlawyer', 'superlawyers', + 'superlay', + 'superlie', + 'superlies', 'superlight', 'superliner', 'superliners', @@ -59384,17 +149474,22 @@ export const scrabble_array = [ 'supermachos', 'supermajorities', 'supermajority', + 'supermale', 'supermales', + 'superman', 'supermarket', 'supermarkets', 'supermasculine', 'supermassive', + 'supermen', 'supermicro', 'supermicros', 'supermilitant', 'supermillionaire', 'supermillionaires', + 'supermind', 'superminds', + 'supermini', 'superminicomputer', 'superminicomputers', 'superminis', @@ -59403,6 +149498,9 @@ export const scrabble_array = [ 'supermodel', 'supermodels', 'supermodern', + 'supermom', + 'supermoms', + 'supernal', 'supernally', 'supernatant', 'supernatants', @@ -59425,6 +149523,7 @@ export const scrabble_array = [ 'supernormalities', 'supernormality', 'supernormally', + 'supernova', 'supernovae', 'supernovas', 'supernumeraries', @@ -59462,6 +149561,7 @@ export const scrabble_array = [ 'superphosphate', 'superphosphates', 'superphysical', + 'superpimp', 'superpimps', 'superplane', 'superplanes', @@ -59471,8 +149571,10 @@ export const scrabble_array = [ 'superplayer', 'superplayers', 'superpolite', + 'superport', 'superports', 'superposable', + 'superpose', 'superposed', 'superposes', 'superposing', @@ -59484,19 +149586,28 @@ export const scrabble_array = [ 'superpowers', 'superpremium', 'superpremiums', + 'superpro', 'superprofit', 'superprofits', + 'superpros', 'superqualities', 'superquality', + 'superrace', 'superraces', + 'superreal', 'superrealism', 'superrealisms', 'superregenerative', 'superregional', + 'superrich', + 'superroad', 'superroads', 'superromantic', 'superromanticism', 'superromanticisms', + 'supers', + 'supersafe', + 'supersale', 'supersales', 'supersalesman', 'supersalesmen', @@ -59524,6 +149635,7 @@ export const scrabble_array = [ 'supersecrecy', 'supersecret', 'supersecrets', + 'supersede', 'supersedeas', 'superseded', 'superseder', @@ -59532,6 +149644,7 @@ export const scrabble_array = [ 'superseding', 'supersedure', 'supersedures', + 'supersell', 'superseller', 'supersellers', 'supersells', @@ -59544,19 +149657,23 @@ export const scrabble_array = [ 'superserviceable', 'supersession', 'supersessions', + 'supersex', 'supersexes', 'supersexualities', 'supersexuality', 'supersharp', + 'supershow', 'supershows', 'supersinger', 'supersingers', + 'supersize', 'supersized', 'supersleuth', 'supersleuths', 'superslick', 'supersmart', 'supersmooth', + 'supersoft', 'supersonic', 'supersonically', 'supersonics', @@ -59575,6 +149692,8 @@ export const scrabble_array = [ 'superspeculation', 'superspeculations', 'superspies', + 'superspy', + 'superstar', 'superstardom', 'superstardoms', 'superstars', @@ -59606,6 +149725,7 @@ export const scrabble_array = [ 'superstructural', 'superstructure', 'superstructures', + 'superstud', 'superstuds', 'supersubstantial', 'supersubtle', @@ -59621,14 +149741,17 @@ export const scrabble_array = [ 'supersystems', 'supertanker', 'supertankers', + 'supertax', 'supertaxes', 'superterrific', 'superthick', + 'superthin', 'superthriller', 'superthrillers', 'supertight', 'supertonic', 'supertonics', + 'supervene', 'supervened', 'supervenes', 'supervenient', @@ -59639,6 +149762,7 @@ export const scrabble_array = [ 'supervirtuosi', 'supervirtuoso', 'supervirtuosos', + 'supervise', 'supervised', 'supervises', 'supervising', @@ -59647,28 +149771,48 @@ export const scrabble_array = [ 'supervisor', 'supervisors', 'supervisory', + 'superwave', 'superwaves', 'superweapon', 'superweapons', + 'superwide', + 'superwife', 'superwives', 'superwoman', 'superwomen', + 'supes', + 'supinate', + 'supinated', + 'supinates', 'supinating', 'supination', 'supinations', + 'supinator', 'supinators', + 'supine', + 'supinely', 'supineness', 'supinenesses', + 'supines', + 'supped', + 'supper', + 'suppers', 'suppertime', 'suppertimes', + 'supping', + 'supplant', 'supplantation', 'supplantations', 'supplanted', 'supplanter', 'supplanters', 'supplanting', + 'supplants', + 'supple', + 'suppled', 'supplejack', 'supplejacks', + 'supplely', 'supplement', 'supplemental', 'supplementals', @@ -59682,12 +149826,16 @@ export const scrabble_array = [ 'supplements', 'suppleness', 'supplenesses', + 'suppler', + 'supples', + 'supplest', 'suppletion', 'suppletions', 'suppletive', 'suppletory', 'suppliance', 'suppliances', + 'suppliant', 'suppliantly', 'suppliants', 'supplicant', @@ -59699,17 +149847,36 @@ export const scrabble_array = [ 'supplication', 'supplications', 'supplicatory', + 'supplied', + 'supplier', + 'suppliers', + 'supplies', + 'suppling', + 'supply', + 'supplying', + 'support', 'supportabilities', 'supportability', 'supportable', + 'supported', + 'supporter', 'supporters', 'supporting', 'supportive', 'supportiveness', 'supportivenesses', + 'supports', 'supposable', 'supposably', + 'supposal', + 'supposals', + 'suppose', + 'supposed', 'supposedly', + 'supposer', + 'supposers', + 'supposes', + 'supposing', 'supposition', 'suppositional', 'suppositions', @@ -59718,6 +149885,7 @@ export const scrabble_array = [ 'supposititiously', 'suppositories', 'suppository', + 'suppress', 'suppressant', 'suppressants', 'suppressed', @@ -59733,12 +149901,14 @@ export const scrabble_array = [ 'suppressivenesses', 'suppressor', 'suppressors', + 'suppurate', 'suppurated', 'suppurates', 'suppurating', 'suppuration', 'suppurations', 'suppurative', + 'supra', 'supraliminal', 'supramolecular', 'supranational', @@ -59760,94 +149930,247 @@ export const scrabble_array = [ 'supremacies', 'supremacist', 'supremacists', + 'supremacy', 'suprematism', 'suprematisms', 'suprematist', 'suprematists', + 'supreme', + 'supremely', 'supremeness', 'supremenesses', + 'supremer', + 'supremest', + 'supremo', + 'supremos', + 'sups', + 'suq', + 'suqs', + 'sura', + 'surah', + 'surahs', + 'sural', + 'suras', + 'surbase', + 'surbased', + 'surbases', + 'surcease', + 'surceased', + 'surceases', 'surceasing', + 'surcharge', 'surcharged', 'surcharges', 'surcharging', + 'surcingle', 'surcingles', + 'surcoat', + 'surcoats', + 'surd', + 'surds', + 'sure', + 'surefire', 'surefooted', 'surefootedly', 'surefootedness', 'surefootednesses', + 'surely', + 'sureness', 'surenesses', + 'surer', + 'surest', + 'sureties', + 'surety', 'suretyship', 'suretyships', + 'surf', + 'surfable', + 'surface', + 'surfaced', + 'surfacer', + 'surfacers', + 'surfaces', + 'surfacing', 'surfacings', 'surfactant', 'surfactants', + 'surfbird', + 'surfbirds', + 'surfboard', 'surfboarded', 'surfboarder', 'surfboarders', 'surfboarding', 'surfboards', + 'surfboat', + 'surfboats', + 'surfed', + 'surfeit', + 'surfeited', + 'surfeiter', 'surfeiters', 'surfeiting', + 'surfeits', + 'surfer', + 'surfers', + 'surffish', 'surffishes', + 'surficial', + 'surfier', + 'surfiest', + 'surfing', + 'surfings', + 'surflike', + 'surfperch', 'surfperches', + 'surfs', + 'surfy', + 'surge', + 'surged', + 'surgeon', 'surgeonfish', 'surgeonfishes', + 'surgeons', + 'surger', + 'surgeries', + 'surgers', + 'surgery', + 'surges', + 'surgical', 'surgically', + 'surging', + 'surgy', + 'suricate', + 'suricates', + 'surimi', 'surjection', 'surjections', 'surjective', + 'surlier', + 'surliest', + 'surlily', + 'surliness', 'surlinesses', + 'surly', + 'surmise', + 'surmised', + 'surmiser', + 'surmisers', + 'surmises', + 'surmising', + 'surmount', 'surmountable', 'surmounted', 'surmounting', + 'surmounts', + 'surname', + 'surnamed', + 'surnamer', + 'surnamers', + 'surnames', + 'surnaming', + 'surpass', 'surpassable', + 'surpassed', + 'surpasses', 'surpassing', 'surpassingly', + 'surplice', + 'surplices', + 'surplus', 'surplusage', 'surplusages', + 'surpluses', + 'surprint', 'surprinted', 'surprinting', + 'surprints', + 'surprisal', 'surprisals', + 'surprise', + 'surprised', + 'surpriser', 'surprisers', + 'surprises', 'surprising', 'surprisingly', + 'surprize', + 'surprized', + 'surprizes', 'surprizing', + 'surra', + 'surras', + 'surreal', 'surrealism', 'surrealisms', 'surrealist', 'surrealistic', 'surrealistically', 'surrealists', + 'surreally', 'surrebutter', 'surrebutters', 'surrejoinder', 'surrejoinders', + 'surrender', 'surrendered', 'surrendering', 'surrenders', 'surreptitious', 'surreptitiously', + 'surrey', + 'surreys', 'surrogacies', + 'surrogacy', + 'surrogate', 'surrogated', 'surrogates', 'surrogating', + 'surround', 'surrounded', 'surrounding', 'surroundings', + 'surrounds', + 'surroyal', + 'surroyals', + 'surtax', + 'surtaxed', + 'surtaxes', + 'surtaxing', + 'surtout', + 'surtouts', + 'surveil', 'surveillance', 'surveillances', 'surveillant', 'surveillants', 'surveilled', 'surveilling', + 'surveils', + 'survey', + 'surveyed', + 'surveying', 'surveyings', + 'surveyor', + 'surveyors', + 'surveys', 'survivabilities', 'survivability', 'survivable', + 'survival', 'survivalist', 'survivalists', + 'survivals', 'survivance', 'survivances', + 'survive', + 'survived', + 'surviver', + 'survivers', + 'survives', + 'surviving', + 'survivor', + 'survivors', 'survivorship', 'survivorships', 'susceptibilities', @@ -59861,23 +150184,39 @@ export const scrabble_array = [ 'susceptivenesses', 'susceptivities', 'susceptivity', + 'sushi', + 'sushis', + 'suslik', + 'susliks', + 'suspect', + 'suspected', 'suspecting', + 'suspects', + 'suspend', + 'suspended', + 'suspender', 'suspendered', 'suspenders', 'suspending', + 'suspends', + 'suspense', 'suspenseful', 'suspensefully', 'suspensefulness', 'suspensefulnesses', 'suspenseless', + 'suspenser', 'suspensers', + 'suspenses', 'suspension', 'suspensions', 'suspensive', 'suspensively', + 'suspensor', 'suspensories', 'suspensors', 'suspensory', + 'suspicion', 'suspicioned', 'suspicioning', 'suspicions', @@ -59887,105 +150226,471 @@ export const scrabble_array = [ 'suspiciousnesses', 'suspiration', 'suspirations', + 'suspire', + 'suspired', + 'suspires', + 'suspiring', + 'suss', + 'sussed', + 'susses', + 'sussing', + 'sustain', 'sustainabilities', 'sustainability', 'sustainable', + 'sustained', 'sustainedly', + 'sustainer', 'sustainers', 'sustaining', + 'sustains', 'sustenance', 'sustenances', 'sustentation', 'sustentations', 'sustentative', + 'susurrant', 'susurration', 'susurrations', + 'susurrous', + 'susurrus', 'susurruses', + 'sutler', + 'sutlers', + 'sutra', + 'sutras', + 'sutta', + 'suttas', + 'suttee', + 'suttees', + 'sutural', + 'suturally', + 'suture', + 'sutured', + 'sutures', + 'suturing', + 'suzerain', + 'suzerains', 'suzerainties', 'suzerainty', + 'svaraj', + 'svarajes', + 'svedberg', + 'svedbergs', + 'svelte', + 'sveltely', 'svelteness', 'sveltenesses', + 'svelter', + 'sveltest', + 'swab', + 'swabbed', + 'swabber', + 'swabbers', + 'swabbie', + 'swabbies', + 'swabbing', + 'swabby', + 'swabs', + 'swacked', + 'swaddle', + 'swaddled', + 'swaddles', + 'swaddling', + 'swag', + 'swage', + 'swaged', + 'swager', + 'swagers', + 'swages', + 'swagged', + 'swagger', + 'swaggered', + 'swaggerer', 'swaggerers', 'swaggering', 'swaggeringly', + 'swaggers', + 'swaggie', + 'swaggies', + 'swagging', + 'swaging', + 'swagman', + 'swagmen', + 'swags', + 'swail', + 'swails', + 'swain', + 'swainish', 'swainishness', 'swainishnesses', + 'swains', + 'swale', + 'swales', + 'swallow', 'swallowable', + 'swallowed', + 'swallower', 'swallowers', 'swallowing', + 'swallows', 'swallowtail', 'swallowtails', + 'swam', + 'swami', + 'swamies', + 'swamis', + 'swamp', + 'swamped', + 'swamper', + 'swampers', + 'swampier', + 'swampiest', 'swampiness', 'swampinesses', + 'swamping', + 'swampish', + 'swampland', 'swamplands', + 'swamps', + 'swampy', + 'swamy', + 'swan', + 'swang', + 'swanherd', + 'swanherds', + 'swank', + 'swanked', + 'swanker', + 'swankest', + 'swankier', + 'swankiest', + 'swankily', 'swankiness', 'swankinesses', + 'swanking', + 'swanks', + 'swanky', + 'swanlike', + 'swanned', 'swanneries', + 'swannery', + 'swanning', + 'swanpan', + 'swanpans', + 'swans', + 'swansdown', 'swansdowns', + 'swanskin', + 'swanskins', + 'swap', + 'swapped', + 'swapper', + 'swappers', + 'swapping', + 'swaps', + 'swaraj', + 'swarajes', + 'swarajist', 'swarajists', + 'sward', + 'swarded', + 'swarding', + 'swards', + 'sware', + 'swarf', + 'swarfs', + 'swarm', + 'swarmed', + 'swarmer', + 'swarmers', + 'swarming', + 'swarms', + 'swart', + 'swarth', + 'swarthier', 'swarthiest', 'swarthiness', 'swarthinesses', + 'swarths', + 'swarthy', + 'swartness', 'swartnesses', + 'swarty', + 'swash', 'swashbuckle', 'swashbuckled', 'swashbuckler', 'swashbucklers', 'swashbuckles', 'swashbuckling', + 'swashed', + 'swasher', + 'swashers', + 'swashes', + 'swashing', + 'swastica', + 'swasticas', + 'swastika', + 'swastikas', + 'swat', + 'swatch', + 'swatches', + 'swath', + 'swathe', + 'swathed', + 'swather', + 'swathers', + 'swathes', + 'swathing', + 'swaths', + 'swats', + 'swatted', + 'swatter', + 'swatters', + 'swatting', + 'sway', + 'swayable', + 'swayback', 'swaybacked', + 'swaybacks', + 'swayed', + 'swayer', + 'swayers', + 'swayful', + 'swaying', + 'sways', + 'swear', + 'swearer', + 'swearers', + 'swearing', + 'swears', + 'swearword', 'swearwords', + 'sweat', + 'sweatband', 'sweatbands', + 'sweatbox', 'sweatboxes', + 'sweated', + 'sweater', 'sweaterdress', 'sweaterdresses', + 'sweaters', + 'sweatier', + 'sweatiest', + 'sweatily', 'sweatiness', 'sweatinesses', + 'sweating', 'sweatpants', + 'sweats', 'sweatshirt', 'sweatshirts', + 'sweatshop', 'sweatshops', + 'sweaty', + 'swede', + 'swedes', + 'sweenies', + 'sweeny', + 'sweep', + 'sweepback', 'sweepbacks', + 'sweeper', + 'sweepers', + 'sweepier', + 'sweepiest', + 'sweeping', 'sweepingly', 'sweepingness', 'sweepingnesses', + 'sweepings', + 'sweeps', 'sweepstakes', + 'sweepy', + 'sweer', + 'sweet', 'sweetbread', 'sweetbreads', 'sweetbriar', 'sweetbriars', 'sweetbrier', 'sweetbriers', + 'sweeten', + 'sweetened', + 'sweetener', 'sweeteners', 'sweetening', 'sweetenings', + 'sweetens', + 'sweeter', + 'sweetest', 'sweetheart', 'sweethearts', + 'sweetie', + 'sweeties', + 'sweeting', + 'sweetings', + 'sweetish', 'sweetishly', + 'sweetly', + 'sweetmeat', 'sweetmeats', + 'sweetness', 'sweetnesses', + 'sweets', + 'sweetshop', 'sweetshops', + 'sweetsop', + 'sweetsops', + 'swell', + 'swelled', + 'sweller', + 'swellest', + 'swellfish', 'swellfishes', + 'swellhead', 'swellheaded', 'swellheadedness', 'swellheadednesses', 'swellheads', + 'swelling', + 'swellings', + 'swells', + 'swelter', + 'sweltered', 'sweltering', 'swelteringly', + 'swelters', + 'sweltrier', 'sweltriest', + 'sweltry', + 'swept', + 'swerve', + 'swerved', + 'swerver', + 'swervers', + 'swerves', + 'swerving', + 'sweven', + 'swevens', + 'swidden', + 'swiddens', + 'swift', + 'swifter', + 'swifters', + 'swiftest', + 'swiftlet', + 'swiftlets', + 'swiftly', + 'swiftness', 'swiftnesses', + 'swifts', + 'swig', + 'swigged', + 'swigger', + 'swiggers', + 'swigging', + 'swigs', + 'swill', + 'swilled', + 'swiller', + 'swillers', + 'swilling', + 'swills', + 'swim', + 'swimmable', + 'swimmer', + 'swimmeret', 'swimmerets', + 'swimmers', + 'swimmier', + 'swimmiest', + 'swimmily', + 'swimming', 'swimmingly', + 'swimmings', + 'swimmy', + 'swims', + 'swimsuit', + 'swimsuits', + 'swimwear', + 'swindle', + 'swindled', + 'swindler', + 'swindlers', + 'swindles', + 'swindling', + 'swine', + 'swineherd', 'swineherds', + 'swinepox', 'swinepoxes', + 'swing', + 'swingby', + 'swingbys', + 'swinge', + 'swinged', + 'swingeing', + 'swinger', + 'swingers', + 'swinges', + 'swingier', + 'swingiest', + 'swinging', 'swingingest', 'swingingly', + 'swingings', + 'swingle', + 'swingled', + 'swingles', 'swingletree', 'swingletrees', + 'swingling', + 'swingman', + 'swingmen', + 'swings', + 'swingy', + 'swinish', + 'swinishly', 'swinishness', 'swinishnesses', + 'swink', + 'swinked', + 'swinking', + 'swinks', + 'swinney', + 'swinneys', + 'swipe', + 'swiped', + 'swipes', + 'swiping', + 'swiple', + 'swiples', + 'swipple', + 'swipples', + 'swirl', + 'swirled', + 'swirlier', + 'swirliest', + 'swirling', 'swirlingly', + 'swirls', + 'swirly', + 'swish', + 'swished', + 'swisher', + 'swishers', + 'swishes', + 'swishier', + 'swishiest', + 'swishing', 'swishingly', + 'swishy', + 'swiss', + 'swisses', + 'switch', 'switchable', 'switchback', 'switchbacked', @@ -59995,28 +150700,131 @@ export const scrabble_array = [ 'switchblades', 'switchboard', 'switchboards', + 'switched', + 'switcher', 'switcheroo', 'switcheroos', + 'switchers', + 'switches', 'switchgrass', 'switchgrasses', + 'switching', + 'switchman', + 'switchmen', 'switchyard', 'switchyards', + 'swith', + 'swithe', + 'swither', + 'swithered', 'swithering', + 'swithers', + 'swithly', + 'swive', + 'swived', + 'swivel', + 'swiveled', + 'swiveling', + 'swivelled', 'swivelling', + 'swivels', + 'swives', + 'swivet', + 'swivets', + 'swiving', + 'swizzle', + 'swizzled', + 'swizzler', + 'swizzlers', + 'swizzles', + 'swizzling', + 'swob', + 'swobbed', + 'swobber', + 'swobbers', + 'swobbing', + 'swobs', + 'swollen', + 'swoon', + 'swooned', + 'swooner', + 'swooners', + 'swooning', 'swooningly', + 'swoons', + 'swoop', + 'swooped', + 'swooper', + 'swoopers', + 'swooping', + 'swoops', 'swoopstake', + 'swoosh', + 'swooshed', + 'swooshes', + 'swooshing', + 'swop', + 'swopped', + 'swopping', + 'swops', + 'sword', + 'swordfish', 'swordfishes', + 'swordlike', + 'swordman', + 'swordmen', + 'swordplay', 'swordplayer', 'swordplayers', 'swordplays', + 'swords', + 'swordsman', 'swordsmanship', 'swordsmanships', + 'swordsmen', + 'swordtail', 'swordtails', + 'swore', + 'sworn', + 'swot', + 'swots', + 'swotted', + 'swotter', + 'swotters', + 'swotting', + 'swoun', + 'swound', + 'swounded', + 'swounding', + 'swounds', + 'swouned', + 'swouning', + 'swouns', + 'swum', + 'swung', + 'sybarite', + 'sybarites', + 'sybaritic', 'sybaritically', 'sybaritism', 'sybaritisms', + 'sybo', + 'syboes', + 'sycamine', + 'sycamines', + 'sycamore', + 'sycamores', + 'syce', + 'sycee', + 'sycees', + 'syces', + 'sycomore', + 'sycomores', + 'syconia', + 'syconium', 'sycophancies', 'sycophancy', + 'sycophant', 'sycophantic', 'sycophantically', 'sycophantish', @@ -60025,7 +150833,19 @@ export const scrabble_array = [ 'sycophantisms', 'sycophantly', 'sycophants', + 'sycoses', + 'sycosis', + 'syenite', + 'syenites', + 'syenitic', + 'syke', + 'sykes', + 'syli', + 'sylis', 'syllabaries', + 'syllabary', + 'syllabi', + 'syllabic', 'syllabically', 'syllabicate', 'syllabicated', @@ -60035,43 +150855,101 @@ export const scrabble_array = [ 'syllabications', 'syllabicities', 'syllabicity', + 'syllabics', 'syllabification', 'syllabifications', 'syllabified', 'syllabifies', + 'syllabify', 'syllabifying', + 'syllable', + 'syllabled', + 'syllables', 'syllabling', + 'syllabub', + 'syllabubs', + 'syllabus', 'syllabuses', + 'syllepses', + 'syllepsis', + 'sylleptic', + 'syllogism', 'syllogisms', + 'syllogist', 'syllogistic', 'syllogistically', 'syllogists', + 'syllogize', 'syllogized', 'syllogizes', 'syllogizing', + 'sylph', + 'sylphic', + 'sylphid', + 'sylphids', + 'sylphish', + 'sylphlike', + 'sylphs', + 'sylphy', + 'sylva', + 'sylvae', + 'sylvan', + 'sylvanite', 'sylvanites', + 'sylvans', + 'sylvas', + 'sylvatic', 'sylviculture', 'sylvicultures', + 'sylvin', + 'sylvine', + 'sylvines', + 'sylvins', + 'sylvite', + 'sylvites', + 'symbion', + 'symbions', + 'symbiont', + 'symbionts', + 'symbioses', + 'symbiosis', + 'symbiot', + 'symbiote', + 'symbiotes', + 'symbiotic', 'symbiotically', + 'symbiots', + 'symbol', + 'symboled', + 'symbolic', 'symbolical', 'symbolically', + 'symboling', + 'symbolise', 'symbolised', 'symbolises', 'symbolising', + 'symbolism', 'symbolisms', + 'symbolist', 'symbolistic', 'symbolists', 'symbolization', 'symbolizations', + 'symbolize', 'symbolized', 'symbolizer', 'symbolizers', 'symbolizes', 'symbolizing', + 'symbolled', 'symbolling', 'symbologies', + 'symbology', + 'symbols', 'symmetallism', 'symmetallisms', + 'symmetric', 'symmetrical', 'symmetrically', 'symmetricalness', @@ -60083,6 +150961,7 @@ export const scrabble_array = [ 'symmetrized', 'symmetrizes', 'symmetrizing', + 'symmetry', 'sympathectomies', 'sympathectomized', 'sympathectomy', @@ -60090,6 +150969,7 @@ export const scrabble_array = [ 'sympathetically', 'sympathetics', 'sympathies', + 'sympathin', 'sympathins', 'sympathise', 'sympathised', @@ -60105,23 +150985,37 @@ export const scrabble_array = [ 'sympatholytics', 'sympathomimetic', 'sympathomimetics', + 'sympathy', + 'sympatric', 'sympatrically', 'sympatries', + 'sympatry', 'sympetalies', 'sympetalous', + 'sympetaly', + 'symphonic', 'symphonically', 'symphonies', 'symphonious', 'symphoniously', 'symphonist', 'symphonists', + 'symphony', 'symphyseal', + 'symphyses', 'symphysial', + 'symphysis', + 'sympodia', + 'sympodial', + 'sympodium', + 'symposia', 'symposiarch', 'symposiarchs', 'symposiast', 'symposiasts', + 'symposium', 'symposiums', + 'symptom', 'symptomatic', 'symptomatically', 'symptomatologic', @@ -60130,16 +151024,33 @@ export const scrabble_array = [ 'symptomatologies', 'symptomatology', 'symptomless', + 'symptoms', + 'syn', 'synaereses', 'synaeresis', 'synaestheses', 'synaesthesia', 'synaesthesias', 'synaesthesis', + 'synagog', + 'synagogal', + 'synagogs', + 'synagogue', 'synagogues', + 'synalepha', 'synalephas', 'synaloepha', 'synaloephas', + 'synanon', + 'synanons', + 'synapse', + 'synapsed', + 'synapses', + 'synapsid', + 'synapsids', + 'synapsing', + 'synapsis', + 'synaptic', 'synaptically', 'synaptosomal', 'synaptosome', @@ -60147,10 +151058,19 @@ export const scrabble_array = [ 'synarthrodial', 'synarthroses', 'synarthrosis', + 'sync', + 'syncarp', 'syncarpies', 'syncarpous', + 'syncarps', + 'syncarpy', 'syncategorematic', 'syncategorematically', + 'synced', + 'synch', + 'synched', + 'synching', + 'synchro', 'synchrocyclotron', 'synchrocyclotrons', 'synchromesh', @@ -60185,10 +151105,21 @@ export const scrabble_array = [ 'synchronously', 'synchronousness', 'synchronousnesses', + 'synchrony', + 'synchros', 'synchroscope', 'synchroscopes', 'synchrotron', 'synchrotrons', + 'synchs', + 'syncing', + 'synclinal', + 'syncline', + 'synclines', + 'syncom', + 'syncoms', + 'syncopal', + 'syncopate', 'syncopated', 'syncopates', 'syncopating', @@ -60197,6 +151128,10 @@ export const scrabble_array = [ 'syncopative', 'syncopator', 'syncopators', + 'syncope', + 'syncopes', + 'syncopic', + 'syncretic', 'syncretise', 'syncretised', 'syncretises', @@ -60210,18 +151145,30 @@ export const scrabble_array = [ 'syncretized', 'syncretizes', 'syncretizing', + 'syncs', + 'syncytia', + 'syncytial', + 'syncytium', 'syndactylies', 'syndactylism', 'syndactylisms', 'syndactyly', + 'syndeses', + 'syndesis', 'syndesises', 'syndesmoses', 'syndesmosis', + 'syndet', + 'syndetic', 'syndetically', + 'syndets', + 'syndic', + 'syndical', 'syndicalism', 'syndicalisms', 'syndicalist', 'syndicalists', + 'syndicate', 'syndicated', 'syndicates', 'syndicating', @@ -60229,6 +151176,10 @@ export const scrabble_array = [ 'syndications', 'syndicator', 'syndicators', + 'syndics', + 'syndrome', + 'syndromes', + 'syne', 'synecdoche', 'synecdoches', 'synecdochic', @@ -60237,16 +151188,51 @@ export const scrabble_array = [ 'synecological', 'synecologies', 'synecology', + 'synectic', + 'synereses', + 'syneresis', 'synergetic', + 'synergia', + 'synergias', + 'synergic', 'synergically', + 'synergid', + 'synergids', + 'synergies', + 'synergism', 'synergisms', + 'synergist', 'synergistic', 'synergistically', 'synergists', + 'synergy', + 'synesis', + 'synesises', 'synesthesia', 'synesthesias', 'synesthetic', + 'synfuel', + 'synfuels', + 'syngamic', + 'syngamies', + 'syngamy', + 'syngas', + 'syngases', + 'syngasses', + 'syngeneic', + 'synizeses', + 'synizesis', + 'synkaryon', 'synkaryons', + 'synod', + 'synodal', + 'synodic', + 'synodical', + 'synods', + 'synonym', + 'synonyme', + 'synonymes', + 'synonymic', 'synonymical', 'synonymies', 'synonymist', @@ -60259,19 +151245,37 @@ export const scrabble_array = [ 'synonymizing', 'synonymous', 'synonymously', + 'synonyms', + 'synonymy', + 'synopses', + 'synopsis', + 'synopsize', 'synopsized', 'synopsizes', 'synopsizing', + 'synoptic', 'synoptical', 'synoptically', 'synostoses', 'synostosis', + 'synovia', + 'synovial', + 'synovias', + 'synovitis', 'synovitises', + 'syntactic', 'syntactical', 'syntactically', 'syntactics', + 'syntagma', + 'syntagmas', 'syntagmata', 'syntagmatic', + 'syntax', + 'syntaxes', + 'synth', + 'syntheses', + 'synthesis', 'synthesist', 'synthesists', 'synthesize', @@ -60282,14 +151286,53 @@ export const scrabble_array = [ 'synthesizing', 'synthetase', 'synthetases', + 'synthetic', 'synthetically', 'synthetics', + 'synths', + 'syntonic', + 'syntonies', + 'syntony', + 'synura', + 'synurae', + 'syph', + 'sypher', + 'syphered', + 'syphering', + 'syphers', + 'syphilis', 'syphilises', 'syphilitic', 'syphilitics', + 'syphon', + 'syphoned', + 'syphoning', + 'syphons', + 'syphs', + 'syren', + 'syrens', + 'syringa', + 'syringas', + 'syringe', + 'syringed', + 'syringes', + 'syringing', 'syringomyelia', 'syringomyelias', 'syringomyelic', + 'syrinx', + 'syrinxes', + 'syrphian', + 'syrphians', + 'syrphid', + 'syrphids', + 'syrup', + 'syrups', + 'syrupy', + 'sysop', + 'sysops', + 'systaltic', + 'system', 'systematic', 'systematically', 'systematicness', @@ -60311,228 +151354,1317 @@ export const scrabble_array = [ 'systematizers', 'systematizes', 'systematizing', + 'systemic', 'systemically', + 'systemics', 'systemization', 'systemizations', + 'systemize', 'systemized', 'systemizes', 'systemizing', 'systemless', + 'systems', + 'systole', + 'systoles', + 'systolic', + 'syzygal', + 'syzygial', + 'syzygies', + 'syzygy', + 'ta', + 'tab', + 'tabanid', + 'tabanids', + 'tabard', + 'tabarded', + 'tabards', + 'tabaret', + 'tabarets', + 'tabbed', + 'tabbied', + 'tabbies', + 'tabbing', + 'tabbis', + 'tabbises', + 'tabbouleh', 'tabboulehs', + 'tabby', + 'tabbying', + 'taber', + 'tabered', + 'tabering', 'tabernacle', 'tabernacled', 'tabernacles', 'tabernacling', 'tabernacular', + 'tabers', + 'tabes', + 'tabetic', + 'tabetics', + 'tabid', + 'tabla', + 'tablas', + 'tablature', 'tablatures', + 'table', + 'tableau', + 'tableaus', + 'tableaux', 'tablecloth', 'tablecloths', + 'tabled', + 'tableful', + 'tablefuls', + 'tableland', 'tablelands', + 'tablemate', 'tablemates', + 'tables', + 'tablesful', 'tablespoon', 'tablespoonful', 'tablespoonfuls', 'tablespoons', 'tablespoonsful', + 'tablet', + 'tableted', + 'tableting', + 'tabletop', + 'tabletops', + 'tablets', + 'tabletted', 'tabletting', + 'tableware', 'tablewares', + 'tabling', + 'tabloid', + 'tabloids', + 'taboo', + 'tabooed', + 'tabooing', + 'tabooley', + 'tabooleys', + 'taboos', + 'tabor', + 'tabored', + 'taborer', + 'taborers', + 'taboret', + 'taborets', + 'taborin', + 'taborine', + 'taborines', + 'taboring', + 'taborins', + 'tabors', + 'tabouli', + 'taboulis', + 'tabour', + 'taboured', + 'tabourer', + 'tabourers', + 'tabouret', + 'tabourets', + 'tabouring', + 'tabours', + 'tabs', + 'tabu', + 'tabued', + 'tabuing', + 'tabular', + 'tabulate', + 'tabulated', + 'tabulates', 'tabulating', 'tabulation', 'tabulations', + 'tabulator', 'tabulators', + 'tabuli', + 'tabulis', + 'tabun', + 'tabuns', + 'tabus', + 'tacamahac', 'tacamahacs', + 'tace', + 'taces', + 'tacet', + 'tach', + 'tache', + 'taches', + 'tachinid', + 'tachinids', + 'tachism', + 'tachisme', + 'tachismes', + 'tachisms', + 'tachist', + 'tachiste', + 'tachistes', 'tachistoscope', 'tachistoscopes', 'tachistoscopic', 'tachistoscopically', + 'tachists', 'tachometer', 'tachometers', + 'tachs', 'tachyarrhythmia', 'tachyarrhythmias', 'tachycardia', 'tachycardias', + 'tachyon', + 'tachyons', + 'tacit', + 'tacitly', + 'tacitness', 'tacitnesses', + 'taciturn', 'taciturnities', 'taciturnity', + 'tack', + 'tackboard', 'tackboards', + 'tacked', + 'tacker', + 'tackers', + 'tacket', + 'tackets', + 'tackey', + 'tackier', + 'tackiest', + 'tackified', + 'tackifier', 'tackifiers', + 'tackifies', + 'tackify', 'tackifying', + 'tackily', + 'tackiness', 'tackinesses', + 'tacking', + 'tackle', + 'tackled', + 'tackler', + 'tacklers', + 'tackles', + 'tackless', + 'tackling', + 'tacklings', + 'tacks', + 'tacky', + 'tacnode', + 'tacnodes', + 'taco', + 'taconite', + 'taconites', + 'tacos', + 'tact', + 'tactful', + 'tactfully', 'tactfulness', 'tactfulnesses', + 'tactic', + 'tactical', 'tactically', + 'tactician', 'tacticians', + 'tactics', + 'tactile', + 'tactilely', 'tactilities', + 'tactility', + 'taction', + 'tactions', + 'tactless', 'tactlessly', 'tactlessness', 'tactlessnesses', + 'tacts', + 'tactual', + 'tactually', + 'tad', + 'tadpole', + 'tadpoles', + 'tads', + 'tae', + 'tael', + 'taels', + 'taenia', + 'taeniae', + 'taenias', + 'taeniases', + 'taeniasis', + 'taffarel', + 'taffarels', + 'tafferel', + 'tafferels', + 'taffeta', + 'taffetas', 'taffetized', + 'taffia', + 'taffias', + 'taffies', + 'taffrail', + 'taffrails', + 'taffy', + 'tafia', + 'tafias', + 'tag', + 'tagalong', + 'tagalongs', + 'tagboard', + 'tagboards', + 'tagged', + 'tagger', + 'taggers', + 'tagging', 'tagliatelle', 'tagliatelles', + 'taglike', + 'tagmeme', + 'tagmemes', + 'tagmemic', + 'tagrag', + 'tagrags', + 'tags', + 'tahini', + 'tahinis', + 'tahr', + 'tahrs', + 'tahsil', + 'tahsils', + 'taiga', + 'taigas', + 'taiglach', + 'tail', + 'tailback', + 'tailbacks', + 'tailboard', 'tailboards', + 'tailbone', + 'tailbones', + 'tailcoat', 'tailcoated', + 'tailcoats', + 'tailed', + 'tailender', 'tailenders', + 'tailer', + 'tailers', + 'tailfan', + 'tailfans', + 'tailgate', + 'tailgated', + 'tailgater', 'tailgaters', + 'tailgates', 'tailgating', + 'tailing', + 'tailings', + 'taillamp', + 'taillamps', + 'taille', + 'tailles', + 'tailless', + 'tailleur', + 'tailleurs', + 'taillight', 'taillights', + 'taillike', + 'tailor', 'tailorbird', 'tailorbirds', + 'tailored', + 'tailoring', 'tailorings', + 'tailors', + 'tailpiece', 'tailpieces', + 'tailpipe', + 'tailpipes', + 'tailplane', 'tailplanes', + 'tailrace', + 'tailraces', + 'tails', + 'tailskid', + 'tailskids', + 'tailslide', 'tailslides', + 'tailspin', + 'tailspins', + 'tailwater', 'tailwaters', + 'tailwind', + 'tailwinds', + 'tain', + 'tains', + 'taint', + 'tainted', + 'tainting', + 'taintless', + 'taints', + 'taipan', + 'taipans', + 'taj', + 'tajes', + 'taka', + 'takable', + 'takahe', + 'takahes', + 'take', + 'takeable', + 'takeaway', + 'takedown', + 'takedowns', + 'taken', + 'takeoff', + 'takeoffs', + 'takeout', + 'takeouts', + 'takeover', + 'takeovers', + 'taker', + 'takers', + 'takes', + 'takeup', + 'takeups', + 'takin', + 'taking', + 'takingly', + 'takings', + 'takins', + 'tala', + 'talapoin', + 'talapoins', + 'talar', + 'talaria', + 'talars', + 'talas', + 'talc', + 'talced', + 'talcing', + 'talcked', + 'talcking', + 'talcky', + 'talcose', + 'talcous', + 'talcs', + 'talcum', + 'talcums', + 'tale', 'talebearer', 'talebearers', 'talebearing', 'talebearings', + 'talent', + 'talented', 'talentless', + 'talents', + 'taler', + 'talers', + 'tales', + 'talesman', + 'talesmen', + 'taleysim', + 'tali', + 'talion', + 'talions', + 'taliped', + 'talipeds', + 'talipes', + 'talipot', + 'talipots', + 'talisman', 'talismanic', 'talismanically', + 'talismans', + 'talk', + 'talkable', + 'talkathon', 'talkathons', + 'talkative', 'talkatively', 'talkativeness', 'talkativenesses', + 'talked', + 'talker', + 'talkers', + 'talkfests', + 'talkie', + 'talkier', + 'talkies', + 'talkiest', + 'talkiness', 'talkinesses', + 'talking', + 'talkings', + 'talks', + 'talky', + 'tall', + 'tallage', + 'tallaged', + 'tallages', + 'tallaging', + 'tallaisim', + 'tallboy', + 'tallboys', + 'taller', + 'tallest', + 'tallied', + 'tallier', + 'talliers', + 'tallies', + 'tallis', + 'tallish', + 'tallisim', + 'tallit', + 'tallith', + 'tallithes', + 'tallithim', + 'tallitim', + 'tallitoth', + 'tallness', 'tallnesses', + 'tallol', + 'tallols', + 'tallow', + 'tallowed', + 'tallowing', + 'tallows', + 'tallowy', + 'tally', + 'tallyho', + 'tallyhoed', 'tallyhoing', + 'tallyhos', + 'tallying', + 'tallyman', + 'tallymen', + 'talmudic', + 'talmudism', 'talmudisms', + 'talon', + 'taloned', + 'talons', + 'talooka', + 'talookas', + 'taluk', + 'taluka', + 'talukas', + 'taluks', + 'talus', + 'taluses', + 'tam', + 'tamable', + 'tamal', + 'tamale', + 'tamales', + 'tamals', + 'tamandu', + 'tamandua', + 'tamanduas', + 'tamandus', + 'tamarack', + 'tamaracks', + 'tamarao', + 'tamaraos', + 'tamarau', + 'tamaraus', + 'tamari', + 'tamarillo', 'tamarillos', + 'tamarin', + 'tamarind', + 'tamarinds', + 'tamarins', + 'tamaris', + 'tamarisk', + 'tamarisks', + 'tamasha', + 'tamashas', + 'tambac', + 'tambacs', + 'tambak', + 'tambaks', + 'tambala', + 'tambalas', + 'tambour', + 'tamboura', + 'tambouras', + 'tamboured', + 'tambourer', 'tambourers', 'tambourine', 'tambourines', 'tambouring', + 'tambours', + 'tambur', + 'tambura', + 'tamburas', + 'tamburs', + 'tame', + 'tameable', + 'tamed', + 'tamein', + 'tameins', + 'tameless', + 'tamely', + 'tameness', 'tamenesses', + 'tamer', + 'tamers', + 'tames', + 'tamest', + 'taming', + 'tamis', + 'tamises', + 'tammie', + 'tammies', + 'tammy', + 'tamoxifen', 'tamoxifens', + 'tamp', + 'tampala', + 'tampalas', + 'tampan', + 'tampans', + 'tamped', + 'tamper', + 'tampered', + 'tamperer', + 'tamperers', + 'tampering', 'tamperproof', + 'tampers', + 'tamping', + 'tampion', + 'tampions', + 'tampon', + 'tamponed', + 'tamponing', + 'tampons', + 'tamps', + 'tams', + 'tan', + 'tanager', + 'tanagers', + 'tanbark', + 'tanbarks', + 'tandem', + 'tandems', + 'tandoor', + 'tandoori', + 'tang', + 'tanged', + 'tangelo', + 'tangelos', + 'tangence', + 'tangences', 'tangencies', + 'tangency', + 'tangent', 'tangential', 'tangentially', + 'tangents', + 'tangerine', 'tangerines', 'tangibilities', 'tangibility', + 'tangible', 'tangibleness', 'tangiblenesses', + 'tangibles', + 'tangibly', + 'tangier', + 'tangiest', + 'tanging', + 'tangle', + 'tangled', 'tanglement', 'tanglements', + 'tangler', + 'tanglers', + 'tangles', + 'tanglier', + 'tangliest', + 'tangling', + 'tangly', + 'tango', + 'tangoed', + 'tangoing', + 'tangos', + 'tangram', + 'tangrams', + 'tangs', + 'tangy', + 'tanist', 'tanistries', + 'tanistry', + 'tanists', + 'tank', + 'tanka', + 'tankage', + 'tankages', + 'tankard', + 'tankards', + 'tankas', + 'tanked', + 'tanker', + 'tankers', + 'tankful', + 'tankfuls', + 'tanking', + 'tanklike', + 'tanks', + 'tankship', + 'tankships', + 'tannable', + 'tannage', + 'tannages', + 'tannate', + 'tannates', + 'tanned', + 'tanner', + 'tanneries', + 'tanners', + 'tannery', + 'tannest', + 'tannic', + 'tannin', + 'tanning', + 'tannings', + 'tannins', + 'tannish', + 'tanrec', + 'tanrecs', + 'tans', + 'tansies', + 'tansy', + 'tantalate', 'tantalates', + 'tantalic', + 'tantalise', 'tantalised', 'tantalises', 'tantalising', + 'tantalite', 'tantalites', + 'tantalize', 'tantalized', 'tantalizer', 'tantalizers', 'tantalizes', 'tantalizing', 'tantalizingly', + 'tantalum', + 'tantalums', + 'tantalus', 'tantaluses', 'tantamount', + 'tantara', + 'tantaras', + 'tantivies', + 'tantivy', + 'tanto', + 'tantra', + 'tantras', + 'tantric', + 'tantrum', + 'tantrums', + 'tanuki', + 'tanukis', + 'tanyard', + 'tanyards', + 'tanzanite', 'tanzanites', + 'tao', + 'taos', + 'tap', + 'tapa', + 'tapadera', + 'tapaderas', + 'tapadero', + 'tapaderos', + 'tapalo', + 'tapalos', + 'tapas', + 'tape', + 'taped', + 'tapeless', + 'tapelike', + 'tapeline', + 'tapelines', + 'taper', + 'tapered', + 'taperer', + 'taperers', + 'tapering', + 'tapers', 'taperstick', 'tapersticks', + 'tapes', 'tapestried', 'tapestries', + 'tapestry', 'tapestrying', + 'tapeta', + 'tapetal', + 'tapetum', + 'tapeworm', + 'tapeworms', + 'taphole', + 'tapholes', 'taphonomic', 'taphonomies', 'taphonomist', 'taphonomists', + 'taphonomy', + 'taphouse', + 'taphouses', + 'taping', + 'tapioca', + 'tapiocas', + 'tapir', + 'tapirs', + 'tapis', + 'tapises', + 'tapped', + 'tapper', + 'tappers', + 'tappet', + 'tappets', + 'tapping', + 'tappings', + 'taproom', + 'taprooms', + 'taproot', + 'taproots', + 'taps', + 'tapster', + 'tapsters', + 'tar', 'taradiddle', 'taradiddles', + 'tarama', + 'taramas', + 'tarantas', 'tarantases', 'tarantella', 'tarantellas', + 'tarantism', 'tarantisms', + 'tarantula', 'tarantulae', 'tarantulas', + 'tarboosh', 'tarbooshes', + 'tarbush', + 'tarbushes', + 'tardier', + 'tardies', + 'tardiest', 'tardigrade', 'tardigrades', + 'tardily', + 'tardiness', 'tardinesses', + 'tardo', + 'tardy', + 'tardyon', + 'tardyons', + 'tare', + 'tared', + 'tares', + 'targe', + 'targes', + 'target', 'targetable', + 'targeted', + 'targeting', + 'targets', + 'tariff', + 'tariffed', + 'tariffing', + 'tariffs', + 'taring', + 'tarlatan', + 'tarlatans', + 'tarletan', + 'tarletans', + 'tarmac', 'tarmacadam', 'tarmacadams', + 'tarmacs', + 'tarn', + 'tarnal', + 'tarnally', + 'tarnation', 'tarnations', + 'tarnish', 'tarnishable', + 'tarnished', + 'tarnishes', 'tarnishing', + 'tarns', + 'taro', + 'taroc', + 'tarocs', + 'tarok', + 'taroks', + 'taros', + 'tarot', + 'tarots', + 'tarp', + 'tarpan', + 'tarpans', + 'tarpaper', + 'tarpapers', + 'tarpaulin', 'tarpaulins', + 'tarpon', + 'tarpons', + 'tarps', 'tarradiddle', 'tarradiddles', + 'tarragon', + 'tarragons', + 'tarre', + 'tarred', + 'tarres', + 'tarriance', 'tarriances', + 'tarried', + 'tarrier', + 'tarriers', + 'tarries', + 'tarriest', + 'tarring', + 'tarry', + 'tarrying', + 'tars', + 'tarsal', + 'tarsals', + 'tarsi', + 'tarsia', + 'tarsias', + 'tarsier', + 'tarsiers', 'tarsometatarsi', 'tarsometatarsus', + 'tarsus', + 'tart', + 'tartan', + 'tartana', + 'tartanas', + 'tartans', + 'tartar', + 'tartaric', + 'tartars', + 'tarted', + 'tarter', + 'tartest', + 'tarting', + 'tartish', + 'tartlet', + 'tartlets', + 'tartly', + 'tartness', 'tartnesses', + 'tartrate', + 'tartrates', + 'tarts', + 'tartufe', + 'tartufes', + 'tartuffe', + 'tartuffes', + 'tarty', + 'tarweed', + 'tarweeds', + 'tarzan', + 'tarzans', + 'tas', + 'task', + 'tasked', + 'tasking', 'taskmaster', 'taskmasters', 'taskmistress', 'taskmistresses', + 'tasks', + 'taskwork', + 'taskworks', + 'tass', + 'tasse', + 'tassel', + 'tasseled', + 'tasseling', + 'tasselled', 'tasselling', + 'tassels', + 'tasses', + 'tasset', + 'tassets', + 'tassie', + 'tassies', + 'tastable', + 'taste', + 'tasted', + 'tasteful', 'tastefully', 'tastefulness', 'tastefulnesses', + 'tasteless', 'tastelessly', 'tastelessness', 'tastelessnesses', 'tastemaker', 'tastemakers', + 'taster', + 'tasters', + 'tastes', + 'tastier', + 'tastiest', + 'tastily', + 'tastiness', 'tastinesses', + 'tasting', + 'tasty', + 'tat', + 'tatami', + 'tatamis', + 'tatar', + 'tatars', + 'tate', + 'tater', + 'taters', + 'tates', + 'tatouay', + 'tatouays', + 'tats', + 'tatted', + 'tatter', 'tatterdemalion', 'tatterdemalions', + 'tattered', + 'tattering', + 'tatters', 'tattersall', 'tattersalls', + 'tattie', + 'tattier', + 'tatties', + 'tattiest', + 'tattily', + 'tattiness', 'tattinesses', + 'tatting', + 'tattings', + 'tattle', + 'tattled', + 'tattler', + 'tattlers', + 'tattles', 'tattletale', 'tattletales', + 'tattling', + 'tattoo', + 'tattooed', + 'tattooer', + 'tattooers', + 'tattooing', + 'tattooist', 'tattooists', + 'tattoos', + 'tatty', + 'tau', + 'taught', + 'taunt', + 'taunted', + 'taunter', + 'taunters', + 'taunting', 'tauntingly', + 'taunts', + 'taupe', + 'taupes', + 'taurine', + 'taurines', + 'taus', + 'taut', + 'tautaug', + 'tautaugs', + 'tauted', + 'tauten', + 'tautened', + 'tautening', + 'tautens', + 'tauter', + 'tautest', + 'tauting', + 'tautly', + 'tautness', 'tautnesses', + 'tautog', + 'tautogs', 'tautological', 'tautologically', 'tautologies', 'tautologous', 'tautologously', + 'tautology', + 'tautomer', 'tautomeric', 'tautomerism', 'tautomerisms', + 'tautomers', + 'tautonym', 'tautonymies', + 'tautonyms', + 'tautonymy', + 'tauts', + 'tav', + 'tavern', + 'taverna', + 'tavernas', + 'taverner', + 'taverners', + 'taverns', + 'tavs', + 'taw', + 'tawdrier', + 'tawdries', + 'tawdriest', + 'tawdrily', 'tawdriness', 'tawdrinesses', + 'tawdry', + 'tawed', + 'tawer', + 'tawers', + 'tawie', + 'tawing', + 'tawney', + 'tawneys', + 'tawnier', + 'tawnies', + 'tawniest', + 'tawnily', + 'tawniness', 'tawninesses', + 'tawny', + 'tawpie', + 'tawpies', + 'taws', + 'tawse', + 'tawsed', + 'tawses', + 'tawsing', + 'tax', + 'taxa', + 'taxable', + 'taxables', + 'taxably', + 'taxation', + 'taxations', + 'taxed', + 'taxeme', + 'taxemes', + 'taxemic', + 'taxer', + 'taxers', + 'taxes', + 'taxi', + 'taxicab', + 'taxicabs', 'taxidermic', 'taxidermies', 'taxidermist', 'taxidermists', + 'taxidermy', + 'taxied', + 'taxies', + 'taxiing', + 'taximan', + 'taximen', + 'taximeter', 'taximeters', + 'taxing', + 'taxingly', + 'taxis', + 'taxite', + 'taxites', + 'taxitic', + 'taxiway', + 'taxiways', + 'taxless', + 'taxman', + 'taxmen', + 'taxon', + 'taxonomic', 'taxonomically', 'taxonomies', 'taxonomist', 'taxonomists', + 'taxonomy', + 'taxons', + 'taxpaid', + 'taxpayer', + 'taxpayers', + 'taxpaying', + 'taxus', + 'taxwise', + 'taxying', + 'tazza', + 'tazzas', + 'tazze', + 'tchotchke', 'tchotchkes', + 'tea', 'teaberries', + 'teaberry', + 'teaboard', + 'teaboards', + 'teabowl', + 'teabowls', + 'teabox', + 'teaboxes', + 'teacake', + 'teacakes', + 'teacart', + 'teacarts', + 'teach', + 'teachable', 'teachableness', 'teachablenesses', + 'teachably', + 'teacher', + 'teacherly', + 'teachers', + 'teaches', + 'teaching', + 'teachings', + 'teacup', + 'teacupful', 'teacupfuls', + 'teacups', 'teacupsful', + 'teahouse', + 'teahouses', + 'teak', + 'teakettle', 'teakettles', + 'teaks', + 'teakwood', + 'teakwoods', + 'teal', + 'tealike', + 'teals', + 'team', + 'teamaker', + 'teamakers', + 'teamed', + 'teaming', + 'teammate', + 'teammates', + 'teams', + 'teamster', + 'teamsters', + 'teamwork', + 'teamworks', + 'teapot', + 'teapots', + 'teapoy', + 'teapoys', + 'tear', + 'tearable', + 'tearaway', + 'tearaways', + 'teardown', + 'teardowns', + 'teardrop', + 'teardrops', + 'teared', + 'tearer', + 'tearers', + 'tearful', + 'tearfully', 'tearfulness', 'tearfulnesses', + 'teargas', + 'teargases', 'teargassed', 'teargasses', 'teargassing', + 'tearier', + 'teariest', + 'tearily', + 'tearing', 'tearjerker', 'tearjerkers', + 'tearless', + 'tearoom', + 'tearooms', + 'tears', + 'tearstain', 'tearstained', 'tearstains', + 'teary', + 'teas', + 'tease', + 'teased', + 'teasel', + 'teaseled', + 'teaseler', + 'teaselers', + 'teaseling', + 'teaselled', 'teaselling', + 'teasels', + 'teaser', + 'teasers', + 'teases', + 'teashop', + 'teashops', + 'teasing', + 'teasingly', + 'teaspoon', 'teaspoonful', 'teaspoonfuls', + 'teaspoons', 'teaspoonsful', + 'teat', + 'teated', + 'teatime', + 'teatimes', + 'teats', + 'teaware', + 'teawares', + 'teazel', + 'teazeled', + 'teazeling', + 'teazelled', 'teazelling', + 'teazels', + 'teazle', + 'teazled', + 'teazles', + 'teazling', + 'teched', + 'techie', + 'techier', + 'techies', + 'techiest', + 'techily', 'technetium', 'technetiums', 'technetronic', + 'technic', + 'technical', 'technicalities', 'technicality', 'technicalization', @@ -60545,6 +152677,8 @@ export const scrabble_array = [ 'technicals', 'technician', 'technicians', + 'technics', + 'technique', 'techniques', 'technobabble', 'technobabbles', @@ -60573,19 +152707,88 @@ export const scrabble_array = [ 'technophobic', 'technostructure', 'technostructures', + 'techy', + 'tecta', + 'tectal', + 'tectite', + 'tectites', + 'tectonic', 'tectonically', + 'tectonics', + 'tectonism', 'tectonisms', + 'tectrices', + 'tectrix', + 'tectum', + 'ted', + 'tedded', + 'tedder', + 'tedders', + 'teddies', + 'tedding', + 'teddy', + 'tedious', + 'tediously', 'tediousness', 'tediousnesses', + 'tedium', + 'tediums', + 'teds', + 'tee', + 'teed', + 'teeing', + 'teel', + 'teels', + 'teem', + 'teemed', + 'teemer', + 'teemers', + 'teeming', + 'teemingly', 'teemingness', 'teemingnesses', + 'teems', + 'teen', + 'teenage', + 'teenaged', + 'teenager', + 'teenagers', + 'teener', + 'teeners', + 'teenful', + 'teenier', + 'teeniest', + 'teens', + 'teensier', + 'teensiest', + 'teensy', + 'teentsier', 'teentsiest', + 'teentsy', + 'teeny', + 'teenybop', 'teenybopper', 'teenyboppers', + 'teepee', + 'teepees', + 'tees', + 'teeter', 'teeterboard', 'teeterboards', + 'teetered', + 'teetering', + 'teeters', + 'teeth', + 'teethe', + 'teethed', + 'teether', + 'teethers', + 'teethes', + 'teething', + 'teethings', 'teethridge', 'teethridges', + 'teetotal', 'teetotaled', 'teetotaler', 'teetotalers', @@ -60599,15 +152802,52 @@ export const scrabble_array = [ 'teetotallers', 'teetotalling', 'teetotally', + 'teetotals', + 'teetotum', + 'teetotums', + 'teff', + 'teffs', + 'tefillin', + 'teg', + 'tegmen', + 'tegmenta', + 'tegmental', + 'tegmentum', + 'tegmina', + 'tegminal', + 'tegs', + 'tegua', + 'teguas', + 'tegular', + 'tegumen', + 'tegument', + 'teguments', + 'tegumina', + 'teiglach', + 'teiid', + 'teiids', + 'teind', + 'teinds', + 'tektite', + 'tektites', + 'tektitic', + 'tel', + 'tela', + 'telae', + 'telamon', + 'telamones', 'telangiectases', 'telangiectasia', 'telangiectasias', 'telangiectasis', 'telangiectatic', + 'tele', + 'telecast', 'telecasted', 'telecaster', 'telecasters', 'telecasting', + 'telecasts', 'telecommunication', 'telecommunications', 'telecommute', @@ -60623,11 +152863,22 @@ export const scrabble_array = [ 'teleconferencings', 'telecourse', 'telecourses', + 'teledu', + 'teledus', 'telefacsimile', 'telefacsimiles', + 'telefilm', + 'telefilms', + 'telega', + 'telegas', + 'telegenic', 'telegonies', + 'telegony', + 'telegram', 'telegrammed', 'telegramming', + 'telegrams', + 'telegraph', 'telegraphed', 'telegrapher', 'telegraphers', @@ -60645,16 +152896,22 @@ export const scrabble_array = [ 'telekinesis', 'telekinetic', 'telekinetically', + 'teleman', + 'telemark', 'telemarketer', 'telemarketers', 'telemarketing', 'telemarketings', + 'telemarks', + 'telemen', + 'telemeter', 'telemetered', 'telemetering', 'telemeters', 'telemetric', 'telemetrically', 'telemetries', + 'telemetry', 'telencephala', 'telencephalic', 'telencephalon', @@ -60665,12 +152922,20 @@ export const scrabble_array = [ 'teleologies', 'teleologist', 'teleologists', + 'teleology', 'teleonomic', 'teleonomies', + 'teleonomy', + 'teleost', 'teleostean', + 'teleosts', + 'telepath', 'telepathic', 'telepathically', 'telepathies', + 'telepaths', + 'telepathy', + 'telephone', 'telephoned', 'telephoner', 'telephoners', @@ -60681,22 +152946,40 @@ export const scrabble_array = [ 'telephoning', 'telephonist', 'telephonists', + 'telephony', + 'telephoto', 'telephotographies', 'telephotography', 'telephotos', + 'teleplay', + 'teleplays', + 'teleport', 'teleportation', 'teleportations', 'teleported', 'teleporting', + 'teleports', 'teleprinter', 'teleprinters', 'teleprocessing', 'teleprocessings', + 'teleran', + 'telerans', + 'teles', + 'telescope', 'telescoped', 'telescopes', 'telescopic', 'telescopically', 'telescoping', + 'teleses', + 'telesis', + 'telestic', + 'telestics', + 'teletext', + 'teletexts', + 'telethon', + 'telethons', 'teletypewriter', 'teletypewriters', 'teleutospore', @@ -60705,29 +152988,91 @@ export const scrabble_array = [ 'televangelisms', 'televangelist', 'televangelists', + 'teleview', 'televiewed', 'televiewer', 'televiewers', 'televiewing', + 'televiews', + 'televise', + 'televised', + 'televises', 'televising', 'television', 'televisions', 'televisual', + 'telex', + 'telexed', + 'telexes', + 'telexing', + 'telfer', + 'telfered', + 'telfering', + 'telfers', + 'telford', + 'telfords', + 'telia', + 'telial', + 'telic', + 'telically', 'teliospore', 'teliospores', + 'telium', + 'tell', + 'tellable', + 'teller', + 'tellers', + 'tellies', + 'telling', + 'tellingly', + 'tells', + 'telltale', + 'telltales', + 'telluric', + 'telluride', 'tellurides', + 'tellurium', 'telluriums', 'tellurometer', 'tellurometers', + 'telly', + 'tellys', 'telocentric', 'telocentrics', + 'teloi', + 'telome', + 'telomere', + 'telomeres', + 'telomes', + 'telomic', + 'telophase', 'telophases', + 'telos', + 'telotaxes', + 'telotaxis', + 'telpher', + 'telphered', 'telphering', + 'telphers', + 'tels', + 'telson', + 'telsonic', + 'telsons', + 'temblor', + 'temblores', + 'temblors', 'temerarious', 'temerariously', 'temerariousness', 'temerariousnesses', 'temerities', + 'temerity', + 'temp', + 'temped', + 'tempeh', + 'tempehs', + 'temper', + 'tempera', 'temperable', 'temperament', 'temperamental', @@ -60735,16 +153080,39 @@ export const scrabble_array = [ 'temperaments', 'temperance', 'temperances', + 'temperas', + 'temperate', 'temperately', 'temperateness', 'temperatenesses', 'temperature', 'temperatures', + 'tempered', + 'temperer', + 'temperers', + 'tempering', + 'tempers', + 'tempest', + 'tempested', 'tempesting', + 'tempests', 'tempestuous', 'tempestuously', 'tempestuousness', 'tempestuousnesses', + 'tempi', + 'temping', + 'templar', + 'templars', + 'template', + 'templates', + 'temple', + 'templed', + 'temples', + 'templet', + 'templets', + 'tempo', + 'temporal', 'temporalities', 'temporality', 'temporalize', @@ -60752,43 +153120,93 @@ export const scrabble_array = [ 'temporalizes', 'temporalizing', 'temporally', + 'temporals', 'temporaries', 'temporarily', 'temporariness', 'temporarinesses', + 'temporary', + 'temporise', 'temporised', 'temporises', 'temporising', 'temporization', 'temporizations', + 'temporize', 'temporized', 'temporizer', 'temporizers', 'temporizes', 'temporizing', 'temporomandibular', + 'tempos', + 'temps', + 'tempt', + 'temptable', 'temptation', 'temptations', + 'tempted', + 'tempter', + 'tempters', + 'tempting', 'temptingly', + 'temptress', 'temptresses', + 'tempts', + 'tempura', + 'tempuras', + 'ten', 'tenabilities', 'tenability', + 'tenable', 'tenableness', 'tenablenesses', + 'tenably', + 'tenace', + 'tenaces', + 'tenacious', 'tenaciously', 'tenaciousness', 'tenaciousnesses', 'tenacities', + 'tenacity', + 'tenacula', + 'tenaculum', 'tenaculums', + 'tenail', + 'tenaille', + 'tenailles', + 'tenails', + 'tenancies', + 'tenancy', + 'tenant', 'tenantable', + 'tenanted', + 'tenanting', 'tenantless', 'tenantries', + 'tenantry', + 'tenants', + 'tench', + 'tenches', + 'tend', + 'tendance', + 'tendances', + 'tended', + 'tendence', + 'tendences', 'tendencies', 'tendencious', + 'tendency', 'tendentious', 'tendentiously', 'tendentiousness', 'tendentiousnesses', + 'tender', + 'tendered', + 'tenderer', + 'tenderers', + 'tenderest', 'tenderfeet', 'tenderfoot', 'tenderfoots', @@ -60796,8 +153214,10 @@ export const scrabble_array = [ 'tenderheartedly', 'tenderheartedness', 'tenderheartednesses', + 'tendering', 'tenderization', 'tenderizations', + 'tenderize', 'tenderized', 'tenderizer', 'tenderizers', @@ -60805,78 +153225,263 @@ export const scrabble_array = [ 'tenderizing', 'tenderloin', 'tenderloins', + 'tenderly', 'tenderness', 'tendernesses', 'tenderometer', 'tenderometers', + 'tenders', + 'tending', 'tendinites', 'tendinitides', 'tendinitis', 'tendinitises', + 'tendinous', + 'tendon', 'tendonites', 'tendonitides', 'tendonitis', 'tendonitises', + 'tendons', + 'tendresse', 'tendresses', + 'tendril', + 'tendriled', 'tendrilled', 'tendrilous', + 'tendrils', + 'tends', + 'tenebrae', 'tenebrific', 'tenebrionid', 'tenebrionids', 'tenebrious', + 'tenebrism', 'tenebrisms', + 'tenebrist', 'tenebrists', + 'tenebrous', + 'tenement', + 'tenements', + 'tenesmic', + 'tenesmus', 'tenesmuses', + 'tenet', + 'tenets', + 'tenfold', + 'tenfolds', + 'tenia', + 'teniae', + 'tenias', + 'teniases', + 'teniasis', + 'tenner', + 'tenners', + 'tennies', + 'tennis', + 'tennises', + 'tennist', + 'tennists', + 'tenon', + 'tenoned', + 'tenoner', + 'tenoners', + 'tenoning', + 'tenons', + 'tenor', + 'tenorist', + 'tenorists', + 'tenorite', + 'tenorites', + 'tenors', 'tenosynovitis', 'tenosynovitises', 'tenotomies', + 'tenotomy', + 'tenour', + 'tenours', + 'tenpence', + 'tenpences', + 'tenpenny', + 'tenpin', + 'tenpins', 'tenpounder', 'tenpounders', + 'tenrec', + 'tenrecs', + 'tens', + 'tense', + 'tensed', + 'tensely', + 'tenseness', 'tensenesses', + 'tenser', + 'tenses', + 'tensest', + 'tensible', + 'tensibly', + 'tensile', 'tensilities', + 'tensility', + 'tensing', 'tensiometer', 'tensiometers', 'tensiometric', 'tensiometries', 'tensiometry', + 'tension', + 'tensional', + 'tensioned', + 'tensioner', 'tensioners', 'tensioning', 'tensionless', + 'tensions', + 'tensities', + 'tensity', + 'tensive', + 'tensor', + 'tensors', + 'tent', + 'tentacle', + 'tentacled', + 'tentacles', 'tentacular', + 'tentage', + 'tentages', + 'tentative', 'tentatively', 'tentativeness', 'tentativenesses', 'tentatives', + 'tented', + 'tenter', + 'tentered', 'tenterhook', 'tenterhooks', + 'tentering', + 'tenters', + 'tenth', + 'tenthly', + 'tenths', + 'tentie', + 'tentier', + 'tentiest', + 'tenting', + 'tentless', + 'tentlike', + 'tents', + 'tenty', + 'tenues', + 'tenuis', + 'tenuities', + 'tenuity', + 'tenuous', + 'tenuously', 'tenuousness', 'tenuousnesses', + 'tenurable', + 'tenure', + 'tenured', + 'tenures', + 'tenurial', 'tenurially', + 'tenuti', + 'tenuto', + 'tenutos', + 'teocalli', + 'teocallis', + 'teopan', + 'teopans', + 'teosinte', + 'teosintes', + 'tepa', + 'tepal', + 'tepals', + 'tepas', + 'tepee', + 'tepees', + 'tepefied', + 'tepefies', + 'tepefy', + 'tepefying', + 'tephra', + 'tephras', + 'tephrite', + 'tephrites', + 'tepid', 'tepidities', + 'tepidity', + 'tepidly', + 'tepidness', 'tepidnesses', + 'tepoy', + 'tepoys', + 'tequila', + 'tequilas', + 'terai', + 'terais', + 'teraohm', + 'teraohms', + 'teraph', + 'teraphim', + 'teratism', + 'teratisms', 'teratocarcinoma', 'teratocarcinomas', 'teratocarcinomata', + 'teratogen', 'teratogeneses', 'teratogenesis', 'teratogenic', 'teratogenicities', 'teratogenicity', 'teratogens', + 'teratoid', 'teratologic', 'teratological', 'teratologies', 'teratologist', 'teratologists', 'teratology', + 'teratoma', + 'teratomas', 'teratomata', + 'terawatt', + 'terawatts', + 'terbia', + 'terbias', + 'terbic', + 'terbium', + 'terbiums', + 'terce', + 'tercel', + 'tercelet', + 'tercelets', + 'tercels', 'tercentenaries', 'tercentenary', 'tercentennial', 'tercentennials', + 'terces', + 'tercet', + 'tercets', + 'terebene', + 'terebenes', + 'terebic', + 'terebinth', 'terebinths', + 'teredines', + 'teredo', + 'teredos', + 'terefah', 'terephthalate', 'terephthalates', + 'terete', + 'terga', + 'tergal', + 'tergite', + 'tergites', 'tergiversate', 'tergiversated', 'tergiversates', @@ -60885,12 +153490,23 @@ export const scrabble_array = [ 'tergiversations', 'tergiversator', 'tergiversators', + 'tergum', + 'teriyaki', + 'teriyakis', + 'term', + 'termagant', 'termagants', + 'termed', + 'termer', + 'termers', 'terminable', 'terminableness', 'terminablenesses', 'terminably', + 'terminal', 'terminally', + 'terminals', + 'terminate', 'terminated', 'terminates', 'terminating', @@ -60901,39 +153517,109 @@ export const scrabble_array = [ 'terminatively', 'terminator', 'terminators', + 'terming', + 'termini', 'terminological', 'terminologically', 'terminologies', 'terminology', + 'terminus', 'terminuses', 'termitaria', 'termitaries', 'termitarium', + 'termitary', + 'termite', + 'termites', + 'termitic', + 'termless', + 'termly', + 'termor', + 'termors', + 'terms', + 'termtime', + 'termtimes', + 'tern', + 'ternaries', + 'ternary', + 'ternate', + 'ternately', + 'terne', 'terneplate', 'terneplates', + 'ternes', + 'ternion', + 'ternions', + 'terns', + 'terpene', 'terpeneless', + 'terpenes', + 'terpenic', + 'terpenoid', 'terpenoids', + 'terpineol', 'terpineols', + 'terpinol', + 'terpinols', 'terpolymer', 'terpolymers', 'terpsichorean', + 'terra', + 'terrace', + 'terraced', + 'terraces', + 'terracing', + 'terrae', + 'terraform', 'terraformed', 'terraforming', 'terraforms', + 'terrain', + 'terrains', + 'terrane', + 'terranes', + 'terrapin', + 'terrapins', 'terraqueous', + 'terraria', + 'terrarium', 'terrariums', + 'terras', + 'terrases', + 'terrazzo', + 'terrazzos', + 'terreen', + 'terreens', + 'terrella', + 'terrellas', + 'terrene', + 'terrenes', 'terreplein', 'terrepleins', 'terrestrial', 'terrestrially', 'terrestrials', + 'terret', + 'terrets', + 'terrible', 'terribleness', 'terriblenesses', + 'terribly', 'terricolous', + 'terrier', + 'terriers', + 'terries', + 'terrific', 'terrifically', + 'terrified', + 'terrifies', + 'terrify', 'terrifying', 'terrifyingly', 'terrigenous', + 'terrine', + 'terrines', + 'territ', 'territorial', 'territorialism', 'territorialisms', @@ -60950,72 +153636,174 @@ export const scrabble_array = [ 'territorially', 'territorials', 'territories', + 'territory', + 'territs', + 'terror', + 'terrorise', 'terrorised', 'terrorises', 'terrorising', + 'terrorism', 'terrorisms', + 'terrorist', 'terroristic', 'terrorists', 'terrorization', 'terrorizations', + 'terrorize', 'terrorized', 'terrorizes', 'terrorizing', 'terrorless', + 'terrors', + 'terry', + 'terse', + 'tersely', + 'terseness', 'tersenesses', + 'terser', + 'tersest', + 'tertial', + 'tertials', + 'tertian', + 'tertians', 'tertiaries', + 'tertiary', + 'tervalent', + 'tesla', + 'teslas', 'tessellate', 'tessellated', 'tessellates', 'tessellating', 'tessellation', 'tessellations', + 'tessera', + 'tesseract', 'tesseracts', + 'tesserae', + 'tessitura', 'tessituras', + 'test', + 'testa', 'testabilities', 'testability', + 'testable', 'testaceous', + 'testacies', + 'testacy', + 'testae', + 'testament', 'testamentary', 'testaments', + 'testate', + 'testates', + 'testator', + 'testators', 'testatrices', + 'testatrix', + 'testcross', 'testcrossed', 'testcrosses', 'testcrossing', + 'tested', + 'testee', + 'testees', + 'tester', + 'testers', + 'testes', + 'testicle', + 'testicles', 'testicular', + 'testier', + 'testiest', + 'testified', + 'testifier', 'testifiers', + 'testifies', + 'testify', 'testifying', + 'testily', 'testimonial', 'testimonials', 'testimonies', + 'testimony', + 'testiness', 'testinesses', + 'testing', + 'testis', + 'teston', + 'testons', + 'testoon', + 'testoons', 'testosterone', 'testosterones', + 'tests', 'testudines', + 'testudo', + 'testudos', + 'testy', + 'tet', + 'tetanal', + 'tetanic', 'tetanically', + 'tetanics', + 'tetanies', + 'tetanise', + 'tetanised', + 'tetanises', 'tetanising', 'tetanization', 'tetanizations', + 'tetanize', + 'tetanized', + 'tetanizes', 'tetanizing', + 'tetanoid', + 'tetanus', + 'tetanuses', + 'tetany', 'tetartohedral', + 'tetched', + 'tetchier', + 'tetchiest', + 'tetchily', 'tetchiness', 'tetchinesses', + 'tetchy', + 'teth', + 'tether', 'tetherball', 'tetherballs', + 'tethered', + 'tethering', + 'tethers', + 'teths', + 'tetotum', + 'tetotums', + 'tetra', 'tetracaine', 'tetracaines', 'tetrachloride', 'tetrachlorides', 'tetrachord', 'tetrachords', + 'tetracid', + 'tetracids', 'tetracycline', 'tetracyclines', + 'tetrad', + 'tetradic', 'tetradrachm', 'tetradrachms', + 'tetrads', 'tetradynamous', 'tetrafluoride', 'tetrafluorides', + 'tetragon', 'tetragonal', 'tetragonally', + 'tetragons', 'tetragrammaton', 'tetragrammatons', 'tetrahedra', @@ -61032,8 +153820,11 @@ export const scrabble_array = [ 'tetrahymena', 'tetrahymenas', 'tetralogies', + 'tetralogy', + 'tetramer', 'tetrameric', 'tetramerous', + 'tetramers', 'tetrameter', 'tetrameters', 'tetramethyllead', @@ -61042,10 +153833,16 @@ export const scrabble_array = [ 'tetraploidies', 'tetraploids', 'tetraploidy', + 'tetrapod', + 'tetrapods', 'tetrapyrrole', 'tetrapyrroles', + 'tetrarch', 'tetrarchic', 'tetrarchies', + 'tetrarchs', + 'tetrarchy', + 'tetras', 'tetraspore', 'tetraspores', 'tetrasporic', @@ -61053,53 +153850,137 @@ export const scrabble_array = [ 'tetrazolium', 'tetrazoliums', 'tetrazzini', + 'tetrode', + 'tetrodes', 'tetrodotoxin', 'tetrodotoxins', + 'tetroxid', + 'tetroxide', 'tetroxides', + 'tetroxids', + 'tetryl', + 'tetryls', + 'tets', + 'tetter', + 'tetters', + 'teuch', + 'teugh', + 'teughly', + 'teutonize', 'teutonized', 'teutonizes', 'teutonizing', + 'tew', + 'tewed', + 'tewing', + 'tews', + 'texas', + 'texases', + 'text', + 'textbook', 'textbookish', + 'textbooks', + 'textile', + 'textiles', + 'textless', + 'texts', + 'textual', + 'textually', 'textuaries', + 'textuary', + 'textural', 'texturally', + 'texture', + 'textured', 'textureless', + 'textures', + 'texturing', + 'texturize', 'texturized', 'texturizes', 'texturizing', + 'thack', + 'thacked', + 'thacking', + 'thacks', + 'thae', + 'thairm', + 'thairms', + 'thalami', + 'thalamic', + 'thalamus', 'thalassaemia', 'thalassaemias', 'thalassemia', 'thalassemias', 'thalassemic', 'thalassemics', + 'thalassic', 'thalassocracies', 'thalassocracy', 'thalassocrat', 'thalassocrats', + 'thaler', + 'thalers', 'thalidomide', 'thalidomides', + 'thalli', + 'thallic', + 'thallium', + 'thalliums', + 'thalloid', 'thallophyte', 'thallophytes', 'thallophytic', + 'thallous', + 'thallus', + 'thalluses', + 'than', + 'thanage', + 'thanages', 'thanatological', 'thanatologies', 'thanatologist', 'thanatologists', 'thanatology', + 'thanatos', 'thanatoses', + 'thane', + 'thanes', + 'thaneship', 'thaneships', + 'thank', + 'thanked', + 'thanker', + 'thankers', + 'thankful', 'thankfuller', 'thankfullest', 'thankfully', 'thankfulness', 'thankfulnesses', + 'thanking', + 'thankless', 'thanklessly', 'thanklessness', 'thanklessnesses', + 'thanks', 'thanksgiving', 'thanksgivings', 'thankworthy', + 'tharm', + 'tharms', + 'that', + 'thataway', + 'thatch', + 'thatched', + 'thatcher', + 'thatchers', + 'thatches', + 'thatchier', 'thatchiest', + 'thatching', + 'thatchy', 'thaumaturge', 'thaumaturges', 'thaumaturgic', @@ -61107,11 +153988,25 @@ export const scrabble_array = [ 'thaumaturgist', 'thaumaturgists', 'thaumaturgy', + 'thaw', + 'thawed', + 'thawer', + 'thawers', + 'thawing', + 'thawless', + 'thaws', + 'the', 'thearchies', + 'thearchy', + 'theater', 'theatergoer', 'theatergoers', 'theatergoing', 'theatergoings', + 'theaters', + 'theatre', + 'theatres', + 'theatric', 'theatrical', 'theatricalism', 'theatricalisms', @@ -61125,16 +154020,62 @@ export const scrabble_array = [ 'theatricalizing', 'theatrically', 'theatricals', + 'theatrics', + 'thebaine', + 'thebaines', + 'thebe', + 'theca', + 'thecae', + 'thecal', + 'thecate', + 'thecodont', 'thecodonts', + 'thee', + 'theelin', + 'theelins', + 'theelol', + 'theelols', + 'theft', + 'thefts', + 'thegn', + 'thegnly', + 'thegns', + 'thein', + 'theine', + 'theines', + 'theins', + 'their', + 'theirs', 'theirselves', + 'theism', + 'theisms', + 'theist', + 'theistic', 'theistical', 'theistically', + 'theists', + 'thelitis', 'thelitises', + 'them', + 'thematic', 'thematically', + 'thematics', + 'theme', + 'themed', + 'themes', + 'theming', 'themselves', + 'then', + 'thenage', + 'thenages', + 'thenal', + 'thenar', + 'thenars', + 'thence', 'thenceforth', 'thenceforward', 'thenceforwards', + 'thens', 'theobromine', 'theobromines', 'theocentric', @@ -61143,15 +154084,23 @@ export const scrabble_array = [ 'theocentrism', 'theocentrisms', 'theocracies', + 'theocracy', + 'theocrat', 'theocratic', 'theocratical', 'theocratically', + 'theocrats', 'theodicies', + 'theodicy', 'theodolite', 'theodolites', + 'theogonic', 'theogonies', + 'theogony', + 'theolog', 'theologian', 'theologians', + 'theologic', 'theological', 'theologically', 'theologies', @@ -61165,54 +154114,116 @@ export const scrabble_array = [ 'theologizers', 'theologizes', 'theologizing', + 'theologs', + 'theologue', 'theologues', + 'theology', 'theonomies', 'theonomous', + 'theonomy', 'theophanic', 'theophanies', + 'theophany', 'theophylline', 'theophyllines', + 'theorbo', + 'theorbos', + 'theorem', 'theorematic', + 'theorems', + 'theoretic', 'theoretical', 'theoretically', 'theoretician', 'theoreticians', + 'theories', + 'theorise', + 'theorised', + 'theorises', 'theorising', + 'theorist', + 'theorists', 'theorization', 'theorizations', + 'theorize', + 'theorized', + 'theorizer', 'theorizers', + 'theorizes', 'theorizing', + 'theory', 'theosophical', 'theosophically', 'theosophies', 'theosophist', 'theosophists', + 'theosophy', 'therapeuses', 'therapeusis', 'therapeutic', 'therapeutically', 'therapeutics', + 'therapies', + 'therapist', 'therapists', + 'therapsid', 'therapsids', + 'therapy', + 'there', 'thereabout', 'thereabouts', 'thereafter', + 'thereat', + 'thereby', + 'therefor', + 'therefore', + 'therefrom', + 'therein', 'thereinafter', + 'thereinto', + 'theremin', + 'theremins', + 'thereof', + 'thereon', + 'theres', + 'thereto', 'theretofore', 'thereunder', + 'thereunto', + 'thereupon', + 'therewith', 'therewithal', + 'theriac', + 'theriaca', + 'theriacal', + 'theriacas', + 'theriacs', 'theriomorphic', + 'therm', + 'thermae', + 'thermal', 'thermalization', 'thermalizations', 'thermalize', 'thermalized', 'thermalizes', 'thermalizing', + 'thermally', + 'thermals', + 'therme', + 'thermel', + 'thermels', + 'thermes', + 'thermic', 'thermically', + 'thermion', 'thermionic', 'thermionics', + 'thermions', 'thermistor', 'thermistors', + 'thermite', + 'thermites', 'thermochemical', 'thermochemist', 'thermochemistries', @@ -61292,8 +154303,11 @@ export const scrabble_array = [ 'thermoremanence', 'thermoremanences', 'thermoremanent', + 'thermos', 'thermoscope', 'thermoscopes', + 'thermoses', + 'thermoset', 'thermosets', 'thermosetting', 'thermosphere', @@ -61316,29 +154330,102 @@ export const scrabble_array = [ 'thermotropic', 'thermotropism', 'thermotropisms', + 'therms', + 'theroid', + 'theropod', + 'theropods', + 'thesaural', + 'thesauri', + 'thesaurus', 'thesauruses', + 'these', + 'theses', + 'thesis', + 'thespian', + 'thespians', + 'theta', + 'thetas', + 'thetic', + 'thetical', 'thetically', + 'theurgic', 'theurgical', + 'theurgies', + 'theurgist', 'theurgists', + 'theurgy', + 'thew', + 'thewier', + 'thewiest', + 'thewless', + 'thews', + 'thewy', + 'they', 'thiabendazole', 'thiabendazoles', + 'thiamin', 'thiaminase', 'thiaminases', + 'thiamine', + 'thiamines', + 'thiamins', + 'thiazide', + 'thiazides', + 'thiazin', + 'thiazine', + 'thiazines', + 'thiazins', + 'thiazol', + 'thiazole', + 'thiazoles', + 'thiazols', + 'thick', + 'thicken', + 'thickened', + 'thickener', 'thickeners', 'thickening', 'thickenings', + 'thickens', + 'thicker', + 'thickest', + 'thicket', + 'thicketed', + 'thickets', + 'thickety', + 'thickhead', 'thickheaded', 'thickheads', + 'thickish', + 'thickly', + 'thickness', 'thicknesses', + 'thicks', + 'thickset', + 'thicksets', + 'thief', + 'thieve', + 'thieved', 'thieveries', + 'thievery', + 'thieves', + 'thieving', + 'thievish', 'thievishly', 'thievishness', 'thievishnesses', + 'thigh', + 'thighbone', 'thighbones', + 'thighed', + 'thighs', 'thigmotaxes', 'thigmotaxis', 'thigmotropism', 'thigmotropisms', + 'thill', + 'thills', + 'thimble', 'thimbleberries', 'thimbleberry', 'thimbleful', @@ -61349,60 +154436,184 @@ export const scrabble_array = [ 'thimbleriggers', 'thimblerigging', 'thimblerigs', + 'thimbles', 'thimbleweed', 'thimbleweeds', 'thimerosal', 'thimerosals', + 'thin', + 'thinclad', + 'thinclads', + 'thindown', + 'thindowns', + 'thine', + 'thing', 'thingamabob', 'thingamabobs', 'thingamajig', 'thingamajigs', + 'thingness', 'thingnesses', + 'things', 'thingumajig', 'thingumajigs', 'thingummies', + 'thingummy', + 'think', + 'thinkable', 'thinkableness', 'thinkablenesses', + 'thinkably', + 'thinker', + 'thinkers', + 'thinking', 'thinkingly', 'thinkingness', 'thinkingnesses', + 'thinkings', + 'thinks', + 'thinly', + 'thinned', + 'thinner', + 'thinners', + 'thinness', 'thinnesses', + 'thinnest', + 'thinning', + 'thinnish', + 'thins', + 'thio', 'thiocyanate', 'thiocyanates', + 'thiol', + 'thiolic', + 'thiols', + 'thionate', + 'thionates', + 'thionic', + 'thionin', + 'thionine', + 'thionines', + 'thionins', + 'thionyl', + 'thionyls', 'thiopental', 'thiopentals', + 'thiophen', + 'thiophene', 'thiophenes', + 'thiophens', 'thioridazine', 'thioridazines', 'thiosulfate', 'thiosulfates', + 'thiotepa', + 'thiotepas', 'thiouracil', 'thiouracils', + 'thiourea', + 'thioureas', + 'thir', + 'thiram', + 'thirams', + 'third', + 'thirdhand', + 'thirdly', + 'thirds', + 'thirl', + 'thirlage', + 'thirlages', + 'thirled', + 'thirling', + 'thirls', + 'thirst', + 'thirsted', + 'thirster', + 'thirsters', + 'thirstier', 'thirstiest', + 'thirstily', 'thirstiness', 'thirstinesses', + 'thirsting', + 'thirsts', + 'thirsty', + 'thirteen', + 'thirteens', 'thirteenth', 'thirteenths', + 'thirties', + 'thirtieth', 'thirtieths', + 'thirty', + 'thirtyish', + 'this', + 'thistle', 'thistledown', 'thistledowns', + 'thistles', + 'thistlier', 'thistliest', + 'thistly', + 'thither', + 'thitherto', 'thitherward', 'thitherwards', 'thixotropic', 'thixotropies', 'thixotropy', + 'tho', + 'thole', + 'tholed', + 'tholeiite', 'tholeiites', 'tholeiitic', + 'tholepin', + 'tholepins', + 'tholes', + 'tholing', + 'tholoi', + 'tholos', + 'thong', + 'thonged', + 'thongs', + 'thoracal', + 'thoraces', + 'thoracic', 'thoracically', 'thoracotomies', 'thoracotomy', + 'thorax', + 'thoraxes', + 'thoria', 'thorianite', 'thorianites', + 'thorias', + 'thoric', + 'thorite', + 'thorites', + 'thorium', + 'thoriums', + 'thorn', + 'thornback', 'thornbacks', + 'thornbush', 'thornbushes', + 'thorned', + 'thornier', + 'thorniest', + 'thornily', 'thorniness', 'thorninesses', + 'thorning', + 'thornless', + 'thornlike', + 'thorns', + 'thorny', + 'thoro', + 'thoron', + 'thorons', + 'thorough', 'thoroughbass', 'thoroughbasses', 'thoroughbrace', @@ -61421,6 +154632,15 @@ export const scrabble_array = [ 'thoroughpins', 'thoroughwort', 'thoroughworts', + 'thorp', + 'thorpe', + 'thorpes', + 'thorps', + 'those', + 'thou', + 'thoued', + 'though', + 'thought', 'thoughtful', 'thoughtfully', 'thoughtfulness', @@ -61429,55 +154649,165 @@ export const scrabble_array = [ 'thoughtlessly', 'thoughtlessness', 'thoughtlessnesses', + 'thoughts', 'thoughtway', 'thoughtways', + 'thouing', + 'thous', + 'thousand', 'thousandfold', + 'thousands', 'thousandth', 'thousandths', + 'thowless', + 'thraldom', + 'thraldoms', + 'thrall', + 'thralldom', 'thralldoms', + 'thralled', + 'thralling', + 'thralls', + 'thrash', + 'thrashed', + 'thrasher', + 'thrashers', + 'thrashes', + 'thrashing', 'thrashings', 'thrasonical', 'thrasonically', + 'thrave', + 'thraves', + 'thraw', + 'thrawart', + 'thrawed', + 'thrawing', + 'thrawn', + 'thrawnly', + 'thraws', + 'thread', 'threadbare', 'threadbareness', 'threadbarenesses', + 'threaded', + 'threader', + 'threaders', + 'threadfin', 'threadfins', + 'threadier', 'threadiest', 'threadiness', 'threadinesses', + 'threading', 'threadless', 'threadlike', + 'threads', 'threadworm', 'threadworms', + 'thready', + 'threap', + 'threaped', + 'threaper', + 'threapers', + 'threaping', + 'threaps', + 'threat', + 'threated', + 'threaten', 'threatened', 'threatener', 'threateners', 'threatening', 'threateningly', + 'threatens', + 'threating', + 'threats', + 'three', + 'threefold', + 'threep', + 'threeped', 'threepence', 'threepences', 'threepenny', + 'threeping', + 'threeps', + 'threes', 'threescore', + 'threesome', 'threesomes', + 'threnode', + 'threnodes', + 'threnodic', 'threnodies', 'threnodist', 'threnodists', + 'threnody', + 'threonine', 'threonines', + 'thresh', + 'threshed', + 'thresher', + 'threshers', + 'threshes', + 'threshing', + 'threshold', 'thresholds', + 'threw', + 'thrice', + 'thrift', + 'thriftier', 'thriftiest', + 'thriftily', 'thriftiness', 'thriftinesses', 'thriftless', 'thriftlessly', 'thriftlessness', 'thriftlessnesses', + 'thrifts', + 'thrifty', + 'thrill', + 'thrilled', + 'thriller', + 'thrillers', + 'thrilling', 'thrillingly', + 'thrills', + 'thrip', + 'thrips', + 'thrive', + 'thrived', + 'thriven', + 'thriver', + 'thrivers', + 'thrives', + 'thriving', 'thrivingly', + 'thro', + 'throat', + 'throated', + 'throatier', 'throatiest', + 'throatily', 'throatiness', 'throatinesses', + 'throating', 'throatlatch', 'throatlatches', + 'throats', + 'throaty', + 'throb', + 'throbbed', + 'throbber', + 'throbbers', + 'throbbing', + 'throbs', + 'throe', + 'throes', + 'thrombi', + 'thrombin', + 'thrombins', 'thrombocyte', 'thrombocytes', 'thrombocytic', @@ -61500,34 +154830,119 @@ export const scrabble_array = [ 'thrombotic', 'thromboxane', 'thromboxanes', + 'thrombus', + 'throne', + 'throned', + 'thrones', + 'throng', + 'thronged', + 'thronging', + 'throngs', + 'throning', + 'throstle', + 'throstles', + 'throttle', 'throttleable', + 'throttled', 'throttlehold', 'throttleholds', + 'throttler', 'throttlers', + 'throttles', 'throttling', + 'through', 'throughither', + 'throughly', 'throughother', 'throughout', 'throughput', 'throughputs', 'throughway', 'throughways', + 'throve', + 'throw', + 'throwaway', 'throwaways', + 'throwback', 'throwbacks', + 'thrower', + 'throwers', + 'throwing', + 'thrown', + 'throws', + 'throwster', 'throwsters', + 'thru', + 'thrum', + 'thrummed', + 'thrummer', + 'thrummers', + 'thrummier', 'thrummiest', + 'thrumming', + 'thrummy', + 'thrums', + 'thruput', + 'thruputs', + 'thrush', + 'thrushes', + 'thrust', + 'thrusted', + 'thruster', + 'thrusters', + 'thrustful', + 'thrusting', + 'thrustor', + 'thrustors', + 'thrusts', + 'thruway', + 'thruways', + 'thud', + 'thudded', + 'thudding', + 'thuds', + 'thug', + 'thuggee', + 'thuggees', 'thuggeries', + 'thuggery', + 'thuggish', + 'thugs', + 'thuja', + 'thujas', + 'thulia', + 'thulias', + 'thulium', + 'thuliums', + 'thumb', + 'thumbed', + 'thumbhole', 'thumbholes', + 'thumbing', + 'thumbkin', + 'thumbkins', + 'thumbnail', 'thumbnails', + 'thumbnut', + 'thumbnuts', 'thumbprint', 'thumbprints', + 'thumbs', 'thumbscrew', 'thumbscrews', + 'thumbtack', 'thumbtacked', 'thumbtacking', 'thumbtacks', 'thumbwheel', 'thumbwheels', + 'thump', + 'thumped', + 'thumper', + 'thumpers', + 'thumping', + 'thumps', + 'thunder', 'thunderbird', 'thunderbirds', 'thunderbolt', @@ -61536,6 +154951,8 @@ export const scrabble_array = [ 'thunderclaps', 'thundercloud', 'thunderclouds', + 'thundered', + 'thunderer', 'thunderers', 'thunderhead', 'thunderheads', @@ -61543,6 +154960,7 @@ export const scrabble_array = [ 'thunderingly', 'thunderous', 'thunderously', + 'thunders', 'thundershower', 'thundershowers', 'thunderstone', @@ -61556,23 +154974,77 @@ export const scrabble_array = [ 'thunderstroke', 'thunderstrokes', 'thunderstruck', + 'thundery', + 'thunk', + 'thunked', + 'thunking', + 'thunks', + 'thurible', + 'thuribles', + 'thurifer', + 'thurifers', + 'thurl', + 'thurls', + 'thus', + 'thusly', + 'thuya', + 'thuyas', + 'thwack', + 'thwacked', + 'thwacker', + 'thwackers', + 'thwacking', + 'thwacks', + 'thwart', + 'thwarted', + 'thwarter', + 'thwarters', + 'thwarting', + 'thwartly', + 'thwarts', 'thwartwise', + 'thy', + 'thylacine', 'thylacines', + 'thylakoid', 'thylakoids', + 'thyme', 'thymectomies', 'thymectomize', 'thymectomized', 'thymectomizes', 'thymectomizing', 'thymectomy', + 'thymes', + 'thymey', + 'thymi', + 'thymic', + 'thymidine', 'thymidines', + 'thymier', + 'thymiest', + 'thymine', + 'thymines', + 'thymocyte', 'thymocytes', + 'thymol', + 'thymols', + 'thymosin', + 'thymosins', + 'thymus', + 'thymuses', + 'thymy', + 'thyratron', 'thyratrons', + 'thyreoid', + 'thyristor', 'thyristors', 'thyrocalcitonin', 'thyrocalcitonins', 'thyroglobulin', 'thyroglobulins', + 'thyroid', + 'thyroidal', 'thyroidectomies', 'thyroidectomized', 'thyroidectomy', @@ -61580,6 +155052,7 @@ export const scrabble_array = [ 'thyroiditides', 'thyroiditis', 'thyroiditises', + 'thyroids', 'thyrotoxicoses', 'thyrotoxicosis', 'thyrotrophic', @@ -61588,116 +155061,592 @@ export const scrabble_array = [ 'thyrotropic', 'thyrotropin', 'thyrotropins', + 'thyroxin', + 'thyroxine', 'thyroxines', + 'thyroxins', + 'thyrse', + 'thyrses', + 'thyrsi', + 'thyrsoid', + 'thyrsus', 'thysanuran', 'thysanurans', + 'thyself', + 'ti', + 'tiara', + 'tiaraed', + 'tiaras', + 'tibia', + 'tibiae', + 'tibial', + 'tibias', 'tibiofibula', 'tibiofibulae', 'tibiofibulas', + 'tic', + 'tical', + 'ticals', + 'tick', + 'ticked', + 'ticker', + 'tickers', + 'ticket', + 'ticketed', + 'ticketing', 'ticketless', + 'tickets', + 'ticking', + 'tickings', + 'tickle', + 'tickled', + 'tickler', + 'ticklers', + 'tickles', + 'tickling', + 'ticklish', 'ticklishly', 'ticklishness', 'ticklishnesses', + 'ticks', + 'tickseed', + 'tickseeds', + 'ticktack', 'ticktacked', 'ticktacking', + 'ticktacks', 'ticktacktoe', 'ticktacktoes', + 'ticktock', 'ticktocked', 'ticktocking', + 'ticktocks', + 'tics', + 'tictac', + 'tictacked', 'tictacking', + 'tictacs', + 'tictoc', + 'tictocked', 'tictocking', + 'tictocs', + 'tidal', + 'tidally', + 'tidbit', + 'tidbits', 'tiddledywinks', + 'tiddler', + 'tiddlers', + 'tiddly', 'tiddlywinks', + 'tide', + 'tided', + 'tideland', + 'tidelands', + 'tideless', + 'tidelike', + 'tidemark', + 'tidemarks', + 'tiderip', + 'tiderips', + 'tides', + 'tidewater', 'tidewaters', + 'tideway', + 'tideways', + 'tidied', + 'tidier', + 'tidiers', + 'tidies', + 'tidiest', + 'tidily', + 'tidiness', 'tidinesses', + 'tiding', + 'tidings', + 'tidy', + 'tidying', + 'tidytips', + 'tie', + 'tieback', + 'tiebacks', 'tiebreaker', 'tiebreakers', + 'tieclasp', + 'tieclasps', + 'tied', + 'tieing', + 'tieless', 'tiemannite', 'tiemannites', + 'tiepin', + 'tiepins', + 'tier', + 'tierce', + 'tierced', + 'tiercel', + 'tiercels', + 'tierces', + 'tiered', + 'tiering', + 'tiers', + 'ties', + 'tiff', + 'tiffanies', + 'tiffany', + 'tiffed', + 'tiffin', + 'tiffined', + 'tiffing', + 'tiffining', + 'tiffins', + 'tiffs', + 'tiger', + 'tigereye', + 'tigereyes', + 'tigerish', 'tigerishly', 'tigerishness', 'tigerishnesses', + 'tigerlike', + 'tigers', + 'tight', + 'tighten', + 'tightened', + 'tightener', 'tighteners', 'tightening', + 'tightens', + 'tighter', + 'tightest', 'tightfisted', 'tightfistedness', 'tightfistednesses', + 'tightly', + 'tightness', 'tightnesses', + 'tightrope', 'tightropes', + 'tights', + 'tightwad', + 'tightwads', + 'tightwire', 'tightwires', + 'tiglon', + 'tiglons', + 'tigon', + 'tigons', + 'tigress', + 'tigresses', + 'tigrish', + 'tike', + 'tikes', + 'tiki', + 'tikis', + 'til', + 'tilak', + 'tilaks', + 'tilapia', + 'tilapias', + 'tilburies', + 'tilbury', + 'tilde', + 'tildes', + 'tile', + 'tiled', + 'tilefish', 'tilefishes', + 'tilelike', + 'tiler', + 'tilers', + 'tiles', + 'tiling', + 'tilings', + 'till', + 'tillable', + 'tillage', + 'tillages', 'tillandsia', 'tillandsias', + 'tilled', + 'tiller', + 'tillered', + 'tillering', + 'tillerman', + 'tillermen', + 'tillers', + 'tilling', + 'tillite', + 'tillites', + 'tills', + 'tils', + 'tilt', + 'tiltable', + 'tilted', + 'tilter', + 'tilters', + 'tilth', + 'tilths', + 'tilting', + 'tiltmeter', 'tiltmeters', + 'tilts', + 'tiltyard', + 'tiltyards', + 'timarau', + 'timaraus', + 'timbal', + 'timbale', + 'timbales', + 'timbals', + 'timber', 'timberdoodle', 'timberdoodles', + 'timbered', 'timberhead', 'timberheads', + 'timbering', 'timberings', 'timberland', 'timberlands', 'timberline', 'timberlines', + 'timberman', + 'timbermen', + 'timbers', 'timberwork', 'timberworks', + 'timbral', + 'timbre', + 'timbrel', 'timbrelled', + 'timbrels', + 'timbres', + 'time', + 'timecard', + 'timecards', + 'timed', 'timekeeper', 'timekeepers', 'timekeeping', 'timekeepings', + 'timeless', 'timelessly', 'timelessness', 'timelessnesses', + 'timelier', + 'timeliest', + 'timeline', + 'timelines', 'timeliness', 'timelinesses', + 'timely', + 'timeous', + 'timeously', + 'timeout', + 'timeouts', + 'timepiece', 'timepieces', 'timepleaser', 'timepleasers', + 'timer', + 'timers', + 'times', + 'timesaver', 'timesavers', 'timesaving', + 'timescale', 'timescales', 'timeserver', 'timeservers', 'timeserving', 'timeservings', + 'timetable', 'timetables', + 'timework', 'timeworker', 'timeworkers', + 'timeworks', + 'timeworn', + 'timid', + 'timider', + 'timidest', 'timidities', + 'timidity', + 'timidly', + 'timidness', 'timidnesses', + 'timing', + 'timings', 'timocracies', + 'timocracy', 'timocratic', 'timocratical', + 'timolol', + 'timolols', + 'timorous', 'timorously', 'timorousness', 'timorousnesses', + 'timothies', + 'timothy', + 'timpana', + 'timpani', + 'timpanist', 'timpanists', + 'timpano', + 'timpanum', + 'timpanums', + 'tin', + 'tinamou', + 'tinamous', + 'tincal', + 'tincals', + 'tinct', + 'tincted', + 'tincting', 'tinctorial', 'tinctorially', + 'tincts', + 'tincture', + 'tinctured', + 'tinctures', 'tincturing', + 'tinder', + 'tinderbox', 'tinderboxes', + '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', + 'tingliest', + 'tingling', 'tinglingly', + 'tingly', + 'tings', + 'tinhorn', + 'tinhorns', + 'tinier', + 'tiniest', + 'tinily', + 'tininess', 'tininesses', + 'tining', + 'tinker', + 'tinkered', + 'tinkerer', + 'tinkerers', + 'tinkering', + 'tinkers', + 'tinkle', + 'tinkled', + 'tinkler', + 'tinklers', + 'tinkles', + 'tinklier', + 'tinkliest', + 'tinkling', + 'tinklings', + 'tinkly', + 'tinlike', + 'tinman', + 'tinmen', + 'tinned', + 'tinner', + 'tinners', + 'tinnier', + 'tinniest', + 'tinnily', + 'tinniness', 'tinninesses', + 'tinning', + 'tinnitus', 'tinnituses', + 'tinny', + 'tinplate', + 'tinplates', + 'tins', + 'tinsel', + 'tinseled', + 'tinseling', + 'tinselled', 'tinselling', + 'tinselly', + 'tinsels', + 'tinsmith', 'tinsmithing', 'tinsmithings', + 'tinsmiths', + 'tinstone', + 'tinstones', + 'tint', + 'tinted', + 'tinter', + 'tinters', + 'tinting', + 'tintings', 'tintinnabulary', 'tintinnabulation', 'tintinnabulations', + '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', + 'tippytoed', 'tippytoeing', + 'tippytoes', + 'tips', + 'tipsier', + 'tipsiest', + 'tipsily', + 'tipsiness', 'tipsinesses', + 'tipstaff', + 'tipstaffs', + 'tipstaves', + 'tipster', + 'tipsters', + 'tipstock', + 'tipstocks', + 'tipsy', + 'tiptoe', + 'tiptoed', + 'tiptoeing', + 'tiptoes', + 'tiptop', + 'tiptops', + 'tirade', + 'tirades', + 'tiramisu', + 'tiramisus', + 'tire', + 'tired', + 'tireder', + 'tiredest', + 'tiredly', + 'tiredness', 'tirednesses', + 'tireless', 'tirelessly', 'tirelessness', 'tirelessnesses', + 'tires', + 'tiresome', 'tiresomely', 'tiresomeness', 'tiresomenesses', + 'tiring', + 'tirl', + 'tirled', + 'tirling', + 'tirls', + 'tiro', + 'tiros', + 'tirrivee', + 'tirrivees', + 'tis', + 'tisane', + 'tisanes', + 'tissual', + 'tissue', + 'tissued', + 'tissues', + 'tissuey', + 'tissuing', + 'tissular', + 'tit', + 'titan', + 'titanate', + 'titanates', + 'titaness', 'titanesses', + 'titania', + 'titanias', + 'titanic', 'titanically', 'titaniferous', + 'titanism', + 'titanisms', + 'titanite', + 'titanites', + 'titanium', + 'titaniums', + 'titanous', + 'titans', + 'titbit', + 'titbits', + 'titer', + 'titers', + 'titfer', + 'titfers', + 'tithable', + 'tithe', + 'tithed', + 'tither', + 'tithers', + 'tithes', + 'tithing', + 'tithings', + 'tithonia', + 'tithonias', + 'titi', + 'titian', + 'titians', + 'titillate', 'titillated', 'titillates', 'titillating', @@ -61705,30 +155654,118 @@ export const scrabble_array = [ 'titillation', 'titillations', 'titillative', + 'titis', + 'titivate', + 'titivated', + 'titivates', 'titivating', 'titivation', 'titivations', + 'titlark', + 'titlarks', + 'title', + 'titled', 'titleholder', 'titleholders', + 'titles', + 'titling', + 'titlist', + 'titlists', + 'titman', + 'titmen', + 'titmice', + 'titmouse', + 'titrable', + 'titrant', + 'titrants', 'titratable', + 'titrate', + 'titrated', + 'titrates', + 'titrating', + 'titration', 'titrations', + 'titrator', + 'titrators', + 'titre', + 'titres', 'titrimetric', + 'tits', + 'titter', + 'tittered', + 'titterer', + 'titterers', + 'tittering', + 'titters', + 'tittie', + 'titties', + 'tittivate', 'tittivated', 'tittivates', 'tittivating', + 'tittle', + 'tittles', + 'tittup', + 'tittuped', + 'tittuping', + 'tittupped', 'tittupping', + 'tittuppy', + 'tittups', + 'titty', + 'titular', 'titularies', + 'titularly', + 'titulars', + 'titulary', + 'tivy', + 'tizzies', + 'tizzy', + 'tmeses', + 'tmesis', + 'to', + 'toad', + 'toadeater', 'toadeaters', + 'toadfish', 'toadfishes', + 'toadflax', 'toadflaxes', + 'toadied', + 'toadies', + 'toadish', + 'toadless', + 'toadlike', + 'toads', + 'toadstone', 'toadstones', + 'toadstool', 'toadstools', + 'toady', + 'toadying', + 'toadyish', + 'toadyism', + 'toadyisms', + 'toast', + 'toasted', + 'toaster', + 'toasters', + 'toastier', + 'toastiest', + 'toasting', 'toastmaster', 'toastmasters', 'toastmistress', 'toastmistresses', + 'toasts', + 'toasty', + 'tobacco', + 'tobaccoes', 'tobacconist', 'tobacconists', + 'tobaccos', + 'tobies', + 'toboggan', 'tobogganed', 'tobogganer', 'tobogganers', @@ -61736,96 +155773,520 @@ export const scrabble_array = [ 'tobogganings', 'tobogganist', 'tobogganists', + 'toboggans', + 'toby', + 'toccata', + 'toccatas', + 'toccate', + 'tocher', + 'tochered', + 'tochering', + 'tochers', 'tocologies', + 'tocology', 'tocopherol', 'tocopherols', + 'tocsin', + 'tocsins', + 'tod', + 'today', + 'todays', + 'toddies', + 'toddle', + 'toddled', + 'toddler', 'toddlerhood', 'toddlerhoods', + 'toddlers', + 'toddles', + 'toddling', + 'toddy', + 'todies', + 'tods', + 'tody', + 'toe', + 'toea', + 'toecap', + 'toecaps', + 'toed', + 'toehold', + 'toeholds', + 'toeing', + 'toeless', + 'toelike', + 'toenail', + 'toenailed', 'toenailing', + 'toenails', + 'toepiece', + 'toepieces', + 'toeplate', + 'toeplates', + 'toes', + 'toeshoe', + 'toeshoes', + 'toff', + 'toffee', + 'toffees', + 'toffies', + 'toffs', + 'toffy', + 'toft', + 'tofts', + 'tofu', + 'tofus', + 'tog', + 'toga', + 'togae', + 'togaed', + 'togas', + 'togate', + 'togated', + 'together', 'togetherness', 'togethernesses', + 'togged', + 'toggeries', + 'toggery', + 'togging', + 'toggle', + 'toggled', + 'toggler', + 'togglers', + 'toggles', + 'toggling', + 'togs', + 'togue', + 'togues', + 'toil', + 'toile', + 'toiled', + 'toiler', + 'toilers', + 'toiles', + 'toilet', + 'toileted', + 'toileting', 'toiletries', + 'toiletry', + 'toilets', + 'toilette', + 'toilettes', + 'toilful', + 'toilfully', + 'toiling', + 'toils', + 'toilsome', 'toilsomely', 'toilsomeness', 'toilsomenesses', + 'toilworn', + 'toit', + 'toited', + 'toiting', + 'toits', + 'tokamak', + 'tokamaks', + 'tokay', + 'tokays', + 'toke', + 'toked', + 'token', + 'tokened', + 'tokening', + 'tokenism', + 'tokenisms', + 'tokens', + 'toker', + 'tokers', + 'tokes', + 'toking', 'tokologies', + 'tokology', + 'tokomak', + 'tokomaks', + 'tokonoma', + 'tokonomas', + 'tola', + 'tolan', + 'tolane', + 'tolanes', + 'tolans', + 'tolas', + 'tolbooth', + 'tolbooths', 'tolbutamide', 'tolbutamides', + 'told', + 'tole', + 'toled', + 'toledo', + 'toledos', 'tolerabilities', 'tolerability', + 'tolerable', + 'tolerably', + 'tolerance', 'tolerances', + 'tolerant', 'tolerantly', + 'tolerate', + 'tolerated', + 'tolerates', 'tolerating', 'toleration', 'tolerations', 'tolerative', + 'tolerator', 'tolerators', + 'toles', + 'tolidin', + 'tolidine', + 'tolidines', + 'tolidins', + 'toling', + 'toll', + 'tollage', + 'tollages', + 'tollbar', + 'tollbars', + 'tollbooth', 'tollbooths', + 'tolled', + 'toller', + 'tollers', + 'tollgate', + 'tollgates', + 'tollhouse', 'tollhouses', + 'tolling', + 'tollman', + 'tollmen', + 'tolls', + 'tollway', + 'tollways', + 'tolu', + 'toluate', + 'toluates', + 'toluene', + 'toluenes', + 'toluic', + 'toluid', + 'toluide', + 'toluides', + 'toluidin', + 'toluidine', 'toluidines', + 'toluidins', + 'toluids', + 'toluol', + 'toluole', + 'toluoles', + 'toluols', + 'tolus', + 'toluyl', + 'toluyls', + 'tolyl', + 'tolyls', + 'tom', + 'tomahawk', 'tomahawked', 'tomahawking', + 'tomahawks', + 'tomalley', + 'tomalleys', + 'toman', + 'tomans', + 'tomatillo', 'tomatillos', + 'tomato', + 'tomatoes', + 'tomatoey', + 'tomb', + 'tombac', + 'tomback', + 'tombacks', + 'tombacs', + 'tombak', + 'tombaks', + 'tombal', + 'tombed', + 'tombing', + 'tombless', + 'tomblike', + 'tombola', + 'tombolas', + 'tombolo', + 'tombolos', + 'tomboy', + 'tomboyish', 'tomboyishness', 'tomboyishnesses', + 'tomboys', + 'tombs', + 'tombstone', 'tombstones', + 'tomcat', + 'tomcats', + 'tomcatted', 'tomcatting', + 'tomcod', + 'tomcods', + 'tome', + 'tomenta', + 'tomentose', + 'tomentum', + 'tomes', + 'tomfool', 'tomfooleries', 'tomfoolery', + 'tomfools', + 'tommed', + 'tommies', + 'tomming', + 'tommy', + 'tommyrot', + 'tommyrots', + 'tomogram', + 'tomograms', 'tomographic', 'tomographies', 'tomography', + 'tomorrow', + 'tomorrows', + 'tompion', + 'tompions', + 'toms', + 'tomtit', + 'tomtits', + 'ton', + 'tonal', 'tonalities', + 'tonality', + 'tonally', + 'tondi', + 'tondo', + 'tondos', + 'tone', + 'tonearm', + 'tonearms', + 'toned', + 'toneless', 'tonelessly', 'tonelessness', 'tonelessnesses', + 'toneme', + 'tonemes', + 'tonemic', + 'toner', + 'toners', + 'tones', + 'tonetic', 'tonetically', + 'tonetics', + 'tonette', + 'tonettes', + 'toney', + 'tong', + 'tonga', + 'tongas', + 'tonged', + 'tonger', + 'tongers', + 'tonging', + 'tongman', + 'tongmen', + 'tongs', + 'tongue', + 'tongued', 'tongueless', 'tonguelike', + 'tongues', + 'tonguing', + 'tonguings', + 'tonic', + 'tonically', 'tonicities', + 'tonicity', + 'tonics', + 'tonier', + 'toniest', + 'tonight', + 'tonights', + 'toning', + 'tonish', + 'tonishly', + 'tonlet', + 'tonlets', + 'tonnage', + 'tonnages', + 'tonne', + 'tonneau', + 'tonneaus', + 'tonneaux', + 'tonner', + 'tonners', + 'tonnes', + 'tonnish', + 'tonometer', 'tonometers', 'tonometries', + 'tonometry', + 'tonoplast', 'tonoplasts', + 'tons', + 'tonsil', + 'tonsilar', + 'tonsillar', 'tonsillectomies', 'tonsillectomy', 'tonsillites', 'tonsillitides', 'tonsillitis', 'tonsillitises', + 'tonsils', + 'tonsorial', + 'tonsure', + 'tonsured', + 'tonsures', + 'tonsuring', + 'tontine', + 'tontines', + 'tonus', + 'tonuses', + 'tony', + 'too', + 'took', + 'tool', + 'toolbox', + 'toolboxes', + 'tooled', + 'tooler', + 'toolers', + 'toolhead', + 'toolheads', 'toolholder', 'toolholders', + 'toolhouse', 'toolhouses', + 'tooling', + 'toolings', + 'toolless', + 'toolmaker', 'toolmakers', 'toolmaking', 'toolmakings', + 'toolroom', + 'toolrooms', + 'tools', + 'toolshed', + 'toolsheds', + 'toom', + 'toon', + 'toons', + 'toot', + 'tooted', + 'tooter', + 'tooters', + 'tooth', + 'toothache', 'toothaches', 'toothbrush', 'toothbrushes', 'toothbrushing', 'toothbrushings', + 'toothed', + 'toothier', + 'toothiest', + 'toothily', + 'toothing', + 'toothless', + 'toothlike', 'toothpaste', 'toothpastes', + 'toothpick', 'toothpicks', + 'tooths', + 'toothsome', 'toothsomely', 'toothsomeness', 'toothsomenesses', + 'toothwort', 'toothworts', + 'toothy', + 'tooting', + 'tootle', + 'tootled', + 'tootler', + 'tootlers', + 'tootles', + 'tootling', + 'toots', + 'tootses', + 'tootsie', + 'tootsies', + 'tootsy', + 'top', + 'topaz', + 'topazes', + 'topazine', + 'topcoat', + 'topcoats', + 'topcross', 'topcrosses', 'topdressing', 'topdressings', + 'tope', + 'toped', + 'topee', + 'topees', + 'toper', + 'topers', + 'topes', + 'topflight', + 'topful', + 'topfull', 'topgallant', 'topgallants', + 'toph', + 'tophe', + 'tophes', + 'tophi', + 'tophs', + 'tophus', + 'topi', + 'topiaries', + 'topiary', + 'topic', + 'topical', 'topicalities', 'topicality', + 'topically', + 'topics', + 'toping', + 'topis', + 'topkick', + 'topkicks', + 'topknot', + 'topknots', + 'topless', 'toplessness', 'toplessnesses', + 'topline', + 'toplines', 'toploftical', 'toploftier', 'toploftiest', 'toploftily', 'toploftiness', 'toploftinesses', + 'toplofty', + 'topmast', + 'topmasts', + 'topminnow', 'topminnows', + 'topmost', + 'topnotch', 'topnotcher', 'topnotchers', 'topocentric', @@ -61836,59 +156297,257 @@ export const scrabble_array = [ 'topographically', 'topographies', 'topography', + 'topoi', 'topological', 'topologically', 'topologies', 'topologist', 'topologists', + 'topology', + 'toponym', + 'toponymic', 'toponymical', 'toponymies', 'toponymist', 'toponymists', + 'toponyms', + 'toponymy', + 'topos', + 'topotype', + 'topotypes', + 'topped', + 'topper', + 'toppers', + 'topping', + 'toppings', + 'topple', + 'toppled', + 'topples', + 'toppling', + 'tops', + 'topsail', + 'topsails', + 'topside', + 'topsider', + 'topsiders', + 'topsides', + 'topsoil', + 'topsoiled', 'topsoiling', + 'topsoils', + 'topspin', + 'topspins', + 'topstitch', 'topstitched', 'topstitches', 'topstitching', + 'topstone', + 'topstones', + 'topwork', + 'topworked', 'topworking', + 'topworks', + 'toque', + 'toques', + 'toquet', + 'toquets', + 'tor', + 'tora', + 'torah', + 'torahs', + 'toras', + 'torc', + 'torch', 'torchbearer', 'torchbearers', + 'torched', + 'torchere', + 'torcheres', + 'torches', + 'torchier', + 'torchiers', + 'torchiest', + 'torching', 'torchlight', 'torchlights', + 'torchon', + 'torchons', + 'torchwood', 'torchwoods', + 'torchy', + 'torcs', + 'tore', + 'toreador', + 'toreadors', + 'torero', + 'toreros', + 'tores', + 'toreutic', + 'toreutics', + 'tori', + 'toric', + 'tories', + 'torii', + 'torment', + 'tormented', + 'tormenter', 'tormenters', + 'tormentil', 'tormentils', 'tormenting', + 'tormentor', 'tormentors', + 'torments', + 'torn', + 'tornadic', + 'tornado', + 'tornadoes', + 'tornados', + 'tornillo', + 'tornillos', + 'toro', + 'toroid', + 'toroidal', 'toroidally', + 'toroids', + 'toros', + 'torose', 'torosities', + 'torosity', + 'torot', + 'toroth', + 'torous', + 'torpedo', + 'torpedoed', + 'torpedoes', 'torpedoing', + 'torpedos', + 'torpid', 'torpidities', + 'torpidity', + 'torpidly', + 'torpids', + 'torpor', + 'torpors', + 'torquate', + 'torque', + 'torqued', + 'torquer', + 'torquers', + 'torques', + 'torqueses', + 'torquing', + 'torr', + 'torrefied', + 'torrefies', + 'torrefy', 'torrefying', + 'torrent', 'torrential', 'torrentially', + 'torrents', + 'torrid', + 'torrider', + 'torridest', 'torridities', + 'torridity', + 'torridly', 'torridness', 'torridnesses', + 'torrified', + 'torrifies', + 'torrify', 'torrifying', + 'tors', + 'torsade', + 'torsades', + 'torse', + 'torses', + 'torsi', + 'torsion', + 'torsional', 'torsionally', + 'torsions', + 'torsk', + 'torsks', + 'torso', + 'torsos', + 'tort', + 'torte', 'tortellini', 'tortellinis', + 'torten', + 'tortes', 'torticollis', 'torticollises', + 'tortile', + 'tortilla', + 'tortillas', + 'tortious', 'tortiously', + 'tortoise', + 'tortoises', 'tortoiseshell', 'tortoiseshells', + 'tortoni', + 'tortonis', + 'tortricid', 'tortricids', + 'tortrix', + 'tortrixes', + 'torts', 'tortuosities', 'tortuosity', + 'tortuous', 'tortuously', 'tortuousness', 'tortuousnesses', + 'torture', + 'tortured', + 'torturer', + 'torturers', + 'tortures', + 'torturing', + 'torturous', 'torturously', + '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', 'totalisator', 'totalisators', + 'totalise', + 'totalised', + 'totalises', 'totalising', + 'totalism', + 'totalisms', + 'totalist', 'totalistic', + 'totalists', 'totalitarian', 'totalitarianism', 'totalitarianisms', @@ -61898,54 +156557,248 @@ export const scrabble_array = [ 'totalitarianizing', 'totalitarians', 'totalities', + 'totality', 'totalizator', 'totalizators', + 'totalize', + 'totalized', + 'totalizer', 'totalizers', + 'totalizes', 'totalizing', + 'totalled', + 'totalling', + 'totally', + 'totals', + 'tote', + 'toted', + 'totem', + 'totemic', + 'totemism', + 'totemisms', + 'totemist', 'totemistic', + 'totemists', + 'totemite', + 'totemites', + 'totems', + 'toter', + 'toters', + 'totes', + 'tother', + 'toting', 'totipotencies', 'totipotency', 'totipotent', + 'tots', + 'totted', + 'totter', + 'tottered', + 'totterer', + 'totterers', + 'tottering', 'totteringly', + 'totters', + 'tottery', + 'totting', + 'toucan', + 'toucans', + 'touch', + 'touchable', + 'touchback', 'touchbacks', + 'touchdown', 'touchdowns', + 'touche', + 'touched', + 'toucher', + 'touchers', + 'touches', + 'touchhole', 'touchholes', + 'touchier', + 'touchiest', + 'touchily', 'touchiness', 'touchinesses', + 'touching', 'touchingly', + 'touchline', 'touchlines', + 'touchmark', 'touchmarks', 'touchstone', 'touchstones', + 'touchup', + 'touchups', + 'touchwood', 'touchwoods', + 'touchy', + 'tough', + 'toughed', + 'toughen', + 'toughened', 'toughening', + 'toughens', + 'tougher', + 'toughest', + 'toughie', + 'toughies', + 'toughing', + 'toughish', + 'toughly', + 'toughness', 'toughnesses', + 'toughs', + 'toughy', + 'toupee', + 'toupees', + 'tour', + 'touraco', + 'touracos', 'tourbillion', 'tourbillions', 'tourbillon', 'tourbillons', + 'toured', + 'tourer', + 'tourers', + 'touring', + 'tourings', + 'tourism', + 'tourisms', + 'tourist', + 'touristic', 'touristically', + 'tourists', + 'touristy', 'tourmaline', 'tourmalines', 'tournament', 'tournaments', + 'tournedos', + 'tourney', + 'tourneyed', 'tourneying', + 'tourneys', 'tourniquet', 'tourniquets', + 'tours', + 'touse', + 'toused', + 'touses', + 'tousing', + 'tousle', + 'tousled', + 'tousles', + 'tousling', + 'tout', + 'touted', + 'touter', + 'touters', + 'touting', + 'touts', + 'touzle', + 'touzled', + 'touzles', + 'touzling', + 'tovarich', 'tovariches', + 'tovarish', 'tovarishes', + 'tow', + 'towage', + 'towages', + 'toward', 'towardliness', 'towardlinesses', + 'towardly', + 'towards', + 'towaway', + 'towaways', + 'towboat', + 'towboats', + 'towed', + 'towel', + 'toweled', + 'towelette', 'towelettes', + 'toweling', + 'towelings', + 'towelled', + 'towelling', 'towellings', + 'towels', + 'tower', + 'towered', + 'towerier', + 'toweriest', + 'towering', 'toweringly', + 'towerlike', + 'towers', + 'towery', + 'towhead', + 'towheaded', + 'towheads', + 'towhee', + 'towhees', + 'towie', + 'towies', + 'towing', + 'towline', + 'towlines', + 'towmond', + 'towmonds', + 'towmont', + 'towmonts', + 'town', + 'townee', + 'townees', + 'townfolk', + 'townhome', + 'townhomes', + 'townhouse', 'townhouses', + 'townie', + 'townies', + 'townish', + 'townless', + 'townlet', + 'townlets', + 'towns', + 'townscape', 'townscapes', + 'townsfolk', + 'township', + 'townships', + 'townsman', + 'townsmen', 'townspeople', 'townswoman', 'townswomen', + 'townwear', + 'towny', + 'towpath', + 'towpaths', + 'towrope', + 'towropes', + 'tows', + 'towy', + 'toxaemia', + 'toxaemias', + 'toxaemic', + 'toxaphene', 'toxaphenes', + 'toxemia', + 'toxemias', + 'toxemic', + 'toxic', + 'toxical', + 'toxicant', + 'toxicants', 'toxicities', + 'toxicity', 'toxicologic', 'toxicological', 'toxicologically', @@ -61953,31 +156806,79 @@ export const scrabble_array = [ 'toxicologist', 'toxicologists', 'toxicology', + 'toxicoses', + 'toxicosis', + 'toxics', + 'toxigenic', 'toxigenicities', 'toxigenicity', + 'toxin', + 'toxine', + 'toxines', + 'toxins', + 'toxoid', + 'toxoids', 'toxophilies', 'toxophilite', 'toxophilites', + 'toxophily', 'toxoplasma', 'toxoplasmas', 'toxoplasmic', 'toxoplasmoses', 'toxoplasmosis', + 'toy', + 'toyed', + 'toyer', + 'toyers', + 'toying', + 'toyish', + 'toyless', + 'toylike', + 'toyo', + 'toyon', + 'toyons', + 'toyos', + 'toys', + 'toyshop', + 'toyshops', + 'trabeate', + 'trabeated', 'trabeation', 'trabeations', + 'trabecula', 'trabeculae', 'trabecular', 'trabeculas', 'trabeculate', + 'trace', 'traceabilities', 'traceability', + 'traceable', + 'traced', + 'traceless', + 'tracer', + 'traceried', + 'traceries', + 'tracers', + 'tracery', + 'traces', + 'trachea', + 'tracheae', + 'tracheal', + 'tracheary', + 'tracheas', + 'tracheate', 'tracheated', + 'tracheid', + 'tracheids', 'tracheites', 'tracheitides', 'tracheitis', 'tracheitises', 'tracheobronchial', 'tracheolar', + 'tracheole', 'tracheoles', 'tracheophyte', 'tracheophytes', @@ -61985,28 +156886,83 @@ export const scrabble_array = [ 'tracheostomy', 'tracheotomies', 'tracheotomy', + 'trachle', + 'trachled', + 'trachles', + 'trachling', + 'trachoma', + 'trachomas', + 'trachyte', + 'trachytes', + 'trachytic', + 'tracing', + 'tracings', + 'track', + 'trackage', + 'trackages', + 'trackball', 'trackballs', + 'tracked', + 'tracker', + 'trackers', + 'tracking', + 'trackings', 'tracklayer', 'tracklayers', 'tracklaying', 'tracklayings', + 'trackless', + 'trackman', + 'trackmen', + 'tracks', + 'trackside', 'tracksides', + 'tracksuit', 'tracksuits', 'trackwalker', 'trackwalkers', + 'trackway', + 'trackways', + 'tract', 'tractabilities', 'tractability', + 'tractable', 'tractableness', 'tractablenesses', + 'tractably', + 'tractate', + 'tractates', + 'tractile', + 'traction', 'tractional', + 'tractions', + 'tractive', + 'tractor', + 'tractors', + 'tracts', + 'trad', + 'tradable', + 'trade', + 'tradeable', 'tradecraft', 'tradecrafts', + 'traded', + 'trademark', 'trademarked', 'trademarking', 'trademarks', + 'tradeoff', + 'tradeoffs', + 'trader', + 'traders', + 'trades', 'tradescantia', 'tradescantias', + 'tradesman', + 'tradesmen', 'tradespeople', + 'trading', + 'tradition', 'traditional', 'traditionalism', 'traditionalisms', @@ -62021,9 +156977,17 @@ export const scrabble_array = [ 'traditionary', 'traditionless', 'traditions', + 'traditor', 'traditores', + 'traduce', + 'traduced', 'traducement', 'traducements', + 'traducer', + 'traducers', + 'traduces', + 'traducing', + 'traffic', 'trafficabilities', 'trafficability', 'trafficable', @@ -62031,53 +156995,138 @@ export const scrabble_array = [ 'trafficker', 'traffickers', 'trafficking', + 'traffics', 'tragacanth', 'tragacanths', + 'tragedian', 'tragedians', 'tragedienne', 'tragediennes', + 'tragedies', + 'tragedy', + 'tragi', + 'tragic', + 'tragical', 'tragically', 'tragicomedies', 'tragicomedy', 'tragicomic', 'tragicomical', + 'tragics', + 'tragopan', + 'tragopans', + 'tragus', + 'traik', + 'traiked', + 'traiking', + 'traiks', + 'trail', 'trailblazer', 'trailblazers', 'trailblazing', 'trailbreaker', 'trailbreakers', + 'trailed', + 'trailer', 'trailerable', + 'trailered', 'trailering', 'trailerings', 'trailerist', 'trailerists', 'trailerite', 'trailerites', + 'trailers', + 'trailhead', 'trailheads', + 'trailing', + 'trailless', + 'trails', + 'trailside', + 'train', 'trainabilities', 'trainability', + 'trainable', + 'trainband', 'trainbands', 'trainbearer', 'trainbearers', + 'trained', + 'trainee', + 'trainees', 'traineeship', 'traineeships', + 'trainer', + 'trainers', + 'trainful', + 'trainfuls', + 'training', + 'trainings', + 'trainload', 'trainloads', + 'trainman', + 'trainmen', + 'trains', + 'trainway', + 'trainways', + 'traipse', + 'traipsed', + 'traipses', + 'traipsing', + 'trait', + 'traitor', 'traitoress', 'traitoresses', 'traitorous', 'traitorously', + 'traitors', + 'traitress', 'traitresses', + 'traits', + 'traject', + 'trajected', 'trajecting', 'trajection', 'trajections', 'trajectories', 'trajectory', + 'trajects', + 'tram', + 'tramcar', + 'tramcars', + 'tramel', + 'trameled', + 'trameling', + 'tramell', + 'tramelled', 'tramelling', + 'tramells', + 'tramels', + 'tramless', + 'tramline', + 'tramlines', + 'trammed', + 'trammel', + 'trammeled', 'trammeling', 'trammelled', 'trammelling', + 'trammels', + 'tramming', 'tramontane', 'tramontanes', + 'tramp', + 'tramped', + 'tramper', + 'trampers', + 'tramping', + 'trampish', + 'trample', + 'trampled', + 'trampler', + 'tramplers', + 'tramples', + 'trampling', 'trampoline', 'trampoliner', 'trampoliners', @@ -62086,7 +157135,26 @@ export const scrabble_array = [ 'trampolinings', 'trampolinist', 'trampolinists', + 'tramps', + 'tramroad', + 'tramroads', + 'trams', + 'tramway', + 'tramways', + 'trance', + 'tranced', 'trancelike', + 'trances', + 'tranche', + 'tranches', + 'trancing', + 'trangam', + 'trangams', + 'trank', + 'tranks', + 'tranq', + 'tranqs', + 'tranquil', 'tranquiler', 'tranquilest', 'tranquilities', @@ -62110,6 +157178,8 @@ export const scrabble_array = [ 'tranquilly', 'tranquilness', 'tranquilnesses', + 'trans', + 'transact', 'transacted', 'transacting', 'transactinide', @@ -62118,15 +157188,18 @@ export const scrabble_array = [ 'transactions', 'transactor', 'transactors', + 'transacts', 'transalpine', 'transaminase', 'transaminases', 'transamination', 'transaminations', 'transatlantic', + 'transaxle', 'transaxles', 'transceiver', 'transceivers', + 'transcend', 'transcended', 'transcendence', 'transcendences', @@ -62163,6 +157236,7 @@ export const scrabble_array = [ 'transcutaneous', 'transdermal', 'transdisciplinary', + 'transduce', 'transduced', 'transducer', 'transducers', @@ -62173,16 +157247,22 @@ export const scrabble_array = [ 'transduction', 'transductional', 'transductions', + 'transect', 'transected', 'transecting', 'transection', 'transections', + 'transects', + 'transept', 'transeptal', + 'transepts', + 'transfect', 'transfected', 'transfecting', 'transfection', 'transfections', 'transfects', + 'transfer', 'transferabilities', 'transferability', 'transferable', @@ -62204,6 +157284,7 @@ export const scrabble_array = [ 'transferrin', 'transferring', 'transferrins', + 'transfers', 'transfiguration', 'transfigurations', 'transfigure', @@ -62211,11 +157292,14 @@ export const scrabble_array = [ 'transfigures', 'transfiguring', 'transfinite', + 'transfix', 'transfixed', 'transfixes', 'transfixing', 'transfixion', 'transfixions', + 'transfixt', + 'transform', 'transformable', 'transformation', 'transformational', @@ -62230,6 +157314,7 @@ export const scrabble_array = [ 'transforming', 'transforms', 'transfusable', + 'transfuse', 'transfused', 'transfuses', 'transfusible', @@ -62248,8 +157333,10 @@ export const scrabble_array = [ 'transgressive', 'transgressor', 'transgressors', + 'tranship', 'transhipped', 'transhipping', + 'tranships', 'transhistorical', 'transhumance', 'transhumances', @@ -62259,6 +157346,7 @@ export const scrabble_array = [ 'transiences', 'transiencies', 'transiency', + 'transient', 'transiently', 'transients', 'transilluminate', @@ -62281,6 +157369,8 @@ export const scrabble_array = [ 'transistorizes', 'transistorizing', 'transistors', + 'transit', + 'transited', 'transiting', 'transition', 'transitional', @@ -62296,9 +157386,11 @@ export const scrabble_array = [ 'transitoriness', 'transitorinesses', 'transitory', + 'transits', 'translatabilities', 'translatability', 'translatable', + 'translate', 'translated', 'translates', 'translating', @@ -62348,6 +157440,8 @@ export const scrabble_array = [ 'transmissivity', 'transmissometer', 'transmissometers', + 'transmit', + 'transmits', 'transmittable', 'transmittal', 'transmittals', @@ -62369,6 +157463,7 @@ export const scrabble_array = [ 'transmutation', 'transmutations', 'transmutative', + 'transmute', 'transmuted', 'transmutes', 'transmuting', @@ -62377,6 +157472,9 @@ export const scrabble_array = [ 'transnationalisms', 'transnatural', 'transoceanic', + 'transom', + 'transoms', + 'transonic', 'transpacific', 'transparence', 'transparences', @@ -62399,6 +157497,7 @@ export const scrabble_array = [ 'transpiration', 'transpirational', 'transpirations', + 'transpire', 'transpired', 'transpires', 'transpiring', @@ -62419,6 +157518,7 @@ export const scrabble_array = [ 'transponder', 'transponders', 'transpontine', + 'transport', 'transportabilities', 'transportability', 'transportable', @@ -62433,6 +157533,7 @@ export const scrabble_array = [ 'transporting', 'transports', 'transposable', + 'transpose', 'transposed', 'transposes', 'transposing', @@ -62451,6 +157552,7 @@ export const scrabble_array = [ 'transshaped', 'transshapes', 'transshaping', + 'transship', 'transshipment', 'transshipments', 'transshipped', @@ -62470,6 +157572,9 @@ export const scrabble_array = [ 'transudates', 'transudation', 'transudations', + 'transude', + 'transuded', + 'transudes', 'transuding', 'transuranic', 'transuranics', @@ -62493,24 +157598,84 @@ export const scrabble_array = [ 'transvestisms', 'transvestite', 'transvestites', + 'trap', + 'trapan', + 'trapanned', 'trapanning', + 'trapans', + 'trapball', + 'trapballs', + 'trapdoor', + 'trapdoors', + 'trapes', + 'trapesed', + 'trapeses', + 'trapesing', + 'trapeze', + 'trapezes', + 'trapezia', + 'trapezii', + 'trapezist', 'trapezists', + 'trapezium', + 'trapezius', 'trapeziuses', 'trapezohedra', 'trapezohedron', 'trapezohedrons', + 'trapezoid', 'trapezoidal', 'trapezoids', + 'traplike', + 'trapline', + 'traplines', + 'trapnest', 'trapnested', 'trapnesting', + 'trapnests', + 'trappean', + 'trapped', + 'trapper', + 'trappers', + 'trapping', + 'trappings', + 'trappose', + 'trappous', + 'traprock', + 'traprocks', + 'traps', 'trapshooter', 'trapshooters', 'trapshooting', 'trapshootings', + 'trapt', + 'trapunto', + 'trapuntos', + 'trash', + 'trashed', + 'trashes', + 'trashier', + 'trashiest', + 'trashily', 'trashiness', 'trashinesses', + 'trashing', + 'trashman', + 'trashmen', + 'trashy', + 'trass', + 'trasses', + 'trattoria', 'trattorias', + 'trattorie', + 'trauchle', + 'trauchled', + 'trauchles', 'trauchling', + 'trauma', + 'traumas', + 'traumata', + 'traumatic', 'traumatically', 'traumatise', 'traumatised', @@ -62524,101 +157689,310 @@ export const scrabble_array = [ 'traumatized', 'traumatizes', 'traumatizing', + 'travail', + 'travailed', 'travailing', + 'travails', + 'trave', + 'travel', + 'traveled', + 'traveler', + 'travelers', + 'traveling', + 'travelled', + 'traveller', 'travellers', 'travelling', + 'travelog', + 'travelogs', 'travelogue', 'travelogues', + 'travels', 'traversable', + 'traversal', 'traversals', + 'traverse', + 'traversed', + 'traverser', 'traversers', + 'traverses', 'traversing', 'travertine', 'travertines', + 'traves', 'travestied', 'travesties', + 'travesty', 'travestying', + 'travois', + 'travoise', + 'travoises', + 'trawl', + 'trawled', + 'trawler', 'trawlerman', 'trawlermen', + 'trawlers', + 'trawley', + 'trawleys', + 'trawling', + 'trawlnet', + 'trawlnets', + 'trawls', + 'tray', + 'trayful', + 'trayfuls', + 'trays', 'treacheries', 'treacherous', 'treacherously', 'treacherousness', 'treacherousnesses', + 'treachery', + 'treacle', + 'treacles', + 'treacly', + 'tread', + 'treaded', + 'treader', + 'treaders', + 'treading', + 'treadle', + 'treadled', + 'treadler', + 'treadlers', + 'treadles', + 'treadless', + 'treadling', + 'treadmill', 'treadmills', + 'treads', + 'treason', 'treasonable', 'treasonably', 'treasonous', + 'treasons', 'treasurable', + 'treasure', + 'treasured', + 'treasurer', 'treasurers', 'treasurership', 'treasurerships', + 'treasures', 'treasuries', 'treasuring', + 'treasury', + 'treat', 'treatabilities', 'treatability', + 'treatable', + 'treated', + 'treater', + 'treaters', + 'treaties', + 'treating', + 'treatise', + 'treatises', + 'treatment', 'treatments', + 'treats', + 'treaty', + 'treble', + 'trebled', + 'trebles', + 'trebling', + 'trebly', + 'trebuchet', 'trebuchets', + 'trebucket', 'trebuckets', + 'trecento', + 'trecentos', + 'treddle', + 'treddled', + 'treddles', + 'treddling', 'tredecillion', 'tredecillions', + 'tree', + 'treed', 'treehopper', 'treehoppers', + 'treeing', + 'treelawn', + 'treelawns', + 'treeless', + 'treelike', + 'treen', + 'treenail', + 'treenails', + 'treens', + 'treenware', 'treenwares', + 'trees', + 'treetop', + 'treetops', + 'tref', + 'trefah', + 'trefoil', + 'trefoils', + 'trehala', + 'trehalas', + 'trehalose', 'trehaloses', + 'treillage', 'treillages', + 'trek', + 'trekked', + 'trekker', + 'trekkers', + 'trekking', + 'treks', + 'trellis', + 'trellised', + 'trellises', 'trellising', 'trelliswork', 'trellisworks', + 'trematode', 'trematodes', + 'tremble', + 'trembled', + 'trembler', + 'tremblers', + 'trembles', + 'tremblier', 'trembliest', + 'trembling', + 'trembly', 'tremendous', 'tremendously', 'tremendousness', 'tremendousnesses', + 'tremolite', 'tremolites', 'tremolitic', + 'tremolo', + 'tremolos', + 'tremor', + 'tremors', + 'tremulant', + 'tremulous', 'tremulously', 'tremulousness', 'tremulousnesses', + 'trenail', + 'trenails', + 'trench', 'trenchancies', 'trenchancy', + 'trenchant', 'trenchantly', + 'trenched', + 'trencher', 'trencherman', 'trenchermen', + 'trenchers', + 'trenches', + 'trenching', + 'trend', + 'trended', + 'trendier', + 'trendies', + 'trendiest', + 'trendily', 'trendiness', 'trendinesses', + 'trending', + 'trends', 'trendsetter', 'trendsetters', 'trendsetting', + 'trendy', + 'trepan', 'trepanation', 'trepanations', + 'trepang', + 'trepangs', + 'trepanned', 'trepanning', + 'trepans', 'trephination', 'trephinations', + 'trephine', + 'trephined', + 'trephines', 'trephining', + 'trepid', + 'trepidant', 'trepidation', 'trepidations', + 'treponema', 'treponemal', 'treponemas', 'treponemata', 'treponematoses', 'treponematosis', + 'treponeme', 'treponemes', + 'trespass', 'trespassed', 'trespasser', 'trespassers', 'trespasses', 'trespassing', + 'tress', + 'tressed', + 'tressel', + 'tressels', + 'tresses', + 'tressier', + 'tressiest', + 'tressour', + 'tressours', + 'tressure', + 'tressures', + 'tressy', + 'trestle', + 'trestles', 'trestlework', 'trestleworks', + 'tret', + 'tretinoin', 'tretinoins', + 'trets', + 'trevet', + 'trevets', + 'trews', + 'trey', + 'treys', + 'triable', + 'triac', 'triacetate', 'triacetates', + 'triacid', + 'triacids', + 'triacs', + 'triad', + 'triadic', 'triadically', + 'triadics', + 'triadism', + 'triadisms', + 'triads', + 'triage', + 'triaged', + 'triages', + 'triaging', + 'trial', + 'trialogue', 'trialogues', + 'trials', 'triamcinolone', 'triamcinolones', + 'triangle', + 'triangles', 'triangular', 'triangularities', 'triangularity', @@ -62630,12 +158004,33 @@ export const scrabble_array = [ 'triangulation', 'triangulations', 'triarchies', + 'triarchy', 'triathlete', 'triathletes', + 'triathlon', 'triathlons', + 'triatomic', + 'triaxial', 'triaxialities', 'triaxiality', + 'triazin', + 'triazine', + 'triazines', + 'triazins', + 'triazole', + 'triazoles', + 'tribade', + 'tribades', + 'tribadic', + 'tribal', + 'tribalism', 'tribalisms', + 'tribally', + 'tribasic', + 'tribe', + 'tribes', + 'tribesman', + 'tribesmen', 'tribespeople', 'triboelectric', 'triboelectricities', @@ -62644,24 +158039,45 @@ export const scrabble_array = [ 'tribologies', 'tribologist', 'tribologists', + 'tribology', 'triboluminescence', 'triboluminescences', 'triboluminescent', + 'tribrach', 'tribrachic', + 'tribrachs', + 'tribulate', 'tribulated', 'tribulates', 'tribulating', 'tribulation', 'tribulations', + 'tribunal', + 'tribunals', + 'tribunate', 'tribunates', + 'tribune', + 'tribunes', 'tribuneship', 'tribuneships', 'tributaries', + 'tributary', + 'tribute', + 'tributes', 'tricarboxylic', + 'trice', + 'triced', + 'triceps', + 'tricepses', 'triceratops', 'triceratopses', + 'trices', 'trichiases', 'trichiasis', + 'trichina', + 'trichinae', + 'trichinal', + 'trichinas', 'trichinize', 'trichinized', 'trichinizes', @@ -62670,6 +158086,8 @@ export const scrabble_array = [ 'trichinosis', 'trichinosises', 'trichinous', + 'trichite', + 'trichites', 'trichlorfon', 'trichlorfons', 'trichloroethylene', @@ -62680,10 +158098,13 @@ export const scrabble_array = [ 'trichocysts', 'trichogyne', 'trichogynes', + 'trichoid', 'trichologies', 'trichologist', 'trichologists', 'trichology', + 'trichome', + 'trichomes', 'trichomonacidal', 'trichomonacide', 'trichomonacides', @@ -62705,103 +158126,292 @@ export const scrabble_array = [ 'trichromatism', 'trichromatisms', 'trichromats', + 'tricing', + 'trick', + 'tricked', + 'tricker', 'trickeries', + 'trickers', + 'trickery', + 'trickie', + 'trickier', + 'trickiest', + 'trickily', 'trickiness', 'trickinesses', + 'tricking', + 'trickish', 'trickishly', 'trickishness', 'trickishnesses', + 'trickle', + 'trickled', + 'trickles', + 'tricklier', 'trickliest', + 'trickling', + 'trickly', + 'tricks', + 'tricksier', 'tricksiest', 'tricksiness', 'tricksinesses', + 'trickster', 'tricksters', + 'tricksy', + 'tricky', + 'triclad', + 'triclads', + 'triclinia', + 'triclinic', 'triclinium', 'tricolette', 'tricolettes', + 'tricolor', 'tricolored', + 'tricolors', + 'tricorn', + 'tricorne', 'tricornered', + 'tricornes', + 'tricorns', + 'tricot', + 'tricotine', 'tricotines', + 'tricots', + 'trictrac', + 'trictracs', + 'tricuspid', 'tricuspids', + 'tricycle', + 'tricycles', + 'tricyclic', 'tricyclics', + 'trident', + 'tridents', 'tridimensional', 'tridimensionalities', 'tridimensionality', + 'triduum', + 'triduums', + 'tried', + 'triene', + 'trienes', + 'triennia', + 'triennial', 'triennially', 'triennials', + 'triennium', 'trienniums', + 'triens', + 'trientes', + 'trier', + 'trierarch', 'trierarchies', 'trierarchs', 'trierarchy', + 'triers', + 'tries', + 'triethyl', + 'trifecta', + 'trifectas', + 'trifid', + 'trifle', + 'trifled', + 'trifler', + 'triflers', + 'trifles', + 'trifling', + 'triflings', 'trifluoperazine', 'trifluoperazines', 'trifluralin', 'trifluralins', + 'trifocal', + 'trifocals', + 'trifold', 'trifoliate', 'trifoliolate', + 'trifolium', 'trifoliums', + 'triforia', + 'triforium', + 'triform', 'trifurcate', 'trifurcated', 'trifurcates', 'trifurcating', 'trifurcation', 'trifurcations', + 'trig', 'trigeminal', 'trigeminals', + 'trigged', + 'trigger', + 'triggered', 'triggerfish', 'triggerfishes', 'triggering', 'triggerman', 'triggermen', + 'triggers', + 'triggest', + 'trigging', + 'trigly', 'triglyceride', 'triglycerides', + 'triglyph', 'triglyphic', 'triglyphical', + 'triglyphs', + 'trigness', 'trignesses', + 'trigo', + 'trigon', + 'trigonal', 'trigonally', 'trigonometric', 'trigonometrical', 'trigonometrically', 'trigonometries', 'trigonometry', + 'trigons', + 'trigos', + 'trigram', + 'trigrams', + 'trigraph', 'trigraphic', + 'trigraphs', + 'trigs', 'trihalomethane', 'trihalomethanes', + 'trihedra', + 'trihedral', 'trihedrals', + 'trihedron', 'trihedrons', + 'trihybrid', 'trihybrids', 'trihydroxy', 'triiodothyronine', 'triiodothyronines', + 'trijet', + 'trijets', + 'trike', + 'trikes', 'trilateral', + 'trilbies', + 'trilby', + 'trilinear', 'trilingual', 'trilingually', 'triliteral', 'triliteralism', 'triliteralisms', 'triliterals', + 'trill', + 'trilled', + 'triller', + 'trillers', + 'trilling', + 'trillion', + 'trillions', 'trillionth', 'trillionths', + 'trillium', + 'trilliums', + 'trills', + 'trilobal', + 'trilobate', + 'trilobed', + 'trilobite', 'trilobites', + 'trilogies', + 'trilogy', + 'trim', + 'trimaran', + 'trimarans', + 'trimer', + 'trimeric', + 'trimerous', + 'trimers', + 'trimester', 'trimesters', + 'trimeter', + 'trimeters', 'trimethoprim', 'trimethoprims', 'trimetrogon', 'trimetrogons', + 'trimly', + 'trimmed', + 'trimmer', + 'trimmers', + 'trimmest', + 'trimming', + 'trimmings', + 'trimness', 'trimnesses', 'trimonthly', + 'trimorph', 'trimorphic', + 'trimorphs', + 'trimotor', + 'trimotors', + 'trims', + 'trinal', + 'trinary', + 'trindle', + 'trindled', + 'trindles', + 'trindling', + 'trine', + 'trined', + 'trines', + 'trining', 'trinitarian', + 'trinities', 'trinitrotoluene', 'trinitrotoluenes', + 'trinity', + 'trinket', + 'trinketed', + 'trinketer', 'trinketers', 'trinketing', 'trinketries', + 'trinketry', + 'trinkets', + 'trinkums', 'trinocular', + 'trinodal', + 'trinomial', 'trinomials', 'trinucleotide', 'trinucleotides', + 'trio', + 'triode', + 'triodes', + 'triol', + 'triolet', + 'triolets', + 'triols', + 'trios', + 'triose', + 'trioses', + 'trioxid', + 'trioxide', + 'trioxides', + 'trioxids', + 'trip', + 'tripack', + 'tripacks', + 'tripart', 'tripartite', + 'tripe', + 'tripedal', + 'tripes', + 'triphase', 'triphenylmethane', 'triphenylmethanes', 'triphosphate', @@ -62811,8 +158421,17 @@ export const scrabble_array = [ 'triphthongs', 'tripinnate', 'tripinnately', + 'triplane', + 'triplanes', + 'triple', + 'tripled', + 'triples', + 'triplet', 'tripletail', 'tripletails', + 'triplets', + 'triplex', + 'triplexes', 'triplicate', 'triplicated', 'triplicates', @@ -62821,29 +158440,96 @@ export const scrabble_array = [ 'triplications', 'triplicities', 'triplicity', + 'tripling', + 'triplite', + 'triplites', 'triploblastic', + 'triploid', 'triploidies', + 'triploids', + 'triploidy', + 'triply', + 'tripod', + 'tripodal', + 'tripodic', + 'tripodies', + 'tripods', + 'tripody', + 'tripoli', + 'tripolis', + 'tripos', + 'triposes', + 'tripped', + 'tripper', + 'trippers', + 'trippet', + 'trippets', + 'trippier', + 'trippiest', + 'tripping', 'trippingly', + 'trippings', + 'trippy', + 'trips', + 'triptane', + 'triptanes', + 'triptyca', + 'triptycas', + 'triptych', + 'triptychs', + 'tripwire', + 'tripwires', 'triquetrous', 'triradiate', + 'trireme', + 'triremes', 'trisaccharide', 'trisaccharides', + 'triscele', + 'trisceles', + 'trisect', + 'trisected', 'trisecting', 'trisection', 'trisections', + 'trisector', 'trisectors', + 'trisects', + 'triseme', + 'trisemes', + 'trisemic', + 'trishaw', + 'trishaws', 'triskaidekaphobia', 'triskaidekaphobias', + 'triskele', + 'triskeles', 'triskelion', 'triskelions', + 'trismic', + 'trismus', + 'trismuses', 'trisoctahedra', 'trisoctahedron', 'trisoctahedrons', + 'trisome', + 'trisomes', + 'trisomic', + 'trisomics', + 'trisomies', + 'trisomy', + 'tristate', + 'triste', 'tristearin', 'tristearins', + 'tristeza', + 'tristezas', + 'tristful', 'tristfully', 'tristfulness', 'tristfulnesses', + 'tristich', + 'tristichs', 'tristimulus', 'trisubstituted', 'trisulfide', @@ -62851,13 +158537,35 @@ export const scrabble_array = [ 'trisyllabic', 'trisyllable', 'trisyllables', + 'trite', + 'tritely', + 'triteness', 'tritenesses', + 'triter', + 'tritest', + 'tritheism', 'tritheisms', + 'tritheist', 'tritheistic', 'tritheistical', 'tritheists', + 'trithing', + 'trithings', + 'tritiated', + 'triticale', 'triticales', + 'triticum', + 'triticums', + 'tritium', + 'tritiums', + 'tritoma', + 'tritomas', + 'triton', + 'tritone', + 'tritones', + 'tritons', 'triturable', + 'triturate', 'triturated', 'triturates', 'triturating', @@ -62865,16 +158573,33 @@ export const scrabble_array = [ 'triturations', 'triturator', 'triturators', + 'triumph', + 'triumphal', 'triumphalism', 'triumphalisms', 'triumphalist', 'triumphalists', 'triumphant', 'triumphantly', + 'triumphed', 'triumphing', + 'triumphs', + 'triumvir', 'triumvirate', 'triumvirates', + 'triumviri', + 'triumvirs', + 'triune', + 'triunes', 'triunities', + 'triunity', + 'trivalent', + 'trivalve', + 'trivalves', + 'trivet', + 'trivets', + 'trivia', + 'trivial', 'trivialise', 'trivialised', 'trivialises', @@ -62889,38 +158614,151 @@ export const scrabble_array = [ 'trivialized', 'trivializes', 'trivializing', + 'trivially', + 'trivium', 'triweeklies', + 'triweekly', + 'troak', + 'troaked', + 'troaking', + 'troaks', + 'trocar', + 'trocars', + 'trochaic', + 'trochaics', + 'trochal', 'trochanter', 'trochanteral', 'trochanteric', 'trochanters', + 'trochar', + 'trochars', + 'troche', + 'trochee', + 'trochees', + 'troches', + 'trochil', + 'trochili', + 'trochils', + 'trochilus', + 'trochlea', + 'trochleae', + 'trochlear', 'trochlears', + 'trochleas', + 'trochoid', 'trochoidal', + 'trochoids', 'trochophore', 'trochophores', + 'trock', + 'trocked', + 'trocking', + 'trocks', + 'trod', + 'trodden', + 'trode', + 'troffer', + 'troffers', 'troglodyte', 'troglodytes', 'troglodytic', + 'trogon', + 'trogons', + 'troika', + 'troikas', + 'troilism', + 'troilisms', + 'troilite', + 'troilites', + 'troilus', + 'troiluses', + 'trois', + 'troke', + 'troked', + 'trokes', + 'troking', + 'troland', + 'trolands', + 'troll', + 'trolled', + 'troller', + 'trollers', + 'trolley', 'trolleybus', 'trolleybuses', 'trolleybusses', + 'trolleyed', 'trolleying', + 'trolleys', + 'trollied', + 'trollies', + 'trolling', + 'trollings', + 'trollop', + 'trollops', + 'trollopy', + 'trolls', + 'trolly', + 'trollying', + 'trombone', + 'trombones', 'trombonist', 'trombonists', + 'trommel', + 'trommels', + 'tromp', + 'trompe', + 'tromped', + 'trompes', + 'tromping', + 'tromps', + 'trona', + 'tronas', + 'trone', + 'trones', + 'troop', + 'trooped', + 'trooper', + 'troopers', + 'troopial', + 'troopials', + 'trooping', + 'troops', + 'troopship', 'troopships', + 'trooz', + 'trop', + 'trope', + 'tropes', 'trophallaxes', 'trophallaxis', + 'trophic', 'trophically', + 'trophied', + 'trophies', 'trophoblast', 'trophoblastic', 'trophoblasts', 'trophozoite', 'trophozoites', + 'trophy', + 'trophying', + 'tropic', + 'tropical', 'tropicalize', 'tropicalized', 'tropicalizes', 'tropicalizing', 'tropically', + 'tropics', + 'tropin', + 'tropine', + 'tropines', + 'tropins', + 'tropism', + 'tropisms', + 'tropistic', 'tropocollagen', 'tropocollagens', 'tropologic', @@ -62928,6 +158766,8 @@ export const scrabble_array = [ 'tropologically', 'tropomyosin', 'tropomyosins', + 'troponin', + 'troponins', 'tropopause', 'tropopauses', 'troposphere', @@ -62935,16 +158775,35 @@ export const scrabble_array = [ 'tropospheric', 'tropotaxes', 'tropotaxis', + 'trot', + 'troth', + 'trothed', + 'trothing', 'trothplight', 'trothplighted', 'trothplighting', 'trothplights', + 'troths', + 'trotline', + 'trotlines', + 'trots', + 'trotted', + 'trotter', + 'trotters', + 'trotting', + 'trotyl', + 'trotyls', 'troubadour', 'troubadours', + 'trouble', + 'troubled', 'troublemaker', 'troublemakers', 'troublemaking', 'troublemakings', + 'troubler', + 'troublers', + 'troubles', 'troubleshoot', 'troubleshooter', 'troubleshooters', @@ -62955,73 +158814,344 @@ export const scrabble_array = [ 'troublesomely', 'troublesomeness', 'troublesomenesses', + 'troubling', + 'troublous', 'troublously', 'troublousness', 'troublousnesses', + 'trough', + 'troughs', + 'trounce', + 'trounced', + 'trouncer', + 'trouncers', + 'trounces', + 'trouncing', + 'troupe', + 'trouped', + 'trouper', + 'troupers', + 'troupes', + 'troupial', + 'troupials', + 'trouping', + 'trouser', + 'trousers', + 'trousseau', 'trousseaus', 'trousseaux', + 'trout', + 'troutier', + 'troutiest', + 'trouts', + 'trouty', + 'trouvere', + 'trouveres', + 'trouveur', + 'trouveurs', + 'trove', + 'trover', + 'trovers', + 'troves', + 'trow', + 'trowed', + 'trowel', + 'troweled', + 'troweler', + 'trowelers', + 'troweling', + 'trowelled', 'trowelling', + 'trowels', + 'trowing', + 'trows', + 'trowsers', + 'trowth', + 'trowths', + 'troy', + 'troys', + 'truancies', + 'truancy', + 'truant', + 'truanted', + 'truanting', 'truantries', + 'truantry', + 'truants', + 'truce', + 'truced', + 'truces', + 'trucing', + 'truck', + 'truckage', + 'truckages', + 'trucked', + 'trucker', + 'truckers', + 'truckful', + 'truckfuls', + 'trucking', + 'truckings', + 'truckle', + 'truckled', + 'truckler', + 'trucklers', + 'truckles', + 'truckline', 'trucklines', + 'truckling', + 'truckload', 'truckloads', + 'truckman', 'truckmaster', 'truckmasters', + 'truckmen', + 'trucks', 'truculence', 'truculences', 'truculencies', 'truculency', + 'truculent', 'truculently', + 'trudge', + 'trudged', + 'trudgen', + 'trudgens', + 'trudgeon', + 'trudgeons', + 'trudger', + 'trudgers', + 'trudges', + 'trudging', + 'true', + 'trueblue', + 'trueblues', + 'trueborn', + 'truebred', + 'trued', 'truehearted', 'trueheartedness', 'trueheartednesses', + 'trueing', + 'truelove', + 'trueloves', + 'trueness', 'truenesses', 'truepennies', + 'truepenny', + 'truer', + 'trues', + 'truest', + 'truffe', + 'truffes', + 'truffle', + 'truffled', + 'truffles', + 'trug', + 'trugs', + 'truing', + 'truism', + 'truisms', + 'truistic', + 'trull', + 'trulls', + 'truly', + 'trumeau', + 'trumeaux', + 'trump', + 'trumped', 'trumperies', + 'trumpery', + 'trumpet', + 'trumpeted', + 'trumpeter', 'trumpeters', 'trumpeting', 'trumpetlike', + 'trumpets', + 'trumping', + 'trumps', + 'truncate', + 'truncated', + 'truncates', 'truncating', 'truncation', 'truncations', + 'truncheon', 'truncheoned', 'truncheoning', 'truncheons', + 'trundle', + 'trundled', + 'trundler', + 'trundlers', + 'trundles', + 'trundling', + 'trunk', + 'trunked', + 'trunkfish', 'trunkfishes', + 'trunkful', + 'trunkfuls', + 'trunks', + 'trunksful', + 'trunnel', + 'trunnels', + 'trunnion', + 'trunnions', + 'truss', + 'trussed', + 'trusser', + 'trussers', + 'trusses', + 'trussing', + 'trussings', + 'trust', 'trustabilities', 'trustability', + 'trustable', 'trustbuster', 'trustbusters', + 'trusted', + 'trustee', + 'trusteed', 'trusteeing', + 'trustees', 'trusteeship', 'trusteeships', + 'truster', + 'trusters', + 'trustful', 'trustfully', 'trustfulness', 'trustfulnesses', + 'trustier', + 'trusties', + 'trustiest', + 'trustily', 'trustiness', 'trustinesses', + 'trusting', 'trustingly', 'trustingness', 'trustingnesses', + 'trustless', + 'trustor', + 'trustors', + 'trusts', 'trustworthily', 'trustworthiness', 'trustworthinesses', 'trustworthy', + 'trusty', + 'truth', + 'truthful', 'truthfully', 'truthfulness', 'truthfulnesses', + 'truths', + 'try', + 'trying', + 'tryingly', + 'tryma', + 'trymata', + 'tryout', + 'tryouts', 'trypanosome', 'trypanosomes', 'trypanosomiases', 'trypanosomiasis', + 'trypsin', 'trypsinogen', 'trypsinogens', + 'trypsins', 'tryptamine', 'tryptamines', + 'tryptic', 'tryptophan', 'tryptophane', 'tryptophanes', 'tryptophans', + 'trysail', + 'trysails', + 'tryst', + 'tryste', + 'trysted', + 'tryster', + 'trysters', + 'trystes', + 'trysting', + 'trysts', + 'tryworks', + 'tsade', + 'tsades', + 'tsadi', + 'tsadis', + 'tsar', + 'tsardom', + 'tsardoms', + 'tsarevna', + 'tsarevnas', + 'tsarina', + 'tsarinas', + 'tsarism', + 'tsarisms', + 'tsarist', + 'tsarists', + 'tsaritza', + 'tsaritzas', + 'tsars', + 'tsetse', + 'tsetses', + 'tsimmes', + 'tsimmeses', + 'tsk', + 'tsked', + 'tsking', + 'tsks', + 'tsktsk', + 'tsktsked', + 'tsktsking', + 'tsktsks', + 'tsooris', + 'tsores', + 'tsoris', + 'tsorriss', + 'tsuba', + 'tsunami', + 'tsunamic', + 'tsunamis', + 'tsuris', 'tsutsugamushi', + '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', + 'tubenoses', + 'tuber', + 'tubercle', + 'tubercles', 'tubercular', 'tuberculars', 'tuberculate', @@ -63032,106 +159162,443 @@ export const scrabble_array = [ 'tuberculoses', 'tuberculosis', 'tuberculous', + 'tuberoid', + 'tuberose', + 'tuberoses', 'tuberosities', 'tuberosity', + 'tuberous', + 'tubers', + 'tubes', + 'tubework', + 'tubeworks', + 'tubful', + 'tubfuls', + 'tubifex', + 'tubifexes', + 'tubificid', 'tubificids', + 'tubiform', + 'tubing', + 'tubings', + 'tubist', + 'tubists', + 'tublike', 'tubocurarine', 'tubocurarines', + 'tubs', + 'tubular', + 'tubulate', + 'tubulated', + 'tubulates', 'tubulating', + 'tubule', + 'tubules', + 'tubulin', + 'tubulins', + 'tubulose', + 'tubulous', + 'tubulure', + 'tubulures', + 'tuchun', + 'tuchuns', + 'tuck', + 'tuckahoe', + 'tuckahoes', + 'tucked', + 'tucker', + 'tuckered', + 'tuckering', + 'tuckers', + 'tucket', + 'tuckets', + 'tucking', + 'tucks', + 'tuckshop', + 'tuckshops', + 'tufa', + 'tufaceous', + 'tufas', + 'tuff', 'tuffaceous', + 'tuffet', + 'tuffets', + 'tuffs', + 'tufoli', + 'tuft', + 'tufted', + 'tufter', + 'tufters', + 'tuftier', + 'tuftiest', + 'tuftily', + 'tufting', + 'tufts', + 'tufty', + 'tug', + 'tugboat', + 'tugboats', + 'tugged', + 'tugger', + 'tuggers', + 'tugging', + 'tughrik', + 'tughriks', + 'tugless', + 'tugrik', + 'tugriks', + 'tugs', + 'tui', + 'tuille', + 'tuilles', + 'tuis', + 'tuition', + 'tuitional', + 'tuitions', + 'tuladi', + 'tuladis', + 'tularemia', 'tularemias', + 'tularemic', + 'tule', + 'tules', + 'tulip', + 'tulips', + 'tulipwood', 'tulipwoods', + 'tulle', + 'tulles', + 'tullibee', + 'tullibees', + 'tumble', + 'tumblebug', 'tumblebugs', + 'tumbled', 'tumbledown', + 'tumbler', 'tumblerful', 'tumblerfuls', + 'tumblers', + 'tumbles', 'tumbleweed', 'tumbleweeds', + 'tumbling', + 'tumblings', + 'tumbrel', + 'tumbrels', + 'tumbril', + 'tumbrils', 'tumefaction', 'tumefactions', + 'tumefied', + 'tumefies', + 'tumefy', + 'tumefying', 'tumescence', 'tumescences', + 'tumescent', + 'tumid', 'tumidities', + 'tumidity', + 'tumidly', + 'tummies', + 'tummler', + 'tummlers', + 'tummy', + 'tumor', + 'tumoral', 'tumorigeneses', 'tumorigenesis', 'tumorigenic', 'tumorigenicities', 'tumorigenicity', + 'tumorlike', + 'tumorous', + 'tumors', + 'tumour', + 'tumours', + 'tump', + 'tumped', + 'tumping', + 'tumpline', + 'tumplines', + 'tumps', + 'tumular', + 'tumuli', + 'tumulose', + 'tumulous', + 'tumult', + 'tumults', 'tumultuary', 'tumultuous', 'tumultuously', 'tumultuousness', 'tumultuousnesses', + 'tumulus', + 'tumuluses', + 'tun', + 'tuna', 'tunabilities', 'tunability', + 'tunable', 'tunableness', 'tunablenesses', + 'tunably', + 'tunas', + 'tundish', + 'tundishes', + 'tundra', + 'tundras', + 'tune', + 'tuneable', + 'tuneably', + 'tuned', + 'tuneful', + 'tunefully', 'tunefulness', 'tunefulnesses', + 'tuneless', 'tunelessly', + 'tuner', + 'tuners', + 'tunes', + 'tunesmith', 'tunesmiths', + 'tuneup', + 'tuneups', + 'tung', + 'tungs', + 'tungstate', 'tungstates', + 'tungsten', + 'tungstens', + 'tungstic', + 'tunic', + 'tunica', + 'tunicae', + 'tunicate', + 'tunicated', + 'tunicates', + 'tunicle', + 'tunicles', + 'tunics', + 'tuning', + 'tunnage', + 'tunnages', + 'tunned', + 'tunnel', + 'tunneled', + 'tunneler', + 'tunnelers', + 'tunneling', + 'tunnelled', 'tunnellike', 'tunnelling', + 'tunnels', + 'tunnies', + 'tunning', + 'tunny', + 'tuns', + 'tup', + 'tupelo', + 'tupelos', + 'tupik', + 'tupiks', + 'tupped', + 'tuppence', + 'tuppences', + 'tuppenny', + 'tupping', + 'tups', + 'tuque', + 'tuques', + 'turaco', + 'turacos', + 'turacou', + 'turacous', + 'turban', + 'turbaned', + 'turbanned', + 'turbans', + 'turbaries', + 'turbary', 'turbellarian', 'turbellarians', + 'turbeth', + 'turbeths', + 'turbid', 'turbidimeter', 'turbidimeters', 'turbidimetric', 'turbidimetrically', 'turbidimetries', 'turbidimetry', + 'turbidite', 'turbidites', 'turbidities', + 'turbidity', + 'turbidly', 'turbidness', 'turbidnesses', + 'turbinal', + 'turbinals', + 'turbinate', 'turbinated', 'turbinates', + 'turbine', + 'turbines', + 'turbit', + 'turbith', + 'turbiths', + 'turbits', + 'turbo', + 'turbocar', + 'turbocars', 'turbocharged', 'turbocharger', 'turbochargers', 'turboelectric', + 'turbofan', + 'turbofans', 'turbogenerator', 'turbogenerators', + 'turbojet', + 'turbojets', 'turbomachineries', 'turbomachinery', + 'turboprop', 'turboprops', + 'turbos', 'turboshaft', 'turboshafts', + 'turbot', + 'turbots', 'turbulence', 'turbulences', 'turbulencies', 'turbulency', + 'turbulent', 'turbulently', + 'turd', + 'turdine', + 'turds', + 'tureen', + 'tureens', + 'turf', + 'turfed', + 'turfier', + 'turfiest', + 'turfing', + 'turfless', + 'turflike', + 'turfman', + 'turfmen', + 'turfs', + 'turfski', 'turfskiing', 'turfskiings', + 'turfskis', + 'turfy', 'turgencies', + 'turgency', + 'turgent', 'turgescence', 'turgescences', 'turgescent', + 'turgid', 'turgidities', + 'turgidity', + 'turgidly', 'turgidness', 'turgidnesses', + 'turgite', + 'turgites', + 'turgor', + 'turgors', + 'turista', + 'turistas', + 'turk', + 'turkey', + 'turkeys', + 'turkois', + 'turkoises', + 'turks', + 'turmeric', + 'turmerics', + 'turmoil', + 'turmoiled', 'turmoiling', + 'turmoils', + 'turn', + 'turnable', + 'turnabout', 'turnabouts', 'turnaround', 'turnarounds', 'turnbuckle', 'turnbuckles', + 'turncoat', + 'turncoats', + 'turndown', + 'turndowns', + 'turned', + 'turner', + 'turneries', + 'turners', + 'turnery', + 'turnhall', + 'turnhalls', + 'turning', + 'turnings', + 'turnip', + 'turnips', + 'turnkey', + 'turnkeys', + 'turnoff', + 'turnoffs', + 'turnout', + 'turnouts', + 'turnover', + 'turnovers', + 'turnpike', + 'turnpikes', + 'turns', + 'turnsole', + 'turnsoles', + 'turnspit', + 'turnspits', + 'turnstile', 'turnstiles', + 'turnstone', 'turnstones', + 'turntable', 'turntables', + 'turnup', + 'turnups', 'turnverein', 'turnvereins', + 'turophile', 'turophiles', 'turpentine', 'turpentined', 'turpentines', 'turpentining', + 'turpeth', + 'turpeths', + 'turpitude', 'turpitudes', + 'turps', + 'turquois', + 'turquoise', 'turquoises', + 'turret', + 'turreted', + 'turrets', + 'turrical', + 'turtle', 'turtleback', 'turtlebacks', + 'turtled', 'turtledove', 'turtledoves', 'turtlehead', @@ -63139,53 +159606,423 @@ export const scrabble_array = [ 'turtleneck', 'turtlenecked', 'turtlenecks', + 'turtler', + 'turtlers', + 'turtles', + 'turtling', + 'turtlings', + 'turves', + 'tusche', + 'tusches', + 'tush', + 'tushed', + 'tushes', + 'tushie', + 'tushies', + 'tushing', + 'tushy', + 'tusk', + 'tusked', + 'tusker', + 'tuskers', + 'tusking', + 'tuskless', + 'tusklike', + 'tusks', + 'tussah', + 'tussahs', + 'tussal', + 'tussar', + 'tussars', + 'tusseh', + 'tussehs', + 'tusser', + 'tussers', + 'tussis', + 'tussises', + 'tussive', + 'tussle', + 'tussled', + 'tussles', + 'tussling', + 'tussock', + 'tussocks', + 'tussocky', + 'tussor', + 'tussore', + 'tussores', + 'tussors', + 'tussuck', + 'tussucks', + 'tussur', + 'tussurs', + 'tut', + 'tutee', + 'tutees', + 'tutelage', + 'tutelages', + 'tutelar', 'tutelaries', + 'tutelars', + 'tutelary', + 'tutor', + 'tutorage', + 'tutorages', + 'tutored', + 'tutoress', 'tutoresses', + 'tutorial', + 'tutorials', + 'tutoring', + 'tutors', + 'tutorship', 'tutorships', + 'tutoyed', + 'tutoyer', + 'tutoyered', 'tutoyering', + 'tutoyers', + 'tuts', + 'tutted', + 'tutti', + 'tutties', + 'tutting', + 'tuttis', + 'tutty', + 'tutu', + 'tutus', + 'tux', + 'tuxedo', + 'tuxedoed', + 'tuxedoes', + 'tuxedos', + 'tuxes', + 'tuyer', + 'tuyere', + 'tuyeres', + 'tuyers', + 'twa', + 'twaddle', + 'twaddled', + 'twaddler', + 'twaddlers', + 'twaddles', + 'twaddling', + 'twae', + 'twaes', + 'twain', + 'twains', + 'twang', + 'twanged', + 'twanger', + 'twangers', + 'twangier', + 'twangiest', + 'twanging', + 'twangle', + 'twangled', + 'twangler', + 'twanglers', + 'twangles', + 'twangling', + 'twangs', + 'twangy', + 'twankies', + 'twanky', + 'twas', + 'twasome', + 'twasomes', + 'twat', + 'twats', + 'twattle', + 'twattled', + 'twattles', + 'twattling', + 'twayblade', 'twayblades', + 'tweak', + 'tweaked', + 'tweakier', + 'tweakiest', + 'tweaking', + 'tweaks', + 'tweaky', + 'twee', + 'tweed', + 'tweedier', + 'tweediest', 'tweediness', 'tweedinesses', + 'tweedle', + 'tweedled', + 'tweedles', + 'tweedling', + 'tweeds', + 'tweedy', + 'tween', + 'tweenies', + 'tweeny', + 'tweet', + 'tweeted', + 'tweeter', + 'tweeters', + 'tweeting', + 'tweets', + 'tweeze', + 'tweezed', + 'tweezer', + 'tweezers', + 'tweezes', + 'tweezing', + 'twelfth', + 'twelfths', + 'twelve', + 'twelvemo', 'twelvemonth', 'twelvemonths', + 'twelvemos', + 'twelves', + 'twenties', + 'twentieth', 'twentieths', + 'twenty', + 'twerp', + 'twerps', + 'twibil', + 'twibill', + 'twibills', + 'twibils', + 'twice', + 'twiddle', + 'twiddled', + 'twiddler', + 'twiddlers', + 'twiddles', + 'twiddlier', 'twiddliest', + 'twiddling', + 'twiddly', + 'twier', + 'twiers', + 'twig', + 'twigged', + 'twiggen', + 'twiggier', + 'twiggiest', + 'twigging', + 'twiggy', + 'twigless', + 'twiglike', + 'twigs', + 'twilight', + 'twilights', + 'twilit', + 'twill', + 'twilled', + 'twilling', + 'twillings', + 'twills', + 'twin', 'twinberries', + 'twinberry', + 'twinborn', + 'twine', + 'twined', + 'twiner', + 'twiners', + 'twines', 'twinflower', 'twinflowers', + 'twinge', + 'twinged', + 'twingeing', + 'twinges', + 'twinging', + 'twinier', + 'twiniest', + 'twinight', + 'twining', + 'twinjet', + 'twinjets', + 'twinkle', + 'twinkled', + 'twinkler', + 'twinklers', + 'twinkles', + 'twinkling', 'twinklings', + 'twinkly', + 'twinned', + 'twinning', + 'twinnings', + 'twins', + 'twinset', + 'twinsets', + 'twinship', + 'twinships', + 'twiny', + 'twirl', + 'twirled', + 'twirler', + 'twirlers', + 'twirlier', + 'twirliest', + 'twirling', + 'twirls', + 'twirly', + 'twirp', + 'twirps', + 'twist', + 'twisted', + 'twister', + 'twisters', + 'twistier', + 'twistiest', + 'twisting', + 'twistings', + 'twists', + 'twisty', + 'twit', + 'twitch', + 'twitched', + 'twitcher', + 'twitchers', + 'twitches', + 'twitchier', 'twitchiest', + 'twitchily', + 'twitching', + 'twitchy', + 'twits', + 'twitted', + 'twitter', + 'twittered', 'twittering', + 'twitters', + 'twittery', + 'twitting', + 'twixt', + 'two', + 'twofer', + 'twofers', + 'twofold', + 'twofolds', + 'twopence', + 'twopences', + 'twopenny', + 'twos', + 'twosome', + 'twosomes', + 'twyer', + 'twyers', + 'tycoon', + 'tycoons', + 'tye', + 'tyee', + 'tyees', + 'tyer', + 'tyers', + 'tyes', + 'tying', + 'tyke', + 'tykes', + 'tylosin', + 'tylosins', + 'tymbal', + 'tymbals', + 'tympan', + 'tympana', + 'tympanal', + 'tympani', + 'tympanic', + 'tympanies', + 'tympanist', 'tympanists', 'tympanites', 'tympaniteses', 'tympanitic', + 'tympano', + 'tympans', + 'tympanum', + 'tympanums', + 'tympany', + 'tyne', + 'tyned', + 'tynes', + 'tyning', + 'typable', + 'typal', + 'type', + 'typeable', + 'typebar', + 'typebars', + 'typecase', + 'typecases', + 'typecast', 'typecasting', + 'typecasts', + 'typed', + 'typeface', + 'typefaces', 'typefounder', 'typefounders', 'typefounding', 'typefoundings', + 'types', 'typescript', 'typescripts', + 'typeset', + 'typesets', 'typesetter', 'typesetters', 'typesetting', 'typesettings', + 'typestyle', 'typestyles', + 'typewrite', 'typewriter', 'typewriters', 'typewrites', 'typewriting', 'typewritings', 'typewritten', + 'typewrote', + 'typey', 'typhlosole', 'typhlosoles', + 'typhoid', + 'typhoids', + 'typhon', + 'typhonic', + 'typhons', + 'typhoon', + 'typhoons', + 'typhose', + 'typhous', + 'typhus', + 'typhuses', + 'typic', + 'typical', 'typicalities', 'typicality', + 'typically', 'typicalness', 'typicalnesses', + 'typier', + 'typiest', 'typification', 'typifications', + 'typified', + 'typifier', + 'typifiers', + 'typifies', + 'typify', + 'typifying', + 'typing', + 'typist', + 'typists', + 'typo', + 'typograph', 'typographed', 'typographer', 'typographers', @@ -63201,15 +160038,26 @@ export const scrabble_array = [ 'typologies', 'typologist', 'typologists', + 'typology', + 'typos', + 'typp', + 'typps', + 'typy', + 'tyramine', + 'tyramines', + 'tyrannic', 'tyrannical', 'tyrannically', 'tyrannicalness', 'tyrannicalnesses', 'tyrannicide', 'tyrannicides', + 'tyrannies', + 'tyrannise', 'tyrannised', 'tyrannises', 'tyrannising', + 'tyrannize', 'tyrannized', 'tyrannizer', 'tyrannizers', @@ -63219,14 +160067,61 @@ export const scrabble_array = [ 'tyrannosaurs', 'tyrannosaurus', 'tyrannosauruses', + 'tyrannous', 'tyrannously', + 'tyranny', + 'tyrant', + 'tyrants', + 'tyre', + 'tyred', + 'tyres', + 'tyring', + 'tyro', + 'tyrocidin', 'tyrocidine', 'tyrocidines', 'tyrocidins', + 'tyronic', + 'tyros', 'tyrosinase', 'tyrosinases', + 'tyrosine', + 'tyrosines', 'tyrothricin', 'tyrothricins', + 'tythe', + 'tythed', + 'tythes', + 'tything', + 'tzaddik', + 'tzaddikim', + 'tzar', + 'tzardom', + 'tzardoms', + 'tzarevna', + 'tzarevnas', + 'tzarina', + 'tzarinas', + 'tzarism', + 'tzarisms', + 'tzarist', + 'tzarists', + 'tzaritza', + 'tzaritzas', + 'tzars', + 'tzetze', + 'tzetzes', + 'tzigane', + 'tziganes', + 'tzimmes', + 'tzimmeses', + 'tzitzis', + 'tzitzit', + 'tzitzith', + 'tzuris', + 'ubieties', + 'ubiety', + 'ubique', 'ubiquinone', 'ubiquinones', 'ubiquities', @@ -63234,27 +160129,106 @@ export const scrabble_array = [ 'ubiquitously', 'ubiquitousness', 'ubiquitousnesses', + 'ubiquity', + 'udder', + 'udders', + 'udo', + 'udometer', + 'udometers', 'udometries', + 'udometry', + 'udos', 'ufological', + 'ufologies', + 'ufologist', 'ufologists', + 'ufology', + 'ugh', + 'ughs', + 'uglier', + 'uglies', + 'ugliest', 'uglification', 'uglifications', + 'uglified', + 'uglifier', + 'uglifiers', + 'uglifies', + 'uglify', + 'uglifying', + 'uglily', + 'ugliness', 'uglinesses', + 'ugly', + 'ugsome', + 'uh', + 'uhlan', + 'uhlans', + 'uintahite', 'uintahites', + 'uintaite', + 'uintaites', + 'ukase', + 'ukases', + 'uke', + 'ukelele', + 'ukeleles', + 'ukes', + 'ukulele', + 'ukuleles', + 'ulama', + 'ulamas', + 'ulan', + 'ulans', + 'ulcer', + 'ulcerate', + 'ulcerated', + 'ulcerates', 'ulcerating', 'ulceration', 'ulcerations', 'ulcerative', + 'ulcered', + 'ulcering', 'ulcerogenic', + 'ulcerous', + 'ulcers', + 'ulema', + 'ulemas', + 'ulexite', + 'ulexites', + 'ullage', + 'ullaged', + 'ullages', + 'ulna', + 'ulnad', + 'ulnae', + 'ulnar', + 'ulnas', + 'ulpan', + 'ulpanim', + 'ulster', + 'ulsters', + 'ulterior', 'ulteriorly', + 'ultima', 'ultimacies', + 'ultimacy', + 'ultimas', + 'ultimata', + 'ultimate', + 'ultimated', 'ultimately', 'ultimateness', 'ultimatenesses', + 'ultimates', 'ultimating', + 'ultimatum', 'ultimatums', + 'ultimo', 'ultimogeniture', 'ultimogenitures', + 'ultra', 'ultrabasic', 'ultrabasics', 'ultracareful', @@ -63268,8 +160242,10 @@ export const scrabble_array = [ 'ultracentrifuged', 'ultracentrifuges', 'ultracentrifuging', + 'ultrachic', 'ultracivilized', 'ultraclean', + 'ultracold', 'ultracommercial', 'ultracompact', 'ultracompetent', @@ -63280,16 +160256,19 @@ export const scrabble_array = [ 'ultracontemporaries', 'ultracontemporary', 'ultraconvenient', + 'ultracool', 'ultracritical', 'ultrademocratic', 'ultradense', 'ultradistance', 'ultradistances', 'ultradistant', + 'ultradry', 'ultraefficient', 'ultraenergetic', 'ultraexclusive', 'ultrafamiliar', + 'ultrafast', 'ultrafastidious', 'ultrafeminine', 'ultrafiche', @@ -63298,14 +160277,24 @@ export const scrabble_array = [ 'ultrafiltrates', 'ultrafiltration', 'ultrafiltrations', + 'ultrafine', 'ultraglamorous', 'ultrahazardous', + 'ultraheat', 'ultraheated', 'ultraheating', 'ultraheats', 'ultraheavy', + 'ultrahigh', + 'ultrahip', + 'ultrahot', 'ultrahuman', + 'ultraism', + 'ultraisms', + 'ultraist', 'ultraistic', + 'ultraists', + 'ultraleft', 'ultraleftism', 'ultraleftisms', 'ultraleftist', @@ -63317,6 +160306,7 @@ export const scrabble_array = [ 'ultralight', 'ultralights', 'ultralightweight', + 'ultralow', 'ultramafic', 'ultramarathon', 'ultramarathoner', @@ -63362,10 +160352,12 @@ export const scrabble_array = [ 'ultraprofessional', 'ultraprogressive', 'ultraprogressives', + 'ultrapure', 'ultraquiet', 'ultraradical', 'ultraradicals', 'ultrarapid', + 'ultrarare', 'ultrararefied', 'ultrarational', 'ultrarealism', @@ -63373,17 +160365,22 @@ export const scrabble_array = [ 'ultrarealist', 'ultrarealistic', 'ultrarealists', + 'ultrared', + 'ultrareds', 'ultrarefined', 'ultrareliable', 'ultrarespectable', 'ultrarevolutionaries', 'ultrarevolutionary', + 'ultrarich', 'ultraright', 'ultrarightist', 'ultrarightists', 'ultraromantic', 'ultraroyalist', 'ultraroyalists', + 'ultras', + 'ultrasafe', 'ultrasecret', 'ultrasegregationist', 'ultrasegregationists', @@ -63393,9 +160390,11 @@ export const scrabble_array = [ 'ultrashort', 'ultrasimple', 'ultraslick', + 'ultraslow', 'ultrasmall', 'ultrasmart', 'ultrasmooth', + 'ultrasoft', 'ultrasonic', 'ultrasonically', 'ultrasonics', @@ -63411,6 +160410,7 @@ export const scrabble_array = [ 'ultrastructurally', 'ultrastructure', 'ultrastructures', + 'ultrathin', 'ultravacua', 'ultravacuum', 'ultravacuums', @@ -63422,27 +160422,105 @@ export const scrabble_array = [ 'ultravirile', 'ultravirilities', 'ultravirility', + 'ultrawide', + 'ulu', + 'ululant', + 'ululate', + 'ululated', + 'ululates', + 'ululating', + 'ululation', 'ululations', + 'ulus', + 'ulva', + 'ulvas', + 'um', + 'umangite', + 'umangites', + 'umbel', + 'umbeled', + 'umbellar', + 'umbellate', + 'umbelled', + 'umbellet', + 'umbellets', 'umbellifer', 'umbelliferous', 'umbellifers', + 'umbels', + 'umber', + 'umbered', + 'umbering', + 'umbers', + 'umbilical', 'umbilicals', 'umbilicate', 'umbilicated', 'umbilication', 'umbilications', + 'umbilici', + 'umbilicus', 'umbilicuses', + 'umbles', + 'umbo', + 'umbonal', + 'umbonate', + 'umbones', + 'umbonic', + 'umbos', + 'umbra', + 'umbrae', + 'umbrage', 'umbrageous', 'umbrageously', 'umbrageousness', 'umbrageousnesses', + 'umbrages', + 'umbral', + 'umbras', + 'umbrella', 'umbrellaed', 'umbrellaing', + 'umbrellas', + 'umbrette', + 'umbrettes', + 'umiac', + 'umiack', + 'umiacks', + 'umiacs', + 'umiak', + 'umiaks', + 'umiaq', + 'umiaqs', + 'umlaut', + 'umlauted', + 'umlauting', + 'umlauts', + 'umm', + 'ump', + 'umped', + 'umping', + 'umpirage', + 'umpirages', + 'umpire', + 'umpired', + 'umpires', + 'umpiring', + 'umps', + 'umpteen', + 'umpteenth', + 'umteenth', + 'un', + 'unabashed', 'unabashedly', + 'unabated', 'unabatedly', + 'unable', + 'unabraded', 'unabridged', 'unabsorbed', 'unabsorbent', + 'unabused', 'unacademic', 'unacademically', 'unaccented', @@ -63468,17 +160546,24 @@ export const scrabble_array = [ 'unachieved', 'unacknowledged', 'unacquainted', + 'unactable', + 'unacted', 'unactorish', 'unadaptable', + 'unadapted', 'unaddressed', 'unadjudicated', 'unadjusted', + 'unadmired', 'unadmitted', 'unadoptable', + 'unadorned', + 'unadult', 'unadulterated', 'unadulteratedly', 'unadventurous', 'unadvertised', + 'unadvised', 'unadvisedly', 'unaesthetic', 'unaffected', @@ -63491,11 +160576,28 @@ export const scrabble_array = [ 'unaffiliated', 'unaffluent', 'unaffordable', + 'unafraid', + 'unaged', + 'unageing', 'unaggressive', + 'unagile', + 'unaging', + 'unai', + 'unaided', + 'unaimed', + 'unaired', + 'unais', + 'unakin', + 'unakite', + 'unakites', 'unalienable', 'unalienated', + 'unaligned', + 'unalike', 'unalleviated', + 'unallied', 'unallocated', + 'unalloyed', 'unalluring', 'unalterabilities', 'unalterability', @@ -63503,20 +160605,30 @@ export const scrabble_array = [ 'unalterableness', 'unalterablenesses', 'unalterably', + 'unaltered', 'unambiguous', 'unambiguously', 'unambitious', 'unambivalent', 'unambivalently', 'unamenable', + 'unamended', + 'unamiable', 'unamortized', 'unamplified', + 'unamused', + 'unamusing', 'unanalyzable', 'unanalyzed', + 'unanchor', 'unanchored', 'unanchoring', + 'unanchors', + 'unaneled', 'unanesthetized', 'unanimities', + 'unanimity', + 'unanimous', 'unanimously', 'unannotated', 'unannounced', @@ -63549,13 +160661,26 @@ export const scrabble_array = [ 'unapproachably', 'unappropriated', 'unapproved', + 'unapt', + 'unaptly', + 'unaptness', 'unaptnesses', 'unarguable', 'unarguably', + 'unargued', + 'unarm', + 'unarmed', + 'unarming', + 'unarmored', + 'unarms', 'unarrogant', + 'unartful', 'unarticulated', 'unartistic', + 'unary', + 'unashamed', 'unashamedly', + 'unasked', 'unaspirated', 'unassailabilities', 'unassailability', @@ -63578,6 +160703,7 @@ export const scrabble_array = [ 'unassumingness', 'unassumingnesses', 'unathletic', + 'unatoned', 'unattached', 'unattainable', 'unattended', @@ -63589,6 +160715,10 @@ export const scrabble_array = [ 'unattractivenesses', 'unattributable', 'unattributed', + 'unattuned', + 'unau', + 'unaudited', + 'unaus', 'unauthentic', 'unauthorized', 'unautomated', @@ -63599,25 +160729,56 @@ export const scrabble_array = [ 'unavailingly', 'unavailingness', 'unavailingnesses', + 'unaverage', 'unavoidable', 'unavoidably', + 'unavowed', + 'unawaked', 'unawakened', + 'unawarded', + 'unaware', + 'unawarely', 'unawareness', 'unawarenesses', + 'unawares', + 'unawed', + 'unawesome', + 'unbacked', + 'unbaked', + 'unbalance', 'unbalanced', 'unbalances', 'unbalancing', 'unballasted', + 'unban', + 'unbandage', 'unbandaged', 'unbandages', 'unbandaging', + 'unbanned', + 'unbanning', + 'unbans', 'unbaptized', + 'unbar', + 'unbarbed', 'unbarbered', + 'unbarred', 'unbarricaded', + 'unbarring', + 'unbars', + 'unbased', + 'unbated', + 'unbathed', + 'unbe', + 'unbear', 'unbearable', 'unbearably', + 'unbeared', + 'unbearing', + 'unbears', 'unbeatable', 'unbeatably', + 'unbeaten', 'unbeautiful', 'unbeautifully', 'unbecoming', @@ -63625,7 +160786,10 @@ export const scrabble_array = [ 'unbecomingness', 'unbecomingnesses', 'unbeholden', + 'unbeknown', 'unbeknownst', + 'unbelief', + 'unbeliefs', 'unbelievable', 'unbelievably', 'unbeliever', @@ -63633,75 +160797,201 @@ export const scrabble_array = [ 'unbelieving', 'unbelievingly', 'unbelligerent', + 'unbeloved', + 'unbelt', + 'unbelted', + 'unbelting', + 'unbelts', + 'unbemused', + 'unbend', 'unbendable', + 'unbended', + 'unbending', + 'unbends', + 'unbenign', + 'unbent', 'unbeseeming', + 'unbiased', 'unbiasedness', 'unbiasednesses', 'unbiblical', + 'unbid', + 'unbidden', + 'unbilled', + 'unbind', + 'unbinding', + 'unbinds', + 'unbitted', + 'unbitten', + 'unbitter', + 'unblamed', 'unbleached', 'unblemished', 'unblenched', + 'unblended', + 'unblessed', + 'unblest', + 'unblinded', 'unblinking', 'unblinkingly', + 'unblock', + 'unblocked', 'unblocking', + 'unblocks', + 'unblooded', 'unbloodied', + 'unbloody', 'unblushing', 'unblushingly', + 'unbodied', + 'unbolt', + 'unbolted', + 'unbolting', + 'unbolts', + 'unboned', + 'unbonnet', 'unbonneted', 'unbonneting', + 'unbonnets', + 'unbookish', + 'unborn', + 'unbosom', + 'unbosomed', 'unbosoming', + 'unbosoms', + 'unbought', + 'unbouncy', + 'unbound', + 'unbounded', 'unboundedness', 'unboundednesses', 'unbowdlerized', + 'unbowed', + 'unbox', + 'unboxed', + 'unboxes', + 'unboxing', + 'unbrace', + 'unbraced', + 'unbraces', + 'unbracing', 'unbracketed', + 'unbraid', + 'unbraided', 'unbraiding', + 'unbraids', + 'unbrake', + 'unbraked', + 'unbrakes', + 'unbraking', 'unbranched', + 'unbranded', 'unbreachable', 'unbreakable', 'unbreathable', + 'unbred', + 'unbreech', 'unbreeched', 'unbreeches', 'unbreeching', 'unbridgeable', + 'unbridged', + 'unbridle', + 'unbridled', + 'unbridles', 'unbridling', + 'unbriefed', + 'unbright', 'unbrilliant', + 'unbroke', + 'unbroken', + 'unbruised', + 'unbrushed', + 'unbuckle', + 'unbuckled', + 'unbuckles', 'unbuckling', 'unbudgeable', 'unbudgeably', 'unbudgeted', + 'unbudging', 'unbudgingly', 'unbuffered', + 'unbuild', 'unbuildable', 'unbuilding', + 'unbuilds', + 'unbuilt', + 'unbulky', + 'unbundle', + 'unbundled', + 'unbundles', 'unbundling', + 'unburden', 'unburdened', 'unburdening', + 'unburdens', 'unbureaucratic', + 'unburied', 'unburnable', + 'unburned', + 'unburnt', 'unbusinesslike', + 'unbusted', + 'unbusy', 'unbuttered', + 'unbutton', 'unbuttoned', 'unbuttoning', + 'unbuttons', + 'uncage', + 'uncaged', + 'uncages', + 'uncaging', + 'uncake', + 'uncaked', + 'uncakes', + 'uncaking', 'uncalcified', 'uncalcined', 'uncalculated', 'uncalculating', 'uncalibrated', + 'uncalled', 'uncalloused', 'uncanceled', + 'uncandid', 'uncandidly', + 'uncannier', 'uncanniest', + 'uncannily', 'uncanniness', 'uncanninesses', + 'uncanny', 'uncanonical', + 'uncap', 'uncapitalized', + 'uncapped', + 'uncapping', + 'uncaps', 'uncaptioned', 'uncapturable', + 'uncaring', 'uncarpeted', + 'uncase', + 'uncased', + 'uncases', + 'uncashed', + 'uncasing', + 'uncasked', 'uncastrated', 'uncataloged', 'uncatchable', + 'uncatchy', 'uncategorizable', + 'uncaught', + 'uncaused', + 'unceasing', 'unceasingly', 'uncelebrated', 'uncensored', @@ -63711,22 +161001,28 @@ export const scrabble_array = [ 'unceremoniously', 'unceremoniousness', 'unceremoniousnesses', + 'uncertain', 'uncertainly', 'uncertainness', 'uncertainnesses', 'uncertainties', 'uncertainty', 'uncertified', + 'unchain', + 'unchained', 'unchaining', + 'unchains', 'unchallengeable', 'unchallenged', 'unchallenging', + 'unchancy', 'unchangeabilities', 'unchangeability', 'unchangeable', 'unchangeableness', 'unchangeablenesses', 'unchangeably', + 'unchanged', 'unchanging', 'unchangingly', 'unchangingness', @@ -63735,6 +161031,9 @@ export const scrabble_array = [ 'unchaperoned', 'uncharacteristic', 'uncharacteristically', + 'uncharge', + 'uncharged', + 'uncharges', 'uncharging', 'uncharismatic', 'uncharitable', @@ -63742,7 +161041,10 @@ export const scrabble_array = [ 'uncharitablenesses', 'uncharitably', 'uncharming', + 'uncharted', 'unchartered', + 'unchary', + 'unchaste', 'unchastely', 'unchasteness', 'unchastenesses', @@ -63750,80 +161052,167 @@ export const scrabble_array = [ 'unchastity', 'unchauvinistic', 'uncheckable', + 'unchecked', 'unchewable', + 'unchewed', + 'unchic', + 'unchicly', 'unchildlike', 'unchivalrous', 'unchivalrously', 'unchlorinated', + 'unchoke', + 'unchoked', + 'unchokes', + 'unchoking', 'unchoreographed', + 'unchosen', 'unchristened', 'unchristian', 'unchronicled', 'unchronological', + 'unchurch', 'unchurched', 'unchurches', 'unchurching', 'unchurchly', + 'unci', + 'uncia', + 'unciae', + 'uncial', + 'uncially', + 'uncials', + 'unciform', + 'unciforms', 'unciliated', + 'uncinal', 'uncinariases', 'uncinariasis', + 'uncinate', 'uncinematic', + 'uncini', + 'uncinus', 'uncirculated', 'uncircumcised', 'uncircumcision', 'uncircumcisions', + 'uncivil', 'uncivilized', + 'uncivilly', + 'unclad', + 'unclaimed', + 'unclamp', + 'unclamped', 'unclamping', + 'unclamps', 'unclarified', 'unclarities', + 'unclarity', + 'unclasp', + 'unclasped', 'unclasping', + 'unclasps', 'unclassical', 'unclassifiable', 'unclassified', + 'uncle', + 'unclean', + 'uncleaned', + 'uncleaner', 'uncleanest', 'uncleanliness', 'uncleanlinesses', + 'uncleanly', 'uncleanness', 'uncleannesses', + 'unclear', + 'unclearer', 'unclearest', + 'unclench', 'unclenched', 'unclenches', 'unclenching', + 'uncles', + 'uncliched', 'unclimbable', 'unclimbableness', 'unclimbablenesses', + 'unclinch', 'unclinched', 'unclinches', 'unclinching', + 'unclip', + 'unclipped', 'unclipping', + 'unclips', + 'uncloak', + 'uncloaked', 'uncloaking', + 'uncloaks', + 'unclog', + 'unclogged', 'unclogging', + 'unclogs', + 'unclose', + 'unclosed', + 'uncloses', + 'unclosing', + 'unclothe', + 'unclothed', + 'unclothes', 'unclothing', + 'uncloud', + 'unclouded', 'uncloudedly', 'unclouding', + 'unclouds', + 'uncloyed', + 'uncloying', 'unclubbable', + 'unclutter', 'uncluttered', 'uncluttering', 'unclutters', + 'unco', 'uncoalesce', 'uncoalesced', 'uncoalesces', 'uncoalescing', + 'uncoated', + 'uncoating', + 'uncock', + 'uncocked', + 'uncocking', + 'uncocks', + 'uncoded', 'uncodified', + 'uncoerced', 'uncoercive', 'uncoercively', + 'uncoffin', 'uncoffined', 'uncoffining', + 'uncoffins', + 'uncoil', + 'uncoiled', + 'uncoiling', + 'uncoils', + 'uncoined', 'uncollected', 'uncollectible', 'uncollectibles', + 'uncolored', 'uncombative', + 'uncombed', 'uncombined', + 'uncomely', 'uncomfortable', 'uncomfortably', + 'uncomic', 'uncommercial', 'uncommercialized', 'uncommitted', + 'uncommon', 'uncommoner', 'uncommonest', 'uncommonly', @@ -63855,6 +161244,7 @@ export const scrabble_array = [ 'uncomputerized', 'unconcealed', 'unconceivable', + 'unconcern', 'unconcerned', 'unconcernedly', 'unconcernedness', @@ -63871,6 +161261,7 @@ export const scrabble_array = [ 'unconformities', 'unconformity', 'unconfounded', + 'unconfuse', 'unconfused', 'unconfuses', 'unconfusing', @@ -63935,22 +161326,51 @@ export const scrabble_array = [ 'unconvincingness', 'unconvincingnesses', 'unconvoyed', + 'uncooked', + 'uncool', + 'uncooled', 'uncooperative', 'uncoordinated', 'uncopyrightable', + 'uncork', + 'uncorked', + 'uncorking', + 'uncorks', 'uncorrectable', 'uncorrected', 'uncorrelated', 'uncorroborated', + 'uncorrupt', 'uncorseted', + 'uncos', 'uncountable', + 'uncounted', + 'uncouple', + 'uncoupled', + 'uncoupler', 'uncouplers', + 'uncouples', 'uncoupling', 'uncourageous', + 'uncouth', + 'uncouthly', 'uncouthness', 'uncouthnesses', 'uncovenanted', + 'uncover', + 'uncovered', 'uncovering', + 'uncovers', + 'uncoy', + 'uncracked', + 'uncrate', + 'uncrated', + 'uncrates', + 'uncrating', + 'uncrazy', + 'uncreate', + 'uncreated', + 'uncreates', 'uncreating', 'uncreative', 'uncredentialed', @@ -63958,53 +161378,99 @@ export const scrabble_array = [ 'uncrippled', 'uncritical', 'uncritically', + 'uncropped', + 'uncross', 'uncrossable', + 'uncrossed', + 'uncrosses', 'uncrossing', + 'uncrowded', + 'uncrown', + 'uncrowned', 'uncrowning', + 'uncrowns', + 'uncrumple', 'uncrumpled', 'uncrumples', 'uncrumpling', 'uncrushable', 'uncrystallized', + 'unction', + 'unctions', + 'unctuous', 'unctuously', 'unctuousness', 'unctuousnesses', + 'uncuff', + 'uncuffed', + 'uncuffing', + 'uncuffs', 'uncultivable', 'uncultivated', 'uncultured', + 'uncurb', + 'uncurbed', + 'uncurbing', + 'uncurbs', + 'uncured', + 'uncurious', + 'uncurl', + 'uncurled', + 'uncurling', + 'uncurls', + 'uncurrent', + 'uncursed', 'uncurtained', + 'uncus', 'uncustomarily', 'uncustomary', + 'uncut', + 'uncute', + 'uncynical', 'uncynically', + 'undamaged', + 'undamped', 'undanceable', + 'undaring', + 'undated', 'undauntable', + 'undaunted', 'undauntedly', + 'unde', + 'undead', 'undebatable', 'undebatably', 'undecadent', + 'undeceive', 'undeceived', 'undeceives', 'undeceiving', 'undecidabilities', 'undecidability', 'undecidable', + 'undecided', 'undecideds', 'undecillion', 'undecillions', 'undecipherable', 'undeciphered', + 'undecked', 'undeclared', 'undecomposed', 'undecorated', 'undedicated', + 'undee', 'undefeated', 'undefended', + 'undefiled', 'undefinable', + 'undefined', 'undefoliated', 'undeformed', 'undelegated', 'undeliverable', 'undelivered', + 'undeluded', 'undemanding', 'undemocratic', 'undemocratically', @@ -64016,8 +161482,10 @@ export const scrabble_array = [ 'undeniableness', 'undeniablenesses', 'undeniably', + 'undenied', 'undenominational', 'undependable', + 'under', 'underachieve', 'underachieved', 'underachievement', @@ -64026,28 +161494,46 @@ export const scrabble_array = [ 'underachievers', 'underachieves', 'underachieving', + 'underact', 'underacted', 'underacting', 'underactive', 'underactivities', 'underactivity', + 'underacts', + 'underage', + 'underages', 'underappreciated', + 'underarm', + 'underarms', + 'underate', 'underbellies', 'underbelly', + 'underbid', 'underbidder', 'underbidders', 'underbidding', + 'underbids', 'underbodies', + 'underbody', + 'underboss', 'underbosses', 'underbought', + 'underbred', + 'underbrim', 'underbrims', 'underbrush', 'underbrushes', + 'underbud', 'underbudded', 'underbudding', 'underbudgeted', + 'underbuds', + 'underbuy', 'underbuying', + 'underbuys', 'undercapitalized', + 'undercard', 'undercards', 'undercarriage', 'undercarriages', @@ -64062,9 +161548,11 @@ export const scrabble_array = [ 'underclothes', 'underclothing', 'underclothings', + 'undercoat', 'undercoating', 'undercoatings', 'undercoats', + 'undercool', 'undercooled', 'undercooling', 'undercools', @@ -64077,14 +161565,24 @@ export const scrabble_array = [ 'undercrofts', 'undercurrent', 'undercurrents', + 'undercut', + 'undercuts', 'undercutting', 'underdeveloped', 'underdevelopment', 'underdevelopments', + 'underdid', + 'underdo', + 'underdoes', + 'underdog', + 'underdogs', 'underdoing', + 'underdone', 'underdrawers', + 'undereat', 'undereaten', 'undereating', + 'undereats', 'undereducated', 'underemphases', 'underemphasis', @@ -64107,20 +161605,34 @@ export const scrabble_array = [ 'underexposing', 'underexposure', 'underexposures', + 'underfed', + 'underfeed', 'underfeeding', 'underfeeds', 'underfinanced', + 'underfoot', + 'underfund', 'underfunded', 'underfunding', 'underfunds', + 'underfur', + 'underfurs', 'undergarment', 'undergarments', + 'undergird', 'undergirded', 'undergirding', 'undergirds', + 'undergirt', 'underglaze', 'underglazes', + 'undergo', + 'undergod', + 'undergods', + 'undergoes', 'undergoing', + 'undergone', + 'undergrad', 'undergrads', 'undergraduate', 'undergraduates', @@ -64130,6 +161642,7 @@ export const scrabble_array = [ 'undergrounds', 'undergrowth', 'undergrowths', + 'underhand', 'underhanded', 'underhandedly', 'underhandedness', @@ -64140,42 +161653,70 @@ export const scrabble_array = [ 'underinsured', 'underinvestment', 'underinvestments', + 'underjaw', + 'underjaws', + 'underlaid', + 'underlain', + 'underlap', 'underlapped', 'underlapping', + 'underlaps', + 'underlay', 'underlaying', 'underlayment', 'underlayments', + 'underlays', + 'underlet', + 'underlets', 'underletting', + 'underlie', + 'underlies', + 'underline', 'underlined', 'underlines', + 'underling', 'underlings', 'underlining', + 'underlip', + 'underlips', + 'underlit', 'underlying', 'underlyingly', 'undermanned', + 'undermine', 'undermined', 'undermines', 'undermining', + 'undermost', 'underneath', 'undernourished', 'undernourishment', 'undernourishments', 'undernutrition', 'undernutritions', + 'underpaid', 'underpainting', 'underpaintings', 'underpants', + 'underpart', 'underparts', + 'underpass', 'underpasses', + 'underpay', 'underpaying', 'underpayment', 'underpayments', + 'underpays', + 'underpin', 'underpinned', 'underpinning', 'underpinnings', + 'underpins', + 'underplay', 'underplayed', 'underplaying', 'underplays', + 'underplot', 'underplots', 'underpopulated', 'underpowered', @@ -64190,6 +161731,8 @@ export const scrabble_array = [ 'underproof', 'underpublicized', 'underqualified', + 'underran', + 'underrate', 'underrated', 'underrates', 'underrating', @@ -64204,17 +161747,24 @@ export const scrabble_array = [ 'underrepresentation', 'underrepresentations', 'underrepresented', + 'underrun', 'underrunning', + 'underruns', 'undersaturated', 'underscore', 'underscored', 'underscores', 'underscoring', + 'undersea', + 'underseas', 'undersecretaries', 'undersecretary', + 'undersell', 'underselling', 'undersells', 'underserved', + 'underset', + 'undersets', 'undersexed', 'undersheriff', 'undersheriffs', @@ -64225,14 +161775,19 @@ export const scrabble_array = [ 'undershooting', 'undershoots', 'undershorts', + 'undershot', 'undershrub', 'undershrubs', + 'underside', 'undersides', 'undersigned', + 'undersize', 'undersized', 'underskirt', 'underskirts', 'underslung', + 'undersold', + 'underspin', 'underspins', 'understaffed', 'understaffing', @@ -64271,12 +161826,14 @@ export const scrabble_array = [ 'undersupply', 'undersurface', 'undersurfaces', + 'undertake', 'undertaken', 'undertaker', 'undertakers', 'undertakes', 'undertaking', 'undertakings', + 'undertax', 'undertaxed', 'undertaxes', 'undertaxing', @@ -64285,9 +161842,14 @@ export const scrabble_array = [ 'underthrust', 'underthrusting', 'underthrusts', + 'undertone', 'undertones', + 'undertook', + 'undertow', + 'undertows', 'undertrick', 'undertricks', + 'underused', 'underutilization', 'underutilizations', 'underutilize', @@ -64301,14 +161863,20 @@ export const scrabble_array = [ 'undervalues', 'undervaluing', 'underwater', + 'underway', + 'underwear', 'underweight', 'underweights', + 'underwent', 'underwhelm', 'underwhelmed', 'underwhelming', 'underwhelms', + 'underwing', 'underwings', + 'underwood', 'underwoods', + 'underwool', 'underwools', 'underworld', 'underworlds', @@ -64332,6 +161900,7 @@ export const scrabble_array = [ 'undesirablenesses', 'undesirables', 'undesirably', + 'undesired', 'undetectable', 'undetected', 'undeterminable', @@ -64340,15 +161909,22 @@ export const scrabble_array = [ 'undeveloped', 'undeviating', 'undeviatingly', + 'undevout', 'undiagnosable', 'undiagnosed', 'undialectical', + 'undid', 'undidactic', + 'undies', 'undifferentiated', 'undigested', 'undigestible', 'undignified', + 'undiluted', 'undiminished', + 'undimmed', + 'undine', + 'undines', 'undiplomatic', 'undiplomatically', 'undirected', @@ -64372,45 +161948,114 @@ export const scrabble_array = [ 'undistracted', 'undistributed', 'undisturbed', + 'undivided', + 'undo', + 'undoable', + 'undocile', + 'undock', + 'undocked', + 'undocking', + 'undocks', 'undoctored', 'undoctrinaire', 'undocumented', + 'undoer', + 'undoers', + 'undoes', 'undogmatic', 'undogmatically', + 'undoing', + 'undoings', 'undomestic', 'undomesticated', + 'undone', + 'undotted', + 'undouble', + 'undoubled', + 'undoubles', 'undoubling', 'undoubtable', + 'undoubted', 'undoubtedly', 'undoubting', + 'undrained', 'undramatic', 'undramatically', 'undramatized', + 'undrape', + 'undraped', + 'undrapes', + 'undraping', + 'undraw', + 'undrawing', + 'undrawn', + 'undraws', + 'undreamed', + 'undreamt', + 'undress', + 'undressed', + 'undresses', 'undressing', + 'undrest', + 'undrew', + 'undried', + 'undrilled', 'undrinkable', + 'undrunk', + 'undubbed', + 'undue', + 'undulant', + 'undular', + 'undulate', + 'undulated', + 'undulates', 'undulating', 'undulation', 'undulations', 'undulatory', + 'undulled', + 'unduly', 'unduplicated', + 'undutiful', 'undutifully', 'undutifulness', 'undutifulnesses', + 'undy', + 'undyed', + 'undying', + 'undynamic', + 'uneager', 'unearmarked', + 'unearned', + 'unearth', + 'unearthed', 'unearthing', 'unearthliness', 'unearthlinesses', + 'unearthly', + 'unearths', + 'unease', + 'uneases', + 'uneasier', + 'uneasiest', + 'uneasily', 'uneasiness', 'uneasinesses', + 'uneasy', + 'uneatable', + 'uneaten', 'uneccentric', 'unecological', 'uneconomic', 'uneconomical', + 'unedible', 'unedifying', + 'unedited', 'uneducable', 'uneducated', 'unelaborate', 'unelectable', + 'unelected', 'unelectrified', 'unembarrassed', 'unembellished', @@ -64433,6 +162078,8 @@ export const scrabble_array = [ 'unencouraging', 'unencumbered', 'unendearing', + 'unended', + 'unending', 'unendingly', 'unendurable', 'unendurableness', @@ -64448,22 +162095,38 @@ export const scrabble_array = [ 'unenthusiastic', 'unenthusiastically', 'unenviable', + 'unenvied', + 'unenvious', + 'unequal', + 'unequaled', 'unequalled', + 'unequally', + 'unequals', 'unequipped', 'unequivocably', 'unequivocal', 'unequivocally', + 'unerased', + 'unerotic', + 'unerring', 'unerringly', 'unescapable', 'unessential', 'unestablished', + 'unethical', + 'unevaded', 'unevaluated', + 'uneven', + 'unevener', + 'unevenest', + 'unevenly', 'unevenness', 'unevennesses', 'uneventful', 'uneventfully', 'uneventfulness', 'uneventfulnesses', + 'unevolved', 'unexamined', 'unexampled', 'unexcelled', @@ -64473,30 +162136,47 @@ export const scrabble_array = [ 'unexceptionably', 'unexceptional', 'unexcitable', + 'unexcited', 'unexciting', + 'unexcused', 'unexercised', + 'unexotic', 'unexpected', 'unexpectedly', 'unexpectedness', 'unexpectednesses', 'unexpended', + 'unexpert', + 'unexpired', 'unexplainable', 'unexplained', 'unexploded', 'unexploited', 'unexplored', + 'unexposed', 'unexpressed', 'unexpressive', 'unexpurgated', 'unextraordinary', + 'unfaded', + 'unfading', 'unfadingly', + 'unfailing', 'unfailingly', + 'unfair', + 'unfairer', + 'unfairest', + 'unfairly', 'unfairness', 'unfairnesses', + 'unfaith', 'unfaithful', 'unfaithfully', 'unfaithfulness', 'unfaithfulnesses', + 'unfaiths', + 'unfaked', + 'unfallen', 'unfalsifiable', 'unfaltering', 'unfalteringly', @@ -64504,12 +162184,16 @@ export const scrabble_array = [ 'unfamiliarities', 'unfamiliarity', 'unfamiliarly', + 'unfamous', + 'unfancy', 'unfashionable', 'unfashionableness', 'unfashionablenesses', 'unfashionably', + 'unfasten', 'unfastened', 'unfastening', + 'unfastens', 'unfastidious', 'unfathered', 'unfathomable', @@ -64518,21 +162202,50 @@ export const scrabble_array = [ 'unfavorablenesses', 'unfavorably', 'unfavorite', + 'unfazed', + 'unfeared', 'unfeasible', + 'unfed', + 'unfeeling', 'unfeelingly', 'unfeelingness', 'unfeelingnesses', + 'unfeigned', 'unfeignedly', + 'unfelt', 'unfeminine', + 'unfence', + 'unfenced', + 'unfences', + 'unfencing', 'unfermented', + 'unfertile', 'unfertilized', + 'unfetter', 'unfettered', 'unfettering', + 'unfetters', + 'unfilial', 'unfilially', + 'unfilled', + 'unfilmed', 'unfiltered', 'unfindable', 'unfinished', + 'unfired', + 'unfished', + 'unfit', + 'unfitly', + 'unfitness', 'unfitnesses', + 'unfits', + 'unfitted', + 'unfitting', + 'unfix', + 'unfixed', + 'unfixes', + 'unfixing', + 'unfixt', 'unflagging', 'unflaggingly', 'unflamboyant', @@ -64540,22 +162253,40 @@ export const scrabble_array = [ 'unflappability', 'unflappable', 'unflappably', + 'unflashy', 'unflattering', 'unflatteringly', + 'unfledged', + 'unflexed', 'unflinching', 'unflinchingly', + 'unflyable', + 'unfocused', 'unfocussed', + 'unfoiled', + 'unfold', + 'unfolded', + 'unfolder', + 'unfolders', + 'unfolding', 'unfoldment', 'unfoldments', + 'unfolds', + 'unfond', + 'unforced', 'unforeseeable', 'unforeseen', 'unforested', + 'unforged', 'unforgettable', 'unforgettably', 'unforgivable', 'unforgiving', 'unforgivingness', 'unforgivingnesses', + 'unforgot', + 'unforked', + 'unformed', 'unformulated', 'unforthcoming', 'unfortified', @@ -64563,7 +162294,18 @@ export const scrabble_array = [ 'unfortunately', 'unfortunates', 'unfossiliferous', + 'unfought', + 'unfound', + 'unfounded', + 'unframed', + 'unfree', + 'unfreed', + 'unfreedom', 'unfreedoms', + 'unfreeing', + 'unfrees', + 'unfreeze', + 'unfreezes', 'unfreezing', 'unfrequented', 'unfriended', @@ -64573,40 +162315,83 @@ export const scrabble_array = [ 'unfriendlinesses', 'unfriendly', 'unfrivolous', + 'unfrock', + 'unfrocked', 'unfrocking', + 'unfrocks', + 'unfroze', + 'unfrozen', 'unfruitful', 'unfruitfully', 'unfruitfulness', 'unfruitfulnesses', 'unfulfillable', 'unfulfilled', + 'unfunded', + 'unfunny', + 'unfurl', + 'unfurled', + 'unfurling', + 'unfurls', 'unfurnished', + 'unfused', + 'unfussily', + 'unfussy', 'ungainlier', 'ungainliest', 'ungainliness', 'ungainlinesses', + 'ungainly', + 'ungallant', 'ungallantly', + 'ungalled', 'ungarnished', 'ungenerosities', 'ungenerosity', 'ungenerous', 'ungenerously', + 'ungenial', + 'ungenteel', + 'ungentle', 'ungentlemanly', + 'ungently', 'ungentrified', 'ungerminated', + 'ungifted', 'ungimmicky', + 'ungird', + 'ungirded', + 'ungirding', + 'ungirds', + 'ungirt', 'unglamorized', 'unglamorous', + 'unglazed', + 'unglove', + 'ungloved', + 'ungloves', + 'ungloving', + 'unglue', + 'unglued', + 'unglues', + 'ungluing', + 'ungodlier', 'ungodliest', 'ungodliness', 'ungodlinesses', + 'ungodly', + 'ungot', + 'ungotten', 'ungovernable', + 'ungowned', + 'ungraced', 'ungraceful', 'ungracefully', 'ungracious', 'ungraciously', 'ungraciousness', 'ungraciousnesses', + 'ungraded', 'ungrammatical', 'ungrammaticalities', 'ungrammaticality', @@ -64615,59 +162400,172 @@ export const scrabble_array = [ 'ungratefully', 'ungratefulness', 'ungratefulnesses', + 'ungreedy', + 'unground', 'ungrounded', + 'ungrouped', 'ungrudging', + 'ungual', + 'unguard', + 'unguarded', 'unguardedly', 'unguardedness', 'unguardednesses', 'unguarding', + 'unguards', + 'unguent', + 'unguenta', + 'unguents', + 'unguentum', + 'ungues', 'unguessable', + 'unguided', + 'unguis', + 'ungula', + 'ungulae', + 'ungular', + 'ungulate', + 'ungulates', 'unhackneyed', + 'unhailed', + 'unhair', + 'unhaired', + 'unhairing', + 'unhairs', + 'unhallow', 'unhallowed', 'unhallowing', + 'unhallows', + 'unhalved', 'unhampered', + 'unhand', + 'unhanded', 'unhandicapped', + 'unhandier', 'unhandiest', + 'unhandily', 'unhandiness', 'unhandinesses', + 'unhanding', + 'unhands', 'unhandsome', 'unhandsomely', + 'unhandy', + 'unhang', + 'unhanged', + 'unhanging', + 'unhangs', + 'unhappier', 'unhappiest', + 'unhappily', 'unhappiness', 'unhappinesses', + 'unhappy', + 'unharmed', + 'unharness', 'unharnessed', 'unharnesses', 'unharnessing', 'unharvested', + 'unhasty', + 'unhat', + 'unhatched', + 'unhats', + 'unhatted', + 'unhatting', + 'unhealed', 'unhealthful', 'unhealthier', 'unhealthiest', 'unhealthily', 'unhealthiness', 'unhealthinesses', + 'unhealthy', + 'unheard', + 'unheated', + 'unhedged', + 'unheeded', + 'unheeding', + 'unhelm', + 'unhelmed', + 'unhelming', + 'unhelms', + 'unhelped', + 'unhelpful', 'unhelpfully', 'unheralded', + 'unheroic', 'unhesitating', 'unhesitatingly', + 'unhewn', 'unhindered', + 'unhinge', + 'unhinged', + 'unhinges', + 'unhinging', + 'unhip', + 'unhired', 'unhistorical', + 'unhitch', + 'unhitched', + 'unhitches', 'unhitching', + 'unholier', + 'unholiest', + 'unholily', 'unholiness', 'unholinesses', + 'unholy', 'unhomogenized', + 'unhonored', + 'unhood', + 'unhooded', + 'unhooding', + 'unhoods', + 'unhook', + 'unhooked', + 'unhooking', + 'unhooks', + 'unhoped', + 'unhopeful', + 'unhorse', + 'unhorsed', + 'unhorses', + 'unhorsing', + 'unhouse', + 'unhoused', 'unhouseled', + 'unhouses', + 'unhousing', + 'unhuman', 'unhumorous', + 'unhung', + 'unhurried', 'unhurriedly', + 'unhurt', + 'unhusk', + 'unhusked', + 'unhusking', + 'unhusks', 'unhydrolyzed', 'unhygienic', 'unhyphenated', 'unhysterical', 'unhysterically', + 'unialgal', + 'uniaxial', 'unicameral', 'unicamerally', 'unicellular', + 'unicolor', + 'unicorn', + 'unicorns', + 'unicycle', + 'unicycles', 'unicyclist', 'unicyclists', + 'unideaed', + 'unideal', 'unidentifiable', 'unidentified', 'unideological', @@ -64677,10 +162575,22 @@ export const scrabble_array = [ 'unidiomatic', 'unidirectional', 'unidirectionally', + 'uniface', + 'unifaces', + 'unifiable', + 'unific', 'unification', 'unifications', + 'unified', + 'unifier', + 'unifiers', + 'unifies', + 'unifilar', 'unifoliate', 'unifoliolate', + 'uniform', + 'uniformed', + 'uniformer', 'uniformest', 'uniforming', 'uniformitarian', @@ -64689,24 +162599,33 @@ export const scrabble_array = [ 'uniformitarians', 'uniformities', 'uniformity', + 'uniformly', 'uniformness', 'uniformnesses', + 'uniforms', + 'unify', + 'unifying', 'unignorable', 'unilateral', 'unilaterally', + 'unilineal', + 'unilinear', 'unilingual', 'unilluminating', 'unillusioned', + 'unilobed', 'unilocular', 'unimaginable', 'unimaginably', 'unimaginative', 'unimaginatively', + 'unimbued', 'unimmunized', 'unimpaired', 'unimpassioned', 'unimpeachable', 'unimpeachably', + 'unimpeded', 'unimplemented', 'unimportance', 'unimportances', @@ -64716,6 +162635,7 @@ export const scrabble_array = [ 'unimpressive', 'unimproved', 'unincorporated', + 'unindexed', 'unindicted', 'unindustrialized', 'uninfected', @@ -64735,6 +162655,7 @@ export const scrabble_array = [ 'uninitiate', 'uninitiated', 'uninitiates', + 'uninjured', 'uninoculated', 'uninspected', 'uninspired', @@ -64743,6 +162664,7 @@ export const scrabble_array = [ 'uninstructive', 'uninsulated', 'uninsurable', + 'uninsured', 'unintegrated', 'unintellectual', 'unintelligent', @@ -64765,30 +162687,90 @@ export const scrabble_array = [ 'unintimidated', 'uninucleate', 'uninventive', + 'uninvited', 'uninviting', 'uninvolved', + 'union', 'unionisation', 'unionisations', + 'unionise', + 'unionised', + 'unionises', 'unionising', + 'unionism', + 'unionisms', + 'unionist', + 'unionists', 'unionization', 'unionizations', + 'unionize', + 'unionized', + 'unionizes', 'unionizing', + 'unions', 'uniparental', 'uniparentally', + 'unipod', + 'unipods', + 'unipolar', + 'unique', + 'uniquely', 'uniqueness', 'uniquenesses', + 'uniquer', + 'uniques', + 'uniquest', + 'unironed', 'unironically', 'unirradiated', 'unirrigated', + 'unisex', + 'unisexes', + 'unisexual', 'unisexualities', 'unisexuality', + 'unison', + 'unisonal', + 'unisons', + 'unissued', + 'unit', + 'unitage', + 'unitages', + 'unitard', + 'unitards', + 'unitarian', 'unitarianism', 'unitarianisms', 'unitarians', + 'unitarily', + 'unitary', + 'unite', + 'united', + 'unitedly', + 'uniter', + 'uniters', + 'unites', + 'unities', + 'uniting', + 'unitive', 'unitization', 'unitizations', + 'unitize', + 'unitized', + 'unitizer', + 'unitizers', + 'unitizes', + 'unitizing', + 'unitrust', + 'unitrusts', + 'units', + 'unity', + 'univalent', 'univalents', + 'univalve', + 'univalves', 'univariate', + 'universal', 'universalism', 'universalisms', 'universalist', @@ -64806,133 +162788,360 @@ export const scrabble_array = [ 'universalness', 'universalnesses', 'universals', + 'universe', + 'universes', 'universities', 'university', + 'univocal', 'univocally', + 'univocals', + 'unjaded', + 'unjoined', + 'unjoint', + 'unjointed', 'unjointing', + 'unjoints', + 'unjoyful', + 'unjudged', + 'unjust', 'unjustifiable', 'unjustifiably', 'unjustified', + 'unjustly', 'unjustness', 'unjustnesses', + 'unkempt', + 'unkend', + 'unkenned', + 'unkennel', 'unkenneled', 'unkenneling', 'unkennelled', 'unkennelling', + 'unkennels', + 'unkent', + 'unkept', + 'unkind', + 'unkinder', + 'unkindest', 'unkindlier', 'unkindliest', 'unkindliness', 'unkindlinesses', + 'unkindly', 'unkindness', 'unkindnesses', + 'unkingly', + 'unkink', + 'unkinked', + 'unkinking', + 'unkinks', + 'unkissed', + 'unknit', + 'unknits', + 'unknitted', 'unknitting', + 'unknot', + 'unknots', + 'unknotted', 'unknotting', 'unknowabilities', 'unknowability', 'unknowable', + 'unknowing', 'unknowingly', 'unknowings', 'unknowledgeable', + 'unknown', + 'unknowns', + 'unkosher', + 'unlabeled', + 'unlace', + 'unlaced', + 'unlaces', + 'unlacing', + 'unlade', + 'unladed', + 'unladen', + 'unlades', + 'unlading', 'unladylike', + 'unlaid', 'unlamented', + 'unlash', + 'unlashed', + 'unlashes', + 'unlashing', + 'unlatch', + 'unlatched', + 'unlatches', 'unlatching', 'unlaundered', + 'unlawful', 'unlawfully', 'unlawfulness', 'unlawfulnesses', + 'unlay', + 'unlaying', + 'unlays', + 'unlead', + 'unleaded', + 'unleading', + 'unleads', + 'unlearn', 'unlearnable', + 'unlearned', 'unlearning', + 'unlearns', + 'unlearnt', + 'unleased', + 'unleash', + 'unleashed', + 'unleashes', 'unleashing', 'unleavened', + 'unled', + 'unless', + 'unlet', + 'unlethal', + 'unletted', 'unlettered', + 'unlevel', + 'unleveled', 'unleveling', 'unlevelled', 'unlevelling', + 'unlevels', + 'unlevied', 'unliberated', 'unlicensed', + 'unlicked', + 'unlikable', + 'unlike', 'unlikelier', 'unlikeliest', 'unlikelihood', 'unlikelihoods', 'unlikeliness', 'unlikelinesses', + 'unlikely', 'unlikeness', 'unlikenesses', + 'unlimber', 'unlimbered', 'unlimbering', + 'unlimbers', + 'unlimited', 'unlimitedly', + 'unlined', + 'unlink', + 'unlinked', + 'unlinking', + 'unlinks', + 'unlisted', 'unlistenable', + 'unlit', 'unliterary', + 'unlivable', + 'unlive', + 'unlived', + 'unlively', + 'unlives', + 'unliving', + 'unload', + 'unloaded', + 'unloader', + 'unloaders', + 'unloading', + 'unloads', + 'unlobed', 'unlocalized', + 'unlock', + 'unlocked', + 'unlocking', + 'unlocks', + 'unloose', + 'unloosed', + 'unloosen', 'unloosened', 'unloosening', + 'unloosens', + 'unlooses', + 'unloosing', + 'unlovable', + 'unloved', 'unlovelier', 'unloveliest', 'unloveliness', 'unlovelinesses', + 'unlovely', + 'unloving', + 'unluckier', 'unluckiest', + 'unluckily', 'unluckiness', 'unluckinesses', + 'unlucky', + 'unlyrical', + 'unmacho', + 'unmade', 'unmagnified', + 'unmake', + 'unmaker', + 'unmakers', + 'unmakes', + 'unmaking', 'unmalicious', 'unmaliciously', + 'unman', 'unmanageable', 'unmanageably', + 'unmanaged', + 'unmanful', 'unmanipulated', + 'unmanlier', 'unmanliest', 'unmanliness', 'unmanlinesses', + 'unmanly', + 'unmanned', 'unmannered', 'unmanneredly', 'unmannerliness', 'unmannerlinesses', 'unmannerly', + 'unmanning', + 'unmans', + 'unmapped', + 'unmarked', 'unmarketable', + 'unmarred', + 'unmarried', 'unmarrieds', 'unmasculine', + 'unmask', + 'unmasked', + 'unmasker', + 'unmaskers', + 'unmasking', + 'unmasks', 'unmatchable', + 'unmatched', + 'unmated', + 'unmatted', + 'unmeaning', + 'unmeant', 'unmeasurable', 'unmeasured', 'unmechanized', 'unmediated', 'unmedicated', + 'unmeet', + 'unmeetly', + 'unmellow', 'unmelodious', 'unmelodiousness', 'unmelodiousnesses', + 'unmelted', 'unmemorable', 'unmemorably', + 'unmended', 'unmentionable', 'unmentionables', 'unmentioned', 'unmerciful', 'unmercifully', + 'unmerited', + 'unmerry', + 'unmesh', + 'unmeshed', + 'unmeshes', + 'unmeshing', + 'unmet', 'unmetabolized', + 'unmew', + 'unmewed', + 'unmewing', + 'unmews', 'unmilitary', + 'unmilled', + 'unmindful', + 'unmined', + 'unmingle', + 'unmingled', + 'unmingles', 'unmingling', 'unmistakable', 'unmistakably', + 'unmiter', + 'unmitered', 'unmitering', + 'unmiters', 'unmitigated', 'unmitigatedly', 'unmitigatedness', 'unmitigatednesses', + 'unmitre', + 'unmitred', + 'unmitres', + 'unmitring', + 'unmix', + 'unmixable', + 'unmixed', + 'unmixes', + 'unmixing', + 'unmixt', 'unmodernized', 'unmodified', + 'unmodish', + 'unmold', + 'unmolded', + 'unmolding', + 'unmolds', 'unmolested', + 'unmolten', 'unmonitored', + 'unmoor', + 'unmoored', + 'unmooring', + 'unmoors', + 'unmoral', 'unmoralities', 'unmorality', 'unmotivated', + 'unmounted', + 'unmovable', + 'unmoved', + 'unmoving', + 'unmown', + 'unmuffle', + 'unmuffled', + 'unmuffles', 'unmuffling', + 'unmusical', + 'unmuzzle', + 'unmuzzled', + 'unmuzzles', 'unmuzzling', 'unmyelinated', + 'unnail', + 'unnailed', + 'unnailing', + 'unnails', 'unnameable', + 'unnamed', + 'unnatural', 'unnaturally', 'unnaturalness', 'unnaturalnesses', 'unnecessarily', 'unnecessary', + 'unneeded', 'unnegotiable', + 'unnerve', + 'unnerved', + 'unnerves', + 'unnerving', 'unnervingly', 'unneurotic', 'unnewsworthy', @@ -64942,7 +163151,10 @@ export const scrabble_array = [ 'unnilpentiums', 'unnilquadium', 'unnilquadiums', + 'unnoisy', + 'unnoted', 'unnoticeable', + 'unnoticed', 'unnourishing', 'unnumbered', 'unobjectionable', @@ -64958,17 +163170,34 @@ export const scrabble_array = [ 'unoccupied', 'unofficial', 'unofficially', + 'unoiled', + 'unopen', 'unopenable', + 'unopened', + 'unopposed', + 'unordered', 'unorganized', 'unoriginal', 'unornamented', + 'unornate', 'unorthodox', 'unorthodoxies', 'unorthodoxly', 'unorthodoxy', 'unostentatious', 'unostentatiously', + 'unowned', 'unoxygenated', + 'unpack', + 'unpacked', + 'unpacker', + 'unpackers', + 'unpacking', + 'unpacks', + 'unpaged', + 'unpaid', + 'unpainted', + 'unpaired', 'unpalatabilities', 'unpalatability', 'unpalatable', @@ -64977,36 +163206,90 @@ export const scrabble_array = [ 'unpardonable', 'unparented', 'unparliamentary', + 'unparted', 'unpassable', 'unpasteurized', 'unpastoral', 'unpatentable', 'unpatriotic', + 'unpaved', + 'unpaying', 'unpedantic', + 'unpeeled', + 'unpeg', + 'unpegged', + 'unpegging', + 'unpegs', + 'unpen', + 'unpenned', + 'unpenning', + 'unpens', + 'unpent', + 'unpeople', + 'unpeopled', + 'unpeoples', 'unpeopling', 'unperceived', 'unperceptive', + 'unperfect', 'unperformable', 'unperformed', + 'unperson', + 'unpersons', 'unpersuaded', 'unpersuasive', 'unperturbed', + 'unpick', + 'unpicked', + 'unpicking', + 'unpicks', 'unpicturesque', + 'unpile', + 'unpiled', + 'unpiles', + 'unpiling', + 'unpin', + 'unpinned', + 'unpinning', + 'unpins', + 'unpitied', + 'unplaced', + 'unplait', + 'unplaited', 'unplaiting', + 'unplaits', + 'unplanned', 'unplausible', 'unplayable', + 'unplayed', 'unpleasant', 'unpleasantly', 'unpleasantness', 'unpleasantnesses', + 'unpleased', 'unpleasing', + 'unpliant', + 'unplowed', + 'unplug', + 'unplugged', 'unplugging', + 'unplugs', + 'unplumbed', + 'unpoetic', + 'unpoised', 'unpolarized', + 'unpoliced', 'unpolished', + 'unpolite', 'unpolitical', + 'unpolled', 'unpolluted', + 'unpopular', 'unpopularities', 'unpopularity', + 'unposed', + 'unposted', + 'unpotted', 'unpractical', 'unprecedented', 'unprecedentedly', @@ -65022,6 +163305,7 @@ export const scrabble_array = [ 'unpreparedness', 'unpreparednesses', 'unprepossessing', + 'unpressed', 'unpressured', 'unpressurized', 'unpretending', @@ -65029,11 +163313,16 @@ export const scrabble_array = [ 'unpretentiously', 'unpretentiousness', 'unpretentiousnesses', + 'unpretty', + 'unpriced', + 'unprimed', 'unprincipled', 'unprincipledness', 'unprinciplednesses', 'unprintable', 'unprivileged', + 'unprized', + 'unprobed', 'unproblematic', 'unprocessed', 'unproduced', @@ -65058,17 +163347,27 @@ export const scrabble_array = [ 'unprosperous', 'unprotected', 'unprovable', + 'unproved', + 'unproven', 'unprovoked', + 'unpruned', 'unpublicized', 'unpublishable', 'unpublished', + 'unpucker', 'unpuckered', 'unpuckering', + 'unpuckers', 'unpunctual', 'unpunctualities', 'unpunctuality', 'unpunctuated', 'unpunished', + 'unpure', + 'unpurged', + 'unpuzzle', + 'unpuzzled', + 'unpuzzles', 'unpuzzling', 'unqualified', 'unqualifiedly', @@ -65079,23 +163378,47 @@ export const scrabble_array = [ 'unquestioned', 'unquestioning', 'unquestioningly', + 'unquiet', + 'unquieter', 'unquietest', + 'unquietly', 'unquietness', 'unquietnesses', + 'unquiets', + 'unquote', + 'unquoted', + 'unquotes', + 'unquoting', + 'unraised', + 'unraked', + 'unranked', + 'unrated', + 'unravel', + 'unraveled', 'unraveling', 'unravelled', 'unravelling', + 'unravels', 'unravished', + 'unrazed', 'unreachable', + 'unreached', + 'unread', 'unreadable', + 'unreadier', 'unreadiest', 'unreadiness', 'unreadinesses', + 'unready', + 'unreal', 'unrealistic', 'unrealistically', 'unrealities', + 'unreality', 'unrealizable', 'unrealized', + 'unreally', + 'unreason', 'unreasonable', 'unreasonableness', 'unreasonablenesses', @@ -65103,6 +163426,7 @@ export const scrabble_array = [ 'unreasoned', 'unreasoning', 'unreasoningly', + 'unreasons', 'unreceptive', 'unreclaimable', 'unreclaimed', @@ -65119,6 +163443,17 @@ export const scrabble_array = [ 'unredeemable', 'unredeemed', 'unredressed', + 'unreel', + 'unreeled', + 'unreeler', + 'unreelers', + 'unreeling', + 'unreels', + 'unreeve', + 'unreeved', + 'unreeves', + 'unreeving', + 'unrefined', 'unreflective', 'unreformed', 'unrefrigerated', @@ -65128,6 +163463,8 @@ export const scrabble_array = [ 'unregulated', 'unrehearsed', 'unreinforced', + 'unrelated', + 'unrelaxed', 'unrelenting', 'unrelentingly', 'unreliabilities', @@ -65146,6 +163483,11 @@ export const scrabble_array = [ 'unremittingly', 'unremorseful', 'unremovable', + 'unrent', + 'unrented', + 'unrepaid', + 'unrepair', + 'unrepairs', 'unrepeatable', 'unrepentant', 'unrepentantly', @@ -65156,6 +163498,7 @@ export const scrabble_array = [ 'unrepresented', 'unrepressed', 'unrequited', + 'unreserve', 'unreserved', 'unreservedly', 'unreservedness', @@ -65170,6 +163513,9 @@ export const scrabble_array = [ 'unresponsively', 'unresponsiveness', 'unresponsivenesses', + 'unrest', + 'unrested', + 'unrestful', 'unrestored', 'unrestrained', 'unrestrainedly', @@ -65178,36 +163524,102 @@ export const scrabble_array = [ 'unrestraint', 'unrestraints', 'unrestricted', + 'unrests', 'unretouched', 'unreturnable', 'unrevealed', 'unreviewable', 'unreviewed', + 'unrevised', 'unrevolutionary', 'unrewarded', 'unrewarding', 'unrhetorical', + 'unrhymed', 'unrhythmic', + 'unridable', + 'unriddle', + 'unriddled', + 'unriddles', 'unriddling', + 'unrifled', + 'unrig', + 'unrigged', + 'unrigging', 'unrighteous', 'unrighteously', 'unrighteousness', 'unrighteousnesses', + 'unrigs', + 'unrimed', + 'unrinsed', + 'unrip', + 'unripe', + 'unripely', + 'unripened', 'unripeness', 'unripenesses', + 'unriper', + 'unripest', + 'unripped', + 'unripping', + 'unrips', + 'unrisen', + 'unrivaled', 'unrivalled', + 'unrobe', + 'unrobed', + 'unrobes', + 'unrobing', + 'unroll', + 'unrolled', + 'unrolling', + 'unrolls', 'unromantic', 'unromantically', 'unromanticized', + 'unroof', + 'unroofed', + 'unroofing', + 'unroofs', + 'unroot', + 'unrooted', + 'unrooting', + 'unroots', + 'unroped', + 'unrough', + 'unround', + 'unrounded', 'unrounding', + 'unrounds', + 'unrove', + 'unroven', + 'unruffled', + 'unruled', + 'unrulier', + 'unruliest', 'unruliness', 'unrulinesses', + 'unruly', + 'unrushed', + 'unrusted', + 'uns', + 'unsaddle', + 'unsaddled', + 'unsaddles', 'unsaddling', + 'unsafe', + 'unsafely', 'unsafeties', + 'unsafety', + 'unsaid', + 'unsalable', 'unsalaried', + 'unsalted', 'unsalvageable', 'unsanctioned', 'unsanitary', + 'unsated', 'unsatisfactorily', 'unsatisfactoriness', 'unsatisfactorinesses', @@ -65217,7 +163629,19 @@ export const scrabble_array = [ 'unsaturate', 'unsaturated', 'unsaturates', + 'unsaved', + 'unsavory', + 'unsawed', + 'unsawn', + 'unsay', + 'unsayable', + 'unsaying', + 'unsays', 'unscalable', + 'unscaled', + 'unscarred', + 'unscathed', + 'unscented', 'unscheduled', 'unscholarly', 'unschooled', @@ -65230,111 +163654,259 @@ export const scrabble_array = [ 'unscrambles', 'unscrambling', 'unscreened', + 'unscrew', + 'unscrewed', 'unscrewing', + 'unscrews', 'unscripted', 'unscriptural', 'unscrupulous', 'unscrupulously', 'unscrupulousness', 'unscrupulousnesses', + 'unseal', + 'unsealed', + 'unsealing', + 'unseals', + 'unseam', + 'unseamed', + 'unseaming', + 'unseams', 'unsearchable', 'unsearchably', + 'unseared', 'unseasonable', 'unseasonableness', 'unseasonablenesses', 'unseasonably', 'unseasoned', + 'unseat', + 'unseated', + 'unseating', + 'unseats', 'unseaworthy', + 'unsecured', + 'unseeded', + 'unseeing', 'unseemlier', 'unseemliest', 'unseemliness', 'unseemlinesses', + 'unseemly', + 'unseen', 'unsegmented', 'unsegregated', + 'unseized', 'unselected', 'unselective', 'unselectively', + 'unselfish', 'unselfishly', 'unselfishness', 'unselfishnesses', + 'unsell', 'unsellable', + 'unselling', + 'unsells', 'unsensational', 'unsensitized', + 'unsent', 'unsentimental', 'unseparated', + 'unserious', 'unseriousness', 'unseriousnesses', + 'unserved', 'unserviceable', + 'unset', + 'unsets', + 'unsetting', + 'unsettle', + 'unsettled', 'unsettledness', 'unsettlednesses', 'unsettlement', 'unsettlements', + 'unsettles', 'unsettling', 'unsettlingly', + 'unsew', + 'unsewed', + 'unsewing', + 'unsewn', + 'unsews', + 'unsex', + 'unsexed', + 'unsexes', + 'unsexing', + 'unsexual', + 'unsexy', + 'unshackle', 'unshackled', 'unshackles', 'unshackling', + 'unshaded', 'unshakable', 'unshakably', + 'unshaken', + 'unshamed', + 'unshaped', + 'unshapely', + 'unshapen', + 'unshared', + 'unsharp', + 'unshaved', + 'unshaven', + 'unsheathe', 'unsheathed', 'unsheathes', 'unsheathing', + 'unshed', + 'unshell', + 'unshelled', 'unshelling', + 'unshells', + 'unshift', + 'unshifted', 'unshifting', + 'unshifts', + 'unship', + 'unshipped', 'unshipping', + 'unships', 'unshockable', + 'unshod', + 'unshorn', + 'unshowy', + 'unshrunk', + 'unshut', + 'unsicker', + 'unsifted', + 'unsight', + 'unsighted', 'unsighting', 'unsightlier', 'unsightliest', 'unsightliness', 'unsightlinesses', + 'unsightly', + 'unsights', + 'unsigned', + 'unsilent', + 'unsinful', 'unsinkable', + 'unsized', + 'unskilled', 'unskillful', 'unskillfully', 'unskillfulness', 'unskillfulnesses', 'unslakable', + 'unslaked', + 'unsliced', + 'unsling', 'unslinging', + 'unslings', + 'unslung', + 'unsmart', + 'unsmiling', + 'unsmoked', 'unsmoothed', + 'unsnap', + 'unsnapped', 'unsnapping', + 'unsnaps', + 'unsnarl', + 'unsnarled', 'unsnarling', + 'unsnarls', + 'unsoaked', + 'unsober', 'unsociabilities', 'unsociability', 'unsociable', 'unsociableness', 'unsociablenesses', 'unsociably', + 'unsocial', 'unsocialized', 'unsocially', + 'unsoiled', + 'unsold', + 'unsolder', 'unsoldered', 'unsoldering', + 'unsolders', 'unsoldierly', 'unsolicited', + 'unsolid', 'unsolvable', + 'unsolved', + 'unsoncy', + 'unsonsie', + 'unsonsy', 'unsophisticated', 'unsophistication', 'unsophistications', + 'unsorted', + 'unsought', + 'unsound', + 'unsounded', + 'unsounder', 'unsoundest', + 'unsoundly', 'unsoundness', 'unsoundnesses', + 'unsoured', + 'unsowed', + 'unsown', + 'unsparing', 'unsparingly', + 'unspeak', 'unspeakable', 'unspeakably', 'unspeaking', + 'unspeaks', 'unspecialized', 'unspecifiable', 'unspecific', 'unspecified', 'unspectacular', + 'unspent', + 'unsphere', + 'unsphered', + 'unspheres', 'unsphering', + 'unspilt', 'unspiritual', + 'unsplit', + 'unspoiled', + 'unspoilt', + 'unspoke', + 'unspoken', 'unsportsmanlike', + 'unspotted', + 'unsprayed', + 'unsprung', + 'unspun', + 'unstable', 'unstableness', 'unstablenesses', + 'unstabler', 'unstablest', + 'unstably', + 'unstack', + 'unstacked', 'unstacking', + 'unstacks', + 'unstained', 'unstandardized', 'unstartling', + 'unstate', + 'unstated', + 'unstates', + 'unstating', + 'unstayed', 'unsteadied', 'unsteadier', 'unsteadies', @@ -65342,36 +163914,68 @@ export const scrabble_array = [ 'unsteadily', 'unsteadiness', 'unsteadinesses', + 'unsteady', 'unsteadying', + 'unsteel', + 'unsteeled', 'unsteeling', + 'unsteels', + 'unstep', + 'unstepped', 'unstepping', + 'unsteps', + 'unsterile', 'unsterilized', + 'unstick', 'unsticking', + 'unsticks', + 'unstinted', 'unstinting', 'unstintingly', + 'unstitch', 'unstitched', 'unstitches', 'unstitching', + 'unstoned', + 'unstop', 'unstoppable', 'unstoppably', + 'unstopped', + 'unstopper', 'unstoppered', 'unstoppering', 'unstoppers', 'unstopping', + 'unstops', 'unstrained', + 'unstrap', 'unstrapped', 'unstrapping', + 'unstraps', 'unstratified', + 'unstress', 'unstressed', 'unstresses', + 'unstring', 'unstringing', + 'unstrings', 'unstructured', + 'unstrung', + 'unstuck', + 'unstudied', + 'unstuffy', + 'unstung', + 'unstylish', + 'unsubdued', 'unsubsidized', 'unsubstantial', 'unsubstantialities', 'unsubstantiality', 'unsubstantially', 'unsubstantiated', + 'unsubtle', + 'unsubtly', + 'unsuccess', 'unsuccesses', 'unsuccessful', 'unsuccessfully', @@ -65379,9 +163983,15 @@ export const scrabble_array = [ 'unsuitability', 'unsuitable', 'unsuitably', + 'unsuited', + 'unsullied', + 'unsung', + 'unsunk', 'unsupervised', 'unsupportable', 'unsupported', + 'unsure', + 'unsurely', 'unsurpassable', 'unsurpassed', 'unsurprised', @@ -65393,10 +164003,19 @@ export const scrabble_array = [ 'unsuspectingly', 'unsuspicious', 'unsustainable', + 'unswathe', + 'unswathed', + 'unswathes', 'unswathing', + 'unswayed', + 'unswear', 'unswearing', + 'unswears', 'unsweetened', + 'unswept', 'unswerving', + 'unswore', + 'unsworn', 'unsymmetrical', 'unsymmetrically', 'unsympathetic', @@ -65406,49 +164025,114 @@ export const scrabble_array = [ 'unsystematic', 'unsystematically', 'unsystematized', + 'untack', + 'untacked', + 'untacking', + 'untacks', + 'untactful', + 'untagged', + 'untainted', + 'untaken', 'untalented', + 'untamable', + 'untame', + 'untamed', + 'untangle', + 'untangled', + 'untangles', 'untangling', + 'untanned', + 'untapped', 'untarnished', + 'untasted', + 'untaught', + 'untaxed', + 'unteach', 'unteachable', + 'unteaches', 'unteaching', 'untechnical', 'untempered', 'untenabilities', 'untenability', + 'untenable', 'untenanted', + 'untended', + 'untented', + 'untenured', 'untestable', + 'untested', + 'untether', 'untethered', 'untethering', + 'untethers', + 'unthawed', 'untheoretical', + 'unthink', 'unthinkabilities', 'unthinkability', 'unthinkable', 'unthinkably', 'unthinking', 'unthinkingly', + 'unthinks', + 'unthought', + 'unthread', 'unthreaded', 'unthreading', + 'unthreads', 'unthreatening', + 'unthrifty', + 'unthrone', + 'unthroned', + 'unthrones', 'unthroning', + 'untidied', + 'untidier', + 'untidies', + 'untidiest', + 'untidily', 'untidiness', 'untidinesses', + 'untidy', + 'untidying', + 'untie', + 'untied', + 'unties', + 'until', 'untillable', + 'untilled', + 'untilted', 'untimelier', 'untimeliest', 'untimeliness', 'untimelinesses', + 'untimely', + 'untimeous', + 'untinged', + 'untipped', + 'untired', + 'untiring', 'untiringly', + 'untitled', + 'unto', 'untogether', + 'untold', + 'untorn', 'untouchabilities', 'untouchability', 'untouchable', 'untouchables', + 'untouched', + 'untoward', 'untowardly', 'untowardness', 'untowardnesses', 'untraceable', + 'untraced', 'untraditional', 'untraditionally', + 'untrained', 'untrammeled', 'untransformed', 'untranslatabilities', @@ -65457,47 +164141,144 @@ export const scrabble_array = [ 'untranslated', 'untraveled', 'untraversed', + 'untread', 'untreading', + 'untreads', + 'untreated', + 'untrendy', + 'untried', + 'untrim', + 'untrimmed', 'untrimming', + 'untrims', + 'untrod', + 'untrodden', 'untroubled', + 'untrue', + 'untruer', + 'untruest', + 'untruly', + 'untruss', + 'untrussed', + 'untrusses', 'untrussing', 'untrusting', 'untrustworthy', + 'untrusty', + 'untruth', 'untruthful', 'untruthfully', 'untruthfulness', 'untruthfulnesses', + 'untruths', + 'untuck', + 'untucked', + 'untucking', + 'untucks', + 'untufted', + 'untune', + 'untuned', + 'untunes', + 'untuning', + 'unturned', + 'untutored', + 'untwine', + 'untwined', + 'untwines', + 'untwining', + 'untwist', + 'untwisted', 'untwisting', + 'untwists', + 'untying', + 'untypical', 'untypically', 'ununderstandable', + 'ununited', + 'unurged', + 'unusable', + 'unused', + 'unusual', + 'unusually', 'unusualness', 'unusualnesses', 'unutilized', 'unutterable', 'unutterably', 'unvaccinated', + 'unvalued', 'unvanquished', + 'unvaried', 'unvarnished', + 'unvarying', + 'unveil', + 'unveiled', + 'unveiling', + 'unveils', + 'unveined', 'unventilated', 'unverbalized', 'unverifiable', 'unverified', + 'unversed', + 'unvexed', + 'unvext', + 'unviable', + 'unvisited', + 'unvocal', + 'unvoice', + 'unvoiced', + 'unvoices', + 'unvoicing', + 'unwalled', + 'unwaning', + 'unwanted', + 'unwarier', + 'unwariest', + 'unwarily', 'unwariness', 'unwarinesses', + 'unwarlike', + 'unwarmed', + 'unwarned', + 'unwarped', 'unwarrantable', 'unwarrantably', 'unwarranted', + 'unwary', + 'unwashed', 'unwashedness', 'unwashednesses', + 'unwasheds', + 'unwasted', 'unwatchable', 'unwavering', 'unwaveringly', + 'unwaxed', + 'unweaned', 'unwearable', + 'unwearied', 'unweariedly', + 'unweary', 'unweathered', + 'unweave', + 'unweaves', + 'unweaving', + 'unwed', + 'unwedded', + 'unweeded', + 'unweeting', 'unweetingly', + 'unweight', 'unweighted', 'unweighting', + 'unweights', + 'unwelcome', + 'unwelded', + 'unwell', + 'unwept', + 'unwetted', + 'unwhite', 'unwholesome', 'unwholesomely', 'unwieldier', @@ -65505,49 +164286,245 @@ export const scrabble_array = [ 'unwieldily', 'unwieldiness', 'unwieldinesses', + 'unwieldy', + 'unwifely', + 'unwilled', + 'unwilling', 'unwillingly', 'unwillingness', 'unwillingnesses', + 'unwind', + 'unwinder', + 'unwinders', + 'unwinding', + 'unwinds', 'unwinnable', + 'unwisdom', + 'unwisdoms', + 'unwise', + 'unwisely', + 'unwiser', + 'unwisest', + 'unwish', + 'unwished', + 'unwishes', + 'unwishing', + 'unwit', + 'unwits', + 'unwitted', + 'unwitting', 'unwittingly', + 'unwomanly', + 'unwon', + 'unwonted', 'unwontedly', 'unwontedness', 'unwontednesses', + 'unwooded', + 'unwooed', 'unworkabilities', 'unworkability', 'unworkable', 'unworkables', + 'unworked', 'unworldliness', 'unworldlinesses', + 'unworldly', + 'unworn', + 'unworried', 'unworthier', 'unworthies', 'unworthiest', 'unworthily', 'unworthiness', 'unworthinesses', + 'unworthy', + 'unwound', + 'unwounded', + 'unwove', + 'unwoven', + 'unwrap', + 'unwrapped', 'unwrapping', + 'unwraps', + 'unwreathe', 'unwreathed', 'unwreathes', 'unwreathing', + 'unwritten', + 'unwrung', + 'unyeaned', 'unyielding', 'unyieldingly', + 'unyoke', + 'unyoked', + 'unyokes', + 'unyoking', + 'unyoung', + 'unzip', + 'unzipped', + 'unzipping', + 'unzips', + 'unzoned', + 'up', + 'upas', + 'upases', + 'upbear', + 'upbearer', + 'upbearers', + 'upbearing', + 'upbears', + 'upbeat', + 'upbeats', + 'upbind', + 'upbinding', + 'upbinds', + 'upboil', + 'upboiled', + 'upboiling', + 'upboils', + 'upbore', + 'upborne', + 'upbound', + 'upbow', + 'upbows', + 'upbraid', + 'upbraided', + 'upbraider', 'upbraiders', 'upbraiding', + 'upbraids', 'upbringing', 'upbringings', + 'upbuild', 'upbuilding', + 'upbuilds', + 'upbuilt', + 'upby', + 'upbye', + 'upcast', + 'upcasting', + 'upcasts', + 'upchuck', + 'upchucked', 'upchucking', + 'upchucks', + 'upclimb', + 'upclimbed', 'upclimbing', + 'upclimbs', + 'upcoast', + 'upcoil', + 'upcoiled', + 'upcoiling', + 'upcoils', + 'upcoming', + 'upcountry', + 'upcurl', + 'upcurled', + 'upcurling', + 'upcurls', + 'upcurve', + 'upcurved', + 'upcurves', + 'upcurving', + 'updart', + 'updarted', + 'updarting', + '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', 'upflinging', + 'upflings', + 'upflow', + 'upflowed', + 'upflowing', + 'upflows', + 'upflung', + 'upfold', + 'upfolded', + 'upfolding', + 'upfolds', + 'upfront', + 'upgather', 'upgathered', 'upgathering', + 'upgathers', + 'upgaze', + 'upgazed', + 'upgazes', + 'upgazing', + 'upgird', + 'upgirded', + 'upgirding', + 'upgirds', + 'upgirt', + 'upgoing', 'upgradabilities', 'upgradability', 'upgradable', + 'upgrade', 'upgradeabilities', 'upgradeability', 'upgradeable', + 'upgraded', + 'upgrades', + 'upgrading', + 'upgrew', + 'upgrow', + 'upgrowing', + 'upgrown', + 'upgrows', + 'upgrowth', + 'upgrowths', + 'upheap', + 'upheaped', + 'upheaping', + 'upheaps', + 'upheaval', + 'upheavals', + 'upheave', + 'upheaved', + 'upheaver', + 'upheavers', + 'upheaves', + 'upheaving', + 'upheld', + 'uphill', + 'uphills', + 'uphoard', + 'uphoarded', 'uphoarding', + 'uphoards', + 'uphold', + 'upholder', + 'upholders', + 'upholding', + 'upholds', + 'upholster', 'upholstered', 'upholsterer', 'upholsterers', @@ -65555,144 +164532,675 @@ export const scrabble_array = [ 'upholstering', 'upholsters', 'upholstery', + 'uphove', + 'uphroe', + 'uphroes', + 'upkeep', + 'upkeeps', + 'upland', + 'uplander', + 'uplanders', + 'uplands', + 'upleap', + 'upleaped', + 'upleaping', + 'upleaps', + 'upleapt', + 'uplift', + 'uplifted', + 'uplifter', + 'uplifters', + 'uplifting', + 'uplifts', + 'uplight', + 'uplighted', 'uplighting', + 'uplights', + 'uplink', + 'uplinks', + 'uplit', + 'upload', + 'uploaded', + 'uploading', + 'uploads', + 'upmanship', 'upmanships', + 'upmarket', + 'upmost', + 'upo', + 'upon', + 'upped', + 'upper', + 'uppercase', 'uppercased', 'uppercases', 'uppercasing', 'upperclassman', 'upperclassmen', + 'uppercut', + 'uppercuts', 'uppercutting', + 'uppermost', + 'upperpart', 'upperparts', + 'uppers', + 'uppile', + 'uppiled', + 'uppiles', + 'uppiling', + 'upping', + 'uppings', + 'uppish', + 'uppishly', 'uppishness', 'uppishnesses', 'uppitiness', 'uppitinesses', + 'uppity', 'uppityness', 'uppitynesses', + 'upprop', + 'uppropped', 'uppropping', + 'upprops', + 'upraise', + 'upraised', + 'upraiser', + 'upraisers', + 'upraises', + 'upraising', + 'uprate', + 'uprated', + 'uprates', + 'uprating', + 'upreach', + 'upreached', + 'upreaches', 'upreaching', + 'uprear', + 'upreared', + 'uprearing', + 'uprears', + 'upright', + 'uprighted', 'uprighting', + 'uprightly', 'uprightness', 'uprightnesses', + 'uprights', + 'uprise', + 'uprisen', + 'upriser', + 'uprisers', + 'uprises', + 'uprising', + 'uprisings', + 'upriver', + 'uprivers', + 'uproar', 'uproarious', 'uproariously', 'uproariousness', 'uproariousnesses', + 'uproars', + 'uproot', + 'uprootal', + 'uprootals', + 'uprooted', 'uprootedness', 'uprootednesses', + 'uprooter', + 'uprooters', + 'uprooting', + 'uproots', + 'uprose', + 'uprouse', + 'uproused', + 'uprouses', + 'uprousing', + 'uprush', + 'uprushed', + 'uprushes', + 'uprushing', + 'ups', + 'upscale', + 'upscaled', + 'upscales', + 'upscaling', + 'upsend', + 'upsending', + 'upsends', + 'upsent', + 'upset', + 'upsets', + 'upsetter', + 'upsetters', + 'upsetting', + 'upshift', + 'upshifted', 'upshifting', + 'upshifts', + 'upshoot', 'upshooting', + 'upshoots', + 'upshot', + 'upshots', + 'upside', + 'upsides', + 'upsilon', + 'upsilons', + 'upsoar', + 'upsoared', + 'upsoaring', + 'upsoars', + 'upsprang', + 'upspring', 'upspringing', + 'upsprings', + 'upsprung', + 'upstage', + 'upstaged', + 'upstages', + 'upstaging', + 'upstair', + 'upstairs', + 'upstand', 'upstanding', 'upstandingness', 'upstandingnesses', + 'upstands', + 'upstare', + 'upstared', + 'upstares', + 'upstaring', + 'upstart', + 'upstarted', 'upstarting', + 'upstarts', + 'upstate', + 'upstater', + 'upstaters', + 'upstates', + 'upstep', + 'upstepped', 'upstepping', + 'upsteps', + 'upstir', + 'upstirred', 'upstirring', + 'upstirs', + 'upstood', + 'upstream', + 'upstroke', + 'upstrokes', + 'upsurge', + 'upsurged', + 'upsurges', + 'upsurging', + 'upsweep', 'upsweeping', + 'upsweeps', + 'upswell', + 'upswelled', 'upswelling', + 'upswells', + 'upswept', + 'upswing', 'upswinging', + 'upswings', + 'upswollen', + 'upswung', + 'uptake', + 'uptakes', + 'uptear', + 'uptearing', + 'uptears', + 'upthrew', + 'upthrow', 'upthrowing', + 'upthrown', + 'upthrows', + 'upthrust', 'upthrusting', + 'upthrusts', + 'uptick', + 'upticks', + 'uptight', 'uptightness', 'uptightnesses', + 'uptilt', + 'uptilted', + 'uptilting', + 'uptilts', + 'uptime', + 'uptimes', + 'uptore', + 'uptorn', + 'uptoss', + 'uptossed', + 'uptosses', + 'uptossing', + 'uptown', + 'uptowner', + 'uptowners', + 'uptowns', + 'uptrend', + 'uptrends', + 'upturn', + 'upturned', + 'upturning', + 'upturns', + 'upwaft', + 'upwafted', + 'upwafting', + 'upwafts', + 'upward', + 'upwardly', 'upwardness', 'upwardnesses', + 'upwards', + 'upwell', + 'upwelled', + 'upwelling', 'upwellings', + 'upwells', + 'upwind', + 'upwinds', + 'uracil', + 'uracils', + 'uraei', + 'uraemia', + 'uraemias', + 'uraemic', + 'uraeus', + 'uraeuses', + 'uralite', + 'uralites', + 'uralitic', + 'urania', + 'uranias', + 'uranic', + 'uranide', + 'uranides', + 'uraninite', 'uraninites', + 'uranism', + 'uranisms', + 'uranite', + 'uranites', + 'uranitic', + 'uranium', + 'uraniums', 'uranographies', 'uranography', + 'uranous', + 'uranyl', + 'uranylic', + 'uranyls', + 'urare', + 'urares', + 'urari', + 'uraris', + 'urase', + 'urases', + 'urate', + 'urates', + 'uratic', + 'urb', + 'urban', + 'urbane', + 'urbanely', + 'urbaner', + 'urbanest', 'urbanisation', 'urbanisations', + 'urbanise', + 'urbanised', + 'urbanises', 'urbanising', + 'urbanism', + 'urbanisms', + 'urbanist', 'urbanistic', 'urbanistically', + 'urbanists', + 'urbanite', + 'urbanites', 'urbanities', + 'urbanity', 'urbanization', 'urbanizations', + 'urbanize', + 'urbanized', + 'urbanizes', 'urbanizing', 'urbanologies', 'urbanologist', 'urbanologists', 'urbanology', + 'urbia', + 'urbias', + 'urbs', + 'urceolate', + 'urchin', + 'urchins', + 'urd', + 'urds', + 'urea', + 'ureal', + 'ureas', + 'urease', + 'ureases', + 'uredia', + 'uredial', + 'uredinia', + 'uredinial', 'urediniospore', 'urediniospores', + 'uredinium', 'urediospore', 'urediospores', + 'uredium', + 'uredo', + 'uredos', 'uredospore', 'uredospores', + 'ureic', + 'ureide', + 'ureides', + 'uremia', + 'uremias', + 'uremic', + 'ureotelic', 'ureotelism', 'ureotelisms', + 'ureter', + 'ureteral', + 'ureteric', + 'ureters', + 'urethan', + 'urethane', + 'urethanes', + 'urethans', + 'urethra', + 'urethrae', + 'urethral', + 'urethras', 'urethrites', 'urethritides', 'urethritis', 'urethritises', 'urethroscope', 'urethroscopes', + 'uretic', + 'urge', + 'urged', + 'urgencies', + 'urgency', + 'urgent', + 'urgently', + 'urger', + 'urgers', + 'urges', + 'urging', + 'urgingly', + 'urial', + 'urials', + 'uric', 'uricosuric', 'uricotelic', 'uricotelism', 'uricotelisms', + 'uridine', + 'uridines', + 'urinal', + 'urinals', 'urinalyses', 'urinalysis', + 'urinaries', + 'urinary', + 'urinate', + 'urinated', + 'urinates', + 'urinating', + 'urination', 'urinations', + 'urine', + 'urinemia', + 'urinemias', + 'urinemic', + 'urines', 'urinogenital', 'urinometer', 'urinometers', + 'urinose', + 'urinous', + 'urn', + 'urnlike', + 'urns', + 'urochord', 'urochordate', 'urochordates', + 'urochords', + 'urochrome', 'urochromes', + 'urodele', + 'urodeles', 'urogenital', + 'urokinase', 'urokinases', + 'urolith', 'urolithiases', 'urolithiasis', + 'uroliths', + 'urologic', 'urological', + 'urologies', + 'urologist', 'urologists', + 'urology', + 'uropod', + 'uropodal', + 'uropods', + 'uropygia', + 'uropygium', 'uropygiums', 'uroscopies', + 'uroscopy', + 'urostyle', + 'urostyles', + 'ursa', + 'ursae', + 'ursiform', + 'ursine', + 'urtext', + 'urtexts', + 'urticant', + 'urticants', + 'urticaria', 'urticarial', 'urticarias', + 'urticate', + 'urticated', + 'urticates', 'urticating', 'urtication', 'urtications', + 'urus', + 'uruses', + 'urushiol', + 'urushiols', + 'us', 'usabilities', + 'usability', + 'usable', 'usableness', 'usablenesses', + 'usably', + 'usage', + 'usages', + 'usance', + 'usances', + 'usaunce', + 'usaunces', + 'use', + 'useable', + 'useably', + 'used', + 'useful', + 'usefully', 'usefulness', 'usefulnesses', + 'useless', + 'uselessly', 'uselessness', 'uselessnesses', + 'user', + 'users', + 'uses', + 'usher', + 'ushered', + 'usherette', 'usherettes', + 'ushering', + 'ushers', + 'using', + 'usnea', + 'usneas', + 'usquabae', + 'usquabaes', + 'usque', + 'usquebae', + 'usquebaes', 'usquebaugh', 'usquebaughs', + 'usques', + 'ustulate', + 'usual', + 'usually', + 'usualness', 'usualnesses', + 'usuals', + 'usufruct', + 'usufructs', 'usufructuaries', 'usufructuary', + 'usurer', + 'usurers', + 'usuries', + 'usurious', 'usuriously', 'usuriousness', 'usuriousnesses', + 'usurp', 'usurpation', 'usurpations', + 'usurped', + 'usurper', + 'usurpers', + 'usurping', + 'usurps', + 'usury', + 'ut', + 'uta', + 'utas', + 'utensil', + 'utensils', + 'uteri', + 'uterine', + 'uterus', + 'uteruses', + 'utile', + 'utilidor', + 'utilidors', + 'utilise', + 'utilised', + 'utiliser', + 'utilisers', + 'utilises', + 'utilising', 'utilitarian', 'utilitarianism', 'utilitarianisms', 'utilitarians', + 'utilities', + 'utility', 'utilizable', 'utilization', 'utilizations', + 'utilize', + 'utilized', + 'utilizer', + 'utilizers', + 'utilizes', + 'utilizing', + 'utmost', + 'utmosts', + 'utopia', + 'utopian', 'utopianism', 'utopianisms', + 'utopians', + 'utopias', + 'utopism', + 'utopisms', + 'utopist', + 'utopistic', + 'utopists', + 'utricle', + 'utricles', + 'utricular', + 'utriculi', + 'utriculus', + 'uts', + 'utter', + 'utterable', + 'utterance', 'utterances', + 'uttered', + 'utterer', + 'utterers', + 'uttering', + 'utterly', + 'uttermost', 'uttermosts', + 'utters', + 'uvarovite', 'uvarovites', + 'uvea', + 'uveal', + 'uveas', + 'uveitic', + 'uveitis', + 'uveitises', + 'uveous', + 'uvula', + 'uvulae', + 'uvular', + 'uvularly', + 'uvulars', + 'uvulas', + 'uvulitis', 'uvulitises', + 'uxorial', + 'uxoricide', 'uxoricides', + 'uxorious', 'uxoriously', 'uxoriousness', 'uxoriousnesses', + 'vac', + 'vacancies', + 'vacancy', + 'vacant', + 'vacantly', 'vacantness', 'vacantnesses', + 'vacate', + 'vacated', + 'vacates', + 'vacating', + 'vacation', 'vacationed', 'vacationer', 'vacationers', @@ -65701,6 +165209,11 @@ export const scrabble_array = [ 'vacationists', 'vacationland', 'vacationlands', + 'vacations', + 'vaccina', + 'vaccinal', + 'vaccinas', + 'vaccinate', 'vaccinated', 'vaccinates', 'vaccinating', @@ -65708,6 +165221,14 @@ export const scrabble_array = [ 'vaccinations', 'vaccinator', 'vaccinators', + 'vaccine', + 'vaccinee', + 'vaccinees', + 'vaccines', + 'vaccinia', + 'vaccinial', + 'vaccinias', + 'vacillate', 'vacillated', 'vacillates', 'vacillating', @@ -65716,11 +165237,27 @@ export const scrabble_array = [ 'vacillations', 'vacillator', 'vacillators', + 'vacs', + 'vacua', + 'vacuities', + 'vacuity', + 'vacuolar', + 'vacuolate', 'vacuolated', 'vacuolation', 'vacuolations', + 'vacuole', + 'vacuoles', + 'vacuous', + 'vacuously', 'vacuousness', 'vacuousnesses', + 'vacuum', + 'vacuumed', + 'vacuuming', + 'vacuums', + 'vadose', + 'vagabond', 'vagabondage', 'vagabondages', 'vagabonded', @@ -65728,115 +165265,395 @@ export const scrabble_array = [ 'vagabondish', 'vagabondism', 'vagabondisms', + 'vagabonds', + 'vagal', + 'vagally', + 'vagaries', + 'vagarious', 'vagariously', + 'vagary', + 'vagi', + 'vagile', 'vagilities', + 'vagility', + 'vagina', + 'vaginae', + 'vaginal', + 'vaginally', + 'vaginas', + 'vaginate', 'vaginismus', 'vaginismuses', + 'vaginitis', 'vaginitises', 'vagotomies', + 'vagotomy', + 'vagotonia', 'vagotonias', + 'vagotonic', 'vagrancies', + 'vagrancy', + 'vagrant', + 'vagrantly', + 'vagrants', + 'vagrom', + 'vague', + 'vaguely', + 'vagueness', 'vaguenesses', + 'vaguer', + 'vaguest', + 'vagus', + 'vahine', + 'vahines', + 'vail', + 'vailed', + 'vailing', + 'vails', + 'vain', + 'vainer', + 'vainest', 'vainglories', 'vainglorious', 'vaingloriously', 'vaingloriousness', 'vaingloriousnesses', + 'vainglory', + 'vainly', + 'vainness', 'vainnesses', + 'vair', + 'vairs', + 'vakeel', + 'vakeels', + 'vakil', + 'vakils', + 'valance', + 'valanced', + 'valances', + 'valancing', + 'vale', 'valediction', 'valedictions', 'valedictorian', 'valedictorians', 'valedictories', 'valedictory', + 'valence', + 'valences', + 'valencia', + 'valencias', + 'valencies', + 'valency', + 'valentine', 'valentines', + 'valerate', + 'valerates', + 'valerian', + 'valerians', + 'valeric', + 'vales', + 'valet', + 'valeted', + 'valeting', + 'valets', 'valetudinarian', 'valetudinarianism', 'valetudinarianisms', 'valetudinarians', 'valetudinaries', 'valetudinary', + 'valgoid', + 'valgus', + 'valguses', + 'valiance', + 'valiances', 'valiancies', + 'valiancy', + 'valiant', + 'valiantly', 'valiantness', 'valiantnesses', + 'valiants', + 'valid', + 'validate', + 'validated', + 'validates', 'validating', 'validation', 'validations', 'validities', + 'validity', + 'validly', + 'valine', + 'valines', + 'valise', + 'valises', + 'valkyr', + 'valkyrie', + 'valkyries', + 'valkyrs', + 'vallate', + 'vallecula', 'valleculae', 'vallecular', + 'valley', + 'valleys', + 'valonia', + 'valonias', + 'valor', + 'valorise', + 'valorised', + 'valorises', 'valorising', 'valorization', 'valorizations', + 'valorize', + 'valorized', + 'valorizes', 'valorizing', + 'valorous', 'valorously', + 'valors', + 'valour', + 'valours', 'valpolicella', 'valpolicellas', + 'valse', + 'valses', + 'valuable', 'valuableness', 'valuablenesses', + 'valuables', + 'valuably', + 'valuate', + 'valuated', + 'valuates', + 'valuating', + 'valuation', 'valuational', 'valuationally', 'valuations', + 'valuator', + 'valuators', + 'value', + 'valued', + 'valueless', 'valuelessness', 'valuelessnesses', + 'valuer', + 'valuers', + 'values', + 'valuing', + 'valuta', + 'valutas', + 'valval', + 'valvar', + 'valvate', + 'valve', + 'valved', + 'valveless', + 'valvelet', + 'valvelets', + 'valves', + 'valving', + 'valvula', + 'valvulae', + 'valvular', + 'valvule', + 'valvules', 'valvulites', 'valvulitides', 'valvulitis', 'valvulitises', + 'vambrace', + 'vambraces', + 'vamoose', + 'vamoosed', + 'vamooses', + 'vamoosing', + 'vamose', + 'vamosed', + 'vamoses', + 'vamosing', + 'vamp', + 'vamped', + 'vamper', + 'vampers', + 'vamping', + 'vampire', + 'vampires', + 'vampiric', + 'vampirish', + 'vampirism', 'vampirisms', + 'vampish', + 'vamps', + 'van', + 'vanadate', + 'vanadates', + 'vanadic', + 'vanadium', + 'vanadiums', + 'vanadous', + 'vanaspati', 'vanaspatis', + 'vanda', + 'vandal', + 'vandalic', + 'vandalise', 'vandalised', 'vandalises', 'vandalising', + 'vandalism', 'vandalisms', 'vandalistic', 'vandalization', 'vandalizations', + 'vandalize', 'vandalized', 'vandalizes', 'vandalizing', + 'vandals', + 'vandas', + 'vandyke', + 'vandyked', + 'vandykes', + 'vane', + 'vaned', + 'vanes', + 'vang', + 'vangs', + 'vanguard', 'vanguardism', 'vanguardisms', 'vanguardist', 'vanguardists', + 'vanguards', + 'vanilla', + 'vanillas', + 'vanillic', + 'vanillin', + 'vanillins', + 'vanish', + 'vanished', + 'vanisher', + 'vanishers', + 'vanishes', + 'vanishing', 'vanishingly', + 'vanitied', + 'vanities', 'vanitories', + 'vanitory', + 'vanity', + 'vanman', + 'vanmen', + 'vanned', + 'vanner', + 'vanners', + 'vanning', + 'vanpool', 'vanpooling', 'vanpoolings', + 'vanpools', + 'vanquish', 'vanquishable', 'vanquished', 'vanquisher', 'vanquishers', 'vanquishes', 'vanquishing', + 'vans', + 'vantage', + 'vantages', + 'vanward', + 'vapid', 'vapidities', + 'vapidity', + 'vapidly', + 'vapidness', 'vapidnesses', + 'vapor', + 'vapored', + 'vaporer', + 'vaporers', + 'vaporetti', + 'vaporetto', 'vaporettos', + 'vaporing', + 'vaporings', + 'vaporise', + 'vaporised', + 'vaporises', + 'vaporish', 'vaporishness', 'vaporishnesses', 'vaporising', 'vaporizable', 'vaporization', 'vaporizations', + 'vaporize', + 'vaporized', + 'vaporizer', 'vaporizers', + 'vaporizes', 'vaporizing', + 'vaporous', 'vaporously', 'vaporousness', 'vaporousnesses', + 'vapors', + 'vaporware', 'vaporwares', + 'vapory', + 'vapour', + 'vapoured', + 'vapourer', + 'vapourers', + 'vapouring', + 'vapours', + 'vapoury', + 'vaquero', + 'vaqueros', + 'var', + 'vara', + 'varactor', + 'varactors', + 'varas', + 'varia', 'variabilities', 'variability', + 'variable', 'variableness', 'variablenesses', + 'variables', + 'variably', + 'variance', + 'variances', + 'variant', + 'variants', + 'variate', + 'variated', + 'variates', + 'variating', + 'variation', 'variational', 'variationally', 'variations', + 'varicella', 'varicellas', + 'varices', 'varicocele', 'varicoceles', 'varicolored', + 'varicose', + 'varicosed', 'varicosities', 'varicosity', + 'varied', + 'variedly', + 'variegate', 'variegated', 'variegates', 'variegating', @@ -65844,13 +165661,68 @@ export const scrabble_array = [ 'variegations', 'variegator', 'variegators', + 'varier', + 'variers', + 'varies', + 'varietal', + 'varietals', + 'varieties', + 'variety', + 'variform', + 'variola', + 'variolar', + 'variolas', + 'variole', + 'varioles', 'variometer', 'variometers', + 'variorum', + 'variorums', + 'various', + 'variously', 'variousness', 'variousnesses', + 'varisized', + 'varistor', + 'varistors', + 'varix', + 'varlet', 'varletries', + 'varletry', + 'varlets', + 'varment', + 'varments', + 'varmint', + 'varmints', + 'varna', + 'varnas', + 'varnish', + 'varnished', + 'varnisher', 'varnishers', + 'varnishes', 'varnishing', + 'varnishy', + 'varoom', + 'varoomed', + 'varooming', + 'varooms', + 'vars', + 'varsities', + 'varsity', + 'varus', + 'varuses', + 'varve', + 'varved', + 'varves', + 'vary', + 'varying', + 'varyingly', + 'vas', + 'vasa', + 'vasal', + 'vascula', + 'vascular', 'vascularities', 'vascularity', 'vascularization', @@ -65859,11 +165731,18 @@ export const scrabble_array = [ 'vasculatures', 'vasculitides', 'vasculitis', + 'vasculum', + 'vasculums', + 'vase', 'vasectomies', 'vasectomize', 'vasectomized', 'vasectomizes', 'vasectomizing', + 'vasectomy', + 'vaselike', + 'vases', + 'vasiform', 'vasoactive', 'vasoactivities', 'vasoactivity', @@ -65878,17 +165757,45 @@ export const scrabble_array = [ 'vasodilations', 'vasodilator', 'vasodilators', + 'vasomotor', 'vasopressin', 'vasopressins', 'vasopressor', 'vasopressors', + 'vasospasm', 'vasospasms', 'vasospastic', + 'vasotocin', 'vasotocins', 'vasotomies', + 'vasotomy', + 'vasovagal', + 'vassal', + 'vassalage', 'vassalages', + 'vassals', + 'vast', + 'vaster', + 'vastest', + 'vastier', + 'vastiest', + 'vastities', + 'vastitude', 'vastitudes', + 'vastity', + 'vastly', + 'vastness', 'vastnesses', + 'vasts', + 'vasty', + 'vat', + 'vatful', + 'vatfuls', + 'vatic', + 'vatical', + 'vaticide', + 'vaticides', + 'vaticinal', 'vaticinate', 'vaticinated', 'vaticinates', @@ -65897,18 +165804,104 @@ export const scrabble_array = [ 'vaticinations', 'vaticinator', 'vaticinators', + 'vats', + 'vatted', + 'vatting', + 'vatu', + 'vatus', + 'vau', 'vaudeville', 'vaudevilles', 'vaudevillian', 'vaudevillians', + 'vault', + 'vaulted', + 'vaulter', + 'vaulters', + 'vaultier', + 'vaultiest', + 'vaulting', 'vaultingly', + 'vaultings', + 'vaults', + 'vaulty', + 'vaunt', + 'vaunted', + 'vaunter', + 'vaunters', + 'vauntful', + 'vauntie', + 'vaunting', 'vauntingly', + 'vaunts', + 'vaunty', + 'vaus', + 'vav', + 'vavasor', + 'vavasors', + 'vavasour', + 'vavasours', + 'vavassor', + 'vavassors', + 'vavs', + 'vaw', + 'vaward', + 'vawards', + 'vawntie', + 'vaws', + 'veal', + 'vealed', + 'vealer', + 'vealers', + 'vealier', + 'vealiest', + 'vealing', + 'veals', + 'vealy', + 'vector', + 'vectored', + 'vectorial', 'vectorially', + 'vectoring', + 'vectors', + 'vedalia', + 'vedalias', + 'vedette', + 'vedettes', + 'vee', + 'veejay', + 'veejays', + 'veena', + 'veenas', + 'veep', + 'veepee', + 'veepees', + 'veeps', + 'veer', + 'veered', + 'veeries', + 'veering', + 'veeringly', + 'veers', + 'veery', + 'vees', + 'veg', + 'vegan', + 'veganism', + 'veganisms', + 'vegans', + 'vegetable', 'vegetables', + 'vegetably', + 'vegetal', + 'vegetant', 'vegetarian', 'vegetarianism', 'vegetarianisms', 'vegetarians', + 'vegetate', + 'vegetated', + 'vegetates', 'vegetating', 'vegetation', 'vegetational', @@ -65917,50 +165910,224 @@ export const scrabble_array = [ 'vegetatively', 'vegetativeness', 'vegetativenesses', + 'vegete', + 'vegetist', + 'vegetists', + 'vegetive', + 'veggie', + 'veggies', + 'vegie', + 'vegies', + 'vehemence', 'vehemences', + 'vehement', 'vehemently', + 'vehicle', + 'vehicles', + 'vehicular', + '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', + 'veinulets', + 'veiny', + 'vela', + 'velamen', + 'velamina', + 'velar', + 'velaria', + 'velarium', 'velarization', 'velarizations', + 'velarize', + 'velarized', + 'velarizes', 'velarizing', + 'velars', + 'velate', + 'veld', + 'velds', + 'veldt', + 'veldts', + 'veliger', + 'veligers', + 'velites', 'velleities', + 'velleity', + 'vellum', + 'vellums', + 'veloce', 'velocimeter', 'velocimeters', 'velocipede', 'velocipedes', 'velocities', + 'velocity', + 'velodrome', 'velodromes', + 'velour', + 'velours', + 'veloute', + 'veloutes', + 'velum', + 'velure', + 'velured', + 'velures', + 'veluring', + 'velveret', + 'velverets', + 'velvet', + 'velveted', + 'velveteen', 'velveteens', 'velvetlike', + 'velvets', + 'velvety', + 'vena', + 'venae', + 'venal', 'venalities', + 'venality', + 'venally', + 'venatic', + 'venation', + 'venations', + 'vend', + 'vendable', + 'vendables', + 'vendace', + 'vendaces', + 'vended', + 'vendee', + 'vendees', + 'vender', + 'venders', + 'vendetta', + 'vendettas', + 'vendeuse', + 'vendeuses', 'vendibilities', 'vendibility', + 'vendible', + 'vendibles', + 'vendibly', + 'vending', + 'vendor', + 'vendors', + 'vends', + 'vendue', + 'vendues', + 'veneer', + 'veneered', + 'veneerer', + 'veneerers', + 'veneering', 'veneerings', + 'veneers', + 'venenate', + 'venenated', + 'venenates', 'venenating', + 'venenose', 'venerabilities', 'venerability', + 'venerable', 'venerableness', 'venerablenesses', + 'venerably', + 'venerate', + 'venerated', + 'venerates', 'venerating', 'veneration', 'venerations', + 'venerator', 'venerators', + 'venereal', + 'veneries', + 'venery', 'venesection', 'venesections', + 'venetian', + 'venetians', + 'venge', + 'vengeance', 'vengeances', + 'venged', + 'vengeful', 'vengefully', 'vengefulness', 'vengefulnesses', + 'venges', + 'venging', + 'venial', + 'venially', 'venialness', 'venialnesses', + 'venin', + 'venine', + 'venines', + 'venins', 'venipuncture', 'venipunctures', + 'venire', + 'venireman', + 'veniremen', + 'venires', + 'venison', + 'venisons', + 'venogram', + 'venograms', 'venographies', 'venography', + 'venom', + 'venomed', + 'venomer', + 'venomers', + 'venoming', + 'venomous', 'venomously', 'venomousness', 'venomousnesses', + 'venoms', + 'venose', 'venosities', + 'venosity', + 'venous', + 'venously', + 'vent', + 'ventage', + 'ventages', + 'ventail', + 'ventails', + 'vented', + 'venter', + 'venters', + 'ventifact', 'ventifacts', + 'ventilate', 'ventilated', 'ventilates', 'ventilating', @@ -65969,6 +166136,12 @@ export const scrabble_array = [ 'ventilator', 'ventilators', 'ventilatory', + 'venting', + 'ventless', + 'ventral', + 'ventrally', + 'ventrals', + 'ventricle', 'ventricles', 'ventricose', 'ventricular', @@ -65989,44 +166162,136 @@ export const scrabble_array = [ 'ventriloquy', 'ventrolateral', 'ventromedial', + 'vents', + 'venture', + 'ventured', + 'venturer', + 'venturers', + 'ventures', 'venturesome', 'venturesomely', 'venturesomeness', 'venturesomenesses', + 'venturi', + 'venturing', + 'venturis', + 'venturous', 'venturously', 'venturousness', 'venturousnesses', + 'venue', + 'venues', + 'venular', + 'venule', + 'venules', + 'venulose', + 'venulous', + 'vera', + 'veracious', 'veraciously', 'veraciousness', 'veraciousnesses', 'veracities', + 'veracity', + 'veranda', + 'verandaed', + 'verandah', 'verandahed', + 'verandahs', + 'verandas', + 'verapamil', 'verapamils', + 'veratria', + 'veratrias', 'veratridine', 'veratridines', + 'veratrin', + 'veratrine', 'veratrines', + 'veratrins', + 'veratrum', + 'veratrums', + 'verb', + 'verbal', + 'verbalism', 'verbalisms', + 'verbalist', 'verbalistic', 'verbalists', 'verbalization', 'verbalizations', + 'verbalize', 'verbalized', 'verbalizer', 'verbalizers', 'verbalizes', 'verbalizing', + 'verbally', + 'verbals', + 'verbatim', + 'verbena', + 'verbenas', + 'verbiage', + 'verbiages', + 'verbicide', 'verbicides', + 'verbid', + 'verbids', + 'verbified', + 'verbifies', + 'verbify', 'verbifying', 'verbigeration', 'verbigerations', + 'verbile', + 'verbiles', + 'verbless', + 'verbose', + 'verbosely', 'verboseness', 'verbosenesses', 'verbosities', + 'verbosity', + 'verboten', + 'verbs', 'verdancies', + 'verdancy', + 'verdant', + 'verdantly', + 'verderer', + 'verderers', + 'verderor', + 'verderors', + 'verdict', + 'verdicts', + 'verdigris', 'verdigrises', + 'verdin', + 'verdins', + 'verditer', + 'verditers', + 'verdure', + 'verdured', + 'verdures', + 'verdurous', + 'verecund', + 'verge', + 'verged', + 'vergence', + 'vergences', + 'verger', + 'vergers', + 'verges', + 'verging', + 'verglas', + 'verglases', + 'veridic', + 'veridical', 'veridicalities', 'veridicality', 'veridically', + 'verier', + 'veriest', 'verifiabilities', 'verifiability', 'verifiable', @@ -66034,15 +166299,44 @@ export const scrabble_array = [ 'verifiablenesses', 'verification', 'verifications', + 'verified', + 'verifier', + 'verifiers', + 'verifies', + 'verify', + 'verifying', + 'verily', 'verisimilar', 'verisimilarly', 'verisimilitude', 'verisimilitudes', 'verisimilitudinous', + 'verism', + 'verismo', + 'verismos', + 'verisms', + 'verist', + 'veristic', + 'verists', + 'veritable', 'veritableness', 'veritablenesses', + 'veritably', + 'veritas', + 'veritates', + 'verite', + 'verites', + 'verities', + 'verity', + 'verjuice', + 'verjuices', + 'vermeil', + 'vermeils', + 'vermes', + 'vermian', 'vermicelli', 'vermicellis', + 'vermicide', 'vermicides', 'vermicular', 'vermiculate', @@ -66051,45 +166345,143 @@ export const scrabble_array = [ 'vermiculations', 'vermiculite', 'vermiculites', + 'vermiform', + 'vermifuge', 'vermifuges', + 'vermilion', 'vermilions', 'vermillion', 'vermillions', + 'vermin', + 'verminous', + 'vermis', + 'vermoulu', + 'vermouth', + 'vermouths', + 'vermuth', + 'vermuths', + 'vernacle', + 'vernacles', 'vernacular', 'vernacularism', 'vernacularisms', 'vernacularly', 'vernaculars', + 'vernal', 'vernalization', 'vernalizations', + 'vernalize', 'vernalized', 'vernalizes', 'vernalizing', + 'vernally', + 'vernation', 'vernations', + 'vernicle', + 'vernicles', + 'vernier', + 'verniers', 'vernissage', 'vernissages', + 'vernix', + 'vernixes', + 'veronica', + 'veronicas', + 'verruca', + 'verrucae', + 'verrucose', + 'versal', + 'versant', + 'versants', + 'versatile', 'versatilely', 'versatileness', 'versatilenesses', 'versatilities', 'versatility', + 'verse', + 'versed', + 'verseman', + 'versemen', + 'verser', + 'versers', + 'verses', + 'verset', + 'versets', + 'versicle', + 'versicles', 'versicular', 'versification', 'versifications', + 'versified', + 'versifier', 'versifiers', + 'versifies', + 'versify', 'versifying', + 'versine', + 'versines', + 'versing', + 'version', + 'versional', + 'versions', + 'verso', + 'versos', + 'verst', + 'verste', + 'verstes', + 'versts', + 'versus', + 'vert', + 'vertebra', + 'vertebrae', + 'vertebral', + 'vertebras', 'vertebrate', 'vertebrates', + 'vertex', + 'vertexes', + 'vertical', 'verticalities', 'verticality', 'vertically', 'verticalness', 'verticalnesses', + 'verticals', + 'vertices', + 'verticil', 'verticillate', + 'verticils', 'vertigines', 'vertiginous', 'vertiginously', + 'vertigo', + 'vertigoes', + 'vertigos', + 'verts', + 'vertu', + 'vertus', + 'vervain', + 'vervains', + 'verve', + 'verves', + 'vervet', + 'vervets', + 'very', + 'vesica', + 'vesicae', + 'vesical', + 'vesicant', + 'vesicants', + 'vesicate', + 'vesicated', + 'vesicates', 'vesicating', + 'vesicle', + 'vesicles', + 'vesicula', + 'vesiculae', + 'vesicular', 'vesicularities', 'vesicularity', 'vesiculate', @@ -66098,77 +166490,252 @@ export const scrabble_array = [ 'vesiculating', 'vesiculation', 'vesiculations', + 'vesper', + 'vesperal', + 'vesperals', + 'vespers', 'vespertilian', 'vespertine', 'vespiaries', + 'vespiary', + 'vespid', + 'vespids', + 'vespine', + 'vessel', + 'vesseled', + 'vessels', + 'vest', + 'vesta', + 'vestal', + 'vestally', + 'vestals', + 'vestas', + 'vested', + 'vestee', + 'vestees', 'vestiaries', + 'vestiary', 'vestibular', + 'vestibule', 'vestibuled', 'vestibules', + 'vestige', + 'vestiges', + 'vestigia', + 'vestigial', 'vestigially', + 'vestigium', + 'vesting', + 'vestings', + 'vestless', + 'vestlike', + 'vestment', 'vestmental', + 'vestments', + 'vestral', + 'vestries', + 'vestry', + 'vestryman', + 'vestrymen', + 'vests', + 'vestural', + 'vesture', + 'vestured', + 'vestures', + 'vesturing', + 'vesuvian', 'vesuvianite', 'vesuvianites', + 'vesuvians', + 'vet', + 'vetch', + 'vetches', + 'vetchling', 'vetchlings', + 'veteran', + 'veterans', 'veterinarian', 'veterinarians', 'veterinaries', 'veterinary', + 'vetiver', + 'vetivers', + 'vetivert', + 'vetiverts', + 'veto', + 'vetoed', + 'vetoer', + 'vetoers', + 'vetoes', + 'vetoing', + 'vets', + 'vetted', + 'vetting', + 'vex', + 'vexation', + 'vexations', + 'vexatious', 'vexatiously', 'vexatiousness', 'vexatiousnesses', + 'vexed', + 'vexedly', + 'vexer', + 'vexers', + 'vexes', + 'vexil', + 'vexilla', + 'vexillar', 'vexillologic', 'vexillological', 'vexillologies', 'vexillologist', 'vexillologists', 'vexillology', + 'vexillum', + 'vexils', + 'vexing', + 'vexingly', + 'vext', + 'via', 'viabilities', + 'viability', + 'viable', + 'viably', + 'viaduct', + 'viaducts', + 'vial', + 'vialed', + 'vialing', + 'vialled', + 'vialling', + 'vials', + 'viand', + 'viands', + 'viatic', + 'viatica', + 'viatical', + 'viaticum', + 'viaticums', + 'viator', + 'viatores', + 'viators', + 'vibe', + 'vibes', + 'vibist', + 'vibists', + 'vibraharp', 'vibraharpist', 'vibraharpists', 'vibraharps', + 'vibrance', + 'vibrances', 'vibrancies', + 'vibrancy', + 'vibrant', + 'vibrantly', + 'vibrants', 'vibraphone', 'vibraphones', 'vibraphonist', 'vibraphonists', + 'vibrate', + 'vibrated', + 'vibrates', + 'vibratile', + 'vibrating', + 'vibration', 'vibrational', 'vibrationless', 'vibrations', + 'vibrato', 'vibratoless', + 'vibrator', + 'vibrators', + 'vibratory', + 'vibratos', + 'vibrio', + 'vibrioid', + 'vibrion', + 'vibrionic', + 'vibrions', + 'vibrios', + 'vibrioses', + 'vibriosis', + 'vibrissa', + 'vibrissae', + 'vibronic', + 'viburnum', + 'viburnums', + 'vicar', + 'vicarage', + 'vicarages', + 'vicarate', + 'vicarates', + 'vicarial', 'vicariance', 'vicariances', + 'vicariant', 'vicariants', + 'vicariate', 'vicariates', + 'vicarious', 'vicariously', 'vicariousness', 'vicariousnesses', + 'vicarly', + 'vicars', + 'vicarship', 'vicarships', + 'vice', + 'viced', 'vicegerencies', 'vicegerency', 'vicegerent', 'vicegerents', + 'viceless', + 'vicenary', + 'vicennial', + 'viceregal', 'viceregally', + 'vicereine', 'vicereines', + 'viceroy', 'viceroyalties', 'viceroyalty', + 'viceroys', 'viceroyship', 'viceroyships', + 'vices', + 'vichies', + 'vichy', 'vichyssoise', 'vichyssoises', + 'vicinage', + 'vicinages', + 'vicinal', + 'vicing', 'vicinities', + 'vicinity', + 'vicious', + 'viciously', 'viciousness', 'viciousnesses', 'vicissitude', 'vicissitudes', 'vicissitudinous', + 'vicomte', + 'vicomtes', + 'victim', 'victimhood', 'victimhoods', + 'victimise', 'victimised', 'victimises', 'victimising', 'victimization', 'victimizations', + 'victimize', 'victimized', 'victimizer', 'victimizers', @@ -66179,66 +166746,169 @@ export const scrabble_array = [ 'victimologist', 'victimologists', 'victimology', + 'victims', + 'victor', + 'victoria', + 'victorias', + 'victories', 'victorious', 'victoriously', 'victoriousness', 'victoriousnesses', + 'victors', + 'victory', + 'victress', 'victresses', + 'victual', + 'victualed', + 'victualer', 'victualers', 'victualing', 'victualled', 'victualler', 'victuallers', 'victualling', + 'victuals', + 'vicugna', + 'vicugnas', + 'vicuna', + 'vicunas', + 'vide', + 'videlicet', + 'video', 'videocassette', 'videocassettes', 'videoconference', 'videoconferences', 'videoconferencing', 'videoconferencings', + 'videodisc', 'videodiscs', + 'videodisk', 'videodisks', 'videographer', 'videographers', 'videographies', 'videography', + 'videoland', 'videolands', 'videophile', 'videophiles', 'videophone', 'videophones', + 'videos', + 'videotape', 'videotaped', 'videotapes', 'videotaping', + 'videotex', 'videotexes', + 'videotext', 'videotexts', + 'vidette', + 'videttes', + 'vidicon', + 'vidicons', + 'viduities', + 'viduity', + 'vie', + 'vied', + 'vier', + 'viers', + 'vies', + 'view', + 'viewable', + 'viewdata', + 'viewdatas', + 'viewed', + 'viewer', + 'viewers', 'viewership', 'viewerships', 'viewfinder', 'viewfinders', + 'viewier', + 'viewiest', + 'viewing', + 'viewings', + 'viewless', 'viewlessly', + 'viewpoint', 'viewpoints', + 'views', + 'viewy', + 'vig', + 'viga', + 'vigas', + 'vigesimal', + 'vigil', + 'vigilance', 'vigilances', + 'vigilant', + 'vigilante', 'vigilantes', 'vigilantism', 'vigilantisms', 'vigilantly', + 'vigils', 'vigintillion', 'vigintillions', + 'vigneron', + 'vignerons', + 'vignette', + 'vignetted', + 'vignetter', 'vignetters', + 'vignettes', 'vignetting', 'vignettist', 'vignettists', + 'vigor', + 'vigorish', 'vigorishes', + 'vigoroso', + 'vigorous', 'vigorously', 'vigorousness', 'vigorousnesses', + 'vigors', + 'vigour', + 'vigours', + 'vigs', + 'viking', + 'vikings', + 'vilayet', + 'vilayets', + 'vile', + 'vilely', + 'vileness', 'vilenesses', + 'viler', + 'vilest', 'vilification', 'vilifications', + 'vilified', + 'vilifier', + 'vilifiers', + 'vilifies', + 'vilify', + 'vilifying', + 'vilipend', 'vilipended', 'vilipending', + 'vilipends', + 'vill', + 'villa', + 'villadom', + 'villadoms', + 'villae', + 'village', + 'villager', 'villageries', + 'villagers', + 'villagery', + 'villages', + 'villain', 'villainess', 'villainesses', 'villainies', @@ -66246,18 +166916,54 @@ export const scrabble_array = [ 'villainously', 'villainousness', 'villainousnesses', + 'villains', + 'villainy', 'villanella', 'villanelle', 'villanelles', + 'villas', + 'villatic', + 'villein', + 'villeins', + 'villenage', 'villenages', + 'villi', + 'villiform', + 'villose', 'villosities', + 'villosity', + 'villous', + 'vills', + 'villus', + 'vim', + 'vimen', + 'vimina', + 'viminal', + 'vims', + 'vina', + 'vinaceous', 'vinaigrette', 'vinaigrettes', + 'vinal', + 'vinals', + 'vinas', + 'vinasse', + 'vinasses', 'vinblastine', 'vinblastines', + 'vinca', + 'vincas', + 'vincible', + 'vincibly', 'vincristine', 'vincristines', + 'vincula', + 'vinculum', + 'vinculums', + 'vindaloo', + 'vindaloos', 'vindicable', + 'vindicate', 'vindicated', 'vindicates', 'vindicating', @@ -66271,128 +166977,399 @@ export const scrabble_array = [ 'vindictively', 'vindictiveness', 'vindictivenesses', + 'vine', + 'vineal', + 'vined', 'vinedresser', 'vinedressers', + 'vinegar', + 'vinegared', 'vinegarish', + 'vinegars', + 'vinegary', + 'vineries', + 'vinery', + 'vines', + 'vineyard', 'vineyardist', 'vineyardists', + 'vineyards', + 'vinic', 'viniculture', 'vinicultures', + 'vinier', + 'viniest', + 'vinifera', + 'viniferas', 'vinification', 'vinifications', + 'vinified', + 'vinifies', + 'vinify', + 'vinifying', + 'vining', + 'vino', + 'vinos', 'vinosities', + 'vinosity', + 'vinous', + 'vinously', + 'vintage', + 'vintager', + 'vintagers', + 'vintages', + 'vintner', + 'vintners', + 'viny', + 'vinyl', + 'vinylic', 'vinylidene', 'vinylidenes', + 'vinyls', + 'viol', + 'viola', 'violabilities', 'violability', + 'violable', 'violableness', 'violablenesses', + 'violably', 'violaceous', + 'violas', + 'violate', + 'violated', + 'violater', + 'violaters', + 'violates', + 'violating', + 'violation', 'violations', + 'violative', + 'violator', + 'violators', + 'violence', + 'violences', + 'violent', + 'violently', + 'violet', + 'violets', + 'violin', + 'violinist', 'violinistic', 'violinists', + 'violins', + 'violist', + 'violists', 'violoncelli', 'violoncellist', 'violoncellists', 'violoncello', 'violoncellos', + 'violone', + 'violones', + 'viols', + 'viomycin', + 'viomycins', + 'viper', + 'viperine', + 'viperish', + 'viperous', 'viperously', + 'vipers', 'viraginous', + 'virago', + 'viragoes', + 'viragos', + 'viral', + 'virally', + 'virelai', + 'virelais', + 'virelay', + 'virelays', + 'viremia', + 'viremias', + 'viremic', + 'vireo', + 'vireos', + 'vires', 'virescence', 'virescences', + 'virescent', + 'virga', + 'virgas', + 'virgate', + 'virgates', + 'virgin', + 'virginal', 'virginalist', 'virginalists', 'virginally', + 'virginals', 'virginities', + 'virginity', + 'virgins', + 'virgule', + 'virgules', + 'viricidal', + 'viricide', + 'viricides', + 'virid', 'viridescent', + 'viridian', + 'viridians', 'viridities', + 'viridity', + 'virile', + 'virilely', + 'virilism', + 'virilisms', 'virilities', + 'virility', + 'virion', + 'virions', + 'virl', + 'virls', + 'viroid', + 'viroids', + 'virologic', 'virological', 'virologically', 'virologies', 'virologist', 'virologists', + 'virology', + 'viroses', + 'virosis', + 'virtu', + 'virtual', 'virtualities', 'virtuality', + 'virtually', + 'virtue', 'virtueless', + 'virtues', + 'virtuosa', + 'virtuosas', + 'virtuose', + 'virtuosi', + 'virtuosic', 'virtuosities', 'virtuosity', + 'virtuoso', + 'virtuosos', + 'virtuous', 'virtuously', 'virtuousness', 'virtuousnesses', + 'virtus', + 'virucidal', + 'virucide', + 'virucides', + 'virulence', 'virulences', 'virulencies', + 'virulency', + 'virulent', 'virulently', 'viruliferous', + 'virus', + 'viruses', + 'vis', + 'visa', + 'visaed', + 'visage', + 'visaged', + 'visages', + 'visaing', + 'visard', + 'visards', + 'visas', + 'viscacha', + 'viscachas', + 'viscera', + 'visceral', 'viscerally', + 'viscid', 'viscidities', + 'viscidity', + 'viscidly', 'viscoelastic', 'viscoelasticities', 'viscoelasticity', + 'viscoid', 'viscometer', 'viscometers', 'viscometric', 'viscometries', 'viscometry', + 'viscose', + 'viscoses', 'viscosimeter', 'viscosimeters', 'viscosimetric', 'viscosities', + 'viscosity', + 'viscount', 'viscountcies', 'viscountcy', 'viscountess', 'viscountesses', 'viscounties', + 'viscounts', + 'viscounty', + 'viscous', + 'viscously', 'viscousness', 'viscousnesses', + 'viscus', + 'vise', + 'vised', + 'viseed', + 'viseing', + 'viselike', + 'vises', 'visibilities', 'visibility', + 'visible', 'visibleness', 'visiblenesses', + 'visibly', + 'vising', + 'vision', + 'visional', 'visionally', 'visionaries', 'visionariness', 'visionarinesses', + 'visionary', + 'visioned', + 'visioning', 'visionless', + 'visions', + 'visit', + 'visitable', + 'visitant', + 'visitants', 'visitation', 'visitations', 'visitatorial', + 'visited', + 'visiter', + 'visiters', + 'visiting', + 'visitor', + 'visitors', + 'visits', + 'visive', + 'visor', + 'visored', + 'visoring', + 'visorless', + 'visors', + 'vista', + 'vistaed', + 'vistas', + 'visual', + 'visualise', 'visualised', 'visualises', 'visualising', 'visualization', 'visualizations', + 'visualize', 'visualized', 'visualizer', 'visualizers', 'visualizes', 'visualizing', + 'visually', + 'visuals', + 'vita', + 'vitae', + 'vital', + 'vitalise', + 'vitalised', + 'vitalises', 'vitalising', + 'vitalism', + 'vitalisms', + 'vitalist', 'vitalistic', + 'vitalists', 'vitalities', + 'vitality', 'vitalization', 'vitalizations', + 'vitalize', + 'vitalized', + 'vitalizes', 'vitalizing', + 'vitally', + 'vitals', + 'vitamer', + 'vitamers', + 'vitamin', + 'vitamine', + 'vitamines', + 'vitamins', + 'vitellin', + 'vitelline', + 'vitellins', 'vitellogeneses', 'vitellogenesis', + 'vitellus', 'vitelluses', + 'vitesse', + 'vitesses', + 'vitiable', + 'vitiate', + 'vitiated', + 'vitiates', + 'vitiating', + 'vitiation', 'vitiations', + 'vitiator', + 'vitiators', 'viticultural', 'viticulturally', 'viticulture', 'viticultures', 'viticulturist', 'viticulturists', + 'vitiligo', + 'vitiligos', + 'vitrain', + 'vitrains', 'vitrectomies', 'vitrectomy', + 'vitreous', 'vitreouses', + 'vitric', + 'vitrics', 'vitrifiable', 'vitrification', 'vitrifications', + 'vitrified', + 'vitrifies', + 'vitrify', 'vitrifying', + 'vitrine', + 'vitrines', + 'vitriol', + 'vitrioled', + 'vitriolic', 'vitrioling', 'vitriolled', 'vitriolling', + 'vitriols', + 'vitta', + 'vittae', + 'vittate', + 'vittle', + 'vittled', + 'vittles', + 'vittling', + 'vituline', 'vituperate', 'vituperated', 'vituperates', @@ -66404,19 +167381,48 @@ export const scrabble_array = [ 'vituperator', 'vituperators', 'vituperatory', + 'viva', + 'vivace', + 'vivaces', + 'vivacious', 'vivaciously', 'vivaciousness', 'vivaciousnesses', 'vivacities', + 'vivacity', 'vivandiere', 'vivandieres', + 'vivaria', + 'vivaries', + 'vivarium', + 'vivariums', + 'vivary', + 'vivas', + 'vive', + 'viverrid', + 'viverrids', + 'vivers', + 'vivid', + 'vivider', + 'vividest', + 'vividly', + 'vividness', 'vividnesses', + 'vivific', 'vivification', 'vivifications', + 'vivified', + 'vivifier', + 'vivifiers', + 'vivifies', + 'vivify', + 'vivifying', + 'vivipara', 'viviparities', 'viviparity', 'viviparous', 'viviparously', + 'vivisect', 'vivisected', 'vivisecting', 'vivisection', @@ -66426,25 +167432,76 @@ export const scrabble_array = [ 'vivisections', 'vivisector', 'vivisectors', + 'vivisects', + 'vixen', + 'vixenish', + 'vixenly', + 'vixens', + 'vizard', + 'vizarded', + 'vizards', + 'vizcacha', + 'vizcachas', + 'vizier', + 'vizierate', 'vizierates', + 'vizierial', + 'viziers', 'viziership', 'vizierships', + 'vizir', + 'vizirate', + 'vizirates', + 'vizirial', + 'vizirs', + 'vizor', + 'vizored', + 'vizoring', + 'vizors', + 'vizsla', + 'vizslas', + 'vocable', + 'vocables', + 'vocably', + 'vocabular', 'vocabularies', 'vocabulary', + 'vocal', + 'vocalic', 'vocalically', + 'vocalics', + 'vocalise', + 'vocalised', + 'vocalises', 'vocalising', + 'vocalism', + 'vocalisms', + 'vocalist', + 'vocalists', 'vocalities', + 'vocality', 'vocalization', 'vocalizations', + 'vocalize', + 'vocalized', + 'vocalizer', 'vocalizers', + 'vocalizes', 'vocalizing', + 'vocally', + 'vocals', + 'vocation', 'vocational', 'vocationalism', 'vocationalisms', 'vocationalist', 'vocationalists', 'vocationally', + 'vocations', + 'vocative', 'vocatively', + 'vocatives', + 'voces', 'vociferant', 'vociferate', 'vociferated', @@ -66458,20 +167515,65 @@ export const scrabble_array = [ 'vociferously', 'vociferousness', 'vociferousnesses', + 'vocoder', + 'vocoders', + 'vodka', + 'vodkas', + 'vodoun', + 'vodouns', + 'vodun', + 'voduns', + 'voe', + 'voes', + 'vogie', + 'vogue', + 'vogued', + 'vogueing', + 'voguer', + 'voguers', + 'vogues', + 'voguing', + 'voguish', 'voguishness', 'voguishnesses', + 'voice', + 'voiced', + 'voiceful', 'voicefulness', 'voicefulnesses', + 'voiceless', 'voicelessly', 'voicelessness', 'voicelessnesses', 'voiceprint', 'voiceprints', + 'voicer', + 'voicers', + 'voices', + 'voicing', + 'void', + 'voidable', 'voidableness', 'voidablenesses', + 'voidance', + 'voidances', + 'voided', + 'voider', + 'voiders', + 'voiding', + 'voidness', 'voidnesses', + 'voids', + 'voila', + 'voile', + 'voiles', + 'volant', + 'volante', + 'volar', + 'volatile', 'volatileness', 'volatilenesses', + 'volatiles', 'volatilise', 'volatilised', 'volatilises', @@ -66485,29 +167587,76 @@ export const scrabble_array = [ 'volatilized', 'volatilizes', 'volatilizing', + 'volcanic', 'volcanically', 'volcanicities', 'volcanicity', + 'volcanics', + 'volcanism', 'volcanisms', + 'volcano', + 'volcanoes', 'volcanologic', 'volcanological', 'volcanologies', 'volcanologist', 'volcanologists', 'volcanology', + 'volcanos', + 'vole', + 'voled', + 'voleries', + 'volery', + 'voles', + 'voling', + 'volitant', + 'volition', 'volitional', + 'volitions', + 'volitive', + 'volkslied', 'volkslieder', + 'volley', 'volleyball', 'volleyballs', + 'volleyed', + 'volleyer', + 'volleyers', + 'volleying', + 'volleys', + 'volost', + 'volosts', + 'volplane', + 'volplaned', + 'volplanes', 'volplaning', + 'volt', + 'volta', + 'voltage', + 'voltages', + 'voltaic', + 'voltaism', + 'voltaisms', + 'volte', + 'voltes', + 'volti', + 'voltmeter', 'voltmeters', + 'volts', 'volubilities', 'volubility', + 'voluble', 'volubleness', 'volublenesses', + 'volubly', + 'volume', + 'volumed', + 'volumes', + 'volumeter', 'volumeters', 'volumetric', 'volumetrically', + 'voluming', 'voluminosities', 'voluminosity', 'voluminous', @@ -66523,10 +167672,12 @@ export const scrabble_array = [ 'voluntarist', 'voluntaristic', 'voluntarists', + 'voluntary', 'voluntaryism', 'voluntaryisms', 'voluntaryist', 'voluntaryists', + 'volunteer', 'volunteered', 'volunteering', 'volunteerism', @@ -66538,49 +167689,178 @@ export const scrabble_array = [ 'voluptuously', 'voluptuousness', 'voluptuousnesses', + 'volute', + 'voluted', + 'volutes', + 'volutin', + 'volutins', + 'volution', + 'volutions', + 'volva', + 'volvas', + 'volvate', + 'volvox', + 'volvoxes', + 'volvuli', + 'volvulus', 'volvuluses', + 'vomer', + 'vomerine', + 'vomers', + 'vomica', + 'vomicae', + 'vomit', + 'vomited', + 'vomiter', + 'vomiters', + 'vomiting', + 'vomitive', + 'vomitives', + 'vomito', 'vomitories', + 'vomitory', + 'vomitos', + 'vomitous', + 'vomits', + 'vomitus', + 'vomituses', + 'voodoo', + 'voodooed', + 'voodooing', + 'voodooism', 'voodooisms', + 'voodooist', 'voodooistic', 'voodooists', + 'voodoos', + 'voracious', 'voraciously', 'voraciousness', 'voraciousnesses', 'voracities', + 'voracity', + 'vorlage', + 'vorlages', + 'vortex', + 'vortexes', + 'vortical', 'vortically', 'vorticella', 'vorticellae', 'vorticellas', + 'vortices', + 'vorticism', 'vorticisms', + 'vorticist', 'vorticists', 'vorticities', + 'vorticity', + 'vorticose', + 'votable', + 'votaress', 'votaresses', + 'votaries', + 'votarist', + 'votarists', + 'votary', + 'vote', + 'voteable', + 'voted', + 'voteless', + 'voter', + 'voters', + 'votes', + 'voting', + 'votive', + 'votively', 'votiveness', 'votivenesses', + 'votress', + 'votresses', + 'vouch', + 'vouched', + 'vouchee', + 'vouchees', + 'voucher', + 'vouchered', 'vouchering', + 'vouchers', + 'vouches', + 'vouching', + 'vouchsafe', 'vouchsafed', 'vouchsafement', 'vouchsafements', 'vouchsafes', 'vouchsafing', + 'voussoir', + 'voussoirs', + 'vouvray', + 'vouvrays', + 'vow', + 'vowed', + 'vowel', + 'vowelize', + 'vowelized', + 'vowelizes', 'vowelizing', + 'vowels', + 'vower', + 'vowers', + 'vowing', + 'vowless', + 'vows', + 'vox', + 'voyage', + 'voyaged', + 'voyager', + 'voyagers', + 'voyages', + 'voyageur', + 'voyageurs', + 'voyaging', + 'voyeur', + 'voyeurism', 'voyeurisms', 'voyeuristic', 'voyeuristically', + 'voyeurs', + 'vroom', + 'vroomed', + 'vrooming', + 'vrooms', + 'vrouw', + 'vrouws', + 'vrow', + 'vrows', + 'vug', + 'vugg', + 'vuggier', + 'vuggiest', + 'vuggs', + 'vuggy', + 'vugh', + 'vughs', + 'vugs', + 'vulcanian', + 'vulcanic', 'vulcanicities', 'vulcanicity', 'vulcanisate', 'vulcanisates', 'vulcanisation', 'vulcanisations', + 'vulcanise', 'vulcanised', 'vulcanises', 'vulcanising', + 'vulcanism', 'vulcanisms', 'vulcanizate', 'vulcanizates', 'vulcanization', 'vulcanizations', + 'vulcanize', 'vulcanized', 'vulcanizer', 'vulcanizers', @@ -66590,19 +167870,34 @@ export const scrabble_array = [ 'vulcanologist', 'vulcanologists', 'vulcanology', + 'vulgar', + 'vulgarer', + 'vulgarest', + 'vulgarian', 'vulgarians', + 'vulgarise', 'vulgarised', 'vulgarises', 'vulgarising', + 'vulgarism', 'vulgarisms', 'vulgarities', + 'vulgarity', 'vulgarization', 'vulgarizations', + 'vulgarize', 'vulgarized', 'vulgarizer', 'vulgarizers', 'vulgarizes', 'vulgarizing', + 'vulgarly', + 'vulgars', + 'vulgate', + 'vulgates', + 'vulgo', + 'vulgus', + 'vulguses', 'vulnerabilities', 'vulnerability', 'vulnerable', @@ -66610,65 +167905,492 @@ export const scrabble_array = [ 'vulnerablenesses', 'vulnerably', 'vulneraries', + 'vulnerary', + 'vulpine', + 'vulture', + 'vultures', + 'vulturine', + 'vulturish', + 'vulturous', + 'vulva', + 'vulvae', + 'vulval', + 'vulvar', + 'vulvas', + 'vulvate', + 'vulvitis', 'vulvitises', 'vulvovaginitis', 'vulvovaginitises', + 'vying', + 'vyingly', + 'wab', + 'wabble', + 'wabbled', + 'wabbler', + 'wabblers', + 'wabbles', + 'wabblier', + 'wabbliest', + 'wabbling', + 'wabbly', + 'wabs', + 'wack', + 'wacke', + 'wackes', + 'wackier', + 'wackiest', + 'wackily', + 'wackiness', 'wackinesses', + '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', + 'wadsetted', 'wadsetting', + 'wady', + 'wae', + 'waeful', + 'waeness', + 'waenesses', + 'waes', + 'waesuck', + 'waesucks', + 'wafer', + 'wafered', + 'wafering', + 'wafers', + 'wafery', + 'waff', + 'waffed', + 'waffie', + 'waffies', + 'waffing', + 'waffle', + 'waffled', + 'waffler', + 'wafflers', + 'waffles', 'wafflestomper', 'wafflestompers', + 'waffling', + 'wafflings', + 'waffs', + 'waft', + 'waftage', + 'waftages', + 'wafted', + 'wafter', + 'wafters', + 'wafting', + 'wafts', + 'wafture', + 'waftures', + 'wag', + 'wage', + 'waged', + 'wageless', + 'wager', + 'wagered', + 'wagerer', + 'wagerers', + 'wagering', + 'wagers', + 'wages', 'wageworker', 'wageworkers', + 'wagged', + 'wagger', + 'waggeries', + 'waggers', + 'waggery', + 'wagging', + 'waggish', + 'waggishly', 'waggishness', 'waggishnesses', + 'waggle', + 'waggled', + 'waggles', + 'waggling', + 'waggly', + 'waggon', + 'waggoned', + 'waggoner', + 'waggoners', + 'waggoning', + 'waggons', + 'waging', + 'wagon', + 'wagonage', + 'wagonages', + 'wagoned', + 'wagoner', + 'wagoners', + 'wagonette', 'wagonettes', + 'wagoning', + 'wagons', + 'wags', + 'wagsome', + 'wagtail', + 'wagtails', + 'wahconda', + 'wahcondas', + 'wahine', + 'wahines', + 'wahoo', + 'wahoos', + 'waif', + 'waifed', + 'waifing', + 'waiflike', + 'waifs', + 'wail', + 'wailed', + 'wailer', + 'wailers', + 'wailful', + 'wailfully', + 'wailing', + 'wails', + 'wailsome', + 'wain', + 'wains', + 'wainscot', 'wainscoted', 'wainscoting', 'wainscotings', + 'wainscots', 'wainscotted', 'wainscotting', 'wainscottings', 'wainwright', 'wainwrights', + 'wair', + 'waired', + 'wairing', + 'wairs', + 'waist', + 'waistband', 'waistbands', + 'waistcoat', 'waistcoated', 'waistcoats', + 'waisted', + 'waister', + 'waisters', + 'waisting', + 'waistings', + 'waistline', 'waistlines', + 'waists', + 'wait', + 'waited', + 'waiter', + 'waiters', + 'waiting', + 'waitings', 'waitperson', 'waitpersons', + 'waitress', 'waitressed', 'waitresses', 'waitressing', + 'waits', + 'waive', + 'waived', + 'waiver', + 'waivers', + 'waives', + 'waiving', + 'wakanda', + 'wakandas', + 'wake', + 'waked', + 'wakeful', + 'wakefully', 'wakefulness', 'wakefulnesses', + 'wakeless', + 'waken', + 'wakened', + 'wakener', + 'wakeners', + 'wakening', + 'wakenings', + 'wakens', + 'waker', + 'wakerife', + 'wakers', + 'wakes', + 'wakiki', + 'wakikis', + 'waking', + 'wale', + 'waled', + 'waler', + 'walers', + 'wales', + 'walies', + 'waling', + 'walk', + 'walkable', + 'walkabout', 'walkabouts', + 'walkathon', 'walkathons', + 'walkaway', + 'walkaways', + 'walked', + 'walker', + 'walkers', + 'walking', + 'walkings', 'walkingstick', 'walkingsticks', + 'walkout', + 'walkouts', + 'walkover', + 'walkovers', + 'walks', + 'walkup', + 'walkups', + 'walkway', + 'walkways', + 'walkyrie', + 'walkyries', + 'wall', + 'walla', + 'wallabies', + 'wallaby', + 'wallah', + 'wallahs', + 'wallaroo', + 'wallaroos', + 'wallas', + 'wallboard', 'wallboards', + 'walled', + 'wallet', + 'wallets', + 'walleye', + 'walleyed', + 'walleyes', 'wallflower', 'wallflowers', + 'wallie', + 'wallies', + 'walling', + 'wallop', + 'walloped', + 'walloper', + 'wallopers', + 'walloping', + 'wallops', + 'wallow', + 'wallowed', + 'wallower', + 'wallowers', + 'wallowing', + 'wallows', + 'wallpaper', 'wallpapered', 'wallpapering', 'wallpapers', + 'walls', + 'wally', 'wallydraigle', 'wallydraigles', + 'walnut', + 'walnuts', + 'walrus', + 'walruses', + 'waltz', + 'waltzed', + 'waltzer', + 'waltzers', + 'waltzes', + 'waltzing', + 'waly', + 'wamble', + 'wambled', + 'wambles', + 'wamblier', + 'wambliest', + 'wambling', + 'wambly', + 'wame', + 'wamefou', + 'wamefous', + 'wameful', + 'wamefuls', + 'wames', + 'wammus', + 'wammuses', + 'wampish', + 'wampished', + 'wampishes', 'wampishing', + 'wampum', 'wampumpeag', 'wampumpeags', + 'wampums', + 'wampus', + 'wampuses', + 'wamus', + 'wamuses', + 'wan', + 'wand', + 'wander', + 'wandered', + 'wanderer', + 'wanderers', + 'wandering', 'wanderings', 'wanderlust', 'wanderlusts', + 'wanderoo', + 'wanderoos', + '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', + 'wanned', + 'wanner', + 'wanness', + 'wannesses', + 'wannest', + 'wannigan', + 'wannigans', + 'wanning', + 'wans', + 'want', + 'wantage', + 'wantages', + 'wanted', + 'wanter', + 'wanters', + 'wanting', + 'wanton', + 'wantoned', + 'wantoner', + 'wantoners', + 'wantoning', + 'wantonly', 'wantonness', 'wantonnesses', + 'wantons', + 'wants', + 'wany', + 'wap', + 'wapentake', 'wapentakes', + 'wapiti', + 'wapitis', + 'wapped', 'wappenschawing', 'wappenschawings', + 'wapping', + 'waps', + 'war', + 'warble', + 'warbled', + 'warbler', + 'warblers', + 'warbles', + 'warbling', + 'warbonnet', 'warbonnets', + 'warcraft', + 'warcrafts', + 'ward', + 'warded', + 'warden', 'wardenries', + 'wardenry', + 'wardens', 'wardenship', 'wardenships', + 'warder', + 'warders', + 'warding', + 'wardress', 'wardresses', + 'wardrobe', + 'wardrobes', + 'wardroom', + 'wardrooms', + 'wards', + 'wardship', + 'wardships', + 'ware', + 'wared', + 'warehouse', 'warehoused', 'warehouseman', 'warehousemen', @@ -66676,72 +168398,302 @@ export const scrabble_array = [ 'warehousers', 'warehouses', 'warehousing', + 'wareroom', + 'warerooms', + 'wares', + 'warfare', + 'warfares', + 'warfarin', + 'warfarins', + 'warhead', + 'warheads', + 'warhorse', + 'warhorses', + 'warier', + 'wariest', + 'warily', + 'wariness', 'warinesses', + 'waring', + 'warison', + 'warisons', + 'wark', + 'warked', + 'warking', + 'warks', + 'warless', + 'warlike', + 'warlock', + 'warlocks', + 'warlord', 'warlordism', 'warlordisms', + 'warlords', + 'warm', + 'warmaker', + 'warmakers', 'warmblooded', + 'warmed', + 'warmer', + 'warmers', + 'warmest', 'warmhearted', 'warmheartedness', 'warmheartednesses', + 'warming', + 'warmish', + 'warmly', + 'warmness', 'warmnesses', + 'warmonger', 'warmongering', 'warmongerings', 'warmongers', + 'warmouth', + 'warmouths', + 'warms', + 'warmth', + 'warmths', + 'warmup', + 'warmups', + 'warn', + 'warned', + 'warner', + 'warners', + 'warning', + 'warningly', + 'warnings', + 'warns', + 'warp', + 'warpage', + 'warpages', + 'warpath', + 'warpaths', + 'warped', + 'warper', + 'warpers', + 'warping', + 'warplane', + 'warplanes', + 'warpower', + 'warpowers', + 'warps', + 'warpwise', + 'warragal', + 'warragals', + 'warrant', 'warrantable', 'warrantableness', 'warrantablenesses', 'warrantably', + 'warranted', + 'warrantee', 'warrantees', + 'warranter', 'warranters', 'warranties', 'warranting', 'warrantless', + 'warrantor', 'warrantors', + 'warrants', + 'warranty', + 'warred', + 'warren', + 'warrener', + 'warreners', + 'warrens', + 'warrigal', + 'warrigals', + 'warring', + 'warrior', + 'warriors', + 'wars', + 'warsaw', + 'warsaws', + 'warship', + 'warships', + 'warsle', + 'warsled', + 'warsler', + 'warslers', + 'warsles', + 'warsling', + 'warstle', + 'warstled', + 'warstler', + 'warstlers', + 'warstles', + 'warstling', + 'wart', + 'warted', + 'warthog', + 'warthogs', + 'wartier', + 'wartiest', + 'wartime', + 'wartimes', + 'wartless', + 'wartlike', + 'warts', + 'warty', + 'warwork', + 'warworks', + 'warworn', + 'wary', + 'was', + 'wasabi', + 'wasabis', + 'wash', 'washabilities', 'washability', + 'washable', + 'washables', 'washateria', 'washaterias', + 'washbasin', 'washbasins', + 'washboard', 'washboards', + 'washbowl', + 'washbowls', + 'washcloth', 'washcloths', + 'washday', + 'washdays', + 'washed', + 'washer', + 'washerman', + 'washermen', + 'washers', 'washerwoman', 'washerwomen', + 'washes', 'washeteria', 'washeterias', + 'washhouse', 'washhouses', + 'washier', + 'washiest', + 'washing', + 'washings', + 'washout', + 'washouts', + 'washrag', + 'washrags', + 'washroom', + 'washrooms', + 'washstand', 'washstands', + 'washtub', + 'washtubs', + 'washup', + 'washups', + 'washwoman', + 'washwomen', + 'washy', + 'wasp', + 'waspier', + 'waspiest', + 'waspily', + 'waspish', + 'waspishly', 'waspishness', 'waspishnesses', + 'wasplike', + 'wasps', + 'waspy', + 'wassail', + 'wassailed', + 'wassailer', 'wassailers', 'wassailing', + 'wassails', + 'wast', + 'wastable', + 'wastage', + 'wastages', + 'waste', 'wastebasket', 'wastebaskets', + 'wasted', + 'wasteful', 'wastefully', 'wastefulness', 'wastefulnesses', + 'wasteland', 'wastelands', + 'wastelot', + 'wastelots', 'wastepaper', 'wastepapers', + 'waster', + 'wasterie', + 'wasteries', + 'wasters', + 'wastery', + 'wastes', 'wastewater', 'wastewaters', + 'wasteway', + 'wasteways', + 'wasting', + 'wastrel', + 'wastrels', + 'wastrie', + 'wastries', + 'wastry', + 'wasts', + 'wat', + 'watap', + 'watape', + 'watapes', + 'wataps', + 'watch', + 'watchable', 'watchables', + 'watchband', 'watchbands', + 'watchcase', 'watchcases', 'watchcries', + 'watchcry', + 'watchdog', 'watchdogged', 'watchdogging', + 'watchdogs', + 'watched', + 'watcher', + 'watchers', + 'watches', + 'watcheye', + 'watcheyes', + 'watchful', 'watchfully', 'watchfulness', 'watchfulnesses', + 'watching', 'watchmaker', 'watchmakers', 'watchmaking', 'watchmakings', + 'watchman', + 'watchmen', + 'watchout', + 'watchouts', 'watchtower', 'watchtowers', + 'watchword', 'watchwords', + 'water', + 'waterage', + 'waterages', + 'waterbed', + 'waterbeds', + 'waterbird', 'waterbirds', 'waterborne', + 'waterbuck', 'waterbucks', 'watercolor', 'watercolorist', @@ -66755,11 +168707,18 @@ export const scrabble_array = [ 'watercrafts', 'watercress', 'watercresses', + 'waterdog', + 'waterdogs', + 'watered', + 'waterer', + 'waterers', + 'waterfall', 'waterfalls', 'waterflood', 'waterflooded', 'waterflooding', 'waterfloods', + 'waterfowl', 'waterfowler', 'waterfowlers', 'waterfowling', @@ -66767,23 +168726,39 @@ export const scrabble_array = [ 'waterfowls', 'waterfront', 'waterfronts', + 'waterier', + 'wateriest', + 'waterily', 'wateriness', 'waterinesses', + 'watering', + 'waterings', + 'waterish', 'waterishness', 'waterishnesses', + 'waterleaf', 'waterleafs', + 'waterless', 'waterlessness', 'waterlessnesses', + 'waterline', 'waterlines', + 'waterlog', 'waterlogged', 'waterlogging', + 'waterlogs', + 'waterloo', + 'waterloos', + 'waterman', 'watermanship', 'watermanships', + 'watermark', 'watermarked', 'watermarking', 'watermarks', 'watermelon', 'watermelons', + 'watermen', 'waterpower', 'waterpowers', 'waterproof', @@ -66795,9 +168770,12 @@ export const scrabble_array = [ 'waterproofness', 'waterproofnesses', 'waterproofs', + 'waters', 'waterscape', 'waterscapes', + 'watershed', 'watersheds', + 'waterside', 'watersides', 'waterskiing', 'waterskiings', @@ -66808,46 +168786,246 @@ export const scrabble_array = [ 'watertight', 'watertightness', 'watertightnesses', + 'waterway', + 'waterways', + 'waterweed', 'waterweeds', 'waterwheel', 'waterwheels', 'waterworks', + 'waterworn', + 'watery', + 'waterzooi', 'waterzoois', + 'wats', + 'watt', + 'wattage', + 'wattages', + 'wattape', + 'wattapes', + 'watter', + 'wattest', + 'watthour', + 'watthours', + 'wattle', 'wattlebird', 'wattlebirds', + 'wattled', + 'wattles', + 'wattless', + 'wattling', + 'wattmeter', 'wattmeters', + 'watts', + 'waucht', + 'wauchted', + 'wauchting', + 'wauchts', + 'waugh', + 'waught', + 'waughted', + 'waughting', + 'waughts', + 'wauk', + 'wauked', + 'wauking', + 'wauks', + 'waul', + 'wauled', + 'wauling', + 'wauls', + 'waur', + 'wave', + 'waveband', + 'wavebands', + 'waved', + 'waveform', + 'waveforms', + 'waveguide', 'waveguides', 'wavelength', 'wavelengths', + 'waveless', 'wavelessly', + 'wavelet', + 'wavelets', + 'wavelike', + 'waveoff', + 'waveoffs', + 'waver', + 'wavered', + 'waverer', + 'waverers', + 'wavering', 'waveringly', + 'wavers', + 'wavery', + 'waves', + 'waveshape', 'waveshapes', + 'wavey', + 'waveys', + 'wavier', + 'wavies', + 'waviest', + 'wavily', + 'waviness', 'wavinesses', + 'waving', + 'wavy', + 'waw', + 'wawl', + 'wawled', + 'wawling', + 'wawls', + 'waws', + 'wax', 'waxberries', + 'waxberry', + 'waxbill', + 'waxbills', + 'waxed', + 'waxen', + 'waxer', + 'waxers', + 'waxes', + 'waxier', + 'waxiest', + 'waxily', + 'waxiness', 'waxinesses', + 'waxing', + 'waxings', + 'waxlike', + 'waxplant', + 'waxplants', + 'waxweed', + 'waxweeds', + 'waxwing', + 'waxwings', + 'waxwork', + 'waxworks', + 'waxworm', + 'waxworms', + 'waxy', + 'way', + 'waybill', + 'waybills', + 'wayfarer', + 'wayfarers', + 'wayfaring', + 'waygoing', + 'waygoings', + 'waylaid', + 'waylay', + 'waylayer', + 'waylayers', + 'waylaying', + 'waylays', + 'wayless', + 'ways', + 'wayside', + 'waysides', + 'wayward', + 'waywardly', 'waywardness', 'waywardnesses', + 'wayworn', + 'we', + 'weak', + 'weaken', + 'weakened', + 'weakener', + 'weakeners', + 'weakening', + 'weakens', + 'weaker', + 'weakest', + 'weakfish', 'weakfishes', 'weakhearted', + 'weakish', + 'weaklier', + 'weakliest', 'weakliness', 'weaklinesses', + 'weakling', + 'weaklings', + 'weakly', + 'weakness', 'weaknesses', + 'weakside', + 'weaksides', + 'weal', + 'weald', + 'wealds', + 'weals', + 'wealth', + 'wealthier', 'wealthiest', + 'wealthily', 'wealthiness', 'wealthinesses', + 'wealths', + 'wealthy', + 'wean', + 'weaned', + 'weaner', + 'weaners', + 'weaning', + 'weanling', + 'weanlings', + 'weans', + 'weapon', + 'weaponed', + 'weaponing', 'weaponless', 'weaponries', + 'weaponry', + 'weapons', + 'wear', 'wearabilities', 'wearability', + 'wearable', + 'wearables', + 'wearer', + 'wearers', + 'wearied', + 'wearier', + 'wearies', + 'weariest', + 'weariful', 'wearifully', 'wearifulness', 'wearifulnesses', + 'weariless', 'wearilessly', + 'wearily', + 'weariness', 'wearinesses', + 'wearing', + 'wearingly', + 'wearish', + 'wearisome', 'wearisomely', 'wearisomeness', 'wearisomenesses', + 'wears', + 'weary', + 'wearying', + 'weasand', + 'weasands', + 'weasel', + 'weaseled', + 'weaseling', + 'weaselled', 'weaselling', + 'weaselly', + 'weasels', + 'weasely', + 'weason', + 'weasons', + 'weather', 'weatherabilities', 'weatherability', 'weatherboard', @@ -66861,6 +169039,7 @@ export const scrabble_array = [ 'weathercasts', 'weathercock', 'weathercocks', + 'weathered', 'weatherglass', 'weatherglasses', 'weathering', @@ -66871,6 +169050,7 @@ export const scrabble_array = [ 'weatherized', 'weatherizes', 'weatherizing', + 'weatherly', 'weatherman', 'weathermen', 'weatherperson', @@ -66881,16 +169061,163 @@ export const scrabble_array = [ 'weatherproofness', 'weatherproofnesses', 'weatherproofs', + 'weathers', 'weatherworn', + 'weave', + 'weaved', + 'weaver', 'weaverbird', 'weaverbirds', + 'weavers', + 'weaves', + 'weaving', + 'weazand', + 'weazands', + 'web', + 'webbed', + 'webbier', + 'webbiest', + 'webbing', + 'webbings', + 'webby', + 'weber', + 'webers', + 'webfed', + 'webfeet', + 'webfoot', + 'webless', + 'weblike', + 'webs', + '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', + 'weediness', 'weedinesses', + 'weeding', + 'weedless', + 'weedlike', + 'weeds', + 'weedy', + 'week', + 'weekday', + 'weekdays', + 'weekend', + 'weekended', + 'weekender', 'weekenders', 'weekending', + 'weekends', + 'weeklies', + 'weeklong', + 'weekly', + 'weeknight', 'weeknights', + 'weeks', + 'weel', + 'ween', + 'weened', + 'weenie', + 'weenier', + 'weenies', + 'weeniest', + 'weening', + 'weens', + 'weensier', + 'weensiest', + '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', + 'weeweeing', + 'weewees', + 'weft', + 'wefts', + 'weftwise', + 'weigela', + 'weigelas', + 'weigelia', + 'weigelias', + 'weigh', + 'weighable', + 'weighed', + 'weigher', + 'weighers', + 'weighing', + 'weighman', + 'weighmen', + 'weighs', + 'weight', + 'weighted', + 'weighter', + 'weighters', + 'weightier', 'weightiest', + 'weightily', 'weightiness', 'weightinesses', + 'weighting', 'weightless', 'weightlessly', 'weightlessness', @@ -66899,29 +169226,163 @@ export const scrabble_array = [ 'weightlifters', 'weightlifting', 'weightliftings', + 'weights', + 'weighty', 'weimaraner', 'weimaraners', + 'weiner', + 'weiners', + 'weir', + 'weird', + 'weirder', + 'weirdest', + 'weirdie', + 'weirdies', + 'weirdly', + 'weirdness', 'weirdnesses', + 'weirdo', + 'weirdoes', + 'weirdos', + 'weirds', + 'weirdy', + 'weirs', 'weisenheimer', 'weisenheimers', + 'weka', + 'wekas', + 'welch', + 'welched', + 'welcher', + 'welchers', + 'welches', + 'welching', + 'welcome', + 'welcomed', + 'welcomely', 'welcomeness', 'welcomenesses', + 'welcomer', + 'welcomers', + 'welcomes', + 'welcoming', + 'weld', + 'weldable', + 'welded', + 'welder', + 'welders', + 'welding', + 'weldless', + 'weldment', + 'weldments', + 'weldor', + 'weldors', + 'welds', + 'welfare', + 'welfares', + 'welfarism', 'welfarisms', + 'welfarist', 'welfarists', + 'welkin', + 'welkins', + 'well', + 'welladay', + 'welladays', + 'wellaway', + 'wellaways', + 'wellborn', + 'wellcurb', + 'wellcurbs', + 'welldoer', + 'welldoers', + 'welled', + 'wellhead', + 'wellheads', + 'wellhole', + 'wellholes', + 'wellie', + 'wellies', + 'welling', + 'wellness', 'wellnesses', + 'wells', + 'wellsite', + 'wellsites', 'wellspring', 'wellsprings', + 'welly', + 'welsh', + 'welshed', + 'welsher', + 'welshers', + 'welshes', + 'welshing', + 'welt', 'weltanschauung', 'weltanschauungen', 'weltanschauungs', + 'welted', + 'welter', + 'weltered', + 'weltering', + 'welters', 'welterweight', 'welterweights', + 'welting', + 'weltings', + 'welts', 'weltschmerz', 'weltschmerzes', + 'wen', + 'wench', + 'wenched', + 'wencher', + 'wenchers', + 'wenches', + 'wenching', + 'wend', + 'wended', + 'wendigo', + 'wendigos', + 'wending', + 'wends', + 'wennier', + 'wenniest', + 'wennish', + 'wenny', + 'wens', + 'went', 'wentletrap', 'wentletraps', + 'wept', + 'were', + 'weregild', + 'weregilds', + 'werewolf', 'werewolves', + 'wergeld', + 'wergelds', + 'wergelt', + 'wergelts', + 'wergild', + 'wergilds', + 'wert', + 'werwolf', + 'werwolves', + 'weskit', + 'weskits', + 'wessand', + 'wessands', + 'west', + 'westbound', + 'wester', + 'westered', + 'westering', 'westerlies', + 'westerly', + 'western', + 'westerner', 'westerners', 'westernisation', 'westernisations', @@ -66936,445 +169397,1924 @@ export const scrabble_array = [ 'westernizes', 'westernizing', 'westernmost', + 'westerns', + 'westers', + 'westing', + 'westings', + 'westmost', + 'wests', + 'westward', + 'westwards', + 'wet', + 'wetback', + 'wetbacks', + 'wether', + 'wethers', + 'wetland', + 'wetlands', + 'wetly', + 'wetness', + 'wetnesses', + 'wetproof', + 'wets', 'wettabilities', 'wettability', + 'wettable', + 'wetted', + 'wetter', + 'wetters', + 'wettest', + 'wetting', + 'wettings', + 'wettish', + 'wha', + 'whack', + 'whacked', + 'whacker', + 'whackers', + 'whackier', + 'whackiest', + 'whacking', + 'whacko', + 'whackos', + 'whacks', + 'whacky', + 'whale', + 'whaleback', 'whalebacks', + 'whaleboat', 'whaleboats', + 'whalebone', 'whalebones', + 'whaled', + 'whalelike', + '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', + 'wharfages', + 'wharfed', + 'wharfing', 'wharfinger', 'wharfingers', 'wharfmaster', 'wharfmasters', + 'wharfs', + 'wharve', + 'wharves', + 'what', 'whatchamacallit', 'whatchamacallits', + 'whatever', + 'whatness', 'whatnesses', + 'whatnot', + 'whatnots', + 'whats', + 'whatsis', + 'whatsises', + 'whatsit', + 'whatsits', 'whatsoever', + 'whaup', + 'whaups', + 'wheal', + 'wheals', + 'wheat', + 'wheatear', + 'wheatears', + 'wheaten', + 'wheatens', + 'wheats', + 'whee', + 'wheedle', + 'wheedled', + 'wheedler', + 'wheedlers', + 'wheedles', + 'wheedling', + 'wheel', 'wheelbarrow', 'wheelbarrowed', 'wheelbarrowing', 'wheelbarrows', + 'wheelbase', 'wheelbases', 'wheelchair', 'wheelchairs', + 'wheeled', + 'wheeler', + 'wheelers', 'wheelhorse', 'wheelhorses', 'wheelhouse', 'wheelhouses', + 'wheelie', + 'wheelies', + 'wheeling', + 'wheelings', + 'wheelless', + 'wheelman', + 'wheelmen', + 'wheels', + 'wheelsman', + 'wheelsmen', + 'wheelwork', 'wheelworks', 'wheelwright', 'wheelwrights', + 'wheen', + 'wheens', + 'wheep', + 'wheeped', + 'wheeping', + 'wheeple', + 'wheepled', + 'wheeples', + 'wheepling', + 'wheeps', + 'wheeze', + 'wheezed', + 'wheezer', + 'wheezers', + 'wheezes', + 'wheezier', + 'wheeziest', + 'wheezily', 'wheeziness', 'wheezinesses', + 'wheezing', + 'wheezy', + 'whelk', + 'whelkier', + 'whelkiest', + 'whelks', + 'whelky', + 'whelm', + 'whelmed', + 'whelming', + 'whelms', + 'whelp', + 'whelped', + 'whelping', + 'whelps', + 'when', + 'whenas', + 'whence', 'whencesoever', + 'whenever', + 'whens', 'whensoever', + 'where', 'whereabout', 'whereabouts', + 'whereas', + 'whereases', + 'whereat', + 'whereby', + 'wherefore', 'wherefores', + 'wherefrom', + 'wherein', + 'whereinto', + 'whereof', + 'whereon', + 'wheres', 'wheresoever', 'wherethrough', + 'whereto', + 'whereunto', + 'whereupon', + 'wherever', + 'wherewith', 'wherewithal', 'wherewithals', + 'wherried', + 'wherries', + 'wherry', + 'wherrying', + 'wherve', + 'wherves', + 'whet', + 'whether', + 'whets', + 'whetstone', 'whetstones', + 'whetted', + 'whetter', + 'whetters', + 'whetting', + 'whew', + 'whews', + 'whey', + 'wheyey', + 'wheyface', + 'wheyfaces', + 'wheyish', + 'wheylike', + 'wheys', + 'which', + 'whichever', 'whichsoever', + 'whicker', + 'whickered', 'whickering', + 'whickers', + 'whid', + 'whidah', + 'whidahs', + 'whidded', + 'whidding', + 'whids', + 'whiff', + 'whiffed', + 'whiffer', + 'whiffers', + 'whiffet', + 'whiffets', + 'whiffing', + 'whiffle', + 'whiffled', + 'whiffler', + 'whifflers', + 'whiffles', 'whiffletree', 'whiffletrees', + 'whiffling', + 'whiffs', + 'whig', 'whigmaleerie', 'whigmaleeries', + 'whigs', + 'while', + 'whiled', + 'whiles', + 'whiling', + 'whilom', + 'whilst', + 'whim', + 'whimbrel', + 'whimbrels', + 'whimper', + 'whimpered', 'whimpering', + 'whimpers', + 'whims', + 'whimsey', + 'whimseys', + 'whimsical', 'whimsicalities', 'whimsicality', 'whimsically', 'whimsicalness', 'whimsicalnesses', + 'whimsied', + 'whimsies', + 'whimsy', + 'whin', + 'whinchat', + 'whinchats', + 'whine', + 'whined', + 'whiner', + 'whiners', + 'whines', + 'whiney', + 'whinge', + 'whinged', + 'whingeing', + 'whinges', + 'whinging', + 'whinier', + 'whiniest', + 'whining', + 'whiningly', + 'whinnied', + 'whinnier', + 'whinnies', + 'whinniest', + 'whinny', + 'whinnying', + 'whins', + 'whinstone', 'whinstones', + 'whiny', + 'whip', + 'whipcord', + 'whipcords', + 'whiplash', 'whiplashes', + 'whiplike', + 'whipped', + 'whipper', + 'whippers', 'whippersnapper', 'whippersnappers', + 'whippet', + 'whippets', + 'whippier', + 'whippiest', + 'whipping', + 'whippings', 'whippletree', 'whippletrees', 'whippoorwill', 'whippoorwills', + 'whippy', + 'whipray', + 'whiprays', + 'whips', + 'whipsaw', + 'whipsawed', 'whipsawing', + 'whipsawn', + 'whipsaws', 'whipstitch', 'whipstitched', 'whipstitches', 'whipstitching', + 'whipstock', 'whipstocks', + 'whipt', + 'whiptail', + 'whiptails', + 'whipworm', + 'whipworms', + 'whir', + 'whirl', + 'whirled', + 'whirler', + 'whirlers', + 'whirlier', + 'whirlies', + 'whirliest', + 'whirligig', 'whirligigs', + 'whirling', + 'whirlpool', 'whirlpools', + 'whirls', + 'whirlwind', 'whirlwinds', + 'whirly', 'whirlybird', 'whirlybirds', + 'whirr', + 'whirred', + 'whirried', + 'whirries', + 'whirring', + 'whirrs', + 'whirry', + 'whirrying', + 'whirs', + 'whish', + 'whished', + 'whishes', + 'whishing', + 'whisht', + 'whishted', + 'whishting', + 'whishts', + 'whisk', + 'whisked', + 'whisker', + 'whiskered', + 'whiskers', + 'whiskery', + 'whiskey', + 'whiskeys', + 'whiskies', + 'whisking', + 'whisks', + 'whisky', + 'whisper', + 'whispered', + 'whisperer', 'whisperers', 'whispering', 'whisperingly', 'whisperings', + 'whispers', + 'whispery', + 'whist', + 'whisted', + 'whisting', + 'whistle', 'whistleable', 'whistleblower', 'whistleblowers', 'whistleblowing', 'whistleblowings', + 'whistled', + 'whistler', + 'whistlers', + 'whistles', + 'whistling', 'whistlings', + 'whists', + 'whit', + 'white', + 'whitebait', 'whitebaits', 'whitebeard', 'whitebeards', + 'whitecap', + 'whitecaps', + 'whited', + 'whiteface', 'whitefaces', + 'whitefish', 'whitefishes', 'whiteflies', + 'whitefly', + 'whitehead', 'whiteheads', + 'whitely', + 'whiten', + 'whitened', + 'whitener', + 'whiteners', + 'whiteness', 'whitenesses', + 'whitening', 'whitenings', + 'whitens', + 'whiteout', + 'whiteouts', + 'whiter', + 'whites', 'whitesmith', 'whitesmiths', + 'whitest', + 'whitetail', 'whitetails', 'whitethroat', 'whitethroats', + 'whitewall', 'whitewalls', + 'whitewash', 'whitewashed', 'whitewasher', 'whitewashers', 'whitewashes', 'whitewashing', 'whitewashings', + 'whitewing', 'whitewings', + 'whitewood', 'whitewoods', + 'whitey', + 'whiteys', + 'whither', 'whithersoever', 'whitherward', + 'whitier', + 'whities', + 'whitiest', + 'whiting', + 'whitings', + 'whitish', + 'whitlow', + 'whitlows', + 'whitrack', + 'whitracks', + 'whits', + 'whitter', + 'whitters', + 'whittle', + 'whittled', + 'whittler', + 'whittlers', + 'whittles', + 'whittling', 'whittlings', + 'whittret', + 'whittrets', + 'whity', + 'whiz', + 'whizbang', + 'whizbangs', + 'whizz', + 'whizzbang', 'whizzbangs', + 'whizzed', + 'whizzer', + 'whizzers', + 'whizzes', + 'whizzing', + 'who', + 'whoa', + 'whodunit', + 'whodunits', + 'whodunnit', 'whodunnits', + 'whoever', + 'whole', 'wholehearted', 'wholeheartedly', + 'wholeness', 'wholenesses', + 'wholes', + 'wholesale', 'wholesaled', 'wholesaler', 'wholesalers', 'wholesales', 'wholesaling', + 'wholesome', 'wholesomely', 'wholesomeness', 'wholesomenesses', + 'wholism', + 'wholisms', + 'wholistic', + 'wholly', + 'whom', + 'whomever', + 'whomp', + 'whomped', + 'whomping', + 'whomps', + 'whomso', 'whomsoever', + 'whoof', + 'whoofed', + 'whoofing', + 'whoofs', + 'whoop', + 'whooped', + 'whoopee', + 'whoopees', + 'whooper', + 'whoopers', + 'whooping', + 'whoopla', + 'whooplas', + 'whoops', + 'whoosh', + 'whooshed', + 'whooshes', + 'whooshing', + 'whoosis', + 'whoosises', + 'whop', + 'whopped', + 'whopper', + 'whoppers', + 'whopping', + 'whops', + 'whore', + 'whored', + 'whoredom', + 'whoredoms', 'whorehouse', 'whorehouses', 'whoremaster', 'whoremasters', 'whoremonger', 'whoremongers', + 'whores', + 'whoreson', + 'whoresons', + 'whoring', + 'whorish', + 'whorl', + 'whorled', + 'whorls', + 'whort', + 'whortle', 'whortleberries', 'whortleberry', + 'whortles', + 'whorts', + 'whose', 'whosesoever', + 'whosever', + 'whosis', + 'whosises', + 'whoso', + 'whosoever', + 'whump', + 'whumped', + 'whumping', + 'whumps', + 'why', + 'whydah', + 'whydahs', + 'whys', + 'wich', + 'wiches', + 'wick', + 'wickape', + 'wickapes', + 'wicked', + 'wickeder', + 'wickedest', + 'wickedly', 'wickedness', 'wickednesses', + 'wicker', + 'wickers', 'wickerwork', 'wickerworks', + 'wicket', + 'wickets', + 'wicking', + 'wickings', + 'wickiup', + 'wickiups', + 'wicks', + 'wickyup', + 'wickyups', + 'wicopies', + 'wicopy', + 'widder', + 'widders', 'widdershins', + 'widdie', + 'widdies', + 'widdle', + 'widdled', + 'widdles', + 'widdling', + 'widdy', + 'wide', + 'wideawake', 'wideawakes', + 'wideband', + 'widely', 'widemouthed', + 'widen', + 'widened', + 'widener', + 'wideners', + 'wideness', 'widenesses', + 'widening', + 'widens', + 'wideout', + 'wideouts', + 'wider', + 'wides', 'widespread', + 'widest', + 'widgeon', + 'widgeons', + 'widget', + 'widgets', + 'widish', + 'widow', + 'widowed', + 'widower', 'widowerhood', 'widowerhoods', + 'widowers', + 'widowhood', 'widowhoods', + 'widowing', + 'widows', + 'width', + 'widths', + 'widthway', + 'wield', + 'wielded', + 'wielder', + 'wielders', + 'wieldier', + 'wieldiest', + 'wielding', + 'wields', + 'wieldy', + 'wiener', + 'wieners', 'wienerwurst', 'wienerwursts', + 'wienie', + 'wienies', + 'wife', + 'wifed', + 'wifedom', + 'wifedoms', + 'wifehood', + 'wifehoods', + 'wifeless', + 'wifelier', + 'wifeliest', + 'wifelike', 'wifeliness', 'wifelinesses', + 'wifely', + 'wifes', + 'wifing', + 'wiftier', + 'wiftiest', + 'wifty', + 'wig', + 'wigan', + 'wigans', + 'wigeon', + 'wigeons', + 'wigged', + 'wiggeries', + 'wiggery', + 'wiggier', + 'wiggiest', + 'wigging', + 'wiggings', + 'wiggle', + 'wiggled', + 'wiggler', + 'wigglers', + 'wiggles', + 'wigglier', + 'wiggliest', + 'wiggling', + 'wiggly', + 'wiggy', + 'wight', + 'wights', + 'wigless', + 'wiglet', + 'wiglets', + 'wiglike', + 'wigmaker', + 'wigmakers', + 'wigs', + 'wigwag', + 'wigwagged', 'wigwagging', + 'wigwags', + 'wigwam', + 'wigwams', + 'wikiup', + 'wikiups', + 'wilco', + 'wild', + 'wildcat', + 'wildcats', 'wildcatted', 'wildcatter', 'wildcatters', 'wildcatting', 'wildebeest', 'wildebeests', + 'wilder', + 'wildered', + 'wildering', 'wilderment', 'wilderments', 'wilderness', 'wildernesses', + 'wilders', + 'wildest', + 'wildfire', + 'wildfires', 'wildflower', 'wildflowers', + 'wildfowl', 'wildfowler', 'wildfowlers', 'wildfowling', 'wildfowlings', + 'wildfowls', + 'wilding', + 'wildings', + 'wildish', + 'wildland', + 'wildlands', + 'wildlife', + 'wildling', + 'wildlings', + 'wildly', + 'wildness', 'wildnesses', + 'wilds', + 'wildwood', + 'wildwoods', + 'wile', + 'wiled', + 'wiles', + 'wilful', + 'wilfully', + 'wilier', + 'wiliest', + 'wilily', + 'wiliness', 'wilinesses', + 'wiling', + 'will', + 'willable', + 'willed', + 'willemite', 'willemites', + 'willer', + 'willers', + 'willet', + 'willets', + 'willful', + 'willfully', 'willfulness', 'willfulnesses', + 'willied', + 'willies', + 'willing', + 'willinger', 'willingest', + 'willingly', 'willingness', 'willingnesses', + 'williwau', + 'williwaus', + 'williwaw', + 'williwaws', + 'willow', + 'willowed', + 'willower', + 'willowers', + 'willowier', 'willowiest', + 'willowing', 'willowlike', + 'willows', 'willowware', 'willowwares', + 'willowy', + 'willpower', 'willpowers', + 'wills', + 'willy', + 'willyard', + 'willyart', + 'willying', + 'willywaw', + 'willywaws', + 'wilt', + 'wilted', + 'wilting', + 'wilts', + 'wily', + 'wimble', + 'wimbled', + 'wimbles', + 'wimbling', + 'wimp', + 'wimpier', + 'wimpiest', + 'wimpiness', 'wimpinesses', + 'wimpish', 'wimpishness', 'wimpishnesses', + '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', + 'windblast', 'windblasts', + 'windblown', + 'windbreak', 'windbreaker', 'windbreakers', 'windbreaks', + 'windburn', 'windburned', 'windburning', + 'windburns', + 'windburnt', + 'windchill', 'windchills', + 'winded', + 'winder', + 'winders', + 'windfall', + 'windfalls', + 'windflaw', + 'windflaws', 'windflower', 'windflowers', + 'windgall', + 'windgalls', + 'windhover', 'windhovers', + 'windier', + 'windiest', + 'windigo', + 'windigos', + 'windily', + 'windiness', 'windinesses', + 'winding', + 'windings', 'windjammer', 'windjammers', 'windjamming', 'windjammings', + 'windlass', 'windlassed', 'windlasses', 'windlassing', + 'windle', + 'windled', + 'windles', + 'windless', 'windlessly', 'windlestraw', 'windlestraws', + 'windling', + 'windlings', + 'windmill', 'windmilled', 'windmilling', + 'windmills', + 'window', + 'windowed', + 'windowing', 'windowless', 'windowpane', 'windowpanes', + 'windows', 'windowsill', 'windowsills', + 'windpipe', + 'windpipes', + 'windproof', + 'windrow', + 'windrowed', 'windrowing', + 'windrows', + 'winds', 'windscreen', 'windscreens', 'windshield', 'windshields', + 'windsock', + 'windsocks', + 'windstorm', 'windstorms', + 'windsurf', 'windsurfed', 'windsurfing', 'windsurfings', + 'windsurfs', + 'windswept', + 'windthrow', 'windthrows', + 'windup', + 'windups', + 'windward', + 'windwards', + 'windway', + 'windways', + 'windy', + 'wine', + 'wined', + 'wineglass', 'wineglasses', 'winegrower', 'winegrowers', + 'wineless', + 'winemaker', 'winemakers', 'winemaking', 'winemakings', + 'winepress', 'winepresses', + 'wineries', + 'winery', + 'wines', + 'wineshop', + 'wineshops', + 'wineskin', + 'wineskins', + 'winesop', + 'winesops', + 'winey', + 'wing', + 'wingback', + 'wingbacks', + 'wingbow', + 'wingbows', + 'wingding', + 'wingdings', + 'winged', + 'wingedly', + 'winger', + 'wingers', + 'wingier', + 'wingiest', + 'winging', + 'wingless', 'winglessness', 'winglessnesses', + 'winglet', + 'winglets', + 'winglike', + 'wingman', + 'wingmen', + 'wingover', + 'wingovers', + 'wings', + 'wingspan', + 'wingspans', 'wingspread', 'wingspreads', + 'wingtip', + 'wingtips', + 'wingy', + 'winier', + 'winiest', + 'wining', + 'winish', + 'wink', + 'winked', + 'winker', + 'winkers', + 'winking', + 'winkle', + 'winkled', + 'winkles', + 'winkling', + 'winks', + 'winless', + 'winnable', + 'winned', + 'winner', + 'winners', + 'winning', + 'winningly', + 'winnings', + 'winnock', + 'winnocks', + 'winnow', + 'winnowed', + 'winnower', + 'winnowers', + 'winnowing', + 'winnows', + 'wino', + 'winoes', + 'winos', + 'wins', + 'winsome', + 'winsomely', 'winsomeness', 'winsomenesses', + 'winsomer', + 'winsomest', + 'winter', 'winterberries', 'winterberry', + 'wintered', + 'winterer', + 'winterers', 'wintergreen', 'wintergreens', + 'winterier', 'winteriest', + 'wintering', 'winterization', 'winterizations', + 'winterize', 'winterized', 'winterizes', 'winterizing', 'winterkill', 'winterkills', + 'winterly', + 'winters', 'wintertide', 'wintertides', 'wintertime', 'wintertimes', + 'wintery', + 'wintle', + 'wintled', + 'wintles', + 'wintling', + 'wintrier', + 'wintriest', + 'wintrily', 'wintriness', 'wintrinesses', + 'wintry', + 'winy', + 'winze', + 'winzes', + 'wipe', + 'wiped', + 'wipeout', + 'wipeouts', + 'wiper', + 'wipers', + 'wipes', + 'wiping', + 'wirable', + 'wire', + 'wired', + 'wiredraw', 'wiredrawer', 'wiredrawers', 'wiredrawing', + 'wiredrawn', + 'wiredraws', + 'wiredrew', + 'wirehair', 'wirehaired', + 'wirehairs', + 'wireless', 'wirelessed', 'wirelesses', 'wirelessing', + 'wirelike', + 'wireman', + 'wiremen', + 'wirephoto', 'wirephotos', + 'wirer', + 'wirers', + 'wires', + 'wiretap', 'wiretapped', 'wiretapper', 'wiretappers', 'wiretapping', + 'wiretaps', + 'wireway', + 'wireways', + 'wirework', + 'wireworks', + 'wireworm', + 'wireworms', + 'wirier', + 'wiriest', + 'wirily', + 'wiriness', 'wirinesses', + 'wiring', + 'wirings', + 'wirra', + 'wiry', + 'wis', + 'wisdom', + 'wisdoms', + 'wise', + 'wiseacre', + 'wiseacres', + 'wiseass', + 'wiseasses', + 'wisecrack', 'wisecracked', 'wisecracker', 'wisecrackers', 'wisecracking', 'wisecracks', + 'wised', + 'wiselier', + 'wiseliest', + 'wisely', + 'wiseness', 'wisenesses', 'wisenheimer', 'wisenheimers', + 'wisent', + 'wisents', + 'wiser', + 'wises', + 'wisest', + 'wisewoman', + 'wisewomen', + 'wish', + 'wisha', + 'wishbone', + 'wishbones', + 'wished', + 'wisher', + 'wishers', + 'wishes', + 'wishful', + 'wishfully', 'wishfulness', 'wishfulnesses', + 'wishing', + 'wishless', + 'wising', + 'wisp', + 'wisped', + 'wispier', + 'wispiest', + 'wispily', + 'wispiness', 'wispinesses', + 'wisping', + 'wispish', + 'wisplike', + 'wisps', + 'wispy', + 'wiss', + 'wissed', + 'wisses', + 'wissing', + 'wist', + 'wistaria', + 'wistarias', + 'wisted', + 'wisteria', + 'wisterias', + 'wistful', + 'wistfully', 'wistfulness', 'wistfulnesses', + 'wisting', + 'wists', + 'wit', + 'witan', + 'witch', 'witchcraft', 'witchcrafts', + 'witched', 'witcheries', + 'witchery', + 'witches', 'witchgrass', 'witchgrasses', + 'witchier', + 'witchiest', + 'witching', + 'witchings', + 'witchlike', + 'witchweed', 'witchweeds', + 'witchy', + 'wite', + 'wited', 'witenagemot', 'witenagemote', 'witenagemotes', 'witenagemots', + 'wites', + 'with', + 'withal', + 'withdraw', 'withdrawable', 'withdrawal', 'withdrawals', 'withdrawing', + 'withdrawn', 'withdrawnness', 'withdrawnnesses', + 'withdraws', + 'withdrew', + 'withe', + 'withed', + 'wither', + 'withered', + 'witherer', + 'witherers', + 'withering', 'witheringly', + 'witherite', 'witherites', + 'withers', 'withershins', + 'withes', + 'withheld', + 'withhold', 'withholder', 'withholders', 'withholding', + 'withholds', + 'withier', + 'withies', + 'withiest', + 'within', 'withindoors', + 'withing', + 'withins', + 'without', 'withoutdoors', + 'withouts', + 'withstand', 'withstanding', 'withstands', + 'withstood', + 'withy', + 'witing', + 'witless', + 'witlessly', 'witlessness', 'witlessnesses', + 'witling', + 'witlings', + 'witloof', + 'witloofs', + 'witness', + 'witnessed', + 'witnesses', 'witnessing', + 'witney', + 'witneys', + 'wits', + 'witted', + 'witticism', 'witticisms', + 'wittier', + 'wittiest', + 'wittily', + 'wittiness', 'wittinesses', + 'witting', + 'wittingly', + 'wittings', + 'wittol', + 'wittols', + 'witty', + 'wive', + 'wived', + 'wiver', + 'wivern', + 'wiverns', + 'wivers', + 'wives', + 'wiving', + 'wiz', + 'wizard', + 'wizardly', 'wizardries', + 'wizardry', + 'wizards', + 'wizen', + 'wizened', + 'wizening', + 'wizens', + 'wizes', + 'wizzen', + 'wizzens', + 'wo', + 'woad', + 'woaded', + 'woads', + 'woadwax', + 'woadwaxes', + 'woald', + 'woalds', + 'wobble', + 'wobbled', + 'wobbler', + 'wobblers', + 'wobbles', + 'wobblier', + 'wobblies', + 'wobbliest', 'wobbliness', 'wobblinesses', + 'wobbling', + 'wobbly', + 'wobegone', + 'wodge', + 'wodges', + 'woe', + 'woebegone', 'woebegoneness', 'woebegonenesses', + 'woeful', + 'woefuller', 'woefullest', + 'woefully', 'woefulness', 'woefulnesses', + 'woeness', + 'woenesses', + 'woes', + 'woesome', + 'woful', + 'wofully', + 'wog', + 'wogs', + 'wok', + 'woke', + 'woken', + 'woks', + 'wold', + 'wolds', + 'wolf', 'wolfberries', + 'wolfberry', + 'wolfed', + 'wolfer', + 'wolfers', + 'wolffish', 'wolffishes', + 'wolfhound', 'wolfhounds', + 'wolfing', + 'wolfish', + 'wolfishly', 'wolfishness', 'wolfishnesses', + 'wolflike', + 'wolfram', 'wolframite', 'wolframites', + 'wolframs', + 'wolfs', + 'wolfsbane', 'wolfsbanes', 'wollastonite', 'wollastonites', + 'wolver', + 'wolverine', 'wolverines', + 'wolvers', + 'wolves', + 'woman', + 'womaned', + 'womanhood', 'womanhoods', + 'womaning', + 'womanise', + 'womanised', + 'womanises', + 'womanish', 'womanishly', 'womanishness', 'womanishnesses', 'womanising', + 'womanize', + 'womanized', + 'womanizer', 'womanizers', + 'womanizes', 'womanizing', + 'womankind', + 'womanless', + 'womanlier', 'womanliest', + 'womanlike', 'womanliness', 'womanlinesses', + 'womanly', 'womanpower', 'womanpowers', + 'womans', + 'womb', + 'wombat', + 'wombats', + 'wombed', + 'wombier', + 'wombiest', + 'wombs', + 'womby', + 'women', + 'womenfolk', 'womenfolks', + 'womenkind', + 'womera', + 'womeras', + 'wommera', + 'wommeras', + 'won', + 'wonder', + 'wondered', + 'wonderer', + 'wonderers', + 'wonderful', 'wonderfully', 'wonderfulness', 'wonderfulnesses', + 'wondering', 'wonderland', 'wonderlands', 'wonderment', 'wonderments', + 'wonders', 'wonderwork', 'wonderworks', + 'wondrous', 'wondrously', 'wondrousness', 'wondrousnesses', + 'wonk', + 'wonkier', + 'wonkiest', + 'wonks', + 'wonky', + 'wonned', + 'wonner', + 'wonners', + 'wonning', + 'wons', + 'wont', + 'wonted', + 'wontedly', 'wontedness', 'wontednesses', + 'wonting', + 'wonton', + 'wontons', + 'wonts', + 'woo', + 'wood', + 'woodbin', + 'woodbind', + 'woodbinds', + 'woodbine', + 'woodbines', + 'woodbins', + 'woodblock', 'woodblocks', + 'woodbox', + 'woodboxes', 'woodcarver', 'woodcarvers', 'woodcarving', 'woodcarvings', + 'woodchat', + 'woodchats', 'woodchopper', 'woodchoppers', + 'woodchuck', 'woodchucks', + 'woodcock', + 'woodcocks', + 'woodcraft', 'woodcrafts', + 'woodcut', + 'woodcuts', 'woodcutter', 'woodcutters', 'woodcutting', 'woodcuttings', + 'wooded', + 'wooden', + 'woodener', + 'woodenest', 'woodenhead', 'woodenheaded', 'woodenheads', + 'woodenly', 'woodenness', 'woodennesses', 'woodenware', 'woodenwares', + 'woodhen', + 'woodhens', + 'woodie', + 'woodier', + 'woodies', + 'woodiest', + 'woodiness', 'woodinesses', + 'wooding', + 'woodland', 'woodlander', 'woodlanders', + 'woodlands', + 'woodlark', + 'woodlarks', + 'woodless', + 'woodlore', + 'woodlores', + 'woodlot', + 'woodlots', + 'woodman', + 'woodmen', + 'woodnote', + 'woodnotes', 'woodpecker', 'woodpeckers', + 'woodpile', + 'woodpiles', + 'woodruff', + 'woodruffs', + 'woods', + 'woodshed', 'woodshedded', 'woodshedding', + 'woodsheds', + 'woodsia', + 'woodsias', + 'woodsier', + 'woodsiest', + 'woodsman', + 'woodsmen', + 'woodstove', 'woodstoves', + 'woodsy', + 'woodwax', + 'woodwaxes', + 'woodwind', + 'woodwinds', + 'woodwork', 'woodworker', 'woodworkers', 'woodworking', 'woodworkings', + 'woodworks', + 'woodworm', + 'woodworms', + 'woody', + 'wooed', + 'wooer', + 'wooers', + 'woof', + 'woofed', + 'woofer', + 'woofers', + 'woofing', + 'woofs', + 'wooing', + 'wooingly', + 'wool', + 'wooled', + 'woolen', + 'woolens', + 'wooler', + 'woolers', + 'woolfell', + 'woolfells', 'woolgatherer', 'woolgatherers', 'woolgathering', 'woolgatherings', + 'woolhat', + 'woolhats', + 'woolie', + 'woolier', + 'woolies', + 'wooliest', + 'woolled', + 'woollen', + 'woollens', + 'woollier', + 'woollies', + 'woolliest', + 'woollike', + 'woollily', 'woolliness', 'woollinesses', + 'woolly', + 'woolman', + 'woolmen', + 'woolpack', + 'woolpacks', + 'wools', + 'woolsack', + 'woolsacks', + 'woolshed', + 'woolsheds', + 'woolskin', + 'woolskins', + 'woolwork', + 'woolworks', + 'wooly', + 'woomera', + 'woomeras', + 'woops', + 'woopsed', + 'woopses', + 'woopsing', + 'woorali', + 'wooralis', + 'woorari', + 'wooraris', + 'woos', + 'woosh', + 'wooshed', + 'wooshes', + 'wooshing', + 'woozier', + 'wooziest', + 'woozily', + 'wooziness', 'woozinesses', + 'woozy', + 'wop', + 'wops', + 'word', + 'wordage', + 'wordages', + 'wordbook', + 'wordbooks', + 'worded', + 'wordier', + 'wordiest', + 'wordily', + 'wordiness', 'wordinesses', + 'wording', + 'wordings', + 'wordless', 'wordlessly', 'wordlessness', 'wordlessnesses', 'wordmonger', 'wordmongers', + 'wordplay', + 'wordplays', + 'words', + 'wordsmith', 'wordsmitheries', 'wordsmithery', 'wordsmiths', + 'wordy', + 'wore', + 'work', 'workabilities', 'workability', + 'workable', 'workableness', 'workablenesses', + 'workaday', 'workaholic', 'workaholics', 'workaholism', 'workaholisms', + 'workbag', + 'workbags', 'workbasket', 'workbaskets', + 'workbench', 'workbenches', + 'workboat', + 'workboats', + 'workbook', + 'workbooks', + 'workbox', + 'workboxes', + 'workday', + 'workdays', + 'worked', + 'worker', + 'workers', + 'workfare', + 'workfares', + 'workfolk', + 'workfolks', + 'workforce', 'workforces', + 'workhorse', 'workhorses', + 'workhouse', 'workhouses', + 'working', 'workingman', 'workingmen', + 'workings', 'workingwoman', 'workingwomen', + 'workless', 'worklessness', 'worklessnesses', + 'workload', + 'workloads', + 'workman', 'workmanlike', + 'workmanly', 'workmanship', 'workmanships', + 'workmate', + 'workmates', + 'workmen', + 'workout', + 'workouts', 'workpeople', + 'workpiece', 'workpieces', + 'workplace', 'workplaces', + 'workroom', + 'workrooms', + 'works', + 'worksheet', 'worksheets', + 'workshop', + 'workshops', 'workstation', 'workstations', + 'worktable', 'worktables', + 'workup', + 'workups', + 'workweek', + 'workweeks', + 'workwoman', + 'workwomen', + 'world', + 'worldlier', 'worldliest', 'worldliness', 'worldlinesses', + 'worldling', 'worldlings', + 'worldly', + 'worlds', + 'worldview', 'worldviews', + 'worldwide', + 'worm', + 'wormed', + 'wormer', + 'wormers', + 'wormhole', + 'wormholes', + 'wormier', + 'wormiest', + 'wormil', + 'wormils', + 'worming', + 'wormish', + 'wormlike', + 'wormroot', + 'wormroots', + 'worms', + 'wormseed', + 'wormseeds', + 'wormwood', + 'wormwoods', + 'wormy', + 'worn', + 'wornness', 'wornnesses', + 'worried', + 'worriedly', + 'worrier', + 'worriers', + 'worries', + 'worriment', 'worriments', + 'worrisome', 'worrisomely', 'worrisomeness', 'worrisomenesses', + 'worrit', + 'worrited', + 'worriting', + 'worrits', + 'worry', + 'worrying', + 'worrywart', 'worrywarts', + 'worse', + 'worsen', + 'worsened', + 'worsening', + 'worsens', + 'worser', + 'worses', + 'worset', + 'worsets', + 'worship', + 'worshiped', + 'worshiper', 'worshipers', 'worshipful', 'worshipfully', @@ -67386,36 +171326,229 @@ export const scrabble_array = [ 'worshipper', 'worshippers', 'worshipping', + 'worships', + 'worst', + 'worsted', + 'worsteds', + 'worsting', + 'worsts', + 'wort', + 'worth', + 'worthed', + 'worthful', + 'worthier', + 'worthies', + 'worthiest', + 'worthily', 'worthiness', 'worthinesses', + 'worthing', + 'worthless', 'worthlessly', 'worthlessness', 'worthlessnesses', + 'worths', 'worthwhile', 'worthwhileness', 'worthwhilenesses', + 'worthy', + 'worts', + 'wos', + 'wost', + 'wot', + 'wots', + 'wotted', + 'wotting', + 'would', + 'wouldest', + 'wouldst', + 'wound', + 'wounded', + 'wounding', + 'woundless', + 'wounds', + 'wove', + 'woven', + 'wovens', + 'wow', + 'wowed', + 'wowing', + 'wows', + 'wowser', + 'wowsers', + 'wrack', + 'wracked', + 'wrackful', + 'wracking', + 'wracks', + 'wraith', 'wraithlike', + 'wraiths', + 'wrang', + 'wrangle', + 'wrangled', + 'wrangler', + 'wranglers', + 'wrangles', + 'wrangling', + 'wrangs', + 'wrap', 'wraparound', 'wraparounds', + 'wrapped', + 'wrapper', + 'wrappers', + 'wrapping', + 'wrappings', + 'wraps', + 'wrapt', + 'wrasse', + 'wrasses', + 'wrassle', + 'wrassled', + 'wrassles', + 'wrassling', + 'wrastle', + 'wrastled', + 'wrastles', + 'wrastling', + 'wrath', + 'wrathed', + 'wrathful', 'wrathfully', 'wrathfulness', 'wrathfulnesses', + 'wrathier', + 'wrathiest', + 'wrathily', + 'wrathing', + 'wraths', + 'wrathy', + 'wreak', + 'wreaked', + 'wreaker', + 'wreakers', + 'wreaking', + 'wreaks', + 'wreath', + 'wreathe', + 'wreathed', + 'wreathen', + 'wreathes', + 'wreathing', + 'wreaths', + 'wreathy', + 'wreck', + 'wreckage', + 'wreckages', + 'wrecked', + 'wrecker', + 'wreckers', + 'wreckful', + 'wrecking', + 'wreckings', + 'wrecks', + 'wren', + 'wrench', + 'wrenched', + 'wrenches', + 'wrenching', 'wrenchingly', + 'wrens', + 'wrest', + 'wrested', + 'wrester', + 'wresters', + 'wresting', + 'wrestle', + 'wrestled', + 'wrestler', + 'wrestlers', + 'wrestles', + 'wrestling', 'wrestlings', + 'wrests', + 'wretch', + 'wretched', 'wretcheder', 'wretchedest', 'wretchedly', 'wretchedness', 'wretchednesses', + 'wretches', + 'wrick', + 'wricked', + 'wricking', + 'wricks', + 'wried', + 'wrier', + 'wries', + 'wriest', + 'wriggle', + 'wriggled', + 'wriggler', + 'wrigglers', + 'wriggles', + 'wrigglier', 'wriggliest', + 'wriggling', + 'wriggly', + 'wright', + 'wrights', + 'wring', + 'wringed', + 'wringer', + 'wringers', + 'wringing', + 'wrings', + 'wrinkle', + 'wrinkled', + 'wrinkles', + 'wrinklier', 'wrinkliest', + 'wrinkling', + 'wrinkly', + 'wrist', + 'wristband', 'wristbands', + 'wristier', + 'wristiest', + 'wristlet', + 'wristlets', + 'wristlock', 'wristlocks', + 'wrists', 'wristwatch', 'wristwatches', + 'wristy', + 'writ', + 'writable', + 'write', + 'writer', + 'writerly', + 'writers', + 'writes', + 'writhe', + 'writhed', + 'writhen', + 'writher', + 'writhers', + 'writhes', + 'writhing', + 'writing', + 'writings', + 'writs', + 'written', + 'wrong', + 'wrongdoer', 'wrongdoers', 'wrongdoing', 'wrongdoings', + 'wronged', + 'wronger', + 'wrongers', + 'wrongest', + 'wrongful', 'wrongfully', 'wrongfulness', 'wrongfulnesses', @@ -67423,50 +171556,175 @@ export const scrabble_array = [ 'wrongheadedly', 'wrongheadedness', 'wrongheadednesses', + 'wronging', + 'wrongly', + 'wrongness', 'wrongnesses', + 'wrongs', + 'wrote', + 'wroth', + 'wrothful', + 'wrought', + 'wrung', + 'wry', + 'wryer', + 'wryest', + 'wrying', + 'wryly', + 'wryneck', + 'wrynecks', + 'wryness', + 'wrynesses', + 'wud', + 'wulfenite', 'wulfenites', 'wunderkind', 'wunderkinder', + 'wurst', + 'wursts', + 'wurzel', + 'wurzels', + 'wuss', + 'wusses', + 'wussier', + 'wussies', + 'wussiest', + 'wussy', + 'wuther', + 'wuthered', + 'wuthering', + 'wuthers', + 'wyandotte', 'wyandottes', + 'wych', + 'wyches', + 'wye', + 'wyes', + 'wyle', + 'wyled', + 'wyles', + 'wyliecoat', 'wyliecoats', + 'wyling', + 'wyn', + 'wynd', + 'wynds', + 'wynn', + 'wynns', + 'wyns', + 'wyte', + 'wyted', + 'wytes', + 'wyting', + 'wyvern', + 'wyverns', + 'xanthan', + 'xanthans', + 'xanthate', + 'xanthates', + 'xanthein', + 'xantheins', + 'xanthene', + 'xanthenes', + 'xanthic', + 'xanthin', + 'xanthine', + 'xanthines', + 'xanthins', + 'xanthoma', + 'xanthomas', 'xanthomata', + 'xanthone', + 'xanthones', 'xanthophyll', 'xanthophylls', + 'xanthous', + 'xebec', + 'xebecs', + 'xenia', + 'xenial', + 'xenias', + 'xenic', 'xenobiotic', 'xenobiotics', 'xenodiagnoses', 'xenodiagnosis', 'xenodiagnostic', 'xenogamies', + 'xenogamy', 'xenogeneic', 'xenogenies', + 'xenogeny', + 'xenograft', 'xenografts', + 'xenolith', 'xenolithic', + 'xenoliths', + 'xenon', + 'xenons', + 'xenophile', 'xenophiles', + 'xenophobe', 'xenophobes', 'xenophobia', 'xenophobias', 'xenophobic', 'xenophobically', 'xenotropic', + 'xerarch', + 'xeric', 'xerographic', 'xerographically', 'xerographies', 'xerography', + 'xerophile', 'xerophilies', 'xerophilous', + 'xerophily', 'xerophthalmia', 'xerophthalmias', 'xerophthalmic', + 'xerophyte', 'xerophytes', 'xerophytic', 'xerophytism', 'xerophytisms', 'xeroradiographies', 'xeroradiography', + 'xerosere', + 'xeroseres', + 'xeroses', + 'xerosis', 'xerothermic', + 'xerotic', + 'xerox', + 'xeroxed', + 'xeroxes', + 'xeroxing', + 'xerus', + 'xeruses', + 'xi', 'xiphisterna', 'xiphisternum', + 'xiphoid', + 'xiphoids', + 'xis', + 'xu', + 'xylan', + 'xylans', + 'xylem', + 'xylems', + 'xylene', + 'xylenes', + 'xylidin', + 'xylidine', + 'xylidines', + 'xylidins', + 'xylitol', + 'xylitols', + 'xylocarp', + 'xylocarps', + 'xylograph', 'xylographer', 'xylographers', 'xylographic', @@ -67474,21 +171732,282 @@ export const scrabble_array = [ 'xylographies', 'xylographs', 'xylography', + 'xyloid', + 'xylol', + 'xylols', 'xylophagous', + 'xylophone', 'xylophones', 'xylophonist', 'xylophonists', + 'xylose', + 'xyloses', 'xylotomies', + 'xylotomy', + 'xylyl', + 'xylyls', + 'xyst', + 'xyster', + 'xysters', + 'xysti', + 'xystoi', + 'xystos', + 'xysts', + 'xystus', + 'ya', + 'yabber', + 'yabbered', + 'yabbering', + 'yabbers', + 'yacht', + 'yachted', + 'yachter', + 'yachters', + 'yachting', + 'yachtings', + 'yachtman', + 'yachtmen', + 'yachts', + 'yachtsman', + 'yachtsmen', + 'yack', + 'yacked', + 'yacking', + 'yacks', + 'yaff', + 'yaffed', + 'yaffing', + 'yaffs', + 'yager', + 'yagers', + 'yagi', + 'yagis', + 'yah', + 'yahoo', + 'yahooism', + 'yahooisms', + 'yahoos', + 'yahrzeit', + 'yahrzeits', + 'yaird', + 'yairds', + 'yak', + 'yakitori', + 'yakitoris', + 'yakked', + 'yakker', + 'yakkers', + 'yakking', + 'yaks', + 'yald', + 'yam', + 'yamalka', + 'yamalkas', + 'yamen', + 'yamens', + 'yammer', + 'yammered', + 'yammerer', + 'yammerers', + 'yammering', + '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', + 'yardbirds', + 'yarded', + 'yarding', + 'yardland', + 'yardlands', + 'yardman', 'yardmaster', 'yardmasters', + 'yardmen', + 'yards', + 'yardstick', 'yardsticks', + 'yardwand', + 'yardwands', + 'yardwork', + 'yardworks', + 'yare', + 'yarely', + 'yarer', + 'yarest', + 'yarmelke', + 'yarmelkes', + 'yarmulke', + 'yarmulkes', + 'yarn', + 'yarned', + 'yarner', + 'yarners', + 'yarning', + 'yarns', + 'yarrow', + 'yarrows', + 'yashmac', + 'yashmacs', + 'yashmak', + 'yashmaks', + 'yasmak', + 'yasmaks', + 'yatagan', + 'yatagans', + 'yataghan', + 'yataghans', + 'yatter', + 'yattered', + 'yattering', + 'yatters', + 'yaud', + 'yauds', + 'yauld', + 'yaup', + 'yauped', + 'yauper', + 'yaupers', + 'yauping', + 'yaupon', + 'yaupons', + 'yaups', + 'yautia', + 'yautias', + 'yaw', + 'yawed', + 'yawing', + 'yawl', + 'yawled', + 'yawling', + 'yawls', + 'yawmeter', + 'yawmeters', + 'yawn', + 'yawned', + 'yawner', + 'yawners', + 'yawning', + 'yawningly', + 'yawns', + 'yawp', + 'yawped', + 'yawper', + 'yawpers', + 'yawping', + 'yawpings', + 'yawps', + 'yaws', + 'yay', + 'yays', + 'ycleped', + 'yclept', + 'ye', + 'yea', + 'yeah', + 'yealing', + 'yealings', + 'yean', + 'yeaned', + 'yeaning', + 'yeanling', + 'yeanlings', + 'yeans', + 'year', + 'yearbook', + 'yearbooks', + 'yearend', + 'yearends', + 'yearlies', + 'yearling', + 'yearlings', + 'yearlong', + 'yearly', + 'yearn', + 'yearned', + 'yearner', + 'yearners', + 'yearning', 'yearningly', + 'yearnings', + 'yearns', + 'years', + 'yeas', + 'yeasayer', + 'yeasayers', + 'yeast', + 'yeasted', + 'yeastier', + 'yeastiest', + 'yeastily', 'yeastiness', 'yeastinesses', + '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', + 'yellowest', + 'yellowfin', 'yellowfins', 'yellowhammer', 'yellowhammers', + 'yellowing', + 'yellowish', 'yellowlegs', + 'yellowly', + 'yellows', 'yellowtail', 'yellowtails', 'yellowthroat', @@ -67497,59 +172016,666 @@ export const scrabble_array = [ 'yellowwares', 'yellowwood', 'yellowwoods', + 'yellowy', + 'yells', + 'yelp', + 'yelped', + 'yelper', + 'yelpers', + 'yelping', + 'yelps', + 'yen', + 'yenned', + 'yenning', + 'yens', + 'yenta', + 'yentas', + 'yente', + 'yentes', + 'yeoman', + 'yeomanly', 'yeomanries', + 'yeomanry', + 'yeomen', + 'yep', + 'yerba', + 'yerbas', + 'yerk', + 'yerked', + 'yerking', + 'yerks', + 'yes', + 'yeses', + 'yeshiva', + 'yeshivah', + 'yeshivahs', + 'yeshivas', + 'yeshivot', + 'yeshivoth', + 'yessed', + 'yesses', + 'yessing', + 'yester', + 'yesterday', 'yesterdays', + 'yestern', 'yesternight', 'yesternights', 'yesteryear', 'yesteryears', + 'yestreen', + 'yestreens', + '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', + 'yodellers', + 'yodelling', + 'yodels', + 'yodh', + 'yodhs', + 'yodle', + 'yodled', + 'yodler', + 'yodlers', + 'yodles', + 'yodling', + 'yods', + 'yoga', + 'yogas', + 'yogee', + 'yogees', + 'yogh', + 'yoghourt', + 'yoghourts', + 'yoghs', + 'yoghurt', + 'yoghurts', + 'yogi', + 'yogic', + 'yogin', + 'yogini', + 'yoginis', + 'yogins', + 'yogis', + 'yogurt', + 'yogurts', + 'yohimbine', 'yohimbines', + 'yoicks', + 'yok', + 'yoke', + 'yoked', 'yokefellow', 'yokefellows', + 'yokel', + 'yokeless', + 'yokelish', + 'yokels', + 'yokemate', + 'yokemates', + 'yokes', + 'yoking', + 'yokozuna', + 'yokozunas', + 'yoks', + 'yolk', + 'yolked', + 'yolkier', + 'yolkiest', + 'yolks', + 'yolky', + 'yom', + 'yomim', + 'yon', + 'yond', + 'yonder', + 'yoni', + 'yonic', + 'yonis', + 'yonker', + 'yonkers', + 'yore', + 'yores', + 'you', + 'young', 'youngberries', 'youngberry', + 'younger', + 'youngers', + 'youngest', + 'youngish', + 'youngling', 'younglings', + 'youngness', 'youngnesses', + 'youngs', + 'youngster', 'youngsters', + 'younker', + 'younkers', + 'youpon', + 'youpons', + 'your', + 'yourn', + 'yours', + 'yourself', 'yourselves', + 'youse', + 'youth', + 'youthen', + 'youthened', 'youthening', + 'youthens', + 'youthful', 'youthfully', 'youthfulness', 'youthfulnesses', 'youthquake', 'youthquakes', + 'youths', + 'yow', + 'yowe', + 'yowed', + 'yowes', + 'yowie', + 'yowies', + 'yowing', + 'yowl', + 'yowled', + 'yowler', + 'yowlers', + 'yowling', + 'yowls', + 'yows', + 'yperite', + 'yperites', + 'ytterbia', + 'ytterbias', + 'ytterbic', + 'ytterbium', 'ytterbiums', + 'yttria', + 'yttrias', + 'yttric', + 'yttrium', + 'yttriums', + 'yuan', + 'yuans', + 'yuca', + 'yucas', + 'yucca', + 'yuccas', + 'yucch', + 'yuch', + 'yuck', + 'yucked', + 'yuckier', + 'yuckiest', + 'yucking', + 'yucks', + 'yucky', + 'yuga', + 'yugas', + 'yuk', + 'yukked', + 'yukking', + 'yuks', + 'yulan', + 'yulans', + 'yule', + 'yules', + 'yuletide', + 'yuletides', + 'yum', + 'yummier', + 'yummies', + 'yummiest', + 'yummy', + 'yup', + 'yupon', + 'yupons', + 'yuppie', + 'yuppies', + 'yups', + 'yurt', + 'yurta', + 'yurts', + 'ywis', 'zabaglione', 'zabagliones', + 'zabaione', + 'zabaiones', + 'zabajone', + 'zabajones', + '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', + 'zamindari', 'zamindaris', + 'zamindars', + 'zanana', + 'zananas', + 'zander', + 'zanders', + 'zanier', + 'zanies', + 'zaniest', + 'zanily', + 'zaniness', 'zaninesses', + 'zany', + 'zanyish', + 'zanza', + 'zanzas', + 'zap', + 'zapateado', 'zapateados', + 'zapateo', + 'zapateos', + 'zapped', + 'zapper', + 'zappers', + 'zappier', + 'zappiest', + 'zapping', + 'zappy', + 'zaps', + 'zaptiah', + 'zaptiahs', + 'zaptieh', + 'zaptiehs', + 'zaratite', + 'zaratites', + 'zareba', + 'zarebas', + 'zareeba', + 'zareebas', + 'zarf', + 'zarfs', + 'zariba', + 'zaribas', + 'zarzuela', + 'zarzuelas', + 'zastruga', + 'zastrugi', + 'zax', + 'zaxes', + 'zayin', + 'zayins', + 'zazen', + 'zazens', + 'zeal', + 'zealot', 'zealotries', + 'zealotry', + 'zealots', + 'zealous', + 'zealously', 'zealousness', 'zealousnesses', + 'zeals', + 'zeatin', + 'zeatins', + 'zebec', + 'zebeck', + 'zebecks', + 'zebecs', + 'zebra', + 'zebraic', + 'zebras', + 'zebrass', + 'zebrasses', + 'zebrawood', 'zebrawoods', + 'zebrine', + 'zebroid', + 'zebu', + 'zebus', + 'zecchin', + 'zecchini', + 'zecchino', + 'zecchinos', + 'zecchins', + 'zechin', + 'zechins', + 'zed', + 'zedoaries', + 'zedoary', + 'zeds', + 'zee', + 'zees', + 'zein', + 'zeins', + 'zeitgeber', 'zeitgebers', + 'zeitgeist', 'zeitgeists', + 'zek', + 'zeks', + 'zelkova', + 'zelkovas', + 'zemindar', 'zemindaries', + 'zemindars', + 'zemindary', + 'zemstva', + 'zemstvo', + 'zemstvos', + 'zenaida', + 'zenaidas', + 'zenana', + 'zenanas', + 'zenith', + 'zenithal', + 'zeniths', + 'zeolite', + 'zeolites', + 'zeolitic', + 'zephyr', + 'zephyrs', + 'zeppelin', + 'zeppelins', + 'zerk', + 'zerks', + 'zero', + 'zeroed', + 'zeroes', + 'zeroing', + 'zeros', + 'zeroth', + 'zest', + 'zested', + 'zester', + 'zesters', + 'zestful', + 'zestfully', 'zestfulness', 'zestfulnesses', + 'zestier', + 'zestiest', + 'zesting', + 'zestless', + 'zests', + 'zesty', + 'zeta', + 'zetas', + 'zeugma', + 'zeugmas', + 'zibeline', + 'zibelines', + 'zibelline', 'zibellines', + 'zibet', + 'zibeth', + 'zibeths', + 'zibets', 'zidovudine', 'zidovudines', + 'zig', + 'zigged', + 'zigging', + 'ziggurat', + 'ziggurats', + 'zigs', + 'zigzag', + 'zigzagged', 'zigzagging', + 'zigzags', + 'zikkurat', + 'zikkurats', + 'zikurat', + 'zikurats', + 'zilch', + 'zilches', + 'zill', + 'zillah', + 'zillahs', + 'zillion', 'zillionaire', 'zillionaires', + 'zillions', + 'zillionth', + 'zills', + 'zin', + 'zinc', + 'zincate', + 'zincates', + 'zinced', + 'zincic', + 'zincified', + 'zincifies', + 'zincify', 'zincifying', + 'zincing', + 'zincite', + 'zincites', + 'zincked', + 'zincking', + 'zincky', + 'zincoid', + 'zincous', + 'zincs', + 'zincy', + 'zineb', + 'zinebs', + 'zinfandel', 'zinfandels', + 'zing', + 'zingani', + 'zingano', + 'zingara', + 'zingare', + 'zingari', + 'zingaro', + 'zinged', + 'zinger', + 'zingers', + 'zingier', + 'zingiest', + 'zinging', + 'zings', + 'zingy', + 'zinkified', + 'zinkifies', + 'zinkify', 'zinkifying', + 'zinky', + 'zinnia', + 'zinnias', + 'zins', + 'zip', + 'zipless', + 'zipped', + 'zipper', + 'zippered', + 'zippering', + 'zippers', + 'zippier', + 'zippiest', + 'zipping', + 'zippy', + 'zips', + 'ziram', + 'zirams', + 'zircon', + 'zirconia', + 'zirconias', + 'zirconic', + 'zirconium', 'zirconiums', + 'zircons', + 'zit', + 'zither', + 'zitherist', 'zitherists', + 'zithern', + 'zitherns', + 'zithers', + 'ziti', + 'zitis', + 'zits', + 'zizit', + 'zizith', + 'zizzle', + 'zizzled', + 'zizzles', + 'zizzling', + 'zlote', + 'zloties', + 'zloty', + 'zlotych', + 'zlotys', + 'zoa', 'zoantharian', 'zoantharians', + 'zoaria', + 'zoarial', + 'zoarium', + 'zodiac', + 'zodiacal', + 'zodiacs', + 'zoea', + 'zoeae', + 'zoeal', + 'zoeas', + 'zoecia', + 'zoecium', + 'zoftig', + 'zoic', + 'zoisite', + 'zoisites', + 'zombi', + 'zombie', 'zombielike', + 'zombies', 'zombification', 'zombifications', + 'zombified', + 'zombifies', + 'zombify', 'zombifying', + 'zombiism', + 'zombiisms', + 'zombis', + 'zonal', + 'zonally', + 'zonary', + 'zonate', + 'zonated', + 'zonation', + 'zonations', + 'zone', + 'zoned', + 'zoneless', + 'zoner', + 'zoners', + 'zones', + 'zonetime', + 'zonetimes', + 'zoning', + 'zonk', + 'zonked', + 'zonking', + 'zonks', + 'zonula', + 'zonulae', + 'zonular', + 'zonulas', + 'zonule', + 'zonules', + 'zoo', + 'zoochore', + 'zoochores', + 'zooecia', + 'zooecium', + 'zoogenic', 'zoogeographer', 'zoogeographers', 'zoogeographic', @@ -67557,62 +172683,154 @@ export const scrabble_array = [ 'zoogeographically', 'zoogeographies', 'zoogeography', + 'zooglea', + 'zoogleae', + 'zoogleal', + 'zoogleas', + 'zoogloea', + 'zoogloeae', + 'zoogloeas', + 'zooid', + 'zooidal', + 'zooids', + 'zookeeper', 'zookeepers', + 'zooks', + 'zoolater', + 'zoolaters', 'zoolatries', + 'zoolatry', + 'zoologic', 'zoological', 'zoologically', + 'zoologies', + 'zoologist', 'zoologists', + 'zoology', + 'zoom', + 'zoomania', + 'zoomanias', + 'zoomed', 'zoometries', + 'zoometry', + 'zooming', + 'zoomorph', 'zoomorphic', + 'zoomorphs', + 'zooms', + 'zoon', + 'zoonal', + 'zoonoses', + 'zoonosis', + 'zoonotic', + 'zoons', + 'zoophile', + 'zoophiles', + 'zoophilic', 'zoophilies', 'zoophilous', + 'zoophily', + 'zoophobe', + 'zoophobes', + 'zoophyte', + 'zoophytes', 'zooplankter', 'zooplankters', 'zooplankton', 'zooplanktonic', 'zooplanktons', + 'zoos', + 'zoosperm', + 'zoosperms', 'zoosporangia', 'zoosporangium', + 'zoospore', + 'zoospores', + 'zoosporic', + 'zoosterol', 'zoosterols', 'zootechnical', 'zootechnics', + 'zootier', + 'zootiest', + 'zootomic', + 'zootomies', + 'zootomy', + 'zooty', 'zooxanthella', 'zooxanthellae', + 'zori', + 'zoril', + 'zorilla', + 'zorillas', + 'zorille', + 'zorilles', + 'zorillo', + 'zorillos', + 'zorils', + 'zoris', + 'zoster', + 'zosters', + 'zouave', + 'zouaves', + 'zounds', + 'zowie', + 'zoysia', + 'zoysias', + 'zucchetto', 'zucchettos', + 'zucchini', + 'zucchinis', + 'zwieback', + 'zwiebacks', 'zwitterion', 'zwitterionic', 'zwitterions', + 'zydeco', + 'zydecos', 'zygapophyses', 'zygapophysis', 'zygodactyl', 'zygodactylous', + 'zygoid', + 'zygoma', + 'zygomas', + 'zygomata', + 'zygomatic', 'zygomorphic', 'zygomorphies', 'zygomorphy', + 'zygose', + 'zygoses', + 'zygosis', 'zygosities', + 'zygosity', + 'zygospore', 'zygospores', + 'zygote', + 'zygotene', + 'zygotenes', + 'zygotes', + 'zygotic', + 'zymase', + 'zymases', + 'zyme', + 'zymes', + 'zymogen', + 'zymogene', + 'zymogenes', + 'zymogens', + 'zymogram', + 'zymograms', 'zymologies', + 'zymology', + 'zymosan', + 'zymosans', + 'zymoses', + 'zymosis', + 'zymotic', + 'zymurgies', + 'zymurgy', + 'zyzzyva', + 'zyzzyvas', ]; - -const len = scrabble_array.length; -let current_list: List = null; - -for (let i = len - 1; i >= 0; i -= 1) { - current_list = [scrabble_array[i], current_list]; -} - -/** - * `scrabble_list` is a list of strings, each representing - * an allowed word in Scrabble. - */ - -export const scrabble_list = current_list; - -export function charAt(s: string, i: number): any { - const result = s.charAt(i); - return result === '' ? undefined : result; -} - -export function arrayLength(x: any): number { - return x.length; -} diff --git a/src/bundles/scrabble/index.ts b/src/bundles/scrabble/index.ts index 26fe78813..3e79a9583 100644 --- a/src/bundles/scrabble/index.ts +++ b/src/bundles/scrabble/index.ts @@ -3,8 +3,5 @@ * @author Martin Henz */ export { - scrabble_array, - scrabble_list, - charAt, - arrayLength, + scrabble_words, } from './functions';