]> git.ipfire.org Git - thirdparty/sqlite.git/commitdiff
Fixes to built-in tokenizers.
authordan <dan@noemail.net>
Mon, 29 Dec 2014 11:24:46 +0000 (11:24 +0000)
committerdan <dan@noemail.net>
Mon, 29 Dec 2014 11:24:46 +0000 (11:24 +0000)
FossilOrigin-Name: b33fe0dd89f3180c209fa1f9e75d0a7acab12b8e

ext/fts5/fts5.c
ext/fts5/fts5.h
ext/fts5/fts5Int.h
ext/fts5/fts5_config.c
ext/fts5/fts5_tcl.c
ext/fts5/fts5_tokenize.c
ext/fts5/fts5porter.test [new file with mode: 0644]
ext/fts5/fts5tokenizer.test [new file with mode: 0644]
manifest
manifest.uuid

index 3995d5d4b9d7ddadc368d0f6acde9c76d149481c..604d5c7cb6430f6db505de0a1b2ac5786d316c43 100644 (file)
@@ -1277,18 +1277,6 @@ static int fts5ApiColumnSize(Fts5Context *pCtx, int iCol, int *pnToken){
   return rc;
 }
 
-static int fts5ApiPoslist(
-  Fts5Context *pCtx, 
-  int iPhrase, 
-  int *pi, 
-  i64 *piPos 
-){
-  Fts5Cursor *pCsr = (Fts5Cursor*)pCtx;
-  const u8 *a; int n;             /* Poslist for phrase iPhrase */
-  n = fts5CsrPoslist(pCsr, iPhrase, &a);
-  return sqlite3Fts5PoslistNext64(a, n, pi, piPos);
-}
-
 static int fts5ApiSetAuxdata(
   Fts5Context *pCtx,              /* Fts5 context */
   void *pPtr,                     /* Pointer to save as auxdata */
@@ -1360,7 +1348,6 @@ static const Fts5ExtensionApi sFts5Api = {
   fts5ApiRowid,
   fts5ApiColumnText,
   fts5ApiColumnSize,
-  fts5ApiPoslist,
   fts5ApiQueryPhrase,
   fts5ApiSetAuxdata,
   fts5ApiGetAuxdata,
@@ -1682,6 +1669,7 @@ static int fts5CreateTokenizer(
 static int fts5FindTokenizer(
   fts5_api *pApi,                 /* Global context (one per db handle) */
   const char *zName,              /* Name of new function */
+  void **ppUserData,
   fts5_tokenizer *pTokenizer      /* Populate this object */
 ){
   Fts5Global *pGlobal = (Fts5Global*)pApi;
@@ -1694,6 +1682,7 @@ static int fts5FindTokenizer(
 
   if( pTok ){
     *pTokenizer = pTok->x;
+    *ppUserData = pTok->pUserData;
   }else{
     memset(pTokenizer, 0, sizeof(fts5_tokenizer));
     rc = SQLITE_ERROR;
index 0e448659ab27043b89851de5a749850366ae422b..6ccbebc28356ce34d929e2fa892f6ed012770322 100644 (file)
@@ -207,7 +207,6 @@ struct Fts5ExtensionApi {
   sqlite3_int64 (*xRowid)(Fts5Context*);
   int (*xColumnText)(Fts5Context*, int iCol, const char **pz, int *pn);
   int (*xColumnSize)(Fts5Context*, int iCol, int *pnToken);
-  int (*xPoslist)(Fts5Context*, int iPhrase, int *pi, sqlite3_int64 *piPos);
 
   int (*xQueryPhrase)(Fts5Context*, int iPhrase, void *pUserData,
     int(*)(const Fts5ExtensionApi*,Fts5Context*,void*)
@@ -216,9 +215,6 @@ struct Fts5ExtensionApi {
   void *(*xGetAuxdata)(Fts5Context*, int bClear);
 };
 
-#define FTS5_POS2COLUMN(iPos) (int)(iPos >> 32)
-#define FTS5_POS2OFFSET(iPos) (int)(iPos & 0xFFFFFFFF)
-
 /* 
 ** CUSTOM AUXILIARY FUNCTIONS
 *************************************************************************/
@@ -325,6 +321,7 @@ struct fts5_api {
   int (*xFindTokenizer)(
     fts5_api *pApi,
     const char *zName,
+    void **ppContext,
     fts5_tokenizer *pTokenizer
   );
 
index 684b34f0097db5030b6a2433b8923676b01fe22e..1fffcbfe51af02259bf45760eea4ce8df17e3e68 100644 (file)
@@ -29,8 +29,9 @@
 #define FTS5_DEFAULT_NEARDIST 10
 #define FTS5_DEFAULT_RANK     "bm25"
 
-/* Name of rank column */
+/* Name of rank and rowid columns */
 #define FTS5_RANK_NAME "rank"
+#define FTS5_ROWID_NAME "rowid"
 
 /**************************************************************************
 ** Interface to code in fts5.c. 
@@ -149,6 +150,9 @@ void sqlite3Fts5BufferAppend32(int*, Fts5Buffer*, int);
 void sqlite3Fts5Put32(u8*, int);
 int sqlite3Fts5Get32(const u8*);
 
+#define FTS5_POS2COLUMN(iPos) (int)(iPos >> 32)
+#define FTS5_POS2OFFSET(iPos) (int)(iPos & 0xFFFFFFFF)
+
 typedef struct Fts5PoslistReader Fts5PoslistReader;
 struct Fts5PoslistReader {
   /* Variables used only by sqlite3Fts5PoslistIterXXX() functions. */
index 54c7a57f28b0b4c956f5c161d5c0a33469a429b2..fc3fe73bba387947ee30d0298e4c85d607b015d4 100644 (file)
 /* Maximum allowed page size */
 #define FTS5_MAX_PAGE_SIZE (128*1024)
 
+static int fts5_iswhitespace(char x){
+  return (x==' ');
+}
+
+static int fts5_isopenquote(char x){
+  return (x=='"' || x=='\'' || x=='[' || x=='`');
+}
+
+/*
+** Argument pIn points to a character that is part of a nul-terminated 
+** string. Return a pointer to the first character following *pIn in 
+** the string that is not a white-space character.
+*/
+static const char *fts5ConfigSkipWhitespace(const char *pIn){
+  const char *p = pIn;
+  if( p ){
+    while( fts5_iswhitespace(*p) ){ p++; }
+  }
+  return p;
+}
+
+/*
+** Argument pIn points to a character that is part of a nul-terminated 
+** string. Return a pointer to the first character following *pIn in 
+** the string that is not a "bareword" character.
+*/
+static const char *fts5ConfigSkipBareword(const char *pIn){
+  const char *p = pIn;
+  while( *p      && *p!=' ' && *p!=':' && *p!='!' && *p!='@' 
+      && *p!='#' && *p!='$' && *p!='%' && *p!='^' && *p!='&' 
+      && *p!='*' && *p!='(' && *p!=')' && *p!='='
+  ){
+    p++;
+  }
+  if( p==pIn ) p = 0;
+  return p;
+}
+
+static int fts5_isdigit(char a){
+  return (a>='0' && a<='9');
+}
+
+
+
+static const char *fts5ConfigSkipLiteral(const char *pIn){
+  const char *p = pIn;
+  if( p ){
+    switch( *p ){
+      case 'n': case 'N':
+        if( sqlite3_strnicmp("null", p, 4)==0 ){
+          p = &p[4];
+        }else{
+          p = 0;
+        }
+        break;
+        
+      case 'x': case 'X':
+        p++;
+        if( *p=='\'' ){
+          p++;
+          while( (*p>='a' && *p<='f') 
+              || (*p>='A' && *p<='F') 
+              || (*p>='0' && *p<='9') 
+          ){
+            p++;
+          }
+          if( *p=='\'' && 0==((p-pIn)%2) ){
+            p++;
+          }else{
+            p = 0;
+          }
+        }else{
+          p = 0;
+        }
+        break;
+
+      case '\'':
+        p++;
+        while( p ){
+          if( *p=='\'' ){
+            p++;
+            if( *p!='\'' ) break;
+          }
+          p++;
+          if( *p==0 ) p = 0;
+        }
+        break;
+
+      default:
+        /* maybe a number */
+        if( *p=='+' || *p=='-' ) p++;
+        while( fts5_isdigit(*p) ) p++;
+
+        /* At this point, if the literal was an integer, the parse is 
+        ** finished. Or, if it is a floating point value, it may continue
+        ** with either a decimal point or an 'E' character. */
+        if( *p=='.' && fts5_isdigit(p[1]) ){
+          p += 2;
+          while( fts5_isdigit(*p) ) p++;
+        }
+        if( p==pIn ) p = 0;
+
+        break;
+    }
+  }
+
+  return p;
+}
+
+static int fts5Dequote(char *z){
+  char q;
+  int iIn = 1;
+  int iOut = 0;
+  int bRet = 1;
+  q = z[0];
+
+  assert( q=='[' || q=='\'' || q=='"' || q=='`' );
+  if( q=='[' ) q = ']';  
+
+  while( z[iIn] ){
+    if( z[iIn]==q ){
+      if( z[iIn+1]!=q ){
+        if( z[iIn+1]=='\0' ) bRet = 0;
+        break;
+      }
+      z[iOut++] = q;
+      iIn += 2;
+    }else{
+      z[iOut++] = z[iIn++];
+    }
+  }
+  z[iOut] = '\0';
+
+  return bRet;
+}
+
 /*
 ** Convert an SQL-style quoted string into a normal string by removing
 ** the quote characters.  The conversion is done in-place.  If the
 void sqlite3Fts5Dequote(char *z){
   char quote;                     /* Quote character (if any ) */
 
+  assert( 0==fts5_iswhitespace(z[0]) );
   quote = z[0];
   if( quote=='[' || quote=='\'' || quote=='"' || quote=='`' ){
-    int iIn = 1;                  /* Index of next byte to read from input */
-    int iOut = 0;                 /* Index of next byte to write to output */
-
-    /* If the first byte was a '[', then the close-quote character is a ']' */
-    if( quote=='[' ) quote = ']';  
+    fts5Dequote(z);
+  }
+}
 
-    while( ALWAYS(z[iIn]) ){
-      if( z[iIn]==quote ){
-        if( z[iIn+1]!=quote ) break;
-        z[iOut++] = quote;
-        iIn += 2;
-      }else{
-        z[iOut++] = z[iIn++];
-      }
-    }
-    z[iOut] = '\0';
+/*
+** Trim any white-space from the right of nul-terminated string z.
+*/
+static char *fts5TrimString(char *z){
+  int n = strlen(z);
+  while( n>0 && fts5_iswhitespace(z[n-1]) ){
+    z[--n] = '\0';
   }
+  while( fts5_iswhitespace(*z) ) z++;
+  return z;
 }
 
 /*
@@ -68,15 +202,17 @@ void sqlite3Fts5Dequote(char *z){
 ** eventually free any such error message using sqlite3_free().
 */
 static int fts5ConfigParseSpecial(
+  Fts5Global *pGlobal,
   Fts5Config *pConfig,            /* Configuration object to update */
-  char *zCmd,                     /* Special command to parse */
-  char *zArg,                     /* Argument to parse */
+  const char *zCmd,               /* Special command to parse */
+  int nCmd,                       /* Size of zCmd in bytes */
+  const char *zArg,               /* Argument to parse */
   char **pzErr                    /* OUT: Error message */
 ){
-  if( sqlite3_stricmp(zCmd, "prefix")==0 ){
+  if( sqlite3_strnicmp("prefix", zCmd, nCmd)==0 ){
     const int nByte = sizeof(int) * FTS5_MAX_PREFIX_INDEXES;
     int rc = SQLITE_OK;
-    char *p;
+    const char *p;
     if( pConfig->aPrefix ){
       *pzErr = sqlite3_mprintf("multiple prefix=... directives");
       rc = SQLITE_ERROR;
@@ -108,6 +244,53 @@ static int fts5ConfigParseSpecial(
     return rc;
   }
 
+  if( sqlite3_strnicmp("tokenize", zCmd, nCmd)==0 ){
+    int rc = SQLITE_OK;
+    const char *p = (const char*)zArg;
+    int nArg = strlen(zArg) + 1;
+    char **azArg = sqlite3Fts5MallocZero(&rc, sizeof(char*) * nArg);
+    char *pDel = sqlite3Fts5MallocZero(&rc, nArg * 2);
+    char *pSpace = pDel;
+
+    if( azArg && pSpace ){
+      if( pConfig->pTok ){
+        *pzErr = sqlite3_mprintf("multiple tokenize=... directives");
+        rc = SQLITE_ERROR;
+      }else{
+        for(nArg=0; p && *p; nArg++){
+          const char *p2 = fts5ConfigSkipWhitespace(p);
+          if( p2 && *p2=='\'' ){
+            p = fts5ConfigSkipLiteral(p2);
+          }else{
+            p = fts5ConfigSkipBareword(p2);
+          }
+          if( p ){
+            memcpy(pSpace, p2, p-p2);
+            azArg[nArg] = pSpace;
+            sqlite3Fts5Dequote(pSpace);
+            pSpace += (p - p2) + 1;
+            p = fts5ConfigSkipWhitespace(p);
+          }
+        }
+        if( p==0 ){
+          *pzErr = sqlite3_mprintf("parse error in tokenize directive");
+          rc = SQLITE_ERROR;
+        }else{
+          rc = sqlite3Fts5GetTokenizer(pGlobal, 
+              (const char**)azArg, nArg, &pConfig->pTok, &pConfig->pTokApi
+          );
+          if( rc!=SQLITE_OK ){
+            *pzErr = sqlite3_mprintf("error in tokenizer constructor");
+          }
+        }
+      }
+    }
+
+    sqlite3_free(azArg);
+    sqlite3_free(pDel);
+    return rc;
+  }
+
   *pzErr = sqlite3_mprintf("unrecognized directive: \"%s\"", zCmd);
   return SQLITE_ERROR;
 }
@@ -133,6 +316,7 @@ static char *fts5Strdup(int *pRc, const char *z){
 ** code if an error occurs.
 */
 static int fts5ConfigDefaultTokenizer(Fts5Global *pGlobal, Fts5Config *pConfig){
+  assert( pConfig->pTok==0 && pConfig->pTokApi==0 );
   return sqlite3Fts5GetTokenizer(
       pGlobal, 0, 0, &pConfig->pTok, &pConfig->pTokApi
   );
@@ -160,6 +344,7 @@ int sqlite3Fts5ConfigParse(
 ){
   int rc = SQLITE_OK;             /* Return code */
   Fts5Config *pRet;               /* New object to return */
+  int i;
 
   *ppOut = pRet = (Fts5Config*)sqlite3_malloc(sizeof(Fts5Config));
   if( pRet==0 ) return SQLITE_NOMEM;
@@ -170,44 +355,69 @@ int sqlite3Fts5ConfigParse(
   pRet->azCol = (char**)sqlite3Fts5MallocZero(&rc, sizeof(char*) * nArg);
   pRet->zDb = fts5Strdup(&rc, azArg[1]);
   pRet->zName = fts5Strdup(&rc, azArg[2]);
-  if( rc==SQLITE_OK ){
-    if( sqlite3_stricmp(pRet->zName, FTS5_RANK_NAME)==0 ){
-      *pzErr = sqlite3_mprintf("reserved fts5 table name: %s", pRet->zName);
-      rc = SQLITE_ERROR;
-    }else{
-      int i;
-      for(i=3; rc==SQLITE_OK && i<nArg; i++){
-        char *zDup = fts5Strdup(&rc, azArg[i]);
-        if( zDup ){
-          /* Check if this is a special directive - "cmd=arg" */
-          if( zDup[0]!='"' && zDup[0]!='\'' && zDup[0]!='[' && zDup[0]!='`' ){
-            char *p = zDup;
-            while( *p && *p!='=' ) p++;
-            if( *p ){
-              char *zArg = &p[1];
-              *p = '\0';
-              sqlite3Fts5Dequote(zArg);
-              rc = fts5ConfigParseSpecial(pRet, zDup, zArg, pzErr);
-              sqlite3_free(zDup);
-              zDup = 0;
-            }
-          }
+  if( rc==SQLITE_OK && sqlite3_stricmp(pRet->zName, FTS5_RANK_NAME)==0 ){
+    *pzErr = sqlite3_mprintf("reserved fts5 table name: %s", pRet->zName);
+    rc = SQLITE_ERROR;
+  }
 
-          /* If it is not a special directive, it must be a column name. In
-          ** this case, check that it is not the reserved column name "rank". */
-          if( zDup ){
-            sqlite3Fts5Dequote(zDup);
-            pRet->azCol[pRet->nCol++] = zDup;
-            if( sqlite3_stricmp(zDup, FTS5_RANK_NAME)==0 ){
-              *pzErr = sqlite3_mprintf("reserved fts5 column name: %s", zDup);
-              rc = SQLITE_ERROR;
+  for(i=3; rc==SQLITE_OK && i<nArg; i++){
+    char *zDup = fts5Strdup(&rc, azArg[i]);
+    if( zDup ){
+      char *zCol = 0;
+      int bParseError = 0;
+
+      /* Check if this is a quoted column name */
+      if( fts5_isopenquote(zDup[0]) ){
+        bParseError = fts5Dequote(zDup);
+        zCol = zDup;
+      }else{
+        char *z = (char*)fts5ConfigSkipBareword(zDup);
+        if( *z=='\0' ){
+          zCol = zDup;
+        }else{
+          int nCmd = z - zDup;
+          z = (char*)fts5ConfigSkipWhitespace(z);
+          if( *z!='=' ){
+            bParseError = 1;
+          }else{
+            z++;
+            z = fts5TrimString(z);
+            if( fts5_isopenquote(*z) ){
+              if( fts5Dequote(z) ) bParseError = 1;
+            }else{
+              char *z2 = (char*)fts5ConfigSkipBareword(z);
+              if( *z2 ) bParseError = 1;
+            }
+            if( bParseError==0 ){
+              rc = fts5ConfigParseSpecial(pGlobal, pRet, zDup, nCmd, z, pzErr);
             }
           }
         }
       }
+
+      if( bParseError ){
+        assert( *pzErr==0 );
+        *pzErr = sqlite3_mprintf("parse error in \"%s\"", zDup);
+        rc = SQLITE_ERROR;
+      }else if( zCol ){
+        if( 0==sqlite3_stricmp(zCol, FTS5_RANK_NAME) 
+         || 0==sqlite3_stricmp(zCol, FTS5_ROWID_NAME) 
+        ){
+          *pzErr = sqlite3_mprintf("reserved fts5 column name: %s", zCol);
+          rc = SQLITE_ERROR;
+        }else{
+          pRet->azCol[pRet->nCol++] = zCol;
+          zDup = 0;
+        }
+      }
+
+      sqlite3_free(zDup);
     }
   }
 
+  /* If a tokenizer= option was successfully parsed, the tokenizer has
+  ** already been allocated. Otherwise, allocate an instance of the default
+  ** tokenizer (simple) now.  */
   if( rc==SQLITE_OK && pRet->pTok==0 ){
     rc = fts5ConfigDefaultTokenizer(pGlobal, pRet);
   }
@@ -309,106 +519,6 @@ int sqlite3Fts5Tokenize(
   return pConfig->pTokApi->xTokenize(pConfig->pTok, pCtx, pText, nText, xToken);
 }
 
-/*
-** Argument pIn points to a character that is part of a nul-terminated 
-** string. Return a pointer to the first character following *pIn in 
-** the string that is not a white-space character.
-*/
-static const char *fts5ConfigSkipWhitespace(const char *pIn){
-  const char *p = pIn;
-  if( p ){
-    while( *p==' ' ){ p++; }
-  }
-  return p;
-}
-
-/*
-** Argument pIn points to a character that is part of a nul-terminated 
-** string. Return a pointer to the first character following *pIn in 
-** the string that is not a "bareword" character.
-*/
-static const char *fts5ConfigSkipBareword(const char *pIn){
-  const char *p = pIn;
-  while( *p      && *p!=' ' && *p!=':' && *p!='!' && *p!='@' 
-      && *p!='#' && *p!='$' && *p!='%' && *p!='^' && *p!='&' 
-      && *p!='*' && *p!='(' && *p!=')' 
-  ){
-    p++;
-  }
-  if( p==pIn ) p = 0;
-  return p;
-}
-
-static int fts5_isdigit(char a){
-  return (a>='0' && a<='9');
-}
-
-
-
-static const char *fts5ConfigSkipLiteral(const char *pIn){
-  const char *p = pIn;
-  if( p ){
-    switch( *p ){
-      case 'n': case 'N':
-        if( sqlite3_strnicmp("null", p, 4)==0 ){
-          p = &p[4];
-        }else{
-          p = 0;
-        }
-        break;
-        
-      case 'x': case 'X':
-        p++;
-        if( *p=='\'' ){
-          p++;
-          while( (*p>='a' && *p<='f') 
-              || (*p>='A' && *p<='F') 
-              || (*p>='0' && *p<='9') 
-          ){
-            p++;
-          }
-          if( *p=='\'' && 0==((p-pIn)%2) ){
-            p++;
-          }else{
-            p = 0;
-          }
-        }else{
-          p = 0;
-        }
-        break;
-
-      case '\'':
-        p++;
-        while( p ){
-          if( *p=='\'' ){
-            p++;
-            if( *p!='\'' ) break;
-          }
-          p++;
-          if( *p==0 ) p = 0;
-        }
-        break;
-
-      default:
-        /* maybe a number */
-        if( *p=='+' || *p=='-' ) p++;
-        while( fts5_isdigit(*p) ) p++;
-
-        /* At this point, if the literal was an integer, the parse is 
-        ** finished. Or, if it is a floating point value, it may continue
-        ** with either a decimal point or an 'E' character. */
-        if( *p=='.' && fts5_isdigit(p[1]) ){
-          p += 2;
-          while( fts5_isdigit(*p) ) p++;
-        }
-
-        break;
-    }
-  }
-
-  return p;
-}
-
 /*
 ** Argument pIn points to the first character in what is expected to be
 ** a comma-separated list of SQL literals followed by a ')' character.
@@ -476,12 +586,14 @@ static int fts5ConfigParseRank(
     const char *pArgs; 
     p = fts5ConfigSkipWhitespace(p);
     pArgs = p;
-    p = fts5ConfigSkipArgs(p);
-    if( p==0 ){
-      rc = SQLITE_ERROR;
-    }else if( p!=pArgs ){
-      zRankArgs = sqlite3Fts5MallocZero(&rc, 1 + p - pArgs);
-      if( zRankArgs ) memcpy(zRankArgs, pArgs, p-pArgs);
+    if( *p!=')' ){
+      p = fts5ConfigSkipArgs(p);
+      if( p==0 ){
+        rc = SQLITE_ERROR;
+      }else if( p!=pArgs ){
+        zRankArgs = sqlite3Fts5MallocZero(&rc, 1 + p - pArgs);
+        if( zRankArgs ) memcpy(zRankArgs, pArgs, p-pArgs);
+      }
     }
   }
 
index d9b3dd4883928a8918315ce4556620461b1f131c..575f4f871a6815fe0bfb90b20787fce42e44a76b 100644 (file)
@@ -12,6 +12,7 @@
 **
 */
 
+#ifdef SQLITE_TEST
 
 #include "fts5.h"
 #include <tcl.h>
@@ -42,9 +43,47 @@ static int f5tDbPointer(Tcl_Interp *interp, Tcl_Obj *pObj, sqlite3 **ppDb){
   }
   return TCL_ERROR;
 }
+
 /* End of code that accesses the SqliteDb struct.
 **************************************************************************/
 
+static int f5tDbAndApi(
+  Tcl_Interp *interp, 
+  Tcl_Obj *pObj, 
+  sqlite3 **ppDb, 
+  fts5_api **ppApi
+){
+  sqlite3 *db = 0;
+  int rc = f5tDbPointer(interp, pObj, &db);
+  if( rc!=TCL_OK ){
+    return TCL_ERROR;
+  }else{
+    sqlite3_stmt *pStmt = 0;
+    fts5_api *pApi = 0;
+
+    rc = sqlite3_prepare_v2(db, "SELECT fts5()", -1, &pStmt, 0);
+    if( rc!=SQLITE_OK ){
+      Tcl_AppendResult(interp, "error: ", sqlite3_errmsg(db), 0);
+      return TCL_ERROR;
+    }
+
+    if( SQLITE_ROW==sqlite3_step(pStmt) ){
+      const void *pPtr = sqlite3_column_blob(pStmt, 0);
+      memcpy((void*)&pApi, pPtr, sizeof(pApi));
+    }
+
+    if( sqlite3_finalize(pStmt)!=SQLITE_OK ){
+      Tcl_AppendResult(interp, "error: ", sqlite3_errmsg(db), 0);
+      return TCL_ERROR;
+    }
+
+    *ppDb = db;
+    *ppApi = pApi;
+  }
+
+  return TCL_OK;
+}
+
 typedef struct F5tFunction F5tFunction;
 struct F5tFunction {
   Tcl_Interp *interp;
@@ -451,7 +490,6 @@ static int f5tCreateFunction(
   char *zName;
   Tcl_Obj *pScript;
   sqlite3 *db = 0;
-  sqlite3_stmt *pStmt = 0;
   fts5_api *pApi = 0;
   F5tFunction *pCtx = 0;
   int rc;
@@ -460,43 +498,304 @@ static int f5tCreateFunction(
     Tcl_WrongNumArgs(interp, 1, objv, "DB NAME SCRIPT");
     return TCL_ERROR;
   }
-  if( f5tDbPointer(interp, objv[1], &db) ){
-    return TCL_ERROR;
-  }
+  if( f5tDbAndApi(interp, objv[1], &db, &pApi) ) return TCL_ERROR;
+
   zName = Tcl_GetString(objv[2]);
   pScript = objv[3];
+  pCtx = (F5tFunction*)ckalloc(sizeof(F5tFunction));
+  pCtx->interp = interp;
+  pCtx->pScript = pScript;
+  Tcl_IncrRefCount(pScript);
 
-  rc = sqlite3_prepare_v2(db, "SELECT fts5()", -1, &pStmt, 0);
+  rc = pApi->xCreateFunction(
+      pApi, zName, (void*)pCtx, xF5tFunction, xF5tDestroy
+  );
   if( rc!=SQLITE_OK ){
     Tcl_AppendResult(interp, "error: ", sqlite3_errmsg(db), 0);
     return TCL_ERROR;
   }
 
-  if( SQLITE_ROW==sqlite3_step(pStmt) ){
-    const void *pPtr = sqlite3_column_blob(pStmt, 0);
-    memcpy((void*)&pApi, pPtr, sizeof(pApi));
+  return TCL_OK;
+}
+
+static int xTokenizeCb2(
+  void *pCtx, 
+  const char *zToken, int nToken, 
+  int iStart, int iEnd, int iPos
+){
+  Tcl_Obj *pRet = (Tcl_Obj*)pCtx;
+  Tcl_ListObjAppendElement(0, pRet, Tcl_NewStringObj(zToken, nToken));
+  Tcl_ListObjAppendElement(0, pRet, Tcl_NewIntObj(iStart));
+  Tcl_ListObjAppendElement(0, pRet, Tcl_NewIntObj(iEnd));
+  Tcl_ListObjAppendElement(0, pRet, Tcl_NewIntObj(iPos));
+  return SQLITE_OK;
+}
+
+
+/*
+**      sqlite3_fts5_tokenize DB TOKENIZER TEXT
+**
+** Description...
+*/
+static int f5tTokenize(
+  void * clientData,
+  Tcl_Interp *interp,
+  int objc,
+  Tcl_Obj *CONST objv[]
+){
+  char *zName;
+  char *zText;
+  int nText;
+  sqlite3 *db = 0;
+  fts5_api *pApi = 0;
+  Fts5Tokenizer *pTok = 0;
+  fts5_tokenizer tokenizer;
+  Tcl_Obj *pRet = 0;
+  void *pUserdata;
+  int rc;
+
+  if( objc!=4 ){
+    Tcl_WrongNumArgs(interp, 1, objv, "DB NAME TEXT");
+    return TCL_ERROR;
+  }
+  if( f5tDbAndApi(interp, objv[1], &db, &pApi) ) return TCL_ERROR;
+  zName = Tcl_GetString(objv[2]);
+  zText = Tcl_GetStringFromObj(objv[3], &nText);
+
+  rc = pApi->xFindTokenizer(pApi, zName, &pUserdata, &tokenizer);
+  if( rc!=SQLITE_OK ){
+    Tcl_AppendResult(interp, "no such tokenizer: ", zName, 0);
+    return TCL_ERROR;
   }
-  if( sqlite3_finalize(pStmt)!=SQLITE_OK ){
-    Tcl_AppendResult(interp, "error: ", sqlite3_errmsg(db), 0);
+
+  rc = tokenizer.xCreate(pUserdata, 0, 0, &pTok);
+  if( rc!=SQLITE_OK ){
+    Tcl_AppendResult(interp, "error in tokenizer.xCreate()", 0);
     return TCL_ERROR;
   }
 
-  pCtx = (F5tFunction*)ckalloc(sizeof(F5tFunction));
-  pCtx->interp = interp;
-  pCtx->pScript = pScript;
-  Tcl_IncrRefCount(pScript);
+  pRet = Tcl_NewObj();
+  Tcl_IncrRefCount(pRet);
+  rc = tokenizer.xTokenize(pTok, pRet, zText, nText, xTokenizeCb2);
+  tokenizer.xDelete(pTok);
+  if( rc!=SQLITE_OK ){
+    Tcl_AppendResult(interp, "error in tokenizer.xTokenize()", 0);
+    Tcl_DecrRefCount(pRet);
+    return TCL_ERROR;
+  }
 
-  rc = pApi->xCreateFunction(
-      pApi, zName, (void*)pCtx, xF5tFunction, xF5tDestroy
+
+  Tcl_SetObjResult(interp, pRet);
+  Tcl_DecrRefCount(pRet);
+  return TCL_OK;
+}
+
+/*************************************************************************
+** Start of tokenizer wrapper.
+*/
+
+typedef struct F5tTokenizerContext F5tTokenizerContext;
+typedef struct F5tTokenizerCb F5tTokenizerCb;
+typedef struct F5tTokenizerModule F5tTokenizerModule;
+typedef struct F5tTokenizerModule F5tTokenizerInstance;
+
+struct F5tTokenizerContext {
+  void *pCtx;
+  int (*xToken)(void*, const char*, int, int, int, int);
+};
+
+struct F5tTokenizerModule {
+  Tcl_Interp *interp;
+  Tcl_Obj *pScript;
+  F5tTokenizerContext *pContext;
+};
+
+static int f5tTokenizerCreate(
+  void *pCtx, 
+  const char **azArg, 
+  int nArg, 
+  Fts5Tokenizer **ppOut
+){
+  F5tTokenizerModule *pMod = (F5tTokenizerModule*)pCtx;
+  Tcl_Obj *pEval;
+  int rc = TCL_OK;
+  int i;
+
+  pEval = Tcl_DuplicateObj(pMod->pScript);
+  Tcl_IncrRefCount(pEval);
+  for(i=0; rc==TCL_OK && i<nArg; i++){
+    Tcl_Obj *pObj = Tcl_NewStringObj(azArg[i], -1);
+    rc = Tcl_ListObjAppendElement(pMod->interp, pEval, pObj);
+  }
+
+  if( rc==TCL_OK ){
+    rc = Tcl_EvalObjEx(pMod->interp, pEval, TCL_GLOBAL_ONLY);
+  }
+  Tcl_DecrRefCount(pEval);
+
+  if( rc==TCL_OK ){
+    F5tTokenizerInstance *pInst = ckalloc(sizeof(F5tTokenizerInstance));
+    memset(pInst, 0, sizeof(F5tTokenizerInstance));
+    pInst->interp = pMod->interp;
+    pInst->pScript = Tcl_GetObjResult(pMod->interp);
+    pInst->pContext = pMod->pContext;
+    Tcl_IncrRefCount(pInst->pScript);
+    *ppOut = (Fts5Tokenizer*)pInst;
+  }
+
+  return rc;
+}
+
+
+static void f5tTokenizerDelete(Fts5Tokenizer *p){
+  F5tTokenizerInstance *pInst = (F5tTokenizerInstance*)p;
+  Tcl_DecrRefCount(pInst->pScript);
+  ckfree(pInst);
+}
+
+static int f5tTokenizerTokenize(
+  Fts5Tokenizer *p, 
+  void *pCtx,
+  const char *pText, int nText, 
+  int (*xToken)(void*, const char*, int, int, int, int)
+){
+  F5tTokenizerInstance *pInst = (F5tTokenizerInstance*)p;
+  void *pOldCtx;
+  int (*xOldToken)(void*, const char*, int, int, int, int);
+  Tcl_Obj *pEval;
+  int rc;
+
+  pOldCtx = pInst->pContext->pCtx;
+  xOldToken = pInst->pContext->xToken;
+
+  pEval = Tcl_DuplicateObj(pInst->pScript);
+  Tcl_IncrRefCount(pEval);
+  rc = Tcl_ListObjAppendElement(
+      pInst->interp, pEval, Tcl_NewStringObj(pText, nText)
   );
+  if( rc==TCL_OK ){
+    rc = Tcl_EvalObjEx(pInst->interp, pEval, TCL_GLOBAL_ONLY);
+  }
+  Tcl_DecrRefCount(pEval);
+
+  pInst->pContext->pCtx = pOldCtx;
+  pInst->pContext->xToken = xOldToken;
+  return rc;
+}
+
+extern const char *sqlite3ErrName(int);
+
+/*
+** sqlite3_fts5_token TEXT START END POS
+*/
+static int f5tTokenizerReturn(
+  void * clientData,
+  Tcl_Interp *interp,
+  int objc,
+  Tcl_Obj *CONST objv[]
+){
+  F5tTokenizerContext *p = (F5tTokenizerContext*)clientData;
+  int iStart;
+  int iEnd;
+  int iPos;
+  int nToken;
+  char *zToken;
+  int rc;
+
+  assert( p );
+  if( objc!=5 ){
+    Tcl_WrongNumArgs(interp, 1, objv, "TEXT START END POS");
+    return TCL_ERROR;
+  }
+  if( p->xToken==0 ){
+    Tcl_AppendResult(interp, 
+        "sqlite3_fts5_token may only be used by tokenizer callback", 0
+    );
+    return TCL_ERROR;
+  }
+
+  zToken = Tcl_GetStringFromObj(objv[1], &nToken);
+  if( Tcl_GetIntFromObj(interp, objv[2], &iStart) 
+   || Tcl_GetIntFromObj(interp, objv[3], &iEnd) 
+   || Tcl_GetIntFromObj(interp, objv[4], &iPos) 
+  ){
+    return TCL_ERROR;
+  }
+
+  rc = p->xToken(p->pCtx, zToken, nToken, iStart, iEnd, iPos);
+  Tcl_SetResult(interp, (char*)sqlite3ErrName(rc), TCL_VOLATILE);
+  return TCL_OK;
+}
+
+static void f5tDelTokenizer(void *pCtx){
+  F5tTokenizerModule *pMod = (F5tTokenizerModule*)pCtx;
+  Tcl_DecrRefCount(pMod->pScript);
+  ckfree(pMod);
+}
+
+/*
+**      sqlite3_fts5_create_tokenizer DB NAME SCRIPT
+**
+** Register a tokenizer named NAME implemented by script SCRIPT. When
+** a tokenizer instance is created (fts5_tokenizer.xCreate), any tokenizer
+** arguments are appended to SCRIPT and the result executed.
+**
+** The value returned by (SCRIPT + args) is itself a tcl script. This 
+** script - call it SCRIPT2 - is executed to tokenize text using the
+** tokenizer instance "returned" by SCRIPT. Specifically, to tokenize
+** text SCRIPT2 is invoked with a single argument appended to it - the
+** text to tokenize.
+**
+** SCRIPT2 should invoke the [sqlite3_fts5_token] command once for each
+** token within the tokenized text.
+*/
+static int f5tCreateTokenizer(
+  ClientData clientData,
+  Tcl_Interp *interp,
+  int objc,
+  Tcl_Obj *CONST objv[]
+){
+  F5tTokenizerContext *pContext = (F5tTokenizerContext*)clientData;
+  sqlite3 *db;
+  fts5_api *pApi;
+  char *zName;
+  Tcl_Obj *pScript;
+  fts5_tokenizer t;
+  F5tTokenizerModule *pMod;
+  int rc;
+
+  if( objc!=4 ){
+    Tcl_WrongNumArgs(interp, 1, objv, "DB NAME SCRIPT");
+    return TCL_ERROR;
+  }
+  if( f5tDbAndApi(interp, objv[1], &db, &pApi) ){
+    return TCL_ERROR;
+  }
+  zName = Tcl_GetString(objv[2]);
+  pScript = objv[3];
+
+  t.xCreate = f5tTokenizerCreate;
+  t.xTokenize = f5tTokenizerTokenize;
+  t.xDelete = f5tTokenizerDelete;
+
+  pMod = (F5tTokenizerModule*)ckalloc(sizeof(F5tTokenizerModule));
+  pMod->interp = interp;
+  pMod->pScript = pScript;
+  pMod->pContext = pContext;
+  Tcl_IncrRefCount(pScript);
+  rc = pApi->xCreateTokenizer(pApi, zName, (void*)pMod, &t, f5tDelTokenizer);
   if( rc!=SQLITE_OK ){
-    Tcl_AppendResult(interp, "error: ", sqlite3_errmsg(db), 0);
+    Tcl_AppendResult(interp, "error in fts5_api.xCreateTokenizer()", 0);
     return TCL_ERROR;
   }
 
   return TCL_OK;
 }
 
+static void xF5tFree(ClientData clientData){
+  ckfree(clientData);
+}
+
 /*
 ** Entry point.
 */
@@ -504,17 +803,27 @@ int Fts5tcl_Init(Tcl_Interp *interp){
   static struct Cmd {
     char *zName;
     Tcl_ObjCmdProc *xProc;
-    void *clientData;
+    int bTokenizeCtx;
   } aCmd[] = {
-    { "sqlite3_fts5_create_function", f5tCreateFunction, 0 }
+    { "sqlite3_fts5_create_tokenizer", f5tCreateTokenizer, 1 },
+    { "sqlite3_fts5_token",            f5tTokenizerReturn, 1 },
+    { "sqlite3_fts5_tokenize",         f5tTokenize, 0 },
+    { "sqlite3_fts5_create_function",  f5tCreateFunction, 0 }
   };
   int i;
+  F5tTokenizerContext *pContext;
+
+  pContext = ckalloc(sizeof(F5tTokenizerContext));
+  memset(pContext, 0, sizeof(*pContext));
 
   for(i=0; i<sizeof(aCmd)/sizeof(aCmd[0]); i++){
     struct Cmd *p = &aCmd[i];
-    Tcl_CreateObjCommand(interp, p->zName, p->xProc, p->clientData, 0);
+    void *pCtx = 0;
+    if( p->bTokenizeCtx ) pCtx = (void*)pContext;
+    Tcl_CreateObjCommand(interp, p->zName, p->xProc, pCtx, (i ? 0 : xF5tFree));
   }
 
   return TCL_OK;
 }
 
+#endif
index ef7c767544ace4da587dc044e028bed1403953b5..5352faa2c6ed5c7c875babc725e8d253b2e383b0 100644 (file)
@@ -12,6 +12,8 @@
 */
 
 #include "fts5.h"
+#include <string.h>
+#include <assert.h>
 
 
 /*
@@ -115,16 +117,368 @@ static int fts5SimpleTokenize(
   return rc;
 }
 
+/**************************************************************************
+** Start of porter2 stemmer implementation.
+*/
+
+/* Any tokens larger than this (in bytes) are passed through without
+** stemming. */
+#define FTS5_PORTER_MAX_TOKEN 64
+
+typedef struct PorterTokenizer PorterTokenizer;
+struct PorterTokenizer {
+  fts5_tokenizer tokenizer;       /* Parent tokenizer module */
+  Fts5Tokenizer *pTokenizer;      /* Parent tokenizer instance */
+  char aBuf[FTS5_PORTER_MAX_TOKEN + 64];
+};
+
+/*
+** Delete a "porter" tokenizer.
+*/
+static void fts5PorterDelete(Fts5Tokenizer *pTok){
+  if( pTok ){
+    PorterTokenizer *p = (PorterTokenizer*)pTok;
+    if( p->pTokenizer ){
+      p->tokenizer.xDelete(p->pTokenizer);
+    }
+    sqlite3_free(p);
+  }
+}
+
+/*
+** Create a "porter" tokenizer.
+*/
+static int fts5PorterCreate(
+  void *pCtx, 
+  const char **azArg, int nArg,
+  Fts5Tokenizer **ppOut
+){
+  fts5_api *pApi = (fts5_api*)pCtx;
+  int rc = SQLITE_OK;
+  PorterTokenizer *pRet;
+  void *pUserdata = 0;
+
+  pRet = (PorterTokenizer*)sqlite3_malloc(sizeof(PorterTokenizer));
+  if( pRet ){
+    memset(pRet, 0, sizeof(PorterTokenizer));
+    rc = pApi->xFindTokenizer(pApi, "simple", &pUserdata, &pRet->tokenizer);
+  }else{
+    rc = SQLITE_NOMEM;
+  }
+  if( rc==SQLITE_OK ){
+    rc = pRet->tokenizer.xCreate(pUserdata, 0, 0, &pRet->pTokenizer);
+  }
+
+  if( rc!=SQLITE_OK ){
+    fts5PorterDelete((Fts5Tokenizer*)pRet);
+    pRet = 0;
+  }
+  *ppOut = (Fts5Tokenizer*)pRet;
+  return rc;
+}
+
+typedef struct PorterContext PorterContext;
+struct PorterContext {
+  void *pCtx;
+  int (*xToken)(void*, const char*, int, int, int, int);
+  char *aBuf;
+};
+
+typedef struct PorterRule PorterRule;
+struct PorterRule {
+  const char *zSuffix;
+  int nSuffix;
+  int (*xCond)(char *zStem, int nStem);
+  const char *zOutput;
+  int nOutput;
+};
+
+static int fts5PorterApply(char *aBuf, int *pnBuf, PorterRule *aRule){
+  int ret = -1;
+  int nBuf = *pnBuf;
+  PorterRule *p;
+
+
+  for(p=aRule; p->zSuffix; p++){
+    assert( strlen(p->zSuffix)==p->nSuffix );
+    assert( strlen(p->zOutput)==p->nOutput );
+    if( nBuf<p->nSuffix ) continue;
+    if( 0==memcmp(&aBuf[nBuf - p->nSuffix], p->zSuffix, p->nSuffix) ) break;
+  }
+
+  if( p->zSuffix ){
+    int nStem = nBuf - p->nSuffix;
+    if( p->xCond==0 || p->xCond(aBuf, nStem) ){
+      memcpy(&aBuf[nStem], p->zOutput, p->nOutput);
+      *pnBuf = nStem + p->nOutput;
+      ret = p - aRule;
+    }
+  }
+
+  return ret;
+}
+
+static int fts5PorterIsVowel(char c, int bYIsVowel){
+  return (
+      c=='a' || c=='e' || c=='i' || c=='o' || c=='u' || (bYIsVowel && c=='y')
+  );
+}
+
+static int fts5PorterGobbleVC(char *zStem, int nStem, int bPrevCons){
+  int i;
+  int bCons = bPrevCons;
+
+  /* Scan for a vowel */
+  for(i=0; i<nStem; i++){
+    if( 0==(bCons = !fts5PorterIsVowel(zStem[i], bCons)) ) break;
+  }
+
+  /* Scan for a consonent */
+  for(i++; i<nStem; i++){
+    if( (bCons = !fts5PorterIsVowel(zStem[i], bCons)) ) return i+1;
+  }
+  return 0;
+}
+
+/* porter rule condition: (m > 0) */
+static int fts5Porter_MGt0(char *zStem, int nStem){
+  return !!fts5PorterGobbleVC(zStem, nStem, 0);
+}
+
+/* porter rule condition: (m > 1) */
+static int fts5Porter_MGt1(char *zStem, int nStem){
+  int n;
+  n = fts5PorterGobbleVC(zStem, nStem, 0);
+  if( n && fts5PorterGobbleVC(&zStem[n], nStem-n, 1) ){
+    return 1;
+  }
+  return 0;
+}
+
+/* porter rule condition: (m = 1) */
+static int fts5Porter_MEq1(char *zStem, int nStem){
+  int n;
+  n = fts5PorterGobbleVC(zStem, nStem, 0);
+  if( n && 0==fts5PorterGobbleVC(&zStem[n], nStem-n, 1) ){
+    return 1;
+  }
+  return 0;
+}
+
+/* porter rule condition: (*o) */
+static int fts5Porter_Ostar(char *zStem, int nStem){
+  if( zStem[nStem-1]=='w' || zStem[nStem-1]=='x' || zStem[nStem-1]=='y' ){
+    return 0;
+  }else{
+    int i;
+    int mask = 0;
+    int bCons = 0;
+    for(i=0; i<nStem; i++){
+      bCons = !fts5PorterIsVowel(zStem[i], bCons);
+      assert( bCons==0 || bCons==1 );
+      mask = (mask << 1) + bCons;
+    }
+    return ((mask & 0x0007)==0x0005);
+  }
+}
+
+/* porter rule condition: (m > 1 and (*S or *T)) */
+static int fts5Porter_MGt1_and_S_or_T(char *zStem, int nStem){
+  return nStem>0
+      && (zStem[nStem-1]=='s' || zStem[nStem-1]=='t')
+      && fts5Porter_MGt1(zStem, nStem);
+}
+
+/* porter rule condition: (*v*) */
+static int fts5Porter_Vowel(char *zStem, int nStem){
+  int i;
+  for(i=0; i<nStem; i++){
+    if( fts5PorterIsVowel(zStem[i], i>0) ){
+      return 1;
+    }
+  }
+  return 0;
+}
+
+static int fts5PorterCb(
+  void *pCtx, 
+  const char *pToken, 
+  int nToken, 
+  int iStart, 
+  int iEnd, 
+  int iPos
+){
+  PorterContext *p = (PorterContext*)pCtx;
+
+  PorterRule aStep1A[] = {
+    { "sses", 4,  0, "ss", 2 },
+    { "ies",  3,  0, "i",  1  },
+    { "ss",   2,  0, "ss", 2 },
+    { "s",    1,  0, "",   0 },
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep1B[] = {
+    { "eed", 3,  fts5Porter_MGt0,  "ee", 2 },
+    { "ed",  2,  fts5Porter_Vowel, "",   0 },
+    { "ing", 3,  fts5Porter_Vowel, "",   0 },
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep1B2[] = {
+    { "at", 2,  0, "ate", 3 },
+    { "bl", 2,  0, "ble", 3 },
+    { "iz", 2,  0, "ize", 3 },
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep1C[] = {
+    { "y",  1,  fts5Porter_Vowel, "i", 1 },
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep2[] = {
+    { "ational", 7, fts5Porter_MGt0, "ate", 3}, 
+    { "tional", 6, fts5Porter_MGt0, "tion", 4}, 
+    { "enci", 4, fts5Porter_MGt0, "ence", 4}, 
+    { "anci", 4, fts5Porter_MGt0, "ance", 4}, 
+    { "izer", 4, fts5Porter_MGt0, "ize", 3}, 
+    { "logi", 4, fts5Porter_MGt0, "log", 3},     /* added post 1979 */
+    { "bli", 3, fts5Porter_MGt0, "ble", 3},      /* modified post 1979 */
+    { "alli", 4, fts5Porter_MGt0, "al", 2}, 
+    { "entli", 5, fts5Porter_MGt0, "ent", 3}, 
+    { "eli", 3, fts5Porter_MGt0, "e", 1}, 
+    { "ousli", 5, fts5Porter_MGt0, "ous", 3}, 
+    { "ization", 7, fts5Porter_MGt0, "ize", 3}, 
+    { "ation", 5, fts5Porter_MGt0, "ate", 3}, 
+    { "ator", 4, fts5Porter_MGt0, "ate", 3}, 
+    { "alism", 5, fts5Porter_MGt0, "al", 2}, 
+    { "iveness", 7, fts5Porter_MGt0, "ive", 3}, 
+    { "fulness", 7, fts5Porter_MGt0, "ful", 3}, 
+    { "ousness", 7, fts5Porter_MGt0, "ous", 3}, 
+    { "aliti", 5, fts5Porter_MGt0, "al", 2}, 
+    { "iviti", 5, fts5Porter_MGt0, "ive", 3}, 
+    { "biliti", 6, fts5Porter_MGt0, "ble", 3}, 
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep3[] = {
+    { "icate", 5, fts5Porter_MGt0, "ic", 2}, 
+    { "ative", 5, fts5Porter_MGt0, "", 0}, 
+    { "alize", 5, fts5Porter_MGt0, "al", 2}, 
+    { "iciti", 5, fts5Porter_MGt0, "ic", 2}, 
+    { "ical", 4, fts5Porter_MGt0, "ic", 2}, 
+    { "ful", 3, fts5Porter_MGt0, "", 0}, 
+    { "ness", 4, fts5Porter_MGt0, "", 0}, 
+    { 0, 0, 0, 0 }
+  };
+
+  PorterRule aStep4[] = {
+    { "al", 2, fts5Porter_MGt1, "", 0}, 
+    { "ance", 4, fts5Porter_MGt1, "", 0}, 
+    { "ence", 4, fts5Porter_MGt1, "", 0}, 
+    { "er", 2, fts5Porter_MGt1, "", 0}, 
+    { "ic", 2, fts5Porter_MGt1, "", 0}, 
+    { "able", 4, fts5Porter_MGt1, "", 0}, 
+    { "ible", 4, fts5Porter_MGt1, "", 0}, 
+    { "ant", 3, fts5Porter_MGt1, "", 0}, 
+    { "ement", 5, fts5Porter_MGt1, "", 0}, 
+    { "ment", 4, fts5Porter_MGt1, "", 0}, 
+    { "ent", 3, fts5Porter_MGt1, "", 0}, 
+    { "ion", 3, fts5Porter_MGt1_and_S_or_T, "", 0}, 
+    { "ou", 2, fts5Porter_MGt1, "", 0}, 
+    { "ism", 3, fts5Porter_MGt1, "", 0}, 
+    { "ate", 3, fts5Porter_MGt1, "", 0}, 
+    { "iti", 3, fts5Porter_MGt1, "", 0}, 
+    { "ous", 3, fts5Porter_MGt1, "", 0}, 
+    { "ive", 3, fts5Porter_MGt1, "", 0}, 
+    { "ize", 3, fts5Porter_MGt1, "", 0}, 
+    { 0, 0, 0, 0 }
+  };
+
+
+  char *aBuf;
+  int nBuf;
+  int n;
+
+  if( nToken>FTS5_PORTER_MAX_TOKEN || nToken<3 ) goto pass_through;
+  aBuf = p->aBuf;
+  nBuf = nToken;
+  memcpy(aBuf, pToken, nBuf);
+
+  /* Step 1. */
+  fts5PorterApply(aBuf, &nBuf, aStep1A);
+  n = fts5PorterApply(aBuf, &nBuf, aStep1B);
+  if( n==1 || n==2 ){
+    if( fts5PorterApply(aBuf, &nBuf, aStep1B2)<0 ){
+      char c = aBuf[nBuf-1];
+      if( fts5PorterIsVowel(c, 0)==0 
+       && c!='l' && c!='s' && c!='z' && c==aBuf[nBuf-2] 
+      ){
+        nBuf--;
+      }else if( fts5Porter_MEq1(aBuf, nBuf) && fts5Porter_Ostar(aBuf, nBuf) ){
+        aBuf[nBuf++] = 'e';
+      }
+    }
+  }
+  fts5PorterApply(aBuf, &nBuf, aStep1C);
+
+  /* Steps 2 through 4. */
+  fts5PorterApply(aBuf, &nBuf, aStep2);
+  fts5PorterApply(aBuf, &nBuf, aStep3);
+  fts5PorterApply(aBuf, &nBuf, aStep4);
+
+  /* Step 5a. */
+  if( nBuf>0 && aBuf[nBuf-1]=='e' ){
+    if( fts5Porter_MGt1(aBuf, nBuf-1) 
+     || (fts5Porter_MEq1(aBuf, nBuf-1) && !fts5Porter_Ostar(aBuf, nBuf-1))
+    ){
+      nBuf--;
+    }
+  }
+
+  /* Step 5b. */
+  if( nBuf>1 && aBuf[nBuf-1]=='l' 
+   && aBuf[nBuf-2]=='l' && fts5Porter_MGt1(aBuf, nBuf-1) 
+  ){
+    nBuf--;
+  }
+
+  return p->xToken(p->pCtx, aBuf, nBuf, iStart, iEnd, iPos);
+
+ pass_through:
+  return p->xToken(p->pCtx, pToken, nToken, iStart, iEnd, iPos);
+}
+
+/*
+** Tokenize using the porter tokenizer.
+*/
+static int fts5PorterTokenize(
+  Fts5Tokenizer *pTokenizer,
+  void *pCtx,
+  const char *pText, int nText,
+  int (*xToken)(void*, const char*, int nToken, int iStart, int iEnd, int iPos)
+){
+  PorterTokenizer *p = (PorterTokenizer*)pTokenizer;
+  PorterContext sCtx;
+  sCtx.xToken = xToken;
+  sCtx.pCtx = pCtx;
+  sCtx.aBuf = p->aBuf;
+  return p->tokenizer.xTokenize(
+      p->pTokenizer, (void*)&sCtx, pText, nText, fts5PorterCb
+  );
+}
+
 /*
 ** Register all built-in tokenizers with FTS5.
 */
 int sqlite3Fts5TokenizerInit(fts5_api *pApi){
   struct BuiltinTokenizer {
     const char *zName;
-    void *pUserData;
     fts5_tokenizer x;
   } aBuiltin[] = {
-    { "simple", 0, { fts5SimpleCreate, fts5SimpleDelete, fts5SimpleTokenize } }
+    { "porter",  { fts5PorterCreate, fts5PorterDelete, fts5PorterTokenize } },
+    { "simple",  { fts5SimpleCreate, fts5SimpleDelete, fts5SimpleTokenize } }
   };
   
   int rc = SQLITE_OK;             /* Return code */
@@ -133,7 +487,7 @@ int sqlite3Fts5TokenizerInit(fts5_api *pApi){
   for(i=0; rc==SQLITE_OK && i<sizeof(aBuiltin)/sizeof(aBuiltin[0]); i++){
     rc = pApi->xCreateTokenizer(pApi,
         aBuiltin[i].zName,
-        &aBuiltin[i].pUserData,
+        (void*)pApi,
         &aBuiltin[i].x,
         0
     );
diff --git a/ext/fts5/fts5porter.test b/ext/fts5/fts5porter.test
new file mode 100644 (file)
index 0000000..7c67f83
--- /dev/null
@@ -0,0 +1,11803 @@
+# 2014 Dec 20
+#
+# The author disclaims copyright to this source code.  In place of
+# a legal notice, here is a blessing:
+#
+#    May you do good and not evil.
+#    May you find forgiveness for yourself and forgive others.
+#    May you share freely, never taking more than you give.
+#
+#***********************************************************************
+#
+# Tests focusing on the fts5 porter stemmer implementation.
+#
+#   http://tartarus.org/martin/PorterStemmer/
+#
+
+if {![info exists testdir]} {
+  set testdir [file join [file dirname [info script]] .. .. test]
+}
+source $testdir/tester.tcl
+set testprefix fts5porter
+
+set test_vocab {
+  a               a               aaron           aaron          
+  abaissiez       abaissiez       abandon         abandon        
+  abandoned       abandon         abase           abas           
+  abash           abash           abate           abat           
+  abated          abat            abatement       abat           
+  abatements      abat            abates          abat           
+  abbess          abbess          abbey           abbei          
+  abbeys          abbei           abbominable     abbomin        
+  abbot           abbot           abbots          abbot          
+  abbreviated     abbrevi         abed            ab             
+  abel            abel            aberga          aberga         
+  abergavenny     abergavenni     abet            abet           
+  abetting        abet            abhominable     abhomin        
+  abhor           abhor           abhorr          abhorr         
+  abhorred        abhor           abhorring       abhor          
+  abhors          abhor           abhorson        abhorson       
+  abide           abid            abides          abid           
+  abilities       abil            ability         abil           
+  abject          abject          abjectly        abjectli       
+  abjects         abject          abjur           abjur          
+  abjure          abjur           able            abl            
+  abler           abler           aboard          aboard         
+  abode           abod            aboded          abod           
+  abodements      abod            aboding         abod           
+  abominable      abomin          abominably      abomin         
+  abominations    abomin          abortive        abort          
+  abortives       abort           abound          abound         
+  abounding       abound          about           about          
+  above           abov            abr             abr            
+  abraham         abraham         abram           abram          
+  abreast         abreast         abridg          abridg         
+  abridge         abridg          abridged        abridg         
+  abridgment      abridg          abroach         abroach        
+  abroad          abroad          abrogate        abrog          
+  abrook          abrook          abrupt          abrupt         
+  abruption       abrupt          abruptly        abruptli       
+  absence         absenc          absent          absent         
+  absey           absei           absolute        absolut        
+  absolutely      absolut         absolv          absolv         
+  absolver        absolv          abstains        abstain        
+  abstemious      abstemi         abstinence      abstin         
+  abstract        abstract        absurd          absurd         
+  absyrtus        absyrtu         abundance       abund          
+  abundant        abund           abundantly      abundantli     
+  abus            abu             abuse           abus           
+  abused          abus            abuser          abus           
+  abuses          abus            abusing         abus           
+  abutting        abut            aby             abi            
+  abysm           abysm           ac              ac             
+  academe         academ          academes        academ         
+  accent          accent          accents         accent         
+  accept          accept          acceptable      accept         
+  acceptance      accept          accepted        accept         
+  accepts         accept          access          access         
+  accessary       accessari       accessible      access         
+  accidence       accid           accident        accid          
+  accidental      accident        accidentally    accident       
+  accidents       accid           accite          accit          
+  accited         accit           accites         accit          
+  acclamations    acclam          accommodate     accommod       
+  accommodated    accommod        accommodation   accommod       
+  accommodations  accommod        accommodo       accommodo      
+  accompanied     accompani       accompany       accompani      
+  accompanying    accompani       accomplices     accomplic      
+  accomplish      accomplish      accomplished    accomplish     
+  accomplishing   accomplish      accomplishment  accomplish     
+  accompt         accompt         accord          accord         
+  accordant       accord          accorded        accord         
+  accordeth       accordeth       according       accord         
+  accordingly     accordingli     accords         accord         
+  accost          accost          accosted        accost         
+  account         account         accountant      account        
+  accounted       account         accounts        account        
+  accoutred       accoutr         accoutrement    accoutr        
+  accoutrements   accoutr         accrue          accru          
+  accumulate      accumul         accumulated     accumul        
+  accumulation    accumul         accurs          accur          
+  accursed        accurs          accurst         accurst        
+  accus           accu            accusation      accus          
+  accusations     accus           accusative      accus          
+  accusativo      accusativo      accuse          accus          
+  accused         accus           accuser         accus          
+  accusers        accus           accuses         accus          
+  accuseth        accuseth        accusing        accus          
+  accustom        accustom        accustomed      accustom       
+  ace             ac              acerb           acerb          
+  ache            ach             acheron         acheron        
+  aches           ach             achiev          achiev         
+  achieve         achiev          achieved        achiev         
+  achievement     achiev          achievements    achiev         
+  achiever        achiev          achieves        achiev         
+  achieving       achiev          achilles        achil          
+  aching          ach             achitophel      achitophel     
+  acknowledg      acknowledg      acknowledge     acknowledg     
+  acknowledged    acknowledg      acknowledgment  acknowledg     
+  acknown         acknown         acold           acold          
+  aconitum        aconitum        acordo          acordo         
+  acorn           acorn           acquaint        acquaint       
+  acquaintance    acquaint        acquainted      acquaint       
+  acquaints       acquaint        acquir          acquir         
+  acquire         acquir          acquisition     acquisit       
+  acquit          acquit          acquittance     acquitt        
+  acquittances    acquitt         acquitted       acquit         
+  acre            acr             acres           acr            
+  across          across          act             act            
+  actaeon         actaeon         acted           act            
+  acting          act             action          action         
+  actions         action          actium          actium         
+  active          activ           actively        activ          
+  activity        activ           actor           actor          
+  actors          actor           acts            act            
+  actual          actual          acture          actur          
+  acute           acut            acutely         acut           
+  ad              ad              adage           adag           
+  adallas         adalla          adam            adam           
+  adamant         adam            add             add            
+  added           ad              adder           adder          
+  adders          adder           addeth          addeth         
+  addict          addict          addicted        addict         
+  addiction       addict          adding          ad             
+  addition        addit           additions       addit          
+  addle           addl            address         address        
+  addressing      address         addrest         addrest        
+  adds            add             adhere          adher          
+  adheres         adher           adieu           adieu          
+  adieus          adieu           adjacent        adjac          
+  adjoin          adjoin          adjoining       adjoin         
+  adjourn         adjourn         adjudg          adjudg         
+  adjudged        adjudg          adjunct         adjunct        
+  administer      administ        administration  administr      
+  admir           admir           admirable       admir          
+  admiral         admir           admiration      admir          
+  admire          admir           admired         admir          
+  admirer         admir           admiring        admir          
+  admiringly      admiringli      admission       admiss         
+  admit           admit           admits          admit          
+  admittance      admitt          admitted        admit          
+  admitting       admit           admonish        admonish       
+  admonishing     admonish        admonishment    admonish       
+  admonishments   admonish        admonition      admonit        
+  ado             ado             adonis          adoni          
+  adopt           adopt           adopted         adopt          
+  adoptedly       adoptedli       adoption        adopt          
+  adoptious       adopti          adopts          adopt          
+  ador            ador            adoration       ador           
+  adorations      ador            adore           ador           
+  adorer          ador            adores          ador           
+  adorest         adorest         adoreth         adoreth        
+  adoring         ador            adorn           adorn          
+  adorned         adorn           adornings       adorn          
+  adornment       adorn           adorns          adorn          
+  adown           adown           adramadio       adramadio      
+  adrian          adrian          adriana         adriana        
+  adriano         adriano         adriatic        adriat         
+  adsum           adsum           adulation       adul           
+  adulterate      adulter         adulterates     adulter        
+  adulterers      adulter         adulteress      adulteress     
+  adulteries      adulteri        adulterous      adulter        
+  adultery        adulteri        adultress       adultress      
+  advanc          advanc          advance         advanc         
+  advanced        advanc          advancement     advanc         
+  advancements    advanc          advances        advanc         
+  advancing       advanc          advantage       advantag       
+  advantageable   advantag        advantaged      advantag       
+  advantageous    advantag        advantages      advantag       
+  advantaging     advantag        advent          advent         
+  adventur        adventur        adventure       adventur       
+  adventures      adventur        adventuring     adventur       
+  adventurous     adventur        adventurously   adventur       
+  adversaries     adversari       adversary       adversari      
+  adverse         advers          adversely       advers         
+  adversities     advers          adversity       advers         
+  advertis        adverti         advertise       advertis       
+  advertised      advertis        advertisement   advertis       
+  advertising     advertis        advice          advic          
+  advis           advi            advise          advis          
+  advised         advis           advisedly       advisedli      
+  advises         advis           advisings       advis          
+  advocate        advoc           advocation      advoc          
+  aeacida         aeacida         aeacides        aeacid         
+  aedile          aedil           aediles         aedil          
+  aegeon          aegeon          aegion          aegion         
+  aegles          aegl            aemelia         aemelia        
+  aemilia         aemilia         aemilius        aemiliu        
+  aeneas          aenea           aeolus          aeolu          
+  aer             aer             aerial          aerial         
+  aery            aeri            aesculapius     aesculapiu     
+  aeson           aeson           aesop           aesop          
+  aetna           aetna           afar            afar           
+  afear           afear           afeard          afeard         
+  affability      affabl          affable         affabl         
+  affair          affair          affaire         affair         
+  affairs         affair          affect          affect         
+  affectation     affect          affectations    affect         
+  affected        affect          affectedly      affectedli     
+  affecteth       affecteth       affecting       affect         
+  affection       affect          affectionate    affection      
+  affectionately  affection       affections      affect         
+  affects         affect          affeer          affeer         
+  affianc         affianc         affiance        affianc        
+  affianced       affianc         affied          affi           
+  affin           affin           affined         affin          
+  affinity        affin           affirm          affirm         
+  affirmation     affirm          affirmatives    affirm         
+  afflict         afflict         afflicted       afflict        
+  affliction      afflict         afflictions     afflict        
+  afflicts        afflict         afford          afford         
+  affordeth       affordeth       affords         afford         
+  affray          affrai          affright        affright       
+  affrighted      affright        affrights       affright       
+  affront         affront         affronted       affront        
+  affy            affi            afield          afield         
+  afire           afir            afloat          afloat         
+  afoot           afoot           afore           afor           
+  aforehand       aforehand       aforesaid       aforesaid      
+  afraid          afraid          afresh          afresh         
+  afric           afric           africa          africa         
+  african         african         afront          afront         
+  after           after           afternoon       afternoon      
+  afterward       afterward       afterwards      afterward      
+  ag              ag              again           again          
+  against         against         agamemmon       agamemmon      
+  agamemnon       agamemnon       agate           agat           
+  agaz            agaz            age             ag             
+  aged            ag              agenor          agenor         
+  agent           agent           agents          agent          
+  ages            ag              aggravate       aggrav         
+  aggrief         aggrief         agile           agil           
+  agincourt       agincourt       agitation       agit           
+  aglet           aglet           agnize          agniz          
+  ago             ago             agone           agon           
+  agony           agoni           agree           agre           
+  agreed          agre            agreeing        agre           
+  agreement       agreement       agrees          agre           
+  agrippa         agrippa         aground         aground        
+  ague            agu             aguecheek       aguecheek      
+  agued           agu             agueface        aguefac        
+  agues           agu             ah              ah             
+  aha             aha             ahungry         ahungri        
+  ai              ai              aialvolio       aialvolio      
+  aiaria          aiaria          aid             aid            
+  aidance         aidanc          aidant          aidant         
+  aided           aid             aiding          aid            
+  aidless         aidless         aids            aid            
+  ail             ail             aim             aim            
+  aimed           aim             aimest          aimest         
+  aiming          aim             aims            aim            
+  ainsi           ainsi           aio             aio            
+  air             air             aired           air            
+  airless         airless         airs            air            
+  airy            airi            ajax            ajax           
+  akilling        akil            al              al             
+  alabaster       alabast         alack           alack          
+  alacrity        alacr           alarbus         alarbu         
+  alarm           alarm           alarms          alarm          
+  alarum          alarum          alarums         alarum         
+  alas            ala             alb             alb            
+  alban           alban           albans          alban          
+  albany          albani          albeit          albeit         
+  albion          albion          alchemist       alchemist      
+  alchemy         alchemi         alcibiades      alcibiad       
+  alcides         alcid           alder           alder          
+  alderman        alderman        aldermen        aldermen       
+  ale             al              alecto          alecto         
+  alehouse        alehous         alehouses       alehous        
+  alencon         alencon         alengon         alengon        
+  aleppo          aleppo          ales            al             
+  alewife         alewif          alexander       alexand        
+  alexanders      alexand         alexandria      alexandria     
+  alexandrian     alexandrian     alexas          alexa          
+  alias           alia            alice           alic           
+  alien           alien           aliena          aliena         
+  alight          alight          alighted        alight         
+  alights         alight          aliis           alii           
+  alike           alik            alisander       alisand        
+  alive           aliv            all             all            
+  alla            alla            allay           allai          
+  allayed         allai           allaying        allai          
+  allayment       allay           allayments      allay          
+  allays          allai           allegation      alleg          
+  allegations     alleg           allege          alleg          
+  alleged         alleg           allegiance      allegi         
+  allegiant       allegi          alley           allei          
+  alleys          allei           allhallowmas    allhallowma    
+  alliance        allianc         allicholy       allicholi      
+  allied          alli            allies          alli           
+  alligant        allig           alligator       allig          
+  allons          allon           allot           allot          
+  allots          allot           allotted        allot          
+  allottery       allotteri       allow           allow          
+  allowance       allow           allowed         allow          
+  allowing        allow           allows          allow          
+  allur           allur           allure          allur          
+  allurement      allur           alluring        allur          
+  allusion        allus           ally            alli           
+  allycholly      allycholli      almain          almain         
+  almanac         almanac         almanack        almanack       
+  almanacs        almanac         almighty        almighti       
+  almond          almond          almost          almost         
+  alms            alm             almsman         almsman        
+  aloes           alo             aloft           aloft          
+  alone           alon            along           along          
+  alonso          alonso          aloof           aloof          
+  aloud           aloud           alphabet        alphabet       
+  alphabetical    alphabet        alphonso        alphonso       
+  alps            alp             already         alreadi        
+  also            also            alt             alt            
+  altar           altar           altars          altar          
+  alter           alter           alteration      alter          
+  altered         alter           alters          alter          
+  althaea         althaea         although        although       
+  altitude        altitud         altogether      altogeth       
+  alton           alton           alway           alwai          
+  always          alwai           am              am             
+  amaimon         amaimon         amain           amain          
+  amaking         amak            amamon          amamon         
+  amaz            amaz            amaze           amaz           
+  amazed          amaz            amazedly        amazedli       
+  amazedness      amazed          amazement       amaz           
+  amazes          amaz            amazeth         amazeth        
+  amazing         amaz            amazon          amazon         
+  amazonian       amazonian       amazons         amazon         
+  ambassador      ambassador      ambassadors     ambassador     
+  amber           amber           ambiguides      ambiguid       
+  ambiguities     ambigu          ambiguous       ambigu         
+  ambition        ambit           ambitions       ambit          
+  ambitious       ambiti          ambitiously     ambiti         
+  amble           ambl            ambled          ambl           
+  ambles          ambl            ambling         ambl           
+  ambo            ambo            ambuscadoes     ambuscado      
+  ambush          ambush          amen            amen           
+  amend           amend           amended         amend          
+  amendment       amend           amends          amend          
+  amerce          amerc           america         america        
+  ames            am              amiable         amiabl         
+  amid            amid            amidst          amidst         
+  amiens          amien           amis            ami            
+  amiss           amiss           amities         amiti          
+  amity           amiti           amnipotent      amnipot        
+  among           among           amongst         amongst        
+  amorous         amor            amorously       amor           
+  amort           amort           amount          amount         
+  amounts         amount          amour           amour          
+  amphimacus      amphimacu       ample           ampl           
+  ampler          ampler          amplest         amplest        
+  amplified       amplifi         amplify         amplifi        
+  amply           ampli           ampthill        ampthil        
+  amurath         amurath         amyntas         amynta         
+  an              an              anatomiz        anatomiz       
+  anatomize       anatom          anatomy         anatomi        
+  ancestor        ancestor        ancestors       ancestor       
+  ancestry        ancestri        anchises        anchis         
+  anchor          anchor          anchorage       anchorag       
+  anchored        anchor          anchoring       anchor         
+  anchors         anchor          anchovies       anchovi        
+  ancient         ancient         ancientry       ancientri      
+  ancients        ancient         ancus           ancu           
+  and             and             andirons        andiron        
+  andpholus       andpholu        andren          andren         
+  andrew          andrew          andromache      andromach      
+  andronici       andronici       andronicus      andronicu      
+  anew            anew            ang             ang            
+  angel           angel           angelica        angelica       
+  angelical       angel           angelo          angelo         
+  angels          angel           anger           anger          
+  angerly         angerli         angers          anger          
+  anges           ang             angiers         angier         
+  angl            angl            anglais         anglai         
+  angle           angl            angler          angler         
+  angleterre      angleterr       angliae         anglia         
+  angling         angl            anglish         anglish        
+  angrily         angrili         angry           angri          
+  anguish         anguish         angus           angu           
+  animal          anim            animals         anim           
+  animis          animi           anjou           anjou          
+  ankle           ankl            anna            anna           
+  annals          annal           anne            ann            
+  annex           annex           annexed         annex          
+  annexions       annexion        annexment       annex          
+  annothanize     annothan        announces       announc        
+  annoy           annoi           annoyance       annoy          
+  annoying        annoi           annual          annual         
+  anoint          anoint          anointed        anoint         
+  anon            anon            another         anoth          
+  anselmo         anselmo         answer          answer         
+  answerable      answer          answered        answer         
+  answerest       answerest       answering       answer         
+  answers         answer          ant             ant            
+  ante            ant             antenor         antenor        
+  antenorides     antenorid       anteroom        anteroom       
+  anthem          anthem          anthems         anthem         
+  anthony         anthoni         anthropophagi   anthropophagi  
+  anthropophaginian anthropophaginian antiates        antiat         
+  antic           antic           anticipate      anticip        
+  anticipates     anticip         anticipatest    anticipatest   
+  anticipating    anticip         anticipation    anticip        
+  antick          antick          anticly         anticli        
+  antics          antic           antidote        antidot        
+  antidotes       antidot         antigonus       antigonu       
+  antiopa         antiopa         antipathy       antipathi      
+  antipholus      antipholu       antipholuses    antipholus     
+  antipodes       antipod         antiquary       antiquari      
+  antique         antiqu          antiquity       antiqu         
+  antium          antium          antoniad        antoniad       
+  antonio         antonio         antonius        antoniu        
+  antony          antoni          antres          antr           
+  anvil           anvil           any             ani            
+  anybody         anybodi         anyone          anyon          
+  anything        anyth           anywhere        anywher        
+  ap              ap              apace           apac           
+  apart           apart           apartment       apart          
+  apartments      apart           ape             ap             
+  apemantus       apemantu        apennines       apennin        
+  apes            ap              apiece          apiec          
+  apish           apish           apollinem       apollinem      
+  apollo          apollo          apollodorus     apollodoru     
+  apology         apolog          apoplex         apoplex        
+  apoplexy        apoplexi        apostle         apostl         
+  apostles        apostl          apostrophas     apostropha     
+  apoth           apoth           apothecary      apothecari     
+  appal           appal           appall          appal          
+  appalled        appal           appals          appal          
+  apparel         apparel         apparell        apparel        
+  apparelled      apparel         apparent        appar          
+  apparently      appar           apparition      apparit        
+  apparitions     apparit         appeach         appeach        
+  appeal          appeal          appeals         appeal         
+  appear          appear          appearance      appear         
+  appeared        appear          appeareth       appeareth      
+  appearing       appear          appears         appear         
+  appeas          appea           appease         appeas         
+  appeased        appeas          appelant        appel          
+  appele          appel           appelee         appele         
+  appeles         appel           appelez         appelez        
+  appellant       appel           appellants      appel          
+  appelons        appelon         appendix        appendix       
+  apperil         apperil         appertain       appertain      
+  appertaining    appertain       appertainings   appertain      
+  appertains      appertain       appertinent     appertin       
+  appertinents    appertin        appetite        appetit        
+  appetites       appetit         applaud         applaud        
+  applauded       applaud         applauding      applaud        
+  applause        applaus         applauses       applaus        
+  apple           appl            apples          appl           
+  appletart       appletart       appliance       applianc       
+  appliances      applianc        applications    applic         
+  applied         appli           applies         appli          
+  apply           appli           applying        appli          
+  appoint         appoint         appointed       appoint        
+  appointment     appoint         appointments    appoint        
+  appoints        appoint         apprehend       apprehend      
+  apprehended     apprehend       apprehends      apprehend      
+  apprehension    apprehens       apprehensions   apprehens      
+  apprehensive    apprehens       apprendre       apprendr       
+  apprenne        apprenn         apprenticehood  apprenticehood 
+  appris          appri           approach        approach       
+  approachers     approach        approaches      approach       
+  approacheth     approacheth     approaching     approach       
+  approbation     approb          approof         approof        
+  appropriation   appropri        approv          approv         
+  approve         approv          approved        approv         
+  approvers       approv          approves        approv         
+  appurtenance    appurten        appurtenances   appurten       
+  apricocks       apricock        april           april          
+  apron           apron           aprons          apron          
+  apt             apt             apter           apter          
+  aptest          aptest          aptly           aptli          
+  aptness         apt             aqua            aqua           
+  aquilon         aquilon         aquitaine       aquitain       
+  arabia          arabia          arabian         arabian        
+  araise          arais           arbitrate       arbitr         
+  arbitrating     arbitr          arbitrator      arbitr         
+  arbitrement     arbitr          arbors          arbor          
+  arbour          arbour          arc             arc            
+  arch            arch            archbishop      archbishop     
+  archbishopric   archbishopr     archdeacon      archdeacon     
+  arched          arch            archelaus       archelau       
+  archer          archer          archers         archer         
+  archery         archeri         archibald       archibald      
+  archidamus      archidamu       architect       architect      
+  arcu            arcu            arde            ard            
+  arden           arden           ardent          ardent         
+  ardour          ardour          are             ar             
+  argal           argal           argier          argier         
+  argo            argo            argosies        argosi         
+  argosy          argosi          argu            argu           
+  argue           argu            argued          argu           
+  argues          argu            arguing         argu           
+  argument        argument        arguments       argument       
+  argus           argu            ariachne        ariachn        
+  ariadne         ariadn          ariel           ariel          
+  aries           ari             aright          aright         
+  arinado         arinado         arinies         arini          
+  arion           arion           arise           aris           
+  arises          aris            ariseth         ariseth        
+  arising         aris            aristode        aristod        
+  aristotle       aristotl        arithmetic      arithmet       
+  arithmetician   arithmetician   ark             ark            
+  arm             arm             arma            arma           
+  armado          armado          armadoes        armado         
+  armagnac        armagnac        arme            arm            
+  armed           arm             armenia         armenia        
+  armies          armi            armigero        armigero       
+  arming          arm             armipotent      armipot        
+  armor           armor           armour          armour         
+  armourer        armour          armourers       armour         
+  armours         armour          armoury         armouri        
+  arms            arm             army            armi           
+  arn             arn             aroint          aroint         
+  arose           aros            arouse          arous          
+  aroused         arous           arragon         arragon        
+  arraign         arraign         arraigned       arraign        
+  arraigning      arraign         arraignment     arraign        
+  arrant          arrant          arras           arra           
+  array           arrai           arrearages      arrearag       
+  arrest          arrest          arrested        arrest         
+  arrests         arrest          arriv           arriv          
+  arrival         arriv           arrivance       arriv          
+  arrive          arriv           arrived         arriv          
+  arrives         arriv           arriving        arriv          
+  arrogance       arrog           arrogancy       arrog          
+  arrogant        arrog           arrow           arrow          
+  arrows          arrow           art             art            
+  artemidorus     artemidoru      arteries        arteri         
+  arthur          arthur          article         articl         
+  articles        articl          articulate      articul        
+  artificer       artific         artificial      artifici       
+  artillery       artilleri       artire          artir          
+  artist          artist          artists         artist         
+  artless         artless         artois          artoi          
+  arts            art             artus           artu           
+  arviragus       arviragu        as              as             
+  asaph           asaph           ascanius        ascaniu        
+  ascend          ascend          ascended        ascend         
+  ascendeth       ascendeth       ascends         ascend         
+  ascension       ascens          ascent          ascent         
+  ascribe         ascrib          ascribes        ascrib         
+  ash             ash             asham           asham          
+  ashamed         asham           asher           asher          
+  ashes           ash             ashford         ashford        
+  ashore          ashor           ashouting       ashout         
+  ashy            ashi            asia            asia           
+  aside           asid            ask             ask            
+  askance         askanc          asked           ask            
+  asker           asker           asketh          asketh         
+  asking          ask             asks            ask            
+  aslant          aslant          asleep          asleep         
+  asmath          asmath          asp             asp            
+  aspect          aspect          aspects         aspect         
+  aspen           aspen           aspersion       aspers         
+  aspic           aspic           aspicious       aspici         
+  aspics          aspic           aspir           aspir          
+  aspiration      aspir           aspire          aspir          
+  aspiring        aspir           asquint         asquint        
+  ass             ass             assail          assail         
+  assailable      assail          assailant       assail         
+  assailants      assail          assailed        assail         
+  assaileth       assaileth       assailing       assail         
+  assails         assail          assassination   assassin       
+  assault         assault         assaulted       assault        
+  assaults        assault         assay           assai          
+  assaying        assai           assays          assai          
+  assemblance     assembl         assemble        assembl        
+  assembled       assembl         assemblies      assembl        
+  assembly        assembl         assent          assent         
+  asses           ass             assez           assez          
+  assign          assign          assigned        assign         
+  assigns         assign          assinico        assinico       
+  assist          assist          assistance      assist         
+  assistances     assist          assistant       assist         
+  assistants      assist          assisted        assist         
+  assisting       assist          associate       associ         
+  associated      associ          associates      associ         
+  assuage         assuag          assubjugate     assubjug       
+  assum           assum           assume          assum          
+  assumes         assum           assumption      assumpt        
+  assur           assur           assurance       assur          
+  assure          assur           assured         assur          
+  assuredly       assuredli       assures         assur          
+  assyrian        assyrian        astonish        astonish       
+  astonished      astonish        astraea         astraea        
+  astray          astrai          astrea          astrea         
+  astronomer      astronom        astronomers     astronom       
+  astronomical    astronom        astronomy       astronomi      
+  asunder         asund           at              at             
+  atalanta        atalanta        ate             at             
+  ates            at              athenian        athenian       
+  athenians       athenian        athens          athen          
+  athol           athol           athversary      athversari     
+  athwart         athwart         atlas           atla           
+  atomies         atomi           atomy           atomi          
+  atone           aton            atonement       aton           
+  atonements      aton            atropos         atropo         
+  attach          attach          attached        attach         
+  attachment      attach          attain          attain         
+  attainder       attaind         attains         attain         
+  attaint         attaint         attainted       attaint        
+  attainture      attaintur       attempt         attempt        
+  attemptable     attempt         attempted       attempt        
+  attempting      attempt         attempts        attempt        
+  attend          attend          attendance      attend         
+  attendant       attend          attendants      attend         
+  attended        attend          attendents      attend         
+  attendeth       attendeth       attending       attend         
+  attends         attend          attent          attent         
+  attention       attent          attentive       attent         
+  attentivenes    attentiven      attest          attest         
+  attested        attest          attir           attir          
+  attire          attir           attired         attir          
+  attires         attir           attorney        attornei       
+  attorneyed      attornei        attorneys       attornei       
+  attorneyship    attorneyship    attract         attract        
+  attraction      attract         attractive      attract        
+  attracts        attract         attribute       attribut       
+  attributed      attribut        attributes      attribut       
+  attribution     attribut        attributive     attribut       
+  atwain          atwain          au              au             
+  aubrey          aubrei          auburn          auburn         
+  aucun           aucun           audacious       audaci         
+  audaciously     audaci          audacity        audac          
+  audible         audibl          audience        audienc        
+  audis           audi            audit           audit          
+  auditor         auditor         auditors        auditor        
+  auditory        auditori        audre           audr           
+  audrey          audrei          aufidius        aufidiu        
+  aufidiuses      aufidius        auger           auger          
+  aught           aught           augment         augment        
+  augmentation    augment         augmented       augment        
+  augmenting      augment         augurer         augur          
+  augurers        augur           augures         augur          
+  auguring        augur           augurs          augur          
+  augury          auguri          august          august         
+  augustus        augustu         auld            auld           
+  aumerle         aumerl          aunchient       aunchient      
+  aunt            aunt            aunts           aunt           
+  auricular       auricular       aurora          aurora         
+  auspicious      auspici         aussi           aussi          
+  austere         auster          austerely       auster         
+  austereness     auster          austerity       auster         
+  austria         austria         aut             aut            
+  authentic       authent         author          author         
+  authorities     author          authority       author         
+  authorized      author          authorizing     author         
+  authors         author          autolycus       autolycu       
+  autre           autr            autumn          autumn         
+  auvergne        auvergn         avail           avail          
+  avails          avail           avarice         avaric         
+  avaricious      avarici         avaunt          avaunt         
+  ave             av              aveng           aveng          
+  avenge          aveng           avenged         aveng          
+  averring        aver            avert           avert          
+  aves            av              avez            avez           
+  avis            avi             avoid           avoid          
+  avoided         avoid           avoiding        avoid          
+  avoids          avoid           avoirdupois     avoirdupoi     
+  avouch          avouch          avouched        avouch         
+  avouches        avouch          avouchment      avouch         
+  avow            avow            aw              aw             
+  await           await           awaits          await          
+  awak            awak            awake           awak           
+  awaked          awak            awaken          awaken         
+  awakened        awaken          awakens         awaken         
+  awakes          awak            awaking         awak           
+  award           award           awards          award          
+  awasy           awasi           away            awai           
+  awe             aw              aweary          aweari         
+  aweless         aweless         awful           aw             
+  awhile          awhil           awkward         awkward        
+  awl             awl             awooing         awoo           
+  awork           awork           awry            awri           
+  axe             ax              axle            axl            
+  axletree        axletre         ay              ay             
+  aye             ay              ayez            ayez           
+  ayli            ayli            azur            azur           
+  azure           azur            b               b              
+  ba              ba              baa             baa            
+  babbl           babbl           babble          babbl          
+  babbling        babbl           babe            babe           
+  babes           babe            babies          babi           
+  baboon          baboon          baboons         baboon         
+  baby            babi            babylon         babylon        
+  bacare          bacar           bacchanals      bacchan        
+  bacchus         bacchu          bach            bach           
+  bachelor        bachelor        bachelors       bachelor       
+  back            back            backbite        backbit        
+  backbitten      backbitten      backing         back           
+  backs           back            backward        backward       
+  backwardly      backwardli      backwards       backward       
+  bacon           bacon           bacons          bacon          
+  bad             bad             bade            bade           
+  badge           badg            badged          badg           
+  badges          badg            badly           badli          
+  badness         bad             baes            bae            
+  baffl           baffl           baffle          baffl          
+  baffled         baffl           bag             bag            
+  baggage         baggag          bagot           bagot          
+  bagpipe         bagpip          bags            bag            
+  bail            bail            bailiff         bailiff        
+  baillez         baillez         baily           baili          
+  baisant         baisant         baisees         baise          
+  baiser          baiser          bait            bait           
+  baited          bait            baiting         bait           
+  baitings        bait            baits           bait           
+  bajazet         bajazet         bak             bak            
+  bake            bake            baked           bake           
+  baker           baker           bakers          baker          
+  bakes           bake            baking          bake           
+  bal             bal             balanc          balanc         
+  balance         balanc          balcony         balconi        
+  bald            bald            baldrick        baldrick       
+  bale            bale            baleful         bale           
+  balk            balk            ball            ball           
+  ballad          ballad          ballads         ballad         
+  ballast         ballast         ballasting      ballast        
+  ballet          ballet          ballow          ballow         
+  balls           ball            balm            balm           
+  balms           balm            balmy           balmi          
+  balsam          balsam          balsamum        balsamum       
+  balth           balth           balthasar       balthasar      
+  balthazar       balthazar       bames           bame           
+  ban             ban             banbury         banburi        
+  band            band            bandied         bandi          
+  banding         band            bandit          bandit         
+  banditti        banditti        banditto        banditto       
+  bands           band            bandy           bandi          
+  bandying        bandi           bane            bane           
+  banes           bane            bang            bang           
+  bangor          bangor          banish          banish         
+  banished        banish          banishers       banish         
+  banishment      banish          banister        banist         
+  bank            bank            bankrout        bankrout       
+  bankrupt        bankrupt        bankrupts       bankrupt       
+  banks           bank            banner          banner         
+  bannerets       banneret        banners         banner         
+  banning         ban             banns           bann           
+  banquet         banquet         banqueted       banquet        
+  banqueting      banquet         banquets        banquet        
+  banquo          banquo          bans            ban            
+  baptism         baptism         baptista        baptista       
+  baptiz          baptiz          bar             bar            
+  barbarian       barbarian       barbarians      barbarian      
+  barbarism       barbar          barbarous       barbar         
+  barbary         barbari         barbason        barbason       
+  barbed          barb            barber          barber         
+  barbermonger    barbermong      bard            bard           
+  bardolph        bardolph        bards           bard           
+  bare            bare            bared           bare           
+  barefac         barefac         barefaced       barefac        
+  barefoot        barefoot        bareheaded      barehead       
+  barely          bare            bareness        bare           
+  barful          bar             bargain         bargain        
+  bargains        bargain         barge           barg           
+  bargulus        bargulu         baring          bare           
+  bark            bark            barking         bark           
+  barkloughly     barkloughli     barks           bark           
+  barky           barki           barley          barlei         
+  barm            barm            barn            barn           
+  barnacles       barnacl         barnardine      barnardin      
+  barne           barn            barnes          barn           
+  barnet          barnet          barns           barn           
+  baron           baron           barons          baron          
+  barony          baroni          barr            barr           
+  barrabas        barraba         barrel          barrel         
+  barrels         barrel          barren          barren         
+  barrenly        barrenli        barrenness      barren         
+  barricado       barricado       barricadoes     barricado      
+  barrow          barrow          bars            bar            
+  barson          barson          barter          barter         
+  bartholomew     bartholomew     bas             ba             
+  basan           basan           base            base           
+  baseless        baseless        basely          base           
+  baseness        base            baser           baser          
+  bases           base            basest          basest         
+  bashful         bash            bashfulness     bash           
+  basilisco       basilisco       basilisk        basilisk       
+  basilisks       basilisk        basimecu        basimecu       
+  basin           basin           basingstoke     basingstok     
+  basins          basin           basis           basi           
+  bask            bask            basket          basket         
+  baskets         basket          bass            bass           
+  bassanio        bassanio        basset          basset         
+  bassianus       bassianu        basta           basta          
+  bastard         bastard         bastardizing    bastard        
+  bastardly       bastardli       bastards        bastard        
+  bastardy        bastardi        basted          bast           
+  bastes          bast            bastinado       bastinado      
+  basting         bast            bat             bat            
+  batailles       batail          batch           batch          
+  bate            bate            bated           bate           
+  bates           bate            bath            bath           
+  bathe           bath            bathed          bath           
+  bathing         bath            baths           bath           
+  bating          bate            batler          batler         
+  bats            bat             batt            batt           
+  battalia        battalia        battalions      battalion      
+  batten          batten          batter          batter         
+  battering       batter          batters         batter         
+  battery         batteri         battle          battl          
+  battled         battl           battlefield     battlefield    
+  battlements     battlement      battles         battl          
+  batty           batti           bauble          baubl          
+  baubles         baubl           baubling        baubl          
+  baulk           baulk           bavin           bavin          
+  bawcock         bawcock         bawd            bawd           
+  bawdry          bawdri          bawds           bawd           
+  bawdy           bawdi           bawl            bawl           
+  bawling         bawl            bay             bai            
+  baying          bai             baynard         baynard        
+  bayonne         bayonn          bays            bai            
+  be              be              beach           beach          
+  beached         beach           beachy          beachi         
+  beacon          beacon          bead            bead           
+  beaded          bead            beadle          beadl          
+  beadles         beadl           beads           bead           
+  beadsmen        beadsmen        beagle          beagl          
+  beagles         beagl           beak            beak           
+  beaks           beak            beam            beam           
+  beamed          beam            beams           beam           
+  bean            bean            beans           bean           
+  bear            bear            beard           beard          
+  bearded         beard           beardless       beardless      
+  beards          beard           bearer          bearer         
+  bearers         bearer          bearest         bearest        
+  beareth         beareth         bearing         bear           
+  bears           bear            beast           beast          
+  beastliest      beastliest      beastliness     beastli        
+  beastly         beastli         beasts          beast          
+  beat            beat            beated          beat           
+  beaten          beaten          beating         beat           
+  beatrice        beatric         beats           beat           
+  beau            beau            beaufort        beaufort       
+  beaumond        beaumond        beaumont        beaumont       
+  beauteous       beauteou        beautied        beauti         
+  beauties        beauti          beautified      beautifi       
+  beautiful       beauti          beautify        beautifi       
+  beauty          beauti          beaver          beaver         
+  beavers         beaver          became          becam          
+  because         becaus          bechanc         bechanc        
+  bechance        bechanc         bechanced       bechanc        
+  beck            beck            beckon          beckon         
+  beckons         beckon          becks           beck           
+  becom           becom           become          becom          
+  becomed         becom           becomes         becom          
+  becoming        becom           becomings       becom          
+  bed             bed             bedabbled       bedabbl        
+  bedash          bedash          bedaub          bedaub         
+  bedazzled       bedazzl         bedchamber      bedchamb       
+  bedclothes      bedcloth        bedded          bed            
+  bedeck          bedeck          bedecking       bedeck         
+  bedew           bedew           bedfellow       bedfellow      
+  bedfellows      bedfellow       bedford         bedford        
+  bedlam          bedlam          bedrench        bedrench       
+  bedrid          bedrid          beds            bed            
+  bedtime         bedtim          bedward         bedward        
+  bee             bee             beef            beef           
+  beefs           beef            beehives        beehiv         
+  been            been            beer            beer           
+  bees            bee             beest           beest          
+  beetle          beetl           beetles         beetl          
+  beeves          beev            befall          befal          
+  befallen        befallen        befalls         befal          
+  befell          befel           befits          befit          
+  befitted        befit           befitting       befit          
+  befor           befor           before          befor          
+  beforehand      beforehand      befortune       befortun       
+  befriend        befriend        befriended      befriend       
+  befriends       befriend        beg             beg            
+  began           began           beget           beget          
+  begets          beget           begetting       beget          
+  begg            begg            beggar          beggar         
+  beggared        beggar          beggarly        beggarli       
+  beggarman       beggarman       beggars         beggar         
+  beggary         beggari         begging         beg            
+  begin           begin           beginners       beginn         
+  beginning       begin           beginnings      begin          
+  begins          begin           begnawn         begnawn        
+  begone          begon           begot           begot          
+  begotten        begotten        begrimed        begrim         
+  begs            beg             beguil          beguil         
+  beguile         beguil          beguiled        beguil         
+  beguiles        beguil          beguiling       beguil         
+  begun           begun           behalf          behalf         
+  behalfs         behalf          behav           behav          
+  behaved         behav           behavedst       behavedst      
+  behavior        behavior        behaviors       behavior       
+  behaviour       behaviour       behaviours      behaviour      
+  behead          behead          beheaded        behead         
+  beheld          beheld          behest          behest         
+  behests         behest          behind          behind         
+  behold          behold          beholder        behold         
+  beholders       behold          beholdest       beholdest      
+  beholding       behold          beholds         behold         
+  behoof          behoof          behooffull      behoofful      
+  behooves        behoov          behove          behov          
+  behoves         behov           behowls         behowl         
+  being           be              bel             bel            
+  belarius        belariu         belch           belch          
+  belching        belch           beldam          beldam         
+  beldame         beldam          beldams         beldam         
+  belee           bele            belgia          belgia         
+  belie           beli            belied          beli           
+  belief          belief          beliest         beliest        
+  believ          believ          believe         believ         
+  believed        believ          believes        believ         
+  believest       believest       believing       believ         
+  belike          belik           bell            bell           
+  bellario        bellario        belle           bell           
+  bellied         belli           bellies         belli          
+  bellman         bellman         bellona         bellona        
+  bellow          bellow          bellowed        bellow         
+  bellowing       bellow          bellows         bellow         
+  bells           bell            belly           belli          
+  bellyful        belly           belman          belman         
+  belmont         belmont         belock          belock         
+  belong          belong          belonging       belong         
+  belongings      belong          belongs         belong         
+  belov           belov           beloved         belov          
+  beloving        belov           below           below          
+  belt            belt            belzebub        belzebub       
+  bemadding       bemad           bemet           bemet          
+  bemete          bemet           bemoan          bemoan         
+  bemoaned        bemoan          bemock          bemock         
+  bemoil          bemoil          bemonster       bemonst        
+  ben             ben             bench           bench          
+  bencher         bencher         benches         bench          
+  bend            bend            bended          bend           
+  bending         bend            bends           bend           
+  bene            bene            beneath         beneath        
+  benedicite      benedicit       benedick        benedick       
+  benediction     benedict        benedictus      benedictu      
+  benefactors     benefactor      benefice        benefic        
+  beneficial      benefici        benefit         benefit        
+  benefited       benefit         benefits        benefit        
+  benetted        benet           benevolence     benevol        
+  benevolences    benevol         benied          beni           
+  benison         benison         bennet          bennet         
+  bent            bent            bentii          bentii         
+  bentivolii      bentivolii      bents           bent           
+  benumbed        benumb          benvolio        benvolio       
+  bepaint         bepaint         bepray          beprai         
+  bequeath        bequeath        bequeathed      bequeath       
+  bequeathing     bequeath        bequest         bequest        
+  ber             ber             berard          berard         
+  berattle        berattl         beray           berai          
+  bere            bere            bereave         bereav         
+  bereaved        bereav          bereaves        bereav         
+  bereft          bereft          bergamo         bergamo        
+  bergomask       bergomask       berhym          berhym         
+  berhyme         berhym          berkeley        berkelei       
+  bermoothes      bermooth        bernardo        bernardo       
+  berod           berod           berowne         berown         
+  berri           berri           berries         berri          
+  berrord         berrord         berry           berri          
+  bertram         bertram         berwick         berwick        
+  bescreen        bescreen        beseech         beseech        
+  beseeched       beseech         beseechers      beseech        
+  beseeching      beseech         beseek          beseek         
+  beseem          beseem          beseemeth       beseemeth      
+  beseeming       beseem          beseems         beseem         
+  beset           beset           beshrew         beshrew        
+  beside          besid           besides         besid          
+  besieg          besieg          besiege         besieg         
+  besieged        besieg          beslubber       beslubb        
+  besmear         besmear         besmeared       besmear        
+  besmirch        besmirch        besom           besom          
+  besort          besort          besotted        besot          
+  bespake         bespak          bespeak         bespeak        
+  bespice         bespic          bespoke         bespok         
+  bespotted       bespot          bess            bess           
+  bessy           bessi           best            best           
+  bestained       bestain         bested          best           
+  bestial         bestial         bestir          bestir         
+  bestirr         bestirr         bestow          bestow         
+  bestowed        bestow          bestowing       bestow         
+  bestows         bestow          bestraught      bestraught     
+  bestrew         bestrew         bestrid         bestrid        
+  bestride        bestrid         bestrides       bestrid        
+  bet             bet             betake          betak          
+  beteem          beteem          bethink         bethink        
+  bethought       bethought       bethrothed      bethroth       
+  bethump         bethump         betid           betid          
+  betide          betid           betideth        betideth       
+  betime          betim           betimes         betim          
+  betoken         betoken         betook          betook         
+  betossed        betoss          betray          betrai         
+  betrayed        betrai          betraying       betrai         
+  betrays         betrai          betrims         betrim         
+  betroth         betroth         betrothed       betroth        
+  betroths        betroth         bett            bett           
+  betted          bet             better          better         
+  bettered        better          bettering       better         
+  betters         better          betting         bet            
+  bettre          bettr           between         between        
+  betwixt         betwixt         bevel           bevel          
+  beverage        beverag         bevis           bevi           
+  bevy            bevi            bewail          bewail         
+  bewailed        bewail          bewailing       bewail         
+  bewails         bewail          beware          bewar          
+  bewasted        bewast          beweep          beweep         
+  bewept          bewept          bewet           bewet          
+  bewhored        bewhor          bewitch         bewitch        
+  bewitched       bewitch         bewitchment     bewitch        
+  bewray          bewrai          beyond          beyond         
+  bezonian        bezonian        bezonians       bezonian       
+  bianca          bianca          bianco          bianco         
+  bias            bia             bibble          bibbl          
+  bickerings      bicker          bid             bid            
+  bidden          bidden          bidding         bid            
+  biddings        bid             biddy           biddi          
+  bide            bide            bides           bide           
+  biding          bide            bids            bid            
+  bien            bien            bier            bier           
+  bifold          bifold          big             big            
+  bigamy          bigami          biggen          biggen         
+  bigger          bigger          bigness         big            
+  bigot           bigot           bilberry        bilberri       
+  bilbo           bilbo           bilboes         bilbo          
+  bilbow          bilbow          bill            bill           
+  billeted        billet          billets         billet         
+  billiards       billiard        billing         bill           
+  billow          billow          billows         billow         
+  bills           bill            bin             bin            
+  bind            bind            bindeth         bindeth        
+  binding         bind            binds           bind           
+  biondello       biondello       birch           birch          
+  bird            bird            birding         bird           
+  birdlime        birdlim         birds           bird           
+  birnam          birnam          birth           birth          
+  birthday        birthdai        birthdom        birthdom       
+  birthplace      birthplac       birthright      birthright     
+  birthrights     birthright      births          birth          
+  bis             bi              biscuit         biscuit        
+  bishop          bishop          bishops         bishop         
+  bisson          bisson          bit             bit            
+  bitch           bitch           bite            bite           
+  biter           biter           bites           bite           
+  biting          bite            bits            bit            
+  bitt            bitt            bitten          bitten         
+  bitter          bitter          bitterest       bitterest      
+  bitterly        bitterli        bitterness      bitter         
+  blab            blab            blabb           blabb          
+  blabbing        blab            blabs           blab           
+  black           black           blackamoor      blackamoor     
+  blackamoors     blackamoor      blackberries    blackberri     
+  blackberry      blackberri      blacker         blacker        
+  blackest        blackest        blackfriars     blackfriar     
+  blackheath      blackheath      blackmere       blackmer       
+  blackness       black           blacks          black          
+  bladder         bladder         bladders        bladder        
+  blade           blade           bladed          blade          
+  blades          blade           blains          blain          
+  blam            blam            blame           blame          
+  blamed          blame           blameful        blame          
+  blameless       blameless       blames          blame          
+  blanc           blanc           blanca          blanca         
+  blanch          blanch          blank           blank          
+  blanket         blanket         blanks          blank          
+  blaspheme       blasphem        blaspheming     blasphem       
+  blasphemous     blasphem        blasphemy       blasphemi      
+  blast           blast           blasted         blast          
+  blasting        blast           blastments      blastment      
+  blasts          blast           blaz            blaz           
+  blaze           blaze           blazes          blaze          
+  blazing         blaze           blazon          blazon         
+  blazoned        blazon          blazoning       blazon         
+  bleach          bleach          bleaching       bleach         
+  bleak           bleak           blear           blear          
+  bleared         blear           bleat           bleat          
+  bleated         bleat           bleats          bleat          
+  bled            bled            bleed           bleed          
+  bleedest        bleedest        bleedeth        bleedeth       
+  bleeding        bleed           bleeds          bleed          
+  blemish         blemish         blemishes       blemish        
+  blench          blench          blenches        blench         
+  blend           blend           blended         blend          
+  blent           blent           bless           bless          
+  blessed         bless           blessedly       blessedli      
+  blessedness     blessed         blesses         bless          
+  blesseth        blesseth        blessing        bless          
+  blessings       bless           blest           blest          
+  blew            blew            blind           blind          
+  blinded         blind           blindfold       blindfold      
+  blinding        blind           blindly         blindli        
+  blindness       blind           blinds          blind          
+  blink           blink           blinking        blink          
+  bliss           bliss           blist           blist          
+  blister         blister         blisters        blister        
+  blithe          blith           blithild        blithild       
+  bloat           bloat           block           block          
+  blockish        blockish        blocks          block          
+  blois           bloi            blood           blood          
+  blooded         blood           bloodhound      bloodhound     
+  bloodied        bloodi          bloodier        bloodier       
+  bloodiest       bloodiest       bloodily        bloodili       
+  bloodless       bloodless       bloods          blood          
+  bloodshed       bloodsh         bloodshedding   bloodshed      
+  bloodstained    bloodstain      bloody          bloodi         
+  bloom           bloom           blooms          bloom          
+  blossom         blossom         blossoming      blossom        
+  blossoms        blossom         blot            blot           
+  blots           blot            blotted         blot           
+  blotting        blot            blount          blount         
+  blow            blow            blowed          blow           
+  blowers         blower          blowest         blowest        
+  blowing         blow            blown           blown          
+  blows           blow            blowse          blows          
+  blubb           blubb           blubber         blubber        
+  blubbering      blubber         blue            blue           
+  bluecaps        bluecap         bluest          bluest         
+  blunt           blunt           blunted         blunt          
+  blunter         blunter         bluntest        bluntest       
+  blunting        blunt           bluntly         bluntli        
+  bluntness       blunt           blunts          blunt          
+  blur            blur            blurr           blurr          
+  blurs           blur            blush           blush          
+  blushes         blush           blushest        blushest       
+  blushing        blush           blust           blust          
+  bluster         bluster         blusterer       bluster        
+  blusters        bluster         bo              bo             
+  boar            boar            board           board          
+  boarded         board           boarding        board          
+  boards          board           boarish         boarish        
+  boars           boar            boast           boast          
+  boasted         boast           boastful        boast          
+  boasting        boast           boasts          boast          
+  boat            boat            boats           boat           
+  boatswain       boatswain       bob             bob            
+  bobb            bobb            boblibindo      boblibindo     
+  bobtail         bobtail         bocchus         bocchu         
+  bode            bode            boded           bode           
+  bodements       bodement        bodes           bode           
+  bodg            bodg            bodied          bodi           
+  bodies          bodi            bodiless        bodiless       
+  bodily          bodili          boding          bode           
+  bodkin          bodkin          body            bodi           
+  bodykins        bodykin         bog             bog            
+  boggle          boggl           boggler         boggler        
+  bogs            bog             bohemia         bohemia        
+  bohemian        bohemian        bohun           bohun          
+  boil            boil            boiling         boil           
+  boils           boil            boist           boist          
+  boisterous      boister         boisterously    boister        
+  boitier         boitier         bold            bold           
+  bolden          bolden          bolder          bolder         
+  boldest         boldest         boldly          boldli         
+  boldness        bold            bolds           bold           
+  bolingbroke     bolingbrok      bolster         bolster        
+  bolt            bolt            bolted          bolt           
+  bolter          bolter          bolters         bolter         
+  bolting         bolt            bolts           bolt           
+  bombard         bombard         bombards        bombard        
+  bombast         bombast         bon             bon            
+  bona            bona            bond            bond           
+  bondage         bondag          bonded          bond           
+  bondmaid        bondmaid        bondman         bondman        
+  bondmen         bondmen         bonds           bond           
+  bondslave       bondslav        bone            bone           
+  boneless        boneless        bones           bone           
+  bonfire         bonfir          bonfires        bonfir         
+  bonjour         bonjour         bonne           bonn           
+  bonnet          bonnet          bonneted        bonnet         
+  bonny           bonni           bonos           bono           
+  bonto           bonto           bonville        bonvil         
+  bood            bood            book            book           
+  bookish         bookish         books           book           
+  boon            boon            boor            boor           
+  boorish         boorish         boors           boor           
+  boot            boot            booted          boot           
+  booties         booti           bootless        bootless       
+  boots           boot            booty           booti          
+  bor             bor             bora            bora           
+  borachio        borachio        bordeaux        bordeaux       
+  border          border          bordered        border         
+  borderers       border          borders         border         
+  bore            bore            boreas          borea          
+  bores           bore            boring          bore           
+  born            born            borne           born           
+  borough         borough         boroughs        borough        
+  borrow          borrow          borrowed        borrow         
+  borrower        borrow          borrowing       borrow         
+  borrows         borrow          bosko           bosko          
+  boskos          bosko           bosky           boski          
+  bosom           bosom           bosoms          bosom          
+  boson           boson           boss            boss           
+  bosworth        bosworth        botch           botch          
+  botcher         botcher         botches         botch          
+  botchy          botchi          both            both           
+  bots            bot             bottle          bottl          
+  bottled         bottl           bottles         bottl          
+  bottom          bottom          bottomless      bottomless     
+  bottoms         bottom          bouciqualt      bouciqualt     
+  bouge           boug            bough           bough          
+  boughs          bough           bought          bought         
+  bounce          bounc           bouncing        bounc          
+  bound           bound           bounded         bound          
+  bounden         bounden         boundeth        boundeth       
+  bounding        bound           boundless       boundless      
+  bounds          bound           bounteous       bounteou       
+  bounteously     bounteous       bounties        bounti         
+  bountiful       bounti          bountifully     bountifulli    
+  bounty          bounti          bourbier        bourbier       
+  bourbon         bourbon         bourchier       bourchier      
+  bourdeaux       bourdeaux       bourn           bourn          
+  bout            bout            bouts           bout           
+  bove            bove            bow             bow            
+  bowcase         bowcas          bowed           bow            
+  bowels          bowel           bower           bower          
+  bowing          bow             bowl            bowl           
+  bowler          bowler          bowling         bowl           
+  bowls           bowl            bows            bow            
+  bowsprit        bowsprit        bowstring       bowstr         
+  box             box             boxes           box            
+  boy             boi             boyet           boyet          
+  boyish          boyish          boys            boi            
+  brabant         brabant         brabantio       brabantio      
+  brabble         brabbl          brabbler        brabbler       
+  brac            brac            brace           brace          
+  bracelet        bracelet        bracelets       bracelet       
+  brach           brach           bracy           braci          
+  brag            brag            bragg           bragg          
+  braggardism     braggard        braggards       braggard       
+  braggart        braggart        braggarts       braggart       
+  bragged         brag            bragging        brag           
+  bragless        bragless        brags           brag           
+  braid           braid           braided         braid          
+  brain           brain           brained         brain          
+  brainford       brainford       brainish        brainish       
+  brainless       brainless       brains          brain          
+  brainsick       brainsick       brainsickly     brainsickli    
+  brake           brake           brakenbury      brakenburi     
+  brakes          brake           brambles        brambl         
+  bran            bran            branch          branch         
+  branches        branch          branchless      branchless     
+  brand           brand           branded         brand          
+  brandish        brandish        brandon         brandon        
+  brands          brand           bras            bra            
+  brass           brass           brassy          brassi         
+  brat            brat            brats           brat           
+  brav            brav            brave           brave          
+  braved          brave           bravely         brave          
+  braver          braver          bravery         braveri        
+  braves          brave           bravest         bravest        
+  braving         brave           brawl           brawl          
+  brawler         brawler         brawling        brawl          
+  brawls          brawl           brawn           brawn          
+  brawns          brawn           bray            brai           
+  braying         brai            braz            braz           
+  brazen          brazen          brazier         brazier        
+  breach          breach          breaches        breach         
+  bread           bread           breadth         breadth        
+  break           break           breaker         breaker        
+  breakfast       breakfast       breaking        break          
+  breaks          break           breast          breast         
+  breasted        breast          breasting       breast         
+  breastplate     breastplat      breasts         breast         
+  breath          breath          breathe         breath         
+  breathed        breath          breather        breather       
+  breathers       breather        breathes        breath         
+  breathest       breathest       breathing       breath         
+  breathless      breathless      breaths         breath         
+  brecknock       brecknock       bred            bred           
+  breech          breech          breeches        breech         
+  breeching       breech          breed           breed          
+  breeder         breeder         breeders        breeder        
+  breeding        breed           breeds          breed          
+  breese          brees           breeze          breez          
+  breff           breff           bretagne        bretagn        
+  brethen         brethen         bretheren       bretheren      
+  brethren        brethren        brevis          brevi          
+  brevity         breviti         brew            brew           
+  brewage         brewag          brewer          brewer         
+  brewers         brewer          brewing         brew           
+  brews           brew            briareus        briareu        
+  briars          briar           brib            brib           
+  bribe           bribe           briber          briber         
+  bribes          bribe           brick           brick          
+  bricklayer      bricklay        bricks          brick          
+  bridal          bridal          bride           bride          
+  bridegroom      bridegroom      bridegrooms     bridegroom     
+  brides          bride           bridge          bridg          
+  bridgenorth     bridgenorth     bridges         bridg          
+  bridget         bridget         bridle          bridl          
+  bridled         bridl           brief           brief          
+  briefer         briefer         briefest        briefest       
+  briefly         briefli         briefness       brief          
+  brier           brier           briers          brier          
+  brigandine      brigandin       bright          bright         
+  brighten        brighten        brightest       brightest      
+  brightly        brightli        brightness      bright         
+  brim            brim            brimful         brim           
+  brims           brim            brimstone       brimston       
+  brinded         brind           brine           brine          
+  bring           bring           bringer         bringer        
+  bringeth        bringeth        bringing        bring          
+  bringings       bring           brings          bring          
+  brinish         brinish         brink           brink          
+  brisk           brisk           brisky          briski         
+  bristle         bristl          bristled        bristl         
+  bristly         bristli         bristol         bristol        
+  bristow         bristow         britain         britain        
+  britaine        britain         britaines       britain        
+  british         british         briton          briton         
+  britons         briton          brittany        brittani       
+  brittle         brittl          broach          broach         
+  broached        broach          broad           broad          
+  broader         broader         broadsides      broadsid       
+  brocas          broca           brock           brock          
+  brogues         brogu           broil           broil          
+  broiling        broil           broils          broil          
+  broke           broke           broken          broken         
+  brokenly        brokenli        broker          broker         
+  brokers         broker          brokes          broke          
+  broking         broke           brooch          brooch         
+  brooches        brooch          brood           brood          
+  brooded         brood           brooding        brood          
+  brook           brook           brooks          brook          
+  broom           broom           broomstaff      broomstaff     
+  broth           broth           brothel         brothel        
+  brother         brother         brotherhood     brotherhood    
+  brotherhoods    brotherhood     brotherly       brotherli      
+  brothers        brother         broths          broth          
+  brought         brought         brow            brow           
+  brown           brown           browner         browner        
+  brownist        brownist        browny          browni         
+  brows           brow            browse          brows          
+  browsing        brows           bruis           brui           
+  bruise          bruis           bruised         bruis          
+  bruises         bruis           bruising        bruis          
+  bruit           bruit           bruited         bruit          
+  brundusium      brundusium      brunt           brunt          
+  brush           brush           brushes         brush          
+  brute           brute           brutish         brutish        
+  brutus          brutu           bubble          bubbl          
+  bubbles         bubbl           bubbling        bubbl          
+  bubukles        bubukl          buck            buck           
+  bucket          bucket          buckets         bucket         
+  bucking         buck            buckingham      buckingham     
+  buckle          buckl           buckled         buckl          
+  buckler         buckler         bucklers        buckler        
+  bucklersbury    bucklersburi    buckles         buckl          
+  buckram         buckram         bucks           buck           
+  bud             bud             budded          bud            
+  budding         bud             budge           budg           
+  budger          budger          budget          budget         
+  buds            bud             buff            buff           
+  buffet          buffet          buffeting       buffet         
+  buffets         buffet          bug             bug            
+  bugbear         bugbear         bugle           bugl           
+  bugs            bug             build           build          
+  builded         build           buildeth        buildeth       
+  building        build           buildings       build          
+  builds          build           built           built          
+  bulk            bulk            bulks           bulk           
+  bull            bull            bullcalf        bullcalf       
+  bullen          bullen          bullens         bullen         
+  bullet          bullet          bullets         bullet         
+  bullocks        bullock         bulls           bull           
+  bully           bulli           bulmer          bulmer         
+  bulwark         bulwark         bulwarks        bulwark        
+  bum             bum             bumbast         bumbast        
+  bump            bump            bumper          bumper         
+  bums            bum             bunch           bunch          
+  bunches         bunch           bundle          bundl          
+  bung            bung            bunghole        bunghol        
+  bungle          bungl           bunting         bunt           
+  buoy            buoi            bur             bur            
+  burbolt         burbolt         burd            burd           
+  burden          burden          burdened        burden         
+  burdening       burden          burdenous       burden         
+  burdens         burden          burgh           burgh          
+  burgher         burgher         burghers        burgher        
+  burglary        burglari        burgomasters    burgomast      
+  burgonet        burgonet        burgundy        burgundi       
+  burial          burial          buried          buri           
+  burier          burier          buriest         buriest        
+  burly           burli           burn            burn           
+  burned          burn            burnet          burnet         
+  burneth         burneth         burning         burn           
+  burnish         burnish         burns           burn           
+  burnt           burnt           burr            burr           
+  burrows         burrow          burs            bur            
+  burst           burst           bursting        burst          
+  bursts          burst           burthen         burthen        
+  burthens        burthen         burton          burton         
+  bury            buri            burying         buri           
+  bush            bush            bushels         bushel         
+  bushes          bush            bushy           bushi          
+  busied          busi            busily          busili         
+  busines         busin           business        busi           
+  businesses      busi            buskin          buskin         
+  busky           buski           buss            buss           
+  busses          buss            bussing         buss           
+  bustle          bustl           bustling        bustl          
+  busy            busi            but             but            
+  butcheed        butche          butcher         butcher        
+  butchered       butcher         butcheries      butcheri       
+  butcherly       butcherli       butchers        butcher        
+  butchery        butcheri        butler          butler         
+  butt            butt            butter          butter         
+  buttered        butter          butterflies     butterfli      
+  butterfly       butterfli       butterwoman     butterwoman    
+  buttery         butteri         buttock         buttock        
+  buttocks        buttock         button          button         
+  buttonhole      buttonhol       buttons         button         
+  buttress        buttress        buttry          buttri         
+  butts           butt            buxom           buxom          
+  buy             bui             buyer           buyer          
+  buying          bui             buys            bui            
+  buzz            buzz            buzzard         buzzard        
+  buzzards        buzzard         buzzers         buzzer         
+  buzzing         buzz            by              by             
+  bye             bye             byzantium       byzantium      
+  c               c               ca              ca             
+  cabbage         cabbag          cabileros       cabilero       
+  cabin           cabin           cabins          cabin          
+  cable           cabl            cables          cabl           
+  cackling        cackl           cacodemon       cacodemon      
+  caddis          caddi           caddisses       caddiss        
+  cade            cade            cadence         cadenc         
+  cadent          cadent          cades           cade           
+  cadmus          cadmu           caduceus        caduceu        
+  cadwal          cadwal          cadwallader     cadwallad      
+  caelius         caeliu          caelo           caelo          
+  caesar          caesar          caesarion       caesarion      
+  caesars         caesar          cage            cage           
+  caged           cage            cagion          cagion         
+  cain            cain            caithness       caith          
+  caitiff         caitiff         caitiffs        caitiff        
+  caius           caiu            cak             cak            
+  cake            cake            cakes           cake           
+  calaber         calab           calais          calai          
+  calamities      calam           calamity        calam          
+  calchas         calcha          calculate       calcul         
+  calen           calen           calendar        calendar       
+  calendars       calendar        calf            calf           
+  caliban         caliban         calibans        caliban        
+  calipolis       calipoli        cality          caliti         
+  caliver         caliv           call            call           
+  callat          callat          called          call           
+  callet          callet          calling         call           
+  calls           call            calm            calm           
+  calmest         calmest         calmly          calmli         
+  calmness        calm            calms           calm           
+  calpurnia       calpurnia       calumniate      calumni        
+  calumniating    calumni         calumnious      calumni        
+  calumny         calumni         calve           calv           
+  calved          calv            calves          calv           
+  calveskins      calveskin       calydon         calydon        
+  cam             cam             cambio          cambio         
+  cambria         cambria         cambric         cambric        
+  cambrics        cambric         cambridge       cambridg       
+  cambyses        cambys          came            came           
+  camel           camel           camelot         camelot        
+  camels          camel           camest          camest         
+  camillo         camillo         camlet          camlet         
+  camomile        camomil         camp            camp           
+  campeius        campeiu         camping         camp           
+  camps           camp            can             can            
+  canakin         canakin         canaries        canari         
+  canary          canari          cancel          cancel         
+  cancell         cancel          cancelled       cancel         
+  cancelling      cancel          cancels         cancel         
+  cancer          cancer          candidatus      candidatu      
+  candied         candi           candle          candl          
+  candles         candl           candlesticks    candlestick    
+  candy           candi           canidius        canidiu        
+  cank            cank            canker          canker         
+  cankerblossom   cankerblossom   cankers         canker         
+  cannibally      cannib          cannibals       cannib         
+  cannon          cannon          cannoneer       cannon         
+  cannons         cannon          cannot          cannot         
+  canon           canon           canoniz         canoniz        
+  canonize        canon           canonized       canon          
+  canons          canon           canopied        canopi         
+  canopies        canopi          canopy          canopi         
+  canst           canst           canstick        canstick       
+  canterbury      canterburi      cantle          cantl          
+  cantons         canton          canus           canu           
+  canvas          canva           canvass         canvass        
+  canzonet        canzonet        cap             cap            
+  capability      capabl          capable         capabl         
+  capacities      capac           capacity        capac          
+  caparison       caparison       capdv           capdv          
+  cape            cape            capel           capel          
+  capels          capel           caper           caper          
+  capers          caper           capet           capet          
+  caphis          caphi           capilet         capilet        
+  capitaine       capitain        capital         capit          
+  capite          capit           capitol         capitol        
+  capitulate      capitul         capocchia       capocchia      
+  capon           capon           capons          capon          
+  capp            capp            cappadocia      cappadocia     
+  capriccio       capriccio       capricious      caprici        
+  caps            cap             capt            capt           
+  captain         captain         captains        captain        
+  captainship     captainship     captious        captiou        
+  captivate       captiv          captivated      captiv         
+  captivates      captiv          captive         captiv         
+  captives        captiv          captivity       captiv         
+  captum          captum          capucius        capuciu        
+  capulet         capulet         capulets        capulet        
+  car             car             carack          carack         
+  caracks         carack          carat           carat          
+  caraways        carawai         carbonado       carbonado      
+  carbuncle       carbuncl        carbuncled      carbuncl       
+  carbuncles      carbuncl        carcanet        carcanet       
+  carcase         carcas          carcases        carcas         
+  carcass         carcass         carcasses       carcass        
+  card            card            cardecue        cardecu        
+  carded          card            carders         carder         
+  cardinal        cardin          cardinally      cardin         
+  cardinals       cardin          cardmaker       cardmak        
+  cards           card            carduus         carduu         
+  care            care            cared           care           
+  career          career          careers         career         
+  careful         care            carefully       carefulli      
+  careless        careless        carelessly      carelessli     
+  carelessness    careless        cares           care           
+  caret           caret           cargo           cargo          
+  carl            carl            carlisle        carlisl        
+  carlot          carlot          carman          carman         
+  carmen          carmen          carnal          carnal         
+  carnally        carnal          carnarvonshire  carnarvonshir  
+  carnation       carnat          carnations      carnat         
+  carol           carol           carous          carou          
+  carouse         carous          caroused        carous         
+  carouses        carous          carousing       carous         
+  carp            carp            carpenter       carpent        
+  carper          carper          carpet          carpet         
+  carpets         carpet          carping         carp           
+  carriage        carriag         carriages       carriag        
+  carried         carri           carrier         carrier        
+  carriers        carrier         carries         carri          
+  carrion         carrion         carrions        carrion        
+  carry           carri           carrying        carri          
+  cars            car             cart            cart           
+  carters         carter          carthage        carthag        
+  carts           cart            carv            carv           
+  carve           carv            carved          carv           
+  carver          carver          carves          carv           
+  carving         carv            cas             ca             
+  casa            casa            casaer          casaer         
+  casca           casca           case            case           
+  casement        casement        casements       casement       
+  cases           case            cash            cash           
+  cashier         cashier         casing          case           
+  cask            cask            casket          casket         
+  casketed        casket          caskets         casket         
+  casque          casqu           casques         casqu          
+  cassado         cassado         cassandra       cassandra      
+  cassibelan      cassibelan      cassio          cassio         
+  cassius         cassiu          cassocks        cassock        
+  cast            cast            castalion       castalion      
+  castaway        castawai        castaways       castawai       
+  casted          cast            caster          caster         
+  castigate       castig          castigation     castig         
+  castile         castil          castiliano      castiliano     
+  casting         cast            castle          castl          
+  castles         castl           casts           cast           
+  casual          casual          casually        casual         
+  casualties      casualti        casualty        casualti       
+  cat             cat             cataian         cataian        
+  catalogue       catalogu        cataplasm       cataplasm      
+  cataracts       cataract        catarrhs        catarrh        
+  catastrophe     catastroph      catch           catch          
+  catcher         catcher         catches         catch          
+  catching        catch           cate            cate           
+  catechising     catechis        catechism       catech         
+  catechize       catech          cater           cater          
+  caterpillars    caterpillar     caters          cater          
+  caterwauling    caterwaul       cates           cate           
+  catesby         catesbi         cathedral       cathedr        
+  catlike         catlik          catling         catl           
+  catlings        catl            cato            cato           
+  cats            cat             cattle          cattl          
+  caucasus        caucasu         caudle          caudl          
+  cauf            cauf            caught          caught         
+  cauldron        cauldron        caus            cau            
+  cause           caus            caused          caus           
+  causeless       causeless       causer          causer         
+  causes          caus            causest         causest        
+  causeth         causeth         cautel          cautel         
+  cautelous       cautel          cautels         cautel         
+  cauterizing     cauter          caution         caution        
+  cautions        caution         cavaleiro       cavaleiro      
+  cavalery        cavaleri        cavaliers       cavali         
+  cave            cave            cavern          cavern         
+  caverns         cavern          caves           cave           
+  caveto          caveto          caviary         caviari        
+  cavil           cavil           cavilling       cavil          
+  cawdor          cawdor          cawdron         cawdron        
+  cawing          caw             ce              ce             
+  ceas            cea             cease           ceas           
+  ceases          ceas            ceaseth         ceaseth        
+  cedar           cedar           cedars          cedar          
+  cedius          cediu           celebrate       celebr         
+  celebrated      celebr          celebrates      celebr         
+  celebration     celebr          celerity        celer          
+  celestial       celesti         celia           celia          
+  cell            cell            cellar          cellar         
+  cellarage       cellarag        celsa           celsa          
+  cement          cement          censer          censer         
+  censor          censor          censorinus      censorinu      
+  censur          censur          censure         censur         
+  censured        censur          censurers       censur         
+  censures        censur          censuring       censur         
+  centaur         centaur         centaurs        centaur        
+  centre          centr           cents           cent           
+  centuries       centuri         centurion       centurion      
+  centurions      centurion       century         centuri        
+  cerberus        cerberu         cerecloth       cerecloth      
+  cerements       cerement        ceremonial      ceremoni       
+  ceremonies      ceremoni        ceremonious     ceremoni       
+  ceremoniously   ceremoni        ceremony        ceremoni       
+  ceres           cere            cerns           cern           
+  certain         certain         certainer       certain        
+  certainly       certainli       certainties     certainti      
+  certainty       certainti       certes          cert           
+  certificate     certif          certified       certifi        
+  certifies       certifi         certify         certifi        
+  ces             ce              cesario         cesario        
+  cess            cess            cesse           cess           
+  cestern         cestern         cetera          cetera         
+  cette           cett            chaces          chace          
+  chaf            chaf            chafe           chafe          
+  chafed          chafe           chafes          chafe          
+  chaff           chaff           chaffless       chaffless      
+  chafing         chafe           chain           chain          
+  chains          chain           chair           chair          
+  chairs          chair           chalic          chalic         
+  chalice         chalic          chalices        chalic         
+  chalk           chalk           chalks          chalk          
+  chalky          chalki          challeng        challeng       
+  challenge       challeng        challenged      challeng       
+  challenger      challeng        challengers     challeng       
+  challenges      challeng        cham            cham           
+  chamber         chamber         chamberers      chamber        
+  chamberlain     chamberlain     chamberlains    chamberlain    
+  chambermaid     chambermaid     chambermaids    chambermaid    
+  chambers        chamber         chameleon       chameleon      
+  champ           champ           champagne       champagn       
+  champain        champain        champains       champain       
+  champion        champion        champions       champion       
+  chanc           chanc           chance          chanc          
+  chanced         chanc           chancellor      chancellor     
+  chances         chanc           chandler        chandler       
+  chang           chang           change          chang          
+  changeable      changeabl       changed         chang          
+  changeful       chang           changeling      changel        
+  changelings     changel         changer         changer        
+  changes         chang           changest        changest       
+  changing        chang           channel         channel        
+  channels        channel         chanson         chanson        
+  chant           chant           chanticleer     chanticl       
+  chanting        chant           chantries       chantri        
+  chantry         chantri         chants          chant          
+  chaos           chao            chap            chap           
+  chape           chape           chapel          chapel         
+  chapeless       chapeless       chapels         chapel         
+  chaplain        chaplain        chaplains       chaplain       
+  chapless        chapless        chaplet         chaplet        
+  chapmen         chapmen         chaps           chap           
+  chapter         chapter         character       charact        
+  charactered     charact         characterless   characterless  
+  characters      charact         charactery      characteri     
+  characts        charact         charbon         charbon        
+  chare           chare           chares          chare          
+  charg           charg           charge          charg          
+  charged         charg           chargeful       charg          
+  charges         charg           chargeth        chargeth       
+  charging        charg           chariest        chariest       
+  chariness       chari           charing         chare          
+  chariot         chariot         chariots        chariot        
+  charitable      charit          charitably      charit         
+  charities       chariti         charity         chariti        
+  charlemain      charlemain      charles         charl          
+  charm           charm           charmed         charm          
+  charmer         charmer         charmeth        charmeth       
+  charmian        charmian        charming        charm          
+  charmingly      charmingli      charms          charm          
+  charneco        charneco        charnel         charnel        
+  charolois       charoloi        charon          charon         
+  charter         charter         charters        charter        
+  chartreux       chartreux       chary           chari          
+  charybdis       charybdi        chas            cha            
+  chase           chase           chased          chase          
+  chaser          chaser          chaseth         chaseth        
+  chasing         chase           chaste          chast          
+  chastely        chast           chastis         chasti         
+  chastise        chastis         chastised       chastis        
+  chastisement    chastis         chastity        chastiti       
+  chat            chat            chatham         chatham        
+  chatillon       chatillon       chats           chat           
+  chatt           chatt           chattels        chattel        
+  chatter         chatter         chattering      chatter        
+  chattles        chattl          chaud           chaud          
+  chaunted        chaunt          chaw            chaw           
+  chawdron        chawdron        che             che            
+  cheap           cheap           cheapen         cheapen        
+  cheaper         cheaper         cheapest        cheapest       
+  cheaply         cheapli         cheapside       cheapsid       
+  cheat           cheat           cheated         cheat          
+  cheater         cheater         cheaters        cheater        
+  cheating        cheat           cheats          cheat          
+  check           check           checked         check          
+  checker         checker         checking        check          
+  checks          check           cheek           cheek          
+  cheeks          cheek           cheer           cheer          
+  cheered         cheer           cheerer         cheerer        
+  cheerful        cheer           cheerfully      cheerfulli     
+  cheering        cheer           cheerless       cheerless      
+  cheerly         cheerli         cheers          cheer          
+  cheese          chees           chequer         chequer        
+  cher            cher            cherish         cherish        
+  cherished       cherish         cherisher       cherish        
+  cherishes       cherish         cherishing      cherish        
+  cherries        cherri          cherry          cherri         
+  cherrypit       cherrypit       chertsey        chertsei       
+  cherub          cherub          cherubims       cherubim       
+  cherubin        cherubin        cherubins       cherubin       
+  cheshu          cheshu          chess           chess          
+  chest           chest           chester         chester        
+  chestnut        chestnut        chestnuts       chestnut       
+  chests          chest           chetas          cheta          
+  chev            chev            cheval          cheval         
+  chevalier       chevali         chevaliers      chevali        
+  cheveril        cheveril        chew            chew           
+  chewed          chew            chewet          chewet         
+  chewing         chew            chez            chez           
+  chi             chi             chick           chick          
+  chicken         chicken         chickens        chicken        
+  chicurmurco     chicurmurco     chid            chid           
+  chidden         chidden         chide           chide          
+  chiders         chider          chides          chide          
+  chiding         chide           chief           chief          
+  chiefest        chiefest        chiefly         chiefli        
+  chien           chien           child           child          
+  childed         child           childeric       childer        
+  childhood       childhood       childhoods      childhood      
+  childing        child           childish        childish       
+  childishness    childish        childlike       childlik       
+  childness       child           children        children       
+  chill           chill           chilling        chill          
+  chime           chime           chimes          chime          
+  chimney         chimnei         chimneypiece    chimneypiec    
+  chimneys        chimnei         chimurcho       chimurcho      
+  chin            chin            china           china          
+  chine           chine           chines          chine          
+  chink           chink           chinks          chink          
+  chins           chin            chipp           chipp          
+  chipper         chipper         chips           chip           
+  chiron          chiron          chirping        chirp          
+  chirrah         chirrah         chirurgeonly    chirurgeonli   
+  chisel          chisel          chitopher       chitoph        
+  chivalrous      chivalr         chivalry        chivalri       
+  choice          choic           choicely        choic          
+  choicest        choicest        choir           choir          
+  choirs          choir           chok            chok           
+  choke           choke           choked          choke          
+  chokes          choke           choking         choke          
+  choler          choler          choleric        choler         
+  cholers         choler          chollors        chollor        
+  choose          choos           chooser         chooser        
+  chooses         choos           chooseth        chooseth       
+  choosing        choos           chop            chop           
+  chopine         chopin          choplogic       choplog        
+  chopp           chopp           chopped         chop           
+  chopping        chop            choppy          choppi         
+  chops           chop            chopt           chopt          
+  chor            chor            choristers      chorist        
+  chorus          choru           chose           chose          
+  chosen          chosen          chough          chough         
+  choughs         chough          chrish          chrish         
+  christ          christ          christen        christen       
+  christendom     christendom     christendoms    christendom    
+  christening     christen        christenings    christen       
+  christian       christian       christianlike   christianlik   
+  christians      christian       christmas       christma       
+  christom        christom        christopher     christoph      
+  christophero    christophero    chronicle       chronicl       
+  chronicled      chronicl        chronicler      chronicl       
+  chroniclers     chronicl        chronicles      chronicl       
+  chrysolite      chrysolit       chuck           chuck          
+  chucks          chuck           chud            chud           
+  chuffs          chuff           church          church         
+  churches        church          churchman       churchman      
+  churchmen       churchmen       churchyard      churchyard     
+  churchyards     churchyard      churl           churl          
+  churlish        churlish        churlishly      churlishli     
+  churls          churl           churn           churn          
+  chus            chu             cicatrice       cicatric       
+  cicatrices      cicatric        cicely          cice           
+  cicero          cicero          ciceter         cicet          
+  ciel            ciel            ciitzens        ciitzen        
+  cilicia         cilicia         cimber          cimber         
+  cimmerian       cimmerian       cinable         cinabl         
+  cincture        cinctur         cinders         cinder         
+  cine            cine            cinna           cinna          
+  cinque          cinqu           cipher          cipher         
+  ciphers         cipher          circa           circa          
+  circe           circ            circle          circl          
+  circled         circl           circlets        circlet        
+  circling        circl           circuit         circuit        
+  circum          circum          circumcised     circumcis      
+  circumference   circumfer       circummur       circummur      
+  circumscrib     circumscrib     circumscribed   circumscrib    
+  circumscription circumscript    circumspect     circumspect    
+  circumstance    circumst        circumstanced   circumstanc    
+  circumstances   circumst        circumstantial  circumstanti   
+  circumvent      circumv         circumvention   circumvent     
+  cistern         cistern         citadel         citadel        
+  cital           cital           cite            cite           
+  cited           cite            cites           cite           
+  cities          citi            citing          cite           
+  citizen         citizen         citizens        citizen        
+  cittern         cittern         city            citi           
+  civet           civet           civil           civil          
+  civility        civil           civilly         civilli        
+  clack           clack           clad            clad           
+  claim           claim           claiming        claim          
+  claims          claim           clamb           clamb          
+  clamber         clamber         clammer         clammer        
+  clamor          clamor          clamorous       clamor         
+  clamors         clamor          clamour         clamour        
+  clamours        clamour         clang           clang          
+  clangor         clangor         clap            clap           
+  clapp           clapp           clapped         clap           
+  clapper         clapper         clapping        clap           
+  claps           clap            clare           clare          
+  clarence        clarenc         claret          claret         
+  claribel        claribel        clasp           clasp          
+  clasps          clasp           clatter         clatter        
+  claud           claud           claudio         claudio        
+  claudius        claudiu         clause          claus          
+  claw            claw            clawed          claw           
+  clawing         claw            claws           claw           
+  clay            clai            clays           clai           
+  clean           clean           cleanliest      cleanliest     
+  cleanly         cleanli         cleans          clean          
+  cleanse         cleans          cleansing       cleans         
+  clear           clear           clearer         clearer        
+  clearest        clearest        clearly         clearli        
+  clearness       clear           clears          clear          
+  cleave          cleav           cleaving        cleav          
+  clef            clef            cleft           cleft          
+  cleitus         cleitu          clemency        clemenc        
+  clement         clement         cleomenes       cleomen        
+  cleopatpa       cleopatpa       cleopatra       cleopatra      
+  clepeth         clepeth         clept           clept          
+  clerestories    clerestori      clergy          clergi         
+  clergyman       clergyman       clergymen       clergymen      
+  clerk           clerk           clerkly         clerkli        
+  clerks          clerk           clew            clew           
+  client          client          clients         client         
+  cliff           cliff           clifford        clifford       
+  cliffords       clifford        cliffs          cliff          
+  clifton         clifton         climate         climat         
+  climature       climatur        climb           climb          
+  climbed         climb           climber         climber        
+  climbeth        climbeth        climbing        climb          
+  climbs          climb           clime           clime          
+  cling           cling           clink           clink          
+  clinking        clink           clinquant       clinquant      
+  clip            clip            clipp           clipp          
+  clipper         clipper         clippeth        clippeth       
+  clipping        clip            clipt           clipt          
+  clitus          clitu           clo             clo            
+  cloak           cloak           cloakbag        cloakbag       
+  cloaks          cloak           clock           clock          
+  clocks          clock           clod            clod           
+  cloddy          cloddi          clodpole        clodpol        
+  clog            clog            clogging        clog           
+  clogs           clog            cloister        cloister       
+  cloistress      cloistress      cloquence       cloquenc       
+  clos            clo             close           close          
+  closed          close           closely         close          
+  closeness       close           closer          closer         
+  closes          close           closest         closest        
+  closet          closet          closing         close          
+  closure         closur          cloten          cloten         
+  clotens         cloten          cloth           cloth          
+  clothair        clothair        clotharius      clothariu      
+  clothe          cloth           clothes         cloth          
+  clothier        clothier        clothiers       clothier       
+  clothing        cloth           cloths          cloth          
+  clotpoles       clotpol         clotpoll        clotpol        
+  cloud           cloud           clouded         cloud          
+  cloudiness      cloudi          clouds          cloud          
+  cloudy          cloudi          clout           clout          
+  clouted         clout           clouts          clout          
+  cloven          cloven          clover          clover         
+  cloves          clove           clovest         clovest        
+  clowder         clowder         clown           clown          
+  clownish        clownish        clowns          clown          
+  cloy            cloi            cloyed          cloi           
+  cloying         cloi            cloyless        cloyless       
+  cloyment        cloyment        cloys           cloi           
+  club            club            clubs           club           
+  cluck           cluck           clung           clung          
+  clust           clust           clusters        cluster        
+  clutch          clutch          clyster         clyster        
+  cneius          cneiu           cnemies         cnemi          
+  co              co              coach           coach          
+  coaches         coach           coachmakers     coachmak       
+  coact           coact           coactive        coactiv        
+  coagulate       coagul          coal            coal           
+  coals           coal            coarse          coars          
+  coarsely        coars           coast           coast          
+  coasting        coast           coasts          coast          
+  coat            coat            coated          coat           
+  coats           coat            cobble          cobbl          
+  cobbled         cobbl           cobbler         cobbler        
+  cobham          cobham          cobloaf         cobloaf        
+  cobweb          cobweb          cobwebs         cobweb         
+  cock            cock            cockatrice      cockatric      
+  cockatrices     cockatric       cockle          cockl          
+  cockled         cockl           cockney         cocknei        
+  cockpit         cockpit         cocks           cock           
+  cocksure        cocksur         coctus          coctu          
+  cocytus         cocytu          cod             cod            
+  codding         cod             codling         codl           
+  codpiece        codpiec         codpieces       codpiec        
+  cods            cod             coelestibus     coelestibu     
+  coesar          coesar          coeur           coeur          
+  coffer          coffer          coffers         coffer         
+  coffin          coffin          coffins         coffin         
+  cog             cog             cogging         cog            
+  cogitation      cogit           cogitations     cogit          
+  cognition       cognit          cognizance      cogniz         
+  cogscomb        cogscomb        cohabitants     cohabit        
+  coher           coher           cohere          coher          
+  coherence       coher           coherent        coher          
+  cohorts         cohort          coif            coif           
+  coign           coign           coil            coil           
+  coin            coin            coinage         coinag         
+  coiner          coiner          coining         coin           
+  coins           coin            col             col            
+  colbrand        colbrand        colchos         colcho         
+  cold            cold            colder          colder         
+  coldest         coldest         coldly          coldli         
+  coldness        cold            coldspur        coldspur       
+  colebrook       colebrook       colic           colic          
+  collar          collar          collars         collar         
+  collateral      collater        colleagued      colleagu       
+  collect         collect         collected       collect        
+  collection      collect         college         colleg         
+  colleges        colleg          collied         colli          
+  collier         collier         colliers        collier        
+  collop          collop          collusion       collus         
+  colme           colm            colmekill       colmekil       
+  coloquintida    coloquintida    color           color          
+  colors          color           colossus        colossu        
+  colour          colour          colourable      colour         
+  coloured        colour          colouring       colour         
+  colours         colour          colt            colt           
+  colted          colt            colts           colt           
+  columbine       columbin        columbines      columbin       
+  colville        colvil          com             com            
+  comagene        comagen         comart          comart         
+  comb            comb            combat          combat         
+  combatant       combat          combatants      combat         
+  combated        combat          combating       combat         
+  combin          combin          combinate       combin         
+  combination     combin          combine         combin         
+  combined        combin          combless        combless       
+  combustion      combust         come            come           
+  comedian        comedian        comedians       comedian       
+  comedy          comedi          comeliness      comeli         
+  comely          come            comer           comer          
+  comers          comer           comes           come           
+  comest          comest          comet           comet          
+  cometh          cometh          comets          comet          
+  comfect         comfect         comfit          comfit         
+  comfits         comfit          comfort         comfort        
+  comfortable     comfort         comforted       comfort        
+  comforter       comfort         comforting      comfort        
+  comfortless     comfortless     comforts        comfort        
+  comic           comic           comical         comic          
+  coming          come            comings         come           
+  cominius        cominiu         comma           comma          
+  command         command         commande        command        
+  commanded       command         commander       command        
+  commanders      command         commanding      command        
+  commandment     command         commandments    command        
+  commands        command         comme           comm           
+  commenc         commenc         commence        commenc        
+  commenced       commenc         commencement    commenc        
+  commences       commenc         commencing      commenc        
+  commend         commend         commendable     commend        
+  commendation    commend         commendations   commend        
+  commended       commend         commending      commend        
+  commends        commend         comment         comment        
+  commentaries    commentari      commenting      comment        
+  comments        comment         commerce        commerc        
+  commingled      commingl        commiseration   commiser       
+  commission      commiss         commissioners   commission     
+  commissions     commiss         commit          commit         
+  commits         commit          committ         committ        
+  committed       commit          committing      commit         
+  commix          commix          commixed        commix         
+  commixtion      commixt         commixture      commixtur      
+  commodious      commodi         commodities     commod         
+  commodity       commod          common          common         
+  commonalty      commonalti      commoner        common         
+  commoners       common          commonly        commonli       
+  commons         common          commonweal      commonw        
+  commonwealth    commonwealth    commotion       commot         
+  commotions      commot          commune         commun         
+  communicat      communicat      communicate     commun         
+  communication   commun          communities     commun         
+  community       commun          comonty         comonti        
+  compact         compact         companies       compani        
+  companion       companion       companions      companion      
+  companionship   companionship   company         compani        
+  compar          compar          comparative     compar         
+  compare         compar          compared        compar         
+  comparing       compar          comparison      comparison     
+  comparisons     comparison      compartner      compartn       
+  compass         compass         compasses       compass        
+  compassing      compass         compassion      compass        
+  compassionate   compassion      compeers        compeer        
+  compel          compel          compell         compel         
+  compelled       compel          compelling      compel         
+  compels         compel          compensation    compens        
+  competence      compet          competency      compet         
+  competent       compet          competitor      competitor     
+  competitors     competitor      compil          compil         
+  compile         compil          compiled        compil         
+  complain        complain        complainer      complain       
+  complainest     complainest     complaining     complain       
+  complainings    complain        complains       complain       
+  complaint       complaint       complaints      complaint      
+  complement      complement      complements     complement     
+  complete        complet         complexion      complexion     
+  complexioned    complexion      complexions     complexion     
+  complices       complic         complies        compli         
+  compliment      compliment      complimental    compliment     
+  compliments     compliment      complot         complot        
+  complots        complot         complotted      complot        
+  comply          compli          compos          compo          
+  compose         compos          composed        compos         
+  composition     composit        compost         compost        
+  composture      compostur       composure       composur       
+  compound        compound        compounded      compound       
+  compounds       compound        comprehend      comprehend     
+  comprehended    comprehend      comprehends     comprehend     
+  compremises     compremis       compris         compri         
+  comprising      compris         compromis       compromi       
+  compromise      compromis       compt           compt          
+  comptible       comptibl        comptrollers    comptrol       
+  compulsatory    compulsatori    compulsion      compuls        
+  compulsive      compuls         compunctious    compuncti      
+  computation     comput          comrade         comrad         
+  comrades        comrad          comutual        comutu         
+  con             con             concave         concav         
+  concavities     concav          conceal         conceal        
+  concealed       conceal         concealing      conceal        
+  concealment     conceal         concealments    conceal        
+  conceals        conceal         conceit         conceit        
+  conceited       conceit         conceitless     conceitless    
+  conceits        conceit         conceiv         conceiv        
+  conceive        conceiv         conceived       conceiv        
+  conceives       conceiv         conceiving      conceiv        
+  conception      concept         conceptions     concept        
+  conceptious     concepti        concern         concern        
+  concernancy     concern         concerneth      concerneth     
+  concerning      concern         concernings     concern        
+  concerns        concern         conclave        conclav        
+  conclud         conclud         conclude        conclud        
+  concluded       conclud         concludes       conclud        
+  concluding      conclud         conclusion      conclus        
+  conclusions     conclus         concolinel      concolinel     
+  concord         concord         concubine       concubin       
+  concupiscible   concupisc       concupy         concupi        
+  concur          concur          concurring      concur         
+  concurs         concur          condemn         condemn        
+  condemnation    condemn         condemned       condemn        
+  condemning      condemn         condemns        condemn        
+  condescend      condescend      condign         condign        
+  condition       condit          conditionally   condition      
+  conditions      condit          condole         condol         
+  condolement     condol          condoling       condol         
+  conduce         conduc          conduct         conduct        
+  conducted       conduct         conducting      conduct        
+  conductor       conductor       conduit         conduit        
+  conduits        conduit         conected        conect         
+  coney           conei           confection      confect        
+  confectionary   confectionari   confections     confect        
+  confederacy     confederaci     confederate     confeder       
+  confederates    confeder        confer          confer         
+  conference      confer          conferr         conferr        
+  conferring      confer          confess         confess        
+  confessed       confess         confesses       confess        
+  confesseth      confesseth      confessing      confess        
+  confession      confess         confessions     confess        
+  confessor       confessor       confidence      confid         
+  confident       confid          confidently     confid         
+  confin          confin          confine         confin         
+  confined        confin          confineless     confineless    
+  confiners       confin          confines        confin         
+  confining       confin          confirm         confirm        
+  confirmation    confirm         confirmations   confirm        
+  confirmed       confirm         confirmer       confirm        
+  confirmers      confirm         confirming      confirm        
+  confirmities    confirm         confirms        confirm        
+  confiscate      confisc         confiscated     confisc        
+  confiscation    confisc         confixed        confix         
+  conflict        conflict        conflicting     conflict       
+  conflicts       conflict        confluence      confluenc      
+  conflux         conflux         conform         conform        
+  conformable     conform         confound        confound       
+  confounded      confound        confounding     confound       
+  confounds       confound        confront        confront       
+  confronted      confront        confus          confu          
+  confused        confus          confusedly      confusedli     
+  confusion       confus          confusions      confus         
+  confutation     confut          confutes        confut         
+  congeal         congeal         congealed       congeal        
+  congealment     congeal         congee          conge          
+  conger          conger          congest         congest        
+  congied         congi           congratulate    congratul      
+  congreeing      congre          congreeted      congreet       
+  congregate      congreg         congregated     congreg        
+  congregation    congreg         congregations   congreg        
+  congruent       congruent       congruing       congru         
+  conies          coni            conjectural     conjectur      
+  conjecture      conjectur       conjectures     conjectur      
+  conjoin         conjoin         conjoined       conjoin        
+  conjoins        conjoin         conjointly      conjointli     
+  conjunct        conjunct        conjunction     conjunct       
+  conjunctive     conjunct        conjur          conjur         
+  conjuration     conjur          conjurations    conjur         
+  conjure         conjur          conjured        conjur         
+  conjurer        conjur          conjurers       conjur         
+  conjures        conjur          conjuring       conjur         
+  conjuro         conjuro         conn            conn           
+  connected       connect         connive         conniv         
+  conqu           conqu           conquer         conquer        
+  conquered       conquer         conquering      conquer        
+  conqueror       conqueror       conquerors      conqueror      
+  conquers        conquer         conquest        conquest       
+  conquests       conquest        conquring       conqur         
+  conrade         conrad          cons            con            
+  consanguineous  consanguin      consanguinity   consanguin     
+  conscienc       conscienc       conscience      conscienc      
+  consciences     conscienc       conscionable    conscion       
+  consecrate      consecr         consecrated     consecr        
+  consecrations   consecr         consent         consent        
+  consented       consent         consenting      consent        
+  consents        consent         consequence     consequ        
+  consequences    consequ         consequently    consequ        
+  conserve        conserv         conserved       conserv        
+  conserves       conserv         consider        consid         
+  considerance    consider        considerate     consider       
+  consideration   consider        considerations  consider       
+  considered      consid          considering     consid         
+  considerings    consid          considers       consid         
+  consign         consign         consigning      consign        
+  consist         consist         consisteth      consisteth     
+  consisting      consist         consistory      consistori     
+  consists        consist         consolate       consol         
+  consolation     consol          consonancy      conson         
+  consonant       conson          consort         consort        
+  consorted       consort         consortest      consortest     
+  conspectuities  conspectu       conspir         conspir        
+  conspiracy      conspiraci      conspirant      conspir        
+  conspirator     conspir         conspirators    conspir        
+  conspire        conspir         conspired       conspir        
+  conspirers      conspir         conspires       conspir        
+  conspiring      conspir         constable       constabl       
+  constables      constabl        constance       constanc       
+  constancies     constanc        constancy       constanc       
+  constant        constant        constantine     constantin     
+  constantinople  constantinopl   constantly      constantli     
+  constellation   constel         constitution    constitut      
+  constrain       constrain       constrained     constrain      
+  constraineth    constraineth    constrains      constrain      
+  constraint      constraint      constring       constr         
+  construction    construct       construe        constru        
+  consul          consul          consuls         consul         
+  consulship      consulship      consulships     consulship     
+  consult         consult         consulting      consult        
+  consults        consult         consum          consum         
+  consume         consum          consumed        consum         
+  consumes        consum          consuming       consum         
+  consummate      consumm         consummation    consumm        
+  consumption     consumpt        consumptions    consumpt       
+  contagion       contagion       contagious      contagi        
+  contain         contain         containing      contain        
+  contains        contain         contaminate     contamin       
+  contaminated    contamin        contemn         contemn        
+  contemned       contemn         contemning      contemn        
+  contemns        contemn         contemplate     contempl       
+  contemplation   contempl        contemplative   contempl       
+  contempt        contempt        contemptible    contempt       
+  contempts       contempt        contemptuous    contemptu      
+  contemptuously  contemptu       contend         contend        
+  contended       contend         contending      contend        
+  contendon       contendon       content         content        
+  contenta        contenta        contented       content        
+  contenteth      contenteth      contention      content        
+  contentious     contenti        contentless     contentless    
+  contento        contento        contents        content        
+  contest         contest         contestation    contest        
+  continence      contin          continency      contin         
+  continent       contin          continents      contin         
+  continu         continu         continual       continu        
+  continually     continu         continuance     continu        
+  continuantly    continuantli    continuate      continu        
+  continue        continu         continued       continu        
+  continuer       continu         continues       continu        
+  continuing      continu         contract        contract       
+  contracted      contract        contracting     contract       
+  contraction     contract        contradict      contradict     
+  contradicted    contradict      contradiction   contradict     
+  contradicts     contradict      contraries      contrari       
+  contrarieties   contrarieti     contrariety     contrarieti    
+  contrarious     contrari        contrariously   contrari       
+  contrary        contrari        contre          contr          
+  contribution    contribut       contributors    contributor    
+  contrite        contrit         contriv         contriv        
+  contrive        contriv         contrived       contriv        
+  contriver       contriv         contrives       contriv        
+  contriving      contriv         control         control        
+  controll        control         controller      control        
+  controlling     control         controlment     control        
+  controls        control         controversy     controversi    
+  contumelious    contumeli       contumeliously  contumeli      
+  contumely       contum          contusions      contus         
+  convenience     conveni         conveniences    conveni        
+  conveniency     conveni         convenient      conveni        
+  conveniently    conveni         convented       convent        
+  conventicles    conventicl      convents        convent        
+  convers         conver          conversant      convers        
+  conversation    convers         conversations   convers        
+  converse        convers         conversed       convers        
+  converses       convers         conversing      convers        
+  conversion      convers         convert         convert        
+  converted       convert         convertest      convertest     
+  converting      convert         convertite      convertit      
+  convertites     convertit       converts        convert        
+  convey          convei          conveyance      convey         
+  conveyances     convey          conveyers       convey         
+  conveying       convei          convict         convict        
+  convicted       convict         convince        convinc        
+  convinced       convinc         convinces       convinc        
+  convive         conviv          convocation     convoc         
+  convoy          convoi          convulsions     convuls        
+  cony            coni            cook            cook           
+  cookery         cookeri         cooks           cook           
+  cool            cool            cooled          cool           
+  cooling         cool            cools           cool           
+  coop            coop            coops           coop           
+  cop             cop             copatain        copatain       
+  cope            cope            cophetua        cophetua       
+  copied          copi            copies          copi           
+  copious         copiou          copper          copper         
+  copperspur      copperspur      coppice         coppic         
+  copulation      copul           copulatives     copul          
+  copy            copi            cor             cor            
+  coragio         coragio         coral           coral          
+  coram           coram           corambus        corambu        
+  coranto         coranto         corantos        coranto        
+  corbo           corbo           cord            cord           
+  corded          cord            cordelia        cordelia       
+  cordial         cordial         cordis          cordi          
+  cords           cord            core            core           
+  corin           corin           corinth         corinth        
+  corinthian      corinthian      coriolanus      coriolanu      
+  corioli         corioli         cork            cork           
+  corky           corki           cormorant       cormor         
+  corn            corn            cornelia        cornelia       
+  cornelius       corneliu        corner          corner         
+  corners         corner          cornerstone     cornerston     
+  cornets         cornet          cornish         cornish        
+  corns           corn            cornuto         cornuto        
+  cornwall        cornwal         corollary       corollari      
+  coronal         coron           coronation      coron          
+  coronet         coronet         coronets        coronet        
+  corporal        corpor          corporals       corpor         
+  corporate       corpor          corpse          corps          
+  corpulent       corpul          correct         correct        
+  corrected       correct         correcting      correct        
+  correction      correct         correctioner    correction     
+  corrects        correct         correspondence  correspond     
+  correspondent   correspond      corresponding   correspond     
+  corresponsive   correspons      corrigible      corrig         
+  corrival        corriv          corrivals       corriv         
+  corroborate     corrobor        corrosive       corros         
+  corrupt         corrupt         corrupted       corrupt        
+  corrupter       corrupt         corrupters      corrupt        
+  corruptible     corrupt         corruptibly     corrupt        
+  corrupting      corrupt         corruption      corrupt        
+  corruptly       corruptli       corrupts        corrupt        
+  corse           cors            corses          cors           
+  corslet         corslet         cosmo           cosmo          
+  cost            cost            costard         costard        
+  costermongers   costermong      costlier        costlier       
+  costly          costli          costs           cost           
+  cot             cot             cote            cote           
+  coted           cote            cotsall         cotsal         
+  cotsole         cotsol          cotswold        cotswold       
+  cottage         cottag          cottages        cottag         
+  cotus           cotu            couch           couch          
+  couched         couch           couching        couch          
+  couchings       couch           coude           coud           
+  cough           cough           coughing        cough          
+  could           could           couldst         couldst        
+  coulter         coulter         council         council        
+  councillor      councillor      councils        council        
+  counsel         counsel         counsell        counsel        
+  counsellor      counsellor      counsellors     counsellor     
+  counselor       counselor       counselors      counselor      
+  counsels        counsel         count           count          
+  counted         count           countenanc      countenanc     
+  countenance     counten         countenances    counten        
+  counter         counter         counterchange   counterchang   
+  countercheck    countercheck    counterfeit     counterfeit    
+  counterfeited   counterfeit     counterfeiting  counterfeit    
+  counterfeitly   counterfeitli   counterfeits    counterfeit    
+  countermand     countermand     countermands    countermand    
+  countermines    countermin      counterpart     counterpart    
+  counterpoints   counterpoint    counterpois     counterpoi     
+  counterpoise    counterpois     counters        counter        
+  countervail     countervail     countess        countess       
+  countesses      countess        counties        counti         
+  counting        count           countless       countless      
+  countries       countri         countrv         countrv        
+  country         countri         countryman      countryman     
+  countrymen      countrymen      counts          count          
+  county          counti          couper          couper         
+  couple          coupl           coupled         coupl          
+  couplement      couplement      couples         coupl          
+  couplet         couplet         couplets        couplet        
+  cour            cour            courage         courag         
+  courageous      courag          courageously    courag         
+  courages        courag          courier         courier        
+  couriers        courier         couronne        couronn        
+  cours           cour            course          cours          
+  coursed         cours           courser         courser        
+  coursers        courser         courses         cours          
+  coursing        cours           court           court          
+  courted         court           courteous       courteou       
+  courteously     courteous       courtesan       courtesan      
+  courtesies      courtesi        courtesy        courtesi       
+  courtezan       courtezan       courtezans      courtezan      
+  courtier        courtier        courtiers       courtier       
+  courtlike       courtlik        courtly         courtli        
+  courtney        courtnei        courts          court          
+  courtship       courtship       cousin          cousin         
+  cousins         cousin          couterfeit      couterfeit     
+  coutume         coutum          covenant        coven          
+  covenants       coven           covent          covent         
+  coventry        coventri        cover           cover          
+  covered         cover           covering        cover          
+  coverlet        coverlet        covers          cover          
+  covert          covert          covertly        covertli       
+  coverture       covertur        covet           covet          
+  coveted         covet           coveting        covet          
+  covetings       covet           covetous        covet          
+  covetously      covet           covetousness    covet          
+  covets          covet           cow             cow            
+  coward          coward          cowarded        coward         
+  cowardice       cowardic        cowardly        cowardli       
+  cowards         coward          cowardship      cowardship     
+  cowish          cowish          cowl            cowl           
+  cowslip         cowslip         cowslips        cowslip        
+  cox             cox             coxcomb         coxcomb        
+  coxcombs        coxcomb         coy             coi            
+  coystrill       coystril        coz             coz            
+  cozen           cozen           cozenage        cozenag        
+  cozened         cozen           cozener         cozen          
+  cozeners        cozen           cozening        cozen          
+  coziers         cozier          crab            crab           
+  crabbed         crab            crabs           crab           
+  crack           crack           cracked         crack          
+  cracker         cracker         crackers        cracker        
+  cracking        crack           cracks          crack          
+  cradle          cradl           cradled         cradl          
+  cradles         cradl           craft           craft          
+  crafted         craft           craftied        crafti         
+  craftier        craftier        craftily        craftili       
+  crafts          craft           craftsmen       craftsmen      
+  crafty          crafti          cram            cram           
+  cramm           cramm           cramp           cramp          
+  cramps          cramp           crams           cram           
+  cranking        crank           cranks          crank          
+  cranmer         cranmer         crannied        cranni         
+  crannies        cranni          cranny          cranni         
+  crants          crant           crare           crare          
+  crash           crash           crassus         crassu         
+  crav            crav            crave           crave          
+  craved          crave           craven          craven         
+  cravens         craven          craves          crave          
+  craveth         craveth         craving         crave          
+  crawl           crawl           crawling        crawl          
+  crawls          crawl           craz            craz           
+  crazed          craze           crazy           crazi          
+  creaking        creak           cream           cream          
+  create          creat           created         creat          
+  creates         creat           creating        creat          
+  creation        creation        creator         creator        
+  creature        creatur         creatures       creatur        
+  credence        credenc         credent         credent        
+  credible        credibl         credit          credit         
+  creditor        creditor        creditors       creditor       
+  credo           credo           credulity       credul         
+  credulous       credul          creed           creed          
+  creek           creek           creeks          creek          
+  creep           creep           creeping        creep          
+  creeps          creep           crept           crept          
+  crescent        crescent        crescive        cresciv        
+  cressets        cresset         cressid         cressid        
+  cressida        cressida        cressids        cressid        
+  cressy          cressi          crest           crest          
+  crested         crest           crestfall       crestfal       
+  crestless       crestless       crests          crest          
+  cretan          cretan          crete           crete          
+  crevice         crevic          crew            crew           
+  crews           crew            crib            crib           
+  cribb           cribb           cribs           crib           
+  cricket         cricket         crickets        cricket        
+  cried           cri             criedst         criedst        
+  crier           crier           cries           cri            
+  criest          criest          crieth          crieth         
+  crime           crime           crimeful        crime          
+  crimeless       crimeless       crimes          crime          
+  criminal        crimin          crimson         crimson        
+  cringe          cring           cripple         crippl         
+  crisp           crisp           crisped         crisp          
+  crispian        crispian        crispianus      crispianu      
+  crispin         crispin         critic          critic         
+  critical        critic          critics         critic         
+  croak           croak           croaking        croak          
+  croaks          croak           crocodile       crocodil       
+  cromer          cromer          cromwell        cromwel        
+  crone           crone           crook           crook          
+  crookback       crookback       crooked         crook          
+  crooking        crook           crop            crop           
+  cropp           cropp           crosby          crosbi         
+  cross           cross           crossed         cross          
+  crosses         cross           crossest        crossest       
+  crossing        cross           crossings       cross          
+  crossly         crossli         crossness       cross          
+  crost           crost           crotchets       crotchet       
+  crouch          crouch          crouching       crouch         
+  crow            crow            crowd           crowd          
+  crowded         crowd           crowding        crowd          
+  crowds          crowd           crowflowers     crowflow       
+  crowing         crow            crowkeeper      crowkeep       
+  crown           crown           crowned         crown          
+  crowner         crowner         crownet         crownet        
+  crownets        crownet         crowning        crown          
+  crowns          crown           crows           crow           
+  crudy           crudi           cruel           cruel          
+  cruell          cruell          crueller        crueller       
+  cruelly         cruelli         cruels          cruel          
+  cruelty         cruelti         crum            crum           
+  crumble         crumbl          crumbs          crumb          
+  crupper         crupper         crusadoes       crusado        
+  crush           crush           crushed         crush          
+  crushest        crushest        crushing        crush          
+  crust           crust           crusts          crust          
+  crusty          crusti          crutch          crutch         
+  crutches        crutch          cry             cry            
+  crying          cry             crystal         crystal        
+  crystalline     crystallin      crystals        crystal        
+  cub             cub             cubbert         cubbert        
+  cubiculo        cubiculo        cubit           cubit          
+  cubs            cub             cuckold         cuckold        
+  cuckoldly       cuckoldli       cuckolds        cuckold        
+  cuckoo          cuckoo          cucullus        cucullu        
+  cudgel          cudgel          cudgeled        cudgel         
+  cudgell         cudgel          cudgelling      cudgel         
+  cudgels         cudgel          cue             cue            
+  cues            cue             cuff            cuff           
+  cuffs           cuff            cuique          cuiqu          
+  cull            cull            culling         cull           
+  cullion         cullion         cullionly       cullionli      
+  cullions        cullion         culpable        culpabl        
+  culverin        culverin        cum             cum            
+  cumber          cumber          cumberland      cumberland     
+  cunning         cun             cunningly       cunningli      
+  cunnings        cun             cuore           cuor           
+  cup             cup             cupbearer       cupbear        
+  cupboarding     cupboard        cupid           cupid          
+  cupids          cupid           cuppele         cuppel         
+  cups            cup             cur             cur            
+  curan           curan           curate          curat          
+  curb            curb            curbed          curb           
+  curbing         curb            curbs           curb           
+  curd            curd            curdied         curdi          
+  curds           curd            cure            cure           
+  cured           cure            cureless        cureless       
+  curer           curer           cures           cure           
+  curfew          curfew          curing          cure           
+  curio           curio           curiosity       curios         
+  curious         curiou          curiously       curious        
+  curl            curl            curled          curl           
+  curling         curl            curls           curl           
+  currance        curranc         currants        currant        
+  current         current         currents        current        
+  currish         currish         curry           curri          
+  curs            cur             curse           curs           
+  cursed          curs            curses          curs           
+  cursies         cursi           cursing         curs           
+  cursorary       cursorari       curst           curst          
+  curster         curster         curstest        curstest       
+  curstness       curst           cursy           cursi          
+  curtail         curtail         curtain         curtain        
+  curtains        curtain         curtal          curtal         
+  curtis          curti           curtle          curtl          
+  curtsied        curtsi          curtsies        curtsi         
+  curtsy          curtsi          curvet          curvet         
+  curvets         curvet          cushes          cush           
+  cushion         cushion         cushions        cushion        
+  custalorum      custalorum      custard         custard        
+  custody         custodi         custom          custom         
+  customary       customari       customed        custom         
+  customer        custom          customers       custom         
+  customs         custom          custure         custur         
+  cut             cut             cutler          cutler         
+  cutpurse        cutpurs         cutpurses       cutpurs        
+  cuts            cut             cutter          cutter         
+  cutting         cut             cuttle          cuttl          
+  cxsar           cxsar           cyclops         cyclop         
+  cydnus          cydnu           cygnet          cygnet         
+  cygnets         cygnet          cym             cym            
+  cymbals         cymbal          cymbeline       cymbelin       
+  cyme            cyme            cynic           cynic          
+  cynthia         cynthia         cypress         cypress        
+  cypriot         cypriot         cyprus          cypru          
+  cyrus           cyru            cytherea        cytherea       
+  d               d               dabbled         dabbl          
+  dace            dace            dad             dad            
+  daedalus        daedalu         daemon          daemon         
+  daff            daff            daffed          daf            
+  daffest         daffest         daffodils       daffodil       
+  dagger          dagger          daggers         dagger         
+  dagonet         dagonet         daily           daili          
+  daintier        daintier        dainties        dainti         
+  daintiest       daintiest       daintily        daintili       
+  daintiness      dainti          daintry         daintri        
+  dainty          dainti          daisied         daisi          
+  daisies         daisi           daisy           daisi          
+  dale            dale            dalliance       dallianc       
+  dallied         dalli           dallies         dalli          
+  dally           dalli           dallying        dalli          
+  dalmatians      dalmatian       dam             dam            
+  damage          damag           damascus        damascu        
+  damask          damask          damasked        damask         
+  dame            dame            dames           dame           
+  damm            damm            damn            damn           
+  damnable        damnabl         damnably        damnabl        
+  damnation       damnat          damned          damn           
+  damns           damn            damoiselle      damoisel       
+  damon           damon           damosella       damosella      
+  damp            damp            dams            dam            
+  damsel          damsel          damsons         damson         
+  dan             dan             danc            danc           
+  dance           danc            dancer          dancer         
+  dances          danc            dancing         danc           
+  dandle          dandl           dandy           dandi          
+  dane            dane            dang            dang           
+  danger          danger          dangerous       danger         
+  dangerously     danger          dangers         danger         
+  dangling        dangl           daniel          daniel         
+  danish          danish          dank            dank           
+  dankish         dankish         danskers        dansker        
+  daphne          daphn           dappled         dappl          
+  dapples         dappl           dar             dar            
+  dardan          dardan          dardanian       dardanian      
+  dardanius       dardaniu        dare            dare           
+  dared           dare            dareful         dare           
+  dares           dare            darest          darest         
+  daring          dare            darius          dariu          
+  dark            dark            darken          darken         
+  darkening       darken          darkens         darken         
+  darker          darker          darkest         darkest        
+  darkling        darkl           darkly          darkli         
+  darkness        dark            darling         darl           
+  darlings        darl            darnel          darnel         
+  darraign        darraign        dart            dart           
+  darted          dart            darter          darter         
+  dartford        dartford        darting         dart           
+  darts           dart            dash            dash           
+  dashes          dash            dashing         dash           
+  dastard         dastard         dastards        dastard        
+  dat             dat             datchet         datchet        
+  date            date            dated           date           
+  dateless        dateless        dates           date           
+  daub            daub            daughter        daughter       
+  daughters       daughter        daunt           daunt          
+  daunted         daunt           dauntless       dauntless      
+  dauphin         dauphin         daventry        daventri       
+  davy            davi            daw             daw            
+  dawn            dawn            dawning         dawn           
+  daws            daw             day             dai            
+  daylight        daylight        days            dai            
+  dazzle          dazzl           dazzled         dazzl          
+  dazzling        dazzl           de              de             
+  dead            dead            deadly          deadli         
+  deaf            deaf            deafing         deaf           
+  deafness        deaf            deafs           deaf           
+  deal            deal            dealer          dealer         
+  dealers         dealer          dealest         dealest        
+  dealing         deal            dealings        deal           
+  deals           deal            dealt           dealt          
+  dean            dean            deanery         deaneri        
+  dear            dear            dearer          dearer         
+  dearest         dearest         dearly          dearli         
+  dearness        dear            dears           dear           
+  dearth          dearth          dearths         dearth         
+  death           death           deathbed        deathb         
+  deathful        death           deaths          death          
+  deathsman       deathsman       deathsmen       deathsmen      
+  debarred        debar           debase          debas          
+  debate          debat           debated         debat          
+  debatement      debat           debateth        debateth       
+  debating        debat           debauch         debauch        
+  debile          debil           debility        debil          
+  debitor         debitor         debonair        debonair       
+  deborah         deborah         debosh          debosh         
+  debt            debt            debted          debt           
+  debtor          debtor          debtors         debtor         
+  debts           debt            debuty          debuti         
+  decay           decai           decayed         decai          
+  decayer         decay           decaying        decai          
+  decays          decai           deceas          decea          
+  decease         deceas          deceased        deceas         
+  deceit          deceit          deceitful       deceit         
+  deceits         deceit          deceiv          deceiv         
+  deceivable      deceiv          deceive         deceiv         
+  deceived        deceiv          deceiver        deceiv         
+  deceivers       deceiv          deceives        deceiv         
+  deceivest       deceivest       deceiveth       deceiveth      
+  deceiving       deceiv          december        decemb         
+  decent          decent          deceptious      decepti        
+  decerns         decern          decide          decid          
+  decides         decid           decimation      decim          
+  decipher        deciph          deciphers       deciph         
+  decision        decis           decius          deciu          
+  deck            deck            decking         deck           
+  decks           deck            deckt           deckt          
+  declare         declar          declares        declar         
+  declension      declens         declensions     declens        
+  declin          declin          decline         declin         
+  declined        declin          declines        declin         
+  declining       declin          decoct          decoct         
+  decorum         decorum         decreas         decrea         
+  decrease        decreas         decreasing      decreas        
+  decree          decre           decreed         decre          
+  decrees         decre           decrepit        decrepit       
+  dedicate        dedic           dedicated       dedic          
+  dedicates       dedic           dedication      dedic          
+  deed            deed            deedless        deedless       
+  deeds           deed            deem            deem           
+  deemed          deem            deep            deep           
+  deeper          deeper          deepest         deepest        
+  deeply          deepli          deeps           deep           
+  deepvow         deepvow         deer            deer           
+  deesse          deess           defac           defac          
+  deface          defac           defaced         defac          
+  defacer         defac           defacers        defac          
+  defacing        defac           defam           defam          
+  default         default         defeat          defeat         
+  defeated        defeat          defeats         defeat         
+  defeatures      defeatur        defect          defect         
+  defective       defect          defects         defect         
+  defence         defenc          defences        defenc         
+  defend          defend          defendant       defend         
+  defended        defend          defender        defend         
+  defenders       defend          defending       defend         
+  defends         defend          defense         defens         
+  defensible      defens          defensive       defens         
+  defer           defer           deferr          deferr         
+  defiance        defianc         deficient       defici         
+  defied          defi            defies          defi           
+  defil           defil           defile          defil          
+  defiler         defil           defiles         defil          
+  defiling        defil           define          defin          
+  definement      defin           definite        definit        
+  definitive      definit         definitively    definit        
+  deflow          deflow          deflower        deflow         
+  deflowered      deflow          deform          deform         
+  deformed        deform          deformities     deform         
+  deformity       deform          deftly          deftli         
+  defunct         defunct         defunction      defunct        
+  defuse          defus           defy            defi           
+  defying         defi            degenerate      degener        
+  degraded        degrad          degree          degre          
+  degrees         degre           deified         deifi          
+  deifying        deifi           deign           deign          
+  deigned         deign           deiphobus       deiphobu       
+  deities         deiti           deity           deiti          
+  deja            deja            deject          deject         
+  dejected        deject          delabreth       delabreth      
+  delay           delai           delayed         delai          
+  delaying        delai           delays          delai          
+  delectable      delect          deliberate      deliber        
+  delicate        delic           delicates       delic          
+  delicious       delici          deliciousness   delici         
+  delight         delight         delighted       delight        
+  delightful      delight         delights        delight        
+  delinquents     delinqu         deliv           deliv          
+  deliver         deliv           deliverance     deliver        
+  delivered       deliv           delivering      deliv          
+  delivers        deliv           delivery        deliveri       
+  delphos         delpho          deluded         delud          
+  deluding        delud           deluge          delug          
+  delve           delv            delver          delver         
+  delves          delv            demand          demand         
+  demanded        demand          demanding       demand         
+  demands         demand          demean          demean         
+  demeanor        demeanor        demeanour       demeanour      
+  demerits        demerit         demesnes        demesn         
+  demetrius       demetriu        demi            demi           
+  demigod         demigod         demise          demis          
+  demoiselles     demoisel        demon           demon          
+  demonstrable    demonstr        demonstrate     demonstr       
+  demonstrated    demonstr        demonstrating   demonstr       
+  demonstration   demonstr        demonstrative   demonstr       
+  demure          demur           demurely        demur          
+  demuring        demur           den             den            
+  denay           denai           deni            deni           
+  denial          denial          denials         denial         
+  denied          deni            denier          denier         
+  denies          deni            deniest         deniest        
+  denis           deni            denmark         denmark        
+  dennis          denni           denny           denni          
+  denote          denot           denoted         denot          
+  denotement      denot           denounc         denounc        
+  denounce        denounc         denouncing      denounc        
+  dens            den             denunciation    denunci        
+  deny            deni            denying         deni           
+  deo             deo             depart          depart         
+  departed        depart          departest       departest      
+  departing       depart          departure       departur       
+  depeche         depech          depend          depend         
+  dependant       depend          dependants      depend         
+  depended        depend          dependence      depend         
+  dependences     depend          dependency      depend         
+  dependent       depend          dependents      depend         
+  depender        depend          depending       depend         
+  depends         depend          deplore         deplor         
+  deploring       deplor          depopulate      depopul        
+  depos           depo            depose          depos          
+  deposed         depos           deposing        depos          
+  depositaries    depositari      deprav          deprav         
+  depravation     deprav          deprave         deprav         
+  depraved        deprav          depraves        deprav         
+  depress         depress         depriv          depriv         
+  deprive         depriv          depth           depth          
+  depths          depth           deputation      deput          
+  depute          deput           deputed         deput          
+  deputies        deputi          deputing        deput          
+  deputy          deputi          deracinate      deracin        
+  derby           derbi           dercetas        derceta        
+  dere            dere            derides         derid          
+  derision        deris           deriv           deriv          
+  derivation      deriv           derivative      deriv          
+  derive          deriv           derived         deriv          
+  derives         deriv           derogate        derog          
+  derogately      derog           derogation      derog          
+  des             de              desartless      desartless     
+  descant         descant         descend         descend        
+  descended       descend         descending      descend        
+  descends        descend         descension      descens        
+  descent         descent         descents        descent        
+  describe        describ         described       describ        
+  describes       describ         descried        descri         
+  description     descript        descriptions    descript       
+  descry          descri          desdemon        desdemon       
+  desdemona       desdemona       desert          desert         
+  deserts         desert          deserv          deserv         
+  deserve         deserv          deserved        deserv         
+  deservedly      deservedli      deserver        deserv         
+  deservers       deserv          deserves        deserv         
+  deservest       deservest       deserving       deserv         
+  deservings      deserv          design          design         
+  designment      design          designments     design         
+  designs         design          desir           desir          
+  desire          desir           desired         desir          
+  desirers        desir           desires         desir          
+  desirest        desirest        desiring        desir          
+  desirous        desir           desist          desist         
+  desk            desk            desolate        desol          
+  desolation      desol           desp            desp           
+  despair         despair         despairing      despair        
+  despairs        despair         despatch        despatch       
+  desperate       desper          desperately     desper         
+  desperation     desper          despis          despi          
+  despise         despis          despised        despis         
+  despiser        despis          despiseth       despiseth      
+  despising       despis          despite         despit         
+  despiteful      despit          despoiled       despoil        
+  dest            dest            destin          destin         
+  destined        destin          destinies       destini        
+  destiny         destini         destitute       destitut       
+  destroy         destroi         destroyed       destroi        
+  destroyer       destroy         destroyers      destroy        
+  destroying      destroi         destroys        destroi        
+  destruction     destruct        destructions    destruct       
+  det             det             detain          detain         
+  detains         detain          detect          detect         
+  detected        detect          detecting       detect         
+  detection       detect          detector        detector       
+  detects         detect          detention       detent         
+  determin        determin        determinate     determin       
+  determination   determin        determinations  determin       
+  determine       determin        determined      determin       
+  determines      determin        detest          detest         
+  detestable      detest          detested        detest         
+  detesting       detest          detests         detest         
+  detract         detract         detraction      detract        
+  detractions     detract         deucalion       deucalion      
+  deuce           deuc            deum            deum           
+  deux            deux            devant          devant         
+  devesting       devest          device          devic          
+  devices         devic           devil           devil          
+  devilish        devilish        devils          devil          
+  devis           devi            devise          devis          
+  devised         devis           devises         devis          
+  devising        devis           devoid          devoid         
+  devonshire      devonshir       devote          devot          
+  devoted         devot           devotion        devot          
+  devour          devour          devoured        devour         
+  devourers       devour          devouring       devour         
+  devours         devour          devout          devout         
+  devoutly        devoutli        dew             dew            
+  dewberries      dewberri        dewdrops        dewdrop        
+  dewlap          dewlap          dewlapp         dewlapp        
+  dews            dew             dewy            dewi           
+  dexter          dexter          dexteriously    dexteri        
+  dexterity       dexter          di              di             
+  diable          diabl           diablo          diablo         
+  diadem          diadem          dial            dial           
+  dialect         dialect         dialogue        dialogu        
+  dialogued       dialogu         dials           dial           
+  diameter        diamet          diamond         diamond        
+  diamonds        diamond         dian            dian           
+  diana           diana           diaper          diaper         
+  dibble          dibbl           dic             dic            
+  dice            dice            dicers          dicer          
+  dich            dich            dick            dick           
+  dickens         dicken          dickon          dickon         
+  dicky           dicki           dictator        dictat         
+  diction         diction         dictynna        dictynna       
+  did             did             diddle          diddl          
+  didest          didest          dido            dido           
+  didst           didst           die             die            
+  died            di              diedst          diedst         
+  dies            di              diest           diest          
+  diet            diet            dieted          diet           
+  dieter          dieter          dieu            dieu           
+  diff            diff            differ          differ         
+  difference      differ          differences     differ         
+  differency      differ          different       differ         
+  differing       differ          differs         differ         
+  difficile       difficil        difficult       difficult      
+  difficulties    difficulti      difficulty      difficulti     
+  diffidence      diffid          diffidences     diffid         
+  diffus          diffu           diffused        diffus         
+  diffusest       diffusest       dig             dig            
+  digest          digest          digested        digest         
+  digestion       digest          digestions      digest         
+  digg            digg            digging         dig            
+  dighton         dighton         dignified       dignifi        
+  dignifies       dignifi         dignify         dignifi        
+  dignities       digniti         dignity         digniti        
+  digress         digress         digressing      digress        
+  digression      digress         digs            dig            
+  digt            digt            dilate          dilat          
+  dilated         dilat           dilations       dilat          
+  dilatory        dilatori        dild            dild           
+  dildos          dildo           dilemma         dilemma        
+  dilemmas        dilemma         diligence       dilig          
+  diligent        dilig           diluculo        diluculo       
+  dim             dim             dimension       dimens         
+  dimensions      dimens          diminish        diminish       
+  diminishing     diminish        diminution      diminut        
+  diminutive      diminut         diminutives     diminut        
+  dimm            dimm            dimmed          dim            
+  dimming         dim             dimpled         dimpl          
+  dimples         dimpl           dims            dim            
+  din             din             dine            dine           
+  dined           dine            diner           diner          
+  dines           dine            ding            ding           
+  dining          dine            dinner          dinner         
+  dinners         dinner          dinnertime      dinnertim      
+  dint            dint            diomed          diom           
+  diomede         diomed          diomedes        diomed         
+  dion            dion            dip             dip            
+  dipp            dipp            dipping         dip            
+  dips            dip             dir             dir            
+  dire            dire            direct          direct         
+  directed        direct          directing       direct         
+  direction       direct          directions      direct         
+  directitude     directitud      directive       direct         
+  directly        directli        directs         direct         
+  direful         dire            direness        dire           
+  direst          direst          dirge           dirg           
+  dirges          dirg            dirt            dirt           
+  dirty           dirti           dis             di             
+  disability      disabl          disable         disabl         
+  disabled        disabl          disabling       disabl         
+  disadvantage    disadvantag     disagree        disagre        
+  disallow        disallow        disanimates     disanim        
+  disannul        disannul        disannuls       disannul       
+  disappointed    disappoint      disarm          disarm         
+  disarmed        disarm          disarmeth       disarmeth      
+  disarms         disarm          disaster        disast         
+  disasters       disast          disastrous      disastr        
+  disbench        disbench        disbranch       disbranch      
+  disburdened     disburden       disburs         disbur         
+  disburse        disburs         disbursed       disburs        
+  discandy        discandi        discandying     discandi       
+  discard         discard         discarded       discard        
+  discase         discas          discased        discas         
+  discern         discern         discerner       discern        
+  discerning      discern         discernings     discern        
+  discerns        discern         discharg        discharg       
+  discharge       discharg        discharged      discharg       
+  discharging     discharg        discipled       discipl        
+  disciples       discipl         disciplin       disciplin      
+  discipline      disciplin       disciplined     disciplin      
+  disciplines     disciplin       disclaim        disclaim       
+  disclaiming     disclaim        disclaims       disclaim       
+  disclos         disclo          disclose        disclos        
+  disclosed       disclos         discloses       disclos        
+  discolour       discolour       discoloured     discolour      
+  discolours      discolour       discomfit       discomfit      
+  discomfited     discomfit       discomfiture    discomfitur    
+  discomfort      discomfort      discomfortable  discomfort     
+  discommend      discommend      disconsolate    disconsol      
+  discontent      discont         discontented    discont        
+  discontentedly  discontentedli  discontenting   discont        
+  discontents     discont         discontinue     discontinu     
+  discontinued    discontinu      discord         discord        
+  discordant      discord         discords        discord        
+  discourse       discours        discoursed      discours       
+  discourser      discours        discourses      discours       
+  discoursive     discours        discourtesy     discourtesi    
+  discov          discov          discover        discov         
+  discovered      discov          discoverers     discover       
+  discoveries     discoveri       discovering     discov         
+  discovers       discov          discovery       discoveri      
+  discredit       discredit       discredited     discredit      
+  discredits      discredit       discreet        discreet       
+  discreetly      discreetli      discretion      discret        
+  discretions     discret         discuss         discuss        
+  disdain         disdain         disdained       disdain        
+  disdaineth      disdaineth      disdainful      disdain        
+  disdainfully    disdainfulli    disdaining      disdain        
+  disdains        disdain         disdnguish      disdnguish     
+  diseas          disea           disease         diseas         
+  diseased        diseas          diseases        diseas         
+  disedg          disedg          disembark       disembark      
+  disfigure       disfigur        disfigured      disfigur       
+  disfurnish      disfurnish      disgorge        disgorg        
+  disgrac         disgrac         disgrace        disgrac        
+  disgraced       disgrac         disgraceful     disgrac        
+  disgraces       disgrac         disgracing      disgrac        
+  disgracious     disgraci        disguis         disgui         
+  disguise        disguis         disguised       disguis        
+  disguiser       disguis         disguises       disguis        
+  disguising      disguis         dish            dish           
+  dishabited      dishabit        dishclout       dishclout      
+  dishearten      dishearten      disheartens     dishearten     
+  dishes          dish            dishonest       dishonest      
+  dishonestly     dishonestli     dishonesty      dishonesti     
+  dishonor        dishonor        dishonorable    dishonor       
+  dishonors       dishonor        dishonour       dishonour      
+  dishonourable   dishonour       dishonoured     dishonour      
+  dishonours      dishonour       disinherit      disinherit     
+  disinherited    disinherit      disjoin         disjoin        
+  disjoining      disjoin         disjoins        disjoin        
+  disjoint        disjoint        disjunction     disjunct       
+  dislik          dislik          dislike         dislik         
+  disliken        disliken        dislikes        dislik         
+  dislimns        dislimn         dislocate       disloc         
+  dislodg         dislodg         disloyal        disloy         
+  disloyalty      disloyalti      dismal          dismal         
+  dismantle       dismantl        dismantled      dismantl       
+  dismask         dismask         dismay          dismai         
+  dismayed        dismai          dismemb         dismemb        
+  dismember       dismemb         dismes          dism           
+  dismiss         dismiss         dismissed       dismiss        
+  dismissing      dismiss         dismission      dismiss        
+  dismount        dismount        dismounted      dismount       
+  disnatur        disnatur        disobedience    disobedi       
+  disobedient     disobedi        disobey         disobei        
+  disobeys        disobei         disorb          disorb         
+  disorder        disord          disordered      disord         
+  disorderly      disorderli      disorders       disord         
+  disparage       disparag        disparagement   disparag       
+  disparagements  disparag        dispark         dispark        
+  dispatch        dispatch        dispensation    dispens        
+  dispense        dispens         dispenses       dispens        
+  dispers         disper          disperse        dispers        
+  dispersed       dispers         dispersedly     dispersedli    
+  dispersing      dispers         dispiteous      dispit         
+  displac         displac         displace        displac        
+  displaced       displac         displant        displant       
+  displanting     displant        display         displai        
+  displayed       displai         displeas        displea        
+  displease       displeas        displeased      displeas       
+  displeasing     displeas        displeasure     displeasur     
+  displeasures    displeasur      disponge        dispong        
+  disport         disport         disports        disport        
+  dispos          dispo           dispose         dispos         
+  disposed        dispos          disposer        dispos         
+  disposing       dispos          disposition     disposit       
+  dispositions    disposit        dispossess      dispossess     
+  dispossessing   dispossess      disprais        disprai        
+  dispraise       disprais        dispraising     disprais       
+  dispraisingly   dispraisingli   dispropertied   disproperti    
+  disproportion   disproport      disproportioned disproport     
+  disprov         disprov         disprove        disprov        
+  disproved       disprov         dispursed       dispurs        
+  disputable      disput          disputation     disput         
+  disputations    disput          dispute         disput         
+  disputed        disput          disputes        disput         
+  disputing       disput          disquantity     disquant       
+  disquiet        disquiet        disquietly      disquietli     
+  disrelish       disrelish       disrobe         disrob         
+  disseat         disseat         dissemble       dissembl       
+  dissembled      dissembl        dissembler      dissembl       
+  dissemblers     dissembl        dissembling     dissembl       
+  dissembly       dissembl        dissension      dissens        
+  dissensions     dissens         dissentious     dissenti       
+  dissever        dissev          dissipation     dissip         
+  dissolute       dissolut        dissolutely     dissolut       
+  dissolution     dissolut        dissolutions    dissolut       
+  dissolv         dissolv         dissolve        dissolv        
+  dissolved       dissolv         dissolves       dissolv        
+  dissuade        dissuad         dissuaded       dissuad        
+  distaff         distaff         distaffs        distaff        
+  distain         distain         distains        distain        
+  distance        distanc         distant         distant        
+  distaste        distast         distasted       distast        
+  distasteful     distast         distemp         distemp        
+  distemper       distemp         distemperature  distemperatur  
+  distemperatures distemperatur   distempered     distemp        
+  distempering    distemp         distil          distil         
+  distill         distil          distillation    distil         
+  distilled       distil          distills        distil         
+  distilment      distil          distinct        distinct       
+  distinction     distinct        distinctly      distinctli     
+  distingue       distingu        distinguish     distinguish    
+  distinguishes   distinguish     distinguishment distinguish    
+  distract        distract        distracted      distract       
+  distractedly    distractedli    distraction     distract       
+  distractions    distract        distracts       distract       
+  distrain        distrain        distraught      distraught     
+  distress        distress        distressed      distress       
+  distresses      distress        distressful     distress       
+  distribute      distribut       distributed     distribut      
+  distribution    distribut       distrust        distrust       
+  distrustful     distrust        disturb         disturb        
+  disturbed       disturb         disturbers      disturb        
+  disturbing      disturb         disunite        disunit        
+  disvalued       disvalu         disvouch        disvouch       
+  dit             dit             ditch           ditch          
+  ditchers        ditcher         ditches         ditch          
+  dites           dite            ditties         ditti          
+  ditty           ditti           diurnal         diurnal        
+  div             div             dive            dive           
+  diver           diver           divers          diver          
+  diversely       divers          diversity       divers         
+  divert          divert          diverted        divert         
+  diverts         divert          dives           dive           
+  divest          divest          dividable       divid          
+  dividant        divid           divide          divid          
+  divided         divid           divides         divid          
+  divideth        divideth        divin           divin          
+  divination      divin           divine          divin          
+  divinely        divin           divineness      divin          
+  diviner         divin           divines         divin          
+  divinest        divinest        divining        divin          
+  divinity        divin           division        divis          
+  divisions       divis           divorc          divorc         
+  divorce         divorc          divorced        divorc         
+  divorcement     divorc          divorcing       divorc         
+  divulg          divulg          divulge         divulg         
+  divulged        divulg          divulging       divulg         
+  dizy            dizi            dizzy           dizzi          
+  do              do              doating         doat           
+  dobbin          dobbin          dock            dock           
+  docks           dock            doct            doct           
+  doctor          doctor          doctors         doctor         
+  doctrine        doctrin         document        document       
+  dodge           dodg            doe             doe            
+  doer            doer            doers           doer           
+  does            doe             doest           doest          
+  doff            doff            dog             dog            
+  dogberry        dogberri        dogfish         dogfish        
+  dogg            dogg            dogged          dog            
+  dogs            dog             doigts          doigt          
+  doing           do              doings          do             
+  doit            doit            doits           doit           
+  dolabella       dolabella       dole            dole           
+  doleful         dole            doll            doll           
+  dollar          dollar          dollars         dollar         
+  dolor           dolor           dolorous        dolor          
+  dolour          dolour          dolours         dolour         
+  dolphin         dolphin         dolt            dolt           
+  dolts           dolt            domestic        domest         
+  domestics       domest          dominance       domin          
+  dominations     domin           dominator       domin          
+  domine          domin           domineer        domin          
+  domineering     domin           dominical       domin          
+  dominion        dominion        dominions       dominion       
+  domitius        domitiu         dommelton       dommelton      
+  don             don             donalbain       donalbain      
+  donation        donat           donc            donc           
+  doncaster       doncast         done            done           
+  dong            dong            donn            donn           
+  donne           donn            donner          donner         
+  donnerai        donnerai        doom            doom           
+  doomsday        doomsdai        door            door           
+  doorkeeper      doorkeep        doors           door           
+  dorcas          dorca           doreus          doreu          
+  doricles        doricl          dormouse        dormous        
+  dorothy         dorothi         dorset          dorset         
+  dorsetshire     dorsetshir      dost            dost           
+  dotage          dotag           dotant          dotant         
+  dotard          dotard          dotards         dotard         
+  dote            dote            doted           dote           
+  doters          doter           dotes           dote           
+  doteth          doteth          doth            doth           
+  doting          dote            double          doubl          
+  doubled         doubl           doubleness      doubl          
+  doubler         doubler         doublet         doublet        
+  doublets        doublet         doubling        doubl          
+  doubly          doubli          doubt           doubt          
+  doubted         doubt           doubtful        doubt          
+  doubtfully      doubtfulli      doubting        doubt          
+  doubtless       doubtless       doubts          doubt          
+  doug            doug            dough           dough          
+  doughty         doughti         doughy          doughi         
+  douglas         dougla          dout            dout           
+  doute           dout            douts           dout           
+  dove            dove            dovehouse       dovehous       
+  dover           dover           doves           dove           
+  dow             dow             dowager         dowag          
+  dowdy           dowdi           dower           dower          
+  dowerless       dowerless       dowers          dower          
+  dowlas          dowla           dowle           dowl           
+  down            down            downfall        downfal        
+  downright       downright       downs           down           
+  downstairs      downstair       downtrod        downtrod       
+  downward        downward        downwards       downward       
+  downy           downi           dowries         dowri          
+  dowry           dowri           dowsabel        dowsabel       
+  doxy            doxi            dozed           doze           
+  dozen           dozen           dozens          dozen          
+  dozy            dozi            drab            drab           
+  drabbing        drab            drabs           drab           
+  drachma         drachma         drachmas        drachma        
+  draff           draff           drag            drag           
+  dragg           dragg           dragged         drag           
+  dragging        drag            dragon          dragon         
+  dragonish       dragonish       dragons         dragon         
+  drain           drain           drained         drain          
+  drains          drain           drake           drake          
+  dram            dram            dramatis        dramati        
+  drank           drank           draught         draught        
+  draughts        draught         drave           drave          
+  draw            draw            drawbridge      drawbridg      
+  drawer          drawer          drawers         drawer         
+  draweth         draweth         drawing         draw           
+  drawling        drawl           drawn           drawn          
+  draws           draw            drayman         drayman        
+  draymen         draymen         dread           dread          
+  dreaded         dread           dreadful        dread          
+  dreadfully      dreadfulli      dreading        dread          
+  dreads          dread           dream           dream          
+  dreamer         dreamer         dreamers        dreamer        
+  dreaming        dream           dreams          dream          
+  dreamt          dreamt          drearning       drearn         
+  dreary          dreari          dreg            dreg           
+  dregs           dreg            drench          drench         
+  drenched        drench          dress           dress          
+  dressed         dress           dresser         dresser        
+  dressing        dress           dressings       dress          
+  drest           drest           drew            drew           
+  dribbling       dribbl          dried           dri            
+  drier           drier           dries           dri            
+  drift           drift           drily           drili          
+  drink           drink           drinketh        drinketh       
+  drinking        drink           drinkings       drink          
+  drinks          drink           driv            driv           
+  drive           drive           drivelling      drivel         
+  driven          driven          drives          drive          
+  driveth         driveth         driving         drive          
+  drizzle         drizzl          drizzled        drizzl         
+  drizzles        drizzl          droit           droit          
+  drollery        drolleri        dromio          dromio         
+  dromios         dromio          drone           drone          
+  drones          drone           droop           droop          
+  droopeth        droopeth        drooping        droop          
+  droops          droop           drop            drop           
+  dropheir        dropheir        droplets        droplet        
+  dropp           dropp           dropper         dropper        
+  droppeth        droppeth        dropping        drop           
+  droppings       drop            drops           drop           
+  dropsied        dropsi          dropsies        dropsi         
+  dropsy          dropsi          dropt           dropt          
+  dross           dross           drossy          drossi         
+  drought         drought         drove           drove          
+  droven          droven          drovier         drovier        
+  drown           drown           drowned         drown          
+  drowning        drown           drowns          drown          
+  drows           drow            drowse          drows          
+  drowsily        drowsili        drowsiness      drowsi         
+  drowsy          drowsi          drudge          drudg          
+  drudgery        drudgeri        drudges         drudg          
+  drug            drug            drugg           drugg          
+  drugs           drug            drum            drum           
+  drumble         drumbl          drummer         drummer        
+  drumming        drum            drums           drum           
+  drunk           drunk           drunkard        drunkard       
+  drunkards       drunkard        drunken         drunken        
+  drunkenly       drunkenli       drunkenness     drunken        
+  dry             dry             dryness         dryness        
+  dst             dst             du              du             
+  dub             dub             dubb            dubb           
+  ducat           ducat           ducats          ducat          
+  ducdame         ducdam          duchess         duchess        
+  duchies         duchi           duchy           duchi          
+  duck            duck            ducking         duck           
+  ducks           duck            dudgeon         dudgeon        
+  due             due             duellist        duellist       
+  duello          duello          duer            duer           
+  dues            due             duff            duff           
+  dug             dug             dugs            dug            
+  duke            duke            dukedom         dukedom        
+  dukedoms        dukedom         dukes           duke           
+  dulcet          dulcet          dulche          dulch          
+  dull            dull            dullard         dullard        
+  duller          duller          dullest         dullest        
+  dulling         dull            dullness        dull           
+  dulls           dull            dully           dulli          
+  dulness         dul             duly            duli           
+  dumain          dumain          dumb            dumb           
+  dumbe           dumb            dumbly          dumbl          
+  dumbness        dumb            dump            dump           
+  dumps           dump            dun             dun            
+  duncan          duncan          dung            dung           
+  dungeon         dungeon         dungeons        dungeon        
+  dunghill        dunghil         dunghills       dunghil        
+  dungy           dungi           dunnest         dunnest        
+  dunsinane       dunsinan        dunsmore        dunsmor        
+  dunstable       dunstabl        dupp            dupp           
+  durance         duranc          during          dure           
+  durst           durst           dusky           duski          
+  dust            dust            dusted          dust           
+  dusty           dusti           dutch           dutch          
+  dutchman        dutchman        duteous         duteou         
+  duties          duti            dutiful         duti           
+  duty            duti            dwarf           dwarf          
+  dwarfish        dwarfish        dwell           dwell          
+  dwellers        dweller         dwelling        dwell          
+  dwells          dwell           dwelt           dwelt          
+  dwindle         dwindl          dy              dy             
+  dye             dye             dyed            dy             
+  dyer            dyer            dying           dy             
+  e               e               each            each           
+  eager           eager           eagerly         eagerli        
+  eagerness       eager           eagle           eagl           
+  eagles          eagl            eaning          ean            
+  eanlings        eanl            ear             ear            
+  earing          ear             earl            earl           
+  earldom         earldom         earlier         earlier        
+  earliest        earliest        earliness       earli          
+  earls           earl            early           earli          
+  earn            earn            earned          earn           
+  earnest         earnest         earnestly       earnestli      
+  earnestness     earnest         earns           earn           
+  ears            ear             earth           earth          
+  earthen         earthen         earthlier       earthlier      
+  earthly         earthli         earthquake      earthquak      
+  earthquakes     earthquak       earthy          earthi         
+  eas             ea              ease            eas            
+  eased           eas             easeful         eas            
+  eases           eas             easier          easier         
+  easiest         easiest         easiliest       easiliest      
+  easily          easili          easiness        easi           
+  easing          eas             east            east           
+  eastcheap       eastcheap       easter          easter         
+  eastern         eastern         eastward        eastward       
+  easy            easi            eat             eat            
+  eaten           eaten           eater           eater          
+  eaters          eater           eating          eat            
+  eats            eat             eaux            eaux           
+  eaves           eav             ebb             ebb            
+  ebbing          eb              ebbs            ebb            
+  ebon            ebon            ebony           eboni          
+  ebrew           ebrew           ecce            ecc            
+  echapper        echapp          echo            echo           
+  echoes          echo            eclips          eclip          
+  eclipse         eclips          eclipses        eclips         
+  ecolier         ecoli           ecoutez         ecoutez        
+  ecstacy         ecstaci         ecstasies       ecstasi        
+  ecstasy         ecstasi         ecus            ecu            
+  eden            eden            edg             edg            
+  edgar           edgar           edge            edg            
+  edged           edg             edgeless        edgeless       
+  edges           edg             edict           edict          
+  edicts          edict           edifice         edific         
+  edifices        edific          edified         edifi          
+  edifies         edifi           edition         edit           
+  edm             edm             edmund          edmund         
+  edmunds         edmund          edmundsbury     edmundsburi    
+  educate         educ            educated        educ           
+  education       educ            edward          edward         
+  eel             eel             eels            eel            
+  effect          effect          effected        effect         
+  effectless      effectless      effects         effect         
+  effectual       effectu         effectually     effectu        
+  effeminate      effemin         effigies        effigi         
+  effus           effu            effuse          effus          
+  effusion        effus           eftest          eftest         
+  egal            egal            egally          egal           
+  eget            eget            egeus           egeu           
+  egg             egg             eggs            egg            
+  eggshell        eggshel         eglamour        eglamour       
+  eglantine       eglantin        egma            egma           
+  ego             ego             egregious       egregi         
+  egregiously     egregi          egress          egress         
+  egypt           egypt           egyptian        egyptian       
+  egyptians       egyptian        eie             eie            
+  eight           eight           eighteen        eighteen       
+  eighth          eighth          eightpenny      eightpenni     
+  eighty          eighti          eisel           eisel          
+  either          either          eject           eject          
+  eke             ek              el              el             
+  elbe            elb             elbow           elbow          
+  elbows          elbow           eld             eld            
+  elder           elder           elders          elder          
+  eldest          eldest          eleanor         eleanor        
+  elect           elect           elected         elect          
+  election        elect           elegancy        eleg           
+  elegies         elegi           element         element        
+  elements        element         elephant        eleph          
+  elephants       eleph           elevated        elev           
+  eleven          eleven          eleventh        eleventh       
+  elf             elf             elflocks        elflock        
+  eliads          eliad           elinor          elinor         
+  elizabeth       elizabeth       ell             ell            
+  elle            ell             ellen           ellen          
+  elm             elm             eloquence       eloqu          
+  eloquent        eloqu           else            els            
+  elsewhere       elsewher        elsinore        elsinor        
+  eltham          eltham          elves           elv            
+  elvish          elvish          ely             eli            
+  elysium         elysium         em              em             
+  emballing       embal           embalm          embalm         
+  embalms         embalm          embark          embark         
+  embarked        embark          embarquements   embarqu        
+  embassade       embassad        embassage       embassag       
+  embassies       embassi         embassy         embassi        
+  embattailed     embattail       embattl         embattl        
+  embattle        embattl         embay           embai          
+  embellished     embellish       embers          ember          
+  emblaze         emblaz          emblem          emblem         
+  emblems         emblem          embodied        embodi         
+  embold          embold          emboldens       embolden       
+  emboss          emboss          embossed        emboss         
+  embounded       embound         embowel         embowel        
+  embowell        embowel         embrac          embrac         
+  embrace         embrac          embraced        embrac         
+  embracement     embrac          embracements    embrac         
+  embraces        embrac          embracing       embrac         
+  embrasures      embrasur        embroider       embroid        
+  embroidery      embroideri      emhracing       emhrac         
+  emilia          emilia          eminence        emin           
+  eminent         emin            eminently       emin           
+  emmanuel        emmanuel        emnity          emniti         
+  empale          empal           emperal         emper          
+  emperess        emperess        emperial        emperi         
+  emperor         emperor         empery          emperi         
+  emphasis        emphasi         empire          empir          
+  empirics        empir           empiricutic     empiricut      
+  empleached      empleach        employ          emploi         
+  employed        emploi          employer        employ         
+  employment      employ          employments     employ         
+  empoison        empoison        empress         empress        
+  emptied         empti           emptier         emptier        
+  empties         empti           emptiness       empti          
+  empty           empti           emptying        empti          
+  emulate         emul            emulation       emul           
+  emulations      emul            emulator        emul           
+  emulous         emul            en              en             
+  enact           enact           enacted         enact          
+  enacts          enact           enactures       enactur        
+  enamell         enamel          enamelled       enamel         
+  enamour         enamour         enamoured       enamour        
+  enanmour        enanmour        encamp          encamp         
+  encamped        encamp          encave          encav          
+  enceladus       enceladu        enchaf          enchaf         
+  enchafed        enchaf          enchant         enchant        
+  enchanted       enchant         enchanting      enchant        
+  enchantingly    enchantingli    enchantment     enchant        
+  enchantress     enchantress     enchants        enchant        
+  enchas          encha           encircle        encircl        
+  encircled       encircl         enclos          enclo          
+  enclose         enclos          enclosed        enclos         
+  encloses        enclos          encloseth       encloseth      
+  enclosing       enclos          enclouded       encloud        
+  encompass       encompass       encompassed     encompass      
+  encompasseth    encompasseth    encompassment   encompass      
+  encore          encor           encorporal      encorpor       
+  encount         encount         encounter       encount        
+  encountered     encount         encounters      encount        
+  encourage       encourag        encouraged      encourag       
+  encouragement   encourag        encrimsoned     encrimson      
+  encroaching     encroach        encumb          encumb         
+  end             end             endamage        endamag        
+  endamagement    endamag         endanger        endang         
+  endart          endart          endear          endear         
+  endeared        endear          endeavour       endeavour      
+  endeavours      endeavour       ended           end            
+  ender           ender           ending          end            
+  endings         end             endite          endit          
+  endless         endless         endow           endow          
+  endowed         endow           endowments      endow          
+  endows          endow           ends            end            
+  endu            endu            endue           endu           
+  endur           endur           endurance       endur          
+  endure          endur           endured         endur          
+  endures         endur           enduring        endur          
+  endymion        endymion        eneas           enea           
+  enemies         enemi           enemy           enemi          
+  enernies        enerni          enew            enew           
+  enfeebled       enfeebl         enfeebles       enfeebl        
+  enfeoff         enfeoff         enfetter        enfett         
+  enfoldings      enfold          enforc          enforc         
+  enforce         enforc          enforced        enforc         
+  enforcedly      enforcedli      enforcement     enforc         
+  enforces        enforc          enforcest       enforcest      
+  enfranched      enfranch        enfranchis      enfranchi      
+  enfranchise     enfranchis      enfranchised    enfranchis     
+  enfranchisement enfranchis      enfreed         enfre          
+  enfreedoming    enfreedom       engag           engag          
+  engage          engag           engaged         engag          
+  engagements     engag           engaging        engag          
+  engaol          engaol          engend          engend         
+  engender        engend          engenders       engend         
+  engilds         engild          engine          engin          
+  engineer        engin           enginer         engin          
+  engines         engin           engirt          engirt         
+  england         england         english         english        
+  englishman      englishman      englishmen      englishmen     
+  engluts         englut          englutted       englut         
+  engraffed       engraf          engraft         engraft        
+  engrafted       engraft         engrav          engrav         
+  engrave         engrav          engross         engross        
+  engrossed       engross         engrossest      engrossest     
+  engrossing      engross         engrossments    engross        
+  enguard         enguard         enigma          enigma         
+  enigmatical     enigmat         enjoin          enjoin         
+  enjoined        enjoin          enjoy           enjoi          
+  enjoyed         enjoi           enjoyer         enjoy          
+  enjoying        enjoi           enjoys          enjoi          
+  enkindle        enkindl         enkindled       enkindl        
+  enlard          enlard          enlarg          enlarg         
+  enlarge         enlarg          enlarged        enlarg         
+  enlargement     enlarg          enlargeth       enlargeth      
+  enlighten       enlighten       enlink          enlink         
+  enmesh          enmesh          enmities        enmiti         
+  enmity          enmiti          ennoble         ennobl         
+  ennobled        ennobl          enobarb         enobarb        
+  enobarbus       enobarbu        enon            enon           
+  enormity        enorm           enormous        enorm          
+  enough          enough          enow            enow           
+  enpatron        enpatron        enpierced       enpierc        
+  enquir          enquir          enquire         enquir         
+  enquired        enquir          enrag           enrag          
+  enrage          enrag           enraged         enrag          
+  enrages         enrag           enrank          enrank         
+  enrapt          enrapt          enrich          enrich         
+  enriched        enrich          enriches        enrich         
+  enridged        enridg          enrings         enr            
+  enrob           enrob           enrobe          enrob          
+  enroll          enrol           enrolled        enrol          
+  enrooted        enroot          enrounded       enround        
+  enschedul       enschedul       ensconce        ensconc        
+  ensconcing      ensconc         enseamed        enseam         
+  ensear          ensear          enseigne        enseign        
+  enseignez       enseignez       ensemble        ensembl        
+  enshelter       enshelt         enshielded      enshield       
+  enshrines       enshrin         ensign          ensign         
+  ensigns         ensign          enskied         enski          
+  ensman          ensman          ensnare         ensnar         
+  ensnared        ensnar          ensnareth       ensnareth      
+  ensteep         ensteep         ensu            ensu           
+  ensue           ensu            ensued          ensu           
+  ensues          ensu            ensuing         ensu           
+  enswathed       enswath         ent             ent            
+  entail          entail          entame          entam          
+  entangled       entangl         entangles       entangl        
+  entendre        entendr         enter           enter          
+  entered         enter           entering        enter          
+  enterprise      enterpris       enterprises     enterpris      
+  enters          enter           entertain       entertain      
+  entertained     entertain       entertainer     entertain      
+  entertaining    entertain       entertainment   entertain      
+  entertainments  entertain       enthrall        enthral        
+  enthralled      enthral         enthron         enthron        
+  enthroned       enthron         entice          entic          
+  enticements     entic           enticing        entic          
+  entire          entir           entirely        entir          
+  entitle         entitl          entitled        entitl         
+  entitling       entitl          entomb          entomb         
+  entombed        entomb          entrails        entrail        
+  entrance        entranc         entrances       entranc        
+  entrap          entrap          entrapp         entrapp        
+  entre           entr            entreat         entreat        
+  entreated       entreat         entreaties      entreati       
+  entreating      entreat         entreatments    entreat        
+  entreats        entreat         entreaty        entreati       
+  entrench        entrench        entry           entri          
+  entwist         entwist         envelop         envelop        
+  envenom         envenom         envenomed       envenom        
+  envenoms        envenom         envied          envi           
+  envies          envi            envious         enviou         
+  enviously       envious         environ         environ        
+  environed       environ         envoy           envoi          
+  envy            envi            envying         envi           
+  enwheel         enwheel         enwombed        enwomb         
+  enwraps         enwrap          ephesian        ephesian       
+  ephesians       ephesian        ephesus         ephesu         
+  epicure         epicur          epicurean       epicurean      
+  epicures        epicur          epicurism       epicur         
+  epicurus        epicuru         epidamnum       epidamnum      
+  epidaurus       epidauru        epigram         epigram        
+  epilepsy        epilepsi        epileptic       epilept        
+  epilogue        epilogu         epilogues       epilogu        
+  epistles        epistl          epistrophus     epistrophu     
+  epitaph         epitaph         epitaphs        epitaph        
+  epithet         epithet         epitheton       epitheton      
+  epithets        epithet         epitome         epitom         
+  equal           equal           equalities      equal          
+  equality        equal           equall          equal          
+  equally         equal           equalness       equal          
+  equals          equal           equinoctial     equinocti      
+  equinox         equinox         equipage        equipag        
+  equity          equiti          equivocal       equivoc        
+  equivocate      equivoc         equivocates     equivoc        
+  equivocation    equivoc         equivocator     equivoc        
+  er              er              erbear          erbear         
+  erbearing       erbear          erbears         erbear         
+  erbeat          erbeat          erblows         erblow         
+  erboard         erboard         erborne         erborn         
+  ercame          ercam           ercast          ercast         
+  ercharg         ercharg         ercharged       ercharg        
+  ercharging      ercharg         ercles          ercl           
+  ercome          ercom           ercover         ercov          
+  ercrows         ercrow          erdoing         erdo           
+  ere             er              erebus          erebu          
+  erect           erect           erected         erect          
+  erecting        erect           erection        erect          
+  erects          erect           erewhile        erewhil        
+  erflourish      erflourish      erflow          erflow         
+  erflowing       erflow          erflows         erflow         
+  erfraught       erfraught       erga            erga           
+  ergalled        ergal           erglanced       erglanc        
+  ergo            ergo            ergone          ergon          
+  ergrow          ergrow          ergrown         ergrown        
+  ergrowth        ergrowth        erhang          erhang         
+  erhanging       erhang          erhasty         erhasti        
+  erhear          erhear          erheard         erheard        
+  eringoes        eringo          erjoy           erjoi          
+  erleap          erleap          erleaps         erleap         
+  erleavens       erleaven        erlook          erlook         
+  erlooking       erlook          ermaster        ermast         
+  ermengare       ermengar        ermount         ermount        
+  ern             ern             ernight         ernight        
+  eros            ero             erpaid          erpaid         
+  erparted        erpart          erpast          erpast         
+  erpays          erpai           erpeer          erpeer         
+  erperch         erperch         erpicturing     erpictur       
+  erpingham       erpingham       erposting       erpost         
+  erpow           erpow           erpress         erpress        
+  erpressed       erpress         err             err            
+  errand          errand          errands         errand         
+  errant          errant          errate          errat          
+  erraught        erraught        erreaches       erreach        
+  erred           er              errest          errest         
+  erring          er              erroneous       erron          
+  error           error           errors          error          
+  errs            err             errule          errul          
+  errun           errun           erset           erset          
+  ershade         ershad          ershades        ershad         
+  ershine         ershin          ershot          ershot         
+  ersized         ersiz           erskip          erskip         
+  erslips         erslip          erspreads       erspread       
+  erst            erst            erstare         erstar         
+  erstep          erstep          erstunk         erstunk        
+  ersway          erswai          ersways         erswai         
+  erswell         erswel          erta            erta           
+  ertake          ertak           erteemed        erteem         
+  erthrow         erthrow         erthrown        erthrown       
+  erthrows        erthrow         ertook          ertook         
+  ertop           ertop           ertopping       ertop          
+  ertrip          ertrip          erturn          erturn         
+  erudition       erudit          eruption        erupt          
+  eruptions       erupt           ervalues        ervalu         
+  erwalk          erwalk          erwatch         erwatch        
+  erween          erween          erweens         erween         
+  erweigh         erweigh         erweighs        erweigh        
+  erwhelm         erwhelm         erwhelmed       erwhelm        
+  erworn          erworn          es              es             
+  escalus         escalu          escap           escap          
+  escape          escap           escaped         escap          
+  escapes         escap           eschew          eschew         
+  escoted         escot           esill           esil           
+  especial        especi          especially      especi         
+  esperance       esper           espials         espial         
+  espied          espi            espies          espi           
+  espous          espou           espouse         espous         
+  espy            espi            esquire         esquir         
+  esquires        esquir          essay           essai          
+  essays          essai           essence         essenc         
+  essential       essenti         essentially     essenti        
+  esses           ess             essex           essex          
+  est             est             establish       establish      
+  established     establish       estate          estat          
+  estates         estat           esteem          esteem         
+  esteemed        esteem          esteemeth       esteemeth      
+  esteeming       esteem          esteems         esteem         
+  estimable       estim           estimate        estim          
+  estimation      estim           estimations     estim          
+  estime          estim           estranged       estrang        
+  estridge        estridg         estridges       estridg        
+  et              et              etc             etc            
+  etceteras       etcetera        ete             et             
+  eternal         etern           eternally       etern          
+  eterne          etern           eternity        etern          
+  eterniz         eterniz         etes            et             
+  ethiop          ethiop          ethiope         ethiop         
+  ethiopes        ethiop          ethiopian       ethiopian      
+  etna            etna            eton            eton           
+  etre            etr             eunuch          eunuch         
+  eunuchs         eunuch          euphrates       euphrat        
+  euphronius      euphroniu       euriphile       euriphil       
+  europa          europa          europe          europ          
+  ev              ev              evade           evad           
+  evades          evad            evans           evan           
+  evasion         evas            evasions        evas           
+  eve             ev              even            even           
+  evening         even            evenly          evenli         
+  event           event           eventful        event          
+  events          event           ever            ever           
+  everlasting     everlast        everlastingly   everlastingli  
+  evermore        evermor         every           everi          
+  everyone        everyon         everything      everyth        
+  everywhere      everywher       evidence        evid           
+  evidences       evid            evident         evid           
+  evil            evil            evilly          evilli         
+  evils           evil            evitate         evit           
+  ewe             ew              ewer            ewer           
+  ewers           ewer            ewes            ew             
+  exact           exact           exacted         exact          
+  exactest        exactest        exacting        exact          
+  exaction        exact           exactions       exact          
+  exactly         exactli         exacts          exact          
+  exalt           exalt           exalted         exalt          
+  examin          examin          examination     examin         
+  examinations    examin          examine         examin         
+  examined        examin          examines        examin         
+  exampl          exampl          example         exampl         
+  exampled        exampl          examples        exampl         
+  exasperate      exasper         exasperates     exasper        
+  exceed          exce            exceeded        exceed         
+  exceedeth       exceedeth       exceeding       exceed         
+  exceedingly     exceedingli     exceeds         exce           
+  excel           excel           excelled        excel          
+  excellence      excel           excellencies    excel          
+  excellency      excel           excellent       excel          
+  excellently     excel           excelling       excel          
+  excels          excel           except          except         
+  excepted        except          excepting       except         
+  exception       except          exceptions      except         
+  exceptless      exceptless      excess          excess         
+  excessive       excess          exchang         exchang        
+  exchange        exchang         exchanged       exchang        
+  exchequer       exchequ         exchequers      exchequ        
+  excite          excit           excited         excit          
+  excitements     excit           excites         excit          
+  exclaim         exclaim         exclaims        exclaim        
+  exclamation     exclam          exclamations    exclam         
+  excludes        exclud          excommunicate   excommun       
+  excommunication excommun        excrement       excrement      
+  excrements      excrement       excursion       excurs         
+  excursions      excurs          excus           excu           
+  excusable       excus           excuse          excus          
+  excused         excus           excuses         excus          
+  excusez         excusez         excusing        excus          
+  execrable       execr           execrations     execr          
+  execute         execut          executed        execut         
+  executing       execut          execution       execut         
+  executioner     execution       executioners    execution      
+  executor        executor        executors       executor       
+  exempt          exempt          exempted        exempt         
+  exequies        exequi          exercise        exercis        
+  exercises       exercis         exeter          exet           
+  exeunt          exeunt          exhal           exhal          
+  exhalation      exhal           exhalations     exhal          
+  exhale          exhal           exhales         exhal          
+  exhaust         exhaust         exhibit         exhibit        
+  exhibiters      exhibit         exhibition      exhibit        
+  exhort          exhort          exhortation     exhort         
+  exigent         exig            exil            exil           
+  exile           exil            exiled          exil           
+  exion           exion           exist           exist          
+  exists          exist           exit            exit           
+  exits           exit            exorciser       exorcis        
+  exorcisms       exorc           exorcist        exorcist       
+  expect          expect          expectance      expect         
+  expectancy      expect          expectation     expect         
+  expectations    expect          expected        expect         
+  expecters       expect          expecting       expect         
+  expects         expect          expedience      expedi         
+  expedient       expedi          expediently     expedi         
+  expedition      expedit         expeditious     expediti       
+  expel           expel           expell          expel          
+  expelling       expel           expels          expel          
+  expend          expend          expense         expens         
+  expenses        expens          experienc       experienc      
+  experience      experi          experiences     experi         
+  experiment      experi          experimental    experiment     
+  experiments     experi          expert          expert         
+  expertness      expert          expiate         expiat         
+  expiation       expiat          expir           expir          
+  expiration      expir           expire          expir          
+  expired         expir           expires         expir          
+  expiring        expir           explication     explic         
+  exploit         exploit         exploits        exploit        
+  expos           expo            expose          expos          
+  exposing        expos           exposition      exposit        
+  expositor       expositor       expostulate     expostul       
+  expostulation   expostul        exposture       expostur       
+  exposure        exposur         expound         expound        
+  expounded       expound         express         express        
+  expressed       express         expresseth      expresseth     
+  expressing      express         expressive      express        
+  expressly       expressli       expressure      expressur      
+  expuls          expul           expulsion       expuls         
+  exquisite       exquisit        exsufflicate    exsuffl        
+  extant          extant          extemporal      extempor       
+  extemporally    extempor        extempore       extempor       
+  extend          extend          extended        extend         
+  extends         extend          extent          extent         
+  extenuate       extenu          extenuated      extenu         
+  extenuates      extenu          extenuation     extenu         
+  exterior        exterior        exteriorly      exteriorli     
+  exteriors       exterior        extermin        extermin       
+  extern          extern          external        extern         
+  extinct         extinct         extincted       extinct        
+  extincture      extinctur       extinguish      extinguish     
+  extirp          extirp          extirpate       extirp         
+  extirped        extirp          extol           extol          
+  extoll          extol           extolment       extol          
+  exton           exton           extort          extort         
+  extorted        extort          extortion       extort         
+  extortions      extort          extra           extra          
+  extract         extract         extracted       extract        
+  extracting      extract         extraordinarily extraordinarili
+  extraordinary   extraordinari   extraught       extraught      
+  extravagancy    extravag        extravagant     extravag       
+  extreme         extrem          extremely       extrem         
+  extremes        extrem          extremest       extremest      
+  extremities     extrem          extremity       extrem         
+  exuent          exuent          exult           exult          
+  exultation      exult           ey              ey             
+  eyas            eya             eyases          eyas           
+  eye             ey              eyeball         eyebal         
+  eyeballs        eyebal          eyebrow         eyebrow        
+  eyebrows        eyebrow         eyed            ei             
+  eyeless         eyeless         eyelid          eyelid         
+  eyelids         eyelid          eyes            ey             
+  eyesight        eyesight        eyestrings      eyestr         
+  eying           ei              eyne            eyn            
+  eyrie           eyri            fa              fa             
+  fabian          fabian          fable           fabl           
+  fables          fabl            fabric          fabric         
+  fabulous        fabul           fac             fac            
+  face            face            faced           face           
+  facere          facer           faces           face           
+  faciant         faciant         facile          facil          
+  facility        facil           facinerious     facineri       
+  facing          face            facit           facit          
+  fact            fact            faction         faction        
+  factionary      factionari      factions        faction        
+  factious        factiou         factor          factor         
+  factors         factor          faculties       faculti        
+  faculty         faculti         fade            fade           
+  faded           fade            fadeth          fadeth         
+  fadge           fadg            fading          fade           
+  fadings         fade            fadom           fadom          
+  fadoms          fadom           fagot           fagot          
+  fagots          fagot           fail            fail           
+  failing         fail            fails           fail           
+  fain            fain            faint           faint          
+  fainted         faint           fainter         fainter        
+  fainting        faint           faintly         faintli        
+  faintness       faint           faints          faint          
+  fair            fair            fairer          fairer         
+  fairest         fairest         fairies         fairi          
+  fairing         fair            fairings        fair           
+  fairly          fairli          fairness        fair           
+  fairs           fair            fairwell        fairwel        
+  fairy           fairi           fais            fai            
+  fait            fait            faites          fait           
+  faith           faith           faithful        faith          
+  faithfull       faithful        faithfully      faithfulli     
+  faithless       faithless       faiths          faith          
+  faitors         faitor          fal             fal            
+  falchion        falchion        falcon          falcon         
+  falconbridge    falconbridg     falconer        falcon         
+  falconers       falcon          fall            fall           
+  fallacy         fallaci         fallen          fallen         
+  falleth         falleth         falliable       falliabl       
+  fallible        fallibl         falling         fall           
+  fallow          fallow          fallows         fallow         
+  falls           fall            fally           falli          
+  falorous        falor           false           fals           
+  falsehood       falsehood       falsely         fals           
+  falseness       fals            falser          falser         
+  falsify         falsifi         falsing         fals           
+  falstaff        falstaff        falstaffs       falstaff       
+  falter          falter          fam             fam            
+  fame            fame            famed           fame           
+  familiar        familiar        familiarity     familiar       
+  familiarly      familiarli      familiars       familiar       
+  family          famili          famine          famin          
+  famish          famish          famished        famish         
+  famous          famou           famoused        famous         
+  famously        famous          fan             fan            
+  fanatical       fanat           fancies         fanci          
+  fancy           fanci           fane            fane           
+  fanes           fane            fang            fang           
+  fangled         fangl           fangless        fangless       
+  fangs           fang            fann            fann           
+  fanning         fan             fans            fan            
+  fantasied       fantasi         fantasies       fantasi        
+  fantastic       fantast         fantastical     fantast        
+  fantastically   fantast         fantasticoes    fantastico     
+  fantasy         fantasi         fap             fap            
+  far             far             farborough      farborough     
+  farced          farc            fardel          fardel         
+  fardels         fardel          fare            fare           
+  fares           fare            farewell        farewel        
+  farewells       farewel         fariner         farin          
+  faring          fare            farm            farm           
+  farmer          farmer          farmhouse       farmhous       
+  farms           farm            farre           farr           
+  farrow          farrow          farther         farther        
+  farthest        farthest        farthing        farth          
+  farthingale     farthingal      farthingales    farthingal     
+  farthings       farth           fartuous        fartuou        
+  fas             fa              fashion         fashion        
+  fashionable     fashion         fashioning      fashion        
+  fashions        fashion         fast            fast           
+  fasted          fast            fasten          fasten         
+  fastened        fasten          faster          faster         
+  fastest         fastest         fasting         fast           
+  fastly          fastli          fastolfe        fastolf        
+  fasts           fast            fat             fat            
+  fatal           fatal           fatally         fatal          
+  fate            fate            fated           fate           
+  fates           fate            father          father         
+  fathered        father          fatherless      fatherless     
+  fatherly        fatherli        fathers         father         
+  fathom          fathom          fathomless      fathomless     
+  fathoms         fathom          fatigate        fatig          
+  fatness         fat             fats            fat            
+  fatted          fat             fatter          fatter         
+  fattest         fattest         fatting         fat            
+  fatuus          fatuu           fauconbridge    fauconbridg    
+  faulconbridge   faulconbridg    fault           fault          
+  faultiness      faulti          faultless       faultless      
+  faults          fault           faulty          faulti         
+  fausse          fauss           fauste          faust          
+  faustuses       faustus         faut            faut           
+  favor           favor           favorable       favor          
+  favorably       favor           favors          favor          
+  favour          favour          favourable      favour         
+  favoured        favour          favouredly      favouredli     
+  favourer        favour          favourers       favour         
+  favouring       favour          favourite       favourit       
+  favourites      favourit        favours         favour         
+  favout          favout          fawn            fawn           
+  fawneth         fawneth         fawning         fawn           
+  fawns           fawn            fay             fai            
+  fe              fe              fealty          fealti         
+  fear            fear            feared          fear           
+  fearest         fearest         fearful         fear           
+  fearfull        fearful         fearfully       fearfulli      
+  fearfulness     fear            fearing         fear           
+  fearless        fearless        fears           fear           
+  feast           feast           feasted         feast          
+  feasting        feast           feasts          feast          
+  feat            feat            feated          feat           
+  feater          feater          feather         feather        
+  feathered       feather         feathers        feather        
+  featly          featli          feats           feat           
+  featur          featur          feature         featur         
+  featured        featur          featureless     featureless    
+  features        featur          february        februari       
+  fecks           feck            fed             fed            
+  fedary          fedari          federary        federari       
+  fee             fee             feeble          feebl          
+  feebled         feebl           feebleness      feebl          
+  feebling        feebl           feebly          feebli         
+  feed            feed            feeder          feeder         
+  feeders         feeder          feedeth         feedeth        
+  feeding         feed            feeds           feed           
+  feel            feel            feeler          feeler         
+  feeling         feel            feelingly       feelingli      
+  feels           feel            fees            fee            
+  feet            feet            fehemently      fehement       
+  feign           feign           feigned         feign          
+  feigning        feign           feil            feil           
+  feith           feith           felicitate      felicit        
+  felicity        felic           fell            fell           
+  fellest         fellest         fellies         felli          
+  fellow          fellow          fellowly        fellowli       
+  fellows         fellow          fellowship      fellowship     
+  fellowships     fellowship      fells           fell           
+  felon           felon           felonious       feloni         
+  felony          feloni          felt            felt           
+  female          femal           females         femal          
+  feminine        feminin         fen             fen            
+  fenc            fenc            fence           fenc           
+  fencer          fencer          fencing         fenc           
+  fends           fend            fennel          fennel         
+  fenny           fenni           fens            fen            
+  fenton          fenton          fer             fer            
+  ferdinand       ferdinand       fere            fere           
+  fernseed        fernse          ferrara         ferrara        
+  ferrers         ferrer          ferret          ferret         
+  ferry           ferri           ferryman        ferryman       
+  fertile         fertil          fertility       fertil         
+  fervency        fervenc         fervour         fervour        
+  fery            feri            fest            fest           
+  feste           fest            fester          fester         
+  festinate       festin          festinately     festin         
+  festival        festiv          festivals       festiv         
+  fet             fet             fetch           fetch          
+  fetches         fetch           fetching        fetch          
+  fetlock         fetlock         fetlocks        fetlock        
+  fett            fett            fetter          fetter         
+  fettering       fetter          fetters         fetter         
+  fettle          fettl           feu             feu            
+  feud            feud            fever           fever          
+  feverous        fever           fevers          fever          
+  few             few             fewer           fewer          
+  fewest          fewest          fewness         few            
+  fickle          fickl           fickleness      fickl          
+  fico            fico            fiction         fiction        
+  fiddle          fiddl           fiddler         fiddler        
+  fiddlestick     fiddlestick     fidele          fidel          
+  fidelicet       fidelicet       fidelity        fidel          
+  fidius          fidiu           fie             fie            
+  field           field           fielded         field          
+  fields          field           fiend           fiend          
+  fiends          fiend           fierce          fierc          
+  fiercely        fierc           fierceness      fierc          
+  fiery           fieri           fife            fife           
+  fifes           fife            fifteen         fifteen        
+  fifteens        fifteen         fifteenth       fifteenth      
+  fifth           fifth           fifty           fifti          
+  fiftyfold       fiftyfold       fig             fig            
+  fight           fight           fighter         fighter        
+  fightest        fightest        fighteth        fighteth       
+  fighting        fight           fights          fight          
+  figo            figo            figs            fig            
+  figur           figur           figure          figur          
+  figured         figur           figures         figur          
+  figuring        figur           fike            fike           
+  fil             fil             filberts        filbert        
+  filch           filch           filches         filch          
+  filching        filch           file            file           
+  filed           file            files           file           
+  filial          filial          filius          filiu          
+  fill            fill            filled          fill           
+  fillet          fillet          filling         fill           
+  fillip          fillip          fills           fill           
+  filly           filli           film            film           
+  fils            fil             filth           filth          
+  filths          filth           filthy          filthi         
+  fin             fin             finally         final          
+  finch           finch           find            find           
+  finder          finder          findeth         findeth        
+  finding         find            findings        find           
+  finds           find            fine            fine           
+  fineless        fineless        finely          fine           
+  finem           finem           fineness        fine           
+  finer           finer           fines           fine           
+  finest          finest          fing            fing           
+  finger          finger          fingering       finger         
+  fingers         finger          fingre          fingr          
+  fingres         fingr           finical         finic          
+  finish          finish          finished        finish         
+  finisher        finish          finless         finless        
+  finn            finn            fins            fin            
+  finsbury        finsburi        fir             fir            
+  firago          firago          fire            fire           
+  firebrand       firebrand       firebrands      firebrand      
+  fired           fire            fires           fire           
+  firework        firework        fireworks       firework       
+  firing          fire            firk            firk           
+  firm            firm            firmament       firmament      
+  firmly          firmli          firmness        firm           
+  first           first           firstlings      firstl         
+  fish            fish            fisher          fisher         
+  fishermen       fishermen       fishers         fisher         
+  fishes          fish            fishified       fishifi        
+  fishmonger      fishmong        fishpond        fishpond       
+  fisnomy         fisnomi         fist            fist           
+  fisting         fist            fists           fist           
+  fistula         fistula         fit             fit            
+  fitchew         fitchew         fitful          fit            
+  fitly           fitli           fitment         fitment        
+  fitness         fit             fits            fit            
+  fitted          fit             fitter          fitter         
+  fittest         fittest         fitteth         fitteth        
+  fitting         fit             fitzwater       fitzwat        
+  five            five            fivepence       fivep          
+  fives           five            fix             fix            
+  fixed           fix             fixes           fix            
+  fixeth          fixeth          fixing          fix            
+  fixture         fixtur          fl              fl             
+  flag            flag            flagging        flag           
+  flagon          flagon          flagons         flagon         
+  flags           flag            flail           flail          
+  flakes          flake           flaky           flaki          
+  flam            flam            flame           flame          
+  flamen          flamen          flamens         flamen         
+  flames          flame           flaming         flame          
+  flaminius       flaminiu        flanders        flander        
+  flannel         flannel         flap            flap           
+  flaring         flare           flash           flash          
+  flashes         flash           flashing        flash          
+  flask           flask           flat            flat           
+  flatly          flatli          flatness        flat           
+  flats           flat            flatt           flatt          
+  flatter         flatter         flattered       flatter        
+  flatterer       flatter         flatterers      flatter        
+  flatterest      flatterest      flatteries      flatteri       
+  flattering      flatter         flatters        flatter        
+  flattery        flatteri        flaunts         flaunt         
+  flavio          flavio          flavius         flaviu         
+  flaw            flaw            flaws           flaw           
+  flax            flax            flaxen          flaxen         
+  flay            flai            flaying         flai           
+  flea            flea            fleance         fleanc         
+  fleas           flea            flecked         fleck          
+  fled            fled            fledge          fledg          
+  flee            flee            fleec           fleec          
+  fleece          fleec           fleeces         fleec          
+  fleer           fleer           fleering        fleer          
+  fleers          fleer           fleet           fleet          
+  fleeter         fleeter         fleeting        fleet          
+  fleming         fleme           flemish         flemish        
+  flesh           flesh           fleshes         flesh          
+  fleshly         fleshli         fleshment       fleshment      
+  fleshmonger     fleshmong       flew            flew           
+  flexible        flexibl         flexure         flexur         
+  flibbertigibbet flibbertigibbet flickering      flicker        
+  flidge          flidg           fliers          flier          
+  flies           fli             flieth          flieth         
+  flight          flight          flights         flight         
+  flighty         flighti         flinch          flinch         
+  fling           fling           flint           flint          
+  flints          flint           flinty          flinti         
+  flirt           flirt           float           float          
+  floated         float           floating        float          
+  flock           flock           flocks          flock          
+  flood           flood           floodgates      floodgat       
+  floods          flood           floor           floor          
+  flora           flora           florence        florenc        
+  florentine      florentin       florentines     florentin      
+  florentius      florentiu       florizel        florizel       
+  flote           flote           floulish        floulish       
+  flour           flour           flourish        flourish       
+  flourishes      flourish        flourisheth     flourisheth    
+  flourishing     flourish        flout           flout          
+  flouted         flout           flouting        flout          
+  flouts          flout           flow            flow           
+  flowed          flow            flower          flower         
+  flowerets       floweret        flowers         flower         
+  flowing         flow            flown           flown          
+  flows           flow            fluellen        fluellen       
+  fluent          fluent          flung           flung          
+  flush           flush           flushing        flush          
+  fluster         fluster         flute           flute          
+  flutes          flute           flutter         flutter        
+  flux            flux            fluxive         fluxiv         
+  fly             fly             flying          fly            
+  fo              fo              foal            foal           
+  foals           foal            foam            foam           
+  foamed          foam            foaming         foam           
+  foams           foam            foamy           foami          
+  fob             fob             focative        foc            
+  fodder          fodder          foe             foe            
+  foeman          foeman          foemen          foemen         
+  foes            foe             fog             fog            
+  foggy           foggi           fogs            fog            
+  foh             foh             foi             foi            
+  foil            foil            foiled          foil           
+  foils           foil            foin            foin           
+  foining         foin            foins           foin           
+  fois            foi             foison          foison         
+  foisons         foison          foist           foist          
+  foix            foix            fold            fold           
+  folded          fold            folds           fold           
+  folio           folio           folk            folk           
+  folks           folk            follies         folli          
+  follow          follow          followed        follow         
+  follower        follow          followers       follow         
+  followest       followest       following       follow         
+  follows         follow          folly           folli          
+  fond            fond            fonder          fonder         
+  fondly          fondli          fondness        fond           
+  font            font            fontibell       fontibel       
+  food            food            fool            fool           
+  fooleries       fooleri         foolery         fooleri        
+  foolhardy       foolhardi       fooling         fool           
+  foolish         foolish         foolishly       foolishli      
+  foolishness     foolish         fools           fool           
+  foot            foot            football        footbal        
+  footboy         footboi         footboys        footboi        
+  footed          foot            footfall        footfal        
+  footing         foot            footman         footman        
+  footmen         footmen         footpath        footpath       
+  footsteps       footstep        footstool       footstool      
+  fopp            fopp            fopped          fop            
+  foppery         fopperi         foppish         foppish        
+  fops            fop             for             for            
+  forage          forag           foragers        forag          
+  forbade         forbad          forbear         forbear        
+  forbearance     forbear         forbears        forbear        
+  forbid          forbid          forbidden       forbidden      
+  forbiddenly     forbiddenli     forbids         forbid         
+  forbod          forbod          forborne        forborn        
+  forc            forc            force           forc           
+  forced          forc            forceful        forc           
+  forceless       forceless       forces          forc           
+  forcible        forcibl         forcibly        forcibl        
+  forcing         forc            ford            ford           
+  fordid          fordid          fordo           fordo          
+  fordoes         fordo           fordone         fordon         
+  fore            fore            forecast        forecast       
+  forefather      forefath        forefathers     forefath       
+  forefinger      forefing        forego          forego         
+  foregone        foregon         forehand        forehand       
+  forehead        forehead        foreheads       forehead       
+  forehorse       forehors        foreign         foreign        
+  foreigner       foreign         foreigners      foreign        
+  foreknowing     foreknow        foreknowledge   foreknowledg   
+  foremost        foremost        forenamed       forenam        
+  forenoon        forenoon        forerun         forerun        
+  forerunner      forerunn        forerunning     forerun        
+  foreruns        forerun         foresaid        foresaid       
+  foresaw         foresaw         foresay         foresai        
+  foresee         forese          foreseeing      forese         
+  foresees        forese          foreshow        foreshow       
+  foreskirt       foreskirt       forespent       foresp         
+  forest          forest          forestall       forestal       
+  forestalled     forestal        forester        forest         
+  foresters       forest          forests         forest         
+  foretell        foretel         foretelling     foretel        
+  foretells       foretel         forethink       forethink      
+  forethought     forethought     foretold        foretold       
+  forever         forev           foreward        foreward       
+  forewarn        forewarn        forewarned      forewarn       
+  forewarning     forewarn        forfeit         forfeit        
+  forfeited       forfeit         forfeiters      forfeit        
+  forfeiting      forfeit         forfeits        forfeit        
+  forfeiture      forfeitur       forfeitures     forfeitur      
+  forfend         forfend         forfended       forfend        
+  forg            forg            forgave         forgav         
+  forge           forg            forged          forg           
+  forgeries       forgeri         forgery         forgeri        
+  forges          forg            forget          forget         
+  forgetful       forget          forgetfulness   forget         
+  forgetive       forget          forgets         forget         
+  forgetting      forget          forgive         forgiv         
+  forgiven        forgiven        forgiveness     forgiv         
+  forgo           forgo           forgoing        forgo          
+  forgone         forgon          forgot          forgot         
+  forgotten       forgotten       fork            fork           
+  forked          fork            forks           fork           
+  forlorn         forlorn         form            form           
+  formal          formal          formally        formal         
+  formed          form            former          former         
+  formerly        formerli        formless        formless       
+  forms           form            fornication     fornic         
+  fornications    fornic          fornicatress    fornicatress   
+  forres          forr            forrest         forrest        
+  forsake         forsak          forsaken        forsaken       
+  forsaketh       forsaketh       forslow         forslow        
+  forsook         forsook         forsooth        forsooth       
+  forspent        forspent        forspoke        forspok        
+  forswear        forswear        forswearing     forswear       
+  forswore        forswor         forsworn        forsworn       
+  fort            fort            forted          fort           
+  forth           forth           forthcoming     forthcom       
+  forthlight      forthlight      forthright      forthright     
+  forthwith       forthwith       fortification   fortif         
+  fortifications  fortif          fortified       fortifi        
+  fortifies       fortifi         fortify         fortifi        
+  fortinbras      fortinbra       fortitude       fortitud       
+  fortnight       fortnight       fortress        fortress       
+  fortresses      fortress        forts           fort           
+  fortun          fortun          fortuna         fortuna        
+  fortunate       fortun          fortunately     fortun         
+  fortune         fortun          fortuned        fortun         
+  fortunes        fortun          fortward        fortward       
+  forty           forti           forum           forum          
+  forward         forward         forwarding      forward        
+  forwardness     forward         forwards        forward        
+  forwearied      forweari        fosset          fosset         
+  fost            fost            foster          foster         
+  fostered        foster          fought          fought         
+  foughten        foughten        foul            foul           
+  fouler          fouler          foulest         foulest        
+  foully          foulli          foulness        foul           
+  found           found           foundation      foundat        
+  foundations     foundat         founded         found          
+  founder         founder         fount           fount          
+  fountain        fountain        fountains       fountain       
+  founts          fount           four            four           
+  fourscore       fourscor        fourteen        fourteen       
+  fourth          fourth          foutra          foutra         
+  fowl            fowl            fowler          fowler         
+  fowling         fowl            fowls           fowl           
+  fox             fox             foxes           fox            
+  foxship         foxship         fracted         fract          
+  fraction        fraction        fractions       fraction       
+  fragile         fragil          fragment        fragment       
+  fragments       fragment        fragrant        fragrant       
+  frail           frail           frailer         frailer        
+  frailties       frailti         frailty         frailti        
+  fram            fram            frame           frame          
+  framed          frame           frames          frame          
+  frampold        frampold        fran            fran           
+  francais        francai         france          franc          
+  frances         franc           franchise       franchis       
+  franchised      franchis        franchisement   franchis       
+  franchises      franchis        franciae        francia        
+  francis         franci          francisca       francisca      
+  franciscan      franciscan      francisco       francisco      
+  frank           frank           franker         franker        
+  frankfort       frankfort       franklin        franklin       
+  franklins       franklin        frankly         frankli        
+  frankness       frank           frantic         frantic        
+  franticly       franticli       frateretto      frateretto     
+  fratrum         fratrum         fraud           fraud          
+  fraudful        fraud           fraught         fraught        
+  fraughtage      fraughtag       fraughting      fraught        
+  fray            frai            frays           frai           
+  freckl          freckl          freckled        freckl         
+  freckles        freckl          frederick       frederick      
+  free            free            freed           freed          
+  freedom         freedom         freedoms        freedom        
+  freehearted     freeheart       freelier        freelier       
+  freely          freeli          freeman         freeman        
+  freemen         freemen         freeness        freeness       
+  freer           freer           frees           free           
+  freestone       freeston        freetown        freetown       
+  freeze          freez           freezes         freez          
+  freezing        freez           freezings       freez          
+  french          french          frenchman       frenchman      
+  frenchmen       frenchmen       frenchwoman     frenchwoman    
+  frenzy          frenzi          frequent        frequent       
+  frequents       frequent        fresh           fresh          
+  fresher         fresher         freshes         fresh          
+  freshest        freshest        freshly         freshli        
+  freshness       fresh           fret            fret           
+  fretful         fret            frets           fret           
+  fretted         fret            fretten         fretten        
+  fretting        fret            friar           friar          
+  friars          friar           friday          fridai         
+  fridays         fridai          friend          friend         
+  friended        friend          friending       friend         
+  friendless      friendless      friendliness    friendli       
+  friendly        friendli        friends         friend         
+  friendship      friendship      friendships     friendship     
+  frieze          friez           fright          fright         
+  frighted        fright          frightened      frighten       
+  frightful       fright          frighting       fright         
+  frights         fright          fringe          fring          
+  fringed         fring           frippery        fripperi       
+  frisk           frisk           fritters        fritter        
+  frivolous       frivol          fro             fro            
+  frock           frock           frog            frog           
+  frogmore        frogmor         froissart       froissart      
+  frolic          frolic          from            from           
+  front           front           fronted         front          
+  frontier        frontier        frontiers       frontier       
+  fronting        front           frontlet        frontlet       
+  fronts          front           frost           frost          
+  frosts          frost           frosty          frosti         
+  froth           froth           froward         froward        
+  frown           frown           frowning        frown          
+  frowningly      frowningli      frowns          frown          
+  froze           froze           frozen          frozen         
+  fructify        fructifi        frugal          frugal         
+  fruit           fruit           fruiterer       fruiter        
+  fruitful        fruit           fruitfully      fruitfulli     
+  fruitfulness    fruit           fruition        fruition       
+  fruitless       fruitless       fruits          fruit          
+  frush           frush           frustrate       frustrat       
+  frutify         frutifi         fry             fry            
+  fubb            fubb            fuel            fuel           
+  fugitive        fugit           fulfil          fulfil         
+  fulfill         fulfil          fulfilling      fulfil         
+  fulfils         fulfil          full            full           
+  fullam          fullam          fuller          fuller         
+  fullers         fuller          fullest         fullest        
+  fullness        full            fully           fulli          
+  fulness         ful             fulsome         fulsom         
+  fulvia          fulvia          fum             fum            
+  fumble          fumbl           fumbles         fumbl          
+  fumblest        fumblest        fumbling        fumbl          
+  fume            fume            fumes           fume           
+  fuming          fume            fumiter         fumit          
+  fumitory        fumitori        fun             fun            
+  function        function        functions       function       
+  fundamental     fundament       funeral         funer          
+  funerals        funer           fur             fur            
+  furbish         furbish         furies          furi           
+  furious         furiou          furlongs        furlong        
+  furnace         furnac          furnaces        furnac         
+  furnish         furnish         furnished       furnish        
+  furnishings     furnish         furniture       furnitur       
+  furnival        furniv          furor           furor          
+  furr            furr            furrow          furrow         
+  furrowed        furrow          furrows         furrow         
+  furth           furth           further         further        
+  furtherance     further         furtherer       further        
+  furthermore     furthermor      furthest        furthest       
+  fury            furi            furze           furz           
+  furzes          furz            fust            fust           
+  fustian         fustian         fustilarian     fustilarian    
+  fusty           fusti           fut             fut            
+  future          futur           futurity        futur          
+  g               g               gabble          gabbl          
+  gaberdine       gaberdin        gabriel         gabriel        
+  gad             gad             gadding         gad            
+  gads            gad             gadshill        gadshil        
+  gag             gag             gage            gage           
+  gaged           gage            gagg            gagg           
+  gaging          gage            gagne           gagn           
+  gain            gain            gained          gain           
+  gainer          gainer          gaingiving      gaingiv        
+  gains           gain            gainsaid        gainsaid       
+  gainsay         gainsai         gainsaying      gainsai        
+  gainsays        gainsai         gainst          gainst         
+  gait            gait            gaited          gait           
+  galathe         galath          gale            gale           
+  galen           galen           gales           gale           
+  gall            gall            gallant         gallant        
+  gallantly       gallantli       gallantry       gallantri      
+  gallants        gallant         galled          gall           
+  gallery         galleri         galley          gallei         
+  galleys         gallei          gallia          gallia         
+  gallian         gallian         galliard        galliard       
+  galliasses      galliass        gallimaufry     gallimaufri    
+  galling         gall            gallons         gallon         
+  gallop          gallop          galloping       gallop         
+  gallops         gallop          gallow          gallow         
+  galloway        gallowai        gallowglasses   gallowglass    
+  gallows         gallow          gallowses       gallows        
+  galls           gall            gallus          gallu          
+  gam             gam             gambol          gambol         
+  gambold         gambold         gambols         gambol         
+  gamboys         gamboi          game            game           
+  gamers          gamer           games           game           
+  gamesome        gamesom         gamester        gamest         
+  gaming          game            gammon          gammon         
+  gamut           gamut           gan             gan            
+  gangren         gangren         ganymede        ganymed        
+  gaol            gaol            gaoler          gaoler         
+  gaolers         gaoler          gaols           gaol           
+  gap             gap             gape            gape           
+  gapes           gape            gaping          gape           
+  gar             gar             garb            garb           
+  garbage         garbag          garboils        garboil        
+  garcon          garcon          gard            gard           
+  garde           gard            garden          garden         
+  gardener        garden          gardeners       garden         
+  gardens         garden          gardez          gardez         
+  gardiner        gardin          gardon          gardon         
+  gargantua       gargantua       gargrave        gargrav        
+  garish          garish          garland         garland        
+  garlands        garland         garlic          garlic         
+  garment         garment         garments        garment        
+  garmet          garmet          garner          garner         
+  garners         garner          garnish         garnish        
+  garnished       garnish         garret          garret         
+  garrison        garrison        garrisons       garrison       
+  gart            gart            garter          garter         
+  garterd         garterd         gartering       garter         
+  garters         garter          gascony         gasconi        
+  gash            gash            gashes          gash           
+  gaskins         gaskin          gasp            gasp           
+  gasping         gasp            gasted          gast           
+  gastness        gast            gat             gat            
+  gate            gate            gated           gate           
+  gates           gate            gath            gath           
+  gather          gather          gathered        gather         
+  gathering       gather          gathers         gather         
+  gatories        gatori          gatory          gatori         
+  gaud            gaud            gaudeo          gaudeo         
+  gaudy           gaudi           gauge           gaug           
+  gaul            gaul            gaultree        gaultre        
+  gaunt           gaunt           gauntlet        gauntlet       
+  gauntlets       gauntlet        gav             gav            
+  gave            gave            gavest          gavest         
+  gawded          gawd            gawds           gawd           
+  gawsey          gawsei          gay             gai            
+  gayness         gay             gaz             gaz            
+  gaze            gaze            gazed           gaze           
+  gazer           gazer           gazers          gazer          
+  gazes           gaze            gazeth          gazeth         
+  gazing          gaze            gear            gear           
+  geck            geck            geese           gees           
+  geffrey         geffrei         geld            geld           
+  gelded          geld            gelding         geld           
+  gelida          gelida          gelidus         gelidu         
+  gelt            gelt            gem             gem            
+  geminy          gemini          gems            gem            
+  gen             gen             gender          gender         
+  genders         gender          general         gener          
+  generally       gener           generals        gener          
+  generation      gener           generations     gener          
+  generative      gener           generosity      generos        
+  generous        gener           genitive        genit          
+  genitivo        genitivo        genius          geniu          
+  gennets         gennet          genoa           genoa          
+  genoux          genoux          gens            gen            
+  gent            gent            gentilhomme     gentilhomm     
+  gentility       gentil          gentle          gentl          
+  gentlefolks     gentlefolk      gentleman       gentleman      
+  gentlemanlike   gentlemanlik    gentlemen       gentlemen      
+  gentleness      gentl           gentler         gentler        
+  gentles         gentl           gentlest        gentlest       
+  gentlewoman     gentlewoman     gentlewomen     gentlewomen    
+  gently          gentli          gentry          gentri         
+  george          georg           gerard          gerard         
+  germaines       germain         germains        germain        
+  german          german          germane         german         
+  germans         german          germany         germani        
+  gertrude        gertrud         gest            gest           
+  gests           gest            gesture         gestur         
+  gestures        gestur          get             get            
+  getrude         getrud          gets            get            
+  getter          getter          getting         get            
+  ghastly         ghastli         ghost           ghost          
+  ghosted         ghost           ghostly         ghostli        
+  ghosts          ghost           gi              gi             
+  giant           giant           giantess        giantess       
+  giantlike       giantlik        giants          giant          
+  gib             gib             gibber          gibber         
+  gibbet          gibbet          gibbets         gibbet         
+  gibe            gibe            giber           giber          
+  gibes           gibe            gibing          gibe           
+  gibingly        gibingli        giddily         giddili        
+  giddiness       giddi           giddy           giddi          
+  gift            gift            gifts           gift           
+  gig             gig             giglets         giglet         
+  giglot          giglot          gilbert         gilbert        
+  gild            gild            gilded          gild           
+  gilding         gild            gilliams        gilliam        
+  gillian         gillian         gills           gill           
+  gillyvors       gillyvor        gilt            gilt           
+  gimmal          gimmal          gimmers         gimmer         
+  gin             gin             ging            ging           
+  ginger          ginger          gingerbread     gingerbread    
+  gingerly        gingerli        ginn            ginn           
+  gins            gin             gioucestershire gioucestershir 
+  gipes           gipe            gipsies         gipsi          
+  gipsy           gipsi           gird            gird           
+  girded          gird            girdle          girdl          
+  girdled         girdl           girdles         girdl          
+  girdling        girdl           girl            girl           
+  girls           girl            girt            girt           
+  girth           girth           gis             gi             
+  giv             giv             give            give           
+  given           given           giver           giver          
+  givers          giver           gives           give           
+  givest          givest          giveth          giveth         
+  giving          give            givings         give           
+  glad            glad            gladded         glad           
+  gladding        glad            gladly          gladli         
+  gladness        glad            glamis          glami          
+  glanc           glanc           glance          glanc          
+  glanced         glanc           glances         glanc          
+  glancing        glanc           glanders        glander        
+  glansdale       glansdal        glare           glare          
+  glares          glare           glass           glass          
+  glasses         glass           glassy          glassi         
+  glaz            glaz            glazed          glaze          
+  gleams          gleam           glean           glean          
+  gleaned         glean           gleaning        glean          
+  gleeful         gleeful         gleek           gleek          
+  gleeking        gleek           gleeks          gleek          
+  glend           glend           glendower       glendow        
+  glib            glib            glide           glide          
+  glided          glide           glides          glide          
+  glideth         glideth         gliding         glide          
+  glimmer         glimmer         glimmering      glimmer        
+  glimmers        glimmer         glimpse         glimps         
+  glimpses        glimps          glist           glist          
+  glistening      glisten         glister         glister        
+  glistering      glister         glisters        glister        
+  glitt           glitt           glittering      glitter        
+  globe           globe           globes          globe          
+  glooming        gloom           gloomy          gloomi         
+  glories         glori           glorified       glorifi        
+  glorify         glorifi         glorious        gloriou        
+  gloriously      glorious        glory           glori          
+  glose           glose           gloss           gloss          
+  glosses         gloss           glou            glou           
+  glouceste       gloucest        gloucester      gloucest       
+  gloucestershire gloucestershir  glove           glove          
+  glover          glover          gloves          glove          
+  glow            glow            glowed          glow           
+  glowing         glow            glowworm        glowworm       
+  gloz            gloz            gloze           gloze          
+  glozes          gloze           glu             glu            
+  glue            glue            glued           glu            
+  glues           glue            glut            glut           
+  glutt           glutt           glutted         glut           
+  glutton         glutton         gluttoning      glutton        
+  gluttony        gluttoni        gnarled         gnarl          
+  gnarling        gnarl           gnat            gnat           
+  gnats           gnat            gnaw            gnaw           
+  gnawing         gnaw            gnawn           gnawn          
+  gnaws           gnaw            go              go             
+  goad            goad            goaded          goad           
+  goads           goad            goal            goal           
+  goat            goat            goatish         goatish        
+  goats           goat            gobbets         gobbet         
+  gobbo           gobbo           goblet          goblet         
+  goblets         goblet          goblin          goblin         
+  goblins         goblin          god             god            
+  godded          god             godden          godden         
+  goddess         goddess         goddesses       goddess        
+  goddild         goddild         godfather       godfath        
+  godfathers      godfath         godhead         godhead        
+  godlike         godlik          godliness       godli          
+  godly           godli           godmother       godmoth        
+  gods            god             godson          godson         
+  goer            goer            goers           goer           
+  goes            goe             goest           goest          
+  goeth           goeth           goffe           goff           
+  gogs            gog             going           go             
+  gold            gold            golden          golden         
+  goldenly        goldenli        goldsmith       goldsmith      
+  goldsmiths      goldsmith       golgotha        golgotha       
+  goliases        golias          goliath         goliath        
+  gon             gon             gondola         gondola        
+  gondolier       gondoli         gone            gone           
+  goneril         goneril         gong            gong           
+  gonzago         gonzago         gonzalo         gonzalo        
+  good            good            goodfellow      goodfellow     
+  goodlier        goodlier        goodliest       goodliest      
+  goodly          goodli          goodman         goodman        
+  goodness        good            goodnight       goodnight      
+  goodrig         goodrig         goods           good           
+  goodwife        goodwif         goodwill        goodwil        
+  goodwin         goodwin         goodwins        goodwin        
+  goodyear        goodyear        goodyears       goodyear       
+  goose           goos            gooseberry      gooseberri     
+  goosequills     goosequil       goot            goot           
+  gor             gor             gorbellied      gorbelli       
+  gorboduc        gorboduc        gordian         gordian        
+  gore            gore            gored           gore           
+  gorg            gorg            gorge           gorg           
+  gorgeous        gorgeou         gorget          gorget         
+  gorging         gorg            gorgon          gorgon         
+  gormandize      gormand         gormandizing    gormand        
+  gory            gori            gosling         gosl           
+  gospel          gospel          gospels         gospel         
+  goss            goss            gossamer        gossam         
+  gossip          gossip          gossiping       gossip         
+  gossiplike      gossiplik       gossips         gossip         
+  got             got             goth            goth           
+  goths           goth            gotten          gotten         
+  gourd           gourd           gout            gout           
+  gouts           gout            gouty           gouti          
+  govern          govern          governance      govern         
+  governed        govern          governess       gover          
+  government      govern          governor        governor       
+  governors       governor        governs         govern         
+  gower           gower           gown            gown           
+  gowns           gown            grac            grac           
+  grace           grace           graced          grace          
+  graceful        grace           gracefully      gracefulli     
+  graceless       graceless       graces          grace          
+  gracing         grace           gracious        graciou        
+  graciously      gracious        gradation       gradat         
+  graff           graff           graffing        graf           
+  graft           graft           grafted         graft          
+  grafters        grafter         grain           grain          
+  grained         grain           grains          grain          
+  gramercies      gramerci        gramercy        gramerci       
+  grammar         grammar         grand           grand          
+  grandam         grandam         grandame        grandam        
+  grandchild      grandchild      grande          grand          
+  grandeur        grandeur        grandfather     grandfath      
+  grandjurors     grandjuror      grandmother     grandmoth      
+  grandpre        grandpr         grandsir        grandsir       
+  grandsire       grandsir        grandsires      grandsir       
+  grange          grang           grant           grant          
+  granted         grant           granting        grant          
+  grants          grant           grape           grape          
+  grapes          grape           grapple         grappl         
+  grapples        grappl          grappling       grappl         
+  grasp           grasp           grasped         grasp          
+  grasps          grasp           grass           grass          
+  grasshoppers    grasshopp       grassy          grassi         
+  grate           grate           grated          grate          
+  grateful        grate           grates          grate          
+  gratiano        gratiano        gratify         gratifi        
+  gratii          gratii          gratillity      gratil         
+  grating         grate           gratis          grati          
+  gratitude       gratitud        gratulate       gratul         
+  grav            grav            grave           grave          
+  gravediggers    gravedigg       gravel          gravel         
+  graveless       graveless       gravell         gravel         
+  gravely         grave           graven          graven         
+  graveness       grave           graver          graver         
+  graves          grave           gravest         gravest        
+  gravestone      graveston       gravities       graviti        
+  gravity         graviti         gravy           gravi          
+  gray            grai            graymalkin      graymalkin     
+  graz            graz            graze           graze          
+  grazed          graze           grazing         graze          
+  grease          greas           greases         greas          
+  greasily        greasili        greasy          greasi         
+  great           great           greater         greater        
+  greatest        greatest        greatly         greatli        
+  greatness       great           grecian         grecian        
+  grecians        grecian         gree            gree           
+  greece          greec           greed           greed          
+  greedily        greedili        greediness      greedi         
+  greedy          greedi          greeing         gree           
+  greek           greek           greekish        greekish       
+  greeks          greek           green           green          
+  greener         greener         greenly         greenli        
+  greens          green           greensleeves    greensleev     
+  greenwich       greenwich       greenwood       greenwood      
+  greet           greet           greeted         greet          
+  greeting        greet           greetings       greet          
+  greets          greet           greg            greg           
+  gregory         gregori         gremio          gremio         
+  grew            grew            grey            grei           
+  greybeard       greybeard       greybeards      greybeard      
+  greyhound       greyhound       greyhounds      greyhound      
+  grief           grief           griefs          grief          
+  griev           griev           grievance       grievanc       
+  grievances      grievanc        grieve          griev          
+  grieved         griev           grieves         griev          
+  grievest        grievest        grieving        griev          
+  grievingly      grievingli      grievous        grievou        
+  grievously      grievous        griffin         griffin        
+  griffith        griffith        grim            grim           
+  grime           grime           grimly          grimli         
+  grin            grin            grind           grind          
+  grinding        grind           grindstone      grindston      
+  grinning        grin            grip            grip           
+  gripe           gripe           gripes          gripe          
+  griping         gripe           grise           grise          
+  grisly          grisli          grissel         grissel        
+  grize           grize           grizzle         grizzl         
+  grizzled        grizzl          groan           groan          
+  groaning        groan           groans          groan          
+  groat           groat           groats          groat          
+  groin           groin           groom           groom          
+  grooms          groom           grop            grop           
+  groping         grope           gros            gro            
+  gross           gross           grosser         grosser        
+  grossly         grossli         grossness       gross          
+  ground          ground          grounded        ground         
+  groundlings     groundl         grounds         ground         
+  grove           grove           grovel          grovel         
+  grovelling      grovel          groves          grove          
+  grow            grow            groweth         groweth        
+  growing         grow            grown           grown          
+  grows           grow            growth          growth         
+  grub            grub            grubb           grubb          
+  grubs           grub            grudge          grudg          
+  grudged         grudg           grudges         grudg          
+  grudging        grudg           gruel           gruel          
+  grumble         grumbl          grumblest       grumblest      
+  grumbling       grumbl          grumblings      grumbl         
+  grumio          grumio          grund           grund          
+  grunt           grunt           gualtier        gualtier       
+  guard           guard           guardage        guardag        
+  guardant        guardant        guarded         guard          
+  guardian        guardian        guardians       guardian       
+  guards          guard           guardsman       guardsman      
+  gud             gud             gudgeon         gudgeon        
+  guerdon         guerdon         guerra          guerra         
+  guess           guess           guesses         guess          
+  guessingly      guessingli      guest           guest          
+  guests          guest           guiana          guiana         
+  guichard        guichard        guide           guid           
+  guided          guid            guider          guider         
+  guiderius       guideriu        guides          guid           
+  guiding         guid            guidon          guidon         
+  guienne         guienn          guil            guil           
+  guildenstern    guildenstern    guilders        guilder        
+  guildford       guildford       guildhall       guildhal       
+  guile           guil            guiled          guil           
+  guileful        guil            guilfords       guilford       
+  guilt           guilt           guiltian        guiltian       
+  guiltier        guiltier        guiltily        guiltili       
+  guiltiness      guilti          guiltless       guiltless      
+  guilts          guilt           guilty          guilti         
+  guinea          guinea          guinever        guinev         
+  guise           guis            gul             gul            
+  gules           gule            gulf            gulf           
+  gulfs           gulf            gull            gull           
+  gulls           gull            gum             gum            
+  gumm            gumm            gums            gum            
+  gun             gun             gunner          gunner         
+  gunpowder       gunpowd         guns            gun            
+  gurnet          gurnet          gurney          gurnei         
+  gust            gust            gusts           gust           
+  gusty           gusti           guts            gut            
+  gutter          gutter          guy             gui            
+  guynes          guyn            guysors         guysor         
+  gypsy           gypsi           gyve            gyve           
+  gyved           gyve            gyves           gyve           
+  h               h               ha              ha             
+  haberdasher     haberdash       habiliment      habili         
+  habiliments     habili          habit           habit          
+  habitation      habit           habited         habit          
+  habits          habit           habitude        habitud        
+  hack            hack            hacket          hacket         
+  hackney         hacknei         hacks           hack           
+  had             had             hadst           hadst          
+  haec            haec            haeres          haer           
+  hag             hag             hagar           hagar          
+  haggard         haggard         haggards        haggard        
+  haggish         haggish         haggled         haggl          
+  hags            hag             hail            hail           
+  hailed          hail            hailstone       hailston       
+  hailstones      hailston        hair            hair           
+  hairless        hairless        hairs           hair           
+  hairy           hairi           hal             hal            
+  halberd         halberd         halberds        halberd        
+  halcyon         halcyon         hale            hale           
+  haled           hale            hales           hale           
+  half            half            halfcan         halfcan        
+  halfpence       halfpenc        halfpenny       halfpenni      
+  halfpennyworth  halfpennyworth  halfway         halfwai        
+  halidom         halidom         hall            hall           
+  halloa          halloa          halloing        hallo          
+  hallond         hallond         halloo          halloo         
+  hallooing       halloo          hallow          hallow         
+  hallowed        hallow          hallowmas       hallowma       
+  hallown         hallown         hals            hal            
+  halt            halt            halter          halter         
+  halters         halter          halting         halt           
+  halts           halt            halves          halv           
+  ham             ham             hames           hame           
+  hamlet          hamlet          hammer          hammer         
+  hammered        hammer          hammering       hammer         
+  hammers         hammer          hamper          hamper         
+  hampton         hampton         hams            ham            
+  hamstring       hamstr          hand            hand           
+  handed          hand            handful         hand           
+  handicraft      handicraft      handicraftsmen  handicraftsmen 
+  handing         hand            handiwork       handiwork      
+  handkercher     handkerch       handkerchers    handkerch      
+  handkerchief    handkerchief    handle          handl          
+  handled         handl           handles         handl          
+  handless        handless        handlest        handlest       
+  handling        handl           handmaid        handmaid       
+  handmaids       handmaid        hands           hand           
+  handsaw         handsaw         handsome        handsom        
+  handsomely      handsom         handsomeness    handsom        
+  handwriting     handwrit        handy           handi          
+  hang            hang            hanged          hang           
+  hangers         hanger          hangeth         hangeth        
+  hanging         hang            hangings        hang           
+  hangman         hangman         hangmen         hangmen        
+  hangs           hang            hannibal        hannib         
+  hap             hap             hapless         hapless        
+  haply           hapli           happ            happ           
+  happen          happen          happened        happen         
+  happier         happier         happies         happi          
+  happiest        happiest        happily         happili        
+  happiness       happi           happy           happi          
+  haps            hap             harbinger       harbing        
+  harbingers      harbing         harbor          harbor         
+  harbour         harbour         harbourage      harbourag      
+  harbouring      harbour         harbours        harbour        
+  harcourt        harcourt        hard            hard           
+  harder          harder          hardest         hardest        
+  hardiest        hardiest        hardiment       hardiment      
+  hardiness       hardi           hardly          hardli         
+  hardness        hard            hardocks        hardock        
+  hardy           hardi           hare            hare           
+  harelip         harelip         hares           hare           
+  harfleur        harfleur        hark            hark           
+  harlot          harlot          harlotry        harlotri       
+  harlots         harlot          harm            harm           
+  harmed          harm            harmful         harm           
+  harming         harm            harmless        harmless       
+  harmonious      harmoni         harmony         harmoni        
+  harms           harm            harness         har            
+  harp            harp            harper          harper         
+  harpier         harpier         harping         harp           
+  harpy           harpi           harried         harri          
+  harrow          harrow          harrows         harrow         
+  harry           harri           harsh           harsh          
+  harshly         harshli         harshness       harsh          
+  hart            hart            harts           hart           
+  harum           harum           harvest         harvest        
+  has             ha              hast            hast           
+  haste           hast            hasted          hast           
+  hasten          hasten          hastes          hast           
+  hastily         hastili         hasting         hast           
+  hastings        hast            hasty           hasti          
+  hat             hat             hatch           hatch          
+  hatches         hatch           hatchet         hatchet        
+  hatching        hatch           hatchment       hatchment      
+  hate            hate            hated           hate           
+  hateful         hate            hater           hater          
+  haters          hater           hates           hate           
+  hateth          hateth          hatfield        hatfield       
+  hath            hath            hating          hate           
+  hatred          hatr            hats            hat            
+  haud            haud            hauf            hauf           
+  haught          haught          haughtiness     haughti        
+  haughty         haughti         haunch          haunch         
+  haunches        haunch          haunt           haunt          
+  haunted         haunt           haunting        haunt          
+  haunts          haunt           hautboy         hautboi        
+  hautboys        hautboi         have            have           
+  haven           haven           havens          haven          
+  haver           haver           having          have           
+  havings         have            havior          havior         
+  haviour         haviour         havoc           havoc          
+  hawk            hawk            hawking         hawk           
+  hawks           hawk            hawthorn        hawthorn       
+  hawthorns       hawthorn        hay             hai            
+  hazard          hazard          hazarded        hazard         
+  hazards         hazard          hazel           hazel          
+  hazelnut        hazelnut        he              he             
+  head            head            headborough     headborough    
+  headed          head            headier         headier        
+  heading         head            headland        headland       
+  headless        headless        headlong        headlong       
+  heads           head            headsman        headsman       
+  headstrong      headstrong      heady           headi          
+  heal            heal            healed          heal           
+  healing         heal            heals           heal           
+  health          health          healthful       health         
+  healths         health          healthsome      healthsom      
+  healthy         healthi         heap            heap           
+  heaping         heap            heaps           heap           
+  hear            hear            heard           heard          
+  hearer          hearer          hearers         hearer         
+  hearest         hearest         heareth         heareth        
+  hearing         hear            hearings        hear           
+  heark           heark           hearken         hearken        
+  hearkens        hearken         hears           hear           
+  hearsay         hearsai         hearse          hears          
+  hearsed         hears           hearst          hearst         
+  heart           heart           heartache       heartach       
+  heartbreak      heartbreak      heartbreaking   heartbreak     
+  hearted         heart           hearten         hearten        
+  hearth          hearth          hearths         hearth         
+  heartily        heartili        heartiness      hearti         
+  heartless       heartless       heartlings      heartl         
+  heartly         heartli         hearts          heart          
+  heartsick       heartsick       heartstrings    heartstr       
+  hearty          hearti          heat            heat           
+  heated          heat            heath           heath          
+  heathen         heathen         heathenish      heathenish     
+  heating         heat            heats           heat           
+  heauties        heauti          heav            heav           
+  heave           heav            heaved          heav           
+  heaven          heaven          heavenly        heavenli       
+  heavens         heaven          heaves          heav           
+  heavier         heavier         heaviest        heaviest       
+  heavily         heavili         heaviness       heavi          
+  heaving         heav            heavings        heav           
+  heavy           heavi           hebona          hebona         
+  hebrew          hebrew          hecate          hecat          
+  hectic          hectic          hector          hector         
+  hectors         hector          hecuba          hecuba         
+  hedg            hedg            hedge           hedg           
+  hedgehog        hedgehog        hedgehogs       hedgehog       
+  hedges          hedg            heed            heed           
+  heeded          heed            heedful         heed           
+  heedfull        heedful         heedfully       heedfulli      
+  heedless        heedless        heel            heel           
+  heels           heel            hefted          heft           
+  hefts           heft            heifer          heifer         
+  heifers         heifer          heigh           heigh          
+  height          height          heighten        heighten       
+  heinous         heinou          heinously       heinous        
+  heir            heir            heiress         heiress        
+  heirless        heirless        heirs           heir           
+  held            held            helen           helen          
+  helena          helena          helenus         helenu         
+  helias          helia           helicons        helicon        
+  hell            hell            hellespont      hellespont     
+  hellfire        hellfir         hellish         hellish        
+  helm            helm            helmed          helm           
+  helmet          helmet          helmets         helmet         
+  helms           helm            help            help           
+  helper          helper          helpers         helper         
+  helpful         help            helping         help           
+  helpless        helpless        helps           help           
+  helter          helter          hem             hem            
+  heme            heme            hemlock         hemlock        
+  hemm            hemm            hemp            hemp           
+  hempen          hempen          hems            hem            
+  hen             hen             hence           henc           
+  henceforth      henceforth      henceforward    henceforward   
+  henchman        henchman        henri           henri          
+  henricus        henricu         henry           henri          
+  hens            hen             hent            hent           
+  henton          henton          her             her            
+  herald          herald          heraldry        heraldri       
+  heralds         herald          herb            herb           
+  herbert         herbert         herblets        herblet        
+  herbs           herb            herculean       herculean      
+  hercules        hercul          herd            herd           
+  herds           herd            herdsman        herdsman       
+  herdsmen        herdsmen        here            here           
+  hereabout       hereabout       hereabouts      hereabout      
+  hereafter       hereaft         hereby          herebi         
+  hereditary      hereditari      hereford        hereford       
+  herefordshire   herefordshir    herein          herein         
+  hereof          hereof          heresies        heresi         
+  heresy          heresi          heretic         heret          
+  heretics        heret           hereto          hereto         
+  hereupon        hereupon        heritage        heritag        
+  heritier        heriti          hermes          herm           
+  hermia          hermia          hermione        hermion        
+  hermit          hermit          hermitage       hermitag       
+  hermits         hermit          herne           hern           
+  hero            hero            herod           herod          
+  herods          herod           heroes          hero           
+  heroic          heroic          heroical        heroic         
+  herring         her             herrings        her            
+  hers            her             herself         herself        
+  hesperides      hesperid        hesperus        hesperu        
+  hest            hest            hests           hest           
+  heure           heur            heureux         heureux        
+  hew             hew             hewgh           hewgh          
+  hewing          hew             hewn            hewn           
+  hews            hew             hey             hei            
+  heyday          heydai          hibocrates      hibocr         
+  hic             hic             hiccups         hiccup         
+  hick            hick            hid             hid            
+  hidden          hidden          hide            hide           
+  hideous         hideou          hideously       hideous        
+  hideousness     hideous         hides           hide           
+  hidest          hidest          hiding          hide           
+  hie             hie             hied            hi             
+  hiems           hiem            hies            hi             
+  hig             hig             high            high           
+  higher          higher          highest         highest        
+  highly          highli          highmost        highmost       
+  highness        high            hight           hight          
+  highway         highwai         highways        highwai        
+  hilding         hild            hildings        hild           
+  hill            hill            hillo           hillo          
+  hilloa          hilloa          hills           hill           
+  hilt            hilt            hilts           hilt           
+  hily            hili            him             him            
+  himself         himself         hinc            hinc           
+  hinckley        hincklei        hind            hind           
+  hinder          hinder          hindered        hinder         
+  hinders         hinder          hindmost        hindmost       
+  hinds           hind            hing            hing           
+  hinge           hing            hinges          hing           
+  hint            hint            hip             hip            
+  hipp            hipp            hipparchus      hipparchu      
+  hippolyta       hippolyta       hips            hip            
+  hir             hir             hire            hire           
+  hired           hire            hiren           hiren          
+  hirtius         hirtiu          his             hi             
+  hisperia        hisperia        hiss            hiss           
+  hisses          hiss            hissing         hiss           
+  hist            hist            historical      histor         
+  history         histori         hit             hit            
+  hither          hither          hitherto        hitherto       
+  hitherward      hitherward      hitherwards     hitherward     
+  hits            hit             hitting         hit            
+  hive            hive            hives           hive           
+  hizzing         hizz            ho              ho             
+  hoa             hoa             hoar            hoar           
+  hoard           hoard           hoarded         hoard          
+  hoarding        hoard           hoars           hoar           
+  hoarse          hoars           hoary           hoari          
+  hob             hob             hobbididence    hobbidid       
+  hobby           hobbi           hobbyhorse      hobbyhors      
+  hobgoblin       hobgoblin       hobnails        hobnail        
+  hoc             hoc             hod             hod            
+  hodge           hodg            hog             hog            
+  hogs            hog             hogshead        hogshead       
+  hogsheads       hogshead        hois            hoi            
+  hoise           hois            hoist           hoist          
+  hoisted         hoist           hoists          hoist          
+  holborn         holborn         hold            hold           
+  holden          holden          holder          holder         
+  holdeth         holdeth         holdfast        holdfast       
+  holding         hold            holds           hold           
+  hole            hole            holes           hole           
+  holidam         holidam         holidame        holidam        
+  holiday         holidai         holidays        holidai        
+  holier          holier          holiest         holiest        
+  holily          holili          holiness        holi           
+  holla           holla           holland         holland        
+  hollander       holland         hollanders      holland        
+  holloa          holloa          holloaing       holloa         
+  hollow          hollow          hollowly        hollowli       
+  hollowness      hollow          holly           holli          
+  holmedon        holmedon        holofernes      holofern       
+  holp            holp            holy            holi           
+  homage          homag           homager         homag          
+  home            home            homely          home           
+  homes           home            homespuns       homespun       
+  homeward        homeward        homewards       homeward       
+  homicide        homicid         homicides       homicid        
+  homily          homili          hominem         hominem        
+  hommes          homm            homo            homo           
+  honest          honest          honester        honest         
+  honestest       honestest       honestly        honestli       
+  honesty         honesti         honey           honei          
+  honeycomb       honeycomb       honeying        honei          
+  honeyless       honeyless       honeysuckle     honeysuckl     
+  honeysuckles    honeysuckl      honi            honi           
+  honneur         honneur         honor           honor          
+  honorable       honor           honorably       honor          
+  honorato        honorato        honorificabilitudinitatibus honorificabilitudinitatibu
+  honors          honor           honour          honour         
+  honourable      honour          honourably      honour         
+  honoured        honour          honourest       honourest      
+  honourible      honour          honouring       honour         
+  honours         honour          hoo             hoo            
+  hood            hood            hooded          hood           
+  hoodman         hoodman         hoods           hood           
+  hoodwink        hoodwink        hoof            hoof           
+  hoofs           hoof            hook            hook           
+  hooking         hook            hooks           hook           
+  hoop            hoop            hoops           hoop           
+  hoot            hoot            hooted          hoot           
+  hooting         hoot            hoots           hoot           
+  hop             hop             hope            hope           
+  hopeful         hope            hopeless        hopeless       
+  hopes           hope            hopest          hopest         
+  hoping          hope            hopkins         hopkin         
+  hoppedance      hopped          hor             hor            
+  horace          horac           horatio         horatio        
+  horizon         horizon         horn            horn           
+  hornbook        hornbook        horned          horn           
+  horner          horner          horning         horn           
+  hornpipes       hornpip         horns           horn           
+  horologe        horolog         horrible        horribl        
+  horribly        horribl         horrid          horrid         
+  horrider        horrid          horridly        horridli       
+  horror          horror          horrors         horror         
+  hors            hor             horse           hors           
+  horseback       horseback       horsed          hors           
+  horsehairs      horsehair       horseman        horseman       
+  horsemanship    horsemanship    horsemen        horsemen       
+  horses          hors            horseway        horsewai       
+  horsing         hors            hortensio       hortensio      
+  hortensius      hortensiu       horum           horum          
+  hose            hose            hospitable      hospit         
+  hospital        hospit          hospitality     hospit         
+  host            host            hostage         hostag         
+  hostages        hostag          hostess         hostess        
+  hostile         hostil          hostility       hostil         
+  hostilius       hostiliu        hosts           host           
+  hot             hot             hotly           hotli          
+  hotspur         hotspur         hotter          hotter         
+  hottest         hottest         hound           hound          
+  hounds          hound           hour            hour           
+  hourly          hourli          hours           hour           
+  hous            hou             house           hous           
+  household       household       householder     household      
+  householders    household       households      household      
+  housekeeper     housekeep       housekeepers    housekeep      
+  housekeeping    housekeep       houseless       houseless      
+  houses          hous            housewife       housewif       
+  housewifery     housewiferi     housewives      housew         
+  hovel           hovel           hover           hover          
+  hovered         hover           hovering        hover          
+  hovers          hover           how             how            
+  howbeit         howbeit         howe            how            
+  howeer          howeer          however         howev          
+  howl            howl            howled          howl           
+  howlet          howlet          howling         howl           
+  howls           howl            howsoe          howso          
+  howsoever       howsoev         howsome         howsom         
+  hoxes           hox             hoy             hoi            
+  hoyday          hoydai          hubert          hubert         
+  huddled         huddl           huddling        huddl          
+  hue             hue             hued            hu             
+  hues            hue             hug             hug            
+  huge            huge            hugely          huge           
+  hugeness        huge            hugg            hugg           
+  hugger          hugger          hugh            hugh           
+  hugs            hug             hujus           huju           
+  hulk            hulk            hulks           hulk           
+  hull            hull            hulling         hull           
+  hullo           hullo           hum             hum            
+  human           human           humane          human          
+  humanely        human           humanity        human          
+  humble          humbl           humbled         humbl          
+  humbleness      humbl           humbler         humbler        
+  humbles         humbl           humblest        humblest       
+  humbling        humbl           humbly          humbl          
+  hume            hume            humh            humh           
+  humidity        humid           humility        humil          
+  humming         hum             humor           humor          
+  humorous        humor           humors          humor          
+  humour          humour          humourists      humourist      
+  humours         humour          humphrey        humphrei       
+  humphry         humphri         hums            hum            
+  hundred         hundr           hundreds        hundr          
+  hundredth       hundredth       hung            hung           
+  hungarian       hungarian       hungary         hungari        
+  hunger          hunger          hungerford      hungerford     
+  hungerly        hungerli        hungry          hungri         
+  hunt            hunt            hunted          hunt           
+  hunter          hunter          hunters         hunter         
+  hunteth         hunteth         hunting         hunt           
+  huntington      huntington      huntress        huntress       
+  hunts           hunt            huntsman        huntsman       
+  huntsmen        huntsmen        hurdle          hurdl          
+  hurl            hurl            hurling         hurl           
+  hurls           hurl            hurly           hurli          
+  hurlyburly      hurlyburli      hurricano       hurricano      
+  hurricanoes     hurricano       hurried         hurri          
+  hurries         hurri           hurry           hurri          
+  hurt            hurt            hurting         hurt           
+  hurtled         hurtl           hurtless        hurtless       
+  hurtling        hurtl           hurts           hurt           
+  husband         husband         husbanded       husband        
+  husbandless     husbandless     husbandry       husbandri      
+  husbands        husband         hush            hush           
+  hushes          hush            husht           husht          
+  husks           husk            huswife         huswif         
+  huswifes        huswif          hutch           hutch          
+  hybla           hybla           hydra           hydra          
+  hyen            hyen            hymen           hymen          
+  hymenaeus       hymenaeu        hymn            hymn           
+  hymns           hymn            hyperboles      hyperbol       
+  hyperbolical    hyperbol        hyperion        hyperion       
+  hypocrisy       hypocrisi       hypocrite       hypocrit       
+  hypocrites      hypocrit        hyrcan          hyrcan         
+  hyrcania        hyrcania        hyrcanian       hyrcanian      
+  hyssop          hyssop          hysterica       hysterica      
+  i               i               iachimo         iachimo        
+  iaculis         iaculi          iago            iago           
+  iament          iament          ibat            ibat           
+  icarus          icaru           ice             ic             
+  iceland         iceland         ici             ici            
+  icicle          icicl           icicles         icicl          
+  icy             ici             idea            idea           
+  ideas           idea            idem            idem           
+  iden            iden            ides            id             
+  idiot           idiot           idiots          idiot          
+  idle            idl             idleness        idl            
+  idles           idl             idly            idli           
+  idol            idol            idolatrous      idolatr        
+  idolatry        idolatri        ield            ield           
+  if              if              ifs             if             
+  ignis           igni            ignoble         ignobl         
+  ignobly         ignobl          ignominious     ignomini       
+  ignominy        ignomini        ignomy          ignomi         
+  ignorance       ignor           ignorant        ignor          
+  ii              ii              iii             iii            
+  iiii            iiii            il              il             
+  ilbow           ilbow           ild             ild            
+  ilion           ilion           ilium           ilium          
+  ill             ill             illegitimate    illegitim      
+  illiterate      illiter         illness         ill            
+  illo            illo            ills            ill            
+  illume          illum           illumin         illumin        
+  illuminate      illumin         illumineth      illumineth     
+  illusion        illus           illusions       illus          
+  illustrate      illustr         illustrated     illustr        
+  illustrious     illustri        illyria         illyria        
+  illyrian        illyrian        ils             il             
+  im              im              image           imag           
+  imagery         imageri         images          imag           
+  imagin          imagin          imaginary       imaginari      
+  imagination     imagin          imaginations    imagin         
+  imagine         imagin          imagining       imagin         
+  imaginings      imagin          imbar           imbar          
+  imbecility      imbecil         imbrue          imbru          
+  imitari         imitari         imitate         imit           
+  imitated        imit            imitation       imit           
+  imitations      imit            immaculate      immacul        
+  immanity        imman           immask          immask         
+  immaterial      immateri        immediacy       immediaci      
+  immediate       immedi          immediately     immedi         
+  imminence       immin           imminent        immin          
+  immoderate      immoder         immoderately    immoder        
+  immodest        immodest        immoment        immoment       
+  immortal        immort          immortaliz      immortaliz     
+  immortally      immort          immur           immur          
+  immured         immur           immures         immur          
+  imogen          imogen          imp             imp            
+  impaint         impaint         impair          impair         
+  impairing       impair          impale          impal          
+  impaled         impal           impanelled      impanel        
+  impart          impart          imparted        impart         
+  impartial       imparti         impartment      impart         
+  imparts         impart          impasted        impast         
+  impatience      impati          impatient       impati         
+  impatiently     impati          impawn          impawn         
+  impeach         impeach         impeached       impeach        
+  impeachment     impeach         impeachments    impeach        
+  impedes         imped           impediment      impedi         
+  impediments     impedi          impenetrable    impenetr       
+  imperator       imper           imperceiverant  imperceiver    
+  imperfect       imperfect       imperfection    imperfect      
+  imperfections   imperfect       imperfectly     imperfectli    
+  imperial        imperi          imperious       imperi         
+  imperiously     imperi          impertinency    impertin       
+  impertinent     impertin        impeticos       impetico       
+  impetuosity     impetuos        impetuous       impetu         
+  impieties       impieti         impiety         impieti        
+  impious         impiou          implacable      implac         
+  implements      implement       implies         impli          
+  implor          implor          implorators     implor         
+  implore         implor          implored        implor         
+  imploring       implor          impon           impon          
+  import          import          importance      import         
+  importancy      import          important       import         
+  importantly     importantli     imported        import         
+  importeth       importeth       importing       import         
+  importless      importless      imports         import         
+  importun        importun        importunacy     importunaci    
+  importunate     importun        importune       importun       
+  importunes      importun        importunity     importun       
+  impos           impo            impose          impos          
+  imposed         impos           imposition      imposit        
+  impositions     imposit         impossibilities imposs         
+  impossibility   imposs          impossible      imposs         
+  imposthume      imposthum       impostor        impostor       
+  impostors       impostor        impotence       impot          
+  impotent        impot           impounded       impound        
+  impregnable     impregn         imprese         impres         
+  impress         impress         impressed       impress        
+  impressest      impressest      impression      impress        
+  impressure      impressur       imprimendum     imprimendum    
+  imprimis        imprimi         imprint         imprint        
+  imprinted       imprint         imprison        imprison       
+  imprisoned      imprison        imprisoning     imprison       
+  imprisonment    imprison        improbable      improb         
+  improper        improp          improve         improv         
+  improvident     improvid        impudence       impud          
+  impudency       impud           impudent        impud          
+  impudently      impud           impudique       impudiqu       
+  impugn          impugn          impugns         impugn         
+  impure          impur           imputation      imput          
+  impute          imput           in              in             
+  inaccessible    inaccess        inaidable       inaid          
+  inaudible       inaud           inauspicious    inauspici      
+  incaged         incag           incantations    incant         
+  incapable       incap           incardinate     incardin       
+  incarnadine     incarnadin      incarnate       incarn         
+  incarnation     incarn          incens          incen          
+  incense         incens          incensed        incens         
+  incensement     incens          incenses        incens         
+  incensing       incens          incertain       incertain      
+  incertainties   incertainti     incertainty     incertainti    
+  incessant       incess          incessantly     incessantli    
+  incest          incest          incestuous      incestu        
+  inch            inch            incharitable    incharit       
+  inches          inch            incidency       incid          
+  incident        incid           incision        incis          
+  incite          incit           incites         incit          
+  incivil         incivil         incivility      incivil        
+  inclin          inclin          inclinable      inclin         
+  inclination     inclin          incline         inclin         
+  inclined        inclin          inclines        inclin         
+  inclining       inclin          inclips         inclip         
+  include         includ          included        includ         
+  includes        includ          inclusive       inclus         
+  incomparable    incompar        incomprehensible incomprehens   
+  inconsiderate   inconsider      inconstancy     inconst        
+  inconstant      inconst         incontinency    incontin       
+  incontinent     incontin        incontinently   incontin       
+  inconvenience   inconveni       inconveniences  inconveni      
+  inconvenient    inconveni       incony          inconi         
+  incorporate     incorpor        incorps         incorp         
+  incorrect       incorrect       increas         increa         
+  increase        increas         increases       increas        
+  increaseth      increaseth      increasing      increas        
+  incredible      incred          incredulous     incredul       
+  incur           incur           incurable       incur          
+  incurr          incurr          incurred        incur          
+  incursions      incurs          ind             ind            
+  inde            ind             indebted        indebt         
+  indeed          inde            indent          indent         
+  indented        indent          indenture       indentur       
+  indentures      indentur        index           index          
+  indexes         index           india           india          
+  indian          indian          indict          indict         
+  indicted        indict          indictment      indict         
+  indies          indi            indifferency    indiffer       
+  indifferent     indiffer        indifferently   indiffer       
+  indigent        indig           indigest        indigest       
+  indigested      indigest        indign          indign         
+  indignation     indign          indignations    indign         
+  indigne         indign          indignities     indign         
+  indignity       indign          indirect        indirect       
+  indirection     indirect        indirections    indirect       
+  indirectly      indirectli      indiscreet      indiscreet     
+  indiscretion    indiscret       indispos        indispo        
+  indisposition   indisposit      indissoluble    indissolubl    
+  indistinct      indistinct      indistinguish   indistinguish  
+  indistinguishable indistinguish   indited         indit          
+  individable     individ         indrench        indrench       
+  indu            indu            indubitate      indubit        
+  induc           induc           induce          induc          
+  induced         induc           inducement      induc          
+  induction       induct          inductions      induct         
+  indue           indu            indued          indu           
+  indues          indu            indulgence      indulg         
+  indulgences     indulg          indulgent       indulg         
+  indurance       indur           industrious     industri       
+  industriously   industri        industry        industri       
+  inequality      inequ           inestimable     inestim        
+  inevitable      inevit          inexecrable     inexecr        
+  inexorable      inexor          inexplicable    inexplic       
+  infallible      infal           infallibly      infal          
+  infamonize      infamon         infamous        infam          
+  infamy          infami          infancy         infanc         
+  infant          infant          infants         infant         
+  infect          infect          infected        infect         
+  infecting       infect          infection       infect         
+  infections      infect          infectious      infecti        
+  infectiously    infecti         infects         infect         
+  infer           infer           inference       infer          
+  inferior        inferior        inferiors       inferior       
+  infernal        infern          inferr          inferr         
+  inferreth       inferreth       inferring       infer          
+  infest          infest          infidel         infidel        
+  infidels        infidel         infinite        infinit        
+  infinitely      infinit         infinitive      infinit        
+  infirm          infirm          infirmities     infirm         
+  infirmity       infirm          infixed         infix          
+  infixing        infix           inflam          inflam         
+  inflame         inflam          inflaming       inflam         
+  inflammation    inflamm         inflict         inflict        
+  infliction      inflict         influence       influenc       
+  influences      influenc        infold          infold         
+  inform          inform          informal        inform         
+  information     inform          informations    inform         
+  informed        inform          informer        inform         
+  informs         inform          infortunate     infortun       
+  infring         infr            infringe        infring        
+  infringed       infring         infus           infu           
+  infuse          infus           infused         infus          
+  infusing        infus           infusion        infus          
+  ingener         ingen           ingenious       ingeni         
+  ingeniously     ingeni          inglorious      inglori        
+  ingots          ingot           ingraffed       ingraf         
+  ingraft         ingraft         ingrate         ingrat         
+  ingrated        ingrat          ingrateful      ingrat         
+  ingratitude     ingratitud      ingratitudes    ingratitud     
+  ingredient      ingredi         ingredients     ingredi        
+  ingross         ingross         inhabit         inhabit        
+  inhabitable     inhabit         inhabitants     inhabit        
+  inhabited       inhabit         inhabits        inhabit        
+  inhearse        inhears         inhearsed       inhears        
+  inherent        inher           inherit         inherit        
+  inheritance     inherit         inherited       inherit        
+  inheriting      inherit         inheritor       inheritor      
+  inheritors      inheritor       inheritrix      inheritrix     
+  inherits        inherit         inhibited       inhibit        
+  inhibition      inhibit         inhoop          inhoop         
+  inhuman         inhuman         iniquities      iniqu          
+  iniquity        iniqu           initiate        initi          
+  injointed       injoint         injunction      injunct        
+  injunctions     injunct         injur           injur          
+  injure          injur           injurer         injur          
+  injuries        injuri          injurious       injuri         
+  injury          injuri          injustice       injustic       
+  ink             ink             inkhorn         inkhorn        
+  inkle           inkl            inkles          inkl           
+  inkling         inkl            inky            inki           
+  inlaid          inlaid          inland          inland         
+  inlay           inlai           inly            inli           
+  inmost          inmost          inn             inn            
+  inner           inner           innkeeper       innkeep        
+  innocence       innoc           innocency       innoc          
+  innocent        innoc           innocents       innoc          
+  innovation      innov           innovator       innov          
+  inns            inn             innumerable     innumer        
+  inoculate       inocul          inordinate      inordin        
+  inprimis        inprimi         inquir          inquir         
+  inquire         inquir          inquiry         inquiri        
+  inquisition     inquisit        inquisitive     inquisit       
+  inroads         inroad          insane          insan          
+  insanie         insani          insatiate       insati         
+  insconce        insconc         inscrib         inscrib        
+  inscription     inscript        inscriptions    inscript       
+  inscroll        inscrol         inscrutable     inscrut        
+  insculp         insculp         insculpture     insculptur     
+  insensible      insens          inseparable     insepar        
+  inseparate      insepar         insert          insert         
+  inserted        insert          inset           inset          
+  inshell         inshel          inshipp         inshipp        
+  inside          insid           insinewed       insinew        
+  insinuate       insinu          insinuateth     insinuateth    
+  insinuating     insinu          insinuation     insinu         
+  insisted        insist          insisting       insist         
+  insisture       insistur        insociable      insoci         
+  insolence       insol           insolent        insol          
+  insomuch        insomuch        inspir          inspir         
+  inspiration     inspir          inspirations    inspir         
+  inspire         inspir          inspired        inspir         
+  install         instal          installed       instal         
+  instalment      instal          instance        instanc        
+  instances       instanc         instant         instant        
+  instantly       instantli       instate         instat         
+  instead         instead         insteeped       insteep        
+  instigate       instig          instigated      instig         
+  instigation     instig          instigations    instig         
+  instigator      instig          instinct        instinct       
+  instinctively   instinct        institute       institut       
+  institutions    institut        instruct        instruct       
+  instructed      instruct        instruction     instruct       
+  instructions    instruct        instructs       instruct       
+  instrument      instrument      instrumental    instrument     
+  instruments     instrument      insubstantial   insubstanti    
+  insufficience   insuffici       insufficiency   insuffici      
+  insult          insult          insulted        insult         
+  insulting       insult          insultment      insult         
+  insults         insult          insupportable   insupport      
+  insuppressive   insuppress      insurrection    insurrect      
+  insurrections   insurrect       int             int            
+  integer         integ           integritas      integrita      
+  integrity       integr          intellect       intellect      
+  intellects      intellect       intellectual    intellectu     
+  intelligence    intellig        intelligencer   intelligenc    
+  intelligencing  intelligenc     intelligent     intellig       
+  intelligis      intelligi       intelligo       intelligo      
+  intemperance    intemper        intemperate     intemper       
+  intend          intend          intended        intend         
+  intendeth       intendeth       intending       intend         
+  intendment      intend          intends         intend         
+  intenible       inten           intent          intent         
+  intention       intent          intentively     intent         
+  intents         intent          inter           inter          
+  intercept       intercept       intercepted     intercept      
+  intercepter     intercept       interception    intercept      
+  intercepts      intercept       intercession    intercess      
+  intercessors    intercessor     interchained    interchain     
+  interchang      interchang      interchange     interchang     
+  interchangeably interchang      interchangement interchang     
+  interchanging   interchang      interdiction    interdict      
+  interest        interest        interim         interim        
+  interims        interim         interior        interior       
+  interjections   interject       interjoin       interjoin      
+  interlude       interlud        intermingle     intermingl     
+  intermission    intermiss       intermissive    intermiss      
+  intermit        intermit        intermix        intermix       
+  intermixed      intermix        interpose       interpos       
+  interposer      interpos        interposes      interpos       
+  interpret       interpret       interpretation  interpret      
+  interpreted     interpret       interpreter     interpret      
+  interpreters    interpret       interprets      interpret      
+  interr          interr          interred        inter          
+  interrogatories interrogatori   interrupt       interrupt      
+  interrupted     interrupt       interrupter     interrupt      
+  interruptest    interruptest    interruption    interrupt      
+  interrupts      interrupt       intertissued    intertissu     
+  intervallums    intervallum     interview       interview      
+  intestate       intest          intestine       intestin       
+  intil           intil           intimate        intim          
+  intimation      intim           intitled        intitl         
+  intituled       intitul         into            into           
+  intolerable     intoler         intoxicates     intox          
+  intreasured     intreasur       intreat         intreat        
+  intrench        intrench        intrenchant     intrench       
+  intricate       intric          intrinse        intrins        
+  intrinsicate    intrins         intrude         intrud         
+  intruder        intrud          intruding       intrud         
+  intrusion       intrus          inundation      inund          
+  inure           inur            inurn           inurn          
+  invade          invad           invades         invad          
+  invasion        invas           invasive        invas          
+  invectively     invect          invectives      invect         
+  inveigled       inveigl         invent          invent         
+  invented        invent          invention       invent         
+  inventions      invent          inventor        inventor       
+  inventorially   inventori       inventoried     inventori      
+  inventors       inventor        inventory       inventori      
+  inverness       inver           invert          invert         
+  invest          invest          invested        invest         
+  investing       invest          investments     invest         
+  inveterate      inveter         invincible      invinc         
+  inviolable      inviol          invised         invis          
+  invisible       invis           invitation      invit          
+  invite          invit           invited         invit          
+  invites         invit           inviting        invit          
+  invitis         inviti          invocate        invoc          
+  invocation      invoc           invoke          invok          
+  invoked         invok           invulnerable    invulner       
+  inward          inward          inwardly        inwardli       
+  inwardness      inward          inwards         inward         
+  ionia           ionia           ionian          ionian         
+  ipse            ips             ipswich         ipswich        
+  ira             ira             irae            ira            
+  iras            ira             ire             ir             
+  ireful          ir              ireland         ireland        
+  iris            iri             irish           irish          
+  irishman        irishman        irishmen        irishmen       
+  irks            irk             irksome         irksom         
+  iron            iron            irons           iron           
+  irreconcil      irreconcil      irrecoverable   irrecover      
+  irregular       irregular       irregulous      irregul        
+  irreligious     irreligi        irremovable     irremov        
+  irreparable     irrepar         irresolute      irresolut      
+  irrevocable     irrevoc         is              is             
+  isabel          isabel          isabella        isabella       
+  isbel           isbel           isbels          isbel          
+  iscariot        iscariot        ise             is             
+  ish             ish             isidore         isidor         
+  isis            isi             island          island         
+  islander        island          islanders       island         
+  islands         island          isle            isl            
+  isles           isl             israel          israel         
+  issu            issu            issue           issu           
+  issued          issu            issueless       issueless      
+  issues          issu            issuing         issu           
+  ist             ist             ista            ista           
+  it              it              italian         italian        
+  italy           itali           itch            itch           
+  itches          itch            itching         itch           
+  item            item            items           item           
+  iteration       iter            ithaca          ithaca         
+  its             it              itself          itself         
+  itshall         itshal          iv              iv             
+  ivory           ivori           ivy             ivi            
+  iwis            iwi             ix              ix             
+  j               j               jacet           jacet          
+  jack            jack            jackanapes      jackanap       
+  jacks           jack            jacksauce       jacksauc       
+  jackslave       jackslav        jacob           jacob          
+  jade            jade            jaded           jade           
+  jades           jade            jail            jail           
+  jakes           jake            jamany          jamani         
+  james           jame            jamy            jami           
+  jane            jane            jangled         jangl          
+  jangling        jangl           january         januari        
+  janus           janu            japhet          japhet         
+  jaquenetta      jaquenetta      jaques          jaqu           
+  jar             jar             jarring         jar            
+  jars            jar             jarteer         jarteer        
+  jasons          jason           jaunce          jaunc          
+  jauncing        jaunc           jaundice        jaundic        
+  jaundies        jaundi          jaw             jaw            
+  jawbone         jawbon          jaws            jaw            
+  jay             jai             jays            jai            
+  jc              jc              je              je             
+  jealous         jealou          jealousies      jealousi       
+  jealousy        jealousi        jeer            jeer           
+  jeering         jeer            jelly           jelli          
+  jenny           jenni           jeopardy        jeopardi       
+  jephtha         jephtha         jephthah        jephthah       
+  jerkin          jerkin          jerkins         jerkin         
+  jerks           jerk            jeronimy        jeronimi       
+  jerusalem       jerusalem       jeshu           jeshu          
+  jesses          jess            jessica         jessica        
+  jest            jest            jested          jest           
+  jester          jester          jesters         jester         
+  jesting         jest            jests           jest           
+  jesu            jesu            jesus           jesu           
+  jet             jet             jets            jet            
+  jew             jew             jewel           jewel          
+  jeweller        jewel           jewels          jewel          
+  jewess          jewess          jewish          jewish         
+  jewry           jewri           jews            jew            
+  jezebel         jezebel         jig             jig            
+  jigging         jig             jill            jill           
+  jills           jill            jingling        jingl          
+  joan            joan            job             job            
+  jockey          jockei          jocund          jocund         
+  jog             jog             jogging         jog            
+  john            john            johns           john           
+  join            join            joinder         joinder        
+  joined          join            joiner          joiner         
+  joineth         joineth         joins           join           
+  joint           joint           jointed         joint          
+  jointing        joint           jointly         jointli        
+  jointress       jointress       joints          joint          
+  jointure        jointur         jollity         jolliti        
+  jolly           jolli           jolt            jolt           
+  joltheads       jolthead        jordan          jordan         
+  joseph          joseph          joshua          joshua         
+  jot             jot             jour            jour           
+  jourdain        jourdain        journal         journal        
+  journey         journei         journeying      journei        
+  journeyman      journeyman      journeymen      journeymen     
+  journeys        journei         jove            jove           
+  jovem           jovem           jovial          jovial         
+  jowl            jowl            jowls           jowl           
+  joy             joi             joyed           joi            
+  joyful          joy             joyfully        joyfulli       
+  joyless         joyless         joyous          joyou          
+  joys            joi             juan            juan           
+  jud             jud             judas           juda           
+  judases         judas           jude            jude           
+  judg            judg            judge           judg           
+  judged          judg            judgement       judgement      
+  judges          judg            judgest         judgest        
+  judging         judg            judgment        judgment       
+  judgments       judgment        judicious       judici         
+  jug             jug             juggle          juggl          
+  juggled         juggl           juggler         juggler        
+  jugglers        juggler         juggling        juggl          
+  jugs            jug             juice           juic           
+  juiced          juic            jul             jul            
+  jule            jule            julia           julia          
+  juliet          juliet          julietta        julietta       
+  julio           julio           julius          juliu          
+  july            juli            jump            jump           
+  jumpeth         jumpeth         jumping         jump           
+  jumps           jump            june            june           
+  junes           june            junior          junior         
+  junius          juniu           junkets         junket         
+  juno            juno            jupiter         jupit          
+  jure            jure            jurement        jurement       
+  jurisdiction    jurisdict       juror           juror          
+  jurors          juror           jury            juri           
+  jurymen         jurymen         just            just           
+  justeius        justeiu         justest         justest        
+  justice         justic          justicer        justic         
+  justicers       justic          justices        justic         
+  justification   justif          justified       justifi        
+  justify         justifi         justle          justl          
+  justled         justl           justles         justl          
+  justling        justl           justly          justli         
+  justness        just            justs           just           
+  jutting         jut             jutty           jutti          
+  juvenal         juven           kam             kam            
+  kate            kate            kated           kate           
+  kates           kate            katharine       katharin       
+  katherina       katherina       katherine       katherin       
+  kecksies        kecksi          keech           keech          
+  keel            keel            keels           keel           
+  keen            keen            keenness        keen           
+  keep            keep            keepdown        keepdown       
+  keeper          keeper          keepers         keeper         
+  keepest         keepest         keeping         keep           
+  keeps           keep            keiser          keiser         
+  ken             ken             kendal          kendal         
+  kennel          kennel          kent            kent           
+  kentish         kentish         kentishman      kentishman     
+  kentishmen      kentishmen      kept            kept           
+  kerchief        kerchief        kerely          kere           
+  kern            kern            kernal          kernal         
+  kernel          kernel          kernels         kernel         
+  kerns           kern            kersey          kersei         
+  kettle          kettl           kettledrum      kettledrum     
+  kettledrums     kettledrum      key             kei            
+  keys            kei             kibe            kibe           
+  kibes           kibe            kick            kick           
+  kicked          kick            kickshaws       kickshaw       
+  kickshawses     kickshaws       kicky           kicki          
+  kid             kid             kidney          kidnei         
+  kikely          kike            kildare         kildar         
+  kill            kill            killed          kill           
+  killer          killer          killeth         killeth        
+  killing         kill            killingworth    killingworth   
+  kills           kill            kiln            kiln           
+  kimbolton       kimbolton       kin             kin            
+  kind            kind            kinder          kinder         
+  kindest         kindest         kindle          kindl          
+  kindled         kindl           kindless        kindless       
+  kindlier        kindlier        kindling        kindl          
+  kindly          kindli          kindness        kind           
+  kindnesses      kind            kindred         kindr          
+  kindreds        kindr           kinds           kind           
+  kine            kine            king            king           
+  kingdom         kingdom         kingdoms        kingdom        
+  kingly          kingli          kings           king           
+  kinred          kinr            kins            kin            
+  kinsman         kinsman         kinsmen         kinsmen        
+  kinswoman       kinswoman       kirtle          kirtl          
+  kirtles         kirtl           kiss            kiss           
+  kissed          kiss            kisses          kiss           
+  kissing         kiss            kitchen         kitchen        
+  kitchens        kitchen         kite            kite           
+  kites           kite            kitten          kitten         
+  kj              kj              kl              kl             
+  klll            klll            knack           knack          
+  knacks          knack           knapp           knapp          
+  knav            knav            knave           knave          
+  knaveries       knaveri         knavery         knaveri        
+  knaves          knave           knavish         knavish        
+  knead           knead           kneaded         knead          
+  kneading        knead           knee            knee           
+  kneel           kneel           kneeling        kneel          
+  kneels          kneel           knees           knee           
+  knell           knell           knew            knew           
+  knewest         knewest         knife           knife          
+  knight          knight          knighted        knight         
+  knighthood      knighthood      knighthoods     knighthood     
+  knightly        knightli        knights         knight         
+  knit            knit            knits           knit           
+  knitters        knitter         knitteth        knitteth       
+  knives          knive           knobs           knob           
+  knock           knock           knocking        knock          
+  knocks          knock           knog            knog           
+  knoll           knoll           knot            knot           
+  knots           knot            knotted         knot           
+  knotty          knotti          know            know           
+  knower          knower          knowest         knowest        
+  knowing         know            knowingly       knowingli      
+  knowings        know            knowledge       knowledg       
+  known           known           knows           know           
+  l               l               la              la             
+  laban           laban           label           label          
+  labell          label           labienus        labienu        
+  labio           labio           labor           labor          
+  laboring        labor           labors          labor          
+  labour          labour          laboured        labour         
+  labourer        labour          labourers       labour         
+  labouring       labour          labours         labour         
+  laboursome      laboursom       labras          labra          
+  labyrinth       labyrinth       lac             lac            
+  lace            lace            laced           lace           
+  lacedaemon      lacedaemon      laces           lace           
+  lacies          laci            lack            lack           
+  lackbeard       lackbeard       lacked          lack           
+  lackey          lackei          lackeying       lackei         
+  lackeys         lackei          lacking         lack           
+  lacks           lack            lad             lad            
+  ladder          ladder          ladders         ladder         
+  lade            lade            laden           laden          
+  ladies          ladi            lading          lade           
+  lads            lad             lady            ladi           
+  ladybird        ladybird        ladyship        ladyship       
+  ladyships       ladyship        laer            laer           
+  laertes         laert           lafeu           lafeu          
+  lag             lag             lagging         lag            
+  laid            laid            lain            lain           
+  laissez         laissez         lake            lake           
+  lakes           lake            lakin           lakin          
+  lam             lam             lamb            lamb           
+  lambert         lambert         lambkin         lambkin        
+  lambkins        lambkin         lambs           lamb           
+  lame            lame            lamely          lame           
+  lameness        lame            lament          lament         
+  lamentable      lament          lamentably      lament         
+  lamentation     lament          lamentations    lament         
+  lamented        lament          lamenting       lament         
+  lamentings      lament          laments         lament         
+  lames           lame            laming          lame           
+  lammas          lamma           lammastide      lammastid      
+  lamound         lamound         lamp            lamp           
+  lampass         lampass         lamps           lamp           
+  lanc            lanc            lancaster       lancast        
+  lance           lanc            lances          lanc           
+  lanceth         lanceth         lanch           lanch          
+  land            land            landed          land           
+  landing         land            landless        landless       
+  landlord        landlord        landmen         landmen        
+  lands           land            lane            lane           
+  lanes           lane            langage         langag         
+  langley         langlei         langton         langton        
+  language        languag         languageless    languageless   
+  languages       languag         langues         langu          
+  languish        languish        languished      languish       
+  languishes      languish        languishing     languish       
+  languishings    languish        languishment    languish       
+  languor         languor         lank            lank           
+  lantern         lantern         lanterns        lantern        
+  lanthorn        lanthorn        lap             lap            
+  lapis           lapi            lapland         lapland        
+  lapp            lapp            laps            lap            
+  lapse           laps            lapsed          laps           
+  lapsing         laps            lapwing         lapw           
+  laquais         laquai          larded          lard           
+  larder          larder          larding         lard           
+  lards           lard            large           larg           
+  largely         larg            largeness       larg           
+  larger          larger          largess         largess        
+  largest         largest         lark            lark           
+  larks           lark            larron          larron         
+  lartius         lartiu          larum           larum          
+  larums          larum           las             la             
+  lascivious      lascivi         lash            lash           
+  lass            lass            lasses          lass           
+  last            last            lasted          last           
+  lasting         last            lastly          lastli         
+  lasts           last            latch           latch          
+  latches         latch           late            late           
+  lated           late            lately          late           
+  later           later           latest          latest         
+  lath            lath            latin           latin          
+  latten          latten          latter          latter         
+  lattice         lattic          laud            laud           
+  laudable        laudabl         laudis          laudi          
+  laugh           laugh           laughable       laughabl       
+  laughed         laugh           laugher         laugher        
+  laughest        laughest        laughing        laugh          
+  laughs          laugh           laughter        laughter       
+  launce          launc           launcelot       launcelot      
+  launces         launc           launch          launch         
+  laund           laund           laundress       laundress      
+  laundry         laundri         laur            laur           
+  laura           laura           laurel          laurel         
+  laurels         laurel          laurence        laurenc        
+  laus            lau             lavache         lavach         
+  lave            lave            lavee           lave           
+  lavender        lavend          lavina          lavina         
+  lavinia         lavinia         lavish          lavish         
+  lavishly        lavishli        lavolt          lavolt         
+  lavoltas        lavolta         law             law            
+  lawful          law             lawfully        lawfulli       
+  lawless         lawless         lawlessly       lawlessli      
+  lawn            lawn            lawns           lawn           
+  lawrence        lawrenc         laws            law            
+  lawyer          lawyer          lawyers         lawyer         
+  lay             lai             layer           layer          
+  layest          layest          laying          lai            
+  lays            lai             lazar           lazar          
+  lazars          lazar           lazarus         lazaru         
+  lazy            lazi            lc              lc             
+  ld              ld              ldst            ldst           
+  le              le              lead            lead           
+  leaden          leaden          leader          leader         
+  leaders         leader          leadest         leadest        
+  leading         lead            leads           lead           
+  leaf            leaf            leagu           leagu          
+  league          leagu           leagued         leagu          
+  leaguer         leaguer         leagues         leagu          
+  leah            leah            leak            leak           
+  leaky           leaki           lean            lean           
+  leander         leander         leaner          leaner         
+  leaning         lean            leanness        lean           
+  leans           lean            leap            leap           
+  leaped          leap            leaping         leap           
+  leaps           leap            leapt           leapt          
+  lear            lear            learn           learn          
+  learned         learn           learnedly       learnedli      
+  learning        learn           learnings       learn          
+  learns          learn           learnt          learnt         
+  leas            lea             lease           leas           
+  leases          leas            leash           leash          
+  leasing         leas            least           least          
+  leather         leather         leathern        leathern       
+  leav            leav            leave           leav           
+  leaven          leaven          leavening       leaven         
+  leaver          leaver          leaves          leav           
+  leaving         leav            leavy           leavi          
+  lecher          lecher          lecherous       lecher         
+  lechers         lecher          lechery         lecheri        
+  lecon           lecon           lecture         lectur         
+  lectures        lectur          led             led            
+  leda            leda            leech           leech          
+  leeches         leech           leek            leek           
+  leeks           leek            leer            leer           
+  leers           leer            lees            lee            
+  leese           lees            leet            leet           
+  leets           leet            left            left           
+  leg             leg             legacies        legaci         
+  legacy          legaci          legate          legat          
+  legatine        legatin         lege            lege           
+  legerity        leger           leges           lege           
+  legg            legg            legion          legion         
+  legions         legion          legitimate      legitim        
+  legitimation    legitim         legs            leg            
+  leicester       leicest         leicestershire  leicestershir  
+  leiger          leiger          leigers         leiger         
+  leisure         leisur          leisurely       leisur         
+  leisures        leisur          leman           leman          
+  lemon           lemon           lena            lena           
+  lend            lend            lender          lender         
+  lending         lend            lendings        lend           
+  lends           lend            length          length         
+  lengthen        lengthen        lengthens       lengthen       
+  lengths         length          lenity          leniti         
+  lennox          lennox          lent            lent           
+  lenten          lenten          lentus          lentu          
+  leo             leo             leon            leon           
+  leonardo        leonardo        leonati         leonati        
+  leonato         leonato         leonatus        leonatu        
+  leontes         leont           leopard         leopard        
+  leopards        leopard         leper           leper          
+  leperous        leper           lepidus         lepidu         
+  leprosy         leprosi         lequel          lequel         
+  lers            ler             les             le             
+  less            less            lessen          lessen         
+  lessens         lessen          lesser          lesser         
+  lesson          lesson          lessoned        lesson         
+  lessons         lesson          lest            lest           
+  lestrake        lestrak         let             let            
+  lethargied      lethargi        lethargies      lethargi       
+  lethargy        lethargi        lethe           leth           
+  lets            let             lett            lett           
+  letter          letter          letters         letter         
+  letting         let             lettuce         lettuc         
+  leur            leur            leve            leve           
+  level           level           levell          level          
+  levelled        level           levels          level          
+  leven           leven           levers          lever          
+  leviathan       leviathan       leviathans      leviathan      
+  levied          levi            levies          levi           
+  levity          leviti          levy            levi           
+  levying         levi            lewd            lewd           
+  lewdly          lewdli          lewdness        lewd           
+  lewdsters       lewdster        lewis           lewi           
+  liable          liabl           liar            liar           
+  liars           liar            libbard         libbard        
+  libelling       libel           libels          libel          
+  liberal         liber           liberality      liber          
+  liberte         libert          liberties       liberti        
+  libertine       libertin        libertines      libertin       
+  liberty         liberti         library         librari        
+  libya           libya           licence         licenc         
+  licens          licen           license         licens         
+  licentious      licenti         lichas          licha          
+  licio           licio           lick            lick           
+  licked          lick            licker          licker         
+  lictors         lictor          lid             lid            
+  lids            lid             lie             lie            
+  lied            li              lief            lief           
+  liefest         liefest         liege           lieg           
+  liegeman        liegeman        liegemen        liegemen       
+  lien            lien            lies            li             
+  liest           liest           lieth           lieth          
+  lieu            lieu            lieutenant      lieuten        
+  lieutenantry    lieutenantri    lieutenants     lieuten        
+  lieve           liev            life            life           
+  lifeblood       lifeblood       lifeless        lifeless       
+  lifelings       lifel           lift            lift           
+  lifted          lift            lifter          lifter         
+  lifteth         lifteth         lifting         lift           
+  lifts           lift            lig             lig            
+  ligarius        ligariu         liggens         liggen         
+  light           light           lighted         light          
+  lighten         lighten         lightens        lighten        
+  lighter         lighter         lightest        lightest       
+  lightly         lightli         lightness       light          
+  lightning       lightn          lightnings      lightn         
+  lights          light           lik             lik            
+  like            like            liked           like           
+  likeliest       likeliest       likelihood      likelihood     
+  likelihoods     likelihood      likely          like           
+  likeness        like            liker           liker          
+  likes           like            likest          likest         
+  likewise        likewis         liking          like           
+  likings         like            lilies          lili           
+  lily            lili            lim             lim            
+  limander        limand          limb            limb           
+  limbeck         limbeck         limbecks        limbeck        
+  limber          limber          limbo           limbo          
+  limbs           limb            lime            lime           
+  limed           lime            limehouse       limehous       
+  limekilns       limekiln        limit           limit          
+  limitation      limit           limited         limit          
+  limits          limit           limn            limn           
+  limp            limp            limping         limp           
+  limps           limp            lin             lin            
+  lincoln         lincoln         lincolnshire    lincolnshir    
+  line            line            lineal          lineal         
+  lineally        lineal          lineament       lineament      
+  lineaments      lineament       lined           line           
+  linen           linen           linens          linen          
+  lines           line            ling            ling           
+  lingare         lingar          linger          linger         
+  lingered        linger          lingers         linger         
+  linguist        linguist        lining          line           
+  link            link            links           link           
+  linsey          linsei          linstock        linstock       
+  linta           linta           lion            lion           
+  lionel          lionel          lioness         lioness        
+  lions           lion            lip             lip            
+  lipp            lipp            lips            lip            
+  lipsbury        lipsburi        liquid          liquid         
+  liquor          liquor          liquorish       liquorish      
+  liquors         liquor          lirra           lirra          
+  lisbon          lisbon          lisp            lisp           
+  lisping         lisp            list            list           
+  listen          listen          listening       listen         
+  lists           list            literatured     literatur      
+  lither          lither          litter          litter         
+  little          littl           littlest        littlest       
+  liv             liv             live            live           
+  lived           live            livelier        liveli         
+  livelihood      livelihood      livelong        livelong       
+  lively          live            liver           liver          
+  liveries        liveri          livers          liver          
+  livery          liveri          lives           live           
+  livest          livest          liveth          liveth         
+  livia           livia           living          live           
+  livings         live            lizard          lizard         
+  lizards         lizard          ll              ll             
+  lll             lll             llous           llou           
+  lnd             lnd             lo              lo             
+  loa             loa             loach           loach          
+  load            load            loaden          loaden         
+  loading         load            loads           load           
+  loaf            loaf            loam            loam           
+  loan            loan            loath           loath          
+  loathe          loath           loathed         loath          
+  loather         loather         loathes         loath          
+  loathing        loath           loathly         loathli        
+  loathness       loath           loathsome       loathsom       
+  loathsomeness   loathsom        loathsomest     loathsomest    
+  loaves          loav            lob             lob            
+  lobbies         lobbi           lobby           lobbi          
+  local           local           lochaber        lochab         
+  lock            lock            locked          lock           
+  locking         lock            lockram         lockram        
+  locks           lock            locusts         locust         
+  lode            lode            lodg            lodg           
+  lodge           lodg            lodged          lodg           
+  lodgers         lodger          lodges          lodg           
+  lodging         lodg            lodgings        lodg           
+  lodovico        lodovico        lodowick        lodowick       
+  lofty           lofti           log             log            
+  logger          logger          loggerhead      loggerhead     
+  loggerheads     loggerhead      loggets         logget         
+  logic           logic           logs            log            
+  loins           loin            loiter          loiter         
+  loiterer        loiter          loiterers       loiter         
+  loitering       loiter          lolling         loll           
+  lolls           loll            lombardy        lombardi       
+  london          london          londoners       london         
+  lone            lone            loneliness      loneli         
+  lonely          lone            long            long           
+  longaville      longavil        longboat        longboat       
+  longed          long            longer          longer         
+  longest         longest         longeth         longeth        
+  longing         long            longings        long           
+  longly          longli          longs           long           
+  longtail        longtail        loo             loo            
+  loof            loof            look            look           
+  looked          look            looker          looker         
+  lookers         looker          lookest         lookest        
+  looking         look            looks           look           
+  loon            loon            loop            loop           
+  loos            loo             loose           loos           
+  loosed          loos            loosely         loos           
+  loosen          loosen          loosing         loos           
+  lop             lop             lopp            lopp           
+  loquitur        loquitur        lord            lord           
+  lorded          lord            lording         lord           
+  lordings        lord            lordliness      lordli         
+  lordly          lordli          lords           lord           
+  lordship        lordship        lordships       lordship       
+  lorenzo         lorenzo         lorn            lorn           
+  lorraine        lorrain         lorship         lorship        
+  los             lo              lose            lose           
+  loser           loser           losers          loser          
+  loses           lose            losest          losest         
+  loseth          loseth          losing          lose           
+  loss            loss            losses          loss           
+  lost            lost            lot             lot            
+  lots            lot             lott            lott           
+  lottery         lotteri         loud            loud           
+  louder          louder          loudly          loudli         
+  lour            lour            loureth         loureth        
+  louring         lour            louse           lous           
+  louses          lous            lousy           lousi          
+  lout            lout            louted          lout           
+  louts           lout            louvre          louvr          
+  lov             lov             love            love           
+  loved           love            lovedst         lovedst        
+  lovel           lovel           lovelier        loveli         
+  loveliness      loveli          lovell          lovel          
+  lovely          love            lover           lover          
+  lovered         lover           lovers          lover          
+  loves           love            lovest          lovest         
+  loveth          loveth          loving          love           
+  lovingly        lovingli        low             low            
+  lowe            low             lower           lower          
+  lowest          lowest          lowing          low            
+  lowliness       lowli           lowly           lowli          
+  lown            lown            lowness         low            
+  loyal           loyal           loyally         loyal          
+  loyalties       loyalti         loyalty         loyalti        
+  lozel           lozel           lt              lt             
+  lubber          lubber          lubberly        lubberli       
+  luc             luc             luccicos        luccico        
+  luce            luce            lucentio        lucentio       
+  luces           luce            lucetta         lucetta        
+  luciana         luciana         lucianus        lucianu        
+  lucifer         lucif           lucifier        lucifi         
+  lucilius        luciliu         lucina          lucina         
+  lucio           lucio           lucius          luciu          
+  luck            luck            luckier         luckier        
+  luckiest        luckiest        luckily         luckili        
+  luckless        luckless        lucky           lucki          
+  lucre           lucr            lucrece         lucrec         
+  lucretia        lucretia        lucullius       luculliu       
+  lucullus        lucullu         lucy            luci           
+  lud             lud             ludlow          ludlow         
+  lug             lug             lugg            lugg           
+  luggage         luggag          luke            luke           
+  lukewarm        lukewarm        lull            lull           
+  lulla           lulla           lullaby         lullabi        
+  lulls           lull            lumbert         lumbert        
+  lump            lump            lumpish         lumpish        
+  luna            luna            lunacies        lunaci         
+  lunacy          lunaci          lunatic         lunat          
+  lunatics        lunat           lunes           lune           
+  lungs           lung            lupercal        luperc         
+  lurch           lurch           lure            lure           
+  lurk            lurk            lurketh         lurketh        
+  lurking         lurk            lurks           lurk           
+  luscious        lusciou         lush            lush           
+  lust            lust            lusted          lust           
+  luster          luster          lustful         lust           
+  lustier         lustier         lustiest        lustiest       
+  lustig          lustig          lustihood       lustihood      
+  lustily         lustili         lustre          lustr          
+  lustrous        lustrou         lusts           lust           
+  lusty           lusti           lute            lute           
+  lutes           lute            lutestring      lutestr        
+  lutheran        lutheran        luxurious       luxuri         
+  luxuriously     luxuri          luxury          luxuri         
+  ly              ly              lycaonia        lycaonia       
+  lycurguses      lycurgus        lydia           lydia          
+  lye             lye             lyen            lyen           
+  lying           ly              lym             lym            
+  lymoges         lymog           lynn            lynn           
+  lysander        lysand          m               m              
+  ma              ma              maan            maan           
+  mab             mab             macbeth         macbeth        
+  maccabaeus      maccabaeu       macdonwald      macdonwald     
+  macduff         macduff         mace            mace           
+  macedon         macedon         maces           mace           
+  machiavel       machiavel       machination     machin         
+  machinations    machin          machine         machin         
+  mack            mack            macmorris       macmorri       
+  maculate        macul           maculation      macul          
+  mad             mad             madam           madam          
+  madame          madam           madams          madam          
+  madcap          madcap          madded          mad            
+  madding         mad             made            made           
+  madeira         madeira         madly           madli          
+  madman          madman          madmen          madmen         
+  madness         mad             madonna         madonna        
+  madrigals       madrig          mads            mad            
+  maecenas        maecena         maggot          maggot         
+  maggots         maggot          magic           magic          
+  magical         magic           magician        magician       
+  magistrate      magistr         magistrates     magistr        
+  magnanimity     magnanim        magnanimous     magnanim       
+  magni           magni           magnifi         magnifi        
+  magnificence    magnific        magnificent     magnific       
+  magnifico       magnifico       magnificoes     magnifico      
+  magnus          magnu           mahomet         mahomet        
+  mahu            mahu            maid            maid           
+  maiden          maiden          maidenhead      maidenhead     
+  maidenheads     maidenhead      maidenhood      maidenhood     
+  maidenhoods     maidenhood      maidenliest     maidenliest    
+  maidenly        maidenli        maidens         maiden         
+  maidhood        maidhood        maids           maid           
+  mail            mail            mailed          mail           
+  mails           mail            maim            maim           
+  maimed          maim            maims           maim           
+  main            main            maincourse      maincours      
+  maine           main            mainly          mainli         
+  mainmast        mainmast        mains           main           
+  maintain        maintain        maintained      maintain       
+  maintains       maintain        maintenance     mainten        
+  mais            mai             maison          maison         
+  majestas        majesta         majestee        majeste        
+  majestic        majest          majestical      majest         
+  majestically    majest          majesties       majesti        
+  majesty         majesti         major           major          
+  majority        major           mak             mak            
+  make            make            makeless        makeless       
+  maker           maker           makers          maker          
+  makes           make            makest          makest         
+  maketh          maketh          making          make           
+  makings         make            mal             mal            
+  mala            mala            maladies        maladi         
+  malady          maladi          malapert        malapert       
+  malcolm         malcolm         malcontent      malcont        
+  malcontents     malcont         male            male           
+  maledictions    maledict        malefactions    malefact       
+  malefactor      malefactor      malefactors     malefactor     
+  males           male            malevolence     malevol        
+  malevolent      malevol         malhecho        malhecho       
+  malice          malic           malicious       malici         
+  maliciously     malici          malign          malign         
+  malignancy      malign          malignant       malign         
+  malignantly     malignantli     malkin          malkin         
+  mall            mall            mallard         mallard        
+  mallet          mallet          mallows         mallow         
+  malmsey         malmsei         malt            malt           
+  maltworms       maltworm        malvolio        malvolio       
+  mamillius       mamilliu        mammering       mammer         
+  mammet          mammet          mammets         mammet         
+  mammock         mammock         man             man            
+  manacle         manacl          manacles        manacl         
+  manage          manag           managed         manag          
+  manager         manag           managing        manag          
+  manakin         manakin         manchus         manchu         
+  mandate         mandat          mandragora      mandragora     
+  mandrake        mandrak         mandrakes       mandrak        
+  mane            mane            manent          manent         
+  manes           mane            manet           manet          
+  manfully        manfulli        mangle          mangl          
+  mangled         mangl           mangles         mangl          
+  mangling        mangl           mangy           mangi          
+  manhood         manhood         manhoods        manhood        
+  manifest        manifest        manifested      manifest       
+  manifests       manifest        manifold        manifold       
+  manifoldly      manifoldli      manka           manka          
+  mankind         mankind         manlike         manlik         
+  manly           manli           mann            mann           
+  manna           manna           manner          manner         
+  mannerly        mannerli        manners         manner         
+  manningtree     manningtre      mannish         mannish        
+  manor           manor           manors          manor          
+  mans            man             mansion         mansion        
+  mansionry       mansionri       mansions        mansion        
+  manslaughter    manslaught      mantle          mantl          
+  mantled         mantl           mantles         mantl          
+  mantua          mantua          mantuan         mantuan        
+  manual          manual          manure          manur          
+  manured         manur           manus           manu           
+  many            mani            map             map            
+  mapp            mapp            maps            map            
+  mar             mar             marble          marbl          
+  marbled         marbl           marcade         marcad         
+  marcellus       marcellu        march           march          
+  marches         march           marcheth        marcheth       
+  marching        march           marchioness     marchio        
+  marchpane       marchpan        marcians        marcian        
+  marcius         marciu          marcus          marcu          
+  mardian         mardian         mare            mare           
+  mares           mare            marg            marg           
+  margarelon      margarelon      margaret        margaret       
+  marge           marg            margent         margent        
+  margery         margeri         maria           maria          
+  marian          marian          mariana         mariana        
+  maries          mari            marigold        marigold       
+  mariner         marin           mariners        marin          
+  maritime        maritim         marjoram        marjoram       
+  mark            mark            marked          mark           
+  market          market          marketable      market         
+  marketplace     marketplac      markets         market         
+  marking         mark            markman         markman        
+  marks           mark            marl            marl           
+  marle           marl            marmoset        marmoset       
+  marquess        marquess        marquis         marqui         
+  marr            marr            marriage        marriag        
+  marriages       marriag         married         marri          
+  marries         marri           marring         mar            
+  marrow          marrow          marrowless      marrowless     
+  marrows         marrow          marry           marri          
+  marrying        marri           mars            mar            
+  marseilles      marseil         marsh           marsh          
+  marshal         marshal         marshalsea      marshalsea     
+  marshalship     marshalship     mart            mart           
+  marted          mart            martem          martem         
+  martext         martext         martial         martial        
+  martin          martin          martino         martino        
+  martius         martiu          martlemas       martlema       
+  martlet         martlet         marts           mart           
+  martyr          martyr          martyrs         martyr         
+  marullus        marullu         marv            marv           
+  marvel          marvel          marvell         marvel         
+  marvellous      marvel          marvellously    marvel         
+  marvels         marvel          mary            mari           
+  mas             ma              masculine       masculin       
+  masham          masham          mask            mask           
+  masked          mask            masker          masker         
+  maskers         masker          masking         mask           
+  masks           mask            mason           mason          
+  masonry         masonri         masons          mason          
+  masque          masqu           masquers        masquer        
+  masques         masqu           masquing        masqu          
+  mass            mass            massacre        massacr        
+  massacres       massacr         masses          mass           
+  massy           massi           mast            mast           
+  mastcr          mastcr          master          master         
+  masterdom       masterdom       masterest       masterest      
+  masterless      masterless      masterly        masterli       
+  masterpiece     masterpiec      masters         master         
+  mastership      mastership      mastic          mastic         
+  mastiff         mastiff         mastiffs        mastiff        
+  masts           mast            match           match          
+  matches         match           matcheth        matcheth       
+  matching        match           matchless       matchless      
+  mate            mate            mated           mate           
+  mater           mater           material        materi         
+  mates           mate            mathematics     mathemat       
+  matin           matin           matron          matron         
+  matrons         matron          matter          matter         
+  matters         matter          matthew         matthew        
+  mattock         mattock         mattress        mattress       
+  mature          matur           maturity        matur          
+  maud            maud            maudlin         maudlin        
+  maugre          maugr           maul            maul           
+  maund           maund           mauri           mauri          
+  mauritania      mauritania      mauvais         mauvai         
+  maw             maw             maws            maw            
+  maxim           maxim           may             mai            
+  mayday          maydai          mayest          mayest         
+  mayor           mayor           maypole         maypol         
+  mayst           mayst           maz             maz            
+  maze            maze            mazed           maze           
+  mazes           maze            mazzard         mazzard        
+  me              me              meacock         meacock        
+  mead            mead            meadow          meadow         
+  meadows         meadow          meads           mead           
+  meagre          meagr           meal            meal           
+  meals           meal            mealy           meali          
+  mean            mean            meanders        meander        
+  meaner          meaner          meanest         meanest        
+  meaneth         meaneth         meaning         mean           
+  meanings        mean            meanly          meanli         
+  means           mean            meant           meant          
+  meantime        meantim         meanwhile       meanwhil       
+  measles         measl           measur          measur         
+  measurable      measur          measure         measur         
+  measured        measur          measureless     measureless    
+  measures        measur          measuring       measur         
+  meat            meat            meats           meat           
+  mechanic        mechan          mechanical      mechan         
+  mechanicals     mechan          mechanics       mechan         
+  mechante        mechant         med             med            
+  medal           medal           meddle          meddl          
+  meddler         meddler         meddling        meddl          
+  mede            mede            medea           medea          
+  media           media           mediation       mediat         
+  mediators       mediat          medice          medic          
+  medicinal       medicin         medicine        medicin        
+  medicines       medicin         meditate        medit          
+  meditates       medit           meditating      medit          
+  meditation      medit           meditations     medit          
+  mediterranean   mediterranean   mediterraneum   mediterraneum  
+  medlar          medlar          medlars         medlar         
+  meed            meed            meeds           meed           
+  meek            meek            meekly          meekli         
+  meekness        meek            meet            meet           
+  meeter          meeter          meetest         meetest        
+  meeting         meet            meetings        meet           
+  meetly          meetli          meetness        meet           
+  meets           meet            meg             meg            
+  mehercle        mehercl         meilleur        meilleur       
+  meiny           meini           meisen          meisen         
+  melancholies    melancholi      melancholy      melancholi     
+  melford         melford         mell            mell           
+  mellifluous     melliflu        mellow          mellow         
+  mellowing       mellow          melodious       melodi         
+  melody          melodi          melt            melt           
+  melted          melt            melteth         melteth        
+  melting         melt            melts           melt           
+  melun           melun           member          member         
+  members         member          memento         memento        
+  memorable       memor           memorandums     memorandum     
+  memorial        memori          memorials       memori         
+  memories        memori          memoriz         memoriz        
+  memorize        memor           memory          memori         
+  memphis         memphi          men             men            
+  menac           menac           menace          menac          
+  menaces         menac           menaphon        menaphon       
+  menas           mena            mend            mend           
+  mended          mend            mender          mender         
+  mending         mend            mends           mend           
+  menecrates      menecr          menelaus        menelau        
+  menenius        meneniu         mental          mental         
+  menteith        menteith        mention         mention        
+  mentis          menti           menton          menton         
+  mephostophilus  mephostophilu   mer             mer            
+  mercatante      mercatant       mercatio        mercatio       
+  mercenaries     mercenari       mercenary       mercenari      
+  mercer          mercer          merchandise     merchandis     
+  merchandized    merchand        merchant        merchant       
+  merchants       merchant        mercies         merci          
+  merciful        merci           mercifully      mercifulli     
+  merciless       merciless       mercurial       mercuri        
+  mercuries       mercuri         mercury         mercuri        
+  mercutio        mercutio        mercy           merci          
+  mere            mere            mered           mere           
+  merely          mere            merest          merest         
+  meridian        meridian        merit           merit          
+  merited         merit           meritorious     meritori       
+  merits          merit           merlin          merlin         
+  mermaid         mermaid         mermaids        mermaid        
+  merops          merop           merrier         merrier        
+  merriest        merriest        merrily         merrili        
+  merriman        merriman        merriment       merriment      
+  merriments      merriment       merriness       merri          
+  merry           merri           mervailous      mervail        
+  mes             me              mesh            mesh           
+  meshes          mesh            mesopotamia     mesopotamia    
+  mess            mess            message         messag         
+  messages        messag          messala         messala        
+  messaline       messalin        messenger       messeng        
+  messengers      messeng         messes          mess           
+  messina         messina         met             met            
+  metal           metal           metals          metal          
+  metamorphis     metamorphi      metamorphoses   metamorphos    
+  metaphor        metaphor        metaphysical    metaphys       
+  metaphysics     metaphys        mete            mete           
+  metellus        metellu         meteor          meteor         
+  meteors         meteor          meteyard        meteyard       
+  metheglin       metheglin       metheglins      metheglin      
+  methink         methink         methinks        methink        
+  method          method          methods         method         
+  methought       methought       methoughts      methought      
+  metre           metr            metres          metr           
+  metropolis      metropoli       mette           mett           
+  mettle          mettl           mettled         mettl          
+  meus            meu             mew             mew            
+  mewed           mew             mewling         mewl           
+  mexico          mexico          mi              mi             
+  mice            mice            michael         michael        
+  michaelmas      michaelma       micher          micher         
+  miching         mich            mickle          mickl          
+  microcosm       microcosm       mid             mid            
+  midas           mida            middest         middest        
+  middle          middl           middleham       middleham      
+  midnight        midnight        midriff         midriff        
+  midst           midst           midsummer       midsumm        
+  midway          midwai          midwife         midwif         
+  midwives        midwiv          mienne          mienn          
+  might           might           mightful        might          
+  mightier        mightier        mightiest       mightiest      
+  mightily        mightili        mightiness      mighti         
+  mightst         mightst         mighty          mighti         
+  milan           milan           milch           milch          
+  mild            mild            milder          milder         
+  mildest         mildest         mildew          mildew         
+  mildews         mildew          mildly          mildli         
+  mildness        mild            mile            mile           
+  miles           mile            milford         milford        
+  militarist      militarist      military        militari       
+  milk            milk            milking         milk           
+  milkmaid        milkmaid        milks           milk           
+  milksops        milksop         milky           milki          
+  mill            mill            mille           mill           
+  miller          miller          milliner        millin         
+  million         million         millioned       million        
+  millions        million         mills           mill           
+  millstones      millston        milo            milo           
+  mimic           mimic           minc            minc           
+  mince           minc            minces          minc           
+  mincing         minc            mind            mind           
+  minded          mind            minding         mind           
+  mindless        mindless        minds           mind           
+  mine            mine            mineral         miner          
+  minerals        miner           minerva         minerva        
+  mines           mine            mingle          mingl          
+  mingled         mingl           mingling        mingl          
+  minikin         minikin         minim           minim          
+  minime          minim           minimo          minimo         
+  minimus         minimu          mining          mine           
+  minion          minion          minions         minion         
+  minist          minist          minister        minist         
+  ministers       minist          ministration    ministr        
+  minnow          minnow          minnows         minnow         
+  minola          minola          minority        minor          
+  minos           mino            minotaurs       minotaur       
+  minstrel        minstrel        minstrels       minstrel       
+  minstrelsy      minstrelsi      mint            mint           
+  mints           mint            minute          minut          
+  minutely        minut           minutes         minut          
+  minx            minx            mio             mio            
+  mir             mir             mirable         mirabl         
+  miracle         miracl          miracles        miracl         
+  miraculous      miracul         miranda         miranda        
+  mire            mire            mirror          mirror         
+  mirrors         mirror          mirth           mirth          
+  mirthful        mirth           miry            miri           
+  mis             mi              misadventur     misadventur    
+  misadventure    misadventur     misanthropos    misanthropo    
+  misapplied      misappli        misbecame       misbecam       
+  misbecom        misbecom        misbecome       misbecom       
+  misbegot        misbegot        misbegotten     misbegotten    
+  misbeliever     misbeliev       misbelieving    misbeliev      
+  misbhav         misbhav         miscall         miscal         
+  miscalled       miscal          miscarried      miscarri       
+  miscarries      miscarri        miscarry        miscarri       
+  miscarrying     miscarri        mischance       mischanc       
+  mischances      mischanc        mischief        mischief       
+  mischiefs       mischief        mischievous     mischiev       
+  misconceived    misconceiv      misconst        misconst       
+  misconster      misconst        misconstruction misconstruct   
+  misconstrued    misconstru      misconstrues    misconstru     
+  miscreant       miscreant       miscreate       miscreat       
+  misdeed         misde           misdeeds        misde          
+  misdemean       misdemean       misdemeanours   misdemeanour   
+  misdoubt        misdoubt        misdoubteth     misdoubteth    
+  misdoubts       misdoubt        misenum         misenum        
+  miser           miser           miserable       miser          
+  miserably       miser           misericorde     misericord     
+  miseries        miseri          misers          miser          
+  misery          miseri          misfortune      misfortun      
+  misfortunes     misfortun       misgive         misgiv         
+  misgives        misgiv          misgiving       misgiv         
+  misgoverned     misgovern       misgovernment   misgovern      
+  misgraffed      misgraf         misguide        misguid        
+  mishap          mishap          mishaps         mishap         
+  misheard        misheard        misinterpret    misinterpret   
+  mislead         mislead         misleader       mislead        
+  misleaders      mislead         misleading      mislead        
+  misled          misl            mislike         mislik         
+  misord          misord          misplac         misplac        
+  misplaced       misplac         misplaces       misplac        
+  mispris         mispri          misprised       mispris        
+  misprision      mispris         misprizing      mispriz        
+  misproud        misproud        misquote        misquot        
+  misreport       misreport       miss            miss           
+  missed          miss            misses          miss           
+  misshap         misshap         misshapen       misshapen      
+  missheathed     missheath       missing         miss           
+  missingly       missingli       missions        mission        
+  missive         missiv          missives        missiv         
+  misspoke        misspok         mist            mist           
+  mista           mista           mistak          mistak         
+  mistake         mistak          mistaken        mistaken       
+  mistakes        mistak          mistaketh       mistaketh      
+  mistaking       mistak          mistakings      mistak         
+  mistemp         mistemp         mistempered     mistemp        
+  misterm         misterm         mistful         mist           
+  misthink        misthink        misthought      misthought     
+  mistletoe       mistleto        mistook         mistook        
+  mistreadings    mistread        mistress        mistress       
+  mistresses      mistress        mistresss       mistresss      
+  mistriship      mistriship      mistrust        mistrust       
+  mistrusted      mistrust        mistrustful     mistrust       
+  mistrusting     mistrust        mists           mist           
+  misty           misti           misus           misu           
+  misuse          misus           misused         misus          
+  misuses         misus           mites           mite           
+  mithridates     mithrid         mitigate        mitig          
+  mitigation      mitig           mix             mix            
+  mixed           mix             mixture         mixtur         
+  mixtures        mixtur          mm              mm             
+  mnd             mnd             moan            moan           
+  moans           moan            moat            moat           
+  moated          moat            mobled          mobl           
+  mock            mock            mockable        mockabl        
+  mocker          mocker          mockeries       mockeri        
+  mockers         mocker          mockery         mockeri        
+  mocking         mock            mocks           mock           
+  mockvater       mockvat         mockwater       mockwat        
+  model           model           modena          modena         
+  moderate        moder           moderately      moder          
+  moderation      moder           modern          modern         
+  modest          modest          modesties       modesti        
+  modestly        modestli        modesty         modesti        
+  modicums        modicum         modo            modo           
+  module          modul           moe             moe            
+  moi             moi             moiety          moieti         
+  moist           moist           moisten         moisten        
+  moisture        moistur         moldwarp        moldwarp       
+  mole            mole            molehill        molehil        
+  moles           mole            molest          molest         
+  molestation     molest          mollification   mollif         
+  mollis          molli           molten          molten         
+  molto           molto           mome            mome           
+  moment          moment          momentary       momentari      
+  moming          mome            mon             mon            
+  monachum        monachum        monarch         monarch        
+  monarchies      monarchi        monarchize      monarch        
+  monarcho        monarcho        monarchs        monarch        
+  monarchy        monarchi        monast          monast         
+  monastery       monasteri       monastic        monast         
+  monday          mondai          monde           mond           
+  money           monei           moneys          monei          
+  mong            mong            monger          monger         
+  mongers         monger          monging         mong           
+  mongrel         mongrel         mongrels        mongrel        
+  mongst          mongst          monk            monk           
+  monkey          monkei          monkeys         monkei         
+  monks           monk            monmouth        monmouth       
+  monopoly        monopoli        mons            mon            
+  monsieur        monsieur        monsieurs       monsieur       
+  monster         monster         monsters        monster        
+  monstrous       monstrou        monstrously     monstrous      
+  monstrousness   monstrous       monstruosity    monstruos      
+  montacute       montacut        montage         montag         
+  montague        montagu         montagues       montagu        
+  montano         montano         montant         montant        
+  montez          montez          montferrat      montferrat     
+  montgomery      montgomeri      month           month          
+  monthly         monthli         months          month          
+  montjoy         montjoi         monument        monument       
+  monumental      monument        monuments       monument       
+  mood            mood            moods           mood           
+  moody           moodi           moon            moon           
+  moonbeams       moonbeam        moonish         moonish        
+  moonlight       moonlight       moons           moon           
+  moonshine       moonshin        moonshines      moonshin       
+  moor            moor            moorfields      moorfield      
+  moors           moor            moorship        moorship       
+  mop             mop             mope            mope           
+  moping          mope            mopping         mop            
+  mopsa           mopsa           moral           moral          
+  moraler         moral           morality        moral          
+  moralize        moral           mordake         mordak         
+  more            more            moreover        moreov         
+  mores           more            morgan          morgan         
+  mori            mori            morisco         morisco        
+  morn            morn            morning         morn           
+  mornings        morn            morocco         morocco        
+  morris          morri           morrow          morrow         
+  morrows         morrow          morsel          morsel         
+  morsels         morsel          mort            mort           
+  mortal          mortal          mortality       mortal         
+  mortally        mortal          mortals         mortal         
+  mortar          mortar          mortgaged       mortgag        
+  mortified       mortifi         mortifying      mortifi        
+  mortimer        mortim          mortimers       mortim         
+  mortis          morti           mortise         mortis         
+  morton          morton          mose            mose           
+  moss            moss            mossgrown       mossgrown      
+  most            most            mote            mote           
+  moth            moth            mother          mother         
+  mothers         mother          moths           moth           
+  motion          motion          motionless      motionless     
+  motions         motion          motive          motiv          
+  motives         motiv           motley          motlei         
+  mots            mot             mought          mought         
+  mould           mould           moulded         mould          
+  mouldeth        mouldeth        moulds          mould          
+  mouldy          mouldi          moult           moult          
+  moulten         moulten         mounch          mounch         
+  mounseur        mounseur        mounsieur       mounsieur      
+  mount           mount           mountain        mountain       
+  mountaineer     mountain        mountaineers    mountain       
+  mountainous     mountain        mountains       mountain       
+  mountant        mountant        mountanto       mountanto      
+  mountebank      mountebank      mountebanks     mountebank     
+  mounted         mount           mounteth        mounteth       
+  mounting        mount           mounts          mount          
+  mourn           mourn           mourned         mourn          
+  mourner         mourner         mourners        mourner        
+  mournful        mourn           mournfully      mournfulli     
+  mourning        mourn           mourningly      mourningli     
+  mournings       mourn           mourns          mourn          
+  mous            mou             mouse           mous           
+  mousetrap       mousetrap       mousing         mous           
+  mouth           mouth           mouthed         mouth          
+  mouths          mouth           mov             mov            
+  movables        movabl          move            move           
+  moveable        moveabl         moveables       moveabl        
+  moved           move            mover           mover          
+  movers          mover           moves           move           
+  moveth          moveth          moving          move           
+  movingly        movingli        movousus        movousu        
+  mow             mow             mowbray         mowbrai        
+  mower           mower           mowing          mow            
+  mows            mow             moy             moi            
+  moys            moi             moyses          moys           
+  mrs             mr              much            much           
+  muck            muck            mud             mud            
+  mudded          mud             muddied         muddi          
+  muddy           muddi           muffins         muffin         
+  muffl           muffl           muffle          muffl          
+  muffled         muffl           muffler         muffler        
+  muffling        muffl           mugger          mugger         
+  mugs            mug             mulberries      mulberri       
+  mulberry        mulberri        mule            mule           
+  mules           mule            muleteers       mulet          
+  mulier          mulier          mulieres        mulier         
+  muliteus        muliteu         mull            mull           
+  mulmutius       mulmutiu        multiplied      multipli       
+  multiply        multipli        multiplying     multipli       
+  multipotent     multipot        multitude       multitud       
+  multitudes      multitud        multitudinous   multitudin     
+  mum             mum             mumble          mumbl          
+  mumbling        mumbl           mummers         mummer         
+  mummy           mummi           mun             mun            
+  munch           munch           muniments       muniment       
+  munition        munit           murd            murd           
+  murder          murder          murdered        murder         
+  murderer        murder          murderers       murder         
+  murdering       murder          murderous       murder         
+  murders         murder          mure            mure           
+  murk            murk            murkiest        murkiest       
+  murky           murki           murmur          murmur         
+  murmurers       murmur          murmuring       murmur         
+  murrain         murrain         murray          murrai         
+  murrion         murrion         murther         murther        
+  murtherer       murther         murtherers      murther        
+  murthering      murther         murtherous      murther        
+  murthers        murther         mus             mu             
+  muscadel        muscadel        muscovites      muscovit       
+  muscovits       muscovit        muscovy         muscovi        
+  muse            muse            muses           muse           
+  mush            mush            mushrooms       mushroom       
+  music           music           musical         music          
+  musician        musician        musicians       musician       
+  musics          music           musing          muse           
+  musings         muse            musk            musk           
+  musket          musket          muskets         musket         
+  muskos          musko           muss            muss           
+  mussel          mussel          mussels         mussel         
+  must            must            mustachio       mustachio      
+  mustard         mustard         mustardseed     mustardse      
+  muster          muster          mustering       muster         
+  musters         muster          musty           musti          
+  mutability      mutabl          mutable         mutabl         
+  mutation        mutat           mutations       mutat          
+  mute            mute            mutes           mute           
+  mutest          mutest          mutine          mutin          
+  mutineer        mutin           mutineers       mutin          
+  mutines         mutin           mutinies        mutini         
+  mutinous        mutin           mutiny          mutini         
+  mutius          mutiu           mutter          mutter         
+  muttered        mutter          mutton          mutton         
+  muttons         mutton          mutual          mutual         
+  mutualities     mutual          mutually        mutual         
+  muzzl           muzzl           muzzle          muzzl          
+  muzzled         muzzl           mv              mv             
+  mww             mww             my              my             
+  mynheers        mynheer         myrmidon        myrmidon       
+  myrmidons       myrmidon        myrtle          myrtl          
+  myself          myself          myst            myst           
+  mysteries       mysteri         mystery         mysteri        
+  n               n               nag             nag            
+  nage            nage            nags            nag            
+  naiads          naiad           nail            nail           
+  nails           nail            nak             nak            
+  naked           nake            nakedness       naked          
+  nal             nal             nam             nam            
+  name            name            named           name           
+  nameless        nameless        namely          name           
+  names           name            namest          namest         
+  naming          name            nan             nan            
+  nance           nanc            nap             nap            
+  nape            nape            napes           nape           
+  napkin          napkin          napkins         napkin         
+  naples          napl            napless         napless        
+  napping         nap             naps            nap            
+  narbon          narbon          narcissus       narcissu       
+  narines         narin           narrow          narrow         
+  narrowly        narrowli        naso            naso           
+  nasty           nasti           nathaniel       nathaniel      
+  natifs          natif           nation          nation         
+  nations         nation          native          nativ          
+  nativity        nativ           natur           natur          
+  natural         natur           naturalize      natur          
+  naturally       natur           nature          natur          
+  natured         natur           natures         natur          
+  natus           natu            naught          naught         
+  naughtily       naughtili       naughty         naughti        
+  navarre         navarr          nave            nave           
+  navel           navel           navigation      navig          
+  navy            navi            nay             nai            
+  nayward         nayward         nayword         nayword        
+  nazarite        nazarit         ne              ne             
+  neaf            neaf            neamnoins       neamnoin       
+  neanmoins       neanmoin        neapolitan      neapolitan     
+  neapolitans     neapolitan      near            near           
+  nearer          nearer          nearest         nearest        
+  nearly          nearli          nearness        near           
+  neat            neat            neatly          neatli         
+  neb             neb             nebour          nebour         
+  nebuchadnezzar  nebuchadnezzar  nec             nec            
+  necessaries     necessari       necessarily     necessarili    
+  necessary       necessari       necessitied     necess         
+  necessities     necess          necessity       necess         
+  neck            neck            necklace        necklac        
+  necks           neck            nectar          nectar         
+  ned             ned             nedar           nedar          
+  need            need            needed          need           
+  needer          needer          needful         need           
+  needfull        needful         needing         need           
+  needle          needl           needles         needl          
+  needless        needless        needly          needli         
+  needs           need            needy           needi          
+  neer            neer            neeze           neez           
+  nefas           nefa            negation        negat          
+  negative        neg             negatives       neg            
+  neglect         neglect         neglected       neglect        
+  neglecting      neglect         neglectingly    neglectingli   
+  neglection      neglect         negligence      neglig         
+  negligent       neglig          negotiate       negoti         
+  negotiations    negoti          negro           negro          
+  neigh           neigh           neighbors       neighbor       
+  neighbour       neighbour       neighbourhood   neighbourhood  
+  neighbouring    neighbour       neighbourly     neighbourli    
+  neighbours      neighbour       neighing        neigh          
+  neighs          neigh           neither         neither        
+  nell            nell            nemean          nemean         
+  nemesis         nemesi          neoptolemus     neoptolemu     
+  nephew          nephew          nephews         nephew         
+  neptune         neptun          ner             ner            
+  nereides        nereid          nerissa         nerissa        
+  nero            nero            neroes          nero           
+  ners            ner             nerve           nerv           
+  nerves          nerv            nervii          nervii         
+  nervy           nervi           nessus          nessu          
+  nest            nest            nestor          nestor         
+  nests           nest            net             net            
+  nether          nether          netherlands     netherland     
+  nets            net             nettle          nettl          
+  nettled         nettl           nettles         nettl          
+  neuter          neuter          neutral         neutral        
+  nev             nev             never           never          
+  nevil           nevil           nevils          nevil          
+  new             new             newborn         newborn        
+  newer           newer           newest          newest         
+  newgate         newgat          newly           newli          
+  newness         new             news            new            
+  newsmongers     newsmong        newt            newt           
+  newts           newt            next            next           
+  nibbling        nibbl           nicanor         nicanor        
+  nice            nice            nicely          nice           
+  niceness        nice            nicer           nicer          
+  nicety          niceti          nicholas        nichola        
+  nick            nick            nickname        nicknam        
+  nicks           nick            niece           niec           
+  nieces          niec            niggard         niggard        
+  niggarding      niggard         niggardly       niggardli      
+  nigh            nigh            night           night          
+  nightcap        nightcap        nightcaps       nightcap       
+  nighted         night           nightgown       nightgown      
+  nightingale     nightingal      nightingales    nightingal     
+  nightly         nightli         nightmare       nightmar       
+  nights          night           nightwork       nightwork      
+  nihil           nihil           nile            nile           
+  nill            nill            nilus           nilu           
+  nimble          nimbl           nimbleness      nimbl          
+  nimbler         nimbler         nimbly          nimbl          
+  nine            nine            nineteen        nineteen       
+  ning            ning            ningly          ningli         
+  ninny           ninni           ninth           ninth          
+  ninus           ninu            niobe           niob           
+  niobes          niob            nip             nip            
+  nipp            nipp            nipping         nip            
+  nipple          nippl           nips            nip            
+  nit             nit             nly             nly            
+  nnight          nnight          nnights         nnight         
+  no              no              noah            noah           
+  nob             nob             nobility        nobil          
+  nobis           nobi            noble           nobl           
+  nobleman        nobleman        noblemen        noblemen       
+  nobleness       nobl            nobler          nobler         
+  nobles          nobl            noblesse        nobless        
+  noblest         noblest         nobly           nobli          
+  nobody          nobodi          noces           noce           
+  nod             nod             nodded          nod            
+  nodding         nod             noddle          noddl          
+  noddles         noddl           noddy           noddi          
+  nods            nod             noes            noe            
+  nointed         noint           nois            noi            
+  noise           nois            noiseless       noiseless      
+  noisemaker      noisemak        noises          nois           
+  noisome         noisom          nole            nole           
+  nominate        nomin           nominated       nomin          
+  nomination      nomin           nominativo      nominativo     
+  non             non             nonage          nonag          
+  nonce           nonc            none            none           
+  nonino          nonino          nonny           nonni          
+  nonpareil       nonpareil       nonsuits        nonsuit        
+  nony            noni            nook            nook           
+  nooks           nook            noon            noon           
+  noonday         noondai         noontide        noontid        
+  nor             nor             norbery         norberi        
+  norfolk         norfolk         norman          norman         
+  normandy        normandi        normans         norman         
+  north           north           northampton     northampton    
+  northamptonshire northamptonshir northerly       northerli      
+  northern        northern        northgate       northgat       
+  northumberland  northumberland  northumberlands northumberland 
+  northward       northward       norway          norwai         
+  norways         norwai          norwegian       norwegian      
+  norweyan        norweyan        nos             no             
+  nose            nose            nosegays        nosegai        
+  noseless        noseless        noses           nose           
+  noster          noster          nostra          nostra         
+  nostril         nostril         nostrils        nostril        
+  not             not             notable         notabl         
+  notably         notabl          notary          notari         
+  notch           notch           note            note           
+  notebook        notebook        noted           note           
+  notedly         notedli         notes           note           
+  notest          notest          noteworthy      noteworthi     
+  nothing         noth            nothings        noth           
+  notice          notic           notify          notifi         
+  noting          note            notion          notion         
+  notorious       notori          notoriously     notori         
+  notre           notr            notwithstanding notwithstand   
+  nought          nought          noun            noun           
+  nouns           noun            nourish         nourish        
+  nourished       nourish         nourisher       nourish        
+  nourishes       nourish         nourisheth      nourisheth     
+  nourishing      nourish         nourishment     nourish        
+  nous            nou             novel           novel          
+  novelties       novelti         novelty         novelti        
+  noverbs         noverb          novi            novi           
+  novice          novic           novices         novic          
+  novum           novum           now             now            
+  nowhere         nowher          noyance         noyanc         
+  ns              ns              nt              nt             
+  nubibus         nubibu          numa            numa           
+  numb            numb            number          number         
+  numbered        number          numbering       number         
+  numberless      numberless      numbers         number         
+  numbness        numb            nun             nun            
+  nuncio          nuncio          nuncle          nuncl          
+  nunnery         nunneri         nuns            nun            
+  nuntius         nuntiu          nuptial         nuptial        
+  nurs            nur             nurse           nurs           
+  nursed          nurs            nurser          nurser         
+  nursery         nurseri         nurses          nurs           
+  nurseth         nurseth         nursh           nursh          
+  nursing         nurs            nurtur          nurtur         
+  nurture         nurtur          nut             nut            
+  nuthook         nuthook         nutmeg          nutmeg         
+  nutmegs         nutmeg          nutriment       nutriment      
+  nuts            nut             nutshell        nutshel        
+  ny              ny              nym             nym            
+  nymph           nymph           nymphs          nymph          
+  o               o               oak             oak            
+  oaken           oaken           oaks            oak            
+  oared           oar             oars            oar            
+  oatcake         oatcak          oaten           oaten          
+  oath            oath            oathable        oathabl        
+  oaths           oath            oats            oat            
+  ob              ob              obduracy        obduraci       
+  obdurate        obdur           obedience       obedi          
+  obedient        obedi           obeisance       obeis          
+  oberon          oberon          obey            obei           
+  obeyed          obei            obeying         obei           
+  obeys           obei            obidicut        obidicut       
+  object          object          objected        object         
+  objections      object          objects         object         
+  oblation        oblat           oblations       oblat          
+  obligation      oblig           obligations     oblig          
+  obliged         oblig           oblique         obliqu         
+  oblivion        oblivion        oblivious       oblivi         
+  obloquy         obloqui         obscene         obscen         
+  obscenely       obscen          obscur          obscur         
+  obscure         obscur          obscured        obscur         
+  obscurely       obscur          obscures        obscur         
+  obscuring       obscur          obscurity       obscur         
+  obsequies       obsequi         obsequious      obsequi        
+  obsequiously    obsequi         observ          observ         
+  observance      observ          observances     observ         
+  observancy      observ          observant       observ         
+  observants      observ          observation     observ         
+  observe         observ          observed        observ         
+  observer        observ          observers       observ         
+  observing       observ          observingly     observingli    
+  obsque          obsqu           obstacle        obstacl        
+  obstacles       obstacl         obstinacy       obstinaci      
+  obstinate       obstin          obstinately     obstin         
+  obstruct        obstruct        obstruction     obstruct       
+  obstructions    obstruct        obtain          obtain         
+  obtained        obtain          obtaining       obtain         
+  occasion        occas           occasions       occas          
+  occident        occid           occidental      occident       
+  occulted        occult          occupat         occupat        
+  occupation      occup           occupations     occup          
+  occupied        occupi          occupies        occupi         
+  occupy          occupi          occurrence      occurr         
+  occurrences     occurr          occurrents      occurr         
+  ocean           ocean           oceans          ocean          
+  octavia         octavia         octavius        octaviu        
+  ocular          ocular          od              od             
+  odd             odd             oddest          oddest         
+  oddly           oddli           odds            odd            
+  ode             od              odes            od             
+  odious          odiou           odoriferous     odorifer       
+  odorous         odor            odour           odour          
+  odours          odour           ods             od             
+  oeillades       oeillad         oes             oe             
+  oeuvres         oeuvr           of              of             
+  ofephesus       ofephesu        off             off            
+  offal           offal           offence         offenc         
+  offenceful      offenc          offences        offenc         
+  offend          offend          offended        offend         
+  offendendo      offendendo      offender        offend         
+  offenders       offend          offendeth       offendeth      
+  offending       offend          offendress      offendress     
+  offends         offend          offense         offens         
+  offenseless     offenseless     offenses        offens         
+  offensive       offens          offer           offer          
+  offered         offer           offering        offer          
+  offerings       offer           offers          offer          
+  offert          offert          offic           offic          
+  office          offic           officed         offic          
+  officer         offic           officers        offic          
+  offices         offic           official        offici         
+  officious       offici          offspring       offspr         
+  oft             oft             often           often          
+  oftener         often           oftentimes      oftentim       
+  oh              oh              oil             oil            
+  oils            oil             oily            oili           
+  old             old             oldcastle       oldcastl       
+  olden           olden           older           older          
+  oldest          oldest          oldness         old            
+  olive           oliv            oliver          oliv           
+  olivers         oliv            olives          oliv           
+  olivia          olivia          olympian        olympian       
+  olympus         olympu          oman            oman           
+  omans           oman            omen            omen           
+  ominous         omin            omission        omiss          
+  omit            omit            omittance       omitt          
+  omitted         omit            omitting        omit           
+  omne            omn             omnes           omn            
+  omnipotent      omnipot         on              on             
+  once            onc             one             on             
+  ones            on              oneyers         oney           
+  ongles          ongl            onion           onion          
+  onions          onion           only            onli           
+  onset           onset           onward          onward         
+  onwards         onward          oo              oo             
+  ooze            ooz             oozes           ooz            
+  oozy            oozi            op              op             
+  opal            opal            ope             op             
+  open            open            opener          open           
+  opening         open            openly          openli         
+  openness        open            opens           open           
+  operant         oper            operate         oper           
+  operation       oper            operations      oper           
+  operative       oper            opes            op             
+  oph             oph             ophelia         ophelia        
+  opinion         opinion         opinions        opinion        
+  opportune       opportun        opportunities   opportun       
+  opportunity     opportun        oppos           oppo           
+  oppose          oppos           opposed         oppos          
+  opposeless      opposeless      opposer         oppos          
+  opposers        oppos           opposes         oppos          
+  opposing        oppos           opposite        opposit        
+  opposites       opposit         opposition      opposit        
+  oppositions     opposit         oppress         oppress        
+  oppressed       oppress         oppresses       oppress        
+  oppresseth      oppresseth      oppressing      oppress        
+  oppression      oppress         oppressor       oppressor      
+  opprest         opprest         opprobriously   opprobri       
+  oppugnancy      oppugn          opulency        opul           
+  opulent         opul            or              or             
+  oracle          oracl           oracles         oracl          
+  orange          orang           oration         orat           
+  orator          orat            orators         orat           
+  oratory         oratori         orb             orb            
+  orbed           orb             orbs            orb            
+  orchard         orchard         orchards        orchard        
+  ord             ord             ordain          ordain         
+  ordained        ordain          ordaining       ordain         
+  order           order           ordered         order          
+  ordering        order           orderless       orderless      
+  orderly         orderli         orders          order          
+  ordinance       ordin           ordinant        ordin          
+  ordinaries      ordinari        ordinary        ordinari       
+  ordnance        ordnanc         ords            ord            
+  ordure          ordur           ore             or             
+  organ           organ           organs          organ          
+  orgillous       orgil           orient          orient         
+  orifex          orifex          origin          origin         
+  original        origin          orisons         orison         
+  ork             ork             orlando         orlando        
+  orld            orld            orleans         orlean         
+  ornament        ornament        ornaments       ornament       
+  orodes          orod            orphan          orphan         
+  orphans         orphan          orpheus         orpheu         
+  orsino          orsino          ort             ort            
+  orthography     orthographi     orts            ort            
+  oscorbidulchos  oscorbidulcho   osier           osier          
+  osiers          osier           osprey          osprei         
+  osr             osr             osric           osric          
+  ossa            ossa            ost             ost            
+  ostent          ostent          ostentare       ostentar       
+  ostentation     ostent          ostents         ostent         
+  ostler          ostler          ostlers         ostler         
+  ostrich         ostrich         osw             osw            
+  oswald          oswald          othello         othello        
+  other           other           othergates      otherg         
+  others          other           otherwhere      otherwher      
+  otherwhiles     otherwhil       otherwise       otherwis       
+  otter           otter           ottoman         ottoman        
+  ottomites       ottomit         oublie          oubli          
+  ouches          ouch            ought           ought          
+  oui             oui             ounce           ounc           
+  ounces          ounc            ouphes          ouph           
+  our             our             ours            our            
+  ourself         ourself         ourselves       ourselv        
+  ousel           ousel           out             out            
+  outbids         outbid          outbrave        outbrav        
+  outbraves       outbrav         outbreak        outbreak       
+  outcast         outcast         outcries        outcri         
+  outcry          outcri          outdar          outdar         
+  outdare         outdar          outdares        outdar         
+  outdone         outdon          outfac          outfac         
+  outface         outfac          outfaced        outfac         
+  outfacing       outfac          outfly          outfli         
+  outfrown        outfrown        outgo           outgo          
+  outgoes         outgo           outgrown        outgrown       
+  outjest         outjest         outlaw          outlaw         
+  outlawry        outlawri        outlaws         outlaw         
+  outliv          outliv          outlive         outliv         
+  outlives        outliv          outliving       outliv         
+  outlook         outlook         outlustres      outlustr       
+  outpriz         outpriz         outrage         outrag         
+  outrageous      outrag          outrages        outrag         
+  outran          outran          outright        outright       
+  outroar         outroar         outrun          outrun         
+  outrunning      outrun          outruns         outrun         
+  outscold        outscold        outscorn        outscorn       
+  outsell         outsel          outsells        outsel         
+  outside         outsid          outsides        outsid         
+  outspeaks       outspeak        outsport        outsport       
+  outstare        outstar         outstay         outstai        
+  outstood        outstood        outstretch      outstretch     
+  outstretched    outstretch      outstrike       outstrik       
+  outstrip        outstrip        outstripped     outstrip       
+  outswear        outswear        outvenoms       outvenom       
+  outward         outward         outwardly       outwardli      
+  outwards        outward         outwear         outwear        
+  outweighs       outweigh        outwent         outwent        
+  outworn         outworn         outworths       outworth       
+  oven            oven            over            over           
+  overawe         overaw          overbear        overbear       
+  overblown       overblown       overboard       overboard      
+  overbold        overbold        overborne       overborn       
+  overbulk        overbulk        overbuys        overbui        
+  overcame        overcam         overcast        overcast       
+  overcharg       overcharg       overcharged     overcharg      
+  overcome        overcom         overcomes       overcom        
+  overdone        overdon         overearnest     overearnest    
+  overfar         overfar         overflow        overflow       
+  overflown       overflown       overglance      overgl         
+  overgo          overgo          overgone        overgon        
+  overgorg        overgorg        overgrown       overgrown      
+  overhead        overhead        overhear        overhear       
+  overheard       overheard       overhold        overhold       
+  overjoyed       overjoi         overkind        overkind       
+  overland        overland        overleather     overleath      
+  overlive        overl           overlook        overlook       
+  overlooking     overlook        overlooks       overlook       
+  overmaster      overmast        overmounting    overmount      
+  overmuch        overmuch        overpass        overpass       
+  overpeer        overp           overpeering     overp          
+  overplus        overplu         overrul         overrul        
+  overrun         overrun         overscutch      overscutch     
+  overset         overset         overshades      overshad       
+  overshine       overshin        overshines      overshin       
+  overshot        overshot        oversights      oversight      
+  overspread      overspread      overstain       overstain      
+  overswear       overswear       overt           overt          
+  overta          overta          overtake        overtak        
+  overtaketh      overtaketh      overthrow       overthrow      
+  overthrown      overthrown      overthrows      overthrow      
+  overtook        overtook        overtopp        overtopp       
+  overture        overtur         overturn        overturn       
+  overwatch       overwatch       overween        overween       
+  overweening     overween        overweigh       overweigh      
+  overwhelm       overwhelm       overwhelming    overwhelm      
+  overworn        overworn        ovid            ovid           
+  ovidius         ovidiu          ow              ow             
+  owe             ow              owed            ow             
+  owedst          owedst          owen            owen           
+  owes            ow              owest           owest          
+  oweth           oweth           owing           ow             
+  owl             owl             owls            owl            
+  own             own             owner           owner          
+  owners          owner           owning          own            
+  owns            own             owy             owi            
+  ox              ox              oxen            oxen           
+  oxford          oxford          oxfordshire     oxfordshir     
+  oxlips          oxlip           oyes            oy             
+  oyster          oyster          p               p              
+  pabble          pabbl           pabylon         pabylon        
+  pac             pac             pace            pace           
+  paced           pace            paces           pace           
+  pacified        pacifi          pacify          pacifi         
+  pacing          pace            pack            pack           
+  packet          packet          packets         packet         
+  packhorses      packhors        packing         pack           
+  packings        pack            packs           pack           
+  packthread      packthread      pacorus         pacoru         
+  paction         paction         pad             pad            
+  paddle          paddl           paddling        paddl          
+  paddock         paddock         padua           padua          
+  pagan           pagan           pagans          pagan          
+  page            page            pageant         pageant        
+  pageants        pageant         pages           page           
+  pah             pah             paid            paid           
+  pail            pail            pailfuls        pail           
+  pails           pail            pain            pain           
+  pained          pain            painful         pain           
+  painfully       painfulli       pains           pain           
+  paint           paint           painted         paint          
+  painter         painter         painting        paint          
+  paintings       paint           paints          paint          
+  pair            pair            paired          pair           
+  pairs           pair            pajock          pajock         
+  pal             pal             palabras        palabra        
+  palace          palac           palaces         palac          
+  palamedes       palamed         palate          palat          
+  palates         palat           palatine        palatin        
+  palating        palat           pale            pale           
+  paled           pale            paleness        pale           
+  paler           paler           pales           pale           
+  palestine       palestin        palfrey         palfrei        
+  palfreys        palfrei         palisadoes      palisado       
+  pall            pall            pallabris       pallabri       
+  pallas          palla           pallets         pallet         
+  palm            palm            palmer          palmer         
+  palmers         palmer          palms           palm           
+  palmy           palmi           palpable        palpabl        
+  palsied         palsi           palsies         palsi          
+  palsy           palsi           palt            palt           
+  palter          palter          paltry          paltri         
+  paly            pali            pamp            pamp           
+  pamper          pamper          pamphlets       pamphlet       
+  pan             pan             pancackes       pancack        
+  pancake         pancak          pancakes        pancak         
+  pandar          pandar          pandars         pandar         
+  pandarus        pandaru         pander          pander         
+  panderly        panderli        panders         pander         
+  pandulph        pandulph        panel           panel          
+  pang            pang            panging         pang           
+  pangs           pang            pannier         pannier        
+  pannonians      pannonian       pansa           pansa          
+  pansies         pansi           pant            pant           
+  pantaloon       pantaloon       panted          pant           
+  pantheon        pantheon        panther         panther        
+  panthino        panthino        panting         pant           
+  pantingly       pantingli       pantler         pantler        
+  pantry          pantri          pants           pant           
+  pap             pap             papal           papal          
+  paper           paper           papers          paper          
+  paphlagonia     paphlagonia     paphos          papho          
+  papist          papist          paps            pap            
+  par             par             parable         parabl         
+  paracelsus      paracelsu       paradise        paradis        
+  paradox         paradox         paradoxes       paradox        
+  paragon         paragon         paragons        paragon        
+  parallel        parallel        parallels       parallel       
+  paramour        paramour        paramours       paramour       
+  parapets        parapet         paraquito       paraquito      
+  parasite        parasit         parasites       parasit        
+  parca           parca           parcel          parcel         
+  parcell         parcel          parcels         parcel         
+  parch           parch           parched         parch          
+  parching        parch           parchment       parchment      
+  pard            pard            pardon          pardon         
+  pardona         pardona         pardoned        pardon         
+  pardoner        pardon          pardoning       pardon         
+  pardonne        pardonn         pardonner       pardonn        
+  pardonnez       pardonnez       pardons         pardon         
+  pare            pare            pared           pare           
+  parel           parel           parent          parent         
+  parentage       parentag        parents         parent         
+  parfect         parfect         paring          pare           
+  parings         pare            paris           pari           
+  parish          parish          parishioners    parishion      
+  parisians       parisian        paritors        paritor        
+  park            park            parks           park           
+  parle           parl            parler          parler         
+  parles          parl            parley          parlei         
+  parlez          parlez          parliament      parliament     
+  parlors         parlor          parlour         parlour        
+  parlous         parlou          parmacity       parmac         
+  parolles        parol           parricide       parricid       
+  parricides      parricid        parrot          parrot         
+  parrots         parrot          parsley         parslei        
+  parson          parson          part            part           
+  partake         partak          partaken        partaken       
+  partaker        partak          partakers       partak         
+  parted          part            parthia         parthia        
+  parthian        parthian        parthians       parthian       
+  parti           parti           partial         partial        
+  partialize      partial         partially       partial        
+  participate     particip        participation   particip       
+  particle        particl         particular      particular     
+  particularities particular      particularize   particular     
+  particularly    particularli    particulars     particular     
+  parties         parti           parting         part           
+  partisan        partisan        partisans       partisan       
+  partition       partit          partizan        partizan       
+  partlet         partlet         partly          partli         
+  partner         partner         partners        partner        
+  partridge       partridg        parts           part           
+  party           parti           pas             pa             
+  pash            pash            pashed          pash           
+  pashful         pash            pass            pass           
+  passable        passabl         passado         passado        
+  passage         passag          passages        passag         
+  passant         passant         passed          pass           
+  passenger       passeng         passengers      passeng        
+  passes          pass            passeth         passeth        
+  passing         pass            passio          passio         
+  passion         passion         passionate      passion        
+  passioning      passion         passions        passion        
+  passive         passiv          passport        passport       
+  passy           passi           past            past           
+  paste           past            pasterns        pastern        
+  pasties         pasti           pastime         pastim         
+  pastimes        pastim          pastoral        pastor         
+  pastorals       pastor          pastors         pastor         
+  pastry          pastri          pasture         pastur         
+  pastures        pastur          pasty           pasti          
+  pat             pat             patay           patai          
+  patch           patch           patchery        patcheri       
+  patches         patch           pate            pate           
+  pated           pate            patent          patent         
+  patents         patent          paternal        patern         
+  pates           pate            path            path           
+  pathetical      pathet          paths           path           
+  pathway         pathwai         pathways        pathwai        
+  patience        patienc         patient         patient        
+  patiently       patient         patients        patient        
+  patines         patin           patrician       patrician      
+  patricians      patrician       patrick         patrick        
+  patrimony       patrimoni       patroclus       patroclu       
+  patron          patron          patronage       patronag       
+  patroness       patro           patrons         patron         
+  patrum          patrum          patter          patter         
+  pattern         pattern         patterns        pattern        
+  pattle          pattl           pauca           pauca          
+  paucas          pauca           paul            paul           
+  paulina         paulina         paunch          paunch         
+  paunches        paunch          pause           paus           
+  pauser          pauser          pauses          paus           
+  pausingly       pausingli       pauvres         pauvr          
+  pav             pav             paved           pave           
+  pavement        pavement        pavilion        pavilion       
+  pavilions       pavilion        pavin           pavin          
+  paw             paw             pawn            pawn           
+  pawns           pawn            paws            paw            
+  pax             pax             pay             pai            
+  payest          payest          paying          pai            
+  payment         payment         payments        payment        
+  pays            pai             paysan          paysan         
+  paysans         paysan          pe              pe             
+  peace           peac            peaceable       peaceabl       
+  peaceably       peaceabl        peaceful        peac           
+  peacemakers     peacemak        peaces          peac           
+  peach           peach           peaches         peach          
+  peacock         peacock         peacocks        peacock        
+  peak            peak            peaking         peak           
+  peal            peal            peals           peal           
+  pear            pear            peard           peard          
+  pearl           pearl           pearls          pearl          
+  pears           pear            peas            pea            
+  peasant         peasant         peasantry       peasantri      
+  peasants        peasant         peascod         peascod        
+  pease           peas            peaseblossom    peaseblossom   
+  peat            peat            peaten          peaten         
+  peating         peat            pebble          pebbl          
+  pebbled         pebbl           pebbles         pebbl          
+  peck            peck            pecks           peck           
+  peculiar        peculiar        pecus           pecu           
+  pedant          pedant          pedantical      pedant         
+  pedascule       pedascul        pede            pede           
+  pedestal        pedest          pedigree        pedigre        
+  pedlar          pedlar          pedlars         pedlar         
+  pedro           pedro           peds            ped            
+  peel            peel            peep            peep           
+  peeped          peep            peeping         peep           
+  peeps           peep            peer            peer           
+  peereth         peereth         peering         peer           
+  peerless        peerless        peers           peer           
+  peesel          peesel          peevish         peevish        
+  peevishly       peevishli       peflur          peflur         
+  peg             peg             pegasus         pegasu         
+  pegs            peg             peise           peis           
+  peised          peis            peize           peiz           
+  pelf            pelf            pelican         pelican        
+  pelion          pelion          pell            pell           
+  pella           pella           pelleted        pellet         
+  peloponnesus    peloponnesu     pelt            pelt           
+  pelting         pelt            pembroke        pembrok        
+  pen             pen             penalties       penalti        
+  penalty         penalti         penance         penanc         
+  pence           penc            pencil          pencil         
+  pencill         pencil          pencils         pencil         
+  pendant         pendant         pendent         pendent        
+  pendragon       pendragon       pendulous       pendul         
+  penelope        penelop         penetrable      penetr         
+  penetrate       penetr          penetrative     penetr         
+  penitence       penit           penitent        penit          
+  penitential     penitenti       penitently      penit          
+  penitents       penit           penker          penker         
+  penknife        penknif         penn            penn           
+  penned          pen             penning         pen            
+  pennons         pennon          penny           penni          
+  pennyworth      pennyworth      pennyworths     pennyworth     
+  pens            pen             pense           pens           
+  pension         pension         pensioners      pension        
+  pensive         pensiv          pensived        pensiv         
+  pensively       pensiv          pent            pent           
+  pentecost       pentecost       penthesilea     penthesilea    
+  penthouse       penthous        penurious       penuri         
+  penury          penuri          peopl           peopl          
+  people          peopl           peopled         peopl          
+  peoples         peopl           pepin           pepin          
+  pepper          pepper          peppercorn      peppercorn     
+  peppered        pepper          per             per            
+  peradventure    peradventur     peradventures   peradventur    
+  perceiv         perceiv         perceive        perceiv        
+  perceived       perceiv         perceives       perceiv        
+  perceiveth      perceiveth      perch           perch          
+  perchance       perchanc        percies         perci          
+  percussion      percuss         percy           perci          
+  perdie          perdi           perdita         perdita        
+  perdition       perdit          perdonato       perdonato      
+  perdu           perdu           perdurable      perdur         
+  perdurably      perdur          perdy           perdi          
+  pere            pere            peregrinate     peregrin       
+  peremptorily    peremptorili    peremptory      peremptori     
+  perfect         perfect         perfected       perfect        
+  perfecter       perfect         perfectest      perfectest     
+  perfection      perfect         perfections     perfect        
+  perfectly       perfectli       perfectness     perfect        
+  perfidious      perfidi         perfidiously    perfidi        
+  perforce        perforc         perform         perform        
+  performance     perform         performances    perform        
+  performed       perform         performer       perform        
+  performers      perform         performing      perform        
+  performs        perform         perfum          perfum         
+  perfume         perfum          perfumed        perfum         
+  perfumer        perfum          perfumes        perfum         
+  perge           perg            perhaps         perhap         
+  periapts        periapt         perigort        perigort       
+  perigouna       perigouna       peril           peril          
+  perilous        peril           perils          peril          
+  period          period          periods         period         
+  perish          perish          perished        perish         
+  perishest       perishest       perisheth       perisheth      
+  perishing       perish          periwig         periwig        
+  perjur          perjur          perjure         perjur         
+  perjured        perjur          perjuries       perjuri        
+  perjury         perjuri         perk            perk           
+  perkes          perk            permafoy        permafoi       
+  permanent       perman          permission      permiss        
+  permissive      permiss         permit          permit         
+  permitted       permit          pernicious      pernici        
+  perniciously    pernici         peroration      peror          
+  perpend         perpend         perpendicular   perpendicular  
+  perpendicularly perpendicularli perpetual       perpetu        
+  perpetually     perpetu         perpetuity      perpetu        
+  perplex         perplex         perplexed       perplex        
+  perplexity      perplex         pers            per            
+  persecuted      persecut        persecutions    persecut       
+  persecutor      persecutor      perseus         perseu         
+  persever        persev          perseverance    persever       
+  persevers       persev          persia          persia         
+  persian         persian         persist         persist        
+  persisted       persist         persistency     persist        
+  persistive      persist         persists        persist        
+  person          person          personae        persona        
+  personage       personag        personages      personag       
+  personal        person          personally      person         
+  personate       person          personated      person         
+  personates      person          personating     person         
+  persons         person          perspective     perspect       
+  perspectively   perspect        perspectives    perspect       
+  perspicuous     perspicu        persuade        persuad        
+  persuaded       persuad         persuades       persuad        
+  persuading      persuad         persuasion      persuas        
+  persuasions     persuas         pert            pert           
+  pertain         pertain         pertaining      pertain        
+  pertains        pertain         pertaunt        pertaunt       
+  pertinent       pertin          pertly          pertli         
+  perturb         perturb         perturbation    perturb        
+  perturbations   perturb         perturbed       perturb        
+  perus           peru            perusal         perus          
+  peruse          perus           perused         perus          
+  perusing        perus           perverse        pervers        
+  perversely      pervers         perverseness    pervers        
+  pervert         pervert         perverted       pervert        
+  peseech         peseech         pest            pest           
+  pester          pester          pestiferous     pestifer       
+  pestilence      pestil          pestilent       pestil         
+  pet             pet             petar           petar          
+  peter           peter           petit           petit          
+  petition        petit           petitionary     petitionari    
+  petitioner      petition        petitioners     petition       
+  petitions       petit           peto            peto           
+  petrarch        petrarch        petruchio       petruchio      
+  petter          petter          petticoat       petticoat      
+  petticoats      petticoat       pettiness       petti          
+  pettish         pettish         pettitoes       pettito        
+  petty           petti           peu             peu            
+  pew             pew             pewter          pewter         
+  pewterer        pewter          phaethon        phaethon       
+  phaeton         phaeton         phantasime      phantasim      
+  phantasimes     phantasim       phantasma       phantasma      
+  pharamond       pharamond       pharaoh         pharaoh        
+  pharsalia       pharsalia       pheasant        pheasant       
+  pheazar         pheazar         phebe           phebe          
+  phebes          phebe           pheebus         pheebu         
+  pheeze          pheez           phibbus         phibbu         
+  philadelphos    philadelpho     philario        philario       
+  philarmonus     philarmonu      philemon        philemon       
+  philip          philip          philippan       philippan      
+  philippe        philipp         philippi        philippi       
+  phillida        phillida        philo           philo          
+  philomel        philomel        philomela       philomela      
+  philosopher     philosoph       philosophers    philosoph      
+  philosophical   philosoph       philosophy      philosophi     
+  philostrate     philostr        philotus        philotu        
+  phlegmatic      phlegmat        phoebe          phoeb          
+  phoebus         phoebu          phoenicia       phoenicia      
+  phoenicians     phoenician      phoenix         phoenix        
+  phorbus         phorbu          photinus        photinu        
+  phrase          phrase          phraseless      phraseless     
+  phrases         phrase          phrygia         phrygia        
+  phrygian        phrygian        phrynia         phrynia        
+  physic          physic          physical        physic         
+  physician       physician       physicians      physician      
+  physics         physic          pia             pia            
+  pibble          pibbl           pible           pibl           
+  picardy         picardi         pick            pick           
+  pickaxe         pickax          pickaxes        pickax         
+  pickbone        pickbon         picked          pick           
+  pickers         picker          picking         pick           
+  pickle          pickl           picklock        picklock       
+  pickpurse       pickpurs        picks           pick           
+  pickt           pickt           pickthanks      pickthank      
+  pictur          pictur          picture         pictur         
+  pictured        pictur          pictures        pictur         
+  pid             pid             pie             pie            
+  piec            piec            piece           piec           
+  pieces          piec            piecing         piec           
+  pied            pi              piedness        pied           
+  pier            pier            pierc           pierc          
+  pierce          pierc           pierced         pierc          
+  pierces         pierc           pierceth        pierceth       
+  piercing        pierc           piercy          pierci         
+  piers           pier            pies            pi             
+  piety           pieti           pig             pig            
+  pigeon          pigeon          pigeons         pigeon         
+  pight           pight           pigmy           pigmi          
+  pigrogromitus   pigrogromitu    pike            pike           
+  pikes           pike            pil             pil            
+  pilate          pilat           pilates         pilat          
+  pilchers        pilcher         pile            pile           
+  piles           pile            pilf            pilf           
+  pilfering       pilfer          pilgrim         pilgrim        
+  pilgrimage      pilgrimag       pilgrims        pilgrim        
+  pill            pill            pillage         pillag         
+  pillagers       pillag          pillar          pillar         
+  pillars         pillar          pillicock       pillicock      
+  pillory         pillori         pillow          pillow         
+  pillows         pillow          pills           pill           
+  pilot           pilot           pilots          pilot          
+  pimpernell      pimpernel       pin             pin            
+  pinch           pinch           pinched         pinch          
+  pinches         pinch           pinching        pinch          
+  pindarus        pindaru         pine            pine           
+  pined           pine            pines           pine           
+  pinfold         pinfold         pining          pine           
+  pinion          pinion          pink            pink           
+  pinn            pinn            pinnace         pinnac         
+  pins            pin             pinse           pins           
+  pint            pint            pintpot         pintpot        
+  pioned          pion            pioneers        pioneer        
+  pioner          pioner          pioners         pioner         
+  pious           piou            pip             pip            
+  pipe            pipe            piper           piper          
+  pipers          piper           pipes           pipe           
+  piping          pipe            pippin          pippin         
+  pippins         pippin          pirate          pirat          
+  pirates         pirat           pisa            pisa           
+  pisanio         pisanio         pish            pish           
+  pismires        pismir          piss            piss           
+  pissing         piss            pistol          pistol         
+  pistols         pistol          pit             pit            
+  pitch           pitch           pitched         pitch          
+  pitcher         pitcher         pitchers        pitcher        
+  pitchy          pitchi          piteous         piteou         
+  piteously       piteous         pitfall         pitfal         
+  pith            pith            pithless        pithless       
+  pithy           pithi           pitie           piti           
+  pitied          piti            pities          piti           
+  pitiful         piti            pitifully       pitifulli      
+  pitiless        pitiless        pits            pit            
+  pittance        pittanc         pittie          pitti          
+  pittikins       pittikin        pity            piti           
+  pitying         piti            pius            piu            
+  plac            plac            place           place          
+  placed          place           placentio       placentio      
+  places          place           placeth         placeth        
+  placid          placid          placing         place          
+  plack           plack           placket         placket        
+  plackets        placket         plagu           plagu          
+  plague          plagu           plagued         plagu          
+  plagues         plagu           plaguing        plagu          
+  plaguy          plagui          plain           plain          
+  plainer         plainer         plainest        plainest       
+  plaining        plain           plainings       plain          
+  plainly         plainli         plainness       plain          
+  plains          plain           plainsong       plainsong      
+  plaintful       plaint          plaintiff       plaintiff      
+  plaintiffs      plaintiff       plaints         plaint         
+  planched        planch          planet          planet         
+  planetary       planetari       planets         planet         
+  planks          plank           plant           plant          
+  plantage        plantag         plantagenet     plantagenet    
+  plantagenets    plantagenet     plantain        plantain       
+  plantation      plantat         planted         plant          
+  planteth        planteth        plants          plant          
+  plash           plash           plashy          plashi         
+  plast           plast           plaster         plaster        
+  plasterer       plaster         plat            plat           
+  plate           plate           plated          plate          
+  plates          plate           platform        platform       
+  platforms       platform        plats           plat           
+  platted         plat            plausible       plausibl       
+  plausive        plausiv         plautus         plautu         
+  play            plai            played          plai           
+  player          player          players         player         
+  playeth         playeth         playfellow      playfellow     
+  playfellows     playfellow      playhouse       playhous       
+  playing         plai            plays           plai           
+  plea            plea            pleach          pleach         
+  pleached        pleach          plead           plead          
+  pleaded         plead           pleader         pleader        
+  pleaders        pleader         pleading        plead          
+  pleads          plead           pleas           plea           
+  pleasance       pleasanc        pleasant        pleasant       
+  pleasantly      pleasantli      please          pleas          
+  pleased         pleas           pleaser         pleaser        
+  pleasers        pleaser         pleases         pleas          
+  pleasest        pleasest        pleaseth        pleaseth       
+  pleasing        pleas           pleasure        pleasur        
+  pleasures       pleasur         plebeians       plebeian       
+  plebeii         plebeii         plebs           pleb           
+  pledge          pledg           pledges         pledg          
+  pleines         plein           plenitude       plenitud       
+  plenteous       plenteou        plenteously     plenteous      
+  plenties        plenti          plentiful       plenti         
+  plentifully     plentifulli     plenty          plenti         
+  pless           pless           plessed         pless          
+  plessing        pless           pliant          pliant         
+  plied           pli             plies           pli            
+  plight          plight          plighted        plight         
+  plighter        plighter        plod            plod           
+  plodded         plod            plodders        plodder        
+  plodding        plod            plods           plod           
+  plood           plood           ploody          ploodi         
+  plot            plot            plots           plot           
+  plotted         plot            plotter         plotter        
+  plough          plough          ploughed        plough         
+  ploughman       ploughman       ploughmen       ploughmen      
+  plow            plow            plows           plow           
+  pluck           pluck           plucked         pluck          
+  plucker         plucker         plucking        pluck          
+  plucks          pluck           plue            plue           
+  plum            plum            plume           plume          
+  plumed          plume           plumes          plume          
+  plummet         plummet         plump           plump          
+  plumpy          plumpi          plums           plum           
+  plung           plung           plunge          plung          
+  plunged         plung           plural          plural         
+  plurisy         plurisi         plus            plu            
+  pluto           pluto           plutus          plutu          
+  ply             ply             po              po             
+  pocket          pocket          pocketing       pocket         
+  pockets         pocket          pocky           pocki          
+  pody            podi            poem            poem           
+  poesy           poesi           poet            poet           
+  poetical        poetic          poetry          poetri         
+  poets           poet            poictiers       poictier       
+  poinards        poinard         poins           poin           
+  point           point           pointblank      pointblank     
+  pointed         point           pointing        point          
+  points          point           pois            poi            
+  poise           pois            poising         pois           
+  poison          poison          poisoned        poison         
+  poisoner        poison          poisoning       poison         
+  poisonous       poison          poisons         poison         
+  poke            poke            poking          poke           
+  pol             pol             polack          polack         
+  polacks         polack          poland          poland         
+  pold            pold            pole            pole           
+  poleaxe         poleax          polecat         polecat        
+  polecats        polecat         polemon         polemon        
+  poles           pole            poli            poli           
+  policies        polici          policy          polici         
+  polish          polish          polished        polish         
+  politic         polit           politician      politician     
+  politicians     politician      politicly       politicli      
+  polixenes       polixen         poll            poll           
+  polluted        pollut          pollution       pollut         
+  polonius        poloniu         poltroons       poltroon       
+  polusion        polus           polydamus       polydamu       
+  polydore        polydor         polyxena        polyxena       
+  pomander        pomand          pomegranate     pomegran       
+  pomewater       pomewat         pomfret         pomfret        
+  pomgarnet       pomgarnet       pommel          pommel         
+  pomp            pomp            pompeius        pompeiu        
+  pompey          pompei          pompion         pompion        
+  pompous         pompou          pomps           pomp           
+  pond            pond            ponder          ponder         
+  ponderous       ponder          ponds           pond           
+  poniard         poniard         poniards        poniard        
+  pont            pont            pontic          pontic         
+  pontifical      pontif          ponton          ponton         
+  pooh            pooh            pool            pool           
+  poole           pool            poop            poop           
+  poor            poor            poorer          poorer         
+  poorest         poorest         poorly          poorli         
+  pop             pop             pope            pope           
+  popedom         popedom         popilius        popiliu        
+  popingay        popingai        popish          popish         
+  popp            popp            poppy           poppi          
+  pops            pop             popular         popular        
+  popularity      popular         populous        popul          
+  porch           porch           porches         porch          
+  pore            pore            poring          pore           
+  pork            pork            porn            porn           
+  porpentine      porpentin       porridge        porridg        
+  porringer       porring         port            port           
+  portable        portabl         portage         portag         
+  portal          portal          portance        portanc        
+  portcullis      portculli       portend         portend        
+  portends        portend         portent         portent        
+  portentous      portent         portents        portent        
+  porter          porter          porters         porter         
+  portia          portia          portion         portion        
+  portly          portli          portotartarossa portotartarossa
+  portrait        portrait        portraiture     portraitur     
+  ports           port            portugal        portug         
+  pose            pose            posied          posi           
+  posies          posi            position        posit          
+  positive        posit           positively      posit          
+  posse           poss            possess         possess        
+  possessed       possess         possesses       possess        
+  possesseth      possesseth      possessing      possess        
+  possession      possess         possessions     possess        
+  possessor       possessor       posset          posset         
+  possets         posset          possibilities   possibl        
+  possibility     possibl         possible        possibl        
+  possibly        possibl         possitable      possit         
+  post            post            poste           post           
+  posted          post            posterior       posterior      
+  posteriors      posterior       posterity       poster         
+  postern         postern         posterns        postern        
+  posters         poster          posthorse       posthors       
+  posthorses      posthors        posthumus       posthumu       
+  posting         post            postmaster      postmast       
+  posts           post            postscript      postscript     
+  posture         postur          postures        postur         
+  posy            posi            pot             pot            
+  potable         potabl          potations       potat          
+  potato          potato          potatoes        potato         
+  potch           potch           potency         potenc         
+  potent          potent          potentates      potent         
+  potential       potenti         potently        potent         
+  potents         potent          pothecary       pothecari      
+  pother          pother          potion          potion         
+  potions         potion          potpan          potpan         
+  pots            pot             potter          potter         
+  potting         pot             pottle          pottl          
+  pouch           pouch           poulter         poulter        
+  poultice        poultic         poultney        poultnei       
+  pouncet         pouncet         pound           pound          
+  pounds          pound           pour            pour           
+  pourest         pourest         pouring         pour           
+  pourquoi        pourquoi        pours           pour           
+  pout            pout            poverty         poverti        
+  pow             pow             powd            powd           
+  powder          powder          power           power          
+  powerful        power           powerfully      powerfulli     
+  powerless       powerless       powers          power          
+  pox             pox             poys            poi            
+  poysam          poysam          prabbles        prabbl         
+  practic         practic         practice        practic        
+  practiced       practic         practicer       practic        
+  practices       practic         practicing      practic        
+  practis         practi          practisants     practis        
+  practise        practis         practiser       practis        
+  practisers      practis         practises       practis        
+  practising      practis         praeclarissimus praeclarissimu 
+  praemunire      praemunir       praetor         praetor        
+  praetors        praetor         pragging        prag           
+  prague          pragu           prain           prain          
+  prains          prain           prais           prai           
+  praise          prais           praised         prais          
+  praises         prais           praisest        praisest       
+  praiseworthy    praiseworthi    praising        prais          
+  prancing        pranc           prank           prank          
+  pranks          prank           prat            prat           
+  prate           prate           prated          prate          
+  prater          prater          prating         prate          
+  prattle         prattl          prattler        prattler       
+  prattling       prattl          prave           prave          
+  prawls          prawl           prawns          prawn          
+  pray            prai            prayer          prayer         
+  prayers         prayer          praying         prai           
+  prays           prai            pre             pre            
+  preach          preach          preached        preach         
+  preachers       preacher        preaches        preach         
+  preaching       preach          preachment      preachment     
+  pread           pread           preambulate     preambul       
+  precedence      preced          precedent       preced         
+  preceding       preced          precept         precept        
+  preceptial      precepti        precepts        precept        
+  precinct        precinct        precious        preciou        
+  preciously      precious        precipice       precipic       
+  precipitating   precipit        precipitation   precipit       
+  precise         precis          precisely       precis         
+  preciseness     precis          precisian       precisian      
+  precor          precor          precurse        precurs        
+  precursors      precursor       predeceased     predeceas      
+  predecessor     predecessor     predecessors    predecessor    
+  predestinate    predestin       predicament     predica        
+  predict         predict         prediction      predict        
+  predictions     predict         predominance    predomin       
+  predominant     predomin        predominate     predomin       
+  preeches        preech          preeminence     preemin        
+  preface         prefac          prefer          prefer         
+  preferment      prefer          preferments     prefer         
+  preferr         preferr         preferreth      preferreth     
+  preferring      prefer          prefers         prefer         
+  prefiguring     prefigur        prefix          prefix         
+  prefixed        prefix          preformed       preform        
+  pregnancy       pregnanc        pregnant        pregnant       
+  pregnantly      pregnantli      prejudicates    prejud         
+  prejudice       prejudic        prejudicial     prejudici      
+  prelate         prelat          premeditated    premedit       
+  premeditation   premedit        premised        premis         
+  premises        premis          prenez          prenez         
+  prenominate     prenomin        prentice        prentic        
+  prentices       prentic         preordinance    preordin       
+  prepar          prepar          preparation     prepar         
+  preparations    prepar          prepare         prepar         
+  prepared        prepar          preparedly      preparedli     
+  prepares        prepar          preparing       prepar         
+  prepost         prepost         preposterous    preposter      
+  preposterously  preposter       prerogatifes    prerogatif     
+  prerogative     prerog          prerogatived    prerogativ     
+  presage         presag          presagers       presag         
+  presages        presag          presageth       presageth      
+  presaging       presag          prescience      prescienc      
+  prescribe       prescrib        prescript       prescript      
+  prescription    prescript       prescriptions   prescript      
+  prescripts      prescript       presence        presenc        
+  presences       presenc         present         present        
+  presentation    present         presented       present        
+  presenter       present         presenters      present        
+  presenteth      presenteth      presenting      present        
+  presently       present         presentment     present        
+  presents        present         preserv         preserv        
+  preservation    preserv         preservative    preserv        
+  preserve        preserv         preserved       preserv        
+  preserver       preserv         preservers      preserv        
+  preserving      preserv         president       presid         
+  press           press           pressed         press          
+  presser         presser         presses         press          
+  pressing        press           pressure        pressur        
+  pressures       pressur         prest           prest          
+  prester         prester         presume         presum         
+  presumes        presum          presuming       presum         
+  presumption     presumpt        presumptuous    presumptu      
+  presuppos       presuppo        pret            pret           
+  pretence        pretenc         pretences       pretenc        
+  pretend         pretend         pretended       pretend        
+  pretending      pretend         pretense        pretens        
+  pretext         pretext         pretia          pretia         
+  prettier        prettier        prettiest       prettiest      
+  prettily        prettili        prettiness      pretti         
+  pretty          pretti          prevail         prevail        
+  prevailed       prevail         prevaileth      prevaileth     
+  prevailing      prevail         prevailment     prevail        
+  prevails        prevail         prevent         prevent        
+  prevented       prevent         prevention      prevent        
+  preventions     prevent         prevents        prevent        
+  prey            prei            preyful         prey           
+  preys           prei            priam           priam          
+  priami          priami          priamus         priamu         
+  pribbles        pribbl          price           price          
+  prick           prick           pricked         prick          
+  pricket         pricket         pricking        prick          
+  pricks          prick           pricksong       pricksong      
+  pride           pride           prides          pride          
+  pridge          pridg           prie            prie           
+  pried           pri             prief           prief          
+  pries           pri             priest          priest         
+  priesthood      priesthood      priests         priest         
+  prig            prig            primal          primal         
+  prime           prime           primer          primer         
+  primero         primero         primest         primest        
+  primitive       primit          primo           primo          
+  primogenity     primogen        primrose        primros        
+  primroses       primros         primy           primi          
+  prince          princ           princely        princ          
+  princes         princ           princess        princess       
+  principal       princip         principalities  princip        
+  principality    princip         principle       principl       
+  principles      principl        princox         princox        
+  prings          pring           print           print          
+  printed         print           printing        print          
+  printless       printless       prints          print          
+  prioress        prioress        priories        priori         
+  priority        prioriti        priory          priori         
+  priscian        priscian        prison          prison         
+  prisoner        prison          prisoners       prison         
+  prisonment      prison          prisonnier      prisonni       
+  prisons         prison          pristine        pristin        
+  prithe          prith           prithee         prithe         
+  privacy         privaci         private         privat         
+  privately       privat          privates        privat         
+  privilage       privilag        privileg        privileg       
+  privilege       privileg        privileged      privileg       
+  privileges      privileg        privilegio      privilegio     
+  privily         privili         privity         priviti        
+  privy           privi           priz            priz           
+  prize           prize           prized          prize          
+  prizer          prizer          prizes          prize          
+  prizest         prizest         prizing         prize          
+  pro             pro             probable        probabl        
+  probal          probal          probation       probat         
+  proceed         proce           proceeded       proceed        
+  proceeders      proceed         proceeding      proceed        
+  proceedings     proceed         proceeds        proce          
+  process         process         procession      process        
+  proclaim        proclaim        proclaimed      proclaim       
+  proclaimeth     proclaimeth     proclaims       proclaim       
+  proclamation    proclam         proclamations   proclam        
+  proconsul       proconsul       procrastinate   procrastin     
+  procreant       procreant       procreants      procreant      
+  procreation     procreat        procrus         procru         
+  proculeius      proculeiu       procur          procur         
+  procurator      procur          procure         procur         
+  procured        procur          procures        procur         
+  procuring       procur          prodigal        prodig         
+  prodigality     prodig          prodigally      prodig         
+  prodigals       prodig          prodigies       prodigi        
+  prodigious      prodigi         prodigiously    prodigi        
+  prodigy         prodigi         proditor        proditor       
+  produc          produc          produce         produc         
+  produced        produc          produces        produc         
+  producing       produc          proface         profac         
+  profan          profan          profanation     profan         
+  profane         profan          profaned        profan         
+  profanely       profan          profaneness     profan         
+  profaners       profan          profaning       profan         
+  profess         profess         professed       profess        
+  professes       profess         profession      profess        
+  professions     profess         professors      professor      
+  proffer         proffer         proffered       proffer        
+  profferer       proffer         proffers        proffer        
+  proficient      profici         profit          profit         
+  profitable      profit          profitably      profit         
+  profited        profit          profiting       profit         
+  profitless      profitless      profits         profit         
+  profound        profound        profoundest     profoundest    
+  profoundly      profoundli      progenitors     progenitor     
+  progeny         progeni         progne          progn          
+  prognosticate   prognost        prognostication prognost       
+  progress        progress        progression     progress       
+  prohibit        prohibit        prohibition     prohibit       
+  project         project         projection      project        
+  projects        project         prolixious      prolixi        
+  prolixity       prolix          prologue        prologu        
+  prologues       prologu         prolong         prolong        
+  prolongs        prolong         promethean      promethean     
+  prometheus      prometheu       promis          promi          
+  promise         promis          promised        promis         
+  promises        promis          promiseth       promiseth      
+  promising       promis          promontory      promontori     
+  promotion       promot          promotions      promot         
+  prompt          prompt          prompted        prompt         
+  promptement     promptement     prompter        prompter       
+  prompting       prompt          prompts         prompt         
+  prompture       promptur        promulgate      promulg        
+  prone           prone           prononcer       prononc        
+  prononcez       prononcez       pronoun         pronoun        
+  pronounc        pronounc        pronounce       pronounc       
+  pronounced      pronounc        pronouncing     pronounc       
+  pronouns        pronoun         proof           proof          
+  proofs          proof           prop            prop           
+  propagate       propag          propagation     propag         
+  propend         propend         propension      propens        
+  proper          proper          properer        proper         
+  properly        properli        propertied      properti       
+  properties      properti        property        properti       
+  prophecies      propheci        prophecy        propheci       
+  prophesied      prophesi        prophesier      prophesi       
+  prophesy        prophesi        prophesying     prophesi       
+  prophet         prophet         prophetess      prophetess     
+  prophetic       prophet         prophetically   prophet        
+  prophets        prophet         propinquity     propinqu       
+  propontic       propont         proportion      proport        
+  proportionable  proportion      proportions     proport        
+  propos          propo           propose         propos         
+  proposed        propos          proposer        propos         
+  proposes        propos          proposing       propos         
+  proposition     proposit        propositions    proposit       
+  propounded      propound        propp           propp          
+  propre          propr           propriety       proprieti      
+  props           prop            propugnation    propugn        
+  prorogue        prorogu         prorogued       prorogu        
+  proscription    proscript       proscriptions   proscript      
+  prose           prose           prosecute       prosecut       
+  prosecution     prosecut        proselytes      proselyt       
+  proserpina      proserpina      prosp           prosp          
+  prospect        prospect        prosper         prosper        
+  prosperity      prosper         prospero        prospero       
+  prosperous      prosper         prosperously    prosper        
+  prospers        prosper         prostitute      prostitut      
+  prostrate       prostrat        protect         protect        
+  protected       protect         protection      protect        
+  protector       protector       protectors      protector      
+  protectorship   protectorship   protectress     protectress    
+  protects        protect         protest         protest        
+  protestation    protest         protestations   protest        
+  protested       protest         protester       protest        
+  protesting      protest         protests        protest        
+  proteus         proteu          protheus        protheu        
+  protract        protract        protractive     protract       
+  proud           proud           prouder         prouder        
+  proudest        proudest        proudlier       proudlier      
+  proudly         proudli         prouds          proud          
+  prov            prov            provand         provand        
+  prove           prove           proved          prove          
+  provender       provend         proverb         proverb        
+  proverbs        proverb         proves          prove          
+  proveth         proveth         provide         provid         
+  provided        provid          providence      provid         
+  provident       provid          providently     provid         
+  provider        provid          provides        provid         
+  province        provinc         provinces       provinc        
+  provincial      provinci        proving         prove          
+  provision       provis          proviso         proviso        
+  provocation     provoc          provok          provok         
+  provoke         provok          provoked        provok         
+  provoker        provok          provokes        provok         
+  provoketh       provoketh       provoking       provok         
+  provost         provost         prowess         prowess        
+  prudence        prudenc         prudent         prudent        
+  prun            prun            prune           prune          
+  prunes          prune           pruning         prune          
+  pry             pry             prying          pry            
+  psalm           psalm           psalmist        psalmist       
+  psalms          psalm           psalteries      psalteri       
+  ptolemies       ptolemi         ptolemy         ptolemi        
+  public          public          publican        publican       
+  publication     public          publicly        publicli       
+  publicola       publicola       publish         publish        
+  published       publish         publisher       publish        
+  publishing      publish         publius         publiu         
+  pucelle         pucel           puck            puck           
+  pudder          pudder          pudding         pud            
+  puddings        pud             puddle          puddl          
+  puddled         puddl           pudency         pudenc         
+  pueritia        pueritia        puff            puff           
+  puffing         puf             puffs           puff           
+  pugging         pug             puis            pui            
+  puissance       puissanc        puissant        puissant       
+  puke            puke            puking          puke           
+  pulcher         pulcher         puling          pule           
+  pull            pull            puller          puller         
+  pullet          pullet          pulling         pull           
+  pulls           pull            pulpit          pulpit         
+  pulpiter        pulpit          pulpits         pulpit         
+  pulse           puls            pulsidge        pulsidg        
+  pump            pump            pumpion         pumpion        
+  pumps           pump            pun             pun            
+  punched         punch           punish          punish         
+  punished        punish          punishes        punish         
+  punishment      punish          punishments     punish         
+  punk            punk            punto           punto          
+  puny            puni            pupil           pupil          
+  pupils          pupil           puppet          puppet         
+  puppets         puppet          puppies         puppi          
+  puppy           puppi           pur             pur            
+  purblind        purblind        purchas         purcha         
+  purchase        purchas         purchased       purchas        
+  purchases       purchas         purchaseth      purchaseth     
+  purchasing      purchas         pure            pure           
+  purely          pure            purer           purer          
+  purest          purest          purg            purg           
+  purgation       purgat          purgative       purg           
+  purgatory       purgatori       purge           purg           
+  purged          purg            purgers         purger         
+  purging         purg            purifies        purifi         
+  purifying       purifi          puritan         puritan        
+  purity          puriti          purlieus        purlieu        
+  purple          purpl           purpled         purpl          
+  purples         purpl           purport         purport        
+  purpos          purpo           purpose         purpos         
+  purposed        purpos          purposely       purpos         
+  purposes        purpos          purposeth       purposeth      
+  purposing       purpos          purr            purr           
+  purs            pur             purse           purs           
+  pursents        pursent         purses          purs           
+  pursu           pursu           pursue          pursu          
+  pursued         pursu           pursuers        pursuer        
+  pursues         pursu           pursuest        pursuest       
+  pursueth        pursueth        pursuing        pursu          
+  pursuit         pursuit         pursuivant      pursuiv        
+  pursuivants     pursuiv         pursy           pursi          
+  purus           puru            purveyor        purveyor       
+  push            push            pushes          push           
+  pusillanimity   pusillanim      put             put            
+  putrefy         putrefi         putrified       putrifi        
+  puts            put             putter          putter         
+  putting         put             puttock         puttock        
+  puzzel          puzzel          puzzle          puzzl          
+  puzzled         puzzl           puzzles         puzzl          
+  py              py              pygmalion       pygmalion      
+  pygmies         pygmi           pygmy           pygmi          
+  pyramid         pyramid         pyramides       pyramid        
+  pyramids        pyramid         pyramis         pyrami         
+  pyramises       pyramis         pyramus         pyramu         
+  pyrenean        pyrenean        pyrrhus         pyrrhu         
+  pythagoras      pythagora       qu              qu             
+  quadrangle      quadrangl       quae            quae           
+  quaff           quaff           quaffing        quaf           
+  quagmire        quagmir         quail           quail          
+  quailing        quail           quails          quail          
+  quaint          quaint          quaintly        quaintli       
+  quak            quak            quake           quak           
+  quakes          quak            qualification   qualif         
+  qualified       qualifi         qualifies       qualifi        
+  qualify         qualifi         qualifying      qualifi        
+  qualite         qualit          qualities       qualiti        
+  quality         qualiti         qualm           qualm          
+  qualmish        qualmish        quam            quam           
+  quand           quand           quando          quando         
+  quantities      quantiti        quantity        quantiti       
+  quare           quar            quarrel         quarrel        
+  quarrell        quarrel         quarreller      quarrel        
+  quarrelling     quarrel         quarrelous      quarrel        
+  quarrels        quarrel         quarrelsome     quarrelsom     
+  quarries        quarri          quarry          quarri         
+  quart           quart           quarter         quarter        
+  quartered       quarter         quartering      quarter        
+  quarters        quarter         quarts          quart          
+  quasi           quasi           quat            quat           
+  quatch          quatch          quay            quai           
+  que             que             quean           quean          
+  queas           quea            queasiness      queasi         
+  queasy          queasi          queen           queen          
+  queens          queen           quell           quell          
+  queller         queller         quench          quench         
+  quenched        quench          quenching       quench         
+  quenchless      quenchless      quern           quern          
+  quest           quest           questant        questant       
+  question        question        questionable    question       
+  questioned      question        questioning     question       
+  questionless    questionless    questions       question       
+  questrists      questrist       quests          quest          
+  queubus         queubu          qui             qui            
+  quick           quick           quicken         quicken        
+  quickens        quicken         quicker         quicker        
+  quicklier       quicklier       quickly         quickli        
+  quickness       quick           quicksand       quicksand      
+  quicksands      quicksand       quicksilverr    quicksilverr   
+  quid            quid            quiddities      quidditi       
+  quiddits        quiddit         quier           quier          
+  quiet           quiet           quieter         quieter        
+  quietly         quietli         quietness       quiet          
+  quietus         quietu          quill           quill          
+  quillets        quillet         quills          quill          
+  quilt           quilt           quinapalus      quinapalu      
+  quince          quinc           quinces         quinc          
+  quintain        quintain        quintessence    quintess       
+  quintus         quintu          quip            quip           
+  quips           quip            quire           quir           
+  quiring         quir            quirk           quirk          
+  quirks          quirk           quis            qui            
+  quit            quit            quite           quit           
+  quits           quit            quittance       quittanc       
+  quitted         quit            quitting        quit           
+  quiver          quiver          quivering       quiver         
+  quivers         quiver          quo             quo            
+  quod            quod            quoifs          quoif          
+  quoint          quoint          quoit           quoit          
+  quoits          quoit           quondam         quondam        
+  quoniam         quoniam         quote           quot           
+  quoted          quot            quotes          quot           
+  quoth           quoth           quotidian       quotidian      
+  r               r               rabbit          rabbit         
+  rabble          rabbl           rabblement      rabblement     
+  race            race            rack            rack           
+  rackers         racker          racket          racket         
+  rackets         racket          racking         rack           
+  racks           rack            radiance        radianc        
+  radiant         radiant         radish          radish         
+  rafe            rafe            raft            raft           
+  rag             rag             rage            rage           
+  rages           rage            rageth          rageth         
+  ragg            ragg            ragged          rag            
+  raggedness      ragged          raging          rage           
+  ragozine        ragozin         rags            rag            
+  rah             rah             rail            rail           
+  railed          rail            railer          railer         
+  railest         railest         raileth         raileth        
+  railing         rail            rails           rail           
+  raiment         raiment         rain            rain           
+  rainbow         rainbow         raineth         raineth        
+  raining         rain            rainold         rainold        
+  rains           rain            rainy           raini          
+  rais            rai             raise           rais           
+  raised          rais            raises          rais           
+  raising         rais            raisins         raisin         
+  rak             rak             rake            rake           
+  rakers          raker           rakes           rake           
+  ral             ral             rald            rald           
+  ralph           ralph           ram             ram            
+  rambures        rambur          ramm            ramm           
+  rampallian      rampallian      rampant         rampant        
+  ramping         ramp            rampir          rampir         
+  ramps           ramp            rams            ram            
+  ramsey          ramsei          ramston         ramston        
+  ran             ran             rance           ranc           
+  rancorous       rancor          rancors         rancor         
+  rancour         rancour         random          random         
+  rang            rang            range           rang           
+  ranged          rang            rangers         ranger         
+  ranges          rang            ranging         rang           
+  rank            rank            ranker          ranker         
+  rankest         rankest         ranking         rank           
+  rankle          rankl           rankly          rankli         
+  rankness        rank            ranks           rank           
+  ransack         ransack         ransacking      ransack        
+  ransom          ransom          ransomed        ransom         
+  ransoming       ransom          ransomless      ransomless     
+  ransoms         ransom          rant            rant           
+  ranting         rant            rap             rap            
+  rape            rape            rapes           rape           
+  rapier          rapier          rapiers         rapier         
+  rapine          rapin           raps            rap            
+  rapt            rapt            rapture         raptur         
+  raptures        raptur          rar             rar            
+  rare            rare            rarely          rare           
+  rareness        rare            rarer           rarer          
+  rarest          rarest          rarities        rariti         
+  rarity          rariti          rascal          rascal         
+  rascalliest     rascalliest     rascally        rascal         
+  rascals         rascal          rased           rase           
+  rash            rash            rasher          rasher         
+  rashly          rashli          rashness        rash           
+  rat             rat             ratcatcher      ratcatch       
+  ratcliff        ratcliff        rate            rate           
+  rated           rate            rately          rate           
+  rates           rate            rather          rather         
+  ratherest       ratherest       ratified        ratifi         
+  ratifiers       ratifi          ratify          ratifi         
+  rating          rate            rational        ration         
+  ratolorum       ratolorum       rats            rat            
+  ratsbane        ratsban         rattle          rattl          
+  rattles         rattl           rattling        rattl          
+  rature          ratur           raught          raught         
+  rav             rav             rave            rave           
+  ravel           ravel           raven           raven          
+  ravening        raven           ravenous        raven          
+  ravens          raven           ravenspurgh     ravenspurgh    
+  raves           rave            ravin           ravin          
+  raving          rave            ravish          ravish         
+  ravished        ravish          ravisher        ravish         
+  ravishing       ravish          ravishments     ravish         
+  raw             raw             rawer           rawer          
+  rawly           rawli           rawness         raw            
+  ray             rai             rayed           rai            
+  rays            rai             raz             raz            
+  raze            raze            razed           raze           
+  razes           raze            razeth          razeth         
+  razing          raze            razor           razor          
+  razorable       razor           razors          razor          
+  razure          razur           re              re             
+  reach           reach           reaches         reach          
+  reacheth        reacheth        reaching        reach          
+  read            read            reader          reader         
+  readiest        readiest        readily         readili        
+  readiness       readi           reading         read           
+  readins         readin          reads           read           
+  ready           readi           real            real           
+  really          realli          realm           realm          
+  realms          realm           reap            reap           
+  reapers         reaper          reaping         reap           
+  reaps           reap            rear            rear           
+  rears           rear            rearward        rearward       
+  reason          reason          reasonable      reason         
+  reasonably      reason          reasoned        reason         
+  reasoning       reason          reasonless      reasonless     
+  reasons         reason          reave           reav           
+  rebate          rebat           rebato          rebato         
+  rebeck          rebeck          rebel           rebel          
+  rebell          rebel           rebelling       rebel          
+  rebellion       rebellion       rebellious      rebelli        
+  rebels          rebel           rebound         rebound        
+  rebuk           rebuk           rebuke          rebuk          
+  rebukeable      rebuk           rebuked         rebuk          
+  rebukes         rebuk           rebus           rebu           
+  recall          recal           recant          recant         
+  recantation     recant          recanter        recant         
+  recanting       recant          receipt         receipt        
+  receipts        receipt         receiv          receiv         
+  receive         receiv          received        receiv         
+  receiver        receiv          receives        receiv         
+  receivest       receivest       receiveth       receiveth      
+  receiving       receiv          receptacle      receptacl      
+  rechate         rechat          reciprocal      reciproc       
+  reciprocally    reciproc        recite          recit          
+  recited         recit           reciterai       reciterai      
+  reck            reck            recking         reck           
+  reckless        reckless        reckon          reckon         
+  reckoned        reckon          reckoning       reckon         
+  reckonings      reckon          recks           reck           
+  reclaim         reclaim         reclaims        reclaim        
+  reclusive       reclus          recognizance    recogniz       
+  recognizances   recogniz        recoil          recoil         
+  recoiling       recoil          recollected     recollect      
+  recomforted     recomfort       recomforture    recomfortur    
+  recommend       recommend       recommended     recommend      
+  recommends      recommend       recompens       recompen       
+  recompense      recompens       reconcil        reconcil       
+  reconcile       reconcil        reconciled      reconcil       
+  reconcilement   reconcil        reconciler      reconcil       
+  reconciles      reconcil        reconciliation  reconcili      
+  record          record          recordation     record         
+  recorded        record          recorder        record         
+  recorders       record          records         record         
+  recount         recount         recounted       recount        
+  recounting      recount         recountments    recount        
+  recounts        recount         recourse        recours        
+  recov           recov           recover         recov          
+  recoverable     recover         recovered       recov          
+  recoveries      recoveri        recovers        recov          
+  recovery        recoveri        recreant        recreant       
+  recreants       recreant        recreate        recreat        
+  recreation      recreat         rectify         rectifi        
+  rector          rector          rectorship      rectorship     
+  recure          recur           recured         recur          
+  red             red             redbreast       redbreast      
+  redder          redder          reddest         reddest        
+  rede            rede            redeem          redeem         
+  redeemed        redeem          redeemer        redeem         
+  redeeming       redeem          redeems         redeem         
+  redeliver       redeliv         redemption      redempt        
+  redime          redim           redness         red            
+  redoubled       redoubl         redoubted       redoubt        
+  redound         redound         redress         redress        
+  redressed       redress         redresses       redress        
+  reduce          reduc           reechy          reechi         
+  reed            reed            reeds           reed           
+  reek            reek            reeking         reek           
+  reeks           reek            reeky           reeki          
+  reel            reel            reeleth         reeleth        
+  reeling         reel            reels           reel           
+  refell          refel           refer           refer          
+  reference       refer           referr          referr         
+  referred        refer           refigured       refigur        
+  refin           refin           refined         refin          
+  reflect         reflect         reflecting      reflect        
+  reflection      reflect         reflex          reflex         
+  reform          reform          reformation     reform         
+  reformed        reform          refractory      refractori     
+  refrain         refrain         refresh         refresh        
+  refreshing      refresh         reft            reft           
+  refts           reft            refuge          refug          
+  refus           refu            refusal         refus          
+  refuse          refus           refused         refus          
+  refusest        refusest        refusing        refus          
+  reg             reg             regal           regal          
+  regalia         regalia         regan           regan          
+  regard          regard          regardance      regard         
+  regarded        regard          regardfully     regardfulli    
+  regarding       regard          regards         regard         
+  regenerate      regener         regent          regent         
+  regentship      regentship      regia           regia          
+  regiment        regiment        regiments       regiment       
+  regina          regina          region          region         
+  regions         region          regist          regist         
+  register        regist          registers       regist         
+  regreet         regreet         regreets        regreet        
+  regress         regress         reguerdon       reguerdon      
+  regular         regular         rehears         rehear         
+  rehearsal       rehears         rehearse        rehears        
+  reign           reign           reigned         reign          
+  reignier        reignier        reigning        reign          
+  reigns          reign           rein            rein           
+  reinforc        reinforc        reinforce       reinforc       
+  reinforcement   reinforc        reins           rein           
+  reiterate       reiter          reject          reject         
+  rejected        reject          rejoic          rejoic         
+  rejoice         rejoic          rejoices        rejoic         
+  rejoiceth       rejoiceth       rejoicing       rejoic         
+  rejoicingly     rejoicingli     rejoindure      rejoindur      
+  rejourn         rejourn         rel             rel            
+  relapse         relaps          relate          relat          
+  relates         relat           relation        relat          
+  relations       relat           relative        rel            
+  releas          relea           release         releas         
+  released        releas          releasing       releas         
+  relent          relent          relenting       relent         
+  relents         relent          reliances       relianc        
+  relics          relic           relief          relief         
+  reliev          reliev          relieve         reliev         
+  relieved        reliev          relieves        reliev         
+  relieving       reliev          religion        religion       
+  religions       religion        religious       religi         
+  religiously     religi          relinquish      relinquish     
+  reliques        reliqu          reliquit        reliquit       
+  relish          relish          relume          relum          
+  rely            reli            relying         reli           
+  remain          remain          remainder       remaind        
+  remainders      remaind         remained        remain         
+  remaineth       remaineth       remaining       remain         
+  remains         remain          remark          remark         
+  remarkable      remark          remediate       remedi         
+  remedied        remedi          remedies        remedi         
+  remedy          remedi          rememb          rememb         
+  remember        rememb          remembered      rememb         
+  remembers       rememb          remembrance     remembr        
+  remembrancer    remembranc      remembrances    remembr        
+  remercimens     remercimen      remiss          remiss         
+  remission       remiss          remissness      remiss         
+  remit           remit           remnant         remnant        
+  remnants        remnant         remonstrance    remonstr       
+  remorse         remors          remorseful      remors         
+  remorseless     remorseless     remote          remot          
+  remotion        remot           remov           remov          
+  remove          remov           removed         remov          
+  removedness     removed         remover         remov          
+  removes         remov           removing        remov          
+  remunerate      remuner         remuneration    remuner        
+  rence           renc            rend            rend           
+  render          render          rendered        render         
+  renders         render          rendezvous      rendezv        
+  renegado        renegado        renege          reneg          
+  reneges         reneg           renew           renew          
+  renewed         renew           renewest        renewest       
+  renounce        renounc         renouncement    renounc        
+  renouncing      renounc         renowmed        renowm         
+  renown          renown          renowned        renown         
+  rent            rent            rents           rent           
+  repaid          repaid          repair          repair         
+  repaired        repair          repairing       repair         
+  repairs         repair          repass          repass         
+  repast          repast          repasture       repastur       
+  repay           repai           repaying        repai          
+  repays          repai           repeal          repeal         
+  repealing       repeal          repeals         repeal         
+  repeat          repeat          repeated        repeat         
+  repeating       repeat          repeats         repeat         
+  repel           repel           repent          repent         
+  repentance      repent          repentant       repent         
+  repented        repent          repenting       repent         
+  repents         repent          repetition      repetit        
+  repetitions     repetit         repin           repin          
+  repine          repin           repining        repin          
+  replant         replant         replenish       replenish      
+  replenished     replenish       replete         replet         
+  replication     replic          replied         repli          
+  replies         repli           repliest        repliest       
+  reply           repli           replying        repli          
+  report          report          reported        report         
+  reporter        report          reportest       reportest      
+  reporting       report          reportingly     reportingli    
+  reports         report          reposal         repos          
+  repose          repos           reposeth        reposeth       
+  reposing        repos           repossess       repossess      
+  reprehend       reprehend       reprehended     reprehend      
+  reprehending    reprehend       represent       repres         
+  representing    repres          reprieve        repriev        
+  reprieves       repriev         reprisal        repris         
+  reproach        reproach        reproaches      reproach       
+  reproachful     reproach        reproachfully   reproachfulli  
+  reprobate       reprob          reprobation     reprob         
+  reproof         reproof         reprov          reprov         
+  reprove         reprov          reproveable     reprov         
+  reproves        reprov          reproving       reprov         
+  repugn          repugn          repugnancy      repugn         
+  repugnant       repugn          repulse         repuls         
+  repulsed        repuls          repurchas       repurcha       
+  repured         repur           reputation      reput          
+  repute          reput           reputed         reput          
+  reputeless      reputeless      reputes         reput          
+  reputing        reput           request         request        
+  requested       request         requesting      request        
+  requests        request         requiem         requiem        
+  requir          requir          require         requir         
+  required        requir          requires        requir         
+  requireth       requireth       requiring       requir         
+  requisite       requisit        requisites      requisit       
+  requit          requit          requital        requit         
+  requite         requit          requited        requit         
+  requites        requit          rer             rer            
+  rere            rere            rers            rer            
+  rescu           rescu           rescue          rescu          
+  rescued         rescu           rescues         rescu          
+  rescuing        rescu           resemblance     resembl        
+  resemble        resembl         resembled       resembl        
+  resembles       resembl         resembleth      resembleth     
+  resembling      resembl         reserv          reserv         
+  reservation     reserv          reserve         reserv         
+  reserved        reserv          reserves        reserv         
+  reside          resid           residence       resid          
+  resident        resid           resides         resid          
+  residing        resid           residue         residu         
+  resign          resign          resignation     resign         
+  resist          resist          resistance      resist         
+  resisted        resist          resisting       resist         
+  resists         resist          resolute        resolut        
+  resolutely      resolut         resolutes       resolut        
+  resolution      resolut         resolv          resolv         
+  resolve         resolv          resolved        resolv         
+  resolvedly      resolvedli      resolves        resolv         
+  resolveth       resolveth       resort          resort         
+  resorted        resort          resounding      resound        
+  resounds        resound         respeaking      respeak        
+  respect         respect         respected       respect        
+  respecting      respect         respective      respect        
+  respectively    respect         respects        respect        
+  respice         respic          respite         respit         
+  respites        respit          responsive      respons        
+  respose         respos          ress            ress           
+  rest            rest            rested          rest           
+  resteth         resteth         restful         rest           
+  resting         rest            restitution     restitut       
+  restless        restless        restor          restor         
+  restoration     restor          restorative     restor         
+  restore         restor          restored        restor         
+  restores        restor          restoring       restor         
+  restrain        restrain        restrained      restrain       
+  restraining     restrain        restrains       restrain       
+  restraint       restraint       rests           rest           
+  resty           resti           resum           resum          
+  resume          resum           resumes         resum          
+  resurrections   resurrect       retail          retail         
+  retails         retail          retain          retain         
+  retainers       retain          retaining       retain         
+  retell          retel           retention       retent         
+  retentive       retent          retinue         retinu         
+  retir           retir           retire          retir          
+  retired         retir           retirement      retir          
+  retires         retir           retiring        retir          
+  retold          retold          retort          retort         
+  retorts         retort          retourne        retourn        
+  retract         retract         retreat         retreat        
+  retrograde      retrograd       rets            ret            
+  return          return          returned        return         
+  returnest       returnest       returneth       returneth      
+  returning       return          returns         return         
+  revania         revania         reveal          reveal         
+  reveals         reveal          revel           revel          
+  reveler         revel           revell          revel          
+  reveller        revel           revellers       revel          
+  revelling       revel           revelry         revelri        
+  revels          revel           reveng          reveng         
+  revenge         reveng          revenged        reveng         
+  revengeful      reveng          revengement     reveng         
+  revenger        reveng          revengers       reveng         
+  revenges        reveng          revenging       reveng         
+  revengingly     revengingli     revenue         revenu         
+  revenues        revenu          reverb          reverb         
+  reverberate     reverber        reverbs         reverb         
+  reverenc        reverenc        reverence       rever          
+  reverend        reverend        reverent        rever          
+  reverently      rever           revers          rever          
+  reverse         revers          reversion       revers         
+  reverted        revert          review          review         
+  reviewest       reviewest       revil           revil          
+  revile          revil           revisits        revisit        
+  reviv           reviv           revive          reviv          
+  revives         reviv           reviving        reviv          
+  revok           revok           revoke          revok          
+  revokement      revok           revolt          revolt         
+  revolted        revolt          revolting       revolt         
+  revolts         revolt          revolution      revolut        
+  revolutions     revolut         revolve         revolv         
+  revolving       revolv          reward          reward         
+  rewarded        reward          rewarder        reward         
+  rewarding       reward          rewards         reward         
+  reword          reword          reworded        reword         
+  rex             rex             rey             rei            
+  reynaldo        reynaldo        rford           rford          
+  rful            rful            rfull           rfull          
+  rhapsody        rhapsodi        rheims          rheim          
+  rhenish         rhenish         rhesus          rhesu          
+  rhetoric        rhetor          rheum           rheum          
+  rheumatic       rheumat         rheums          rheum          
+  rheumy          rheumi          rhinoceros      rhinocero      
+  rhodes          rhode           rhodope         rhodop         
+  rhubarb         rhubarb         rhym            rhym           
+  rhyme           rhyme           rhymers         rhymer         
+  rhymes          rhyme           rhyming         rhyme          
+  rialto          rialto          rib             rib            
+  ribald          ribald          riband          riband         
+  ribands         riband          ribaudred       ribaudr        
+  ribb            ribb            ribbed          rib            
+  ribbon          ribbon          ribbons         ribbon         
+  ribs            rib             rice            rice           
+  rich            rich            richard         richard        
+  richer          richer          riches          rich           
+  richest         richest         richly          richli         
+  richmond        richmond        richmonds       richmond       
+  rid             rid             riddance        riddanc        
+  ridden          ridden          riddle          riddl          
+  riddles         riddl           riddling        riddl          
+  ride            ride            rider           rider          
+  riders          rider           rides           ride           
+  ridest          ridest          rideth          rideth         
+  ridge           ridg            ridges          ridg           
+  ridiculous      ridicul         riding          ride           
+  rids            rid             rien            rien           
+  ries            ri              rifle           rifl           
+  rift            rift            rifted          rift           
+  rig             rig             rigg            rigg           
+  riggish         riggish         right           right          
+  righteous       righteou        righteously     righteous      
+  rightful        right           rightfully      rightfulli     
+  rightly         rightli         rights          right          
+  rigol           rigol           rigorous        rigor          
+  rigorously      rigor           rigour          rigour         
+  ril             ril             rim             rim            
+  rin             rin             rinaldo         rinaldo        
+  rind            rind            ring            ring           
+  ringing         ring            ringleader      ringlead       
+  ringlets        ringlet         rings           ring           
+  ringwood        ringwood        riot            riot           
+  rioter          rioter          rioting         riot           
+  riotous         riotou          riots           riot           
+  rip             rip             ripe            ripe           
+  ripely          ripe            ripen           ripen          
+  ripened         ripen           ripeness        ripe           
+  ripening        ripen           ripens          ripen          
+  riper           riper           ripest          ripest         
+  riping          ripe            ripp            ripp           
+  ripping         rip             rise            rise           
+  risen           risen           rises           rise           
+  riseth          riseth          rish            rish           
+  rising          rise            rite            rite           
+  rites           rite            rivage          rivag          
+  rival           rival           rivality        rival          
+  rivall          rival           rivals          rival          
+  rive            rive            rived           rive           
+  rivelled        rivel           river           river          
+  rivers          river           rivet           rivet          
+  riveted         rivet           rivets          rivet          
+  rivo            rivo            rj              rj             
+  rless           rless           road            road           
+  roads           road            roam            roam           
+  roaming         roam            roan            roan           
+  roar            roar            roared          roar           
+  roarers         roarer          roaring         roar           
+  roars           roar            roast           roast          
+  roasted         roast           rob             rob            
+  roba            roba            robas           roba           
+  robb            robb            robbed          rob            
+  robber          robber          robbers         robber         
+  robbery         robberi         robbing         rob            
+  robe            robe            robed           robe           
+  robert          robert          robes           robe           
+  robin           robin           robs            rob            
+  robustious      robusti         rochester       rochest        
+  rochford        rochford        rock            rock           
+  rocks           rock            rocky           rocki          
+  rod             rod             rode            rode           
+  roderigo        roderigo        rods            rod            
+  roe             roe             roes            roe            
+  roger           roger           rogero          rogero         
+  rogue           rogu            roguery         rogueri        
+  rogues          rogu            roguish         roguish        
+  roi             roi             roisting        roist          
+  roll            roll            rolled          roll           
+  rolling         roll            rolls           roll           
+  rom             rom             romage          romag          
+  roman           roman           romano          romano         
+  romanos         romano          romans          roman          
+  rome            rome            romeo           romeo          
+  romish          romish          rondure         rondur         
+  ronyon          ronyon          rood            rood           
+  roof            roof            roofs           roof           
+  rook            rook            rooks           rook           
+  rooky           rooki           room            room           
+  rooms           room            root            root           
+  rooted          root            rootedly        rootedli       
+  rooteth         rooteth         rooting         root           
+  roots           root            rope            rope           
+  ropery          roperi          ropes           rope           
+  roping          rope            ros             ro             
+  rosalind        rosalind        rosalinda       rosalinda      
+  rosalinde       rosalind        rosaline        rosalin        
+  roscius         rosciu          rose            rose           
+  rosed           rose            rosemary        rosemari       
+  rosencrantz     rosencrantz     roses           rose           
+  ross            ross            rosy            rosi           
+  rot             rot             rote            rote           
+  roted           rote            rother          rother         
+  rotherham       rotherham       rots            rot            
+  rotted          rot             rotten          rotten         
+  rottenness      rotten          rotting         rot            
+  rotundity       rotund          rouen           rouen          
+  rough           rough           rougher         rougher        
+  roughest        roughest        roughly         roughli        
+  roughness       rough           round           round          
+  rounded         round           roundel         roundel        
+  rounder         rounder         roundest        roundest       
+  rounding        round           roundly         roundli        
+  rounds          round           roundure        roundur        
+  rous            rou             rouse           rous           
+  roused          rous            rousillon       rousillon      
+  rously          rousli          roussi          roussi         
+  rout            rout            routed          rout           
+  routs           rout            rove            rove           
+  rover           rover           row             row            
+  rowel           rowel           rowland         rowland        
+  rowlands        rowland         roy             roi            
+  royal           royal           royalize        royal          
+  royally         royal           royalties       royalti        
+  royalty         royalti         roynish         roynish        
+  rs              rs              rt              rt             
+  rub             rub             rubb            rubb           
+  rubbing         rub             rubbish         rubbish        
+  rubies          rubi            rubious         rubiou         
+  rubs            rub             ruby            rubi           
+  rud             rud             rudand          rudand         
+  rudder          rudder          ruddiness       ruddi          
+  ruddock         ruddock         ruddy           ruddi          
+  rude            rude            rudely          rude           
+  rudeness        rude            ruder           ruder          
+  rudesby         rudesbi         rudest          rudest         
+  rudiments       rudiment        rue             rue            
+  rued            ru              ruff            ruff           
+  ruffian         ruffian         ruffians        ruffian        
+  ruffle          ruffl           ruffling        ruffl          
+  ruffs           ruff            rug             rug            
+  rugby           rugbi           rugemount       rugemount      
+  rugged          rug             ruin            ruin           
+  ruinate         ruinat          ruined          ruin           
+  ruining         ruin            ruinous         ruinou         
+  ruins           ruin            rul             rul            
+  rule            rule            ruled           rule           
+  ruler           ruler           rulers          ruler          
+  rules           rule            ruling          rule           
+  rumble          rumbl           ruminaies       ruminai        
+  ruminat         ruminat         ruminate        rumin          
+  ruminated       rumin           ruminates       rumin          
+  rumination      rumin           rumor           rumor          
+  rumour          rumour          rumourer        rumour         
+  rumours         rumour          rump            rump           
+  run             run             runagate        runag          
+  runagates       runag           runaway         runawai        
+  runaways        runawai         rung            rung           
+  runn            runn            runner          runner         
+  runners         runner          running         run            
+  runs            run             rupture         ruptur         
+  ruptures        ruptur          rural           rural          
+  rush            rush            rushes          rush           
+  rushing         rush            rushling        rushl          
+  rushy           rushi           russet          russet         
+  russia          russia          russian         russian        
+  russians        russian         rust            rust           
+  rusted          rust            rustic          rustic         
+  rustically      rustic          rustics         rustic         
+  rustle          rustl           rustling        rustl          
+  rusts           rust            rusty           rusti          
+  rut             rut             ruth            ruth           
+  ruthful         ruth            ruthless        ruthless       
+  rutland         rutland         ruttish         ruttish        
+  ry              ry              rye             rye            
+  rything         ryth            s               s              
+  sa              sa              saba            saba           
+  sabbath         sabbath         sable           sabl           
+  sables          sabl            sack            sack           
+  sackbuts        sackbut         sackcloth       sackcloth      
+  sacked          sack            sackerson       sackerson      
+  sacks           sack            sacrament       sacrament      
+  sacred          sacr            sacrific        sacrif         
+  sacrifice       sacrific        sacrificers     sacrific       
+  sacrifices      sacrific        sacrificial     sacrifici      
+  sacrificing     sacrif          sacrilegious    sacrilegi      
+  sacring         sacr            sad             sad            
+  sadder          sadder          saddest         saddest        
+  saddle          saddl           saddler         saddler        
+  saddles         saddl           sadly           sadli          
+  sadness         sad             saf             saf            
+  safe            safe            safeguard       safeguard      
+  safely          safe            safer           safer          
+  safest          safest          safeties        safeti         
+  safety          safeti          saffron         saffron        
+  sag             sag             sage            sage           
+  sagittary       sagittari       said            said           
+  saidst          saidst          sail            sail           
+  sailing         sail            sailmaker       sailmak        
+  sailor          sailor          sailors         sailor         
+  sails           sail            sain            sain           
+  saint           saint           sainted         saint          
+  saintlike       saintlik        saints          saint          
+  saith           saith           sake            sake           
+  sakes           sake            sala            sala           
+  salad           salad           salamander      salamand       
+  salary          salari          sale            sale           
+  salerio         salerio         salicam         salicam        
+  salique         saliqu          salisbury       salisburi      
+  sall            sall            sallet          sallet         
+  sallets         sallet          sallies         salli          
+  sallow          sallow          sally           salli          
+  salmon          salmon          salmons         salmon         
+  salt            salt            salter          salter         
+  saltiers        saltier         saltness        salt           
+  saltpetre       saltpetr        salutation      salut          
+  salutations     salut           salute          salut          
+  saluted         salut           salutes         salut          
+  saluteth        saluteth        salv            salv           
+  salvation       salvat          salve           salv           
+  salving         salv            same            same           
+  samingo         samingo         samp            samp           
+  sampire         sampir          sample          sampl          
+  sampler         sampler         sampson         sampson        
+  samson          samson          samsons         samson         
+  sancta          sancta          sanctified      sanctifi       
+  sanctifies      sanctifi        sanctify        sanctifi       
+  sanctimonies    sanctimoni      sanctimonious   sanctimoni     
+  sanctimony      sanctimoni      sanctities      sanctiti       
+  sanctity        sanctiti        sanctuarize     sanctuar       
+  sanctuary       sanctuari       sand            sand           
+  sandal          sandal          sandbag         sandbag        
+  sanded          sand            sands           sand           
+  sandy           sandi           sandys          sandi          
+  sang            sang            sanguine        sanguin        
+  sanguis         sangui          sanity          saniti         
+  sans            san             santrailles     santrail       
+  sap             sap             sapient         sapient        
+  sapit           sapit           sapless         sapless        
+  sapling         sapl            sapphire        sapphir        
+  sapphires       sapphir         saracens        saracen        
+  sarcenet        sarcenet        sard            sard           
+  sardians        sardian         sardinia        sardinia       
+  sardis          sardi           sarum           sarum          
+  sat             sat             satan           satan          
+  satchel         satchel         sate            sate           
+  sated           sate            satiate         satiat         
+  satiety         satieti         satin           satin          
+  satire          satir           satirical       satir          
+  satis           sati            satisfaction    satisfact      
+  satisfied       satisfi         satisfies       satisfi        
+  satisfy         satisfi         satisfying      satisfi        
+  saturday        saturdai        saturdays       saturdai       
+  saturn          saturn          saturnine       saturnin       
+  saturninus      saturninu       satyr           satyr          
+  satyrs          satyr           sauc            sauc           
+  sauce           sauc            sauced          sauc           
+  saucers         saucer          sauces          sauc           
+  saucily         saucili         sauciness       sauci          
+  saucy           sauci           sauf            sauf           
+  saunder         saunder         sav             sav            
+  savage          savag           savagely        savag          
+  savageness      savag           savagery        savageri       
+  savages         savag           save            save           
+  saved           save            saves           save           
+  saving          save            saviour         saviour        
+  savory          savori          savour          savour         
+  savouring       savour          savours         savour         
+  savoury         savouri         savoy           savoi          
+  saw             saw             sawed           saw            
+  sawest          sawest          sawn            sawn           
+  sawpit          sawpit          saws            saw            
+  sawyer          sawyer          saxons          saxon          
+  saxony          saxoni          saxton          saxton         
+  say             sai             sayest          sayest         
+  saying          sai             sayings         sai            
+  says            sai             sayst           sayst          
+  sblood          sblood          sc              sc             
+  scab            scab            scabbard        scabbard       
+  scabs           scab            scaffold        scaffold       
+  scaffoldage     scaffoldag      scal            scal           
+  scald           scald           scalded         scald          
+  scalding        scald           scale           scale          
+  scaled          scale           scales          scale          
+  scaling         scale           scall           scall          
+  scalp           scalp           scalps          scalp          
+  scaly           scali           scamble         scambl         
+  scambling       scambl          scamels         scamel         
+  scan            scan            scandal         scandal        
+  scandaliz       scandaliz       scandalous      scandal        
+  scandy          scandi          scann           scann          
+  scant           scant           scanted         scant          
+  scanter         scanter         scanting        scant          
+  scantling       scantl          scants          scant          
+  scap            scap            scape           scape          
+  scaped          scape           scapes          scape          
+  scapeth         scapeth         scar            scar           
+  scarce          scarc           scarcely        scarc          
+  scarcity        scarciti        scare           scare          
+  scarecrow       scarecrow       scarecrows      scarecrow      
+  scarf           scarf           scarfed         scarf          
+  scarfs          scarf           scaring         scare          
+  scarlet         scarlet         scarr           scarr          
+  scarre          scarr           scars           scar           
+  scarus          scaru           scath           scath          
+  scathe          scath           scathful        scath          
+  scatt           scatt           scatter         scatter        
+  scattered       scatter         scattering      scatter        
+  scatters        scatter         scelera         scelera        
+  scelerisque     scelerisqu      scene           scene          
+  scenes          scene           scent           scent          
+  scented         scent           scept           scept          
+  scepter         scepter         sceptre         sceptr         
+  sceptred        sceptr          sceptres        sceptr         
+  schedule        schedul         schedules       schedul        
+  scholar         scholar         scholarly       scholarli      
+  scholars        scholar         school          school         
+  schoolboy       schoolboi       schoolboys      schoolboi      
+  schoolfellows   schoolfellow    schooling       school         
+  schoolmaster    schoolmast      schoolmasters   schoolmast     
+  schools         school          sciatica        sciatica       
+  sciaticas       sciatica        science         scienc         
+  sciences        scienc          scimitar        scimitar       
+  scion           scion           scions          scion          
+  scissors        scissor         scoff           scoff          
+  scoffer         scoffer         scoffing        scof           
+  scoffs          scoff           scoggin         scoggin        
+  scold           scold           scolding        scold          
+  scolds          scold           sconce          sconc          
+  scone           scone           scope           scope          
+  scopes          scope           scorch          scorch         
+  scorched        scorch          score           score          
+  scored          score           scores          score          
+  scoring         score           scorn           scorn          
+  scorned         scorn           scornful        scorn          
+  scornfully      scornfulli      scorning        scorn          
+  scorns          scorn           scorpion        scorpion       
+  scorpions       scorpion        scot            scot           
+  scotch          scotch          scotches        scotch         
+  scotland        scotland        scots           scot           
+  scottish        scottish        scoundrels      scoundrel      
+  scour           scour           scoured         scour          
+  scourg          scourg          scourge         scourg         
+  scouring        scour           scout           scout          
+  scouts          scout           scowl           scowl          
+  scrap           scrap           scrape          scrape         
+  scraping        scrape          scraps          scrap          
+  scratch         scratch         scratches       scratch        
+  scratching      scratch         scream          scream         
+  screams         scream          screech         screech        
+  screeching      screech         screen          screen         
+  screens         screen          screw           screw          
+  screws          screw           scribbl         scribbl        
+  scribbled       scribbl         scribe          scribe         
+  scribes         scribe          scrimers        scrimer        
+  scrip           scrip           scrippage       scrippag       
+  scripture       scriptur        scriptures      scriptur       
+  scrivener       scriven         scroll          scroll         
+  scrolls         scroll          scroop          scroop         
+  scrowl          scrowl          scroyles        scroyl         
+  scrubbed        scrub           scruple         scrupl         
+  scruples        scrupl          scrupulous      scrupul        
+  scuffles        scuffl          scuffling       scuffl         
+  scullion        scullion        sculls          scull          
+  scum            scum            scurril         scurril        
+  scurrility      scurril         scurrilous      scurril        
+  scurvy          scurvi          scuse           scuse          
+  scut            scut            scutcheon       scutcheon      
+  scutcheons      scutcheon       scylla          scylla         
+  scythe          scyth           scythed         scyth          
+  scythia         scythia         scythian        scythian       
+  sdeath          sdeath          se              se             
+  sea             sea             seacoal         seacoal        
+  seafaring       seafar          seal            seal           
+  sealed          seal            sealing         seal           
+  seals           seal            seam            seam           
+  seamen          seamen          seamy           seami          
+  seaport         seaport         sear            sear           
+  searce          searc           search          search         
+  searchers       searcher        searches        search         
+  searcheth       searcheth       searching       search         
+  seared          sear            seas            sea            
+  seasick         seasick         seaside         seasid         
+  season          season          seasoned        season         
+  seasons         season          seat            seat           
+  seated          seat            seats           seat           
+  sebastian       sebastian       second          second         
+  secondarily     secondarili     secondary       secondari      
+  seconded        second          seconds         second         
+  secrecy         secreci         secret          secret         
+  secretaries     secretari       secretary       secretari      
+  secretly        secretli        secrets         secret         
+  sect            sect            sectary         sectari        
+  sects           sect            secundo         secundo        
+  secure          secur           securely        secur          
+  securing        secur           security        secur          
+  sedg            sedg            sedge           sedg           
+  sedges          sedg            sedgy           sedgi          
+  sedition        sedit           seditious       sediti         
+  seduc           seduc           seduce          seduc          
+  seduced         seduc           seducer         seduc          
+  seducing        seduc           see             see            
+  seed            seed            seeded          seed           
+  seedness        seed            seeds           seed           
+  seedsman        seedsman        seein           seein          
+  seeing          see             seek            seek           
+  seeking         seek            seeks           seek           
+  seel            seel            seeling         seel           
+  seely           seeli           seem            seem           
+  seemed          seem            seemers         seemer         
+  seemest         seemest         seemeth         seemeth        
+  seeming         seem            seemingly       seemingli      
+  seemly          seemli          seems           seem           
+  seen            seen            seer            seer           
+  sees            see             seese           sees           
+  seest           seest           seethe          seeth          
+  seethes         seeth           seething        seeth          
+  seeting         seet            segregation     segreg         
+  seigneur        seigneur        seigneurs       seigneur       
+  seiz            seiz            seize           seiz           
+  seized          seiz            seizes          seiz           
+  seizeth         seizeth         seizing         seiz           
+  seizure         seizur          seld            seld           
+  seldom          seldom          select          select         
+  seleucus        seleucu         self            self           
+  selfsame        selfsam         sell            sell           
+  seller          seller          selling         sell           
+  sells           sell            selves          selv           
+  semblable       semblabl        semblably       semblabl       
+  semblance       semblanc        semblances      semblanc       
+  semblative      sembl           semi            semi           
+  semicircle      semicircl       semiramis       semirami       
+  semper          semper          sempronius      semproniu      
+  senate          senat           senator         senat          
+  senators        senat           send            send           
+  sender          sender          sendeth         sendeth        
+  sending         send            sends           send           
+  seneca          seneca          senior          senior         
+  seniory         seniori         senis           seni           
+  sennet          sennet          senoys          senoi          
+  sense           sens            senseless       senseless      
+  senses          sens            sensible        sensibl        
+  sensibly        sensibl         sensual         sensual        
+  sensuality      sensual         sent            sent           
+  sentenc         sentenc         sentence        sentenc        
+  sentences       sentenc         sententious     sententi       
+  sentinel        sentinel        sentinels       sentinel       
+  separable       separ           separate        separ          
+  separated       separ           separates       separ          
+  separation      separ           septentrion     septentrion    
+  sepulchre       sepulchr        sepulchres      sepulchr       
+  sepulchring     sepulchr        sequel          sequel         
+  sequence        sequenc         sequent         sequent        
+  sequest         sequest         sequester       sequest        
+  sequestration   sequestr        sere            sere           
+  serenis         sereni          serge           serg           
+  sergeant        sergeant        serious         seriou         
+  seriously       serious         sermon          sermon         
+  sermons         sermon          serpent         serpent        
+  serpentine      serpentin       serpents        serpent        
+  serpigo         serpigo         serv            serv           
+  servant         servant         servanted       servant        
+  servants        servant         serve           serv           
+  served          serv            server          server         
+  serves          serv            serveth         serveth        
+  service         servic          serviceable     servic         
+  services        servic          servile         servil         
+  servility       servil          servilius       serviliu       
+  serving         serv            servingman      servingman     
+  servingmen      servingmen      serviteur       serviteur      
+  servitor        servitor        servitors       servitor       
+  servitude       servitud        sessa           sessa          
+  session         session         sessions        session        
+  sestos          sesto           set             set            
+  setebos         setebo          sets            set            
+  setter          setter          setting         set            
+  settle          settl           settled         settl          
+  settlest        settlest        settling        settl          
+  sev             sev             seven           seven          
+  sevenfold       sevenfold       sevennight      sevennight     
+  seventeen       seventeen       seventh         seventh        
+  seventy         seventi         sever           sever          
+  several         sever           severally       sever          
+  severals        sever           severe          sever          
+  severed         sever           severely        sever          
+  severest        severest        severing        sever          
+  severity        sever           severn          severn         
+  severs          sever           sew             sew            
+  seward          seward          sewer           sewer          
+  sewing          sew             sex             sex            
+  sexes           sex             sexton          sexton         
+  sextus          sextu           seymour         seymour        
+  seyton          seyton          sfoot           sfoot          
+  sh              sh              shackle         shackl         
+  shackles        shackl          shade           shade          
+  shades          shade           shadow          shadow         
+  shadowed        shadow          shadowing       shadow         
+  shadows         shadow          shadowy         shadowi        
+  shady           shadi           shafalus        shafalu        
+  shaft           shaft           shafts          shaft          
+  shag            shag            shak            shak           
+  shake           shake           shaked          shake          
+  shaken          shaken          shakes          shake          
+  shaking         shake           shales          shale          
+  shall           shall           shallenge       shalleng       
+  shallow         shallow         shallowest      shallowest     
+  shallowly       shallowli       shallows        shallow        
+  shalt           shalt           sham            sham           
+  shambles        shambl          shame           shame          
+  shamed          shame           shameful        shame          
+  shamefully      shamefulli      shameless       shameless      
+  shames          shame           shamest         shamest        
+  shaming         shame           shank           shank          
+  shanks          shank           shap            shap           
+  shape           shape           shaped          shape          
+  shapeless       shapeless       shapen          shapen         
+  shapes          shape           shaping         shape          
+  shar            shar            shard           shard          
+  sharded         shard           shards          shard          
+  share           share           shared          share          
+  sharers         sharer          shares          share          
+  sharing         share           shark           shark          
+  sharp           sharp           sharpen         sharpen        
+  sharpened       sharpen         sharpens        sharpen        
+  sharper         sharper         sharpest        sharpest       
+  sharply         sharpli         sharpness       sharp          
+  sharps          sharp           shatter         shatter        
+  shav            shav            shave           shave          
+  shaven          shaven          shaw            shaw           
+  she             she             sheaf           sheaf          
+  sheal           sheal           shear           shear          
+  shearers        shearer         shearing        shear          
+  shearman        shearman        shears          shear          
+  sheath          sheath          sheathe         sheath         
+  sheathed        sheath          sheathes        sheath         
+  sheathing       sheath          sheaved         sheav          
+  sheaves         sheav           shed            shed           
+  shedding        shed            sheds           shed           
+  sheen           sheen           sheep           sheep          
+  sheepcote       sheepcot        sheepcotes      sheepcot       
+  sheeps          sheep           sheepskins      sheepskin      
+  sheer           sheer           sheet           sheet          
+  sheeted         sheet           sheets          sheet          
+  sheffield       sheffield       shelf           shelf          
+  shell           shell           shells          shell          
+  shelt           shelt           shelter         shelter        
+  shelters        shelter         shelves         shelv          
+  shelving        shelv           shelvy          shelvi         
+  shent           shent           shepherd        shepherd       
+  shepherdes      shepherd        shepherdess     shepherdess    
+  shepherdesses   shepherdess     shepherds       shepherd       
+  sher            sher            sheriff         sheriff        
+  sherris         sherri          shes            she            
+  sheweth         sheweth         shield          shield         
+  shielded        shield          shields         shield         
+  shift           shift           shifted         shift          
+  shifting        shift           shifts          shift          
+  shilling        shill           shillings       shill          
+  shin            shin            shine           shine          
+  shines          shine           shineth         shineth        
+  shining         shine           shins           shin           
+  shiny           shini           ship            ship           
+  shipboard       shipboard       shipman         shipman        
+  shipmaster      shipmast        shipmen         shipmen        
+  shipp           shipp           shipped         ship           
+  shipping        ship            ships           ship           
+  shipt           shipt           shipwreck       shipwreck      
+  shipwrecking    shipwreck       shipwright      shipwright     
+  shipwrights     shipwright      shire           shire          
+  shirley         shirlei         shirt           shirt          
+  shirts          shirt           shive           shive          
+  shiver          shiver          shivering       shiver         
+  shivers         shiver          shoal           shoal          
+  shoals          shoal           shock           shock          
+  shocks          shock           shod            shod           
+  shoe            shoe            shoeing         shoe           
+  shoemaker       shoemak         shoes           shoe           
+  shog            shog            shone           shone          
+  shook           shook           shoon           shoon          
+  shoot           shoot           shooter         shooter        
+  shootie         shooti          shooting        shoot          
+  shoots          shoot           shop            shop           
+  shops           shop            shore           shore          
+  shores          shore           shorn           shorn          
+  short           short           shortcake       shortcak       
+  shorten         shorten         shortened       shorten        
+  shortens        shorten         shorter         shorter        
+  shortly         shortli         shortness       short          
+  shot            shot            shotten         shotten        
+  shoughs         shough          should          should         
+  shoulder        shoulder        shouldering     shoulder       
+  shoulders       shoulder        shouldst        shouldst       
+  shout           shout           shouted         shout          
+  shouting        shout           shouts          shout          
+  shov            shov            shove           shove          
+  shovel          shovel          shovels         shovel         
+  show            show            showed          show           
+  shower          shower          showers         shower         
+  showest         showest         showing         show           
+  shown           shown           shows           show           
+  shreds          shred           shrew           shrew          
+  shrewd          shrewd          shrewdly        shrewdli       
+  shrewdness      shrewd          shrewish        shrewish       
+  shrewishly      shrewishli      shrewishness    shrewish       
+  shrews          shrew           shrewsbury      shrewsburi     
+  shriek          shriek          shrieking       shriek         
+  shrieks         shriek          shrieve         shriev         
+  shrift          shrift          shrill          shrill         
+  shriller        shriller        shrills         shrill         
+  shrilly         shrilli         shrimp          shrimp         
+  shrine          shrine          shrink          shrink         
+  shrinking       shrink          shrinks         shrink         
+  shriv           shriv           shrive          shrive         
+  shriver         shriver         shrives         shrive         
+  shriving        shrive          shroud          shroud         
+  shrouded        shroud          shrouding       shroud         
+  shrouds         shroud          shrove          shrove         
+  shrow           shrow           shrows          shrow          
+  shrub           shrub           shrubs          shrub          
+  shrug           shrug           shrugs          shrug          
+  shrunk          shrunk          shudd           shudd          
+  shudders        shudder         shuffl          shuffl         
+  shuffle         shuffl          shuffled        shuffl         
+  shuffling       shuffl          shun            shun           
+  shunless        shunless        shunn           shunn          
+  shunned         shun            shunning        shun           
+  shuns           shun            shut            shut           
+  shuts           shut            shuttle         shuttl         
+  shy             shy             shylock         shylock        
+  si              si              sibyl           sibyl          
+  sibylla         sibylla         sibyls          sibyl          
+  sicil           sicil           sicilia         sicilia        
+  sicilian        sicilian        sicilius        siciliu        
+  sicils          sicil           sicily          sicili         
+  sicinius        siciniu         sick            sick           
+  sicken          sicken          sickens         sicken         
+  sicker          sicker          sickle          sickl          
+  sicklemen       sicklemen       sicklied        sickli         
+  sickliness      sickli          sickly          sickli         
+  sickness        sick            sicles          sicl           
+  sicyon          sicyon          side            side           
+  sided           side            sides           side           
+  siege           sieg            sieges          sieg           
+  sienna          sienna          sies            si             
+  sieve           siev            sift            sift           
+  sifted          sift            sigeia          sigeia         
+  sigh            sigh            sighed          sigh           
+  sighing         sigh            sighs           sigh           
+  sight           sight           sighted         sight          
+  sightless       sightless       sightly         sightli        
+  sights          sight           sign            sign           
+  signal          signal          signet          signet         
+  signieur        signieur        significant     signific       
+  significants    signific        signified       signifi        
+  signifies       signifi         signify         signifi        
+  signifying      signifi         signior         signior        
+  signiories      signiori        signiors        signior        
+  signiory        signiori        signor          signor         
+  signories       signori         signs           sign           
+  signum          signum          silenc          silenc         
+  silence         silenc          silenced        silenc         
+  silencing       silenc          silent          silent         
+  silently        silent          silius          siliu          
+  silk            silk            silken          silken         
+  silkman         silkman         silks           silk           
+  silliest        silliest        silliness       silli          
+  silling         sill            silly           silli          
+  silva           silva           silver          silver         
+  silvered        silver          silverly        silverli       
+  silvia          silvia          silvius         silviu         
+  sima            sima            simile          simil          
+  similes         simil           simois          simoi          
+  simon           simon           simony          simoni         
+  simp            simp            simpcox         simpcox        
+  simple          simpl           simpleness      simpl          
+  simpler         simpler         simples         simpl          
+  simplicity      simplic         simply          simpli         
+  simular         simular         simulation      simul          
+  sin             sin             since           sinc           
+  sincere         sincer          sincerely       sincer         
+  sincerity       sincer          sinel           sinel          
+  sinew           sinew           sinewed         sinew          
+  sinews          sinew           sinewy          sinewi         
+  sinful          sin             sinfully        sinfulli       
+  sing            sing            singe           sing           
+  singeing        sing            singer          singer         
+  singes          sing            singeth         singeth        
+  singing         sing            single          singl          
+  singled         singl           singleness      singl          
+  singly          singli          sings           sing           
+  singular        singular        singulariter    singularit     
+  singularities   singular        singularity     singular       
+  singuled        singul          sinister        sinist         
+  sink            sink            sinking         sink           
+  sinks           sink            sinn            sinn           
+  sinner          sinner          sinners         sinner         
+  sinning         sin             sinon           sinon          
+  sins            sin             sip             sip            
+  sipping         sip             sir             sir            
+  sire            sire            siren           siren          
+  sirrah          sirrah          sirs            sir            
+  sist            sist            sister          sister         
+  sisterhood      sisterhood      sisterly        sisterli       
+  sisters         sister          sit             sit            
+  sith            sith            sithence        sithenc        
+  sits            sit             sitting         sit            
+  situate         situat          situation       situat         
+  situations      situat          siward          siward         
+  six             six             sixpence        sixpenc        
+  sixpences       sixpenc         sixpenny        sixpenni       
+  sixteen         sixteen         sixth           sixth          
+  sixty           sixti           siz             siz            
+  size            size            sizes           size           
+  sizzle          sizzl           skains          skain          
+  skamble         skambl          skein           skein          
+  skelter         skelter         skies           ski            
+  skilful         skil            skilfully       skilfulli      
+  skill           skill           skilless        skilless       
+  skillet         skillet         skillful        skill          
+  skills          skill           skim            skim           
+  skimble         skimbl          skin            skin           
+  skinker         skinker         skinny          skinni         
+  skins           skin            skip            skip           
+  skipp           skipp           skipper         skipper        
+  skipping        skip            skirmish        skirmish       
+  skirmishes      skirmish        skirr           skirr          
+  skirted         skirt           skirts          skirt          
+  skittish        skittish        skulking        skulk          
+  skull           skull           skulls          skull          
+  sky             sky             skyey           skyei          
+  skyish          skyish          slab            slab           
+  slack           slack           slackly         slackli        
+  slackness       slack           slain           slain          
+  slake           slake           sland           sland          
+  slander         slander         slandered       slander        
+  slanderer       slander         slanderers      slander        
+  slandering      slander         slanderous      slander        
+  slanders        slander         slash           slash          
+  slaught         slaught         slaughter       slaughter      
+  slaughtered     slaughter       slaughterer     slaughter      
+  slaughterman    slaughterman    slaughtermen    slaughtermen   
+  slaughterous    slaughter       slaughters      slaughter      
+  slave           slave           slaver          slaver         
+  slavery         slaveri         slaves          slave          
+  slavish         slavish         slay            slai           
+  slayeth         slayeth         slaying         slai           
+  slays           slai            sleave          sleav          
+  sledded         sled            sleek           sleek          
+  sleekly         sleekli         sleep           sleep          
+  sleeper         sleeper         sleepers        sleeper        
+  sleepest        sleepest        sleeping        sleep          
+  sleeps          sleep           sleepy          sleepi         
+  sleeve          sleev           sleeves         sleev          
+  sleid           sleid           sleided         sleid          
+  sleight         sleight         sleights        sleight        
+  slender         slender         slenderer       slender        
+  slenderly       slenderli       slept           slept          
+  slew            slew            slewest         slewest        
+  slice           slice           slid            slid           
+  slide           slide           slides          slide          
+  sliding         slide           slight          slight         
+  slighted        slight          slightest       slightest      
+  slightly        slightli        slightness      slight         
+  slights         slight          slily           slili          
+  slime           slime           slimy           slimi          
+  slings          sling           slink           slink          
+  slip            slip            slipp           slipp          
+  slipper         slipper         slippers        slipper        
+  slippery        slipperi        slips           slip           
+  slish           slish           slit            slit           
+  sliver          sliver          slobb           slobb          
+  slomber         slomber         slop            slop           
+  slope           slope           slops           slop           
+  sloth           sloth           slothful        sloth          
+  slough          slough          slovenly        slovenli       
+  slovenry        slovenri        slow            slow           
+  slower          slower          slowly          slowli         
+  slowness        slow            slubber         slubber        
+  slug            slug            sluggard        sluggard       
+  sluggardiz      sluggardiz      sluggish        sluggish       
+  sluic           sluic           slumb           slumb          
+  slumber         slumber         slumbers        slumber        
+  slumbery        slumberi        slunk           slunk          
+  slut            slut            sluts           slut           
+  sluttery        slutteri        sluttish        sluttish       
+  sluttishness    sluttish        sly             sly            
+  slys            sly             smack           smack          
+  smacking        smack           smacks          smack          
+  small           small           smaller         smaller        
+  smallest        smallest        smallness       small          
+  smalus          smalu           smart           smart          
+  smarting        smart           smartly         smartli        
+  smatch          smatch          smatter         smatter        
+  smear           smear           smell           smell          
+  smelling        smell           smells          smell          
+  smelt           smelt           smil            smil           
+  smile           smile           smiled          smile          
+  smiles          smile           smilest         smilest        
+  smilets         smilet          smiling         smile          
+  smilingly       smilingli       smirch          smirch         
+  smirched        smirch          smit            smit           
+  smite           smite           smites          smite          
+  smith           smith           smithfield      smithfield     
+  smock           smock           smocks          smock          
+  smok            smok            smoke           smoke          
+  smoked          smoke           smokes          smoke          
+  smoking         smoke           smoky           smoki          
+  smooth          smooth          smoothed        smooth         
+  smoothing       smooth          smoothly        smoothli       
+  smoothness      smooth          smooths         smooth         
+  smote           smote           smoth           smoth          
+  smother         smother         smothered       smother        
+  smothering      smother         smug            smug           
+  smulkin         smulkin         smutch          smutch         
+  snaffle         snaffl          snail           snail          
+  snails          snail           snake           snake          
+  snakes          snake           snaky           snaki          
+  snap            snap            snapp           snapp          
+  snapper         snapper         snar            snar           
+  snare           snare           snares          snare          
+  snarl           snarl           snarleth        snarleth       
+  snarling        snarl           snatch          snatch         
+  snatchers       snatcher        snatches        snatch         
+  snatching       snatch          sneak           sneak          
+  sneaking        sneak           sneap           sneap          
+  sneaping        sneap           sneck           sneck          
+  snip            snip            snipe           snipe          
+  snipt           snipt           snore           snore          
+  snores          snore           snoring         snore          
+  snorting        snort           snout           snout          
+  snow            snow            snowballs       snowbal        
+  snowed          snow            snowy           snowi          
+  snuff           snuff           snuffs          snuff          
+  snug            snug            so              so             
+  soak            soak            soaking         soak           
+  soaks           soak            soar            soar           
+  soaring         soar            soars           soar           
+  sob             sob             sobbing         sob            
+  sober           sober           soberly         soberli        
+  sobriety        sobrieti        sobs            sob            
+  sociable        sociabl         societies       societi        
+  society         societi         socks           sock           
+  socrates        socrat          sod             sod            
+  sodden          sodden          soe             soe            
+  soever          soever          soft            soft           
+  soften          soften          softens         soften         
+  softer          softer          softest         softest        
+  softly          softli          softness        soft           
+  soil            soil            soiled          soil           
+  soilure         soilur          soit            soit           
+  sojourn         sojourn         sol             sol            
+  sola            sola            solace          solac          
+  solanio         solanio         sold            sold           
+  soldat          soldat          solder          solder         
+  soldest         soldest         soldier         soldier        
+  soldiers        soldier         soldiership     soldiership    
+  sole            sole            solely          sole           
+  solem           solem           solemn          solemn         
+  solemness       solem           solemnities     solemn         
+  solemnity       solemn          solemniz        solemniz       
+  solemnize       solemn          solemnized      solemn         
+  solemnly        solemnli        soles           sole           
+  solicit         solicit         solicitation    solicit        
+  solicited       solicit         soliciting      solicit        
+  solicitings     solicit         solicitor       solicitor      
+  solicits        solicit         solid           solid          
+  solidares       solidar         solidity        solid          
+  solinus         solinu          solitary        solitari       
+  solomon         solomon         solon           solon          
+  solum           solum           solus           solu           
+  solyman         solyman         some            some           
+  somebody        somebodi        someone         someon         
+  somerset        somerset        somerville      somervil       
+  something       someth          sometime        sometim        
+  sometimes       sometim         somever         somev          
+  somewhat        somewhat        somewhere       somewher       
+  somewhither     somewhith       somme           somm           
+  son             son             sonance         sonanc         
+  song            song            songs           song           
+  sonnet          sonnet          sonneting       sonnet         
+  sonnets         sonnet          sons            son            
+  sont            sont            sonties         sonti          
+  soon            soon            sooner          sooner         
+  soonest         soonest         sooth           sooth          
+  soothe          sooth           soothers        soother        
+  soothing        sooth           soothsay        soothsai       
+  soothsayer      soothsay        sooty           sooti          
+  sop             sop             sophister       sophist        
+  sophisticated   sophist         sophy           sophi          
+  sops            sop             sorcerer        sorcer         
+  sorcerers       sorcer          sorceress       sorceress      
+  sorceries       sorceri         sorcery         sorceri        
+  sore            sore            sorel           sorel          
+  sorely          sore            sorer           sorer          
+  sores           sore            sorrier         sorrier        
+  sorriest        sorriest        sorrow          sorrow         
+  sorrowed        sorrow          sorrowest       sorrowest      
+  sorrowful       sorrow          sorrowing       sorrow         
+  sorrows         sorrow          sorry           sorri          
+  sort            sort            sortance        sortanc        
+  sorted          sort            sorting         sort           
+  sorts           sort            sossius         sossiu         
+  sot             sot             soto            soto           
+  sots            sot             sottish         sottish        
+  soud            soud            sought          sought         
+  soul            soul            sould           sould          
+  soulless        soulless        souls           soul           
+  sound           sound           sounded         sound          
+  sounder         sounder         soundest        soundest       
+  sounding        sound           soundless       soundless      
+  soundly         soundli         soundness       sound          
+  soundpost       soundpost       sounds          sound          
+  sour            sour            source          sourc          
+  sources         sourc           sourest         sourest        
+  sourly          sourli          sours           sour           
+  sous            sou             souse           sous           
+  south           south           southam         southam        
+  southampton     southampton     southerly       southerli      
+  southern        southern        southward       southward      
+  southwark       southwark       southwell       southwel       
+  souviendrai     souviendrai     sov             sov            
+  sovereign       sovereign       sovereignest    sovereignest   
+  sovereignly     sovereignli     sovereignty     sovereignti    
+  sovereignvours  sovereignvour   sow             sow            
+  sowing          sow             sowl            sowl           
+  sowter          sowter          space           space          
+  spaces          space           spacious        spaciou        
+  spade           spade           spades          spade          
+  spain           spain           spak            spak           
+  spake           spake           spakest         spakest        
+  span            span            spangle         spangl         
+  spangled        spangl          spaniard        spaniard       
+  spaniel         spaniel         spaniels        spaniel        
+  spanish         spanish         spann           spann          
+  spans           span            spar            spar           
+  spare           spare           spares          spare          
+  sparing         spare           sparingly       sparingli      
+  spark           spark           sparkle         sparkl         
+  sparkles        sparkl          sparkling       sparkl         
+  sparks          spark           sparrow         sparrow        
+  sparrows        sparrow         sparta          sparta         
+  spartan         spartan         spavin          spavin         
+  spavins         spavin          spawn           spawn          
+  speak           speak           speaker         speaker        
+  speakers        speaker         speakest        speakest       
+  speaketh        speaketh        speaking        speak          
+  speaks          speak           spear           spear          
+  speargrass      speargrass      spears          spear          
+  special         special         specialities    special        
+  specially       special         specialties     specialti      
+  specialty       specialti       specify         specifi        
+  speciously      specious        spectacle       spectacl       
+  spectacled      spectacl        spectacles      spectacl       
+  spectators      spectat         spectatorship   spectatorship  
+  speculation     specul          speculations    specul         
+  speculative     specul          sped            sped           
+  speech          speech          speeches        speech         
+  speechless      speechless      speed           speed          
+  speeded         speed           speedier        speedier       
+  speediest       speediest       speedily        speedili       
+  speediness      speedi          speeding        speed          
+  speeds          speed           speedy          speedi         
+  speens          speen           spell           spell          
+  spelling        spell           spells          spell          
+  spelt           spelt           spencer         spencer        
+  spend           spend           spendest        spendest       
+  spending        spend           spends          spend          
+  spendthrift     spendthrift     spent           spent          
+  sperato         sperato         sperm           sperm          
+  spero           spero           sperr           sperr          
+  spher           spher           sphere          sphere         
+  sphered         sphere          spheres         sphere         
+  spherical       spheric         sphery          spheri         
+  sphinx          sphinx          spice           spice          
+  spiced          spice           spicery         spiceri        
+  spices          spice           spider          spider         
+  spiders         spider          spied           spi            
+  spies           spi             spieth          spieth         
+  spightfully     spightfulli     spigot          spigot         
+  spill           spill           spilling        spill          
+  spills          spill           spilt           spilt          
+  spilth          spilth          spin            spin           
+  spinii          spinii          spinners        spinner        
+  spinster        spinster        spinsters       spinster       
+  spire           spire           spirit          spirit         
+  spirited        spirit          spiritless      spiritless     
+  spirits         spirit          spiritual       spiritu        
+  spiritualty     spiritualti     spirt           spirt          
+  spit            spit            spital          spital         
+  spite           spite           spited          spite          
+  spiteful        spite           spites          spite          
+  spits           spit            spitted         spit           
+  spitting        spit            splay           splai          
+  spleen          spleen          spleenful       spleen         
+  spleens         spleen          spleeny         spleeni        
+  splendour       splendour       splenitive      splenit        
+  splinter        splinter        splinters       splinter       
+  split           split           splits          split          
+  splitted        split           splitting       split          
+  spoil           spoil           spoils          spoil          
+  spok            spok            spoke           spoke          
+  spoken          spoken          spokes          spoke          
+  spokesman       spokesman       sponge          spong          
+  spongy          spongi          spoon           spoon          
+  spoons          spoon           sport           sport          
+  sportful        sport           sporting        sport          
+  sportive        sportiv         sports          sport          
+  spot            spot            spotless        spotless       
+  spots           spot            spotted         spot           
+  spousal         spousal         spouse          spous          
+  spout           spout           spouting        spout          
+  spouts          spout           sprag           sprag          
+  sprang          sprang          sprat           sprat          
+  sprawl          sprawl          spray           sprai          
+  sprays          sprai           spread          spread         
+  spreading       spread          spreads         spread         
+  sprighted       spright         sprightful      spright        
+  sprightly       sprightli       sprigs          sprig          
+  spring          spring          springe         spring         
+  springes        spring          springeth       springeth      
+  springhalt      springhalt      springing       spring         
+  springs         spring          springtime      springtim      
+  sprinkle        sprinkl         sprinkles       sprinkl        
+  sprite          sprite          sprited         sprite         
+  spritely        sprite          sprites         sprite         
+  spriting        sprite          sprout          sprout         
+  spruce          spruce          sprung          sprung         
+  spun            spun            spur            spur           
+  spurio          spurio          spurn           spurn          
+  spurns          spurn           spurr           spurr          
+  spurrer         spurrer         spurring        spur           
+  spurs           spur            spy             spy            
+  spying          spy             squabble        squabbl        
+  squadron        squadron        squadrons       squadron       
+  squand          squand          squar           squar          
+  square          squar           squarer         squarer        
+  squares         squar           squash          squash         
+  squeak          squeak          squeaking       squeak         
+  squeal          squeal          squealing       squeal         
+  squeezes        squeez          squeezing       squeez         
+  squele          squel           squier          squier         
+  squints         squint          squiny          squini         
+  squire          squir           squires         squir          
+  squirrel        squirrel        st              st             
+  stab            stab            stabb           stabb          
+  stabbed         stab            stabbing        stab           
+  stable          stabl           stableness      stabl          
+  stables         stabl           stablish        stablish       
+  stablishment    stablish        stabs           stab           
+  stacks          stack           staff           staff          
+  stafford        stafford        staffords       stafford       
+  staffordshire   staffordshir    stag            stag           
+  stage           stage           stages          stage          
+  stagger         stagger         staggering      stagger        
+  staggers        stagger         stags           stag           
+  staid           staid           staider         staider        
+  stain           stain           stained         stain          
+  staines         stain           staineth        staineth       
+  staining        stain           stainless       stainless      
+  stains          stain           stair           stair          
+  stairs          stair           stake           stake          
+  stakes          stake           stale           stale          
+  staled          stale           stalk           stalk          
+  stalking        stalk           stalks          stalk          
+  stall           stall           stalling        stall          
+  stalls          stall           stamford        stamford       
+  stammer         stammer         stamp           stamp          
+  stamped         stamp           stamps          stamp          
+  stanch          stanch          stanchless      stanchless     
+  stand           stand           standard        standard       
+  standards       standard        stander         stander        
+  standers        stander         standest        standest       
+  standeth        standeth        standing        stand          
+  stands          stand           staniel         staniel        
+  stanley         stanlei         stanze          stanz          
+  stanzo          stanzo          stanzos         stanzo         
+  staple          stapl           staples         stapl          
+  star            star            stare           stare          
+  stared          stare           stares          stare          
+  staring         stare           starings        stare          
+  stark           stark           starkly         starkli        
+  starlight       starlight       starling        starl          
+  starr           starr           starry          starri         
+  stars           star            start           start          
+  started         start           starting        start          
+  startingly      startingli      startle         startl         
+  startles        startl          starts          start          
+  starv           starv           starve          starv          
+  starved         starv           starvelackey    starvelackei   
+  starveling      starvel         starveth        starveth       
+  starving        starv           state           state          
+  statelier       stateli         stately         state          
+  states          state           statesman       statesman      
+  statesmen       statesmen       statilius       statiliu       
+  station         station         statist         statist        
+  statists        statist         statue          statu          
+  statues         statu           stature         statur         
+  statures        statur          statute         statut         
+  statutes        statut          stave           stave          
+  staves          stave           stay            stai           
+  stayed          stai            stayest         stayest        
+  staying         stai            stays           stai           
+  stead           stead           steaded         stead          
+  steadfast       steadfast       steadier        steadier       
+  steads          stead           steal           steal          
+  stealer         stealer         stealers        stealer        
+  stealing        steal           steals          steal          
+  stealth         stealth         stealthy        stealthi       
+  steed           steed           steeds          steed          
+  steel           steel           steeled         steel          
+  steely          steeli          steep           steep          
+  steeped         steep           steeple         steepl         
+  steeples        steepl          steeps          steep          
+  steepy          steepi          steer           steer          
+  steerage        steerag         steering        steer          
+  steers          steer           stelled         stell          
+  stem            stem            stemming        stem           
+  stench          stench          step            step           
+  stepdame        stepdam         stephano        stephano       
+  stephen         stephen         stepmothers     stepmoth       
+  stepp           stepp           stepping        step           
+  steps           step            sterile         steril         
+  sterility       steril          sterling        sterl          
+  stern           stern           sternage        sternag        
+  sterner         sterner         sternest        sternest       
+  sternness       stern           steterat        steterat       
+  stew            stew            steward         steward        
+  stewards        steward         stewardship     stewardship    
+  stewed          stew            stews           stew           
+  stick           stick           sticking        stick          
+  stickler        stickler        sticks          stick          
+  stiff           stiff           stiffen         stiffen        
+  stiffly         stiffli         stifle          stifl          
+  stifled         stifl           stifles         stifl          
+  stigmatic       stigmat         stigmatical     stigmat        
+  stile           stile           still           still          
+  stiller         stiller         stillest        stillest       
+  stillness       still           stilly          stilli         
+  sting           sting           stinging        sting          
+  stingless       stingless       stings          sting          
+  stink           stink           stinking        stink          
+  stinkingly      stinkingli      stinks          stink          
+  stint           stint           stinted         stint          
+  stints          stint           stir            stir           
+  stirr           stirr           stirred         stir           
+  stirrer         stirrer         stirrers        stirrer        
+  stirreth        stirreth        stirring        stir           
+  stirrup         stirrup         stirrups        stirrup        
+  stirs           stir            stitchery       stitcheri      
+  stitches        stitch          stithied        stithi         
+  stithy          stithi          stoccadoes      stoccado       
+  stoccata        stoccata        stock           stock          
+  stockfish       stockfish       stocking        stock          
+  stockings       stock           stockish        stockish       
+  stocks          stock           stog            stog           
+  stogs           stog            stoics          stoic          
+  stokesly        stokesli        stol            stol           
+  stole           stole           stolen          stolen         
+  stolest         stolest         stomach         stomach        
+  stomachers      stomach         stomaching      stomach        
+  stomachs        stomach         ston            ston           
+  stone           stone           stonecutter     stonecutt      
+  stones          stone           stonish         stonish        
+  stony           stoni           stood           stood          
+  stool           stool           stools          stool          
+  stoop           stoop           stooping        stoop          
+  stoops          stoop           stop            stop           
+  stope           stope           stopp           stopp          
+  stopped         stop            stopping        stop           
+  stops           stop            stor            stor           
+  store           store           storehouse      storehous      
+  storehouses     storehous       stores          store          
+  stories         stori           storm           storm          
+  stormed         storm           storming        storm          
+  storms          storm           stormy          stormi         
+  story           stori           stoup           stoup          
+  stoups          stoup           stout           stout          
+  stouter         stouter         stoutly         stoutli        
+  stoutness       stout           stover          stover         
+  stow            stow            stowage         stowag         
+  stowed          stow            strachy         strachi        
+  stragglers      straggler       straggling      straggl        
+  straight        straight        straightest     straightest    
+  straightway     straightwai     strain          strain         
+  strained        strain          straining       strain         
+  strains         strain          strait          strait         
+  straited        strait          straiter        straiter       
+  straitly        straitli        straitness      strait         
+  straits         strait          strand          strand         
+  strange         strang          strangely       strang         
+  strangeness     strang          stranger        stranger       
+  strangers       stranger        strangest       strangest      
+  strangle        strangl         strangled       strangl        
+  strangler       strangler       strangles       strangl        
+  strangling      strangl         strappado       strappado      
+  straps          strap           stratagem       stratagem      
+  stratagems      stratagem       stratford       stratford      
+  strato          strato          straw           straw          
+  strawberries    strawberri      strawberry      strawberri     
+  straws          straw           strawy          strawi         
+  stray           strai           straying        strai          
+  strays          strai           streak          streak         
+  streaks         streak          stream          stream         
+  streamers       streamer        streaming       stream         
+  streams         stream          streching       strech         
+  street          street          streets         street         
+  strength        strength        strengthen      strengthen     
+  strengthened    strengthen      strengthless    strengthless   
+  strengths       strength        stretch         stretch        
+  stretched       stretch         stretches       stretch        
+  stretching      stretch         strew           strew          
+  strewing        strew           strewings       strew          
+  strewments      strewment       stricken        stricken       
+  strict          strict          stricter        stricter       
+  strictest       strictest       strictly        strictli       
+  stricture       strictur        stride          stride         
+  strides         stride          striding        stride         
+  strife          strife          strifes         strife         
+  strik           strik           strike          strike         
+  strikers        striker         strikes         strike         
+  strikest        strikest        striking        strike         
+  string          string          stringless      stringless     
+  strings         string          strip           strip          
+  stripes         stripe          stripling       stripl         
+  striplings      stripl          stripp          stripp         
+  stripping       strip           striv           striv          
+  strive          strive          strives         strive         
+  striving        strive          strok           strok          
+  stroke          stroke          strokes         stroke         
+  strond          strond          stronds         strond         
+  strong          strong          stronger        stronger       
+  strongest       strongest       strongly        strongli       
+  strooke         strook          strossers       strosser       
+  strove          strove          strown          strown         
+  stroy           stroi           struck          struck         
+  strucken        strucken        struggle        struggl        
+  struggles       struggl         struggling      struggl        
+  strumpet        strumpet        strumpeted      strumpet       
+  strumpets       strumpet        strung          strung         
+  strut           strut           struts          strut          
+  strutted        strut           strutting       strut          
+  stubble         stubbl          stubborn        stubborn       
+  stubbornest     stubbornest     stubbornly      stubbornli     
+  stubbornness    stubborn        stuck           stuck          
+  studded         stud            student         student        
+  students        student         studied         studi          
+  studies         studi           studious        studiou        
+  studiously      studious        studs           stud           
+  study           studi           studying        studi          
+  stuff           stuff           stuffing        stuf           
+  stuffs          stuff           stumble         stumbl         
+  stumbled        stumbl          stumblest       stumblest      
+  stumbling       stumbl          stump           stump          
+  stumps          stump           stung           stung          
+  stupefy         stupefi         stupid          stupid         
+  stupified       stupifi         stuprum         stuprum        
+  sturdy          sturdi          sty             sty            
+  styga           styga           stygian         stygian        
+  styl            styl            style           style          
+  styx            styx            su              su             
+  sub             sub             subcontracted   subcontract    
+  subdu           subdu           subdue          subdu          
+  subdued         subdu           subduements     subduement     
+  subdues         subdu           subduing        subdu          
+  subject         subject         subjected       subject        
+  subjection      subject         subjects        subject        
+  submerg         submerg         submission      submiss        
+  submissive      submiss         submit          submit         
+  submits         submit          submitting      submit         
+  suborn          suborn          subornation     suborn         
+  suborned        suborn          subscrib        subscrib       
+  subscribe       subscrib        subscribed      subscrib       
+  subscribes      subscrib        subscription    subscript      
+  subsequent      subsequ         subsidies       subsidi        
+  subsidy         subsidi         subsist         subsist        
+  subsisting      subsist         substance       substanc       
+  substances      substanc        substantial     substanti      
+  substitute      substitut       substituted     substitut      
+  substitutes     substitut       substitution    substitut      
+  subtile         subtil          subtilly        subtilli       
+  subtle          subtl           subtleties      subtleti       
+  subtlety        subtleti        subtly          subtli         
+  subtractors     subtractor      suburbs         suburb         
+  subversion      subvers         subverts        subvert        
+  succedant       succed          succeed         succe          
+  succeeded       succeed         succeeders      succeed        
+  succeeding      succeed         succeeds        succe          
+  success         success         successantly    successantli   
+  successes       success         successful      success        
+  successfully    successfulli    succession      success        
+  successive      success         successively    success        
+  successor       successor       successors      successor      
+  succour         succour         succours        succour        
+  such            such            suck            suck           
+  sucker          sucker          suckers         sucker         
+  sucking         suck            suckle          suckl          
+  sucks           suck            sudden          sudden         
+  suddenly        suddenli        sue             sue            
+  sued            su              suerly          suerli         
+  sues            sue             sueth           sueth          
+  suff            suff            suffer          suffer         
+  sufferance      suffer          sufferances     suffer         
+  suffered        suffer          suffering       suffer         
+  suffers         suffer          suffic          suffic         
+  suffice         suffic          sufficed        suffic         
+  suffices        suffic          sufficeth       sufficeth      
+  sufficiency     suffici         sufficient      suffici        
+  sufficiently    suffici         sufficing       suffic         
+  sufficit        sufficit        suffigance      suffig         
+  suffocate       suffoc          suffocating     suffoc         
+  suffocation     suffoc          suffolk         suffolk        
+  suffrage        suffrag         suffrages       suffrag        
+  sug             sug             sugar           sugar          
+  sugarsop        sugarsop        suggest         suggest        
+  suggested       suggest         suggesting      suggest        
+  suggestion      suggest         suggestions     suggest        
+  suggests        suggest         suis            sui            
+  suit            suit            suitable        suitabl        
+  suited          suit            suiting         suit           
+  suitor          suitor          suitors         suitor         
+  suits           suit            suivez          suivez         
+  sullen          sullen          sullens         sullen         
+  sullied         sulli           sullies         sulli          
+  sully           sulli           sulph           sulph          
+  sulpherous      sulpher         sulphur         sulphur        
+  sulphurous      sulphur         sultan          sultan         
+  sultry          sultri          sum             sum            
+  sumless         sumless         summ            summ           
+  summa           summa           summary         summari        
+  summer          summer          summers         summer         
+  summit          summit          summon          summon         
+  summoners       summon          summons         summon         
+  sumpter         sumpter         sumptuous       sumptuou       
+  sumptuously     sumptuous       sums            sum            
+  sun             sun             sunbeams        sunbeam        
+  sunburning      sunburn         sunburnt        sunburnt       
+  sund            sund            sunday          sundai         
+  sundays         sundai          sunder          sunder         
+  sunders         sunder          sundry          sundri         
+  sung            sung            sunk            sunk           
+  sunken          sunken          sunny           sunni          
+  sunrising       sunris          suns            sun            
+  sunset          sunset          sunshine        sunshin        
+  sup             sup             super           super          
+  superficial     superfici       superficially   superfici      
+  superfluity     superflu        superfluous     superflu       
+  superfluously   superflu        superflux       superflux      
+  superior        superior        supernal        supern         
+  supernatural    supernatur      superpraise     superprais     
+  superscript     superscript     superscription  superscript    
+  superserviceable superservic     superstition    superstit      
+  superstitious   superstiti      superstitiously superstiti     
+  supersubtle     supersubtl      supervise       supervis       
+  supervisor      supervisor      supp            supp           
+  supper          supper          suppers         supper         
+  suppertime      suppertim       supping         sup            
+  supplant        supplant        supple          suppl          
+  suppler         suppler         suppliance      supplianc      
+  suppliant       suppliant       suppliants      suppliant      
+  supplicant      supplic         supplication    supplic        
+  supplications   supplic         supplie         suppli         
+  supplied        suppli          supplies        suppli         
+  suppliest       suppliest       supply          suppli         
+  supplyant       supplyant       supplying       suppli         
+  supplyment      supplyment      support         support        
+  supportable     support         supportance     support        
+  supported       support         supporter       support        
+  supporters      support         supporting      support        
+  supportor       supportor       suppos          suppo          
+  supposal        suppos          suppose         suppos         
+  supposed        suppos          supposes        suppos         
+  supposest       supposest       supposing       suppos         
+  supposition     supposit        suppress        suppress       
+  suppressed      suppress        suppresseth     suppresseth    
+  supremacy       supremaci       supreme         suprem         
+  sups            sup             sur             sur            
+  surance         suranc          surcease        surceas        
+  surd            surd            sure            sure           
+  surecard        surecard        surely          sure           
+  surer           surer           surest          surest         
+  sureties        sureti          surety          sureti         
+  surfeit         surfeit         surfeited       surfeit        
+  surfeiter       surfeit         surfeiting      surfeit        
+  surfeits        surfeit         surge           surg           
+  surgeon         surgeon         surgeons        surgeon        
+  surgere         surger          surgery         surgeri        
+  surges          surg            surly           surli          
+  surmis          surmi           surmise         surmis         
+  surmised        surmis          surmises        surmis         
+  surmount        surmount        surmounted      surmount       
+  surmounts       surmount        surnam          surnam         
+  surname         surnam          surnamed        surnam         
+  surpasseth      surpasseth      surpassing      surpass        
+  surplice        surplic         surplus         surplu         
+  surpris         surpri          surprise        surpris        
+  surprised       surpris         surrender       surrend        
+  surrey          surrei          surreys         surrei         
+  survey          survei          surveyest       surveyest      
+  surveying       survei          surveyor        surveyor       
+  surveyors       surveyor        surveys         survei         
+  survive         surviv          survives        surviv         
+  survivor        survivor        susan           susan          
+  suspect         suspect         suspected       suspect        
+  suspecting      suspect         suspects        suspect        
+  suspend         suspend         suspense        suspens        
+  suspicion       suspicion       suspicions      suspicion      
+  suspicious      suspici         suspiration     suspir         
+  suspire         suspir          sust            sust           
+  sustain         sustain         sustaining      sustain        
+  sutler          sutler          sutton          sutton         
+  suum            suum            swabber         swabber        
+  swaddling       swaddl          swag            swag           
+  swagg           swagg           swagger         swagger        
+  swaggerer       swagger         swaggerers      swagger        
+  swaggering      swagger         swain           swain          
+  swains          swain           swallow         swallow        
+  swallowed       swallow         swallowing      swallow        
+  swallows        swallow         swam            swam           
+  swan            swan            swans           swan           
+  sward           sward           sware           sware          
+  swarm           swarm           swarming        swarm          
+  swart           swart           swarth          swarth         
+  swarths         swarth          swarthy         swarthi        
+  swashers        swasher         swashing        swash          
+  swath           swath           swathing        swath          
+  swathling       swathl          sway            swai           
+  swaying         swai            sways           swai           
+  swear           swear           swearer         swearer        
+  swearers        swearer         swearest        swearest       
+  swearing        swear           swearings       swear          
+  swears          swear           sweat           sweat          
+  sweaten         sweaten         sweating        sweat          
+  sweats          sweat           sweaty          sweati         
+  sweep           sweep           sweepers        sweeper        
+  sweeps          sweep           sweet           sweet          
+  sweeten         sweeten         sweetens        sweeten        
+  sweeter         sweeter         sweetest        sweetest       
+  sweetheart      sweetheart      sweeting        sweet          
+  sweetly         sweetli         sweetmeats      sweetmeat      
+  sweetness       sweet           sweets          sweet          
+  swell           swell           swelling        swell          
+  swellings       swell           swells          swell          
+  swelter         swelter         sweno           sweno          
+  swept           swept           swerve          swerv          
+  swerver         swerver         swerving        swerv          
+  swift           swift           swifter         swifter        
+  swiftest        swiftest        swiftly         swiftli        
+  swiftness       swift           swill           swill          
+  swills          swill           swim            swim           
+  swimmer         swimmer         swimmers        swimmer        
+  swimming        swim            swims           swim           
+  swine           swine           swineherds      swineherd      
+  swing           swing           swinge          swing          
+  swinish         swinish         swinstead       swinstead      
+  switches        switch          swits           swit           
+  switzers        switzer         swol            swol           
+  swoll           swoll           swoln           swoln          
+  swoon           swoon           swooned         swoon          
+  swooning        swoon           swoons          swoon          
+  swoop           swoop           swoopstake      swoopstak      
+  swor            swor            sword           sword          
+  sworder         sworder         swords          sword          
+  swore           swore           sworn           sworn          
+  swounded        swound          swounds         swound         
+  swum            swum            swung           swung          
+  sy              sy              sycamore        sycamor        
+  sycorax         sycorax         sylla           sylla          
+  syllable        syllabl         syllables       syllabl        
+  syllogism       syllog          symbols         symbol         
+  sympathise      sympathis       sympathiz       sympathiz      
+  sympathize      sympath         sympathized     sympath        
+  sympathy        sympathi        synagogue       synagogu       
+  synod           synod           synods          synod          
+  syracuse        syracus         syracusian      syracusian     
+  syracusians     syracusian      syria           syria          
+  syrups          syrup           t               t              
+  ta              ta              taber           taber          
+  table           tabl            tabled          tabl           
+  tables          tabl            tablet          tablet         
+  tabor           tabor           taborer         tabor          
+  tabors          tabor           tabourines      tabourin       
+  taciturnity     taciturn        tack            tack           
+  tackle          tackl           tackled         tackl          
+  tackles         tackl           tackling        tackl          
+  tacklings       tackl           taddle          taddl          
+  tadpole         tadpol          taffeta         taffeta        
+  taffety         taffeti         tag             tag            
+  tagrag          tagrag          tah             tah            
+  tail            tail            tailor          tailor         
+  tailors         tailor          tails           tail           
+  taint           taint           tainted         taint          
+  tainting        taint           taints          taint          
+  tainture        taintur         tak             tak            
+  take            take            taken           taken          
+  taker           taker           takes           take           
+  takest          takest          taketh          taketh         
+  taking          take            tal             tal            
+  talbot          talbot          talbotites      talbotit       
+  talbots         talbot          tale            tale           
+  talent          talent          talents         talent         
+  taleporter      taleport        tales           tale           
+  talk            talk            talked          talk           
+  talker          talker          talkers         talker         
+  talkest         talkest         talking         talk           
+  talks           talk            tall            tall           
+  taller          taller          tallest         tallest        
+  tallies         talli           tallow          tallow         
+  tally           talli           talons          talon          
+  tam             tam             tambourines     tambourin      
+  tame            tame            tamed           tame           
+  tamely          tame            tameness        tame           
+  tamer           tamer           tames           tame           
+  taming          tame            tamora          tamora         
+  tamworth        tamworth        tan             tan            
+  tang            tang            tangle          tangl          
+  tangled         tangl           tank            tank           
+  tanlings        tanl            tann            tann           
+  tanned          tan             tanner          tanner         
+  tanquam         tanquam         tanta           tanta          
+  tantaene        tantaen         tap             tap            
+  tape            tape            taper           taper          
+  tapers          taper           tapestries      tapestri       
+  tapestry        tapestri        taphouse        taphous        
+  tapp            tapp            tapster         tapster        
+  tapsters        tapster         tar             tar            
+  tardied         tardi           tardily         tardili        
+  tardiness       tardi           tardy           tardi          
+  tarentum        tarentum        targe           targ           
+  targes          targ            target          target         
+  targets         target          tarpeian        tarpeian       
+  tarquin         tarquin         tarquins        tarquin        
+  tarr            tarr            tarre           tarr           
+  tarriance       tarrianc        tarried         tarri          
+  tarries         tarri           tarry           tarri          
+  tarrying        tarri           tart            tart           
+  tartar          tartar          tartars         tartar         
+  tartly          tartli          tartness        tart           
+  task            task            tasker          tasker         
+  tasking         task            tasks           task           
+  tassel          tassel          taste           tast           
+  tasted          tast            tastes          tast           
+  tasting         tast            tatt            tatt           
+  tatter          tatter          tattered        tatter         
+  tatters         tatter          tattle          tattl          
+  tattling        tattl           tattlings       tattl          
+  taught          taught          taunt           taunt          
+  taunted         taunt           taunting        taunt          
+  tauntingly      tauntingli      taunts          taunt          
+  taurus          tauru           tavern          tavern         
+  taverns         tavern          tavy            tavi           
+  tawdry          tawdri          tawny           tawni          
+  tax             tax             taxation        taxat          
+  taxations       taxat           taxes           tax            
+  taxing          tax             tc              tc             
+  te              te              teach           teach          
+  teacher         teacher         teachers        teacher        
+  teaches         teach           teachest        teachest       
+  teacheth        teacheth        teaching        teach          
+  team            team            tear            tear           
+  tearful         tear            tearing         tear           
+  tears           tear            tearsheet       tearsheet      
+  teat            teat            tedious         tediou         
+  tediously       tedious         tediousness     tedious        
+  teem            teem            teeming         teem           
+  teems           teem            teen            teen           
+  teeth           teeth           teipsum         teipsum        
+  telamon         telamon         telamonius      telamoniu      
+  tell            tell            teller          teller         
+  telling         tell            tells           tell           
+  tellus          tellu           temp            temp           
+  temper          temper          temperality     temper         
+  temperance      temper          temperate       temper         
+  temperately     temper          tempers         temper         
+  tempest         tempest         tempests        tempest        
+  tempestuous     tempestu        temple          templ          
+  temples         templ           temporal        tempor         
+  temporary       temporari       temporiz        temporiz       
+  temporize       tempor          temporizer      tempor         
+  temps           temp            tempt           tempt          
+  temptation      temptat         temptations     temptat        
+  tempted         tempt           tempter         tempter        
+  tempters        tempter         tempteth        tempteth       
+  tempting        tempt           tempts          tempt          
+  ten             ten             tenable         tenabl         
+  tenant          tenant          tenantius       tenantiu       
+  tenantless      tenantless      tenants         tenant         
+  tench           tench           tend            tend           
+  tendance        tendanc         tended          tend           
+  tender          tender          tendered        tender         
+  tenderly        tenderli        tenderness      tender         
+  tenders         tender          tending         tend           
+  tends           tend            tenedos         tenedo         
+  tenement        tenement        tenements       tenement       
+  tenfold         tenfold         tennis          tenni          
+  tenour          tenour          tenours         tenour         
+  tens            ten             tent            tent           
+  tented          tent            tenth           tenth          
+  tenths          tenth           tents           tent           
+  tenure          tenur           tenures         tenur          
+  tercel          tercel          tereus          tereu          
+  term            term            termagant       termag         
+  termed          term            terminations    termin         
+  termless        termless        terms           term           
+  terra           terra           terrace         terrac         
+  terram          terram          terras          terra          
+  terre           terr            terrene         terren         
+  terrestrial     terrestri       terrible        terribl        
+  terribly        terribl         territories     territori      
+  territory       territori       terror          terror         
+  terrors         terror          tertian         tertian        
+  tertio          tertio          test            test           
+  testament       testament       tested          test           
+  tester          tester          testern         testern        
+  testify         testifi         testimonied     testimoni      
+  testimonies     testimoni       testimony       testimoni      
+  testiness       testi           testril         testril        
+  testy           testi           tetchy          tetchi         
+  tether          tether          tetter          tetter         
+  tevil           tevil           tewksbury       tewksburi      
+  text            text            tgv             tgv            
+  th              th              thaes           thae           
+  thames          thame           than            than           
+  thane           thane           thanes          thane          
+  thank           thank           thanked         thank          
+  thankful        thank           thankfully      thankfulli     
+  thankfulness    thank           thanking        thank          
+  thankings       thank           thankless       thankless      
+  thanks          thank           thanksgiving    thanksgiv      
+  thasos          thaso           that            that           
+  thatch          thatch          thaw            thaw           
+  thawing         thaw            thaws           thaw           
+  the             the             theatre         theatr         
+  theban          theban          thebes          thebe          
+  thee            thee            theft           theft          
+  thefts          theft           thein           thein          
+  their           their           theirs          their          
+  theise          theis           them            them           
+  theme           theme           themes          theme          
+  themselves      themselv        then            then           
+  thence          thenc           thenceforth     thenceforth    
+  theoric         theoric         there           there          
+  thereabout      thereabout      thereabouts     thereabout     
+  thereafter      thereaft        thereat         thereat        
+  thereby         therebi         therefore       therefor       
+  therein         therein         thereof         thereof        
+  thereon         thereon         thereto         thereto        
+  thereunto       thereunto       thereupon       thereupon      
+  therewith       therewith       therewithal     therewith      
+  thersites       thersit         these           these          
+  theseus         theseu          thessalian      thessalian     
+  thessaly        thessali        thetis          theti          
+  thews           thew            they            thei           
+  thick           thick           thicken         thicken        
+  thickens        thicken         thicker         thicker        
+  thickest        thickest        thicket         thicket        
+  thickskin       thickskin       thief           thief          
+  thievery        thieveri        thieves         thiev          
+  thievish        thievish        thigh           thigh          
+  thighs          thigh           thimble         thimbl         
+  thimbles        thimbl          thin            thin           
+  thine           thine           thing           thing          
+  things          thing           think           think          
+  thinkest        thinkest        thinking        think          
+  thinkings       think           thinks          think          
+  thinkst         thinkst         thinly          thinli         
+  third           third           thirdly         thirdli        
+  thirds          third           thirst          thirst         
+  thirsting       thirst          thirsts         thirst         
+  thirsty         thirsti         thirteen        thirteen       
+  thirties        thirti          thirtieth       thirtieth      
+  thirty          thirti          this            thi            
+  thisby          thisbi          thisne          thisn          
+  thistle         thistl          thistles        thistl         
+  thither         thither         thitherward     thitherward    
+  thoas           thoa            thomas          thoma          
+  thorn           thorn           thorns          thorn          
+  thorny          thorni          thorough        thorough       
+  thoroughly      thoroughli      those           those          
+  thou            thou            though          though         
+  thought         thought         thoughtful      thought        
+  thoughts        thought         thousand        thousand       
+  thousands       thousand        thracian        thracian       
+  thraldom        thraldom        thrall          thrall         
+  thralled        thrall          thralls         thrall         
+  thrash          thrash          thrasonical     thrason        
+  thread          thread          threadbare      threadbar      
+  threaden        threaden        threading       thread         
+  threat          threat          threaten        threaten       
+  threatening     threaten        threatens       threaten       
+  threatest       threatest       threats         threat         
+  three           three           threefold       threefold      
+  threepence      threepenc       threepile       threepil       
+  threes          three           threescore      threescor      
+  thresher        thresher        threshold       threshold      
+  threw           threw           thrice          thrice         
+  thrift          thrift          thriftless      thriftless     
+  thrifts         thrift          thrifty         thrifti        
+  thrill          thrill          thrilling       thrill         
+  thrills         thrill          thrive          thrive         
+  thrived         thrive          thrivers        thriver        
+  thrives         thrive          thriving        thrive         
+  throat          throat          throats         throat         
+  throbbing       throb           throbs          throb          
+  throca          throca          throe           throe          
+  throes          throe           thromuldo       thromuldo      
+  thron           thron           throne          throne         
+  throned         throne          thrones         throne         
+  throng          throng          thronging       throng         
+  throngs         throng          throstle        throstl        
+  throttle        throttl         through         through        
+  throughfare     throughfar      throughfares    throughfar     
+  throughly       throughli       throughout      throughout     
+  throw           throw           thrower         thrower        
+  throwest        throwest        throwing        throw          
+  thrown          thrown          throws          throw          
+  thrum           thrum           thrumm          thrumm         
+  thrush          thrush          thrust          thrust         
+  thrusteth       thrusteth       thrusting       thrust         
+  thrusts         thrust          thumb           thumb          
+  thumbs          thumb           thump           thump          
+  thund           thund           thunder         thunder        
+  thunderbolt     thunderbolt     thunderbolts    thunderbolt    
+  thunderer       thunder         thunders        thunder        
+  thunderstone    thunderston     thunderstroke   thunderstrok   
+  thurio          thurio          thursday        thursdai       
+  thus            thu             thwack          thwack         
+  thwart          thwart          thwarted        thwart         
+  thwarting       thwart          thwartings      thwart         
+  thy             thy             thyme           thyme          
+  thymus          thymu           thyreus         thyreu         
+  thyself         thyself         ti              ti             
+  tib             tib             tiber           tiber          
+  tiberio         tiberio         tibey           tibei          
+  ticed           tice            tick            tick           
+  tickl           tickl           tickle          tickl          
+  tickled         tickl           tickles         tickl          
+  tickling        tickl           ticklish        ticklish       
+  tiddle          tiddl           tide            tide           
+  tides           tide            tidings         tide           
+  tidy            tidi            tie             tie            
+  tied            ti              ties            ti             
+  tiff            tiff            tiger           tiger          
+  tigers          tiger           tight           tight          
+  tightly         tightli         tike            tike           
+  til             til             tile            tile           
+  till            till            tillage         tillag         
+  tilly           tilli           tilt            tilt           
+  tilter          tilter          tilth           tilth          
+  tilting         tilt            tilts           tilt           
+  tiltyard        tiltyard        tim             tim            
+  timandra        timandra        timber          timber         
+  time            time            timeless        timeless       
+  timelier        timeli          timely          time           
+  times           time            timon           timon          
+  timor           timor           timorous        timor          
+  timorously      timor           tinct           tinct          
+  tincture        tinctur         tinctures       tinctur        
+  tinder          tinder          tingling        tingl          
+  tinker          tinker          tinkers         tinker         
+  tinsel          tinsel          tiny            tini           
+  tip             tip             tipp            tipp           
+  tippling        tippl           tips            tip            
+  tipsy           tipsi           tiptoe          tipto          
+  tir             tir             tire            tire           
+  tired           tire            tires           tire           
+  tirest          tirest          tiring          tire           
+  tirra           tirra           tirrits         tirrit         
+  tis             ti              tish            tish           
+  tisick          tisick          tissue          tissu          
+  titan           titan           titania         titania        
+  tithe           tith            tithed          tith           
+  tithing         tith            titinius        titiniu        
+  title           titl            titled          titl           
+  titleless       titleless       titles          titl           
+  tittle          tittl           tittles         tittl          
+  titular         titular         titus           titu           
+  tn              tn              to              to             
+  toad            toad            toads           toad           
+  toadstool       toadstool       toast           toast          
+  toasted         toast           toasting        toast          
+  toasts          toast           toaze           toaz           
+  toby            tobi            tock            tock           
+  tod             tod             today           todai          
+  todpole         todpol          tods            tod            
+  toe             toe             toes            toe            
+  tofore          tofor           toge            toge           
+  toged           toge            together        togeth         
+  toil            toil            toiled          toil           
+  toiling         toil            toils           toil           
+  token           token           tokens          token          
+  told            told            toledo          toledo         
+  tolerable       toler           toll            toll           
+  tolling         toll            tom             tom            
+  tomb            tomb            tombe           tomb           
+  tombed          tomb            tombless        tombless       
+  tomboys         tomboi          tombs           tomb           
+  tomorrow        tomorrow        tomyris         tomyri         
+  ton             ton             tongs           tong           
+  tongu           tongu           tongue          tongu          
+  tongued         tongu           tongueless      tongueless     
+  tongues         tongu           tonight         tonight        
+  too             too             took            took           
+  tool            tool            tools           tool           
+  tooth           tooth           toothache       toothach       
+  toothpick       toothpick       toothpicker     toothpick      
+  top             top             topas           topa           
+  topful          top             topgallant      topgal         
+  topless         topless         topmast         topmast        
+  topp            topp            topping         top            
+  topple          toppl           topples         toppl          
+  tops            top             topsail         topsail        
+  topsy           topsi           torch           torch          
+  torchbearer     torchbear       torchbearers    torchbear      
+  torcher         torcher         torches         torch          
+  torchlight      torchlight      tore            tore           
+  torment         torment         tormenta        tormenta       
+  tormente        torment         tormented       torment        
+  tormenting      torment         tormentors      tormentor      
+  torments        torment         torn            torn           
+  torrent         torrent         tortive         tortiv         
+  tortoise        tortois         tortur          tortur         
+  torture         tortur          tortured        tortur         
+  torturer        tortur          torturers       tortur         
+  tortures        tortur          torturest       torturest      
+  torturing       tortur          toryne          toryn          
+  toss            toss            tossed          toss           
+  tosseth         tosseth         tossing         toss           
+  tot             tot             total           total          
+  totally         total           tott            tott           
+  tottered        totter          totters         totter         
+  tou             tou             touch           touch          
+  touched         touch           touches         touch          
+  toucheth        toucheth        touching        touch          
+  touchstone      touchston       tough           tough          
+  tougher         tougher         toughness       tough          
+  touraine        tourain         tournaments     tournament     
+  tours           tour            tous            tou            
+  tout            tout            touze           touz           
+  tow             tow             toward          toward         
+  towardly        towardli        towards         toward         
+  tower           tower           towering        tower          
+  towers          tower           town            town           
+  towns           town            township        township       
+  townsman        townsman        townsmen        townsmen       
+  towton          towton          toy             toi            
+  toys            toi             trace           trace          
+  traces          trace           track           track          
+  tract           tract           tractable       tractabl       
+  trade           trade           traded          trade          
+  traders         trader          trades          trade          
+  tradesman       tradesman       tradesmen       tradesmen      
+  trading         trade           tradition       tradit         
+  traditional     tradit          traduc          traduc         
+  traduced        traduc          traducement     traduc         
+  traffic         traffic         traffickers     traffick       
+  traffics        traffic         tragedian       tragedian      
+  tragedians      tragedian       tragedies       tragedi        
+  tragedy         tragedi         tragic          tragic         
+  tragical        tragic          trail           trail          
+  train           train           trained         train          
+  training        train           trains          train          
+  trait           trait           traitor         traitor        
+  traitorly       traitorli       traitorous      traitor        
+  traitorously    traitor         traitors        traitor        
+  traitress       traitress       traject         traject        
+  trammel         trammel         trample         trampl         
+  trampled        trampl          trampling       trampl         
+  tranc           tranc           trance          tranc          
+  tranio          tranio          tranquil        tranquil       
+  tranquillity    tranquil        transcendence   transcend      
+  transcends      transcend       transferred     transfer       
+  transfigur      transfigur      transfix        transfix       
+  transform       transform       transformation  transform      
+  transformations transform       transformed     transform      
+  transgress      transgress      transgresses    transgress     
+  transgressing   transgress      transgression   transgress     
+  translate       translat        translated      translat       
+  translates      translat        translation     translat       
+  transmigrates   transmigr       transmutation   transmut       
+  transparent     transpar        transport       transport      
+  transportance   transport       transported     transport      
+  transporting    transport       transports      transport      
+  transpose       transpos        transshape      transshap      
+  trap            trap            trapp           trapp          
+  trappings       trap            traps           trap           
+  trash           trash           travail         travail        
+  travails        travail         travel          travel         
+  traveler        travel          traveling       travel         
+  travell         travel          travelled       travel         
+  traveller       travel          travellers      travel         
+  travellest      travellest      travelling      travel         
+  travels         travel          travers         traver         
+  traverse        travers         tray            trai           
+  treacherous     treacher        treacherously   treacher       
+  treachers       treacher        treachery       treacheri      
+  tread           tread           treading        tread          
+  treads          tread           treason         treason        
+  treasonable     treason         treasonous      treason        
+  treasons        treason         treasure        treasur        
+  treasurer       treasur         treasures       treasur        
+  treasuries      treasuri        treasury        treasuri       
+  treat           treat           treaties        treati         
+  treatise        treatis         treats          treat          
+  treaty          treati          treble          trebl          
+  trebled         trebl           trebles         trebl          
+  trebonius       treboniu        tree            tree           
+  trees           tree            tremble         trembl         
+  trembled        trembl          trembles        trembl         
+  tremblest       tremblest       trembling       trembl         
+  tremblingly     tremblingli     tremor          tremor         
+  trempling       trempl          trench          trench         
+  trenchant       trenchant       trenched        trench         
+  trencher        trencher        trenchering     trencher       
+  trencherman     trencherman     trenchers       trencher       
+  trenches        trench          trenching       trench         
+  trent           trent           tres            tre            
+  trespass        trespass        trespasses      trespass       
+  tressel         tressel         tresses         tress          
+  treys           trei            trial           trial          
+  trials          trial           trib            trib           
+  tribe           tribe           tribes          tribe          
+  tribulation     tribul          tribunal        tribun         
+  tribune         tribun          tribunes        tribun         
+  tributaries     tributari       tributary       tributari      
+  tribute         tribut          tributes        tribut         
+  trice           trice           trick           trick          
+  tricking        trick           trickling       trickl         
+  tricks          trick           tricksy         tricksi        
+  trident         trident         tried           tri            
+  trier           trier           trifle          trifl          
+  trifled         trifl           trifler         trifler        
+  trifles         trifl           trifling        trifl          
+  trigon          trigon          trill           trill          
+  trim            trim            trimly          trimli         
+  trimm           trimm           trimmed         trim           
+  trimming        trim            trims           trim           
+  trinculo        trinculo        trinculos       trinculo       
+  trinkets        trinket         trip            trip           
+  tripartite      tripartit       tripe           tripe          
+  triple          tripl           triplex         triplex        
+  tripoli         tripoli         tripolis        tripoli        
+  tripp           tripp           tripping        trip           
+  trippingly      trippingli      trips           trip           
+  tristful        trist           triton          triton         
+  triumph         triumph         triumphant      triumphant     
+  triumphantly    triumphantli    triumpher       triumpher      
+  triumphers      triumpher       triumphing      triumph        
+  triumphs        triumph         triumvir        triumvir       
+  triumvirate     triumvir        triumvirs       triumvir       
+  triumviry       triumviri       trivial         trivial        
+  troat           troat           trod            trod           
+  trodden         trodden         troiant         troiant        
+  troien          troien          troilus         troilu         
+  troiluses       troilus         trojan          trojan         
+  trojans         trojan          troll           troll          
+  tromperies      tromperi        trompet         trompet        
+  troop           troop           trooping        troop          
+  troops          troop           trop            trop           
+  trophies        trophi          trophy          trophi         
+  tropically      tropic          trot            trot           
+  troth           troth           trothed         troth          
+  troths          troth           trots           trot           
+  trotting        trot            trouble         troubl         
+  troubled        troubl          troubler        troubler       
+  troubles        troubl          troublesome     troublesom     
+  troublest       troublest       troublous       troublou       
+  trough          trough          trout           trout          
+  trouts          trout           trovato         trovato        
+  trow            trow            trowel          trowel         
+  trowest         trowest         troy            troi           
+  troyan          troyan          troyans         troyan         
+  truant          truant          truce           truce          
+  truckle         truckl          trudge          trudg          
+  true            true            trueborn        trueborn       
+  truepenny       truepenni       truer           truer          
+  truest          truest          truie           truie          
+  trull           trull           trulls          trull          
+  truly           truli           trump           trump          
+  trumpery        trumperi        trumpet         trumpet        
+  trumpeter       trumpet         trumpeters      trumpet        
+  trumpets        trumpet         truncheon       truncheon      
+  truncheoners    truncheon       trundle         trundl         
+  trunk           trunk           trunks          trunk          
+  trust           trust           trusted         trust          
+  truster         truster         trusters        truster        
+  trusting        trust           trusts          trust          
+  trusty          trusti          truth           truth          
+  truths          truth           try             try            
+  ts              ts              tu              tu             
+  tuae            tuae            tub             tub            
+  tubal           tubal           tubs            tub            
+  tuck            tuck            tucket          tucket         
+  tuesday         tuesdai         tuft            tuft           
+  tufts           tuft            tug             tug            
+  tugg            tugg            tugging         tug            
+  tuition         tuition         tullus          tullu          
+  tully           tulli           tumble          tumbl          
+  tumbled         tumbl           tumbler         tumbler        
+  tumbling        tumbl           tumult          tumult         
+  tumultuous      tumultu         tun             tun            
+  tune            tune            tuneable        tuneabl        
+  tuned           tune            tuners          tuner          
+  tunes           tune            tunis           tuni           
+  tuns            tun             tupping         tup            
+  turban          turban          turbans         turban         
+  turbulence      turbul          turbulent       turbul         
+  turd            turd            turf            turf           
+  turfy           turfi           turk            turk           
+  turkey          turkei          turkeys         turkei         
+  turkish         turkish         turks           turk           
+  turlygod        turlygod        turmoil         turmoil        
+  turmoiled       turmoil         turn            turn           
+  turnbull        turnbul         turncoat        turncoat       
+  turncoats       turncoat        turned          turn           
+  turneth         turneth         turning         turn           
+  turnips         turnip          turns           turn           
+  turph           turph           turpitude       turpitud       
+  turquoise       turquois        turret          turret         
+  turrets         turret          turtle          turtl          
+  turtles         turtl           turvy           turvi          
+  tuscan          tuscan          tush            tush           
+  tut             tut             tutor           tutor          
+  tutored         tutor           tutors          tutor          
+  tutto           tutto           twain           twain          
+  twang           twang           twangling       twangl         
+  twas            twa             tway            twai           
+  tweaks          tweak           tween           tween          
+  twelfth         twelfth         twelve          twelv          
+  twelvemonth     twelvemonth     twentieth       twentieth      
+  twenty          twenti          twere           twere          
+  twice           twice           twig            twig           
+  twiggen         twiggen         twigs           twig           
+  twilight        twilight        twill           twill          
+  twilled         twill           twin            twin           
+  twine           twine           twink           twink          
+  twinkle         twinkl          twinkled        twinkl         
+  twinkling       twinkl          twinn           twinn          
+  twins           twin            twire           twire          
+  twist           twist           twisted         twist          
+  twit            twit            twits           twit           
+  twitting        twit            twixt           twixt          
+  two             two             twofold         twofold        
+  twopence        twopenc         twopences       twopenc        
+  twos            two             twould          twould         
+  tyb             tyb             tybalt          tybalt         
+  tybalts         tybalt          tyburn          tyburn         
+  tying           ty              tyke            tyke           
+  tymbria         tymbria         type            type           
+  types           type            typhon          typhon         
+  tyrannical      tyrann          tyrannically    tyrann         
+  tyrannize       tyrann          tyrannous       tyrann         
+  tyranny         tyranni         tyrant          tyrant         
+  tyrants         tyrant          tyrian          tyrian         
+  tyrrel          tyrrel          u               u              
+  ubique          ubiqu           udders          udder          
+  udge            udg             uds             ud             
+  uglier          uglier          ugliest         ugliest        
+  ugly            ugli            ulcer           ulcer          
+  ulcerous        ulcer           ulysses         ulyss          
+  um              um              umber           umber          
+  umbra           umbra           umbrage         umbrag         
+  umfrevile       umfrevil        umpire          umpir          
+  umpires         umpir           un              un             
+  unable          unabl           unaccommodated  unaccommod     
+  unaccompanied   unaccompani     unaccustom      unaccustom     
+  unaching        unach           unacquainted    unacquaint     
+  unactive        unact           unadvis         unadvi         
+  unadvised       unadvis         unadvisedly     unadvisedli    
+  unagreeable     unagre          unanel          unanel         
+  unanswer        unansw          unappeas        unappea        
+  unapproved      unapprov        unapt           unapt          
+  unaptness       unapt           unarm           unarm          
+  unarmed         unarm           unarms          unarm          
+  unassail        unassail        unassailable    unassail       
+  unattainted     unattaint       unattempted     unattempt      
+  unattended      unattend        unauspicious    unauspici      
+  unauthorized    unauthor        unavoided       unavoid        
+  unawares        unawar          unback          unback         
+  unbak           unbak           unbanded        unband         
+  unbar           unbar           unbarb          unbarb         
+  unbashful       unbash          unbated         unbat          
+  unbatter        unbatt          unbecoming      unbecom        
+  unbefitting     unbefit         unbegot         unbegot        
+  unbegotten      unbegotten      unbelieved      unbeliev       
+  unbend          unbend          unbent          unbent         
+  unbewail        unbewail        unbid           unbid          
+  unbidden        unbidden        unbind          unbind         
+  unbinds         unbind          unbitted        unbit          
+  unbless         unbless         unblest         unblest        
+  unbloodied      unbloodi        unblown         unblown        
+  unbodied        unbodi          unbolt          unbolt         
+  unbolted        unbolt          unbonneted      unbonnet       
+  unbookish       unbookish       unborn          unborn         
+  unbosom         unbosom         unbound         unbound        
+  unbounded       unbound         unbow           unbow          
+  unbowed         unbow           unbrac          unbrac         
+  unbraced        unbrac          unbraided       unbraid        
+  unbreathed      unbreath        unbred          unbr           
+  unbreech        unbreech        unbridled       unbridl        
+  unbroke         unbrok          unbruis         unbrui         
+  unbruised       unbruis         unbuckle        unbuckl        
+  unbuckles       unbuckl         unbuckling      unbuckl        
+  unbuild         unbuild         unburden        unburden       
+  unburdens       unburden        unburied        unburi         
+  unburnt         unburnt         unburthen       unburthen      
+  unbutton        unbutton        unbuttoning     unbutton       
+  uncapable       uncap           uncape          uncap          
+  uncase          uncas           uncasing        uncas          
+  uncaught        uncaught        uncertain       uncertain      
+  uncertainty     uncertainti     unchain         unchain        
+  unchanging      unchang         uncharge        uncharg        
+  uncharged       uncharg         uncharitably    uncharit       
+  unchary         unchari         unchaste        unchast        
+  uncheck         uncheck         unchilded       unchild        
+  uncivil         uncivil         unclaim         unclaim        
+  unclasp         unclasp         uncle           uncl           
+  unclean         unclean         uncleanliness   uncleanli      
+  uncleanly       uncleanli       uncleanness     unclean        
+  uncles          uncl            unclew          unclew         
+  unclog          unclog          uncoined        uncoin         
+  uncolted        uncolt          uncomeliness    uncomeli       
+  uncomfortable   uncomfort       uncompassionate uncompassion   
+  uncomprehensive uncomprehens    unconfinable    unconfin       
+  unconfirm       unconfirm       unconfirmed     unconfirm      
+  unconquer       unconqu         unconquered     unconqu        
+  unconsidered    unconsid        unconstant      unconst        
+  unconstrain     unconstrain     unconstrained   unconstrain    
+  uncontemn       uncontemn       uncontroll      uncontrol      
+  uncorrected     uncorrect       uncounted       uncount        
+  uncouple        uncoupl         uncourteous     uncourt        
+  uncouth         uncouth         uncover         uncov          
+  uncovered       uncov           uncropped       uncrop         
+  uncross         uncross         uncrown         uncrown        
+  unction         unction         unctuous        unctuou        
+  uncuckolded     uncuckold       uncurable       uncur          
+  uncurbable      uncurb          uncurbed        uncurb         
+  uncurls         uncurl          uncurrent       uncurr         
+  uncurse         uncurs          undaunted       undaunt        
+  undeaf          undeaf          undeck          undeck         
+  undeeded        undeed          under           under          
+  underbearing    underbear       underborne      underborn      
+  undercrest      undercrest      underfoot       underfoot      
+  undergo         undergo         undergoes       undergo        
+  undergoing      undergo         undergone       undergon       
+  underground     underground     underhand       underhand      
+  underlings      underl          undermine       undermin       
+  underminers     undermin        underneath      underneath     
+  underprizing    underpr         underprop       underprop      
+  understand      understand      understandeth   understandeth  
+  understanding   understand      understandings  understand     
+  understands     understand      understood      understood     
+  underta         underta         undertake       undertak       
+  undertakeing    undertak        undertaker      undertak       
+  undertakes      undertak        undertaking     undertak       
+  undertakings    undertak        undertook       undertook      
+  undervalu       undervalu       undervalued     undervalu      
+  underwent       underw          underwrit       underwrit      
+  underwrite      underwrit       undescried      undescri       
+  undeserved      undeserv        undeserver      undeserv       
+  undeservers     undeserv        undeserving     undeserv       
+  undetermin      undetermin      undid           undid          
+  undinted        undint          undiscernible   undiscern      
+  undiscover      undiscov        undishonoured   undishonour    
+  undispos        undispo         undistinguishable undistinguish  
+  undistinguished undistinguish   undividable     undivid        
+  undivided       undivid         undivulged      undivulg       
+  undo            undo            undoes          undo           
+  undoing         undo            undone          undon          
+  undoubted       undoubt         undoubtedly     undoubtedli    
+  undream         undream         undress         undress        
+  undressed       undress         undrown         undrown        
+  unduteous       undut           undutiful       unduti         
+  une             un              uneared         unear          
+  unearned        unearn          unearthly       unearthli      
+  uneasines       uneasin         uneasy          uneasi         
+  uneath          uneath          uneducated      uneduc         
+  uneffectual     uneffectu       unelected       unelect        
+  unequal         unequ           uneven          uneven         
+  unexamin        unexamin        unexecuted      unexecut       
+  unexpected      unexpect        unexperienc     unexperienc    
+  unexperient     unexperi        unexpressive    unexpress      
+  unfair          unfair          unfaithful      unfaith        
+  unfallible      unfal           unfam           unfam          
+  unfashionable   unfashion       unfasten        unfasten       
+  unfather        unfath          unfathered      unfath         
+  unfed           unf             unfeed          unfe           
+  unfeeling       unfeel          unfeigned       unfeign        
+  unfeignedly     unfeignedli     unfellowed      unfellow       
+  unfelt          unfelt          unfenced        unfenc         
+  unfilial        unfili          unfill          unfil          
+  unfinish        unfinish        unfirm          unfirm         
+  unfit           unfit           unfitness       unfit          
+  unfix           unfix           unfledg         unfledg        
+  unfold          unfold          unfolded        unfold         
+  unfoldeth       unfoldeth       unfolding       unfold         
+  unfolds         unfold          unfool          unfool         
+  unforc          unforc          unforced        unforc         
+  unforfeited     unforfeit       unfortified     unfortifi      
+  unfortunate     unfortun        unfought        unfought       
+  unfrequented    unfrequ         unfriended      unfriend       
+  unfurnish       unfurnish       ungain          ungain         
+  ungalled        ungal           ungart          ungart         
+  ungarter        ungart          ungenitur       ungenitur      
+  ungentle        ungentl         ungentleness    ungentl        
+  ungently        ungent          ungird          ungird         
+  ungodly         ungodli         ungor           ungor          
+  ungot           ungot           ungotten        ungotten       
+  ungovern        ungovern        ungracious      ungraci        
+  ungrateful      ungrat          ungravely       ungrav         
+  ungrown         ungrown         unguarded       unguard        
+  unguem          unguem          unguided        unguid         
+  unhack          unhack          unhair          unhair         
+  unhallow        unhallow        unhallowed      unhallow       
+  unhand          unhand          unhandled       unhandl        
+  unhandsome      unhandsom       unhang          unhang         
+  unhappied       unhappi         unhappily       unhappili      
+  unhappiness     unhappi         unhappy         unhappi        
+  unhardened      unharden        unharm          unharm         
+  unhatch         unhatch         unheard         unheard        
+  unhearts        unheart         unheedful       unheed         
+  unheedfully     unheedfulli     unheedy         unheedi        
+  unhelpful       unhelp          unhidden        unhidden       
+  unholy          unholi          unhop           unhop          
+  unhopefullest   unhopefullest   unhorse         unhors         
+  unhospitable    unhospit        unhous          unhou          
+  unhoused        unhous          unhurtful       unhurt         
+  unicorn         unicorn         unicorns        unicorn        
+  unimproved      unimprov        uninhabitable   uninhabit      
+  uninhabited     uninhabit       unintelligent   unintellig     
+  union           union           unions          union          
+  unite           unit            united          unit           
+  unity           uniti           universal       univers        
+  universe        univers         universities    univers        
+  university      univers         unjointed       unjoint        
+  unjust          unjust          unjustice       unjustic       
+  unjustly        unjustli        unkennel        unkennel       
+  unkept          unkept          unkind          unkind         
+  unkindest       unkindest       unkindly        unkindli       
+  unkindness      unkind          unking          unk            
+  unkinglike      unkinglik       unkiss          unkiss         
+  unknit          unknit          unknowing       unknow         
+  unknown         unknown         unlace          unlac          
+  unlaid          unlaid          unlawful        unlaw          
+  unlawfully      unlawfulli      unlearn         unlearn        
+  unlearned       unlearn         unless          unless         
+  unlesson        unlesson        unletter        unlett         
+  unlettered      unlett          unlick          unlick         
+  unlike          unlik           unlikely        unlik          
+  unlimited       unlimit         unlineal        unlin          
+  unlink          unlink          unload          unload         
+  unloaded        unload          unloading       unload         
+  unloads         unload          unlock          unlock         
+  unlocks         unlock          unlook          unlook         
+  unlooked        unlook          unloos          unloo          
+  unloose         unloos          unlov           unlov          
+  unloving        unlov           unluckily       unluckili      
+  unlucky         unlucki         unmade          unmad          
+  unmake          unmak           unmanly         unmanli        
+  unmann          unmann          unmanner        unmann         
+  unmannerd       unmannerd       unmannerly      unmannerli     
+  unmarried       unmarri         unmask          unmask         
+  unmasked        unmask          unmasking       unmask         
+  unmasks         unmask          unmast          unmast         
+  unmatch         unmatch         unmatchable     unmatch        
+  unmatched       unmatch         unmeasurable    unmeasur       
+  unmeet          unmeet          unmellowed      unmellow       
+  unmerciful      unmerci         unmeritable     unmerit        
+  unmeriting      unmerit         unminded        unmind         
+  unmindfull      unmindful       unmingled       unmingl        
+  unmitigable     unmitig         unmitigated     unmitig        
+  unmix           unmix           unmoan          unmoan         
+  unmov           unmov           unmoved         unmov          
+  unmoving        unmov           unmuffles       unmuffl        
+  unmuffling      unmuffl         unmusical       unmus          
+  unmuzzle        unmuzzl         unmuzzled       unmuzzl        
+  unnatural       unnatur         unnaturally     unnatur        
+  unnaturalness   unnatur         unnecessarily   unnecessarili  
+  unnecessary     unnecessari     unneighbourly   unneighbourli  
+  unnerved        unnerv          unnoble         unnobl         
+  unnoted         unnot           unnumb          unnumb         
+  unnumber        unnumb          unowed          unow           
+  unpack          unpack          unpaid          unpaid         
+  unparagon       unparagon       unparallel      unparallel     
+  unpartial       unparti         unpath          unpath         
+  unpaved         unpav           unpay           unpai          
+  unpeaceable     unpeac          unpeg           unpeg          
+  unpeople        unpeopl         unpeopled       unpeopl        
+  unperfect       unperfect       unperfectness   unperfect      
+  unpick          unpick          unpin           unpin          
+  unpink          unpink          unpitied        unpiti         
+  unpitifully     unpitifulli     unplagu         unplagu        
+  unplausive      unplaus         unpleas         unplea         
+  unpleasant      unpleas         unpleasing      unpleas        
+  unpolicied      unpolici        unpolish        unpolish       
+  unpolished      unpolish        unpolluted      unpollut       
+  unpossess       unpossess       unpossessing    unpossess      
+  unpossible      unposs          unpractis       unpracti       
+  unpregnant      unpregn         unpremeditated  unpremedit     
+  unprepar        unprepar        unprepared      unprepar       
+  unpress         unpress         unprevailing    unprevail      
+  unprevented     unprev          unpriz          unpriz         
+  unprizable      unpriz          unprofitable    unprofit       
+  unprofited      unprofit        unproper        unprop         
+  unproperly      unproperli      unproportion    unproport      
+  unprovide       unprovid        unprovided      unprovid       
+  unprovident     unprovid        unprovokes      unprovok       
+  unprun          unprun          unpruned        unprun         
+  unpublish       unpublish       unpurged        unpurg         
+  unpurpos        unpurpo         unqualitied     unqual         
+  unqueen         unqueen         unquestion      unquest        
+  unquestionable  unquestion      unquiet         unquiet        
+  unquietly       unquietli       unquietness     unquiet        
+  unraised        unrais          unrak           unrak          
+  unread          unread          unready         unreadi        
+  unreal          unreal          unreasonable    unreason       
+  unreasonably    unreason        unreclaimed     unreclaim      
+  unreconciled    unreconcil      unreconciliable unreconcili    
+  unrecounted     unrecount       unrecuring      unrecur        
+  unregarded      unregard        unregist        unregist       
+  unrelenting     unrel           unremovable     unremov        
+  unremovably     unremov         unreprievable   unrepriev      
+  unresolv        unresolv        unrespected     unrespect      
+  unrespective    unrespect       unrest          unrest         
+  unrestor        unrestor        unrestrained    unrestrain     
+  unreveng        unreveng        unreverend      unreverend     
+  unreverent      unrever         unrevers        unrev          
+  unrewarded      unreward        unrighteous     unright        
+  unrightful      unright         unripe          unrip          
+  unripp          unripp          unrivall        unrival        
+  unroll          unrol           unroof          unroof         
+  unroosted       unroost         unroot          unroot         
+  unrough         unrough         unruly          unruli         
+  unsafe          unsaf           unsaluted       unsalut        
+  unsanctified    unsanctifi      unsatisfied     unsatisfi      
+  unsavoury       unsavouri       unsay           unsai          
+  unscalable      unscal          unscann         unscann        
+  unscarr         unscarr         unschool        unschool       
+  unscorch        unscorch        unscour         unscour        
+  unscratch       unscratch       unseal          unseal         
+  unseam          unseam          unsearch        unsearch       
+  unseason        unseason        unseasonable    unseason       
+  unseasonably    unseason        unseasoned      unseason       
+  unseconded      unsecond        unsecret        unsecret       
+  unseduc         unseduc         unseeing        unse           
+  unseeming       unseem          unseemly        unseemli       
+  unseen          unseen          unseminar       unseminar      
+  unseparable     unsepar         unserviceable   unservic       
+  unset           unset           unsettle        unsettl        
+  unsettled       unsettl         unsever         unsev          
+  unsex           unsex           unshak          unshak         
+  unshaked        unshak          unshaken        unshaken       
+  unshaped        unshap          unshapes        unshap         
+  unsheath        unsheath        unsheathe       unsheath       
+  unshorn         unshorn         unshout         unshout        
+  unshown         unshown         unshrinking     unshrink       
+  unshrubb        unshrubb        unshunn         unshunn        
+  unshunnable     unshunn         unsifted        unsift         
+  unsightly       unsightli       unsinew         unsinew        
+  unsisting       unsist          unskilful       unskil         
+  unskilfully     unskilfulli     unskillful      unskil         
+  unslipping      unslip          unsmirched      unsmirch       
+  unsoil          unsoil          unsolicited     unsolicit      
+  unsorted        unsort          unsought        unsought       
+  unsound         unsound         unsounded       unsound        
+  unspeak         unspeak         unspeakable     unspeak        
+  unspeaking      unspeak         unsphere        unspher        
+  unspoke         unspok          unspoken        unspoken       
+  unspotted       unspot          unsquar         unsquar        
+  unstable        unstabl         unstaid         unstaid        
+  unstain         unstain         unstained       unstain        
+  unstanched      unstanch        unstate         unstat         
+  unsteadfast     unsteadfast     unstooping      unstoop        
+  unstringed      unstring        unstuff         unstuff        
+  unsubstantial   unsubstanti     unsuitable      unsuit         
+  unsuiting       unsuit          unsullied       unsulli        
+  unsunn          unsunn          unsur           unsur          
+  unsure          unsur           unsuspected     unsuspect      
+  unsway          unswai          unswayable      unsway         
+  unswayed        unswai          unswear         unswear        
+  unswept         unswept         unsworn         unsworn        
+  untainted       untaint         untalk          untalk         
+  untangle        untangl         untangled       untangl        
+  untasted        untast          untaught        untaught       
+  untempering     untemp          untender        untend         
+  untent          untent          untented        untent         
+  unthankful      unthank         unthankfulness  unthank        
+  unthink         unthink         unthought       unthought      
+  unthread        unthread        unthrift        unthrift       
+  unthrifts       unthrift        unthrifty       unthrifti      
+  untie           unti            untied          unti           
+  until           until           untimber        untimb         
+  untimely        untim           untir           untir          
+  untirable       untir           untired         untir          
+  untitled        untitl          unto            unto           
+  untold          untold          untouch         untouch        
+  untoward        untoward        untowardly      untowardli     
+  untraded        untrad          untrain         untrain        
+  untrained       untrain         untread         untread        
+  untreasur       untreasur       untried         untri          
+  untrimmed       untrim          untrod          untrod         
+  untrodden       untrodden       untroubled      untroubl       
+  untrue          untru           untrussing      untruss        
+  untruth         untruth         untruths        untruth        
+  untucked        untuck          untun           untun          
+  untune          untun           untuneable      untun          
+  untutor         untutor         untutored       untutor        
+  untwine         untwin          unurg           unurg          
+  unus            unu             unused          unus           
+  unusual         unusu           unvalued        unvalu         
+  unvanquish      unvanquish      unvarnish       unvarnish      
+  unveil          unveil          unveiling       unveil         
+  unvenerable     unvener         unvex           unvex          
+  unviolated      unviol          unvirtuous      unvirtu        
+  unvisited       unvisit         unvulnerable    unvulner       
+  unwares         unwar           unwarily        unwarili       
+  unwash          unwash          unwatch         unwatch        
+  unwearied       unweari         unwed           unw            
+  unwedgeable     unwedg          unweeded        unweed         
+  unweighed       unweigh         unweighing      unweigh        
+  unwelcome       unwelcom        unwept          unwept         
+  unwhipp         unwhipp         unwholesome     unwholesom     
+  unwieldy        unwieldi        unwilling       unwil          
+  unwillingly     unwillingli     unwillingness   unwilling      
+  unwind          unwind          unwiped         unwip          
+  unwise          unwis           unwisely        unwis          
+  unwish          unwish          unwished        unwish         
+  unwitted        unwit           unwittingly     unwittingli    
+  unwonted        unwont          unwooed         unwoo          
+  unworthier      unworthi        unworthiest     unworthiest    
+  unworthily      unworthili      unworthiness    unworthi       
+  unworthy        unworthi        unwrung         unwrung        
+  unyok           unyok           unyoke          unyok          
+  up              up              upbraid         upbraid        
+  upbraided       upbraid         upbraidings     upbraid        
+  upbraids        upbraid         uphoarded       uphoard        
+  uphold          uphold          upholdeth       upholdeth      
+  upholding       uphold          upholds         uphold         
+  uplift          uplift          uplifted        uplift         
+  upmost          upmost          upon            upon           
+  upper           upper           uprear          uprear         
+  upreared        uprear          upright         upright        
+  uprighteously   upright         uprightness     upright        
+  uprise          upris           uprising        upris          
+  uproar          uproar          uproars         uproar         
+  uprous          uprou           upshoot         upshoot        
+  upshot          upshot          upside          upsid          
+  upspring        upspr           upstairs        upstair        
+  upstart         upstart         upturned        upturn         
+  upward          upward          upwards         upward         
+  urchin          urchin          urchinfield     urchinfield    
+  urchins         urchin          urg             urg            
+  urge            urg             urged           urg            
+  urgent          urgent          urges           urg            
+  urgest          urgest          urging          urg            
+  urinal          urin            urinals         urin           
+  urine           urin            urn             urn            
+  urns            urn             urs             ur             
+  ursa            ursa            ursley          urslei         
+  ursula          ursula          urswick         urswick        
+  us              us              usage           usag           
+  usance          usanc           usances         usanc          
+  use             us              used            us             
+  useful          us              useless         useless        
+  user            user            uses            us             
+  usest           usest           useth           useth          
+  usher           usher           ushered         usher          
+  ushering        usher           ushers          usher          
+  using           us              usual           usual          
+  usually         usual           usurer          usur           
+  usurers         usur            usuries         usuri          
+  usuring         usur            usurp           usurp          
+  usurpation      usurp           usurped         usurp          
+  usurper         usurp           usurpers        usurp          
+  usurping        usurp           usurpingly      usurpingli     
+  usurps          usurp           usury           usuri          
+  ut              ut              utensil         utensil        
+  utensils        utensil         utility         util           
+  utmost          utmost          utt             utt            
+  utter           utter           utterance       utter          
+  uttered         utter           uttereth        uttereth       
+  uttering        utter           utterly         utterli        
+  uttermost       uttermost       utters          utter          
+  uy              uy              v               v              
+  va              va              vacancy         vacanc         
+  vacant          vacant          vacation        vacat          
+  vade            vade            vagabond        vagabond       
+  vagabonds       vagabond        vagram          vagram         
+  vagrom          vagrom          vail            vail           
+  vailed          vail            vailing         vail           
+  vaillant        vaillant        vain            vain           
+  vainer          vainer          vainglory       vainglori      
+  vainly          vainli          vainness        vain           
+  vais            vai             valanc          valanc         
+  valance         valanc          vale            vale           
+  valence         valenc          valentine       valentin       
+  valentinus      valentinu       valentio        valentio       
+  valeria         valeria         valerius        valeriu        
+  vales           vale            valiant         valiant        
+  valiantly       valiantli       valiantness     valiant        
+  validity        valid           vallant         vallant        
+  valley          vallei          valleys         vallei         
+  vally           valli           valor           valor          
+  valorous        valor           valorously      valor          
+  valour          valour          valu            valu           
+  valuation       valuat          value           valu           
+  valued          valu            valueless       valueless      
+  values          valu            valuing         valu           
+  vane            vane            vanish          vanish         
+  vanished        vanish          vanishes        vanish         
+  vanishest       vanishest       vanishing       vanish         
+  vanities        vaniti          vanity          vaniti         
+  vanquish        vanquish        vanquished      vanquish       
+  vanquisher      vanquish        vanquishest     vanquishest    
+  vanquisheth     vanquisheth     vant            vant           
+  vantage         vantag          vantages        vantag         
+  vantbrace       vantbrac        vapians         vapian         
+  vapor           vapor           vaporous        vapor          
+  vapour          vapour          vapours         vapour         
+  vara            vara            variable        variabl        
+  variance        varianc         variation       variat         
+  variations      variat          varied          vari           
+  variest         variest         variety         varieti        
+  varld           varld           varlet          varlet         
+  varletry        varletri        varlets         varlet         
+  varletto        varletto        varnish         varnish        
+  varrius         varriu          varro           varro          
+  vary            vari            varying         vari           
+  vassal          vassal          vassalage       vassalag       
+  vassals         vassal          vast            vast           
+  vastidity       vastid          vasty           vasti          
+  vat             vat             vater           vater          
+  vaudemont       vaudemont       vaughan         vaughan        
+  vault           vault           vaultages       vaultag        
+  vaulted         vault           vaulting        vault          
+  vaults          vault           vaulty          vaulti         
+  vaumond         vaumond         vaunt           vaunt          
+  vaunted         vaunt           vaunter         vaunter        
+  vaunting        vaunt           vauntingly      vauntingli     
+  vaunts          vaunt           vauvado         vauvado        
+  vaux            vaux            vaward          vaward         
+  ve              ve              veal            veal           
+  vede            vede            vehemence       vehem          
+  vehemency       vehem           vehement        vehement       
+  vehor           vehor           veil            veil           
+  veiled          veil            veiling         veil           
+  vein            vein            veins           vein           
+  vell            vell            velure          velur          
+  velutus         velutu          velvet          velvet         
+  vendible        vendibl         venerable       vener          
+  venereal        vener           venetia         venetia        
+  venetian        venetian        venetians       venetian       
+  veneys          venei           venge           veng           
+  vengeance       vengeanc        vengeances      vengeanc       
+  vengeful        veng            veni            veni           
+  venial          venial          venice          venic          
+  venison         venison         venit           venit          
+  venom           venom           venomous        venom          
+  venomously      venom           vent            vent           
+  ventages        ventag          vented          vent           
+  ventidius       ventidiu        ventricle       ventricl       
+  vents           vent            ventur          ventur         
+  venture         ventur          ventured        ventur         
+  ventures        ventur          venturing       ventur         
+  venturous       ventur          venue           venu           
+  venus           venu            venuto          venuto         
+  ver             ver             verb            verb           
+  verba           verba           verbal          verbal         
+  verbatim        verbatim        verbosity       verbos         
+  verdict         verdict         verdun          verdun         
+  verdure         verdur          vere            vere           
+  verefore        verefor         verg            verg           
+  verge           verg            vergers         verger         
+  verges          verg            verier          verier         
+  veriest         veriest         verified        verifi         
+  verify          verifi          verily          verili         
+  veritable       verit           verite          verit          
+  verities        veriti          verity          veriti         
+  vermilion       vermilion       vermin          vermin         
+  vernon          vernon          verona          verona         
+  veronesa        veronesa        versal          versal         
+  verse           vers            verses          vers           
+  versing         vers            vert            vert           
+  very            veri            vesper          vesper         
+  vessel          vessel          vessels         vessel         
+  vestal          vestal          vestments       vestment       
+  vesture         vestur          vetch           vetch          
+  vetches         vetch           veux            veux           
+  vex             vex             vexation        vexat          
+  vexations       vexat           vexed           vex            
+  vexes           vex             vexest          vexest         
+  vexeth          vexeth          vexing          vex            
+  vi              vi              via             via            
+  vial            vial            vials           vial           
+  viand           viand           viands          viand          
+  vic             vic             vicar           vicar          
+  vice            vice            vicegerent      viceger        
+  vicentio        vicentio        viceroy         viceroi        
+  viceroys        viceroi         vices           vice           
+  vici            vici            vicious         viciou         
+  viciousness     vicious         vict            vict           
+  victims         victim          victor          victor         
+  victoress       victoress       victories       victori        
+  victorious      victori         victors         victor         
+  victory         victori         victual         victual        
+  victuall        victual         victuals        victual        
+  videlicet       videlicet       video           video          
+  vides           vide            videsne         videsn         
+  vidi            vidi            vie             vie            
+  vied            vi              vienna          vienna         
+  view            view            viewest         viewest        
+  vieweth         vieweth         viewing         view           
+  viewless        viewless        views           view           
+  vigil           vigil           vigilance       vigil          
+  vigilant        vigil           vigitant        vigit          
+  vigour          vigour          vii             vii            
+  viii            viii            vile            vile           
+  vilely          vile            vileness        vile           
+  viler           viler           vilest          vilest         
+  vill            vill            village         villag         
+  villager        villag          villagery       villageri      
+  villages        villag          villain         villain        
+  villainies      villaini        villainous      villain        
+  villainously    villain         villains        villain        
+  villainy        villaini        villanies       villani        
+  villanous       villan          villany         villani        
+  villiago        villiago        villian         villian        
+  villianda       villianda       villians        villian        
+  vinaigre        vinaigr         vincentio       vincentio      
+  vincere         vincer          vindicative     vindic         
+  vine            vine            vinegar         vinegar        
+  vines           vine            vineyard        vineyard       
+  vineyards       vineyard        vint            vint           
+  vintner         vintner         viol            viol           
+  viola           viola           violate         violat         
+  violated        violat          violates        violat         
+  violation       violat          violator        violat         
+  violence        violenc         violent         violent        
+  violenta        violenta        violenteth      violenteth     
+  violently       violent         violet          violet         
+  violets         violet          viper           viper          
+  viperous        viper           vipers          viper          
+  vir             vir             virgilia        virgilia       
+  virgin          virgin          virginal        virgin         
+  virginalling    virginal        virginity       virgin         
+  virginius       virginiu        virgins         virgin         
+  virgo           virgo           virtue          virtu          
+  virtues         virtu           virtuous        virtuou        
+  virtuously      virtuous        visag           visag          
+  visage          visag           visages         visag          
+  visard          visard          viscount        viscount       
+  visible         visibl          visibly         visibl         
+  vision          vision          visions         vision         
+  visit           visit           visitation      visit          
+  visitations     visit           visited         visit          
+  visiting        visit           visitings       visit          
+  visitor         visitor         visitors        visitor        
+  visits          visit           visor           visor          
+  vita            vita            vitae           vita           
+  vital           vital           vitement        vitement       
+  vitruvio        vitruvio        vitx            vitx           
+  viva            viva            vivant          vivant         
+  vive            vive            vixen           vixen          
+  viz             viz             vizaments       vizament       
+  vizard          vizard          vizarded        vizard         
+  vizards         vizard          vizor           vizor          
+  vlouting        vlout           vocation        vocat          
+  vocativo        vocativo        vocatur         vocatur        
+  voce            voce            voic            voic           
+  voice           voic            voices          voic           
+  void            void            voided          void           
+  voiding         void            voke            voke           
+  volable         volabl          volant          volant         
+  volivorco       volivorco       volley          vollei         
+  volquessen      volquessen      volsce          volsc          
+  volsces         volsc           volscian        volscian       
+  volscians       volscian        volt            volt           
+  voltemand       voltemand       volubility      volubl         
+  voluble         volubl          volume          volum          
+  volumes         volum           volumnia        volumnia       
+  volumnius       volumniu        voluntaries     voluntari      
+  voluntary       voluntari       voluptuously    voluptu        
+  voluptuousness  voluptu         vomissement     vomiss         
+  vomit           vomit           vomits          vomit          
+  vor             vor             vore            vore           
+  vortnight       vortnight       vot             vot            
+  votaries        votari          votarist        votarist       
+  votarists       votarist        votary          votari         
+  votre           votr            vouch           vouch          
+  voucher         voucher         vouchers        voucher        
+  vouches         vouch           vouching        vouch          
+  vouchsaf        vouchsaf        vouchsafe       vouchsaf       
+  vouchsafed      vouchsaf        vouchsafes      vouchsaf       
+  vouchsafing     vouchsaf        voudrais        voudrai        
+  vour            vour            vous            vou            
+  voutsafe        voutsaf         vow             vow            
+  vowed           vow             vowel           vowel          
+  vowels          vowel           vowing          vow            
+  vows            vow             vox             vox            
+  voyage          voyag           voyages         voyag          
+  vraiment        vraiment        vulcan          vulcan         
+  vulgar          vulgar          vulgarly        vulgarli       
+  vulgars         vulgar          vulgo           vulgo          
+  vulnerable      vulner          vulture         vultur         
+  vultures        vultur          vurther         vurther        
+  w               w               wad             wad            
+  waddled         waddl           wade            wade           
+  waded           wade            wafer           wafer          
+  waft            waft            waftage         waftag         
+  wafting         waft            wafts           waft           
+  wag             wag             wage            wage           
+  wager           wager           wagers          wager          
+  wages           wage            wagging         wag            
+  waggish         waggish         waggling        waggl          
+  waggon          waggon          waggoner        waggon         
+  wagon           wagon           wagoner         wagon          
+  wags            wag             wagtail         wagtail        
+  wail            wail            wailful         wail           
+  wailing         wail            wails           wail           
+  wain            wain            wainropes       wainrop        
+  wainscot        wainscot        waist           waist          
+  wait            wait            waited          wait           
+  waiter          waiter          waiteth         waiteth        
+  waiting         wait            waits           wait           
+  wak             wak             wake            wake           
+  waked           wake            wakefield       wakefield      
+  waken           waken           wakened         waken          
+  wakes           wake            wakest          wakest         
+  waking          wake            wales           wale           
+  walk            walk            walked          walk           
+  walking         walk            walks           walk           
+  wall            wall            walled          wall           
+  wallet          wallet          wallets         wallet         
+  wallon          wallon          walloon         walloon        
+  wallow          wallow          walls           wall           
+  walnut          walnut          walter          walter         
+  wan             wan             wand            wand           
+  wander          wander          wanderer        wander         
+  wanderers       wander          wandering       wander         
+  wanders         wander          wands           wand           
+  wane            wane            waned           wane           
+  wanes           wane            waning          wane           
+  wann            wann            want            want           
+  wanted          want            wanteth         wanteth        
+  wanting         want            wanton          wanton         
+  wantonly        wantonli        wantonness      wanton         
+  wantons         wanton          wants           want           
+  wappen          wappen          war             war            
+  warble          warbl           warbling        warbl          
+  ward            ward            warded          ward           
+  warden          warden          warder          warder         
+  warders         warder          wardrobe        wardrob        
+  wardrop         wardrop         wards           ward           
+  ware            ware            wares           ware           
+  warily          warili          warkworth       warkworth      
+  warlike         warlik          warm            warm           
+  warmed          warm            warmer          warmer         
+  warming         warm            warms           warm           
+  warmth          warmth          warn            warn           
+  warned          warn            warning         warn           
+  warnings        warn            warns           warn           
+  warp            warp            warped          warp           
+  warr            warr            warrant         warrant        
+  warranted       warrant         warranteth      warranteth     
+  warrantise      warrantis       warrantize      warrant        
+  warrants        warrant         warranty        warranti       
+  warren          warren          warrener        warren         
+  warring         war             warrior         warrior        
+  warriors        warrior         wars            war            
+  wart            wart            warwick         warwick        
+  warwickshire    warwickshir     wary            wari           
+  was             wa              wash            wash           
+  washed          wash            washer          washer         
+  washes          wash            washford        washford       
+  washing         wash            wasp            wasp           
+  waspish         waspish         wasps           wasp           
+  wassail         wassail         wassails        wassail        
+  wast            wast            waste           wast           
+  wasted          wast            wasteful        wast           
+  wasters         waster          wastes          wast           
+  wasting         wast            wat             wat            
+  watch           watch           watched         watch          
+  watchers        watcher         watches         watch          
+  watchful        watch           watching        watch          
+  watchings       watch           watchman        watchman       
+  watchmen        watchmen        watchword       watchword      
+  water           water           waterdrops      waterdrop      
+  watered         water           waterfly        waterfli       
+  waterford       waterford       watering        water          
+  waterish        waterish        waterpots       waterpot       
+  waterrugs       waterrug        waters          water          
+  waterton        waterton        watery          wateri         
+  wav             wav             wave            wave           
+  waved           wave            waver           waver          
+  waverer         waver           wavering        waver          
+  waves           wave            waving          wave           
+  waw             waw             wawl            wawl           
+  wax             wax             waxed           wax            
+  waxen           waxen           waxes           wax            
+  waxing          wax             way             wai            
+  waylaid         waylaid         waylay          waylai         
+  ways            wai             wayward         wayward        
+  waywarder       wayward         waywardness     wayward        
+  we              we              weak            weak           
+  weaken          weaken          weakens         weaken         
+  weaker          weaker          weakest         weakest        
+  weakling        weakl           weakly          weakli         
+  weakness        weak            weal            weal           
+  wealsmen        wealsmen        wealth          wealth         
+  wealthiest      wealthiest      wealthily       wealthili      
+  wealthy         wealthi         wealtlly        wealtlli       
+  wean            wean            weapon          weapon         
+  weapons         weapon          wear            wear           
+  wearer          wearer          wearers         wearer         
+  wearied         weari           wearies         weari          
+  weariest        weariest        wearily         wearili        
+  weariness       weari           wearing         wear           
+  wearisome       wearisom        wears           wear           
+  weary           weari           weasel          weasel         
+  weather         weather         weathercock     weathercock    
+  weathers        weather         weav            weav           
+  weave           weav            weaver          weaver         
+  weavers         weaver          weaves          weav           
+  weaving         weav            web             web            
+  wed             wed             wedded          wed            
+  wedding         wed             wedg            wedg           
+  wedged          wedg            wedges          wedg           
+  wedlock         wedlock         wednesday       wednesdai      
+  weed            weed            weeded          weed           
+  weeder          weeder          weeding         weed           
+  weeds           weed            weedy           weedi          
+  week            week            weeke           week           
+  weekly          weekli          weeks           week           
+  ween            ween            weening         ween           
+  weep            weep            weeper          weeper         
+  weeping         weep            weepingly       weepingli      
+  weepings        weep            weeps           weep           
+  weet            weet            weigh           weigh          
+  weighed         weigh           weighing        weigh          
+  weighs          weigh           weight          weight         
+  weightier       weightier       weightless      weightless     
+  weights         weight          weighty         weighti        
+  weird           weird           welcom          welcom         
+  welcome         welcom          welcomer        welcom         
+  welcomes        welcom          welcomest       welcomest      
+  welfare         welfar          welkin          welkin         
+  well            well            wells           well           
+  welsh           welsh           welshman        welshman       
+  welshmen        welshmen        welshwomen      welshwomen     
+  wench           wench           wenches         wench          
+  wenching        wench           wend            wend           
+  went            went            wept            wept           
+  weraday         weradai         were            were           
+  wert            wert            west            west           
+  western         western         westminster     westminst      
+  westmoreland    westmoreland    westward        westward       
+  wet             wet             wether          wether         
+  wetting         wet             wezand          wezand         
+  whale           whale           whales          whale          
+  wharf           wharf           wharfs          wharf          
+  what            what            whate           whate          
+  whatever        whatev          whatsoe         whatso         
+  whatsoever      whatsoev        whatsome        whatsom        
+  whe             whe             wheat           wheat          
+  wheaten         wheaten         wheel           wheel          
+  wheeling        wheel           wheels          wheel          
+  wheer           wheer           wheeson         wheeson        
+  wheezing        wheez           whelk           whelk          
+  whelks          whelk           whelm           whelm          
+  whelp           whelp           whelped         whelp          
+  whelps          whelp           when            when           
+  whenas          whena           whence          whenc          
+  whencesoever    whencesoev      whene           whene          
+  whenever        whenev          whensoever      whensoev       
+  where           where           whereabout      whereabout     
+  whereas         wherea          whereat         whereat        
+  whereby         wherebi         wherefore       wherefor       
+  wherein         wherein         whereinto       whereinto      
+  whereof         whereof         whereon         whereon        
+  whereout        whereout        whereso         whereso        
+  wheresoe        whereso         wheresoever     wheresoev      
+  wheresome       wheresom        whereto         whereto        
+  whereuntil      whereuntil      whereunto       whereunto      
+  whereupon       whereupon       wherever        wherev         
+  wherewith       wherewith       wherewithal     wherewith      
+  whet            whet            whether         whether        
+  whetstone       whetston        whetted         whet           
+  whew            whew            whey            whei           
+  which           which           whiff           whiff          
+  whiffler        whiffler        while           while          
+  whiles          while           whilst          whilst         
+  whin            whin            whine           whine          
+  whined          whine           whinid          whinid         
+  whining         whine           whip            whip           
+  whipp           whipp           whippers        whipper        
+  whipping        whip            whips           whip           
+  whipster        whipster        whipstock       whipstock      
+  whipt           whipt           whirl           whirl          
+  whirled         whirl           whirligig       whirligig      
+  whirling        whirl           whirlpool       whirlpool      
+  whirls          whirl           whirlwind       whirlwind      
+  whirlwinds      whirlwind       whisp           whisp          
+  whisper         whisper         whispering      whisper        
+  whisperings     whisper         whispers        whisper        
+  whist           whist           whistle         whistl         
+  whistles        whistl          whistling       whistl         
+  whit            whit            white           white          
+  whitehall       whitehal        whitely         white          
+  whiteness       white           whiter          whiter         
+  whites          white           whitest         whitest        
+  whither         whither         whiting         white          
+  whitmore        whitmor         whitsters       whitster       
+  whitsun         whitsun         whittle         whittl         
+  whizzing        whizz           who             who            
+  whoa            whoa            whoe            whoe           
+  whoever         whoever         whole           whole          
+  wholesom        wholesom        wholesome       wholesom       
+  wholly          wholli          whom            whom           
+  whoobub         whoobub         whoop           whoop          
+  whooping        whoop           whor            whor           
+  whore           whore           whoremaster     whoremast      
+  whoremasterly   whoremasterli   whoremonger     whoremong      
+  whores          whore           whoreson        whoreson       
+  whoresons       whoreson        whoring         whore          
+  whorish         whorish         whose           whose          
+  whoso           whoso           whosoe          whoso          
+  whosoever       whosoev         why             why            
+  wi              wi              wick            wick           
+  wicked          wick            wickednes       wickedn        
+  wickedness      wicked          wicket          wicket         
+  wicky           wicki           wid             wid            
+  wide            wide            widens          widen          
+  wider           wider           widow           widow          
+  widowed         widow           widower         widow          
+  widowhood       widowhood       widows          widow          
+  wield           wield           wife            wife           
+  wight           wight           wights          wight          
+  wild            wild            wildcats        wildcat        
+  wilder          wilder          wilderness      wilder         
+  wildest         wildest         wildfire        wildfir        
+  wildly          wildli          wildness        wild           
+  wilds           wild            wiles           wile           
+  wilful          wil             wilfull         wilful         
+  wilfully        wilfulli        wilfulnes       wilfuln        
+  wilfulness      wil             will            will           
+  willed          will            willers         willer         
+  willeth         willeth         william         william        
+  williams        william         willing         will           
+  willingly       willingli       willingness     willing        
+  willoughby      willoughbi      willow          willow         
+  wills           will            wilt            wilt           
+  wiltshire       wiltshir        wimpled         wimpl          
+  win             win             wince           winc           
+  winch           winch           winchester      winchest       
+  wincot          wincot          wind            wind           
+  winded          wind            windgalls       windgal        
+  winding         wind            windlasses      windlass       
+  windmill        windmil         window          window         
+  windows         window          windpipe        windpip        
+  winds           wind            windsor         windsor        
+  windy           windi           wine            wine           
+  wing            wing            winged          wing           
+  wingfield       wingfield       wingham         wingham        
+  wings           wing            wink            wink           
+  winking         wink            winks           wink           
+  winner          winner          winners         winner         
+  winning         win             winnow          winnow         
+  winnowed        winnow          winnows         winnow         
+  wins            win             winter          winter         
+  winterly        winterli        winters         winter         
+  wip             wip             wipe            wipe           
+  wiped           wipe            wipes           wipe           
+  wiping          wipe            wire            wire           
+  wires           wire            wiry            wiri           
+  wisdom          wisdom          wisdoms         wisdom         
+  wise            wise            wiselier        wiseli         
+  wisely          wise            wiser           wiser          
+  wisest          wisest          wish            wish           
+  wished          wish            wisher          wisher         
+  wishers         wisher          wishes          wish           
+  wishest         wishest         wisheth         wisheth        
+  wishful         wish            wishing         wish           
+  wishtly         wishtli         wisp            wisp           
+  wist            wist            wit             wit            
+  witb            witb            witch           witch          
+  witchcraft      witchcraft      witches         witch          
+  witching        witch           with            with           
+  withal          withal          withdraw        withdraw       
+  withdrawing     withdraw        withdrawn       withdrawn      
+  withdrew        withdrew        wither          wither         
+  withered        wither          withering       wither         
+  withers         wither          withheld        withheld       
+  withhold        withhold        withholds       withhold       
+  within          within          withold         withold        
+  without         without         withstand       withstand      
+  withstanding    withstand       withstood       withstood      
+  witless         witless         witness         wit            
+  witnesses       wit             witnesseth      witnesseth     
+  witnessing      wit             wits            wit            
+  witted          wit             wittenberg      wittenberg     
+  wittiest        wittiest        wittily         wittili        
+  witting         wit             wittingly       wittingli      
+  wittol          wittol          wittolly        wittolli       
+  witty           witti           wiv             wiv            
+  wive            wive            wived           wive           
+  wives           wive            wiving          wive           
+  wizard          wizard          wizards         wizard         
+  wo              wo              woe             woe            
+  woeful          woeful          woefull         woeful         
+  woefullest      woefullest      woes            woe            
+  woful           woful           wolf            wolf           
+  wolfish         wolfish         wolsey          wolsei         
+  wolves          wolv            wolvish         wolvish        
+  woman           woman           womanhood       womanhood      
+  womanish        womanish        womankind       womankind      
+  womanly         womanli         womb            womb           
+  wombs           womb            womby           wombi          
+  women           women           won             won            
+  woncot          woncot          wond            wond           
+  wonder          wonder          wondered        wonder         
+  wonderful       wonder          wonderfully     wonderfulli    
+  wondering       wonder          wonders         wonder         
+  wondrous        wondrou         wondrously      wondrous       
+  wont            wont            wonted          wont           
+  woo             woo             wood            wood           
+  woodbine        woodbin         woodcock        woodcock       
+  woodcocks       woodcock        wooden          wooden         
+  woodland        woodland        woodman         woodman        
+  woodmonger      woodmong        woods           wood           
+  woodstock       woodstock       woodville       woodvil        
+  wooed           woo             wooer           wooer          
+  wooers          wooer           wooes           wooe           
+  woof            woof            wooing          woo            
+  wooingly        wooingli        wool            wool           
+  woollen         woollen         woolly          woolli         
+  woolsack        woolsack        woolsey         woolsei        
+  woolward        woolward        woos            woo            
+  wor             wor             worcester       worcest        
+  word            word            words           word           
+  wore            wore            worins          worin          
+  work            work            workers         worker         
+  working         work            workings        work           
+  workman         workman         workmanly       workmanli      
+  workmanship     workmanship     workmen         workmen        
+  works           work            worky           worki          
+  world           world           worldlings      worldl         
+  worldly         worldli         worlds          world          
+  worm            worm            worms           worm           
+  wormwood        wormwood        wormy           wormi          
+  worn            worn            worried         worri          
+  worries         worri           worry           worri          
+  worrying        worri           worse           wors           
+  worser          worser          worship         worship        
+  worshipful      worship         worshipfully    worshipfulli   
+  worshipp        worshipp        worshipper      worshipp       
+  worshippers     worshipp        worshippest     worshippest    
+  worships        worship         worst           worst          
+  worsted         worst           wort            wort           
+  worth           worth           worthied        worthi         
+  worthier        worthier        worthies        worthi         
+  worthiest       worthiest       worthily        worthili       
+  worthiness      worthi          worthless       worthless      
+  worths          worth           worthy          worthi         
+  worts           wort            wot             wot            
+  wots            wot             wotting         wot            
+  wouid           wouid           would           would          
+  wouldest        wouldest        wouldst         wouldst        
+  wound           wound           wounded         wound          
+  wounding        wound           woundings       wound          
+  woundless       woundless       wounds          wound          
+  wouns           woun            woven           woven          
+  wow             wow             wrack           wrack          
+  wrackful        wrack           wrangle         wrangl         
+  wrangler        wrangler        wranglers       wrangler       
+  wrangling       wrangl          wrap            wrap           
+  wrapp           wrapp           wraps           wrap           
+  wrapt           wrapt           wrath           wrath          
+  wrathful        wrath           wrathfully      wrathfulli     
+  wraths          wrath           wreak           wreak          
+  wreakful        wreak           wreaks          wreak          
+  wreath          wreath          wreathed        wreath         
+  wreathen        wreathen        wreaths         wreath         
+  wreck           wreck           wrecked         wreck          
+  wrecks          wreck           wren            wren           
+  wrench          wrench          wrenching       wrench         
+  wrens           wren            wrest           wrest          
+  wrested         wrest           wresting        wrest          
+  wrestle         wrestl          wrestled        wrestl         
+  wrestler        wrestler        wrestling       wrestl         
+  wretch          wretch          wretchcd        wretchcd       
+  wretched        wretch          wretchedness    wretched       
+  wretches        wretch          wring           wring          
+  wringer         wringer         wringing        wring          
+  wrings          wring           wrinkle         wrinkl         
+  wrinkled        wrinkl          wrinkles        wrinkl         
+  wrist           wrist           wrists          wrist          
+  writ            writ            write           write          
+  writer          writer          writers         writer         
+  writes          write           writhled        writhl         
+  writing         write           writings        write          
+  writs           writ            written         written        
+  wrong           wrong           wronged         wrong          
+  wronger         wronger         wrongful        wrong          
+  wrongfully      wrongfulli      wronging        wrong          
+  wrongly         wrongli         wrongs          wrong          
+  wronk           wronk           wrote           wrote          
+  wroth           wroth           wrought         wrought        
+  wrung           wrung           wry             wry            
+  wrying          wry             wt              wt             
+  wul             wul             wye             wye            
+  x               x               xanthippe       xanthipp       
+  xi              xi              xii             xii            
+  xiii            xiii            xiv             xiv            
+  xv              xv              y               y              
+  yard            yard            yards           yard           
+  yare            yare            yarely          yare           
+  yarn            yarn            yaughan         yaughan        
+  yaw             yaw             yawn            yawn           
+  yawning         yawn            ycleped         yclepe         
+  ycliped         yclipe          ye              ye             
+  yea             yea             yead            yead           
+  year            year            yearly          yearli         
+  yearn           yearn           yearns          yearn          
+  years           year            yeas            yea            
+  yeast           yeast           yedward         yedward        
+  yell            yell            yellow          yellow         
+  yellowed        yellow          yellowing       yellow         
+  yellowness      yellow          yellows         yellow         
+  yells           yell            yelping         yelp           
+  yeoman          yeoman          yeomen          yeomen         
+  yerk            yerk            yes             ye             
+  yesterday       yesterdai       yesterdays      yesterdai      
+  yesternight     yesternight     yesty           yesti          
+  yet             yet             yew             yew            
+  yicld           yicld           yield           yield          
+  yielded         yield           yielder         yielder        
+  yielders        yielder         yielding        yield          
+  yields          yield           yok             yok            
+  yoke            yoke            yoked           yoke           
+  yokefellow      yokefellow      yokes           yoke           
+  yoketh          yoketh          yon             yon            
+  yond            yond            yonder          yonder         
+  yongrey         yongrei         yore            yore           
+  yorick          yorick          york            york           
+  yorkists        yorkist         yorks           york           
+  yorkshire       yorkshir        you             you            
+  young           young           younger         younger        
+  youngest        youngest        youngling       youngl         
+  younglings      youngl          youngly         youngli        
+  younker         younker         your            your           
+  yours           your            yourself        yourself       
+  yourselves      yourselv        youth           youth          
+  youthful        youth           youths          youth          
+  youtli          youtli          zanies          zani           
+  zany            zani            zeal            zeal           
+  zealous         zealou          zeals           zeal           
+  zed             zed             zenelophon      zenelophon     
+  zenith          zenith          zephyrs         zephyr         
+  zir             zir             zo              zo             
+  zodiac          zodiac          zodiacs         zodiac         
+  zone            zone            zounds          zound          
+  zwagger         zwagger                                        
+}
+
+
+set i 0
+foreach {in out} $test_vocab {
+  do_test "1.$i.($in -> $out)" {
+    lindex [sqlite3_fts5_tokenize db porter $in] 0
+  } $out
+  incr i
+}
+
+
+finish_test
+
diff --git a/ext/fts5/fts5tokenizer.test b/ext/fts5/fts5tokenizer.test
new file mode 100644 (file)
index 0000000..9fa853c
--- /dev/null
@@ -0,0 +1,82 @@
+# 2014 Dec 20
+#
+# The author disclaims copyright to this source code.  In place of
+# a legal notice, here is a blessing:
+#
+#    May you do good and not evil.
+#    May you find forgiveness for yourself and forgive others.
+#    May you share freely, never taking more than you give.
+#
+#***********************************************************************
+#
+# Tests focusing on the fts5 tokenizers
+#
+
+if {![info exists testdir]} {
+  set testdir [file join [file dirname [info script]] .. .. test]
+}
+source $testdir/tester.tcl
+set testprefix fts5tokenizer
+
+
+
+do_execsql_test 1.0 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize=porter);
+  DROP TABLE ft1;
+}
+do_execsql_test 1.1 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize='porter');
+  DROP TABLE ft1;
+}
+do_execsql_test 1.2 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize = porter);
+  DROP TABLE ft1;
+}
+do_execsql_test 1.3 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize = 'porter');
+  DROP TABLE ft1;
+}
+do_execsql_test 1.4 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize = 'porter simple');
+  DROP TABLE ft1;
+}
+
+do_execsql_test 2.0 {
+  CREATE VIRTUAL TABLE ft1 USING fts5(x, tokenize=porter);
+  INSERT INTO ft1 VALUES('embedded databases');
+}
+do_execsql_test 2.1 { SELECT rowid FROM ft1 WHERE ft1 MATCH 'embedding' } 1
+do_execsql_test 2.2 { SELECT rowid FROM ft1 WHERE ft1 MATCH 'database' } 1
+do_execsql_test 2.3 { 
+  SELECT rowid FROM ft1 WHERE ft1 MATCH 'database embedding' 
+} 1
+
+
+proc tcl_create {args} { 
+  set ::targs $args
+  error "failed" 
+}
+sqlite3_fts5_create_tokenizer db tcl tcl_create
+
+foreach {tn directive expected} {
+  1 {tokenize='tcl a b c'}             {a b c}
+  2 {tokenize='tcl ''d'' ''e'' ''f'''} {d e f}
+  3 {tokenize="tcl 'g' 'h' 'i'"}       {g h i}
+  4 {tokenize = tcl}                   {}
+} {
+  do_catchsql_test 3.$tn.1 "
+    CREATE VIRTUAL TABLE ft2 USING fts5(x, $directive)
+  " {1 {error in tokenizer constructor}}
+  do_test 3.$tn.2 { set ::targs } $expected
+}
+
+
+do_catchsql_test 4.1 {
+  CREATE VIRTUAL TABLE ft2 USING fts5(x, tokenize = tcl abc);
+} {1 {parse error in "tokenize = tcl abc"}}
+do_catchsql_test 4.2 {
+  CREATE VIRTUAL TABLE ft2 USING fts5(x y)
+} {1 {parse error in "x y"}}
+
+finish_test
+
index 4fbaaa8a3daf230b36bbb3e9d34712265470bcf8..e0c9552b7b88e7b0531473b138ac2c5495acd04a 100644 (file)
--- a/manifest
+++ b/manifest
@@ -1,5 +1,5 @@
-C Fix\sthe\sfts5\sbm25()\sfunction\sso\sthat\sit\smatches\sthe\sdocumentation.
-D 2014-12-23T19:18:34.426
+C Fixes\sto\sbuilt-in\stokenizers.
+D 2014-12-29T11:24:46.773
 F Makefile.arm-wince-mingw32ce-gcc d6df77f1f48d690bd73162294bbba7f59507c72f
 F Makefile.in b03432313a3aad96c706f8164fb9f5307eaf19f5
 F Makefile.linux-gcc 91d710bdc4998cb015f39edf3cb314ec4f4d7e23
@@ -104,20 +104,22 @@ F ext/fts3/unicode/CaseFolding.txt 8c678ca52ecc95e16bc7afc2dbf6fc9ffa05db8c
 F ext/fts3/unicode/UnicodeData.txt cd07314edb62d49fde34debdaf92fa2aa69011e7
 F ext/fts3/unicode/mkunicode.tcl dc6f268eb526710e2c6e496c372471d773d0c368
 F ext/fts5/extract_api_docs.tcl 6320db4a1d0722a4e2069e661381ad75e9889786
-F ext/fts5/fts5.c 6dc8a8504d84aef13d922db06faa8fbcf8c11424
-F ext/fts5/fts5.h 7598f4b55b888890650829124717874973c52649
-F ext/fts5/fts5Int.h 36054b1dfc4881a9b94f945b348ab6cc01c0c7a5
+F ext/fts5/fts5.c 37e124e24e5860f9842e5f3ee22129a786c0fd74
+F ext/fts5/fts5.h 4f9d2c477c0ee1907164642471329a82cb6b203b
+F ext/fts5/fts5Int.h b5dfed6a1b256ff21d11898f14ab337205844469
 F ext/fts5/fts5_aux.c 445e54031ff94174673f4f5aac6c064df20a2a6b
 F ext/fts5/fts5_buffer.c 1bc5c762bb2e9b4a40b2e8a820a31b809e72eec1
-F ext/fts5/fts5_config.c 5caeb4e77680d635be25b899f97a29cf26fb45ce
+F ext/fts5/fts5_config.c 73774e37a99218833b767f96bb5af35ebe43b77c
 F ext/fts5/fts5_expr.c 27d3d2deebae277c34ae2bb3d501dd879c442ba5
 F ext/fts5/fts5_hash.c 63fa8379c5f2ac107d47c2b7d9ac04c95ef8a279
 F ext/fts5/fts5_index.c 4a8e8535b4303400ddb5f6fb08152da0d88ebf6f
 F ext/fts5/fts5_storage.c 13794781977c9a624eb8bd7b9509de241e405853
-F ext/fts5/fts5_tcl.c 4392e74421d24cc37c370732e8b48217cd2c1777
-F ext/fts5/fts5_tokenize.c 8360c0d1ae0d4696f3cc13f7c67a2db6011cdc5b
+F ext/fts5/fts5_tcl.c ce11e46589986b957b89809aabd3936d898d501b
+F ext/fts5/fts5_tokenize.c 5d6e785345b0d87d174fcc0653bfacd0d9fd7f2e
 F ext/fts5/fts5auxdata.test 3844d0f098441cedf75b9cc96d5e6e94d1a3bef4
 F ext/fts5/fts5parse.y 777da8e5819f75c217982c79c29d014c293acac9
+F ext/fts5/fts5porter.test bb0fba17ce825527addec33fdb12b0062aabd588
+F ext/fts5/fts5tokenizer.test 09096cebc17a41650b52eec6e45c9a29923bfdcd w ext/fts5/fts5porter2.test
 F ext/icu/README.txt d9fbbad0c2f647c3fdf715fc9fd64af53aedfc43
 F ext/icu/icu.c d415ccf984defeb9df2c0e1afcfaa2f6dc05eacb
 F ext/icu/sqliteicu.h 728867a802baa5a96de7495e9689a8e01715ef37
@@ -1210,7 +1212,7 @@ F tool/vdbe_profile.tcl 67746953071a9f8f2f668b73fe899074e2c6d8c1
 F tool/warnings-clang.sh f6aa929dc20ef1f856af04a730772f59283631d4
 F tool/warnings.sh 0abfd78ceb09b7f7c27c688c8e3fe93268a13b32
 F tool/win/sqlite.vsix deb315d026cc8400325c5863eef847784a219a2f
-P ca5d44042aa7461dcc8b700b0763df4df9d4a891
-R 62a7bacc31f6964d59aeb316de8e27d6
+P 1ac7a8d0af9a71ddf6a1421033dcb9fa67c6120c
+R c89483d1ebbc9d631471515ddc2ac098
 U dan
-Z 38f208724902306f1118acd017f9d3d1
+Z 32745924be785a3126a9785b730c9992
index c18189239bb44b504379bccd33bfbbcc02b4d120..c3d3f24818c16972abc223c53f96736673b2a312 100644 (file)
@@ -1 +1 @@
-1ac7a8d0af9a71ddf6a1421033dcb9fa67c6120c
\ No newline at end of file
+b33fe0dd89f3180c209fa1f9e75d0a7acab12b8e
\ No newline at end of file