├── Demo └── RawInlineAsm.HC ├── Doc ├── Comm.HC ├── GRPaletteCadey.HC └── Start.DD ├── LICENSE ├── Programs ├── Doing.HC ├── HostInter.HC ├── Journal.HC ├── Load.HC └── Tarot.HC ├── README.md ├── cmd └── serial-port-listener │ └── main.go ├── go.mod ├── go.sum └── god ├── Vocab.DD ├── god.zig ├── olin ├── env.zig ├── error.zig ├── log.zig ├── olin.zig ├── panic.zig ├── random.zig ├── resource.zig ├── runtime.zig ├── startup.zig └── time.zig ├── wasm_exec.html └── wasm_exec.js /Demo/RawInlineAsm.HC: -------------------------------------------------------------------------------- 1 | U0 HelloWorld { 2 | MOV RAX,'Hello, w' 3 | CALL &PUT_CHARS 4 | MOV RAX,'orld!\n' 5 | CALL &PUT_CHARS 6 | } 7 | 8 | HelloWorld; 9 | Uf("HelloWorld"); 10 | -------------------------------------------------------------------------------- /Doc/Comm.HC: -------------------------------------------------------------------------------- 1 | /* RS232 serial ports no longer exist. 2 | Be sure to Adam Include this by placing 3 | it in your start-up scripts. 4 | */ 5 | 6 | #help_index "Within/Comm" 7 | 8 | #define UART_THR 0 9 | #define UART_RDR 0 10 | #define UART_BRDL 0 11 | #define UART_IER 1 12 | #define UART_BRDH 1 13 | #define UART_IIR 2 14 | #define UART_LCR 3 15 | #define UART_MCR 4 16 | #define UART_LSR 5 17 | #define UART_MSR 6 18 | 19 | #define COMf_ENABLED 1 20 | class CComm 21 | { 22 | I64 base, 23 | flags; 24 | CFifoU8 *RX_fifo; 25 | CFifoU8 *TX_fifo; 26 | } comm_ports[5]; 27 | 28 | U0 CommHndlr(I64 port) 29 | { 30 | CComm *c=&comm_ports[port]; 31 | I64 b=0,stat; 32 | if (Bt(&c->flags,COMf_ENABLED)) { 33 | stat=InU8(c->base+UART_IIR); 34 | if (stat & 4) //RX 35 | FifoU8Ins(c->RX_fifo,InU8(c->base+UART_RDR)); 36 | if (stat & 2) { //TX 37 | if (FifoU8Rem(c->TX_fifo,&b)) 38 | OutU8(c->base+UART_THR,b); 39 | else 40 | OutU8(c->base+UART_IER,1); //RX but no THR empty 41 | } 42 | } 43 | } 44 | 45 | interrupt U0 IRQComm3() 46 | { 47 | CommHndlr(2); 48 | CommHndlr(4); 49 | OutU8(0x20,0x20); 50 | } 51 | 52 | interrupt U0 IRQComm4() 53 | { 54 | CommHndlr(1); 55 | CommHndlr(3); 56 | OutU8(0x20,0x20); 57 | } 58 | 59 | U0 CommInit() 60 | { 61 | MemSet(&comm_ports,0,sizeof(comm_ports)); 62 | comm_ports[1].base=0x3F8; 63 | comm_ports[2].base=0x2F8; 64 | comm_ports[3].base=0x3E8; 65 | comm_ports[4].base=0x2E8; 66 | IntEntrySet(0x23,&IRQComm3); 67 | IntEntrySet(0x24,&IRQComm4); 68 | } 69 | CommInit; 70 | 71 | public CComm *CommInit8n1(I64 port,I64 baud) 72 | { 73 | CComm *c=&comm_ports[port]; 74 | 75 | PUSHFD 76 | CLI 77 | if (LBts(&c->flags,COMf_ENABLED)) { 78 | FifoU8Del(c->RX_fifo); 79 | FifoU8Del(c->TX_fifo); 80 | } 81 | c->RX_fifo=FifoU8New(256); 82 | c->TX_fifo=FifoU8New(256); 83 | OutU8(c->base+UART_LCR,0); //Set for IER 84 | OutU8(c->base+UART_IER,0); //Disable all IRQ 85 | OutU8(c->base+UART_LCR,0x80); //Enable baud rate control 86 | OutU8(c->base+UART_BRDL,(0x180/(baud/300)) & 0xFF); //LSB 87 | OutU8(c->base+UART_BRDH,(0x180/(baud/300)) / 256); //MSB 88 | OutU8(c->base+UART_LCR,3); //8-none-1 89 | 90 | InU8(c->base+UART_RDR); //read garbage 91 | InU8(c->base+UART_LSR); 92 | 93 | OutU8(c->base+UART_MCR,4); 94 | OutU8(c->base+UART_IER,0); //Disable all IRQ 95 | OutU8(c->base+UART_MCR,0xA); //out2 and rts 96 | OutU8(0x21,InU8(0x21) & (0xFF-0x18)); //Enable 8259 IRQ 3 & 4 97 | OutU8(c->base+UART_IER,1); //RX but no THR empty 98 | POPFD 99 | 100 | return c; 101 | } 102 | 103 | public U0 CommPutChar(I64 port,U8 b) 104 | { 105 | I64 base=comm_ports[port].base; 106 | while (!(InU8(base+UART_LSR) & 0x20)) 107 | Yield; 108 | OutU8(base+UART_THR,b); 109 | while (!(InU8(base+UART_LSR) & 0x20)) 110 | Yield; 111 | } 112 | 113 | U0 CommPutS(I64 port,U8 *st) 114 | { 115 | I64 b; 116 | while (b=*st++) 117 | CommPutChar(port,b); 118 | } 119 | 120 | public U0 CommPutBlk(I64 port,U8 *buf,I64 cnt) 121 | { 122 | while (cnt--) 123 | CommPutChar(port,*buf++); 124 | } 125 | 126 | public U0 CommPrint(I64 port,U8 *fmt,...) 127 | { 128 | U8 *buf=StrPrintJoin(NULL,fmt,argc,argv); 129 | CommPutS(port,buf); 130 | Free(buf); 131 | } 132 | -------------------------------------------------------------------------------- /Doc/GRPaletteCadey.HC: -------------------------------------------------------------------------------- 1 | // black, blue, green, cyan 2 | // red, purple, brown, ltgray 3 | // dkgray, ltblue, ltgreen, ltcyan 4 | // ltred, ltpurple, yellow, white 5 | CBGR48 gr_palette_cadey[COLORS_NUM]={ 6 | 0x4D4D1D1D2020,0x14145D5DB5B5,0x202079792424,0x6B6BBFBFFFFF, 7 | 0xFBFB00008787,0x1E1E13132525,0x5B5B2D2D1717,0xFBFBCACAC8C8, 8 | 0xE5E57A7A7878,0x6060A3A4FEFE,0x7C7C99998181,0xB6B6E3E3FFFF, 9 | 0xFBFB2727EBEB,0xD6D65454A5A5,0xFEFEDEDEAAAA,0xFCFCFCFCFCFC}; -------------------------------------------------------------------------------- /Doc/Start.DD: -------------------------------------------------------------------------------- 1 | $WW+H,1$$FG,5$$TX+CX,"TempleOS V5.03",D="DD_OS_NAME_VERSION"$$FG$ 2 | $TX+CX,"Be well, Creator"$ 3 | $LK,"Help & Index",A="FI:::/Doc/HelpIndex.DD"$, $LK,"Quick Start: Cmd line",A="FI:::/Doc/CmdLineOverview.DD"$ 4 | 5 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Copyright (c) 2018 Christine Dodrill 2 | 3 | Permission is hereby granted, free of charge, to any person obtaining a copy 4 | of this software and associated documentation files (the "Software"), to deal 5 | in the Software without restriction, including without limitation the rights 6 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 7 | copies of the Software, and to permit persons to whom the Software is 8 | furnished to do so, subject to the following conditions: 9 | 10 | The above copyright notice and this permission notice shall be included in 11 | all copies or substantial portions of the Software. 12 | 13 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 14 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 15 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 16 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 17 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 18 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN 19 | THE SOFTWARE. -------------------------------------------------------------------------------- /Programs/Doing.HC: -------------------------------------------------------------------------------- 1 | // A parody of IRC bot spam on Freenode. The bots would come in out of nowhere 2 | // and then start flooding "%s is not doing, allah is doing" over and over. 3 | // 4 | // I am specifically doing this with a word that `god` the RNG picks because 5 | // of the histroy involving Christianity and Islam. They have the same god. 6 | // It's officially not blasphemy! 7 | 8 | U0 Doing(U8 *who="allah") { 9 | "%s is not doing, %s is doing", GodWordStr(), who; 10 | } 11 | -------------------------------------------------------------------------------- /Programs/HostInter.HC: -------------------------------------------------------------------------------- 1 | #include "~/Comm.HC.Z" 2 | 3 | #help_index "Within/HostInter" 4 | 5 | public U0 SendFile(U8 *fname) { 6 | CFile *fout = FOpen(fname, "r"); 7 | I64 size = FSize(fout); 8 | FClose(fout); 9 | "Sending %s:%d:", fname, size; 10 | CommPrint(1, "SENDFILE %s %d\n", fname, size); 11 | U8 *buf; 12 | buf = FileRead(fname); 13 | if (buf == NULL) { 14 | "$FG,13$can't read from file$FG$\n"; 15 | } 16 | CommPutS(1, buf); 17 | CommPutS(1, "\n\n"); 18 | Free(buf); 19 | } 20 | -------------------------------------------------------------------------------- /Programs/Journal.HC: -------------------------------------------------------------------------------- 1 | #help_index "Within/Journal" 2 | 3 | public U8 *Today() { 4 | CDateStruct now; 5 | Date2Struct(&now, Now()); 6 | U8 *buf = CAlloc(16); 7 | StrPrint(buf, "%d-%d-%d.DD", now.year, now.mon, now.day_of_mon); 8 | return buf; 9 | } 10 | 11 | public U0 Journal(U8 *path="D:/Journal") { 12 | static U8 fname[STR_LEN]; 13 | StrPrint(fname, "%s/%s", path, Today()); 14 | "Editing %s...\n", fname; 15 | Ed(fname); 16 | Free(fname); 17 | } 18 | 19 | public U0 Divination() { 20 | Journal("D:/Divination"); 21 | } 22 | 23 | public U0 SendToday(U8 *path="D:/Journal") { 24 | static U8 fname[STR_LEN]; 25 | StrPrint(fname, "%s/%s", path, Today()); 26 | SendFile(fname); 27 | } 28 | 29 | //Journal; 30 | //SendToday; 31 | 32 | -------------------------------------------------------------------------------- /Programs/Load.HC: -------------------------------------------------------------------------------- 1 | Cd(__DIR__); 2 | 3 | #include "Doing" 4 | #include "Journal" 5 | 6 | Cd("C:/"); 7 | -------------------------------------------------------------------------------- /Programs/Tarot.HC: -------------------------------------------------------------------------------- 1 | U0 SuitToName(I64 suit) { 2 | switch (suit) { 3 | case 0: 4 | "Trumps"; 5 | break; 6 | case 1: 7 | "Swords"; 8 | break; 9 | case 2: 10 | "Wands"; 11 | break; 12 | case 3: 13 | "Pentacles"; 14 | break; 15 | case 4: 16 | "Cups"; 17 | break; 18 | default: 19 | "???"; 20 | break; 21 | } 22 | } 23 | 24 | U0 MajorToName(I64 rank) { 25 | switch (rank) { 26 | case 0: 27 | "The Fool"; 28 | break; 29 | case 1: 30 | "The Magician"; 31 | break; 32 | case 2: 33 | "The High Priestess"; 34 | break; 35 | case 3: 36 | "The Empress"; 37 | break; 38 | case 4: 39 | "The Emperor"; 40 | break; 41 | case 5: 42 | "The Hierophant"; 43 | break; 44 | case 6: 45 | "The Lovers"; 46 | break; 47 | case 7: 48 | "The Chariot"; 49 | break; 50 | case 8: 51 | "Strength"; 52 | break; 53 | case 9: 54 | "The Hermit"; 55 | break; 56 | case 10: 57 | "Wheel of Fortune"; 58 | break; 59 | case 11: 60 | "Justice"; 61 | break; 62 | case 12: 63 | "The Hanged Man"; 64 | break; 65 | case 13: 66 | "Death"; 67 | break; 68 | case 14: 69 | "Temperance"; 70 | break; 71 | case 15: 72 | "The Devil"; 73 | break; 74 | case 16: 75 | "The Tower"; 76 | break; 77 | case 17: 78 | "The Star"; 79 | break; 80 | case 18: 81 | "The Moon"; 82 | break; 83 | case 19: 84 | "The Sun"; 85 | break; 86 | case 20: 87 | "Judgement"; 88 | break; 89 | case 21: 90 | "The World"; 91 | break; 92 | default: 93 | "???"; 94 | break; 95 | } 96 | } 97 | 98 | U0 MinorToName(I64 rank) { 99 | switch (rank) { 100 | case 0: 101 | "Ace"; 102 | break; 103 | case 10: 104 | "Page"; 105 | break; 106 | case 11: 107 | "Knight"; 108 | break; 109 | case 12: 110 | "Queen"; 111 | break; 112 | case 13: 113 | "King"; 114 | break; 115 | default: 116 | "%d", rank+1; 117 | break; 118 | } 119 | } 120 | 121 | U0 TarotDraw() { 122 | I64 suit = GodBits(3, "Tarot suit"); 123 | I64 rank = GodBits(5, "Tarot rank"); 124 | 125 | suit = suit % 5; 126 | 127 | "Your draw: "; 128 | 129 | switch (suit) { 130 | case 0: // Trumps 131 | rank = rank % 22; 132 | MajorToName(rank); 133 | break; 134 | default: 135 | rank = rank % 14; 136 | MinorToName(rank); 137 | " of "; 138 | SuitToName(suit); 139 | break; 140 | } 141 | 142 | "\n"; 143 | } 144 | 145 | //TarotDraw; -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # TempleOS-tools 2 | 3 | A collection of the neat and/or interesting things I develop for, with or as a 4 | result of inspiration or documentation from TempleOS. Things like the 5 | Davis-style WebAssembly calculator will go here. 6 | -------------------------------------------------------------------------------- /cmd/serial-port-listener/main.go: -------------------------------------------------------------------------------- 1 | package main 2 | 3 | import ( 4 | "flag" 5 | "io" 6 | "log" 7 | "net" 8 | "os" 9 | 10 | "github.com/facebookgo/flagenv" 11 | ) 12 | 13 | var ( 14 | addr = flag.String("addr", "127.0.0.1:31337", "socket to listen on") 15 | ) 16 | 17 | func main() { 18 | flagenv.Parse() 19 | flag.Parse() 20 | 21 | os.RemoveAll(*addr) 22 | l, err := net.Listen("tcp", *addr) 23 | if err != nil { 24 | log.Fatal(err) 25 | } 26 | 27 | log.Printf("listening on %s", *addr) 28 | for { 29 | c, err := l.Accept() 30 | if err != nil { 31 | log.Fatal(err) 32 | } 33 | 34 | log.Printf("got connection from %s", c.RemoteAddr()) 35 | go handleClient(c) 36 | } 37 | } 38 | 39 | func handleClient(c net.Conn) { 40 | defer c.Close() 41 | 42 | for { 43 | io.Copy(os.Stdout, c) 44 | } 45 | 46 | log.Printf("connection closed from %s", c.RemoteAddr()) 47 | } 48 | -------------------------------------------------------------------------------- /go.mod: -------------------------------------------------------------------------------- 1 | module github.com/Xe/TempleOS-tools 2 | 3 | require github.com/facebookgo/flagenv v0.0.0-20160425205200-fcd59fca7456 4 | -------------------------------------------------------------------------------- /go.sum: -------------------------------------------------------------------------------- 1 | github.com/facebookgo/flagenv v0.0.0-20160425205200-fcd59fca7456 h1:CkmB2l68uhvRlwOTPrwnuitSxi/S3Cg4L5QYOcL9MBc= 2 | github.com/facebookgo/flagenv v0.0.0-20160425205200-fcd59fca7456/go.mod h1:zFhibDvPDWmtk4dAQ05sRobtyoffEHygEt3wSNuAzz8= 3 | -------------------------------------------------------------------------------- /god/Vocab.DD: -------------------------------------------------------------------------------- 1 | a 2 | abandon 3 | abandoned 4 | abandonedly 5 | abase 6 | abased 7 | abashed 8 | abated 9 | abhor 10 | abhorred 11 | abhorring 12 | abide 13 | abided 14 | abidest 15 | abideth 16 | abiding 17 | abilities 18 | ability 19 | abject 20 | able 21 | abler 22 | abode 23 | abolished 24 | abominable 25 | abound 26 | abounded 27 | about 28 | above 29 | abraham 30 | abridged 31 | abroad 32 | absence 33 | absent 34 | absolute 35 | absolutely 36 | absorb 37 | abstemious 38 | abstinence 39 | abstract 40 | abstruser 41 | absurd 42 | absurdity 43 | absurdly 44 | abundance 45 | abundant 46 | abundantly 47 | abuse 48 | abyss 49 | academicians 50 | academics 51 | accents 52 | accept 53 | acceptable 54 | acceptably 55 | accepted 56 | accepts 57 | access 58 | accompany 59 | accomplices 60 | accomplish 61 | accomplished 62 | accord 63 | according 64 | account 65 | accounted 66 | accursed 67 | accuse 68 | accused 69 | accuser 70 | accusing 71 | accustomed 72 | aches 73 | achieve 74 | acknowledge 75 | acknowledged 76 | acquaintance 77 | acquainted 78 | acquiesce 79 | acquire 80 | acquired 81 | act 82 | acted 83 | acting 84 | action 85 | actions 86 | actor 87 | actors 88 | acts 89 | actual 90 | actually 91 | acute 92 | acuteness 93 | ad 94 | adam 95 | adapt 96 | adapted 97 | add 98 | added 99 | adding 100 | addition 101 | additional 102 | additions 103 | adeodatus 104 | admirable 105 | admiration 106 | admire 107 | admired 108 | admiring 109 | admission 110 | admit 111 | admitted 112 | admittest 113 | admonish 114 | admonished 115 | admonition 116 | adomed 117 | adopted 118 | adoption 119 | adored 120 | adorned 121 | adorning 122 | adulterer 123 | adulteress 124 | adulterous 125 | adultery 126 | advance 127 | advantage 128 | adversary 129 | adversities 130 | adversity 131 | advice 132 | advices 133 | advised 134 | advising 135 | aeneas 136 | afar 137 | affairs 138 | affect 139 | affected 140 | affecting 141 | affection 142 | affections 143 | affects 144 | affianced 145 | affirm 146 | affirmed 147 | affirming 148 | affliction 149 | afford 150 | affright 151 | affrighted 152 | aforesaid 153 | aforetime 154 | afraid 155 | afric 156 | africa 157 | african 158 | after 159 | afternoon 160 | afterward 161 | afterwards 162 | again 163 | against 164 | age 165 | aged 166 | agents 167 | ages 168 | aghast 169 | agito 170 | ago 171 | agonised 172 | agonistic 173 | agony 174 | agree 175 | agreeable 176 | agreed 177 | agreement 178 | ahead 179 | aid 180 | aided 181 | ails 182 | aim 183 | air 184 | alarmed 185 | alas 186 | alexandria 187 | alike 188 | alive 189 | all 190 | allay 191 | allaying 192 | allege 193 | alleging 194 | allegorically 195 | allegory 196 | allotted 197 | allow 198 | allowances 199 | allowed 200 | allowing 201 | alloy 202 | allurements 203 | alluring 204 | almighty 205 | almost 206 | alms 207 | almsdeeds 208 | aloft 209 | alone 210 | along 211 | aloud 212 | already 213 | also 214 | altar 215 | alter 216 | alteration 217 | alterations 218 | altered 219 | alternately 220 | alternates 221 | alternatively 222 | although 223 | altogether 224 | always 225 | alypius 226 | am 227 | amazed 228 | amazement 229 | amazing 230 | ambition 231 | ambitions 232 | ambitious 233 | ambrose 234 | ambrosian 235 | amen 236 | amend 237 | amendment 238 | amiable 239 | amid 240 | amidst 241 | amiss 242 | among 243 | amongst 244 | amphitheatre 245 | ample 246 | an 247 | analyzed 248 | anaximenes 249 | ancient 250 | and 251 | angel 252 | angels 253 | anger 254 | angered 255 | angers 256 | angry 257 | anguish 258 | animal 259 | animals 260 | animate 261 | anniversary 262 | announce 263 | announced 264 | announcement 265 | announcing 266 | annoyance 267 | annual 268 | anointings 269 | anon 270 | anonymous 271 | another 272 | answer 273 | answerably 274 | answered 275 | answerest 276 | answereth 277 | answering 278 | answers 279 | antecedent 280 | anticipate 281 | anticipated 282 | anticipating 283 | antidote 284 | antony 285 | anubis 286 | anxieties 287 | anxiety 288 | anxious 289 | anxiously 290 | any 291 | anyone 292 | anything 293 | apart 294 | apollinarian 295 | apostle 296 | apostles 297 | apostolic 298 | apparel 299 | apparent 300 | apparently 301 | appeal 302 | appear 303 | appearance 304 | appeared 305 | appeareth 306 | appearing 307 | appears 308 | appetite 309 | applauded 310 | applauds 311 | applauses 312 | applicable 313 | application 314 | applied 315 | apply 316 | appointed 317 | appointing 318 | appointment 319 | appointments 320 | apportioned 321 | apprehend 322 | apprehended 323 | apprehending 324 | apprehension 325 | approach 326 | approached 327 | approaching 328 | approbation 329 | appropriated 330 | approve 331 | approved 332 | approveth 333 | approving 334 | apt 335 | aptly 336 | aquatic 337 | architect 338 | architects 339 | archive 340 | ardent 341 | ardently 342 | are 343 | argument 344 | arguments 345 | arians 346 | aright 347 | arise 348 | arisen 349 | ariseth 350 | arising 351 | aristotle 352 | arithmetic 353 | armed 354 | armory 355 | arms 356 | army 357 | arose 358 | around 359 | arrange 360 | arranged 361 | array 362 | arrival 363 | arrive 364 | arrived 365 | arriving 366 | arrogancy 367 | arrogant 368 | arrows 369 | art 370 | artifice 371 | artificer 372 | artifices 373 | arts 374 | as 375 | ascend 376 | ascended 377 | ascending 378 | ascension 379 | ascertained 380 | ascii 381 | ascribe 382 | ascribed 383 | ashamed 384 | ashes 385 | aside 386 | ask 387 | asked 388 | asketh 389 | asking 390 | asks 391 | asleep 392 | aspirate 393 | assail 394 | assailed 395 | assaying 396 | assembly 397 | assent 398 | assented 399 | assenting 400 | assessor 401 | assiduously 402 | assign 403 | assigned 404 | assistance 405 | associate 406 | associated 407 | association 408 | assuaged 409 | assume 410 | assurance 411 | assure 412 | assured 413 | assuredly 414 | assuring 415 | asterisk 416 | astonished 417 | astonishment 418 | astray 419 | astrologer 420 | astrologers 421 | asunder 422 | at 423 | athanasius 424 | athenians 425 | athirst 426 | atrociously 427 | attack 428 | attacked 429 | attain 430 | attained 431 | attaining 432 | attempered 433 | attempt 434 | attempted 435 | attendant 436 | attended 437 | attention 438 | attentive 439 | attentively 440 | attested 441 | attracted 442 | attractiveness 443 | attracts 444 | attributed 445 | attributing 446 | attuned 447 | audacious 448 | audaciously 449 | audience 450 | auditor 451 | auditors 452 | aught 453 | augmented 454 | augmenting 455 | augustine 456 | author 457 | authority 458 | authors 459 | avail 460 | availed 461 | ave 462 | avenged 463 | avengest 464 | avenue 465 | avenues 466 | averred 467 | averse 468 | avert 469 | avoid 470 | avoided 471 | avoiding 472 | awaited 473 | awaiting 474 | awake 475 | awakest 476 | aware 477 | away 478 | awe 479 | awful 480 | awfulness 481 | awhile 482 | awoke 483 | babe 484 | babes 485 | baby 486 | babylon 487 | babylonian 488 | back 489 | backs 490 | backward 491 | bad 492 | bade 493 | badge 494 | baggage 495 | bait 496 | balancings 497 | balaneion 498 | ball 499 | balls 500 | balm 501 | balneum 502 | bands 503 | banished 504 | banner 505 | banquetings 506 | banter 507 | baptise 508 | baptised 509 | baptism 510 | barbarian 511 | barbarism 512 | bare 513 | bared 514 | bargain 515 | bark 516 | barked 517 | barking 518 | barred 519 | barren 520 | base 521 | based 522 | baseness 523 | basest 524 | bashfulness 525 | basilica 526 | basket 527 | bath 528 | bathe 529 | bathed 530 | bathing 531 | baths 532 | battle 533 | bawler 534 | be 535 | beams 536 | bear 537 | bearer 538 | beareth 539 | bearing 540 | bears 541 | beast 542 | beasts 543 | beat 544 | beaten 545 | beatific 546 | beating 547 | beatings 548 | beauteous 549 | beauties 550 | beautified 551 | beautiful 552 | beauty 553 | became 554 | because 555 | beck 556 | beclouded 557 | become 558 | becomes 559 | becometh 560 | becoming 561 | bed 562 | bedewed 563 | bedimmed 564 | been 565 | befalls 566 | befell 567 | befitting 568 | before 569 | beforehand 570 | beg 571 | began 572 | begannest 573 | begat 574 | beget 575 | beggar 576 | beggary 577 | begged 578 | begging 579 | begin 580 | beginneth 581 | beginning 582 | begins 583 | begotten 584 | beguile 585 | beguiled 586 | beguiling 587 | begun 588 | behalf 589 | beheld 590 | behind 591 | behold 592 | beholder 593 | beholdest 594 | beholdeth 595 | beholding 596 | beholds 597 | being 598 | beings 599 | belief 600 | believe 601 | believed 602 | believer 603 | believes 604 | believeth 605 | believing 606 | belly 607 | belong 608 | belongeth 609 | belonging 610 | belongs 611 | beloved 612 | below 613 | bemoaned 614 | bemoaning 615 | bend 616 | bends 617 | beneath 618 | benediction 619 | benefit 620 | benefits 621 | bent 622 | bepraised 623 | bereaved 624 | beseech 625 | beset 626 | besets 627 | beside 628 | besides 629 | bespoken 630 | bespotted 631 | besprinkle 632 | besprinkling 633 | best 634 | bestow 635 | bestowed 636 | bestowedst 637 | betake 638 | bethink 639 | betook 640 | betrothed 641 | better 642 | betters 643 | between 644 | betwixt 645 | bewail 646 | bewailed 647 | bewailing 648 | beware 649 | bewitched 650 | beyond 651 | bibber 652 | bibbing 653 | bible 654 | bid 655 | bidden 656 | bier 657 | billion 658 | billows 659 | bin 660 | binary 661 | bind 662 | bird 663 | birdlime 664 | birds 665 | birth 666 | birthright 667 | births 668 | bishop 669 | biting 670 | bitter 671 | bitterly 672 | bitterness 673 | black 674 | blade 675 | blame 676 | blamed 677 | blameless 678 | blamest 679 | blameworthy 680 | blasphemies 681 | blasphemous 682 | blasphemy 683 | blasts 684 | bleeding 685 | blending 686 | bless 687 | blessed 688 | blessedly 689 | blessedness 690 | blesses 691 | blessest 692 | blesseth 693 | blessing 694 | blessings 695 | blest 696 | blew 697 | blind 698 | blinded 699 | blindness 700 | blissful 701 | blood 702 | bloody 703 | bloom 704 | blotted 705 | blottedst 706 | blow 707 | blowing 708 | blunt 709 | blunted 710 | blush 711 | blushed 712 | boast 713 | boastfulness 714 | boasting 715 | bodies 716 | bodily 717 | body 718 | boil 719 | boiled 720 | boiling 721 | boils 722 | bold 723 | boldly 724 | boldness 725 | bond 726 | bondage 727 | bonds 728 | bones 729 | book 730 | books 731 | bore 732 | born 733 | borne 734 | borrow 735 | bosom 736 | bosses 737 | both 738 | bottom 739 | bottomless 740 | boughs 741 | bought 742 | bounces 743 | bound 744 | boundary 745 | bounded 746 | boundless 747 | bounds 748 | bouverie 749 | bowed 750 | bowels 751 | bowers 752 | bowing 753 | bows 754 | boy 755 | boyhood 756 | boyish 757 | boys 758 | brackishness 759 | brain 760 | breach 761 | bread 762 | breadth 763 | break 764 | breakers 765 | breaking 766 | breast 767 | breasts 768 | breath 769 | breathe 770 | breathed 771 | breathedst 772 | breathing 773 | bred 774 | brethren 775 | briars 776 | bribe 777 | bridal 778 | bride 779 | bridegroom 780 | brides 781 | bridle 782 | briefly 783 | briers 784 | bright 785 | brighter 786 | brightness 787 | brim 788 | bring 789 | bringeth 790 | bringing 791 | brings 792 | brittle 793 | broad 794 | broke 795 | broken 796 | brooks 797 | brother 798 | brotherly 799 | brought 800 | broughtest 801 | brow 802 | brows 803 | brute 804 | bubbling 805 | bubblings 806 | buckler 807 | bud 808 | builded 809 | builder 810 | building 811 | buildings 812 | built 813 | bulk 814 | bulky 815 | burden 816 | burial 817 | buried 818 | burn 819 | burned 820 | burnest 821 | burning 822 | burnt 823 | burst 824 | burstest 825 | bursting 826 | burthen 827 | burthened 828 | bury 829 | bushel 830 | busied 831 | business 832 | bustle 833 | busy 834 | but 835 | butler 836 | buy 837 | buyers 838 | buzz 839 | buzzed 840 | buzzing 841 | by 842 | cabinets 843 | caesar 844 | cakes 845 | calamities 846 | calamity 847 | calculate 848 | calculated 849 | calculation 850 | calculations 851 | calf 852 | call 853 | called 854 | calledst 855 | callest 856 | calleth 857 | calling 858 | calls 859 | calm 860 | calmed 861 | calmly 862 | calumnies 863 | came 864 | camp 865 | can 866 | candid 867 | candle 868 | cane 869 | cannot 870 | canst 871 | canticles 872 | canvassing 873 | capable 874 | capacities 875 | capacity 876 | capital 877 | captain 878 | captious 879 | captive 880 | captivity 881 | carcase 882 | care 883 | cared 884 | caredst 885 | careful 886 | carefully 887 | careless 888 | carelessly 889 | cares 890 | caresses 891 | carest 892 | careth 893 | carnal 894 | carolina 895 | carried 896 | carry 897 | carrying 898 | carthage 899 | carthaginian 900 | case 901 | cases 902 | cassiacum 903 | cast 904 | casters 905 | castest 906 | casting 907 | casts 908 | cataloguers 909 | catch 910 | catching 911 | catechumen 912 | catholic 913 | catholics 914 | catiline 915 | cattle 916 | caught 917 | cauldron 918 | cause 919 | causes 920 | causing 921 | caverns 922 | caves 923 | cd 924 | cease 925 | ceased 926 | ceases 927 | ceasest 928 | ceaseth 929 | ceasing 930 | cedars 931 | celebrated 932 | celebration 933 | celestial 934 | celibacy 935 | cellar 936 | cellars 937 | cementest 938 | censers 939 | censured 940 | central 941 | centre 942 | certain 943 | certainly 944 | certainties 945 | certainty 946 | chain 947 | chains 948 | chair 949 | challenged 950 | challenges 951 | chamber 952 | chambering 953 | chambers 954 | chance 955 | change 956 | changeable 957 | changeableness 958 | changed 959 | changes 960 | changest 961 | changing 962 | chant 963 | chanting 964 | chapter 965 | character 966 | characters 967 | charge 968 | charges 969 | charioteer 970 | chariots 971 | charity 972 | charmed 973 | chaste 974 | chastely 975 | chastened 976 | chastenedst 977 | chastenest 978 | chastity 979 | chatto 980 | cheap 981 | check 982 | checked 983 | checking 984 | cheeks 985 | cheer 986 | cheered 987 | cheerful 988 | cheerfulness 989 | cherish 990 | cherished 991 | cherubim 992 | chest 993 | chewing 994 | chief 995 | chiefest 996 | chiefly 997 | child 998 | childbearing 999 | childhood 1000 | childish 1001 | children 1002 | chill 1003 | chilled 1004 | choice 1005 | choked 1006 | choler 1007 | choleric 1008 | choose 1009 | chooses 1010 | choosing 1011 | chose 1012 | chosen 1013 | christ 1014 | christian 1015 | christians 1016 | church 1017 | churches 1018 | cicero 1019 | circensian 1020 | circles 1021 | circuit 1022 | circuits 1023 | circumcise 1024 | circumlocutions 1025 | circumstance 1026 | circus 1027 | cities 1028 | citizen 1029 | citizens 1030 | city 1031 | claim 1032 | clanking 1033 | clasp 1034 | clasped 1035 | class 1036 | classics 1037 | clave 1038 | clay 1039 | clean 1040 | cleanse 1041 | cleansed 1042 | cleansest 1043 | cleansing 1044 | clear 1045 | cleared 1046 | clearest 1047 | clearly 1048 | clearness 1049 | cleave 1050 | cleaved 1051 | cleaveth 1052 | cleaving 1053 | climb 1054 | clingeth 1055 | cloak 1056 | cloaked 1057 | clog 1058 | close 1059 | closed 1060 | closes 1061 | closing 1062 | clothe 1063 | clothed 1064 | clothing 1065 | cloud 1066 | cloudiness 1067 | clouds 1068 | cloudy 1069 | cloven 1070 | cloyed 1071 | cloyedness 1072 | co 1073 | coals 1074 | coats 1075 | codes 1076 | coeternal 1077 | cogitated 1078 | cogitation 1079 | cogito 1080 | cogo 1081 | cold 1082 | collect 1083 | collected 1084 | collectively 1085 | collects 1086 | colorado 1087 | colour 1088 | coloured 1089 | colouring 1090 | colours 1091 | com 1092 | combinations 1093 | combine 1094 | combined 1095 | come 1096 | comely 1097 | comes 1098 | cometh 1099 | comfort 1100 | comforted 1101 | comfortedst 1102 | comforter 1103 | comfortest 1104 | comforting 1105 | comforts 1106 | coming 1107 | command 1108 | commanded 1109 | commander 1110 | commandest 1111 | commandeth 1112 | commanding 1113 | commandment 1114 | commandments 1115 | commands 1116 | commemorated 1117 | commencement 1118 | commencing 1119 | commend 1120 | commendable 1121 | commended 1122 | commender 1123 | commenders 1124 | commendeth 1125 | comment 1126 | commercial 1127 | commiserate 1128 | commiserates 1129 | commiserating 1130 | commission 1131 | commit 1132 | commits 1133 | committed 1134 | committing 1135 | common 1136 | commonly 1137 | communicate 1138 | communicated 1139 | communication 1140 | community 1141 | compact 1142 | compactedst 1143 | compacting 1144 | companion 1145 | companions 1146 | company 1147 | compare 1148 | compared 1149 | comparing 1150 | comparison 1151 | compass 1152 | compassing 1153 | compassion 1154 | compassionate 1155 | compassionates 1156 | compelled 1157 | compendiously 1158 | complain 1159 | complaints 1160 | complete 1161 | completed 1162 | compliance 1163 | compose 1164 | composed 1165 | composing 1166 | compound 1167 | comprehend 1168 | comprehended 1169 | comprehendeth 1170 | comprehending 1171 | compressed 1172 | comprise 1173 | comprised 1174 | computer 1175 | computers 1176 | conceal 1177 | concealed 1178 | conceit 1179 | conceits 1180 | conceive 1181 | conceived 1182 | conceives 1183 | conceiving 1184 | concentrated 1185 | conception 1186 | conceptions 1187 | concern 1188 | concerned 1189 | concerning 1190 | concernment 1191 | concerns 1192 | conclude 1193 | concluded 1194 | concludeth 1195 | concord 1196 | concreated 1197 | concubinage 1198 | concubine 1199 | concupiscence 1200 | concupiscences 1201 | condemnation 1202 | condemned 1203 | condemnest 1204 | condemning 1205 | condemns 1206 | condensed 1207 | condition 1208 | condole 1209 | confer 1210 | conference 1211 | conferring 1212 | confess 1213 | confessed 1214 | confesses 1215 | confesseth 1216 | confessing 1217 | confession 1218 | confessions 1219 | confidence 1220 | confidentially 1221 | confidently 1222 | confiding 1223 | confine 1224 | confined 1225 | confirm 1226 | confirmed 1227 | conflict 1228 | conflicting 1229 | conform 1230 | conformably 1231 | conformed 1232 | conformity 1233 | confound 1234 | confounded 1235 | confused 1236 | confusedly 1237 | confusedness 1238 | confusions 1239 | confute 1240 | confuted 1241 | congratulated 1242 | congratulating 1243 | congratulation 1244 | congregations 1245 | conjecture 1246 | conjectures 1247 | conjecturing 1248 | conjoined 1249 | conjugal 1250 | connecticut 1251 | connects 1252 | conquer 1253 | conquered 1254 | conquering 1255 | conquests 1256 | conscience 1257 | conscious 1258 | consciousness 1259 | consecrate 1260 | consecrated 1261 | consecrateth 1262 | consecrating 1263 | consecration 1264 | consent 1265 | consented 1266 | consenting 1267 | consentings 1268 | consequences 1269 | consequential 1270 | conservative 1271 | consider 1272 | considerable 1273 | consideration 1274 | considered 1275 | considereth 1276 | considering 1277 | considers 1278 | consigned 1279 | consist 1280 | consistent 1281 | consistently 1282 | consisteth 1283 | consisting 1284 | consists 1285 | consolation 1286 | consolations 1287 | conspiracy 1288 | conspirators 1289 | constant 1290 | constantly 1291 | constellations 1292 | constitute 1293 | constituted 1294 | constituteth 1295 | constrain 1296 | constrained 1297 | constraint 1298 | consult 1299 | consulted 1300 | consulter 1301 | consulters 1302 | consulting 1303 | consume 1304 | consumed 1305 | consumest 1306 | consuming 1307 | consumption 1308 | contact 1309 | contacting 1310 | contagion 1311 | contain 1312 | contained 1313 | containest 1314 | containeth 1315 | containing 1316 | contains 1317 | contemn 1318 | contemplate 1319 | contemplateth 1320 | contemplating 1321 | contemplation 1322 | contemporary 1323 | contempt 1324 | contemptible 1325 | contend 1326 | content 1327 | contented 1328 | contention 1329 | contentions 1330 | contentious 1331 | contentiousness 1332 | contentment 1333 | contents 1334 | contests 1335 | continence 1336 | continency 1337 | continent 1338 | continently 1339 | continual 1340 | continually 1341 | continuance 1342 | continue 1343 | continued 1344 | continueth 1345 | contract 1346 | contracted 1347 | contradict 1348 | contradicting 1349 | contradiction 1350 | contradictions 1351 | contradictory 1352 | contrary 1353 | contributing 1354 | contributions 1355 | contrite 1356 | contrition 1357 | contritions 1358 | controversy 1359 | convenient 1360 | conventicle 1361 | conventionally 1362 | conversation 1363 | conversations 1364 | converse 1365 | conversing 1366 | conversion 1367 | convert 1368 | converted 1369 | convertedst 1370 | converting 1371 | convey 1372 | conveyed 1373 | conveyedst 1374 | conveying 1375 | conveys 1376 | convict 1377 | convicted 1378 | convinced 1379 | copied 1380 | copies 1381 | copious 1382 | copy 1383 | copyright 1384 | corn 1385 | corner 1386 | corners 1387 | corporeal 1388 | corporeally 1389 | corpse 1390 | correct 1391 | corrected 1392 | correction 1393 | corresponded 1394 | correspondence 1395 | corresponding 1396 | corrigible 1397 | corrupt 1398 | corrupted 1399 | corruptible 1400 | corrupting 1401 | corruption 1402 | corruptions 1403 | corruptly 1404 | cost 1405 | costs 1406 | cottage 1407 | couch 1408 | could 1409 | couldest 1410 | councillor 1411 | counsel 1412 | counselled 1413 | counsels 1414 | count 1415 | counted 1416 | countenance 1417 | counterfeit 1418 | countermanding 1419 | country 1420 | countryman 1421 | counts 1422 | courage 1423 | course 1424 | courses 1425 | coursing 1426 | court 1427 | courteously 1428 | courtesy 1429 | courtly 1430 | courts 1431 | covenant 1432 | covenanted 1433 | cover 1434 | covered 1435 | covetous 1436 | covetousness 1437 | cower 1438 | craftier 1439 | crafty 1440 | create 1441 | created 1442 | createdst 1443 | createst 1444 | createth 1445 | creating 1446 | creation 1447 | creator 1448 | creature 1449 | creatures 1450 | credence 1451 | credibility 1452 | credit 1453 | credulity 1454 | creep 1455 | creepeth 1456 | creeping 1457 | crept 1458 | creusa 1459 | cried 1460 | criedst 1461 | cries 1462 | crime 1463 | crimes 1464 | crisis 1465 | criticised 1466 | criticising 1467 | crooked 1468 | crookedly 1469 | crookedness 1470 | cross 1471 | crossed 1472 | crosses 1473 | crown 1474 | crowned 1475 | crucifixion 1476 | crudities 1477 | cruel 1478 | cruelty 1479 | cry 1480 | crying 1481 | cubit 1482 | cubits 1483 | cud 1484 | cultivated 1485 | cultivating 1486 | culture 1487 | cunning 1488 | cup 1489 | cupboards 1490 | cupidity 1491 | curb 1492 | cure 1493 | cured 1494 | curest 1495 | curing 1496 | curiosities 1497 | curiosity 1498 | curious 1499 | curiously 1500 | current 1501 | currents 1502 | curtailment 1503 | custom 1504 | customs 1505 | cut 1506 | cutting 1507 | cyprian 1508 | daemon 1509 | daemons 1510 | daily 1511 | dakota 1512 | damage 1513 | damaged 1514 | damages 1515 | damnable 1516 | danae 1517 | danger 1518 | dangerous 1519 | dangers 1520 | dare 1521 | dared 1522 | dares 1523 | dark 1524 | darkened 1525 | darkenings 1526 | darkest 1527 | darkly 1528 | darkness 1529 | darksome 1530 | darksomely 1531 | dashed 1532 | data 1533 | date 1534 | dates 1535 | daughter 1536 | daughters 1537 | david 1538 | dawn 1539 | dawned 1540 | day 1541 | daybreak 1542 | days 1543 | dead 1544 | deadly 1545 | deaf 1546 | deafen 1547 | deafness 1548 | deal 1549 | dealt 1550 | dear 1551 | dearer 1552 | dearest 1553 | death 1554 | deaths 1555 | debasing 1556 | debated 1557 | debtor 1558 | debtors 1559 | debts 1560 | decay 1561 | decayeth 1562 | decays 1563 | deceased 1564 | deceit 1565 | deceitful 1566 | deceits 1567 | deceivableness 1568 | deceive 1569 | deceived 1570 | deceivers 1571 | deceiving 1572 | deceivingness 1573 | december 1574 | deception 1575 | decide 1576 | decided 1577 | decked 1578 | declaiming 1579 | declamation 1580 | declare 1581 | declared 1582 | decline 1583 | decree 1584 | decrepit 1585 | dedicate 1586 | dedicated 1587 | deductible 1588 | deed 1589 | deeds 1590 | deem 1591 | deemed 1592 | deep 1593 | deeper 1594 | deepest 1595 | deeply 1596 | deepness 1597 | deeps 1598 | defect 1599 | defection 1600 | defective 1601 | defects 1602 | defence 1603 | defended 1604 | defender 1605 | defending 1606 | defends 1607 | deferred 1608 | deferring 1609 | defers 1610 | defile 1611 | defiled 1612 | defilements 1613 | define 1614 | defined 1615 | defining 1616 | definite 1617 | definitely 1618 | deformed 1619 | deformities 1620 | deformity 1621 | degraded 1622 | degree 1623 | degrees 1624 | deity 1625 | dejectedness 1626 | delay 1627 | delayed 1628 | delete 1629 | deliberate 1630 | deliberates 1631 | deliberating 1632 | deliberation 1633 | delight 1634 | delighted 1635 | delightful 1636 | delightfulness 1637 | delighting 1638 | delights 1639 | delightsome 1640 | deliver 1641 | delivered 1642 | deliveredst 1643 | deliverest 1644 | delivering 1645 | delivers 1646 | deluded 1647 | deluding 1648 | delusions 1649 | demanded 1650 | demander 1651 | demandest 1652 | demanding 1653 | demands 1654 | demonstrate 1655 | demonstrated 1656 | denied 1657 | denies 1658 | denieth 1659 | denoted 1660 | denotes 1661 | dens 1662 | deny 1663 | depart 1664 | departed 1665 | departest 1666 | departing 1667 | departure 1668 | depend 1669 | depending 1670 | depends 1671 | depraved 1672 | deprived 1673 | depth 1674 | depths 1675 | deride 1676 | derided 1677 | deridedst 1678 | deriders 1679 | derides 1680 | deriding 1681 | derision 1682 | derive 1683 | derived 1684 | descend 1685 | descendants 1686 | descending 1687 | descent 1688 | described 1689 | deserted 1690 | deserters 1691 | deserts 1692 | deserve 1693 | deserved 1694 | deservedly 1695 | deserving 1696 | deservings 1697 | designs 1698 | desire 1699 | desired 1700 | desiredst 1701 | desires 1702 | desireth 1703 | desiring 1704 | desirous 1705 | despair 1706 | despaired 1707 | despairing 1708 | desperate 1709 | despise 1710 | despised 1711 | despisedst 1712 | despisest 1713 | despiseth 1714 | despising 1715 | despite 1716 | destined 1717 | destroy 1718 | destroyers 1719 | destroying 1720 | destruction 1721 | detached 1722 | detail 1723 | details 1724 | detain 1725 | detected 1726 | determined 1727 | detest 1728 | detested 1729 | detesting 1730 | detriment 1731 | deus 1732 | devil 1733 | devilish 1734 | devils 1735 | devised 1736 | devoted 1737 | devotion 1738 | devotions 1739 | devour 1740 | devoured 1741 | devout 1742 | devoutly 1743 | devoutness 1744 | dew 1745 | dialogue 1746 | did 1747 | diddest 1748 | dido 1749 | didst 1750 | die 1751 | died 1752 | dies 1753 | dieth 1754 | differ 1755 | difference 1756 | different 1757 | differently 1758 | difficult 1759 | difficulties 1760 | difficulty 1761 | diffused 1762 | digest 1763 | digested 1764 | digits 1765 | dignities 1766 | dignity 1767 | diligence 1768 | diligent 1769 | diligently 1770 | diluted 1771 | dimensions 1772 | diminish 1773 | diminished 1774 | diminisheth 1775 | diminishing 1776 | diminution 1777 | din 1778 | dining 1779 | dinner 1780 | dir 1781 | direct 1782 | directed 1783 | directeth 1784 | directing 1785 | direction 1786 | directions 1787 | directly 1788 | director 1789 | disagreeing 1790 | disagreements 1791 | disalloweth 1792 | disallowing 1793 | disappear 1794 | disapproved 1795 | disapproveth 1796 | discern 1797 | discerned 1798 | discerneth 1799 | discerning 1800 | discharge 1801 | disciple 1802 | disciples 1803 | discipline 1804 | disclaimer 1805 | disclaimers 1806 | disclaims 1807 | disclose 1808 | disclosed 1809 | discomfort 1810 | discommended 1811 | discontent 1812 | discord 1813 | discordant 1814 | discourage 1815 | discourse 1816 | discoursed 1817 | discourses 1818 | discoursing 1819 | discover 1820 | discoverable 1821 | discovered 1822 | discoverest 1823 | discovereth 1824 | discovering 1825 | discovers 1826 | discovery 1827 | discreet 1828 | discreetly 1829 | discretion 1830 | discuss 1831 | discussed 1832 | discussion 1833 | disdained 1834 | disease 1835 | diseased 1836 | diseases 1837 | disembowelled 1838 | disengage 1839 | disentangle 1840 | disentangled 1841 | disgraced 1842 | disgraceful 1843 | disguise 1844 | disguised 1845 | disguising 1846 | disgust 1847 | disgusted 1848 | dishes 1849 | dishonour 1850 | disk 1851 | disliked 1852 | dismiss 1853 | disobeyed 1854 | disorder 1855 | disordered 1856 | disorders 1857 | dispel 1858 | dispense 1859 | dispensed 1860 | dispenser 1861 | dispensers 1862 | dispensest 1863 | dispensing 1864 | dispersed 1865 | disperseth 1866 | dispersion 1867 | displace 1868 | displacing 1869 | displayed 1870 | displays 1871 | displease 1872 | displeased 1873 | displeaseth 1874 | displeasing 1875 | dispose 1876 | disposed 1877 | disposer 1878 | disposition 1879 | dispraise 1880 | dispraised 1881 | dispraisest 1882 | disprove 1883 | dispute 1884 | disputed 1885 | disputer 1886 | disputes 1887 | disputing 1888 | disquiet 1889 | disquieted 1890 | disregard 1891 | dissent 1892 | dissentings 1893 | dissipated 1894 | dissipation 1895 | dissoluteness 1896 | dissolution 1897 | dissolved 1898 | dissolvest 1899 | distance 1900 | distances 1901 | distant 1902 | distempered 1903 | distended 1904 | distill 1905 | distilled 1906 | distinct 1907 | distinction 1908 | distinctly 1909 | distinguish 1910 | distinguished 1911 | distinguishing 1912 | distract 1913 | distracted 1914 | distractedly 1915 | distracting 1916 | distraction 1917 | distractions 1918 | distress 1919 | distribute 1920 | distributed 1921 | distributest 1922 | distributing 1923 | distribution 1924 | distrusted 1925 | disturb 1926 | disturbed 1927 | dive 1928 | divers 1929 | diverse 1930 | diversely 1931 | diversifiedst 1932 | diversity 1933 | diversly 1934 | divide 1935 | divided 1936 | dividest 1937 | dividing 1938 | divination 1939 | divinations 1940 | divine 1941 | diving 1942 | divinity 1943 | division 1944 | divisions 1945 | divorceth 1946 | do 1947 | docile 1948 | docs 1949 | doctrine 1950 | doer 1951 | does 1952 | doest 1953 | dog 1954 | doing 1955 | doings 1956 | doleful 1957 | dollar 1958 | dollars 1959 | domain 1960 | domestic 1961 | domine 1962 | dominion 1963 | dominions 1964 | don 1965 | donation 1966 | donations 1967 | done 1968 | door 1969 | doors 1970 | dormant 1971 | dost 1972 | dotages 1973 | dotards 1974 | doted 1975 | doth 1976 | doting 1977 | double 1978 | doubled 1979 | doubt 1980 | doubted 1981 | doubteth 1982 | doubtful 1983 | doubtfulness 1984 | doubting 1985 | doubtless 1986 | doubts 1987 | down 1988 | downfall 1989 | download 1990 | downward 1991 | downwards 1992 | dragging 1993 | dragon 1994 | dragons 1995 | drank 1996 | draught 1997 | draw 1998 | drawest 1999 | drawing 2000 | drawn 2001 | draws 2002 | dread 2003 | dreaded 2004 | dreadful 2005 | dreading 2006 | dream 2007 | dreams 2008 | drenched 2009 | drew 2010 | drewest 2011 | dried 2012 | drink 2013 | drinketh 2014 | drinking 2015 | drive 2016 | driven 2017 | drives 2018 | drop 2019 | drops 2020 | drove 2021 | drowsiness 2022 | drowsy 2023 | drudgery 2024 | drunk 2025 | drunkard 2026 | drunkards 2027 | drunken 2028 | drunkenness 2029 | dry 2030 | dryness 2031 | duad 2032 | duck 2033 | dudley 2034 | due 2035 | dug 2036 | dull 2037 | duller 2038 | dully 2039 | dumb 2040 | during 2041 | durst 2042 | dust 2043 | duties 2044 | dutiful 2045 | duty 2046 | dwell 2047 | dwellers 2048 | dwellest 2049 | dwelleth 2050 | dwelling 2051 | dwelt 2052 | dying 2053 | each 2054 | eager 2055 | eagerly 2056 | eagerness 2057 | eagle 2058 | ear 2059 | earliest 2060 | early 2061 | earnest 2062 | earnestly 2063 | earnestness 2064 | ears 2065 | earth 2066 | earthly 2067 | ease 2068 | eased 2069 | easeful 2070 | easier 2071 | easily 2072 | east 2073 | eastern 2074 | easy 2075 | eat 2076 | eaten 2077 | eateth 2078 | eating 2079 | ebb 2080 | ebbing 2081 | ebbs 2082 | ebcdic 2083 | ecclesiastical 2084 | echo 2085 | echoed 2086 | echoes 2087 | eclipsed 2088 | eclipses 2089 | edged 2090 | edification 2091 | edify 2092 | edit 2093 | edited 2094 | editing 2095 | edition 2096 | editions 2097 | educate 2098 | educated 2099 | education 2100 | edward 2101 | effaced 2102 | effaces 2103 | effect 2104 | effected 2105 | effectedst 2106 | effort 2107 | efforts 2108 | egypt 2109 | egyptian 2110 | eight 2111 | eighth 2112 | ein 2113 | either 2114 | elder 2115 | elders 2116 | elect 2117 | electronic 2118 | electronically 2119 | element 2120 | elements 2121 | elephant 2122 | elevated 2123 | elevation 2124 | eligible 2125 | elijah 2126 | eloquence 2127 | eloquent 2128 | eloquently 2129 | else 2130 | elsewhere 2131 | eluding 2132 | email 2133 | embalmed 2134 | embarrassments 2135 | embittered 2136 | emblem 2137 | embrace 2138 | embraced 2139 | embracement 2140 | embracements 2141 | embraces 2142 | embryo 2143 | emerge 2144 | emerging 2145 | eminence 2146 | eminent 2147 | eminently 2148 | emotion 2149 | emotions 2150 | emperor 2151 | empire 2152 | employ 2153 | employed 2154 | employee 2155 | employest 2156 | empress 2157 | emptied 2158 | emptiness 2159 | emptinesses 2160 | empty 2161 | enabled 2162 | enact 2163 | enacted 2164 | enacteth 2165 | enamoured 2166 | enchantment 2167 | encompass 2168 | encompasseth 2169 | encourage 2170 | encouraged 2171 | encouraging 2172 | encumbered 2173 | encumbrances 2174 | end 2175 | endangers 2176 | endeared 2177 | endearments 2178 | endeavour 2179 | endeavoured 2180 | endeavouring 2181 | endeavours 2182 | ended 2183 | ending 2184 | endlessly 2185 | ends 2186 | endued 2187 | endurance 2188 | endure 2189 | endured 2190 | endures 2191 | endureth 2192 | enduring 2193 | enemies 2194 | enemy 2195 | energy 2196 | enervated 2197 | enforced 2198 | enforcement 2199 | engage 2200 | engaged 2201 | engages 2202 | engine 2203 | english 2204 | engraff 2205 | enigma 2206 | enjoin 2207 | enjoined 2208 | enjoinest 2209 | enjoy 2210 | enjoyed 2211 | enjoying 2212 | enlarge 2213 | enlarged 2214 | enlargedst 2215 | enlarging 2216 | enlighten 2217 | enlightened 2218 | enlightener 2219 | enlighteneth 2220 | enlightening 2221 | enlightens 2222 | enlisted 2223 | enmities 2224 | enmity 2225 | enough 2226 | enounce 2227 | enquire 2228 | enquired 2229 | enquirers 2230 | enquiries 2231 | enquiring 2232 | enquiringly 2233 | enquiry 2234 | enricher 2235 | ensample 2236 | enslaved 2237 | ensnared 2238 | ensnaring 2239 | ensues 2240 | ensuing 2241 | entangle 2242 | entangled 2243 | entangling 2244 | enter 2245 | entered 2246 | enteredst 2247 | entering 2248 | enters 2249 | enthralled 2250 | enticed 2251 | enticements 2252 | enticing 2253 | entire 2254 | entirely 2255 | entireness 2256 | entitled 2257 | entrails 2258 | entrance 2259 | entreat 2260 | entreated 2261 | entreaties 2262 | entrust 2263 | entrusted 2264 | entwine 2265 | enumeration 2266 | envenomed 2267 | envious 2268 | environeth 2269 | environing 2270 | envy 2271 | envying 2272 | epaphroditus 2273 | epicurus 2274 | episcopal 2275 | epistles 2276 | equably 2277 | equal 2278 | equalled 2279 | equally 2280 | equals 2281 | equinoxes 2282 | equipment 2283 | equity 2284 | equivalent 2285 | ere 2286 | ergo 2287 | err 2288 | erred 2289 | error 2290 | errors 2291 | erst 2292 | esau 2293 | escape 2294 | escaped 2295 | especially 2296 | espoused 2297 | essay 2298 | essayed 2299 | essence 2300 | establish 2301 | established 2302 | estate 2303 | esteem 2304 | esteemed 2305 | esteeming 2306 | estimate 2307 | estimated 2308 | estimation 2309 | estranged 2310 | etc 2311 | eternal 2312 | eternally 2313 | eternity 2314 | etext 2315 | etext00 2316 | etext01 2317 | etext02 2318 | etext90 2319 | etext99 2320 | etexts 2321 | eunuchs 2322 | euodius 2323 | evangelists 2324 | evaporates 2325 | eve 2326 | even 2327 | evened 2328 | evening 2329 | evenly 2330 | events 2331 | ever 2332 | everfixed 2333 | everlasting 2334 | everlastingly 2335 | evermore 2336 | every 2337 | everything 2338 | everywhere 2339 | evidence 2340 | evident 2341 | evidently 2342 | evil 2343 | evils 2344 | evincing 2345 | exact 2346 | exacted 2347 | exacting 2348 | exalted 2349 | exaltedness 2350 | examine 2351 | examined 2352 | examiner 2353 | examining 2354 | example 2355 | examples 2356 | exceeded 2357 | exceedeth 2358 | exceeding 2359 | exceedingly 2360 | excel 2361 | excelled 2362 | excellence 2363 | excellencies 2364 | excellency 2365 | excellent 2366 | excellently 2367 | excelling 2368 | excels 2369 | except 2370 | excepted 2371 | exceptions 2372 | excess 2373 | excessive 2374 | exchanged 2375 | excited 2376 | excitement 2377 | excites 2378 | exclaim 2379 | exclude 2380 | excluded 2381 | exclusion 2382 | exclusions 2383 | excursive 2384 | excuse 2385 | excused 2386 | excuses 2387 | execrable 2388 | execrate 2389 | execute 2390 | exercise 2391 | exercised 2392 | exhalation 2393 | exhausted 2394 | exhibit 2395 | exhibited 2396 | exhort 2397 | exhortation 2398 | exhortations 2399 | exhorted 2400 | exhorting 2401 | exigency 2402 | exiled 2403 | exist 2404 | existence 2405 | existeth 2406 | existing 2407 | exists 2408 | exodus 2409 | expansive 2410 | expect 2411 | expectation 2412 | expected 2413 | expecteth 2414 | expects 2415 | expends 2416 | expense 2417 | expenses 2418 | experience 2419 | experienced 2420 | experiments 2421 | explain 2422 | explained 2423 | explaining 2424 | explanatory 2425 | expose 2426 | exposed 2427 | expound 2428 | expounded 2429 | expounding 2430 | express 2431 | expressed 2432 | expression 2433 | expressions 2434 | exquisitely 2435 | extended 2436 | extension 2437 | extent 2438 | exterior 2439 | external 2440 | extinguish 2441 | extinguished 2442 | extol 2443 | extolled 2444 | extollers 2445 | extracted 2446 | extreme 2447 | extremely 2448 | extremest 2449 | extricate 2450 | extricated 2451 | exuberance 2452 | exuberant 2453 | exude 2454 | exult 2455 | exultation 2456 | eye 2457 | eyes 2458 | eyesight 2459 | fable 2460 | fables 2461 | fabric 2462 | fabulous 2463 | face 2464 | faced 2465 | faces 2466 | facio 2467 | factito 2468 | facts 2469 | faculties 2470 | faculty 2471 | fail 2472 | faileth 2473 | failing 2474 | failure 2475 | fain 2476 | faint 2477 | fainting 2478 | faintly 2479 | fair 2480 | fairer 2481 | fairest 2482 | fairly 2483 | fairness 2484 | faith 2485 | faithful 2486 | faithfully 2487 | faithfulness 2488 | fall 2489 | fallacies 2490 | fallen 2491 | falling 2492 | falls 2493 | false 2494 | falsehood 2495 | falsehoods 2496 | falsely 2497 | falsified 2498 | fame 2499 | familiar 2500 | familiarised 2501 | familiarly 2502 | family 2503 | famine 2504 | famished 2505 | famous 2506 | fancies 2507 | fancy 2508 | fanned 2509 | fantasies 2510 | fantastic 2511 | far 2512 | fared 2513 | farness 2514 | farther 2515 | fashion 2516 | fashioned 2517 | fast 2518 | faster 2519 | fastidiousness 2520 | fasting 2521 | fastings 2522 | fat 2523 | father 2524 | fatherless 2525 | fatherly 2526 | fathers 2527 | fatigues 2528 | fatness 2529 | fault 2530 | faultfinders 2531 | faults 2532 | faulty 2533 | faustus 2534 | favour 2535 | favoured 2536 | favourites 2537 | favours 2538 | fear 2539 | feared 2540 | feareth 2541 | fearful 2542 | fearfully 2543 | fearing 2544 | fearlessly 2545 | fears 2546 | feast 2547 | fed 2548 | fee 2549 | feed 2550 | feedest 2551 | feedeth 2552 | feeding 2553 | feeds 2554 | feel 2555 | feeling 2556 | feelings 2557 | feels 2558 | fees 2559 | feet 2560 | feigned 2561 | felicity 2562 | fell 2563 | fellow 2564 | fellows 2565 | felt 2566 | female 2567 | females 2568 | fence 2569 | fervent 2570 | fervently 2571 | fervid 2572 | festival 2573 | fetched 2574 | fettered 2575 | fetters 2576 | fever 2577 | feverishness 2578 | few 2579 | fiction 2580 | fictions 2581 | field 2582 | fields 2583 | fiercely 2584 | fiercest 2585 | fifteen 2586 | fifth 2587 | fifty 2588 | fig 2589 | fight 2590 | fighter 2591 | fighting 2592 | figurative 2593 | figuratively 2594 | figure 2595 | figured 2596 | figures 2597 | file 2598 | filename 2599 | files 2600 | fill 2601 | filled 2602 | fillest 2603 | filleth 2604 | filling 2605 | filth 2606 | filths 2607 | filthy 2608 | final 2609 | finally 2610 | find 2611 | findest 2612 | findeth 2613 | finding 2614 | finds 2615 | fine 2616 | finest 2617 | finger 2618 | fingers 2619 | finish 2620 | finished 2621 | finite 2622 | fire 2623 | fired 2624 | fires 2625 | firm 2626 | firmament 2627 | firminus 2628 | firmly 2629 | firmness 2630 | first 2631 | fish 2632 | fishes 2633 | fit 2634 | fitness 2635 | fitted 2636 | fitter 2637 | fittest 2638 | fitting 2639 | five 2640 | fix 2641 | fixed 2642 | fixedly 2643 | fixing 2644 | flagitiousness 2645 | flagitiousnesses 2646 | flagon 2647 | flame 2648 | flash 2649 | flashedst 2650 | flashes 2651 | flashing 2652 | flattering 2653 | fled 2654 | fledged 2655 | flee 2656 | fleeing 2657 | fleeting 2658 | flesh 2659 | fleshly 2660 | fleshy 2661 | flew 2662 | flies 2663 | flights 2664 | fling 2665 | floating 2666 | flock 2667 | flocks 2668 | flood 2669 | floods 2670 | flour 2671 | flourished 2672 | flow 2673 | flowed 2674 | flower 2675 | flowers 2676 | flowing 2677 | flown 2678 | flows 2679 | fluctuate 2680 | fluctuates 2681 | fluctuating 2682 | fluctuations 2683 | fluently 2684 | fluidness 2685 | flung 2686 | fluttereth 2687 | flux 2688 | fly 2689 | flying 2690 | foamed 2691 | fog 2692 | folded 2693 | folk 2694 | folks 2695 | follies 2696 | follow 2697 | followed 2698 | followers 2699 | followest 2700 | followeth 2701 | following 2702 | follows 2703 | folly 2704 | food 2705 | fool 2706 | foolish 2707 | foolishly 2708 | foolishness 2709 | fools 2710 | foot 2711 | footed 2712 | footsteps 2713 | for 2714 | forasmuch 2715 | forbade 2716 | forbadest 2717 | forbare 2718 | forbear 2719 | forbid 2720 | forbidden 2721 | force 2722 | forced 2723 | forceth 2724 | forcibly 2725 | fore 2726 | foreconceived 2727 | forefathers 2728 | forego 2729 | foregoing 2730 | forehead 2731 | foreign 2732 | foreigner 2733 | foreknowledge 2734 | forementioned 2735 | forenamed 2736 | forenoon 2737 | forenoons 2738 | forepassed 2739 | foresaw 2740 | foresee 2741 | foreshow 2742 | foreshowed 2743 | foreshower 2744 | foresignified 2745 | foresignify 2746 | forests 2747 | foretell 2748 | foretelling 2749 | forethink 2750 | forethinking 2751 | forethought 2752 | foretold 2753 | forgave 2754 | forge 2755 | forget 2756 | forgetful 2757 | forgetfulness 2758 | forgetteth 2759 | forgetting 2760 | forging 2761 | forgive 2762 | forgiven 2763 | forgivest 2764 | forgiving 2765 | forgot 2766 | forgotten 2767 | forgottest 2768 | form 2769 | formation 2770 | formed 2771 | formedst 2772 | former 2773 | formerly 2774 | formest 2775 | forming 2776 | formless 2777 | formlessness 2778 | forms 2779 | fornicating 2780 | fornication 2781 | fornications 2782 | forsake 2783 | forsaken 2784 | forsakest 2785 | forsaketh 2786 | forsaking 2787 | forsook 2788 | forsooth 2789 | forth 2790 | forthcoming 2791 | forthwith 2792 | fortunate 2793 | fortunes 2794 | forum 2795 | forward 2796 | forwards 2797 | foster 2798 | fostering 2799 | fought 2800 | foul 2801 | foully 2802 | foulness 2803 | fouls 2804 | found 2805 | foundation 2806 | foundations 2807 | founded 2808 | fountain 2809 | four 2810 | fourth 2811 | fourthly 2812 | fowl 2813 | fowls 2814 | fragment 2815 | fragments 2816 | fragrance 2817 | fragrant 2818 | frailness 2819 | frame 2820 | framed 2821 | framers 2822 | frantic 2823 | fraud 2824 | fraught 2825 | freaks 2826 | free 2827 | freed 2828 | freedom 2829 | freely 2830 | freeman 2831 | frenzied 2832 | frenzies 2833 | frenzy 2834 | frequent 2835 | frequently 2836 | fresh 2837 | freshness 2838 | fretted 2839 | friend 2840 | friends 2841 | friendship 2842 | frightful 2843 | fro 2844 | from 2845 | front 2846 | frozen 2847 | fruit 2848 | fruitful 2849 | fruitfully 2850 | fruitfulness 2851 | fruitless 2852 | fruitlessly 2853 | fruits 2854 | ftp 2855 | fuel 2856 | fugitives 2857 | fulfil 2858 | fulfilled 2859 | fulfils 2860 | full 2861 | fuller 2862 | fully 2863 | fulness 2864 | fumed 2865 | fumes 2866 | functions 2867 | fund 2868 | funding 2869 | funeral 2870 | furious 2871 | furnace 2872 | furnish 2873 | furnished 2874 | furnishing 2875 | further 2876 | furtherance 2877 | furthermore 2878 | fury 2879 | future 2880 | gain 2881 | gained 2882 | gainful 2883 | gaining 2884 | gains 2885 | gainsay 2886 | gainsayer 2887 | gainsayers 2888 | gainst 2889 | galatians 2890 | gales 2891 | gall 2892 | gallantry 2893 | game 2894 | games 2895 | garb 2896 | garden 2897 | gardens 2898 | garland 2899 | garlands 2900 | garment 2901 | garner 2902 | gasped 2903 | gate 2904 | gates 2905 | gather 2906 | gathered 2907 | gatheredst 2908 | gatherest 2909 | gathering 2910 | gathers 2911 | gave 2912 | gavest 2913 | gay 2914 | gaze 2915 | gazers 2916 | gazing 2917 | general 2918 | generally 2919 | generate 2920 | generation 2921 | generations 2922 | genesis 2923 | genius 2924 | gentiles 2925 | gentle 2926 | gentleness 2927 | gently 2928 | genuinely 2929 | geometry 2930 | gervasius 2931 | gestures 2932 | get 2933 | getting 2934 | ghastly 2935 | ghost 2936 | ghosts 2937 | giant 2938 | gift 2939 | gifted 2940 | gifts 2941 | gilded 2942 | girded 2943 | girl 2944 | girls 2945 | give 2946 | given 2947 | giver 2948 | givers 2949 | gives 2950 | givest 2951 | giveth 2952 | giving 2953 | glad 2954 | gladdened 2955 | gladdens 2956 | gladiators 2957 | gladly 2958 | gladness 2959 | gladsome 2960 | glance 2961 | glances 2962 | glass 2963 | gleam 2964 | gleameth 2965 | gleams 2966 | glide 2967 | glided 2968 | gliding 2969 | glittering 2970 | gloried 2971 | glories 2972 | glorieth 2973 | glorified 2974 | glorifies 2975 | glorify 2976 | glorious 2977 | glory 2978 | glorying 2979 | glow 2980 | glowed 2981 | gloweth 2982 | glowing 2983 | glows 2984 | glue 2985 | gnashed 2986 | gnawed 2987 | gnawing 2988 | go 2989 | goad 2990 | goaded 2991 | goading 2992 | goads 2993 | goal 2994 | god 2995 | godhead 2996 | godless 2997 | godly 2998 | gods 2999 | goes 3000 | goest 3001 | goeth 3002 | going 3003 | gold 3004 | golden 3005 | gone 3006 | good 3007 | goodliness 3008 | goodly 3009 | goodness 3010 | goods 3011 | gorgeous 3012 | gospel 3013 | got 3014 | gotten 3015 | govemed 3016 | government 3017 | governor 3018 | governors 3019 | gowned 3020 | grace 3021 | graceful 3022 | gracefulness 3023 | gracious 3024 | gradation 3025 | gradually 3026 | grammar 3027 | grammarian 3028 | grammarians 3029 | grandchildren 3030 | grant 3031 | granted 3032 | grantest 3033 | grasp 3034 | grasps 3035 | grass 3036 | grassy 3037 | gratefully 3038 | gratias 3039 | gratification 3040 | gratings 3041 | gratuitous 3042 | gratuitously 3043 | grave 3044 | gravity 3045 | great 3046 | greater 3047 | greatest 3048 | greatly 3049 | greatness 3050 | greaves 3051 | grecian 3052 | greedily 3053 | greediness 3054 | greedy 3055 | greek 3056 | greeks 3057 | green 3058 | greet 3059 | greeted 3060 | grew 3061 | grief 3062 | griefs 3063 | grieve 3064 | grieved 3065 | grieves 3066 | grievest 3067 | grieving 3068 | grievous 3069 | grievously 3070 | groan 3071 | groaned 3072 | groaneth 3073 | groaning 3074 | groanings 3075 | groans 3076 | groat 3077 | gross 3078 | grossness 3079 | ground 3080 | grounded 3081 | grounds 3082 | groves 3083 | grow 3084 | growing 3085 | grown 3086 | growth 3087 | guarded 3088 | guardian 3089 | guardianship 3090 | guess 3091 | guessed 3092 | guidance 3093 | guidances 3094 | guide 3095 | guidest 3096 | guilt 3097 | guiltless 3098 | guilty 3099 | gulf 3100 | gushed 3101 | gutenberg 3102 | gutindex 3103 | habit 3104 | habitation 3105 | habits 3106 | had 3107 | hadst 3108 | hail 3109 | hair 3110 | hairs 3111 | hale 3112 | haled 3113 | half 3114 | hallow 3115 | hallowed 3116 | hallowing 3117 | halved 3118 | hand 3119 | handkerchief 3120 | handle 3121 | handled 3122 | handling 3123 | handmaid 3124 | hands 3125 | handwriting 3126 | hang 3127 | hanging 3128 | hap 3129 | haphazard 3130 | hapless 3131 | haply 3132 | happen 3133 | happened 3134 | happeneth 3135 | happens 3136 | happier 3137 | happily 3138 | happiness 3139 | happy 3140 | harass 3141 | harbour 3142 | harbouring 3143 | hard 3144 | harder 3145 | hardheartedness 3146 | hardship 3147 | hare 3148 | hark 3149 | harlotries 3150 | harm 3151 | harmed 3152 | harmless 3153 | harmonious 3154 | harmoniously 3155 | harmonise 3156 | harmoniseth 3157 | harmonising 3158 | harmonized 3159 | harmonizing 3160 | harmony 3161 | harsh 3162 | hart 3163 | harts 3164 | harvest 3165 | has 3166 | hast 3167 | haste 3168 | hasten 3169 | hastened 3170 | hastening 3171 | hasting 3172 | hatchet 3173 | hate 3174 | hated 3175 | hateful 3176 | hath 3177 | hatred 3178 | haughtiness 3179 | haunt 3180 | have 3181 | having 3182 | hay 3183 | he 3184 | head 3185 | header 3186 | headlong 3187 | heads 3188 | heal 3189 | healed 3190 | healedst 3191 | healeth 3192 | healing 3193 | health 3194 | healthful 3195 | healthfully 3196 | healthy 3197 | heaped 3198 | heaps 3199 | hear 3200 | heard 3201 | heardest 3202 | hearer 3203 | hearers 3204 | hearest 3205 | heareth 3206 | hearing 3207 | hearken 3208 | hears 3209 | hearsay 3210 | heart 3211 | hearted 3212 | heartedness 3213 | hearts 3214 | heat 3215 | heated 3216 | heathen 3217 | heaven 3218 | heavenly 3219 | heavens 3220 | heavier 3221 | heavily 3222 | heavy 3223 | hebrew 3224 | hedged 3225 | heed 3226 | heeded 3227 | height 3228 | heightening 3229 | heights 3230 | heinous 3231 | held 3232 | heldest 3233 | hell 3234 | hellish 3235 | helmet 3236 | help 3237 | helped 3238 | helper 3239 | helpful 3240 | helpidius 3241 | helping 3242 | hence 3243 | henceforth 3244 | her 3245 | herb 3246 | herbs 3247 | here 3248 | hereafter 3249 | hereat 3250 | hereby 3251 | hereditary 3252 | herein 3253 | hereof 3254 | hereon 3255 | heresies 3256 | heresy 3257 | heretics 3258 | heretofore 3259 | hereunto 3260 | hereupon 3261 | hers 3262 | herself 3263 | hesitate 3264 | hesitated 3265 | hesitating 3266 | hesitation 3267 | hid 3268 | hidden 3269 | hiddest 3270 | hide 3271 | hideous 3272 | hidest 3273 | hierius 3274 | high 3275 | higher 3276 | highest 3277 | highly 3278 | highness 3279 | hills 3280 | him 3281 | himself 3282 | hinder 3283 | hindered 3284 | hindereth 3285 | hindrance 3286 | hint 3287 | hippocrates 3288 | his 3289 | history 3290 | hither 3291 | hitherto 3292 | hoar 3293 | hogs 3294 | hogshed 3295 | hold 3296 | holden 3297 | holdest 3298 | holding 3299 | holds 3300 | holies 3301 | holily 3302 | holiness 3303 | holy 3304 | home 3305 | homer 3306 | honest 3307 | honestly 3308 | honesty 3309 | honey 3310 | honied 3311 | honor 3312 | honour 3313 | honourable 3314 | honoured 3315 | honouring 3316 | honours 3317 | hook 3318 | hooks 3319 | hope 3320 | hoped 3321 | hopeful 3322 | hopes 3323 | hoping 3324 | horns 3325 | horrible 3326 | horror 3327 | horse 3328 | horses 3329 | hortensius 3330 | host 3331 | hosts 3332 | hot 3333 | hotly 3334 | hour 3335 | hours 3336 | house 3337 | household 3338 | houseless 3339 | houses 3340 | hovered 3341 | how 3342 | however 3343 | howsoever 3344 | html 3345 | http 3346 | huge 3347 | hugging 3348 | human 3349 | humane 3350 | humanity 3351 | humans 3352 | humble 3353 | humbled 3354 | humbledst 3355 | humility 3356 | hundred 3357 | hundreds 3358 | hung 3359 | hunger 3360 | hungered 3361 | hungering 3362 | hungry 3363 | hunting 3364 | hurried 3365 | hurriedly 3366 | hurrying 3367 | hurt 3368 | hurtful 3369 | hurting 3370 | husband 3371 | husbands 3372 | hushed 3373 | husks 3374 | hymn 3375 | hymns 3376 | hypertext 3377 | i 3378 | ibiblio 3379 | ice 3380 | idaho 3381 | ideas 3382 | identification 3383 | identify 3384 | idle 3385 | idleness 3386 | idly 3387 | idol 3388 | idols 3389 | if 3390 | ignoble 3391 | ignorance 3392 | ignorant 3393 | ii 3394 | iii 3395 | ill 3396 | ills 3397 | illuminate 3398 | illuminating 3399 | illumined 3400 | illusion 3401 | image 3402 | images 3403 | imaginary 3404 | imagination 3405 | imaginations 3406 | imagine 3407 | imagined 3408 | imagining 3409 | imbibe 3410 | imbibed 3411 | imbue 3412 | imitate 3413 | imitated 3414 | imitating 3415 | imitation 3416 | immediately 3417 | immense 3418 | immersed 3419 | immoderate 3420 | immortal 3421 | immortality 3422 | immortally 3423 | immovably 3424 | immutable 3425 | impair 3426 | impaired 3427 | impart 3428 | imparted 3429 | imparts 3430 | impatience 3431 | impatient 3432 | impatiently 3433 | imperfect 3434 | imperfection 3435 | imperfections 3436 | imperishable 3437 | imperturbable 3438 | impiety 3439 | impious 3440 | implanted 3441 | implanting 3442 | implied 3443 | imply 3444 | important 3445 | importunity 3446 | imposed 3447 | impostors 3448 | impostumes 3449 | impotent 3450 | impregnable 3451 | impress 3452 | impressed 3453 | impressing 3454 | impression 3455 | impressions 3456 | imprinted 3457 | improperly 3458 | impudently 3459 | impulses 3460 | impunity 3461 | impure 3462 | impurity 3463 | impute 3464 | in 3465 | inaccessible 3466 | inaccurate 3467 | inactive 3468 | inanimate 3469 | inappropriately 3470 | inasmuch 3471 | incarnation 3472 | incense 3473 | incensed 3474 | inchoate 3475 | incidental 3476 | inclination 3477 | incline 3478 | inclined 3479 | included 3480 | including 3481 | incommutable 3482 | incomparably 3483 | incomplete 3484 | incomprehensible 3485 | incongruously 3486 | incorporeal 3487 | incorrect 3488 | incorruptible 3489 | incorruptibly 3490 | incorruption 3491 | increase 3492 | increased 3493 | increasing 3494 | incredible 3495 | incredibly 3496 | incumbrances 3497 | incurable 3498 | incurred 3499 | indebted 3500 | indeed 3501 | indefinitely 3502 | indemnify 3503 | indemnity 3504 | indentures 3505 | indexes 3506 | indiana 3507 | indicate 3508 | indicated 3509 | indicating 3510 | indications 3511 | indigent 3512 | indigested 3513 | indignant 3514 | indirect 3515 | indirectly 3516 | indite 3517 | indited 3518 | indued 3519 | indulgent 3520 | inebriate 3521 | inebriated 3522 | inebriation 3523 | inevitable 3524 | inevitably 3525 | inexperienced 3526 | inexpressible 3527 | infancy 3528 | infant 3529 | infantine 3530 | infants 3531 | infected 3532 | infection 3533 | infer 3534 | inferior 3535 | infidelity 3536 | infidels 3537 | infinite 3538 | infinitely 3539 | infinitude 3540 | infirmities 3541 | infirmity 3542 | inflame 3543 | inflamed 3544 | inflammation 3545 | inflection 3546 | inflicted 3547 | influence 3548 | influenced 3549 | influences 3550 | information 3551 | informed 3552 | informing 3553 | infringement 3554 | infuse 3555 | infused 3556 | ingrated 3557 | inhabitant 3558 | inhabitants 3559 | inhabited 3560 | inharmonious 3561 | inheritance 3562 | iniquities 3563 | iniquity 3564 | initiated 3565 | initiating 3566 | initiation 3567 | initiatory 3568 | injurable 3569 | injure 3570 | injured 3571 | injures 3572 | injurious 3573 | injury 3574 | injustice 3575 | inmost 3576 | innate 3577 | inner 3578 | innocence 3579 | innocency 3580 | innocent 3581 | innumerable 3582 | innumerably 3583 | inordinate 3584 | insatiable 3585 | insatiate 3586 | insensibly 3587 | inseparable 3588 | inserted 3589 | insight 3590 | insolently 3591 | insomuch 3592 | inspect 3593 | inspecting 3594 | inspiration 3595 | inspire 3596 | inspired 3597 | inspirest 3598 | inspiring 3599 | instability 3600 | instance 3601 | instances 3602 | instant 3603 | instantly 3604 | instead 3605 | instillest 3606 | instinct 3607 | instinctive 3608 | instituted 3609 | institution 3610 | instruct 3611 | instructed 3612 | instructest 3613 | instruction 3614 | instructor 3615 | insult 3616 | insultingly 3617 | intellectual 3618 | intelligence 3619 | intelligences 3620 | intelligent 3621 | intelligible 3622 | intemperance 3623 | intend 3624 | intended 3625 | intense 3626 | intensely 3627 | intenseness 3628 | intensest 3629 | intent 3630 | intention 3631 | intently 3632 | intercede 3633 | intercedeth 3634 | intercepting 3635 | intercession 3636 | intercourse 3637 | interest 3638 | interested 3639 | interior 3640 | intermission 3641 | intermit 3642 | intermitted 3643 | intermitting 3644 | internal 3645 | international 3646 | interpose 3647 | interposed 3648 | interposing 3649 | interpret 3650 | interpretation 3651 | interpreted 3652 | interpreter 3653 | interpreting 3654 | interrupt 3655 | interrupted 3656 | interruption 3657 | interval 3658 | intervals 3659 | intimacy 3660 | intimate 3661 | intimated 3662 | intimately 3663 | into 3664 | intolerable 3665 | intoxicated 3666 | intricate 3667 | introduced 3668 | intrude 3669 | inured 3670 | inveigler 3671 | invest 3672 | invests 3673 | invisible 3674 | invite 3675 | invited 3676 | inviting 3677 | involved 3678 | inward 3679 | inwardly 3680 | iowa 3681 | iron 3682 | irons 3683 | irrational 3684 | irresoluteness 3685 | irrevocable 3686 | irritate 3687 | is 3688 | isaac 3689 | isaiah 3690 | israel 3691 | issue 3692 | issued 3693 | it 3694 | italian 3695 | italy 3696 | itch 3697 | itching 3698 | items 3699 | its 3700 | itself 3701 | jacob 3702 | jarring 3703 | jealous 3704 | jealousy 3705 | jeer 3706 | jeering 3707 | jerusalem 3708 | jest 3709 | jests 3710 | jesus 3711 | jew 3712 | jews 3713 | join 3714 | joined 3715 | joineth 3716 | joining 3717 | joint 3718 | jointly 3719 | joking 3720 | jordan 3721 | joseph 3722 | journey 3723 | journeyed 3724 | jove 3725 | joy 3726 | joyed 3727 | joyful 3728 | joyfulness 3729 | joying 3730 | joyous 3731 | joyously 3732 | joyousness 3733 | joys 3734 | judge 3735 | judged 3736 | judgements 3737 | judges 3738 | judgest 3739 | judgeth 3740 | judging 3741 | judgment 3742 | judgments 3743 | julian 3744 | juncture 3745 | june 3746 | juno 3747 | jupiter 3748 | just 3749 | justice 3750 | justification 3751 | justifieth 3752 | justify 3753 | justina 3754 | justly 3755 | keen 3756 | keep 3757 | keeper 3758 | keepest 3759 | keeping 3760 | keeps 3761 | ken 3762 | kentucky 3763 | kept 3764 | kicking 3765 | kill 3766 | killed 3767 | killest 3768 | killeth 3769 | kind 3770 | kindle 3771 | kindled 3772 | kindly 3773 | kindness 3774 | kindred 3775 | kinds 3776 | king 3777 | kingdom 3778 | kingdoms 3779 | kings 3780 | knee 3781 | knees 3782 | knew 3783 | knewest 3784 | knit 3785 | knitting 3786 | knock 3787 | knocked 3788 | knocketh 3789 | knocking 3790 | knocks 3791 | knots 3792 | knottiness 3793 | knotty 3794 | know 3795 | knowest 3796 | knoweth 3797 | knowing 3798 | knowingly 3799 | knowledge 3800 | known 3801 | knows 3802 | labour 3803 | laboured 3804 | labourers 3805 | labours 3806 | lack 3807 | lacketh 3808 | lacking 3809 | laden 3810 | laid 3811 | lament 3812 | lamentable 3813 | lamented 3814 | lancet 3815 | land 3816 | lands 3817 | language 3818 | languages 3819 | languishing 3820 | lanthorn 3821 | lap 3822 | large 3823 | largely 3824 | largeness 3825 | larger 3826 | lashed 3827 | lashes 3828 | lashest 3829 | last 3830 | lastly 3831 | late 3832 | later 3833 | lathe 3834 | latin 3835 | latins 3836 | latinum 3837 | latter 3838 | lattice 3839 | laugh 3840 | laughed 3841 | laughter 3842 | launched 3843 | law 3844 | lawful 3845 | lawfully 3846 | lawless 3847 | laws 3848 | lawyer 3849 | lawyers 3850 | laxly 3851 | lay 3852 | layeth 3853 | laying 3854 | lays 3855 | lead 3856 | leaden 3857 | leadeth 3858 | leading 3859 | leads 3860 | leaning 3861 | leaps 3862 | learn 3863 | learned 3864 | learner 3865 | learning 3866 | learnt 3867 | leasing 3868 | least 3869 | leave 3870 | leaven 3871 | leaves 3872 | leaveth 3873 | leaving 3874 | lecture 3875 | lectured 3876 | led 3877 | left 3878 | legal 3879 | legally 3880 | leisure 3881 | lends 3882 | length 3883 | lengthened 3884 | lentiles 3885 | less 3886 | lessen 3887 | lesser 3888 | lesson 3889 | lessons 3890 | lest 3891 | let 3892 | lethargy 3893 | letter 3894 | letters 3895 | lettest 3896 | lewd 3897 | liability 3898 | liar 3899 | libanus 3900 | liberal 3901 | liberality 3902 | liberty 3903 | licence 3904 | license 3905 | licensed 3906 | licenses 3907 | lick 3908 | lie 3909 | lied 3910 | lies 3911 | lieth 3912 | life 3913 | lift 3914 | lifted 3915 | liftedst 3916 | lifter 3917 | liftest 3918 | lifts 3919 | light 3920 | lighted 3921 | lighten 3922 | lightened 3923 | lighteth 3924 | lightly 3925 | lights 3926 | lightsome 3927 | like 3928 | liked 3929 | likedst 3930 | likely 3931 | likeness 3932 | likenesses 3933 | liker 3934 | likes 3935 | likest 3936 | likewise 3937 | lilies 3938 | limbs 3939 | limed 3940 | limitation 3941 | limited 3942 | limits 3943 | line 3944 | lineage 3945 | lineaments 3946 | lined 3947 | lines 3948 | linger 3949 | lingered 3950 | lingering 3951 | links 3952 | lion 3953 | lip 3954 | lips 3955 | list 3956 | listened 3957 | listening 3958 | listing 3959 | lists 3960 | literally 3961 | literary 3962 | literature 3963 | litigation 3964 | little 3965 | littles 3966 | live 3967 | lived 3968 | livelihood 3969 | lively 3970 | lives 3971 | livest 3972 | liveth 3973 | living 3974 | lizard 3975 | lo 3976 | load 3977 | loads 3978 | loathed 3979 | loathing 3980 | loathsome 3981 | locking 3982 | locusts 3983 | lodging 3984 | lofty 3985 | logic 3986 | login 3987 | long 3988 | longed 3989 | longer 3990 | longing 3991 | longings 3992 | longs 3993 | look 3994 | looked 3995 | looker 3996 | looketh 3997 | looking 3998 | looks 3999 | loose 4000 | loosed 4001 | loosen 4002 | loosest 4003 | loquacity 4004 | lord 4005 | lords 4006 | lose 4007 | loses 4008 | loseth 4009 | losing 4010 | loss 4011 | lost 4012 | lot 4013 | loth 4014 | lottery 4015 | loud 4016 | loudly 4017 | louisiana 4018 | love 4019 | loved 4020 | loveliness 4021 | lovely 4022 | lover 4023 | lovers 4024 | loves 4025 | lovest 4026 | loveth 4027 | loving 4028 | lovingly 4029 | low 4030 | lower 4031 | lowering 4032 | lowest 4033 | lowlily 4034 | lowliness 4035 | lowly 4036 | lucid 4037 | lucre 4038 | ludicrous 4039 | lulled 4040 | luminaries 4041 | lump 4042 | lungs 4043 | lure 4044 | lures 4045 | lust 4046 | lusted 4047 | lusteth 4048 | lustful 4049 | lustfulness 4050 | lusting 4051 | lusts 4052 | luxuriousness 4053 | luxury 4054 | lying 4055 | macedonia 4056 | machine 4057 | mad 4058 | madaura 4059 | made 4060 | madest 4061 | madly 4062 | madness 4063 | magical 4064 | magistrates 4065 | magnified 4066 | magnify 4067 | magnitudes 4068 | maid 4069 | maiden 4070 | maidens 4071 | mail 4072 | maimed 4073 | main 4074 | mainly 4075 | maintain 4076 | maintained 4077 | maintainers 4078 | maintaining 4079 | majesty 4080 | make 4081 | maker 4082 | makers 4083 | makes 4084 | makest 4085 | maketh 4086 | making 4087 | male 4088 | malice 4089 | malicious 4090 | maliciously 4091 | malignant 4092 | mammon 4093 | man 4094 | manage 4095 | manfully 4096 | mangled 4097 | manhood 4098 | manichaean 4099 | manichaeus 4100 | manichee 4101 | manichees 4102 | manifest 4103 | manifestation 4104 | manifested 4105 | manifestly 4106 | manifold 4107 | manifoldly 4108 | manifoldness 4109 | mankind 4110 | manna 4111 | manner 4112 | manners 4113 | manors 4114 | mansion 4115 | mantles 4116 | manufactures 4117 | many 4118 | mariners 4119 | mark 4120 | marked 4121 | market 4122 | marketplace 4123 | marking 4124 | marks 4125 | marriage 4126 | marriageable 4127 | married 4128 | marrow 4129 | marry 4130 | marrying 4131 | mars 4132 | marts 4133 | martyr 4134 | martyrs 4135 | marvel 4136 | marvelled 4137 | mary 4138 | masculine 4139 | mass 4140 | massachusetts 4141 | masses 4142 | master 4143 | mastered 4144 | masters 4145 | mastery 4146 | material 4147 | materials 4148 | mathematicians 4149 | matrons 4150 | matter 4151 | matters 4152 | maturing 4153 | may 4154 | mayest 4155 | mazes 4156 | me 4157 | mean 4158 | meanest 4159 | meaning 4160 | meanings 4161 | meanly 4162 | means 4163 | meant 4164 | meantime 4165 | meanwhile 4166 | measurable 4167 | measure 4168 | measured 4169 | measures 4170 | measuring 4171 | meat 4172 | meats 4173 | meddle 4174 | meddling 4175 | medea 4176 | mediator 4177 | medicine 4178 | medicines 4179 | medicining 4180 | meditate 4181 | meditated 4182 | meditating 4183 | meditations 4184 | medium 4185 | meek 4186 | meekness 4187 | meet 4188 | meeting 4189 | meets 4190 | melodies 4191 | melodious 4192 | melody 4193 | melt 4194 | melted 4195 | member 4196 | members 4197 | memory 4198 | men 4199 | mentally 4200 | mention 4201 | mentioned 4202 | mentioning 4203 | merchantability 4204 | mercies 4205 | merciful 4206 | mercifully 4207 | mercy 4208 | mere 4209 | merely 4210 | merged 4211 | merits 4212 | merrily 4213 | merry 4214 | message 4215 | messages 4216 | messengers 4217 | met 4218 | method 4219 | metre 4220 | metres 4221 | mget 4222 | michael 4223 | mid 4224 | middle 4225 | midnight 4226 | might 4227 | mightest 4228 | mightier 4229 | mightily 4230 | mightiness 4231 | mighty 4232 | milan 4233 | milanese 4234 | milder 4235 | mildly 4236 | milk 4237 | milky 4238 | millennium 4239 | million 4240 | mimic 4241 | mind 4242 | minded 4243 | mindful 4244 | minds 4245 | mine 4246 | minerva 4247 | mingle 4248 | mingled 4249 | mingling 4250 | minister 4251 | ministers 4252 | ministry 4253 | minute 4254 | minutest 4255 | miracles 4256 | mire 4257 | mirth 4258 | mirthful 4259 | mischief 4260 | misdeeds 4261 | miserable 4262 | miserably 4263 | miseries 4264 | misery 4265 | mislike 4266 | misliked 4267 | miss 4268 | missed 4269 | missing 4270 | mist 4271 | mistaken 4272 | mistress 4273 | mistresses 4274 | mists 4275 | mixture 4276 | moan 4277 | mock 4278 | mocked 4279 | mockeries 4280 | mockers 4281 | mockery 4282 | mocking 4283 | mode 4284 | models 4285 | moderate 4286 | moderation 4287 | modes 4288 | modestly 4289 | modesty 4290 | modification 4291 | modify 4292 | modulation 4293 | moist 4294 | molest 4295 | molten 4296 | moment 4297 | momentary 4298 | momentous 4299 | moments 4300 | monad 4301 | monasteries 4302 | monastery 4303 | money 4304 | monk 4305 | monnica 4306 | monster 4307 | monstrous 4308 | monstrousness 4309 | montana 4310 | month 4311 | months 4312 | monument 4313 | moon 4314 | moral 4315 | more 4316 | moreover 4317 | morning 4318 | morrow 4319 | morsel 4320 | mortal 4321 | mortality 4322 | mortals 4323 | mortified 4324 | moses 4325 | most 4326 | mostly 4327 | mother 4328 | motherly 4329 | mothers 4330 | motion 4331 | motions 4332 | motive 4333 | mould 4334 | moulded 4335 | mount 4336 | mountain 4337 | mountains 4338 | mounting 4339 | mourn 4340 | mourned 4341 | mourners 4342 | mournful 4343 | mourning 4344 | mouth 4345 | mouthed 4346 | mouths 4347 | move 4348 | moved 4349 | moveth 4350 | moving 4351 | much 4352 | muddy 4353 | mule 4354 | multiple 4355 | multiplicity 4356 | multiplied 4357 | multipliedst 4358 | multiply 4359 | multiplying 4360 | multitude 4361 | multitudes 4362 | munday 4363 | murder 4364 | murdered 4365 | murdering 4366 | murmur 4367 | murmured 4368 | museth 4369 | music 4370 | musical 4371 | musing 4372 | must 4373 | mutability 4374 | mutable 4375 | mute 4376 | muttering 4377 | mutual 4378 | mutually 4379 | my 4380 | myself 4381 | mysteries 4382 | mysterious 4383 | mysteriously 4384 | mystery 4385 | mystic 4386 | mystically 4387 | nails 4388 | naked 4389 | name 4390 | named 4391 | namely 4392 | names 4393 | narrow 4394 | narrower 4395 | narrowly 4396 | narrowness 4397 | nation 4398 | nations 4399 | native 4400 | nativity 4401 | natural 4402 | naturally 4403 | nature 4404 | natures 4405 | nay 4406 | near 4407 | nearer 4408 | neatly 4409 | neatness 4410 | nebridius 4411 | necessaries 4412 | necessarily 4413 | necessary 4414 | necessities 4415 | necessity 4416 | neck 4417 | need 4418 | needed 4419 | needeth 4420 | needful 4421 | needing 4422 | needs 4423 | needy 4424 | neglect 4425 | neglected 4426 | neglecteth 4427 | neglecting 4428 | negligence 4429 | negligent 4430 | neighbour 4431 | neighbouring 4432 | neighbours 4433 | neither 4434 | neptune 4435 | nest 4436 | nests 4437 | net 4438 | nets 4439 | nevada 4440 | never 4441 | nevertheless 4442 | new 4443 | newsletter 4444 | newsletters 4445 | next 4446 | nigh 4447 | night 4448 | nights 4449 | nill 4450 | nilled 4451 | nimble 4452 | nine 4453 | nineteenth 4454 | ninety 4455 | ninth 4456 | no 4457 | noah 4458 | nobility 4459 | noble 4460 | nod 4461 | noise 4462 | nominally 4463 | none 4464 | noon 4465 | nor 4466 | north 4467 | nostrils 4468 | not 4469 | note 4470 | noted 4471 | notes 4472 | nothing 4473 | notice 4474 | notices 4475 | notion 4476 | notions 4477 | notorious 4478 | notwithstanding 4479 | nought 4480 | nourish 4481 | nourished 4482 | nourishing 4483 | nourishment 4484 | nourishments 4485 | novelty 4486 | novice 4487 | now 4488 | nowhere 4489 | null 4490 | number 4491 | numbered 4492 | numberest 4493 | numbering 4494 | numberless 4495 | numbers 4496 | numerous 4497 | nurse 4498 | nursery 4499 | nurses 4500 | nuts 4501 | obedience 4502 | obedient 4503 | obediently 4504 | obey 4505 | obeyed 4506 | obeying 4507 | obeys 4508 | object 4509 | objected 4510 | objections 4511 | objects 4512 | oblation 4513 | obscure 4514 | obscurely 4515 | observance 4516 | observation 4517 | observe 4518 | observed 4519 | observes 4520 | observeth 4521 | observing 4522 | obstinacy 4523 | obtain 4524 | obtained 4525 | obtaining 4526 | obtains 4527 | obviously 4528 | occasion 4529 | occasioned 4530 | occupy 4531 | occupying 4532 | occur 4533 | occurred 4534 | occurs 4535 | ocean 4536 | odour 4537 | odours 4538 | of 4539 | off 4540 | offence 4541 | offences 4542 | offend 4543 | offended 4544 | offensive 4545 | offer 4546 | offered 4547 | offerings 4548 | office 4549 | officer 4550 | officers 4551 | offices 4552 | official 4553 | offspring 4554 | oft 4555 | often 4556 | oftentimes 4557 | ofthe 4558 | ofttimes 4559 | oh 4560 | oil 4561 | ointments 4562 | oklahoma 4563 | old 4564 | omened 4565 | omit 4566 | omitted 4567 | omnipotency 4568 | omnipotent 4569 | omnium 4570 | on 4571 | once 4572 | one 4573 | ones 4574 | onesiphorus 4575 | only 4576 | open 4577 | opened 4578 | openest 4579 | openeth 4580 | opening 4581 | openly 4582 | opens 4583 | operations 4584 | opinion 4585 | opinionative 4586 | opinions 4587 | opportunity 4588 | oppose 4589 | opposed 4590 | opposing 4591 | oppressed 4592 | oppresseth 4593 | oppression 4594 | or 4595 | oracle 4596 | oracles 4597 | orally 4598 | orations 4599 | orator 4600 | oratory 4601 | orbs 4602 | ordained 4603 | ordainer 4604 | order 4605 | ordered 4606 | orderer 4607 | orderest 4608 | ordering 4609 | ordinance 4610 | ordinarily 4611 | ordinary 4612 | orestes 4613 | org 4614 | organization 4615 | organs 4616 | origin 4617 | original 4618 | ornamentedst 4619 | ornamenting 4620 | ostentation 4621 | ostia 4622 | other 4623 | others 4624 | otherwhere 4625 | otherwhiles 4626 | otherwise 4627 | ought 4628 | oughtest 4629 | our 4630 | ours 4631 | ourself 4632 | ourselves 4633 | out 4634 | outer 4635 | outrages 4636 | outset 4637 | outward 4638 | outwardly 4639 | over 4640 | overboldness 4641 | overcame 4642 | overcast 4643 | overcharged 4644 | overclouded 4645 | overcome 4646 | overcoming 4647 | overflow 4648 | overflowed 4649 | overflowing 4650 | overhastily 4651 | overjoyed 4652 | overpass 4653 | overpast 4654 | overspread 4655 | overspreading 4656 | overtake 4657 | overthrew 4658 | overthrow 4659 | overturned 4660 | overwhelmed 4661 | owe 4662 | owed 4663 | owes 4664 | owing 4665 | own 4666 | owns 4667 | oxford 4668 | page 4669 | pages 4670 | paid 4671 | pain 4672 | painful 4673 | pains 4674 | pair 4675 | pairs 4676 | palace 4677 | palaces 4678 | palate 4679 | pale 4680 | palm 4681 | pamperedness 4682 | pander 4683 | panegyric 4684 | pangs 4685 | pant 4686 | panted 4687 | panting 4688 | paper 4689 | par 4690 | paraclete 4691 | paradise 4692 | parched 4693 | pardoned 4694 | pared 4695 | parent 4696 | parental 4697 | parents 4698 | parity 4699 | parley 4700 | part 4701 | partake 4702 | partaker 4703 | partaketh 4704 | parted 4705 | participation 4706 | particle 4707 | particles 4708 | particular 4709 | parties 4710 | parting 4711 | partly 4712 | partners 4713 | parts 4714 | party 4715 | pass 4716 | passage 4717 | passages 4718 | passed 4719 | passengers 4720 | passes 4721 | passeth 4722 | passible 4723 | passing 4724 | passion 4725 | passionately 4726 | passions 4727 | password 4728 | past 4729 | pastime 4730 | pastimes 4731 | patched 4732 | path 4733 | paths 4734 | patience 4735 | patiently 4736 | patricius 4737 | pattern 4738 | patterns 4739 | paul 4740 | paulus 4741 | pause 4742 | pauses 4743 | pay 4744 | payable 4745 | payest 4746 | paying 4747 | payments 4748 | peace 4749 | peaceful 4750 | peacefully 4751 | peacemaker 4752 | pear 4753 | pearl 4754 | pears 4755 | peculiar 4756 | peculiarly 4757 | pen 4758 | penal 4759 | penally 4760 | penalties 4761 | penalty 4762 | pence 4763 | penetrating 4764 | penitent 4765 | people 4766 | per 4767 | peradventure 4768 | perceivable 4769 | perceive 4770 | perceived 4771 | perceivedst 4772 | perceives 4773 | perceiveth 4774 | perceiving 4775 | perchance 4776 | perdition 4777 | perfect 4778 | perfected 4779 | perfecting 4780 | perfection 4781 | perfectly 4782 | performed 4783 | performing 4784 | perhaps 4785 | peril 4786 | perilous 4787 | perils 4788 | period 4789 | periodic 4790 | periods 4791 | perish 4792 | perishable 4793 | perished 4794 | perisheth 4795 | permission 4796 | permit 4797 | permitted 4798 | pernicious 4799 | perpetual 4800 | perplexed 4801 | perplexities 4802 | persecuted 4803 | persecutes 4804 | persecuting 4805 | persevering 4806 | person 4807 | personages 4808 | personally 4809 | personated 4810 | persons 4811 | perspicuous 4812 | persuade 4813 | persuaded 4814 | persuasions 4815 | persuasive 4816 | pertain 4817 | pertained 4818 | pertaining 4819 | perturbations 4820 | perused 4821 | perverse 4822 | perverseness 4823 | perversion 4824 | perversity 4825 | pervert 4826 | perverted 4827 | pervertedly 4828 | perverting 4829 | pervious 4830 | pestilent 4831 | petitions 4832 | petty 4833 | petulantly 4834 | pg 4835 | phantasm 4836 | phantasms 4837 | phantom 4838 | phantoms 4839 | philippians 4840 | philosophers 4841 | philosophy 4842 | photinus 4843 | phrase 4844 | phrases 4845 | physic 4846 | physical 4847 | physician 4848 | physicians 4849 | picture 4850 | pictures 4851 | piece 4852 | piecemeal 4853 | pieces 4854 | pierce 4855 | pierced 4856 | piercing 4857 | piety 4858 | pile 4859 | piled 4860 | pilgrim 4861 | pilgrimage 4862 | pilgrims 4863 | pinching 4864 | pines 4865 | pious 4866 | piously 4867 | pit 4868 | pitch 4869 | pitiable 4870 | pitied 4871 | pitiest 4872 | pitiful 4873 | pity 4874 | pitying 4875 | place 4876 | placed 4877 | placedst 4878 | places 4879 | placest 4880 | placing 4881 | plague 4882 | plain 4883 | plainer 4884 | plainly 4885 | plainness 4886 | plains 4887 | plan 4888 | planets 4889 | plans 4890 | plant 4891 | plants 4892 | platonists 4893 | plausibility 4894 | play 4895 | playing 4896 | plays 4897 | plea 4898 | plead 4899 | pleasant 4900 | pleasanter 4901 | pleasantly 4902 | pleasantness 4903 | please 4904 | pleased 4905 | pleasest 4906 | pleasing 4907 | pleasurable 4908 | pleasure 4909 | pleasureableness 4910 | pleasures 4911 | plenary 4912 | plenteous 4913 | plenteousness 4914 | plentiful 4915 | plentifully 4916 | plenty 4917 | pliant 4918 | plot 4919 | plots 4920 | plotting 4921 | pluck 4922 | plucked 4923 | pluckest 4924 | plucking 4925 | plunged 4926 | plunging 4927 | plural 4928 | pmb 4929 | poems 4930 | poesy 4931 | poet 4932 | poetic 4933 | poets 4934 | point 4935 | pointed 4936 | points 4937 | poise 4938 | poison 4939 | pole 4940 | polished 4941 | polluted 4942 | pollution 4943 | pontitianus 4944 | poor 4945 | popular 4946 | popularity 4947 | population 4948 | portion 4949 | portions 4950 | position 4951 | possess 4952 | possessed 4953 | possesses 4954 | possessest 4955 | possesseth 4956 | possession 4957 | possessor 4958 | possibility 4959 | possible 4960 | posted 4961 | potent 4962 | potter 4963 | pour 4964 | poured 4965 | pourest 4966 | poverty 4967 | power 4968 | powerful 4969 | powers 4970 | practice 4971 | practise 4972 | practised 4973 | praetorian 4974 | prairienet 4975 | praise 4976 | praised 4977 | praises 4978 | praiseth 4979 | prated 4980 | praters 4981 | prating 4982 | pray 4983 | prayed 4984 | prayer 4985 | prayers 4986 | praying 4987 | preach 4988 | preached 4989 | preacher 4990 | preachers 4991 | preaching 4992 | preachings 4993 | precede 4994 | preceded 4995 | precedes 4996 | precedest 4997 | precedeth 4998 | precepts 4999 | precious 5000 | precipice 5001 | precipitated 5002 | precisely 5003 | predestinated 5004 | predestination 5005 | predicament 5006 | predicaments 5007 | predicated 5008 | predict 5009 | predicted 5010 | preeminence 5011 | preeminent 5012 | prefect 5013 | prefer 5014 | preferable 5015 | preference 5016 | preferred 5017 | preferring 5018 | prejudice 5019 | prelate 5020 | preliminary 5021 | prepare 5022 | prepared 5023 | preparedst 5024 | prepares 5025 | preparest 5026 | preparing 5027 | prerogative 5028 | presbyters 5029 | prescribed 5030 | prescribes 5031 | prescripts 5032 | presence 5033 | present 5034 | presented 5035 | presently 5036 | presents 5037 | preserve 5038 | preserved 5039 | preserving 5040 | presidentship 5041 | presides 5042 | presidest 5043 | presideth 5044 | presiding 5045 | press 5046 | pressed 5047 | pressedst 5048 | presseth 5049 | pressure 5050 | presume 5051 | presumed 5052 | presuming 5053 | presumption 5054 | pretend 5055 | prevail 5056 | prevailed 5057 | prevailing 5058 | prevails 5059 | prevented 5060 | preventedst 5061 | preventing 5062 | previous 5063 | prey 5064 | price 5065 | prices 5066 | pricked 5067 | pricks 5068 | pride 5069 | priest 5070 | primary 5071 | primitive 5072 | prince 5073 | princes 5074 | principalities 5075 | principally 5076 | principles 5077 | print 5078 | prior 5079 | prison 5080 | prisoner 5081 | privacy 5082 | private 5083 | privately 5084 | privation 5085 | privily 5086 | prize 5087 | prizes 5088 | probable 5089 | problem 5090 | proceed 5091 | proceeded 5092 | proceedeth 5093 | proceeding 5094 | processing 5095 | processors 5096 | proclaim 5097 | proclaiming 5098 | proconsul 5099 | proconsular 5100 | procure 5101 | procured 5102 | procuredst 5103 | prodigality 5104 | produce 5105 | produced 5106 | production 5107 | products 5108 | prof 5109 | profane 5110 | profess 5111 | professed 5112 | professing 5113 | profession 5114 | professor 5115 | professorship 5116 | proffer 5117 | proffering 5118 | proficiency 5119 | profit 5120 | profitable 5121 | profited 5122 | profits 5123 | profligate 5124 | profound 5125 | profounder 5126 | profoundly 5127 | program 5128 | progress 5129 | prohibition 5130 | project 5131 | projected 5132 | prolix 5133 | prolonged 5134 | promise 5135 | promised 5136 | promises 5137 | promiseth 5138 | promising 5139 | promo 5140 | pronounce 5141 | pronounced 5142 | pronounces 5143 | pronouncing 5144 | pronunciation 5145 | proof 5146 | proofread 5147 | prop 5148 | proper 5149 | properly 5150 | property 5151 | prophecy 5152 | prophet 5153 | prophets 5154 | proportion 5155 | proportions 5156 | proposed 5157 | propound 5158 | propoundest 5159 | proprietary 5160 | prose 5161 | prosper 5162 | prosperities 5163 | prosperity 5164 | protasius 5165 | protect 5166 | protection 5167 | protest 5168 | protesting 5169 | protracted 5170 | protraction 5171 | proud 5172 | prouder 5173 | proudly 5174 | prove 5175 | proved 5176 | provest 5177 | proveth 5178 | provide 5179 | provided 5180 | providedst 5181 | providence 5182 | province 5183 | provincial 5184 | provision 5185 | provisions 5186 | provoke 5187 | prudent 5188 | prunes 5189 | pryers 5190 | psalm 5191 | psalmody 5192 | psalms 5193 | psalter 5194 | psaltery 5195 | pub 5196 | public 5197 | publication 5198 | publicly 5199 | puffed 5200 | pulse 5201 | punctuation 5202 | punish 5203 | punishable 5204 | punished 5205 | punishment 5206 | punishments 5207 | punitive 5208 | pupils 5209 | puppies 5210 | purchase 5211 | purchased 5212 | purchasing 5213 | pure 5214 | purely 5215 | purer 5216 | purest 5217 | purged 5218 | purified 5219 | purity 5220 | purpose 5221 | purposed 5222 | purposes 5223 | purposing 5224 | pursue 5225 | pursued 5226 | pursues 5227 | pursuing 5228 | pursuits 5229 | pusey 5230 | put 5231 | putrefied 5232 | putting 5233 | pylades 5234 | qualified 5235 | qualities 5236 | quarrel 5237 | quarrels 5238 | quarter 5239 | queen 5240 | quench 5241 | quest 5242 | question 5243 | questioned 5244 | questioning 5245 | questionings 5246 | questions 5247 | quick 5248 | quicken 5249 | quickened 5250 | quickenest 5251 | quicker 5252 | quickly 5253 | quickness 5254 | quiet 5255 | quieter 5256 | quit 5257 | quite 5258 | quitting 5259 | quoth 5260 | race 5261 | races 5262 | racked 5263 | racks 5264 | rage 5265 | raged 5266 | raging 5267 | rais 5268 | raise 5269 | raised 5270 | raisedst 5271 | raises 5272 | raisest 5273 | raising 5274 | ran 5275 | random 5276 | range 5277 | ranged 5278 | rank 5279 | ranked 5280 | ransom 5281 | rapture 5282 | rare 5283 | rash 5284 | rashly 5285 | rashness 5286 | rates 5287 | rather 5288 | rational 5289 | raven 5290 | ravish 5291 | reach 5292 | reached 5293 | reacheth 5294 | reaching 5295 | read 5296 | readable 5297 | reader 5298 | readers 5299 | readest 5300 | readier 5301 | readily 5302 | readiness 5303 | reading 5304 | reads 5305 | ready 5306 | real 5307 | realised 5308 | realisest 5309 | realities 5310 | reality 5311 | really 5312 | reap 5313 | reason 5314 | reasonable 5315 | reasoning 5316 | reasonings 5317 | reasons 5318 | reawakened 5319 | rebel 5320 | rebelled 5321 | rebellious 5322 | rebuke 5323 | rebuked 5324 | recall 5325 | recalled 5326 | recallest 5327 | recalling 5328 | recalls 5329 | receive 5330 | received 5331 | receives 5332 | receivest 5333 | receiveth 5334 | receiving 5335 | recent 5336 | recently 5337 | receptacle 5338 | recess 5339 | recesses 5340 | recite 5341 | recited 5342 | reckon 5343 | reckoned 5344 | reckoning 5345 | reckons 5346 | reclaim 5347 | reclaiming 5348 | recognise 5349 | recognised 5350 | recognises 5351 | recognising 5352 | recollect 5353 | recollected 5354 | recollecting 5355 | recollection 5356 | recommend 5357 | recommended 5358 | recommending 5359 | reconcile 5360 | reconciled 5361 | reconcilement 5362 | reconciliation 5363 | recondite 5364 | record 5365 | recorded 5366 | recount 5367 | recounts 5368 | recourse 5369 | recover 5370 | recovered 5371 | recoveredst 5372 | recovering 5373 | recovery 5374 | recruiting 5375 | rectify 5376 | recur 5377 | recurring 5378 | redeem 5379 | redeemed 5380 | redeemer 5381 | redemption 5382 | redistributing 5383 | redoubling 5384 | refer 5385 | reference 5386 | references 5387 | referred 5388 | reflect 5389 | reform 5390 | reformed 5391 | refrain 5392 | refrained 5393 | refraining 5394 | refresh 5395 | refreshed 5396 | refreshing 5397 | refreshment 5398 | refuge 5399 | refund 5400 | refuse 5401 | refused 5402 | refusing 5403 | refute 5404 | regard 5405 | regarded 5406 | regardest 5407 | regarding 5408 | regardless 5409 | regenerated 5410 | regeneratedst 5411 | regeneration 5412 | region 5413 | regions 5414 | regular 5415 | regulate 5416 | rehearse 5417 | reigning 5418 | reigns 5419 | rein 5420 | reins 5421 | reinvolved 5422 | reject 5423 | rejected 5424 | rejection 5425 | rejects 5426 | rejoice 5427 | rejoiced 5428 | rejoices 5429 | rejoicest 5430 | rejoiceth 5431 | rejoicing 5432 | relapse 5433 | relapseth 5434 | relate 5435 | related 5436 | relater 5437 | relating 5438 | relation 5439 | relations 5440 | relationship 5441 | relative 5442 | relators 5443 | relaxation 5444 | relaxedly 5445 | relaxing 5446 | release 5447 | released 5448 | relics 5449 | relied 5450 | relief 5451 | relieve 5452 | religion 5453 | religious 5454 | religiously 5455 | remain 5456 | remainder 5457 | remained 5458 | remainest 5459 | remaineth 5460 | remaining 5461 | remains 5462 | remarkable 5463 | remedies 5464 | remember 5465 | remembered 5466 | remembereth 5467 | remembering 5468 | remembers 5469 | remembrance 5470 | remembrances 5471 | reminded 5472 | remindeth 5473 | remission 5474 | remitted 5475 | remittest 5476 | remnants 5477 | remorse 5478 | removal 5479 | remove 5480 | removed 5481 | rend 5482 | render 5483 | renderest 5484 | renew 5485 | renewed 5486 | reneweth 5487 | renewing 5488 | renounce 5489 | renowned 5490 | rent 5491 | repair 5492 | repay 5493 | repeat 5494 | repeated 5495 | repeating 5496 | repel 5497 | repelled 5498 | repent 5499 | repentance 5500 | repentest 5501 | replace 5502 | replacement 5503 | replacing 5504 | replenish 5505 | replenished 5506 | replenishing 5507 | replied 5508 | replies 5509 | reply 5510 | report 5511 | reported 5512 | reporters 5513 | reports 5514 | repose 5515 | reposed 5516 | reposes 5517 | reposeth 5518 | reposing 5519 | represent 5520 | repress 5521 | reproach 5522 | reproachful 5523 | reproof 5524 | reproved 5525 | reproves 5526 | reptiles 5527 | reputation 5528 | repute 5529 | reputed 5530 | request 5531 | require 5532 | required 5533 | requirements 5534 | requires 5535 | requiring 5536 | requital 5537 | requited 5538 | requitest 5539 | rescue 5540 | rescued 5541 | rescuing 5542 | resemble 5543 | resembling 5544 | resend 5545 | resent 5546 | reserved 5547 | reside 5548 | residest 5549 | resigned 5550 | resist 5551 | resistance 5552 | resisted 5553 | resistedst 5554 | resistest 5555 | resisteth 5556 | resisting 5557 | resolute 5558 | resolutely 5559 | resolution 5560 | resolved 5561 | respect 5562 | respected 5563 | respective 5564 | respects 5565 | respite 5566 | rest 5567 | rested 5568 | restest 5569 | resting 5570 | restless 5571 | restlessly 5572 | restlessness 5573 | restoration 5574 | restore 5575 | restored 5576 | restoring 5577 | restrain 5578 | restrained 5579 | restrainest 5580 | restraining 5581 | restrains 5582 | restraint 5583 | restricted 5584 | result 5585 | resulting 5586 | results 5587 | resumed 5588 | resumes 5589 | resurrection 5590 | retain 5591 | retained 5592 | retaineth 5593 | retard 5594 | retire 5595 | retired 5596 | retiring 5597 | retreat 5598 | return 5599 | returned 5600 | returning 5601 | returns 5602 | reveal 5603 | revealed 5604 | revealedst 5605 | revealing 5606 | revelation 5607 | revelations 5608 | revenge 5609 | revenged 5610 | revenges 5611 | revenue 5612 | reverence 5613 | reverential 5614 | reverently 5615 | review 5616 | reviewing 5617 | reviled 5618 | revised 5619 | revive 5620 | revolt 5621 | revolting 5622 | revolved 5623 | revolving 5624 | reward 5625 | rewards 5626 | rhetoric 5627 | rich 5628 | richer 5629 | riches 5630 | riddle 5631 | ridiculous 5632 | right 5633 | righteous 5634 | righteousness 5635 | rightful 5636 | rightly 5637 | rights 5638 | rigidly 5639 | rigorous 5640 | rioting 5641 | riotous 5642 | ripened 5643 | riper 5644 | rise 5645 | risen 5646 | riseth 5647 | rising 5648 | risk 5649 | rites 5650 | rivers 5651 | riveted 5652 | roared 5653 | roarest 5654 | rob 5655 | robber 5656 | robbery 5657 | robert 5658 | robing 5659 | rocks 5660 | rods 5661 | roll 5662 | rolled 5663 | rolling 5664 | roman 5665 | romanianus 5666 | rome 5667 | rood 5668 | room 5669 | root 5670 | rose 5671 | rottenness 5672 | rough 5673 | round 5674 | rounds 5675 | rouse 5676 | roused 5677 | rove 5678 | roving 5679 | rovings 5680 | royalties 5681 | royalty 5682 | rude 5683 | rudely 5684 | rudiments 5685 | rugged 5686 | ruggedness 5687 | ruinous 5688 | rule 5689 | ruled 5690 | ruler 5691 | rules 5692 | rulest 5693 | ruleth 5694 | ruminate 5695 | ruminating 5696 | run 5697 | running 5698 | runs 5699 | rush 5700 | rushing 5701 | s 5702 | sabbath 5703 | sacrament 5704 | sacraments 5705 | sacrifice 5706 | sacrificed 5707 | sacrifices 5708 | sacrificing 5709 | sacrilegious 5710 | sad 5711 | saddeneth 5712 | sadness 5713 | safe 5714 | safer 5715 | safety 5716 | said 5717 | saidst 5718 | sail 5719 | sailors 5720 | sails 5721 | saint 5722 | saints 5723 | saith 5724 | sake 5725 | sakes 5726 | salary 5727 | sale 5728 | salt 5729 | salted 5730 | salvation 5731 | same 5732 | sanctification 5733 | sanctified 5734 | sanctity 5735 | sanctuary 5736 | sand 5737 | sang 5738 | sangest 5739 | sank 5740 | sat 5741 | sate 5742 | sated 5743 | satiate 5744 | satiated 5745 | satiety 5746 | satisfaction 5747 | satisfactorily 5748 | satisfied 5749 | satisfy 5750 | satisfying 5751 | saturn 5752 | saul 5753 | savage 5754 | savageness 5755 | save 5756 | saved 5757 | saving 5758 | saviour 5759 | savour 5760 | savoured 5761 | savoury 5762 | saw 5763 | sawest 5764 | say 5765 | sayest 5766 | saying 5767 | sayings 5768 | says 5769 | scanning 5770 | scantling 5771 | scarce 5772 | scarcely 5773 | scatter 5774 | scattered 5775 | scatteredst 5776 | scenical 5777 | sceptre 5778 | schedule 5779 | scholar 5780 | scholars 5781 | school 5782 | schools 5783 | science 5784 | sciences 5785 | scoffed 5786 | scoffing 5787 | scorn 5788 | scorned 5789 | scornful 5790 | scornfully 5791 | scourge 5792 | scourged 5793 | scourgedst 5794 | scourges 5795 | scraped 5796 | scratch 5797 | scratching 5798 | scripture 5799 | scriptures 5800 | scroll 5801 | scruple 5802 | sea 5803 | seal 5804 | sealed 5805 | search 5806 | searched 5807 | searcher 5808 | searches 5809 | searching 5810 | seas 5811 | season 5812 | seasonably 5813 | seasoned 5814 | seasoneth 5815 | seasons 5816 | seat 5817 | seated 5818 | seats 5819 | second 5820 | secondary 5821 | secrecies 5822 | secret 5823 | secretly 5824 | secrets 5825 | sect 5826 | section 5827 | secular 5828 | secure 5829 | securely 5830 | seduce 5831 | seduced 5832 | seducers 5833 | seducing 5834 | seduction 5835 | seductions 5836 | seductive 5837 | see 5838 | seed 5839 | seeing 5840 | seek 5841 | seekest 5842 | seeketh 5843 | seeking 5844 | seeks 5845 | seem 5846 | seemed 5847 | seemeth 5848 | seemly 5849 | seems 5850 | seen 5851 | sees 5852 | seest 5853 | seeth 5854 | seize 5855 | seized 5856 | seizes 5857 | seldomness 5858 | selected 5859 | self 5860 | sell 5861 | sellers 5862 | selling 5863 | selves 5864 | semblance 5865 | senator 5866 | senators 5867 | send 5868 | sending 5869 | seneca 5870 | sensation 5871 | sensations 5872 | sense 5873 | senseless 5874 | senses 5875 | sensible 5876 | sensibly 5877 | sensitive 5878 | sent 5879 | sentence 5880 | sentences 5881 | sentest 5882 | sentiment 5883 | separate 5884 | separated 5885 | separateth 5886 | separating 5887 | seraphim 5888 | serene 5889 | serenity 5890 | sermons 5891 | serpent 5892 | serpents 5893 | servant 5894 | servants 5895 | serve 5896 | served 5897 | serves 5898 | service 5899 | serviceable 5900 | services 5901 | serving 5902 | servitude 5903 | session 5904 | set 5905 | sets 5906 | settest 5907 | setting 5908 | settle 5909 | settled 5910 | settling 5911 | seven 5912 | seventh 5913 | sever 5914 | several 5915 | severally 5916 | severe 5917 | severed 5918 | severely 5919 | severer 5920 | severing 5921 | severity 5922 | sex 5923 | shade 5924 | shadow 5925 | shadowed 5926 | shadows 5927 | shadowy 5928 | shady 5929 | shaggy 5930 | shake 5931 | shaken 5932 | shakes 5933 | shall 5934 | shalt 5935 | shame 5936 | shameful 5937 | shamefulness 5938 | shameless 5939 | shamelessness 5940 | shape 5941 | shapen 5942 | shapes 5943 | share 5944 | shared 5945 | sharers 5946 | shares 5947 | sharp 5948 | sharpen 5949 | sharper 5950 | sharply 5951 | sharpness 5952 | sharpsighted 5953 | shatter 5954 | shattered 5955 | she 5956 | shed 5957 | sheep 5958 | shelter 5959 | shepherd 5960 | shield 5961 | shifted 5962 | shifting 5963 | shine 5964 | shines 5965 | shinest 5966 | shineth 5967 | shining 5968 | ship 5969 | ships 5970 | shipwreck 5971 | shod 5972 | shoe 5973 | shoes 5974 | shone 5975 | shonest 5976 | shook 5977 | shoot 5978 | shop 5979 | shops 5980 | shore 5981 | short 5982 | shortened 5983 | shorter 5984 | shortly 5985 | should 5986 | shoulder 5987 | shoulders 5988 | shouldest 5989 | shouted 5990 | shoutedst 5991 | show 5992 | showed 5993 | showedst 5994 | shower 5995 | showeth 5996 | showing 5997 | shown 5998 | shows 5999 | shrink 6000 | shrinking 6001 | shrunk 6002 | shudder 6003 | shunning 6004 | shuns 6005 | shut 6006 | sick 6007 | sickly 6008 | sickness 6009 | sicknesses 6010 | side 6011 | sides 6012 | siege 6013 | sigh 6014 | sighed 6015 | sigheth 6016 | sighing 6017 | sighs 6018 | sight 6019 | sights 6020 | sign 6021 | significations 6022 | signified 6023 | signifies 6024 | signify 6025 | signs 6026 | silence 6027 | silenced 6028 | silent 6029 | silently 6030 | silly 6031 | silver 6032 | silversmiths 6033 | similitude 6034 | simple 6035 | simplicianus 6036 | simplicity 6037 | simply 6038 | sin 6039 | since 6040 | sincerely 6041 | sinful 6042 | sing 6043 | singeth 6044 | singing 6045 | single 6046 | singly 6047 | sings 6048 | singsong 6049 | singular 6050 | singularly 6051 | sink 6052 | sinking 6053 | sinks 6054 | sinned 6055 | sinner 6056 | sinners 6057 | sins 6058 | sipped 6059 | sips 6060 | sit 6061 | sites 6062 | sits 6063 | sittest 6064 | sitteth 6065 | sitting 6066 | six 6067 | sixteenth 6068 | sixth 6069 | size 6070 | skies 6071 | skilful 6072 | skill 6073 | skilled 6074 | skin 6075 | skins 6076 | skirmishes 6077 | skirts 6078 | sky 6079 | slackened 6080 | slackness 6081 | slain 6082 | slave 6083 | slavery 6084 | slaves 6085 | slavish 6086 | slay 6087 | slaying 6088 | sleep 6089 | sleeper 6090 | sleepest 6091 | sleeping 6092 | slept 6093 | slew 6094 | slight 6095 | slighting 6096 | slightly 6097 | slipped 6098 | slippery 6099 | sloth 6100 | slothful 6101 | slow 6102 | slower 6103 | slowly 6104 | sluggish 6105 | slumber 6106 | slumbers 6107 | small 6108 | smaller 6109 | smallest 6110 | smarting 6111 | smell 6112 | smelleth 6113 | smelling 6114 | smells 6115 | smile 6116 | smiled 6117 | smiling 6118 | smiting 6119 | smoke 6120 | smooth 6121 | smoothed 6122 | smoothing 6123 | snare 6124 | snares 6125 | snow 6126 | so 6127 | soaring 6128 | sober 6129 | soberly 6130 | sobriety 6131 | socalled 6132 | society 6133 | sodom 6134 | soever 6135 | soft 6136 | softened 6137 | softening 6138 | softly 6139 | software 6140 | soil 6141 | solaces 6142 | sold 6143 | soldier 6144 | sole 6145 | solecism 6146 | solemn 6147 | solemnise 6148 | solemnities 6149 | solemnity 6150 | solicited 6151 | solicits 6152 | solid 6153 | solidity 6154 | solitude 6155 | solomon 6156 | solstices 6157 | solve 6158 | solving 6159 | some 6160 | someone 6161 | something 6162 | sometime 6163 | sometimes 6164 | somewhat 6165 | somewhere 6166 | son 6167 | song 6168 | songs 6169 | sons 6170 | soon 6171 | sooner 6172 | soothed 6173 | soothes 6174 | sore 6175 | sorely 6176 | sores 6177 | sorrow 6178 | sorrowed 6179 | sorrowful 6180 | sorrowfulness 6181 | sorrows 6182 | sorry 6183 | sort 6184 | sorts 6185 | sought 6186 | soughtest 6187 | soul 6188 | souls 6189 | sound 6190 | sounded 6191 | soundedst 6192 | sounder 6193 | soundeth 6194 | sounding 6195 | soundly 6196 | soundness 6197 | sounds 6198 | sour 6199 | source 6200 | sources 6201 | south 6202 | sovereign 6203 | sovereignly 6204 | sowing 6205 | space 6206 | spaces 6207 | spacious 6208 | spake 6209 | spare 6210 | sparedst 6211 | sparks 6212 | sparrow 6213 | sparrows 6214 | speak 6215 | speakers 6216 | speakest 6217 | speaketh 6218 | speaking 6219 | speaks 6220 | special 6221 | species 6222 | specimens 6223 | spectacle 6224 | spectacles 6225 | spectator 6226 | spectators 6227 | speech 6228 | speeches 6229 | speechless 6230 | speed 6231 | speedily 6232 | spend 6233 | spent 6234 | spices 6235 | spider 6236 | spirit 6237 | spirits 6238 | spiritual 6239 | spiritually 6240 | spoil 6241 | spoke 6242 | spoken 6243 | spokest 6244 | sponge 6245 | sport 6246 | sportively 6247 | sports 6248 | spot 6249 | spots 6250 | spouts 6251 | sprang 6252 | spread 6253 | spreadest 6254 | spreading 6255 | spreads 6256 | spring 6257 | springeth 6258 | springs 6259 | sprung 6260 | spurn 6261 | stable 6262 | stablished 6263 | staff 6264 | stage 6265 | stages 6266 | staggered 6267 | stand 6268 | standest 6269 | standeth 6270 | standing 6271 | stands 6272 | stank 6273 | stanza 6274 | stanzas 6275 | star 6276 | starry 6277 | stars 6278 | start 6279 | starting 6280 | startled 6281 | startles 6282 | state 6283 | stated 6284 | stateliness 6285 | statement 6286 | states 6287 | station 6288 | statue 6289 | stature 6290 | status 6291 | stay 6292 | stayed 6293 | stays 6294 | stead 6295 | steadfast 6296 | steal 6297 | stealing 6298 | steals 6299 | stealth 6300 | steep 6301 | steeping 6302 | steer 6303 | steered 6304 | step 6305 | steps 6306 | stick 6307 | sticking 6308 | stiff 6309 | stiffly 6310 | stiffneckedness 6311 | stiffness 6312 | still 6313 | stilled 6314 | stimulus 6315 | stipend 6316 | stir 6317 | stirred 6318 | stirrest 6319 | stirring 6320 | stole 6321 | stolen 6322 | stolidity 6323 | stomach 6324 | stomachs 6325 | stone 6326 | stones 6327 | stood 6328 | stoop 6329 | stooping 6330 | stop 6331 | stopped 6332 | store 6333 | stored 6334 | stores 6335 | stories 6336 | storing 6337 | storm 6338 | stormed 6339 | stormy 6340 | story 6341 | stowed 6342 | straightening 6343 | strained 6344 | strait 6345 | straitly 6346 | straitness 6347 | strange 6348 | strangely 6349 | stranger 6350 | strangers 6351 | strayed 6352 | straying 6353 | stream 6354 | streaming 6355 | streams 6356 | streets 6357 | strength 6358 | strengthen 6359 | strengthened 6360 | strengthenedst 6361 | strengthenest 6362 | strengtheneth 6363 | strengthless 6364 | stretch 6365 | stretched 6366 | stretching 6367 | stricken 6368 | strict 6369 | strictness 6370 | strife 6371 | strifes 6372 | strike 6373 | strikes 6374 | striking 6375 | strings 6376 | stripes 6377 | stripped 6378 | strive 6379 | strives 6380 | striving 6381 | stroke 6382 | strong 6383 | strongholds 6384 | strongly 6385 | struck 6386 | structure 6387 | struggle 6388 | struggled 6389 | struggles 6390 | struggling 6391 | stuck 6392 | student 6393 | students 6394 | studied 6395 | studies 6396 | studious 6397 | studiously 6398 | study 6399 | studying 6400 | stuff 6401 | stumble 6402 | stumbled 6403 | stumbling 6404 | stung 6405 | stupidity 6406 | style 6407 | styled 6408 | subdu 6409 | subdued 6410 | subduedst 6411 | subduing 6412 | subject 6413 | subjected 6414 | subjection 6415 | subjects 6416 | subjoined 6417 | subjoinedst 6418 | subjoins 6419 | sublime 6420 | sublimely 6421 | sublimer 6422 | sublimities 6423 | sublimity 6424 | submit 6425 | submitted 6426 | submitting 6427 | subordinate 6428 | subsequently 6429 | subsist 6430 | subsists 6431 | substance 6432 | substances 6433 | substantial 6434 | subtile 6435 | subtilty 6436 | subtle 6437 | subversion 6438 | subverted 6439 | subverters 6440 | subvertings 6441 | succeed 6442 | succeeded 6443 | succeeding 6444 | succession 6445 | successive 6446 | successively 6447 | succour 6448 | succouredst 6449 | such 6450 | suck 6451 | sucking 6452 | sucklings 6453 | sudden 6454 | suddenly 6455 | sue 6456 | suffer 6457 | suffered 6458 | sufferedst 6459 | sufferest 6460 | suffering 6461 | suffers 6462 | suffice 6463 | sufficed 6464 | sufficest 6465 | sufficeth 6466 | sufficient 6467 | sufficiently 6468 | suffocated 6469 | suffrages 6470 | suggest 6471 | suggested 6472 | suggestion 6473 | suggestions 6474 | suggests 6475 | suitable 6476 | suitably 6477 | summer 6478 | summing 6479 | summit 6480 | sumptuously 6481 | sun 6482 | sunder 6483 | sung 6484 | sunk 6485 | supercelestial 6486 | supereminence 6487 | supereminent 6488 | superfluously 6489 | superior 6490 | superstition 6491 | superstitious 6492 | suppliant 6493 | supplied 6494 | supplies 6495 | support 6496 | supported 6497 | supporting 6498 | suppose 6499 | supposed 6500 | supposing 6501 | suppress 6502 | suppressed 6503 | supreme 6504 | supremely 6505 | sure 6506 | surely 6507 | surf 6508 | surface 6509 | surfeiting 6510 | surmount 6511 | surmounted 6512 | surpassed 6513 | surpasses 6514 | surpassest 6515 | surpassingly 6516 | surprises 6517 | surrounded 6518 | surveyed 6519 | suspect 6520 | suspected 6521 | suspense 6522 | suspicions 6523 | suspicious 6524 | sustenance 6525 | swallowed 6526 | swaying 6527 | sweat 6528 | sweet 6529 | sweeten 6530 | sweetened 6531 | sweeter 6532 | sweetly 6533 | sweetlyvain 6534 | sweetness 6535 | sweetnesses 6536 | swelled 6537 | swelling 6538 | swept 6539 | swerving 6540 | swift 6541 | swiftness 6542 | swine 6543 | swollen 6544 | swoon 6545 | sword 6546 | syllable 6547 | syllables 6548 | symmachus 6549 | sympathy 6550 | syrian 6551 | tabernacle 6552 | table 6553 | take 6554 | taken 6555 | takes 6556 | taketh 6557 | taking 6558 | tale 6559 | talent 6560 | talented 6561 | talents 6562 | tales 6563 | talk 6564 | talked 6565 | talkers 6566 | talketh 6567 | talking 6568 | tame 6569 | tamed 6570 | tamedst 6571 | tamer 6572 | taming 6573 | tardy 6574 | task 6575 | taste 6576 | tasted 6577 | tastes 6578 | tasteth 6579 | tasting 6580 | tattlings 6581 | taught 6582 | taughtest 6583 | taunt 6584 | taunted 6585 | tax 6586 | taxes 6587 | tcosa10 6588 | tcosa10a 6589 | tcosa11 6590 | teach 6591 | teacher 6592 | teachers 6593 | teaches 6594 | teachest 6595 | teacheth 6596 | teaching 6597 | teachings 6598 | tear 6599 | tearful 6600 | tears 6601 | tediousness 6602 | teeming 6603 | teeth 6604 | tell 6605 | tellest 6606 | telleth 6607 | telling 6608 | tells 6609 | temper 6610 | temperament 6611 | temperance 6612 | tempered 6613 | tempers 6614 | tempestuously 6615 | temple 6616 | temples 6617 | temporal 6618 | temporary 6619 | temporately 6620 | tempt 6621 | temptation 6622 | temptations 6623 | tempted 6624 | tempting 6625 | tempts 6626 | ten 6627 | tend 6628 | tender 6629 | tenderly 6630 | tenderness 6631 | tendernesses 6632 | tending 6633 | tends 6634 | tenet 6635 | tenets 6636 | tenor 6637 | terence 6638 | termed 6639 | terms 6640 | terrestrial 6641 | terrible 6642 | terribly 6643 | terrors 6644 | testament 6645 | testified 6646 | testimonies 6647 | testimony 6648 | texas 6649 | text 6650 | texts 6651 | thagaste 6652 | than 6653 | thank 6654 | thankful 6655 | thanks 6656 | thanksgiving 6657 | thanksgivings 6658 | that 6659 | the 6660 | theatre 6661 | theatres 6662 | theatrical 6663 | thee 6664 | theft 6665 | thefts 6666 | their 6667 | theirs 6668 | them 6669 | themselves 6670 | then 6671 | thence 6672 | thenceforth 6673 | there 6674 | thereby 6675 | therefore 6676 | therefrom 6677 | therein 6678 | thereof 6679 | thereon 6680 | thereto 6681 | thereupon 6682 | therewith 6683 | these 6684 | thessalonica 6685 | they 6686 | thick 6687 | thickeneth 6688 | thickets 6689 | thief 6690 | thieve 6691 | thin 6692 | thine 6693 | thing 6694 | things 6695 | think 6696 | thinkest 6697 | thinketh 6698 | thinking 6699 | thinks 6700 | third 6701 | thirdly 6702 | thirst 6703 | thirsted 6704 | thirsteth 6705 | thirsts 6706 | thirtieth 6707 | this 6708 | thither 6709 | thorns 6710 | thoroughly 6711 | those 6712 | thou 6713 | though 6714 | thought 6715 | thoughts 6716 | thousand 6717 | thraldom 6718 | thread 6719 | threatenest 6720 | threatens 6721 | threats 6722 | three 6723 | threefold 6724 | thrice 6725 | thriven 6726 | throat 6727 | throne 6728 | thrones 6729 | throng 6730 | throngs 6731 | through 6732 | throughout 6733 | thrown 6734 | thrust 6735 | thrustedst 6736 | thunder 6737 | thundered 6738 | thunderer 6739 | thunderest 6740 | thundering 6741 | thus 6742 | thwart 6743 | thy 6744 | thyself 6745 | tibi 6746 | tickled 6747 | tide 6748 | tides 6749 | tie 6750 | tilde 6751 | till 6752 | time 6753 | times 6754 | tip 6755 | tire 6756 | tired 6757 | title 6758 | titles 6759 | tm 6760 | to 6761 | tobias 6762 | together 6763 | toil 6764 | toiled 6765 | toiling 6766 | toilsome 6767 | token 6768 | told 6769 | tolerated 6770 | tolerating 6771 | toment 6772 | tomenting 6773 | tomorrow 6774 | tone 6775 | tones 6776 | tongue 6777 | tongues 6778 | too 6779 | took 6780 | tookest 6781 | top 6782 | tore 6783 | torment 6784 | tormented 6785 | torments 6786 | torn 6787 | torpor 6788 | torrent 6789 | torture 6790 | toss 6791 | tossed 6792 | tosses 6793 | total 6794 | touch 6795 | touched 6796 | touchedst 6797 | touching 6798 | toward 6799 | towardliness 6800 | towards 6801 | tower 6802 | town 6803 | townsman 6804 | toys 6805 | trace 6806 | traced 6807 | tracedst 6808 | traces 6809 | track 6810 | trade 6811 | trademark 6812 | tradition 6813 | tragical 6814 | trailed 6815 | trample 6816 | trampled 6817 | tranquil 6818 | tranquillity 6819 | transcribe 6820 | transcription 6821 | transferred 6822 | transferring 6823 | transformed 6824 | transforming 6825 | transgressing 6826 | transgression 6827 | transgressions 6828 | transgressors 6829 | transition 6830 | transitory 6831 | translated 6832 | transmitted 6833 | transparent 6834 | transported 6835 | travail 6836 | travailed 6837 | travailing 6838 | travails 6839 | traveller 6840 | treacherous 6841 | treachery 6842 | tread 6843 | treasure 6844 | treasured 6845 | treasures 6846 | treasury 6847 | treat 6848 | treble 6849 | tree 6850 | trees 6851 | tremble 6852 | trembled 6853 | trembling 6854 | trial 6855 | trials 6856 | tribulation 6857 | tribute 6858 | tried 6859 | triers 6860 | trifles 6861 | trifling 6862 | trillion 6863 | trine 6864 | trinity 6865 | triple 6866 | triumph 6867 | triumphed 6868 | triumpheth 6869 | trod 6870 | trojan 6871 | troop 6872 | troops 6873 | trouble 6874 | troubled 6875 | troubles 6876 | troublesome 6877 | troy 6878 | true 6879 | truer 6880 | truly 6881 | trust 6882 | trustees 6883 | trusting 6884 | truth 6885 | truths 6886 | try 6887 | trying 6888 | tully 6889 | tumbling 6890 | tumult 6891 | tumults 6892 | tumultuous 6893 | tumultuously 6894 | tumultuousness 6895 | tune 6896 | turbulence 6897 | turbulent 6898 | turmoiling 6899 | turmoils 6900 | turn 6901 | turned 6902 | turnest 6903 | turning 6904 | turns 6905 | tutor 6906 | tutors 6907 | twelve 6908 | twentieth 6909 | twenty 6910 | twice 6911 | twinkling 6912 | twins 6913 | twisted 6914 | two 6915 | txt 6916 | ulcerous 6917 | uman 6918 | unabiding 6919 | unable 6920 | unacquainted 6921 | unadorned 6922 | unaided 6923 | unallowed 6924 | unalterable 6925 | unanxious 6926 | unarranged 6927 | unassuming 6928 | unawares 6929 | unbecoming 6930 | unbelievers 6931 | unbelieving 6932 | unbending 6933 | unbeseemingly 6934 | unbounded 6935 | unbroken 6936 | uncase 6937 | unceasing 6938 | uncertain 6939 | uncertainties 6940 | uncertainty 6941 | unchain 6942 | unchangeable 6943 | unchangeableness 6944 | unchangeably 6945 | unchanged 6946 | unclean 6947 | uncleanness 6948 | unconscious 6949 | unconsciously 6950 | uncorrupted 6951 | uncorruptible 6952 | uncorruptness 6953 | uncultivated 6954 | undefilable 6955 | under 6956 | undergo 6957 | underline 6958 | understand 6959 | understandeth 6960 | understanding 6961 | understands 6962 | understood 6963 | undertake 6964 | undertook 6965 | underwent 6966 | undid 6967 | undistracted 6968 | undisturbed 6969 | undo 6970 | unemployed 6971 | unexpected 6972 | unexpectedly 6973 | unexplained 6974 | unfailing 6975 | unfailingly 6976 | unfair 6977 | unfeigned 6978 | unfledged 6979 | unforgotten 6980 | unformed 6981 | unfriendly 6982 | ungodlily 6983 | ungodliness 6984 | ungodly 6985 | ungoverned 6986 | unhappily 6987 | unhappiness 6988 | unhappy 6989 | unharmonising 6990 | unhealthiness 6991 | unhesitatingly 6992 | unholy 6993 | uninjurable 6994 | uninjuriousness 6995 | unintelligible 6996 | unintermitting 6997 | union 6998 | united 6999 | unity 7000 | universal 7001 | universally 7002 | universe 7003 | university 7004 | unjust 7005 | unjustly 7006 | unkindled 7007 | unkindness 7008 | unknowing 7009 | unknowingly 7010 | unknown 7011 | unlawful 7012 | unlearned 7013 | unless 7014 | unlicensed 7015 | unlike 7016 | unlikeliness 7017 | unlikeness 7018 | unliker 7019 | unlimited 7020 | unlocked 7021 | unlooked 7022 | unmarried 7023 | unmeasurable 7024 | unmeasured 7025 | unnatural 7026 | unpassable 7027 | unperceived 7028 | unpermitted 7029 | unpleasantly 7030 | unpraised 7031 | unpunished 7032 | unquiet 7033 | unravelied 7034 | unravelled 7035 | unreal 7036 | unreasoning 7037 | unresolved 7038 | unrighteous 7039 | unrulily 7040 | unruly 7041 | unsating 7042 | unsearchable 7043 | unseemly 7044 | unseen 7045 | unsettled 7046 | unshaken 7047 | unshakenly 7048 | unskilful 7049 | unskilfulness 7050 | unsought 7051 | unsound 7052 | unspeakable 7053 | unstable 7054 | unstayed 7055 | unsuitably 7056 | unsure 7057 | untainted 7058 | unteach 7059 | unteachable 7060 | unthankful 7061 | unthought 7062 | until 7063 | unto 7064 | untruly 7065 | untruth 7066 | unused 7067 | unusual 7068 | unutterable 7069 | unutterably 7070 | unveiled 7071 | unwarmed 7072 | unwearied 7073 | unwholesome 7074 | unwilling 7075 | unwonted 7076 | unworthy 7077 | unyielding 7078 | up 7079 | upborne 7080 | upbraid 7081 | upbraided 7082 | upheld 7083 | upheldest 7084 | uphold 7085 | upliftest 7086 | upon 7087 | upper 7088 | upright 7089 | uprightness 7090 | uproar 7091 | upward 7092 | upwards 7093 | urge 7094 | urged 7095 | urgedst 7096 | urgently 7097 | us 7098 | usa 7099 | usage 7100 | use 7101 | used 7102 | useful 7103 | usefully 7104 | users 7105 | uses 7106 | useth 7107 | ushered 7108 | using 7109 | usual 7110 | usually 7111 | usury 7112 | utensils 7113 | utmost 7114 | utter 7115 | utterance 7116 | uttered 7117 | uttereth 7118 | utterly 7119 | vacation 7120 | vagrant 7121 | vail 7122 | vain 7123 | vainglorious 7124 | vainly 7125 | valentinian 7126 | valiant 7127 | valley 7128 | valuable 7129 | value 7130 | valued 7131 | vanilla 7132 | vanished 7133 | vanities 7134 | vanity 7135 | vanquished 7136 | vapours 7137 | variable 7138 | variableness 7139 | variance 7140 | variation 7141 | variations 7142 | varied 7143 | varies 7144 | varieties 7145 | variety 7146 | various 7147 | variously 7148 | vary 7149 | varying 7150 | vast 7151 | vaster 7152 | vaunt 7153 | vehemence 7154 | vehement 7155 | vehemently 7156 | veil 7157 | veiled 7158 | vein 7159 | venerable 7160 | vengeance 7161 | vent 7162 | venture 7163 | ventures 7164 | venturing 7165 | venus 7166 | ver 7167 | verecundus 7168 | verily 7169 | verity 7170 | vermont 7171 | verse 7172 | verses 7173 | version 7174 | versions 7175 | very 7176 | vessel 7177 | vessels 7178 | vestige 7179 | vex 7180 | vexed 7181 | vi 7182 | vice 7183 | vices 7184 | viciousness 7185 | vicissitude 7186 | vicissitudes 7187 | victim 7188 | victor 7189 | victorinus 7190 | victorious 7191 | victory 7192 | view 7193 | viewing 7194 | vigorous 7195 | vigour 7196 | vii 7197 | viii 7198 | vile 7199 | vileness 7200 | villa 7201 | villainies 7202 | vindicating 7203 | vindicianus 7204 | vineyard 7205 | vintage 7206 | violated 7207 | violence 7208 | violent 7209 | violets 7210 | viper 7211 | virgil 7212 | virgin 7213 | virginity 7214 | virgins 7215 | virtue 7216 | virtuous 7217 | virus 7218 | visible 7219 | vision 7220 | visions 7221 | vital 7222 | vivid 7223 | vocal 7224 | vocally 7225 | voice 7226 | voices 7227 | void 7228 | volume 7229 | volumes 7230 | voluntarily 7231 | volunteers 7232 | voluptuous 7233 | voluptuousness 7234 | vomited 7235 | vouchsafe 7236 | vouchsafed 7237 | vouchsafedst 7238 | vouchsafest 7239 | vow 7240 | vowed 7241 | vowing 7242 | vows 7243 | voyage 7244 | vulgar 7245 | waft 7246 | waged 7247 | wages 7248 | wail 7249 | wait 7250 | waited 7251 | waiting 7252 | waking 7253 | walk 7254 | walked 7255 | walking 7256 | walks 7257 | wallow 7258 | wallowed 7259 | walls 7260 | wander 7261 | wandered 7262 | wanderer 7263 | wandering 7264 | wanderings 7265 | want 7266 | wanted 7267 | wanting 7268 | wanton 7269 | wantonly 7270 | wantonness 7271 | wants 7272 | war 7273 | warfare 7274 | warmth 7275 | warned 7276 | warning 7277 | warped 7278 | warranted 7279 | warranties 7280 | warranty 7281 | warreth 7282 | warring 7283 | wars 7284 | was 7285 | wash 7286 | washing 7287 | wast 7288 | waste 7289 | wasted 7290 | wasting 7291 | watch 7292 | watched 7293 | watchfully 7294 | watchings 7295 | water 7296 | watered 7297 | waterest 7298 | waters 7299 | watery 7300 | waver 7301 | wavered 7302 | wavering 7303 | waves 7304 | wavy 7305 | wax 7306 | way 7307 | wayfaring 7308 | ways 7309 | wayward 7310 | we 7311 | weak 7312 | weaken 7313 | weakened 7314 | weaker 7315 | weakest 7316 | weakly 7317 | weakness 7318 | weaknesses 7319 | weal 7320 | wealth 7321 | wealthy 7322 | weapon 7323 | wear 7324 | wearied 7325 | weariness 7326 | wearing 7327 | wearisome 7328 | weary 7329 | weaving 7330 | wedlock 7331 | weep 7332 | weeping 7333 | weeps 7334 | weigh 7335 | weighed 7336 | weigheth 7337 | weighing 7338 | weight 7339 | weights 7340 | weighty 7341 | welcome 7342 | well 7343 | weltering 7344 | went 7345 | wept 7346 | were 7347 | wert 7348 | whales 7349 | what 7350 | whatever 7351 | whatsoever 7352 | wheat 7353 | wheel 7354 | when 7355 | whence 7356 | whencesoever 7357 | whenever 7358 | where 7359 | whereas 7360 | whereat 7361 | whereby 7362 | wherefore 7363 | wherefrom 7364 | wherein 7365 | whereof 7366 | whereon 7367 | wheresoever 7368 | whereto 7369 | whereupon 7370 | wherever 7371 | wherewith 7372 | whether 7373 | which 7374 | whichsoever 7375 | while 7376 | whilst 7377 | whirling 7378 | whirlings 7379 | whirlpool 7380 | whirlpools 7381 | whispered 7382 | whisperings 7383 | whispers 7384 | whit 7385 | white 7386 | whither 7387 | whithersoever 7388 | whitherto 7389 | whitherward 7390 | who 7391 | whoever 7392 | whole 7393 | wholesome 7394 | wholesomely 7395 | wholesomeness 7396 | wholly 7397 | whom 7398 | whomever 7399 | whoring 7400 | whose 7401 | whoso 7402 | whosoever 7403 | why 7404 | wicked 7405 | wickedly 7406 | wickedness 7407 | wide 7408 | widow 7409 | widows 7410 | wife 7411 | wild 7412 | wilderness 7413 | wildness 7414 | wilfully 7415 | wilfulness 7416 | will 7417 | willed 7418 | willedst 7419 | willest 7420 | willeth 7421 | willing 7422 | willingly 7423 | wills 7424 | wilt 7425 | win 7426 | wind 7427 | winding 7428 | windings 7429 | window 7430 | winds 7431 | windus 7432 | windy 7433 | wine 7434 | wings 7435 | winked 7436 | winning 7437 | wins 7438 | wipe 7439 | wisdom 7440 | wise 7441 | wisely 7442 | wiser 7443 | wish 7444 | wished 7445 | wishes 7446 | wishing 7447 | wit 7448 | with 7449 | withal 7450 | withdraw 7451 | withdrawing 7452 | withdrawn 7453 | withdrew 7454 | wither 7455 | withered 7456 | withering 7457 | within 7458 | without 7459 | withstood 7460 | witness 7461 | witnesses 7462 | witting 7463 | wittingly 7464 | wives 7465 | wizard 7466 | woe 7467 | woes 7468 | woke 7469 | woman 7470 | womanish 7471 | womb 7472 | women 7473 | won 7474 | wonder 7475 | wondered 7476 | wonderful 7477 | wonderfully 7478 | wonderfulness 7479 | wondering 7480 | wonders 7481 | wondrous 7482 | wondrously 7483 | wont 7484 | wonted 7485 | wood 7486 | wooden 7487 | wooed 7488 | word 7489 | wordly 7490 | words 7491 | wordy 7492 | work 7493 | workest 7494 | worketh 7495 | workhouse 7496 | working 7497 | workings 7498 | workmanship 7499 | workmaster 7500 | works 7501 | world 7502 | worldly 7503 | worlds 7504 | worm 7505 | worn 7506 | worse 7507 | worship 7508 | worshipped 7509 | worshipper 7510 | worshippers 7511 | worshipping 7512 | worsted 7513 | worthless 7514 | worthy 7515 | would 7516 | wouldest 7517 | wound 7518 | wounded 7519 | woundest 7520 | wounds 7521 | wove 7522 | wrap 7523 | wrath 7524 | wrench 7525 | wrested 7526 | wretch 7527 | wretched 7528 | wretchedness 7529 | wring 7530 | wrinkle 7531 | writ 7532 | write 7533 | writer 7534 | writing 7535 | writings 7536 | written 7537 | wrong 7538 | wronged 7539 | wronging 7540 | wrote 7541 | wroth 7542 | wrought 7543 | wyoming 7544 | ye 7545 | yea 7546 | year 7547 | years 7548 | yes 7549 | yesterday 7550 | yet 7551 | yield 7552 | yielded 7553 | yieldeth 7554 | yielding 7555 | yields 7556 | yoke 7557 | you 7558 | young 7559 | younger 7560 | your 7561 | yourselves 7562 | youth 7563 | youthful 7564 | youthfulness 7565 | youths 7566 | zeal 7567 | zealous 7568 | zealously 7569 | zip 7570 | -------------------------------------------------------------------------------- /god/god.zig: -------------------------------------------------------------------------------- 1 | const mem = @import("std").mem; 2 | const copy = mem.copy; 3 | const Allocator = mem.Allocator; 4 | const Stack = @import("std").atomic.Stack; 5 | var alloc = @import("std").heap.wasm_allocator; 6 | const fmt = @import("std").fmt; 7 | 8 | const olin = @import("./olin/olin.zig"); 9 | const Resource = olin.resource.Resource; 10 | const words = @embedFile("./Vocab.DD"); 11 | const numWordsInFile = 7570; 12 | 13 | export fn cwa_main() i32 { 14 | main() catch unreachable; 15 | 16 | return 0; 17 | } 18 | 19 | fn main() !void { 20 | var god = try God.init(); 21 | var written: usize = 0; 22 | const stdout = try Resource.stdout(); 23 | const space = " "; 24 | const nl = "\n"; 25 | 26 | god.add_bits(32, olin.random.int32()); 27 | god.add_bits(32, olin.random.int32()); 28 | god.add_bits(32, olin.random.int32()); 29 | god.add_bits(32, olin.random.int32()); 30 | god.add_bits(32, olin.random.int32()); 31 | god.add_bits(32, olin.random.int32()); 32 | god.add_bits(32, olin.random.int32()); 33 | god.add_bits(32, olin.random.int32()); 34 | god.add_bits(32, olin.random.int32()); 35 | god.add_bits(32, olin.random.int32()); 36 | god.add_bits(32, olin.random.int32()); 37 | god.add_bits(32, olin.random.int32()); 38 | god.add_bits(32, olin.random.int32()); 39 | god.add_bits(32, olin.random.int32()); 40 | god.add_bits(32, olin.random.int32()); 41 | god.add_bits(32, olin.random.int32()); 42 | 43 | var i: usize = 0; 44 | while (i < 15) : (i += 1) { 45 | const w = god.get_word(); 46 | written += (w.len + 1); 47 | const ignored = stdout.write(w.ptr, w.len); 48 | const ignored_also = stdout.write(&space, space.len); 49 | 50 | if (written >= 70) { 51 | const ignored_again = stdout.write(&nl, nl.len); 52 | written = 0; 53 | } 54 | } 55 | const ignored_again = stdout.write(&nl, nl.len); 56 | } 57 | 58 | fn putInt(val: usize) !void { 59 | var thing: []u8 = try alloc.alloc(u8, 16); 60 | const leng = fmt.formatIntBuf(thing, val, 10, false, 0); 61 | olin.log.info(thing[0..leng]); 62 | } 63 | 64 | const God = struct { 65 | words: [][]const u8, 66 | bits: *Stack(u8), 67 | 68 | fn init() !*God { 69 | var result: *God = undefined; 70 | 71 | var stack = Stack(u8).init(); 72 | result = try alloc.create(God); 73 | result.words = try splitWords(words[0..words.len], numWordsInFile); 74 | result.bits = &stack; 75 | 76 | return result; 77 | } 78 | 79 | fn add_bits(self: *God, num_bits: i64, n: i64) void { 80 | var i: i64 = 0; 81 | var nn = n; 82 | while (i < num_bits) : (i += 1) { 83 | var node = alloc.create(Stack(u8).Node) catch unreachable; 84 | node.* = Stack(u8).Node { 85 | .next = undefined, 86 | .data = @intCast(u8, nn & 1), 87 | }; 88 | self.bits.push(node); 89 | nn = nn >> 1; 90 | } 91 | } 92 | 93 | fn get_word(self: *God) []const u8 { 94 | const gotten = @mod(self.get_bits(14), numWordsInFile); 95 | const word = self.words[@intCast(usize, gotten)]; 96 | return word; 97 | } 98 | 99 | fn get_bits(self: *God, num_bits: i64) i64 { 100 | var i: i64 = 0; 101 | var result: i64 = 0; 102 | while (i < num_bits) : (i += 1) { 103 | const n = self.bits.pop(); 104 | 105 | if (n) |nn| { 106 | result = result + @intCast(i64, nn.data); 107 | result = result << 1; 108 | } else { 109 | break; 110 | } 111 | } 112 | 113 | return result; 114 | } 115 | }; 116 | 117 | fn splitWords(data: []const u8, numWords: u32) ![][]const u8 { 118 | var result: [][]const u8 = try alloc.alloc([]const u8, numWords); 119 | var ctr: usize = 0; 120 | 121 | var itr = mem.separate(data, "\n"); 122 | var done = false; 123 | while (!done) { 124 | var val = itr.next(); 125 | if (val) |str| { 126 | if (str.len == 0) { 127 | done = true; 128 | continue; 129 | } 130 | result[ctr] = str; 131 | ctr += 1; 132 | } else { 133 | done = true; 134 | break; 135 | } 136 | } 137 | 138 | return result; 139 | } 140 | -------------------------------------------------------------------------------- /god/olin/env.zig: -------------------------------------------------------------------------------- 1 | const errs = @import("./error.zig"); 2 | const Allocator = @import("std").mem.Allocator; 3 | 4 | extern fn env_get( 5 | key_data: [*]const u8, 6 | key_len: usize, 7 | value_data: [*]u8, 8 | value_len: usize, 9 | ) i32; 10 | 11 | pub fn get(allocator: *Allocator, key: []const u8) ![]u8 { 12 | const needed_size_i = env_get(key.ptr, key.len, @intToPtr([*]u8, 1), 0); 13 | const needed_size_n = try errs.parse(needed_size_i); 14 | const needed_size = @intCast(usize, needed_size_n); 15 | 16 | var buf: []u8 = try allocator.alloc(u8, @intCast(usize, needed_size)); 17 | 18 | const result: i32 = env_get(key.ptr, key.len, buf.ptr, needed_size); 19 | const value_len = try errs.parse(result); 20 | 21 | return buf[0..@intCast(usize, value_len)]; 22 | } 23 | -------------------------------------------------------------------------------- /god/olin/error.zig: -------------------------------------------------------------------------------- 1 | pub const OlinError = error { 2 | Unknown, 3 | InvalidArgument, 4 | PermissionDenied, 5 | NotFound, 6 | }; 7 | 8 | pub fn parse(inp: i32) OlinError!i32 { 9 | switch (inp) { 10 | -1 => { 11 | return error.Unknown; 12 | }, 13 | -2 => { 14 | return error.InvalidArgument; 15 | }, 16 | -3 => { 17 | return error.PermissionDenied; 18 | }, 19 | -4 => { 20 | return error.NotFound; 21 | }, 22 | else => { 23 | return inp; 24 | }, 25 | } 26 | } 27 | -------------------------------------------------------------------------------- /god/olin/log.zig: -------------------------------------------------------------------------------- 1 | extern fn log_write(level: i32, data: [*]const u8, len: usize) void; 2 | 3 | const log_lvl_error = 1; 4 | const log_lvl_warning = 3; 5 | const log_lvl_info = 6; 6 | 7 | pub fn err(data: []const u8) void { 8 | log_write(log_lvl_error, data.ptr, data.len); 9 | } 10 | 11 | test "err" { 12 | err("unknown"); 13 | } 14 | 15 | pub fn warning(data: []const u8) void { 16 | log_write(log_lvl_warning, data.ptr, data.len); 17 | } 18 | 19 | test "warning" { 20 | warning("unknown"); 21 | } 22 | 23 | pub fn info(data: []const u8) void { 24 | log_write(log_lvl_info, data.ptr, data.len); 25 | } 26 | 27 | test "info" { 28 | info("info"); 29 | } 30 | -------------------------------------------------------------------------------- /god/olin/olin.zig: -------------------------------------------------------------------------------- 1 | pub const env = @import("./env.zig"); 2 | pub const err = @import("./error.zig"); 3 | pub const log = @import("./log.zig"); 4 | pub const random = @import("./random.zig"); 5 | pub const resource = @import("./resource.zig"); 6 | pub const time = @import("./time.zig"); 7 | pub const runtime = @import("./runtime.zig"); 8 | pub const startup = @import("./startup.zig"); 9 | 10 | // not directly used, but imported like this to force the compiler to actually consider it. 11 | pub const panic = @import("./panic.zig"); 12 | -------------------------------------------------------------------------------- /god/olin/panic.zig: -------------------------------------------------------------------------------- 1 | const builtin = @import("builtin"); 2 | const log = @import("log"); 3 | 4 | pub fn panic(msg: []const u8, error_return_trace: ?*builtin.StackTrace) noreturn { 5 | log.err(msg); 6 | 7 | unreachable; 8 | } 9 | -------------------------------------------------------------------------------- /god/olin/random.zig: -------------------------------------------------------------------------------- 1 | extern fn random_i32() i32; 2 | extern fn random_i64() i64; 3 | 4 | pub fn int32() i32 { return random_i32(); } 5 | pub fn int64() i64 { return random_i64(); } 6 | 7 | test "i32 randomness" { 8 | const a = int32(); 9 | const b = int32(); 10 | 11 | assert(a != b); 12 | } 13 | 14 | test "i64 randomness" { 15 | const a = int64(); 16 | const b = int64(); 17 | 18 | assert(a != b); 19 | } 20 | -------------------------------------------------------------------------------- /god/olin/resource.zig: -------------------------------------------------------------------------------- 1 | const errs = @import("./error.zig"); 2 | const OlinError = errs.OlinError; 3 | 4 | extern fn resource_open(data: [*]const u8, len: usize) i32; 5 | extern fn resource_read(fd: i32, data: [*]const u8, len: usize) i32; 6 | extern fn resource_write(fd: i32, data: [*]const u8, len: usize) i32; 7 | extern fn resource_close(fd: i32) void; 8 | extern fn resource_flush(fd: i32) i32; 9 | 10 | extern fn io_get_stdin() i32; 11 | extern fn io_get_stdout() i32; 12 | extern fn io_get_stderr() i32; 13 | 14 | fn fd_check(fd: i32) errs.OlinError!Resource { 15 | if(errs.parse(fd)) |fd_for_handle| { 16 | return Resource { 17 | .fd = fd_for_handle, 18 | }; 19 | } else |err| { 20 | return err; 21 | } 22 | } 23 | 24 | pub const open = Resource.open; 25 | pub const stdin = Resource.stdin; 26 | pub const stdout = Resource.stdout; 27 | pub const stderr = Resource.stderr; 28 | 29 | pub const Resource = struct { 30 | fd: i32, 31 | 32 | pub fn open(url: []const u8) !Resource { 33 | const fd = resource_open(url.ptr, url.len); 34 | return fd_check(fd); 35 | } 36 | 37 | pub fn stdin() !Resource{ 38 | const fd = io_get_stdin(); 39 | return fd_check(fd); 40 | } 41 | 42 | pub fn stdout() !Resource{ 43 | const fd = io_get_stdout(); 44 | return fd_check(fd); 45 | } 46 | 47 | pub fn stderr() !Resource{ 48 | const fd = io_get_stderr(); 49 | return fd_check(fd); 50 | } 51 | 52 | pub fn write(self: Resource, data: [*]const u8, len: usize) OlinError!i32 { 53 | const n = resource_write(self.fd, data, len); 54 | 55 | if (errs.parse(n)) |nresp| { 56 | return nresp; 57 | } else |err| { 58 | return err; 59 | } 60 | } 61 | 62 | pub fn read(self: Resource, data: [*]u8, len: usize) OlinError!i32 { 63 | const n = resource_read(self.fd, data, len); 64 | 65 | if (errs.parse(n)) |nresp| { 66 | return nresp; 67 | } else |err| { 68 | return err; 69 | } 70 | } 71 | 72 | pub fn close(self: Resource) void { 73 | resource_close(self.fd); 74 | return; 75 | } 76 | 77 | pub fn flush(self: Resource) OlinError!void { 78 | const n = resource_flush(self.fd); 79 | 80 | if (errs.parse(n)) {} else |err| { 81 | return err; 82 | } 83 | } 84 | }; 85 | 86 | -------------------------------------------------------------------------------- /god/olin/runtime.zig: -------------------------------------------------------------------------------- 1 | const errs = @import("./error.zig"); 2 | const Allocator = @import("std").mem.Allocator; 3 | 4 | extern fn runtime_spec_minor() i32; 5 | extern fn runtime_spec_major() i32; 6 | extern fn runtime_name(name_data: [*]const u8, name_len: usize) i32; 7 | 8 | pub const Metadata = struct { 9 | spec_minor: i32, 10 | spec_major: i32, 11 | name: []u8, 12 | }; 13 | 14 | // The user must free the Metadata. 15 | pub fn metadata(alloc: *Allocator) !*Metadata { 16 | const runtime_name_limit = 32; 17 | var result: *Metadata = undefined; 18 | var name: []u8 = undefined; 19 | 20 | result = try alloc.create(Metadata); 21 | name = try alloc.alloc(u8, runtime_name_limit); 22 | result.spec_minor = runtime_spec_minor(); 23 | result.spec_major = runtime_spec_major(); 24 | 25 | const name_len = try errs.parse(runtime_name(name.ptr, runtime_name_limit)); 26 | result.name = name[0..@intCast(usize, name_len)]; 27 | 28 | return result; 29 | } 30 | 31 | extern fn runtime_msleep(ms_len: i32) void; 32 | 33 | pub fn sleep(ms_len: i32) void { 34 | runtime_msleep(ms_len); 35 | } 36 | 37 | 38 | -------------------------------------------------------------------------------- /god/olin/startup.zig: -------------------------------------------------------------------------------- 1 | const errs = @import("./error.zig"); 2 | const Allocator = @import("std").mem.Allocator; 3 | 4 | extern fn startup_arg_len() usize; 5 | extern fn startup_arg_at(id: usize, arg_data: [*]u8, arg_len: i32) i32; 6 | 7 | pub fn args(allocator: *Allocator) ![][]u8 { 8 | const argc = startup_arg_len(); 9 | var result = try allocator.alloc([]u8, argc); 10 | 11 | for (result) |v, i| { 12 | var arg_string: []u8 = try allocator.alloc(u8, 512); 13 | const size_of_arg = try errs.parse(startup_arg_at(i, arg_string.ptr, 512)); 14 | result[i] = arg_string[0..@intCast(usize, size_of_arg)]; 15 | } 16 | 17 | return result; 18 | } 19 | 20 | pub fn free_args(allocator: *Allocator, argv: [][]u8) void { 21 | for (argv) |v| { 22 | allocator.free(v); 23 | } 24 | 25 | allocator.free(argv); 26 | } 27 | -------------------------------------------------------------------------------- /god/olin/time.zig: -------------------------------------------------------------------------------- 1 | extern fn time_now() i64; 2 | 3 | pub fn unix() i64 { 4 | return time_now(); 5 | } 6 | 7 | test "now isn't zero" { 8 | const now = time_now(); 9 | @import("std").debug.assert(now != 0); 10 | } 11 | -------------------------------------------------------------------------------- /god/wasm_exec.html: -------------------------------------------------------------------------------- 1 | 2 | 7 | 8 | 9 | 10 | 11 | Go wasm 12 | 13 | 14 | 15 | 20 | 21 | 22 |

Thanks Faith for this code

23 | 24 | 47 | 48 | 49 | 50 |
51 | 52 | 53 | 54 | -------------------------------------------------------------------------------- /god/wasm_exec.js: -------------------------------------------------------------------------------- 1 | // Copyright 2018 The Go Authors. All rights reserved. 2 | // Use of this source code is governed by a BSD-style 3 | // license that can be found in the LICENSE file. 4 | // 5 | // This file has been modified for use by the TinyGo compiler. 6 | 7 | var term = new Terminal({ 8 | cols: 80, 9 | rows: 20, 10 | disableStdin: true, 11 | }); 12 | term.open(document.getElementById('terminal')); 13 | 14 | (() => { 15 | // Map web browser API and Node.js API to a single common API (preferring web standards over Node.js API). 16 | const isNodeJS = typeof process !== "undefined"; 17 | if (isNodeJS) { 18 | global.require = require; 19 | global.fs = require("fs"); 20 | 21 | const nodeCrypto = require("crypto"); 22 | global.crypto = { 23 | getRandomValues(b) { 24 | nodeCrypto.randomFillSync(b); 25 | }, 26 | }; 27 | 28 | global.performance = { 29 | now() { 30 | const [sec, nsec] = process.hrtime(); 31 | return sec * 1000 + nsec / 1000000; 32 | }, 33 | }; 34 | 35 | const util = require("util"); 36 | global.TextEncoder = util.TextEncoder; 37 | global.TextDecoder = util.TextDecoder; 38 | } else { 39 | if (typeof window !== "undefined") { 40 | window.global = window; 41 | } else if (typeof self !== "undefined") { 42 | self.global = self; 43 | } else { 44 | throw new Error("cannot export Go (neither window nor self is defined)"); 45 | } 46 | 47 | let outputBuf = ""; 48 | global.fs = { 49 | constants: { O_WRONLY: -1, O_RDWR: -1, O_CREAT: -1, O_TRUNC: -1, O_APPEND: -1, O_EXCL: -1 }, // unused 50 | writeSync(fd, buf) { 51 | outputBuf += decoder.decode(buf); 52 | const nl = outputBuf.lastIndexOf("\n"); 53 | if (nl != -1) { 54 | console.log(outputBuf.substr(0, nl)); 55 | outputBuf = outputBuf.substr(nl + 1); 56 | } 57 | return buf.length; 58 | }, 59 | write(fd, buf, offset, length, position, callback) { 60 | if (offset !== 0 || length !== buf.length || position !== null) { 61 | throw new Error("not implemented"); 62 | } 63 | const n = this.writeSync(fd, buf); 64 | callback(null, n); 65 | }, 66 | open(path, flags, mode, callback) { 67 | const err = new Error("not implemented"); 68 | err.code = "ENOSYS"; 69 | callback(err); 70 | }, 71 | fsync(fd, callback) { 72 | callback(null); 73 | }, 74 | }; 75 | } 76 | 77 | const encoder = new TextEncoder("utf-8"); 78 | const decoder = new TextDecoder("utf-8"); 79 | var logLine = []; 80 | 81 | global.Go = class { 82 | constructor() { 83 | this._callbackTimeouts = new Map(); 84 | this._nextCallbackTimeoutID = 1; 85 | 86 | const mem = () => { 87 | // The buffer may change when requesting more memory. 88 | return new DataView(this._inst.exports.memory.buffer); 89 | } 90 | 91 | const setInt64 = (addr, v) => { 92 | mem().setUint32(addr + 0, v, true); 93 | mem().setUint32(addr + 4, Math.floor(v / 4294967296), true); 94 | } 95 | 96 | const getInt64 = (addr) => { 97 | const low = mem().getUint32(addr + 0, true); 98 | const high = mem().getInt32(addr + 4, true); 99 | return low + high * 4294967296; 100 | } 101 | 102 | const loadValue = (addr) => { 103 | const f = mem().getFloat64(addr, true); 104 | if (f === 0) { 105 | return undefined; 106 | } 107 | if (!isNaN(f)) { 108 | return f; 109 | } 110 | 111 | const id = mem().getUint32(addr, true); 112 | return this._values[id]; 113 | } 114 | 115 | const storeValue = (addr, v) => { 116 | const nanHead = 0x7FF80000; 117 | 118 | if (typeof v === "number") { 119 | if (isNaN(v)) { 120 | mem().setUint32(addr + 4, nanHead, true); 121 | mem().setUint32(addr, 0, true); 122 | return; 123 | } 124 | if (v === 0) { 125 | mem().setUint32(addr + 4, nanHead, true); 126 | mem().setUint32(addr, 1, true); 127 | return; 128 | } 129 | mem().setFloat64(addr, v, true); 130 | return; 131 | } 132 | 133 | switch (v) { 134 | case undefined: 135 | mem().setFloat64(addr, 0, true); 136 | return; 137 | case null: 138 | mem().setUint32(addr + 4, nanHead, true); 139 | mem().setUint32(addr, 2, true); 140 | return; 141 | case true: 142 | mem().setUint32(addr + 4, nanHead, true); 143 | mem().setUint32(addr, 3, true); 144 | return; 145 | case false: 146 | mem().setUint32(addr + 4, nanHead, true); 147 | mem().setUint32(addr, 4, true); 148 | return; 149 | } 150 | 151 | let ref = this._refs.get(v); 152 | if (ref === undefined) { 153 | ref = this._values.length; 154 | this._values.push(v); 155 | this._refs.set(v, ref); 156 | } 157 | let typeFlag = 0; 158 | switch (typeof v) { 159 | case "string": 160 | typeFlag = 1; 161 | break; 162 | case "symbol": 163 | typeFlag = 2; 164 | break; 165 | case "function": 166 | typeFlag = 3; 167 | break; 168 | } 169 | mem().setUint32(addr + 4, nanHead | typeFlag, true); 170 | mem().setUint32(addr, ref, true); 171 | } 172 | 173 | const loadSlice = (array, len, cap) => { 174 | return new Uint8Array(this._inst.exports.memory.buffer, array, len); 175 | } 176 | 177 | const loadSliceOfValues = (array, len, cap) => { 178 | const a = new Array(len); 179 | for (let i = 0; i < len; i++) { 180 | a[i] = loadValue(array + i * 8); 181 | } 182 | return a; 183 | } 184 | 185 | const loadString = (ptr, len) => { 186 | return decoder.decode(new DataView(this._inst.exports.memory.buffer, ptr, len)); 187 | } 188 | 189 | const timeOrigin = Date.now() - performance.now(); 190 | this.importObject = { 191 | env: { 192 | io_get_stdout: function() { 193 | return 1; 194 | }, 195 | 196 | random_i32: function() { 197 | return Math.floor(Math.random()*4294967295); 198 | }, 199 | 200 | log_write: function(level, ptr, len) { 201 | for (let i=0; i { 239 | return timeOrigin + performance.now(); 240 | }, 241 | 242 | // func sleepTicks(timeout float64) 243 | "runtime.sleepTicks": (timeout) => { 244 | // Do not sleep, only reactivate scheduler after the given timeout. 245 | setTimeout(this._inst.exports.go_scheduler, timeout); 246 | }, 247 | 248 | // func stringVal(value string) ref 249 | "syscall/js.stringVal": (ret_ptr, value_ptr, value_len) => { 250 | const s = loadString(value_ptr, value_len); 251 | storeValue(ret_ptr, s); 252 | }, 253 | 254 | // func valueGet(v ref, p string) ref 255 | "syscall/js.valueGet": (retval, v_addr, p_ptr, p_len) => { 256 | let prop = loadString(p_ptr, p_len); 257 | let value = loadValue(v_addr); 258 | let result = Reflect.get(value, prop); 259 | storeValue(retval, result); 260 | }, 261 | 262 | // func valueSet(v ref, p string, x ref) 263 | "syscall/js.valueSet": (v_addr, p_ptr, p_len, x_addr) => { 264 | const v = loadValue(v_addr); 265 | const p = loadString(p_ptr, p_len); 266 | const x = loadValue(x_addr); 267 | Reflect.set(v, p, x); 268 | }, 269 | 270 | // func valueIndex(v ref, i int) ref 271 | //"syscall/js.valueIndex": (sp) => { 272 | // storeValue(sp + 24, Reflect.get(loadValue(sp + 8), getInt64(sp + 16))); 273 | //}, 274 | 275 | // valueSetIndex(v ref, i int, x ref) 276 | //"syscall/js.valueSetIndex": (sp) => { 277 | // Reflect.set(loadValue(sp + 8), getInt64(sp + 16), loadValue(sp + 24)); 278 | //}, 279 | 280 | // func valueCall(v ref, m string, args []ref) (ref, bool) 281 | "syscall/js.valueCall": (ret_addr, v_addr, m_ptr, m_len, args_ptr, args_len, args_cap) => { 282 | const v = loadValue(v_addr); 283 | const name = loadString(m_ptr, m_len); 284 | const args = loadSliceOfValues(args_ptr, args_len, args_cap); 285 | try { 286 | const m = Reflect.get(v, name); 287 | storeValue(ret_addr, Reflect.apply(m, v, args)); 288 | mem().setUint8(ret_addr + 8, 1); 289 | } catch (err) { 290 | storeValue(ret_addr, err); 291 | mem().setUint8(ret_addr + 8, 0); 292 | } 293 | }, 294 | 295 | // func valueInvoke(v ref, args []ref) (ref, bool) 296 | //"syscall/js.valueInvoke": (sp) => { 297 | // try { 298 | // const v = loadValue(sp + 8); 299 | // const args = loadSliceOfValues(sp + 16); 300 | // storeValue(sp + 40, Reflect.apply(v, undefined, args)); 301 | // mem().setUint8(sp + 48, 1); 302 | // } catch (err) { 303 | // storeValue(sp + 40, err); 304 | // mem().setUint8(sp + 48, 0); 305 | // } 306 | //}, 307 | 308 | // func valueNew(v ref, args []ref) (ref, bool) 309 | "syscall/js.valueNew": (ret_addr, v_addr, args_ptr, args_len, args_cap) => { 310 | const v = loadValue(v_addr); 311 | const args = loadSliceOfValues(args_ptr, args_len, args_cap); 312 | try { 313 | storeValue(ret_addr, Reflect.construct(v, args)); 314 | mem().setUint8(ret_addr + 8, 1); 315 | } catch (err) { 316 | storeValue(ret_addr, err); 317 | mem().setUint8(ret_addr+ 8, 0); 318 | } 319 | }, 320 | 321 | // func valueLength(v ref) int 322 | //"syscall/js.valueLength": (sp) => { 323 | // setInt64(sp + 16, parseInt(loadValue(sp + 8).length)); 324 | //}, 325 | 326 | // valuePrepareString(v ref) (ref, int) 327 | "syscall/js.valuePrepareString": (ret_addr, v_addr) => { 328 | const s = String(loadValue(v_addr)); 329 | const str = encoder.encode(s); 330 | storeValue(ret_addr, str); 331 | setInt64(ret_addr + 8, str.length); 332 | }, 333 | 334 | // valueLoadString(v ref, b []byte) 335 | "syscall/js.valueLoadString": (v_addr, slice_ptr, slice_len, slice_cap) => { 336 | const str = loadValue(v_addr); 337 | loadSlice(slice_ptr, slice_len, slice_cap).set(str); 338 | }, 339 | 340 | // func valueInstanceOf(v ref, t ref) bool 341 | //"syscall/js.valueInstanceOf": (sp) => { 342 | // mem().setUint8(sp + 24, loadValue(sp + 8) instanceof loadValue(sp + 16)); 343 | //}, 344 | } 345 | }; 346 | } 347 | 348 | async run(instance) { 349 | this._inst = instance; 350 | this._values = [ // TODO: garbage collection 351 | NaN, 352 | 0, 353 | null, 354 | true, 355 | false, 356 | global, 357 | this._inst.exports.memory, 358 | this, 359 | ]; 360 | this._refs = new Map(); 361 | this._callbackShutdown = false; 362 | this.exited = false; 363 | 364 | const mem = new DataView(this._inst.exports.memory.buffer) 365 | 366 | while (true) { 367 | const callbackPromise = new Promise((resolve) => { 368 | this._resolveCallbackPromise = () => { 369 | if (this.exited) { 370 | throw new Error("bad callback: Go program has already exited"); 371 | } 372 | setTimeout(resolve, 0); // make sure it is asynchronous 373 | }; 374 | }); 375 | this._inst.exports.cwa_main(); 376 | if (this.exited) { 377 | break; 378 | } 379 | await callbackPromise; 380 | } 381 | } 382 | 383 | static _makeCallbackHelper(id, pendingCallbacks, go) { 384 | return function () { 385 | pendingCallbacks.push({ id: id, args: arguments }); 386 | go._resolveCallbackPromise(); 387 | }; 388 | } 389 | 390 | static _makeEventCallbackHelper(preventDefault, stopPropagation, stopImmediatePropagation, fn) { 391 | return function (event) { 392 | if (preventDefault) { 393 | event.preventDefault(); 394 | } 395 | if (stopPropagation) { 396 | event.stopPropagation(); 397 | } 398 | if (stopImmediatePropagation) { 399 | event.stopImmediatePropagation(); 400 | } 401 | fn(event); 402 | }; 403 | } 404 | } 405 | 406 | if (isNodeJS) { 407 | if (process.argv.length != 3) { 408 | process.stderr.write("usage: go_js_wasm_exec [wasm binary] [arguments]\n"); 409 | process.exit(1); 410 | } 411 | 412 | const go = new Go(); 413 | WebAssembly.instantiate(fs.readFileSync(process.argv[2]), go.importObject).then((result) => { 414 | process.on("exit", (code) => { // Node.js exits if no callback is pending 415 | if (code === 0 && !go.exited) { 416 | // deadlock, make Go print error and stack traces 417 | go._callbackShutdown = true; 418 | } 419 | }); 420 | return go.run(result.instance); 421 | }).catch((err) => { 422 | throw err; 423 | }); 424 | } 425 | })(); 426 | --------------------------------------------------------------------------------