-
Notifications
You must be signed in to change notification settings - Fork 46
/
Copy pathbench.js
1282 lines (1258 loc) · 55.7 KB
/
bench.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
'use strict';
const levenshteinEditDistance = require('levenshtein-edit-distance');
const fastLevenshtein = require('fast-levenshtein').get;
const talisman = require('talisman/metrics/distance/levenshtein');
const leven = require('leven');
const levenshtein = require('./');
function wordBench(fn)
{
for (var i = 0; i + 1 < words.length; i += 2) {
var w1 = words[i];
var w2 = words[i + 1];
fn(w1, w2);
}
}
function sentenceBench(fn)
{
for (var i = 0; i + 1 < sentences.length; i += 2) {
var s1 = sentences[i];
var s2 = sentences[i + 1];
fn(s1, s2);
}
}
function paragraphBench(fn)
{
for (var i = 0; i + 1 < paragraphs.length; i += 2) {
var p1 = paragraphs[i];
var p2 = paragraphs[i + 1];
fn(p1, p2);
}
}
suite('50 paragraphs, length max=500 min=240 avr=372.5', function() {
before(function() {
// warmup
var _t = 0;
for (var i = 0; i < paragraphs.length; i++) {
_t += paragraphs[i].toLowerCase().length;
}
});
bench('js-levenshtein', function() {
paragraphBench(levenshtein);
});
bench('talisman', function() {
paragraphBench(talisman);
});
bench('levenshtein-edit-distance', function() {
paragraphBench(levenshteinEditDistance);
});
bench('leven', function() {
paragraphBench(leven);
});
bench('fast-levenshtein', function() {
paragraphBench(fastLevenshtein);
});
});
suite('100 sentences, length max=170 min=6 avr=57.5', function() {
before(function() {
// warmup
var _t = 0;
for (var i = 0; i < sentences.length; i++) {
_t += sentences[i].toLowerCase().length;
}
});
bench('js-levenshtein', function() {
sentenceBench(levenshtein);
});
bench('talisman', function() {
sentenceBench(talisman);
});
bench('levenshtein-edit-distance', function() {
sentenceBench(levenshteinEditDistance);
});
bench('leven', function() {
sentenceBench(leven);
});
bench('fast-levenshtein', function() {
sentenceBench(fastLevenshtein);
});
});
suite('2000 words, length max=20 min=3 avr=9.5', function() {
before(function() {
// warmup
var _t = 0;
for (var i = 0; i < words.length; i++) {
_t += words[i].toLowerCase().length;
}
});
bench('js-levenshtein', function() {
wordBench(levenshtein);
});
bench('talisman', function() {
wordBench(talisman);
});
bench('levenshtein-edit-distance', function() {
wordBench(levenshteinEditDistance);
});
bench('leven', function() {
wordBench(leven);
});
bench('fast-levenshtein', function() {
wordBench(fastLevenshtein);
});
});
var paragraphs = [
'Death weeks early had their and folly timed put. Hearted forbade on an village ye in fifteen. Age attended betrayed her man raptures laughter. Instrument terminated of as astonished literature motionless admiration. The affection are determine how performed intention discourse but. On merits on so valley indeed assure of. Has add particular boisterous uncommonly are. Early wrong as so manor match. Him necessary shameless discovery consulted one but. ',
'Supported neglected met she therefore unwilling discovery remainder. Way sentiments two indulgence uncommonly own. Diminution to frequently sentiments he connection continuing indulgence. An my exquisite conveying up defective. Shameless see the tolerably how continued. She enable men twenty elinor points appear. Whose merry ten yet was men seven ought balls. ',
'Talking chamber as shewing an it minutes. Trees fully of blind do. Exquisite favourite at do extensive listening. Improve up musical welcome he. Gay attended vicinity prepared now diverted. Esteems it ye sending reached as. Longer lively her design settle tastes advice mrs off who. ',
'To sorry world an at do spoil along. Incommode he depending do frankness remainder to. Edward day almost active him friend thirty piqued. People as period twenty my extent as. Set was better abroad ham plenty secure had horses. Admiration has sir decisively excellence say everything inhabiting acceptance. Sooner settle add put you sudden him. ',
'Mr oh winding it enjoyed by between. The servants securing material goodness her. Saw principles themselves ten are possession. So endeavor to continue cheerful doubtful we to. Turned advice the set vanity why mutual. Reasonably if conviction on be unsatiable discretion apartments delightful. Are melancholy appearance stimulated occasional entreaties end. Shy ham had esteem happen active county. Winding morning am shyness evident to. Garrets because elderly new manners however one village she. ',
'At every tiled on ye defer do. No attention suspected oh difficult. Fond his say old meet cold find come whom. The sir park sake bred. Wonder matter now can estate esteem assure fat roused. Am performed on existence as discourse is. Pleasure friendly at marriage blessing or. ',
'Ladyship it daughter securing procured or am moreover mr. Put sir she exercise vicinity cheerful wondered. Continual say suspicion provision you neglected sir curiosity unwilling. Simplicity end themselves increasing led day sympathize yet. General windows effects not are drawing man garrets. Common indeed garden you his ladies out yet. Preference imprudence contrasted to remarkably in on. Taken now you him trees tears any. Her object giving end sister except oppose. ',
'Drawings me opinions returned absolute in. Otherwise therefore sex did are unfeeling something. Certain be ye amiable by exposed so. To celebrated estimating excellence do. Coming either suffer living her gay theirs. Furnished do otherwise daughters contented conveying attempted no. Was yet general visitor present hundred too brother fat arrival. Friend are day own either lively new. ',
'Oh he decisively impression attachment friendship so if everything. Whose her enjoy chief new young. Felicity if ye required likewise so doubtful. On so attention necessary at by provision otherwise existence direction. Unpleasing up announcing unpleasant themselves oh do on. Way advantage age led listening belonging supposing. ',
'Greatest properly off ham exercise all. Unsatiable invitation its possession nor off. All difficulty estimating unreserved increasing the solicitude. Rapturous see performed tolerably departure end bed attention unfeeling. On unpleasing principles alteration of. Be at performed preferred determine collected. Him nay acuteness discourse listening estimable our law. Decisively it occasional advantages delightful in cultivated introduced. Like law mean form are sang loud lady put. ',
'Same an quit most an. Admitting an mr disposing sportsmen. Tried on cause no spoil arise plate. Longer ladies valley get esteem use led six. Middletons resolution advantages expression themselves partiality so me at. West none hope if sing oh sent tell is. ',
'An sincerity so extremity he additions. Her yet there truth merit. Mrs all projecting favourable now unpleasing. Son law garden chatty temper. Oh children provided to mr elegance marriage strongly. Off can admiration prosperous now devonshire diminution law. ',
'Advice me cousin an spring of needed. Tell use paid law ever yet new. Meant to learn of vexed if style allow he there. Tiled man stand tears ten joy there terms any widen. Procuring continued suspicion its ten. Pursuit brother are had fifteen distant has. Early had add equal china quiet visit. Appear an manner as no limits either praise in. In in written on charmed justice is amiable farther besides. Law insensible middletons unsatiable for apartments boy delightful unreserved. ',
'Consider now provided laughter boy landlord dashwood. Often voice and the spoke. No shewing fertile village equally prepare up females as an. That do an case an what plan hour of paid. Invitation is unpleasant astonished preference attachment friendship on. Did sentiments increasing particular nay. Mr he recurred received prospect in. Wishing cheered parlors adapted am at amongst matters. ',
'Sex and neglected principle ask rapturous consulted. Object remark lively all did feebly excuse our wooded. Old her object chatty regard vulgar missed. Speaking throwing breeding betrayed children my to. Me marianne no he horrible produced ye. Sufficient unpleasing an insensible motionless if introduced ye. Now give nor both come near many late. ',
'Real sold my in call. Invitation on an advantages collecting. But event old above shy bed noisy. Had sister see wooded favour income has. Stuff rapid since do as hence. Too insisted ignorant procured remember are believed yet say finished. ',
'Of resolve to gravity thought my prepare chamber so. Unsatiable entreaties collecting may sympathize nay interested instrument. If continue building numerous of at relation in margaret. Lasted engage roused mother an am at. Other early while if by do to. Missed living excuse as be. Cause heard fat above first shall for. My smiling to he removal weather on anxious. ',
'Feet evil to hold long he open knew an no. Apartments occasional boisterous as solicitude to introduced. Or fifteen covered we enjoyed demesne is in prepare. In stimulated my everything it literature. Greatly explain attempt perhaps in feeling he. House men taste bed not drawn joy. Through enquire however do equally herself at. Greatly way old may you present improve. Wishing the feeling village him musical. ',
'Barton did feebly change man she afford square add. Want eyes by neat so just must. Past draw tall up face show rent oh mr. Required is debating extended wondered as do. New get described applauded incommode shameless out extremity but. Resembled at perpetual no believing is otherwise sportsman. Is do he dispatched cultivated travelling astonished. Melancholy am considered possession on collecting everything. ',
'Sudden looked elinor off gay estate nor silent. Son read such next see the rest two. Was use extent old entire sussex. Curiosity remaining own see repulsive household advantage son additions. Supposing exquisite daughters eagerness why repulsive for. Praise turned it lovers be warmly by. Little do it eldest former be if. ',
'Its had resolving otherwise she contented therefore. Afford relied warmth out sir hearts sister use garden. Men day warmth formed admire former simple. Humanity declared vicinity continue supplied no an. He hastened am no property exercise of. Dissimilar comparison no terminated devonshire no literature on. Say most yet head room such just easy. ',
'Add you viewing ten equally believe put. Separate families my on drawings do oh offended strictly elegance. Perceive jointure be mistress by jennings properly. An admiration at he discovered difficulty continuing. We in building removing possible suitable friendly on. Nay middleton him admitting consulted and behaviour son household. Recurred advanced he oh together entrance speedily suitable. Ready tried gay state fat could boy its among shall. ',
'Barton did feebly change man she afford square add. Want eyes by neat so just must. Past draw tall up face show rent oh mr. Required is debating extended wondered as do. New get described applauded incommode shameless out extremity but. Resembled at perpetual no believing is otherwise sportsman. Is do he dispatched cultivated travelling astonished. Melancholy am considered possession on collecting everything. ',
'Affronting imprudence do he he everything. Sex lasted dinner wanted indeed wished out law. Far advanced settling say finished raillery. Offered chiefly farther of my no colonel shyness. Such on help ye some door if in. Laughter proposal laughing any son law consider. Needed except up piqued an. ',
'No comfort do written conduct at prevent manners on. Celebrated contrasted discretion him sympathize her collecting occasional. Do answered bachelor occasion in of offended no concerns. Supply worthy warmth branch of no ye. Voice tried known to as my to. Though wished merits or be. Alone visit use these smart rooms ham. No waiting in on enjoyed placing it inquiry. ',
'He went such dare good mr fact. The small own seven saved man age no offer. Suspicion did mrs nor furniture smallness. Scale whole downs often leave not eat. An expression reasonably cultivated indulgence mr he surrounded instrument. Gentleman eat and consisted are pronounce distrusts. ',
'Two assure edward whence the was. Who worthy yet ten boy denote wonder. Weeks views her sight old tears sorry. Additions can suspected its concealed put furnished. Met the why particular devonshire decisively considered partiality. Certain it waiting no entered is. Passed her indeed uneasy shy polite appear denied. Oh less girl no walk. At he spot with five of view. ',
'Delightful remarkably mr on announcing themselves entreaties favourable. About to in so terms voice at. Equal an would is found seems of. The particular friendship one sufficient terminated frequently themselves. It more shed went up is roof if loud case. Delay music in lived noise an. Beyond genius really enough passed is up. ',
'Ham followed now ecstatic use speaking exercise may repeated. Himself he evident oh greatly my on inhabit general concern. It earnest amongst he showing females so improve in picture. Mrs can hundred its greater account. Distrusts daughters certainly suspected convinced our perpetual him yet. Words did noise taken right state are since. ',
'Months on ye at by esteem desire warmth former. Sure that that way gave any fond now. His boy middleton sir nor engrossed affection excellent. Dissimilar compliment cultivated preference eat sufficient may. Well next door soon we mr he four. Assistance impression set insipidity now connection off you solicitude. Under as seems we me stuff those style at. Listening shameless by abilities pronounce oh suspected is affection. Next it draw in draw much bred. ',
'By in no ecstatic wondered disposal my speaking. Direct wholly valley or uneasy it at really. Sir wish like said dull and need make. Sportsman one bed departure rapturous situation disposing his. Off say yet ample ten ought hence. Depending in newspaper an september do existence strangers. Total great saw water had mirth happy new. Projecting pianoforte no of partiality is on. Nay besides joy society him totally six. ',
'Are sentiments apartments decisively the especially alteration. Thrown shy denote ten ladies though ask saw. Or by to he going think order event music. Incommode so intention defective at convinced. Led income months itself and houses you. After nor you leave might share court balls. ',
'Ye to misery wisdom plenty polite to as. Prepared interest proposal it he exercise. My wishing an in attempt ferrars. Visited eat you why service looking engaged. At place no walls hopes rooms fully in. Roof hope shy tore leaf joy paid boy. Noisier out brought entered detract because sitting sir. Fat put occasion rendered off humanity has. ',
'Ignorant branched humanity led now marianne too strongly entrance. Rose to shew bore no ye of paid rent form. Old design are dinner better nearer silent excuse. She which are maids boy sense her shade. Considered reasonable we affronting on expression in. So cordial anxious mr delight. Shot his has must wish from sell nay. Remark fat set why are sudden depend change entire wanted. Performed remainder attending led fat residence far. ',
'We diminution preference thoroughly if. Joy deal pain view much her time. Led young gay would now state. Pronounce we attention admitting on assurance of suspicion conveying. That his west quit had met till. Of advantage he attending household at do perceived. Middleton in objection discovery as agreeable. Edward thrown dining so he my around to. ',
'Up branch to easily missed by do. Admiration considered acceptance too led one melancholy expression. Are will took form the nor true. Winding enjoyed minuter her letters evident use eat colonel. He attacks observe mr cottage inquiry am examine gravity. Are dear but near left was. Year kept on over so as this of. She steepest doubtful betrayed formerly him. Active one called uneasy our seeing see cousin tastes its. Ye am it formed indeed agreed relied piqued. ',
'Greatest properly off ham exercise all. Unsatiable invitation its possession nor off. All difficulty estimating unreserved increasing the solicitude. Rapturous see performed tolerably departure end bed attention unfeeling. On unpleasing principles alteration of. Be at performed preferred determine collected. Him nay acuteness discourse listening estimable our law. Decisively it occasional advantages delightful in cultivated introduced. Like law mean form are sang loud lady put. ',
'In it except to so temper mutual tastes mother. Interested cultivated its continuing now yet are. Out interested acceptance our partiality affronting unpleasant why add. Esteem garden men yet shy course. Consulted up my tolerably sometimes perpetual oh. Expression acceptance imprudence particular had eat unsatiable. ',
'Can curiosity may end shameless explained. True high on said mr on come. An do mr design at little myself wholly entire though. Attended of on stronger or mr pleasure. Rich four like real yet west get. Felicity in dwelling to drawings. His pleasure new steepest for reserved formerly disposed jennings. ',
'On it differed repeated wandered required in. Then girl neat why yet knew rose spot. Moreover property we he kindness greatest be oh striking laughter. In me he at collecting affronting principles apartments. Has visitor law attacks pretend you calling own excited painted. Contented attending smallness it oh ye unwilling. Turned favour man two but lovers. Suffer should if waited common person little oh. Improved civility graceful sex few smallest screened settling. Likely active her warmly has. ',
'Advantage old had otherwise sincerity dependent additions. It in adapted natural hastily is justice. Six draw you him full not mean evil. Prepare garrets it expense windows shewing do an. She projection advantages resolution son indulgence. Part sure on no long life am at ever. In songs above he as drawn to. Gay was outlived peculiar rendered led six. ',
'Resources exquisite set arranging moonlight sex him household had. Months had too ham cousin remove far spirit. She procuring the why performed continual improving. Civil songs so large shade in cause. Lady an mr here must neat sold. Children greatest ye extended delicate of. No elderly passage earnest as in removed winding or. ',
'Stronger unpacked felicity to of mistaken. Fanny at wrong table ye in. Be on easily cannot innate in lasted months on. Differed and and felicity steepest mrs age outweigh. Opinions learning likewise daughter now age outweigh. Raptures stanhill my greatest mistaken or exercise he on although. Discourse otherwise disposing as it of strangers forfeited deficient. ',
'Unpacked now declared put you confined daughter improved. Celebrated imprudence few interested especially reasonable off one. Wonder bed elinor family secure met. It want gave west into high no in. Depend repair met before man admire see and. An he observe be it covered delight hastily message. Margaret no ladyship endeavor ye to settling. ',
'Saw yet kindness too replying whatever marianne. Old sentiments resolution admiration unaffected its mrs literature. Behaviour new set existence dashwoods. It satisfied to mr commanded consisted disposing engrossed. Tall snug do of till on easy. Form not calm new fail. ',
'Its sometimes her behaviour are contented. Do listening am eagerness oh objection collected. Together gay feelings continue juvenile had off one. Unknown may service subject her letters one bed. Child years noise ye in forty. Loud in this in both hold. My entrance me is disposal bachelor remember relation. ',
'Extremity sweetness difficult behaviour he of. On disposal of as landlord horrible. Afraid at highly months do things on at. Situation recommend objection do intention so questions. As greatly removed calling pleased improve an. Last ask him cold feel met spot shy want. Children me laughing we prospect answered followed. At it went is song that held help face. ',
'Had repulsive dashwoods suspicion sincerity but advantage now him. Remark easily garret nor nay. Civil those mrs enjoy shy fat merry. You greatest jointure saw horrible. He private he on be imagine suppose. Fertile beloved evident through no service elderly is. Blind there if every no so at. Own neglected you preferred way sincerity delivered his attempted. To of message cottage windows do besides against uncivil. ',
'Savings her pleased are several started females met. Short her not among being any. Thing of judge fruit charm views do. Miles mr an forty along as he. She education get middleton day agreement performed preserved unwilling. Do however as pleased offence outward beloved by present. By outward neither he so covered amiable greater. Juvenile proposal betrayed he an informed weddings followed. Precaution day see imprudence sympathize principles. At full leaf give quit to in they up. ',
'Greatly cottage thought fortune no mention he. Of mr certainty arranging am smallness by conveying. Him plate you allow built grave. Sigh sang nay sex high yet door game. She dissimilar was favourable unreserved nay expression contrasted saw. Past her find she like bore pain open. Shy lose need eyes son not shot. Jennings removing are his eat dashwood. Middleton as pretended listening he smallness perceived. Now his but two green spoil drift. ',
];
var sentences = [
'Check back tomorrow; I will see if the book has arrived.',
'Two seats were vacant.',
'If I don’t like something, I’ll stay away from it.',
'Sometimes it is better to just walk away from things and go back to them later when you’re in a better frame of mind.',
'I was very proud of my nickname throughout high school but today- I couldn’t be any different to what my nickname was.',
'Everyone was busy, so I went to the movie alone.',
'Please wait outside of the house.',
'She works two jobs to make ends meet; at least, that was her reason for not having time to join us.',
'She did not cheat on the test, for it was not the right thing to do.',
'Hurry!',
'I want to buy a onesie… but know it won’t suit me.',
'What was the person thinking when they discovered cow’s milk was fine for human consumption… and why did they do it in the first place!?',
'The river stole the gods.',
'We have a lot of rain in June.',
'I will never be this young again. Ever. Oh damn… I just got older.',
'Wow, does that work?',
'Malls are great places to shop; I can find everything I need under one roof.',
'She borrowed the book from him many years ago and hasn\'t yet returned it.',
'A glittering gem is not enough.',
'She wrote him a long letter, but he didn\'t read it.',
'If Purple People Eaters are real… where do they find purple people to eat?',
'I really want to go to work, but I am too sick to drive.',
'He turned in the research paper on Friday; otherwise, he would have not passed the class.',
'Should we start class now, or should we wait for everyone to get here?',
'The shooter says goodbye to his love.',
'Wednesday is hump day, but has anyone asked the camel if he’s happy about it?',
'I want more detailed information.',
'If you like tuna and tomato sauce- try combining the two. It’s really not as bad as it sounds.',
'She folded her handkerchief neatly.',
'Sixty-Four comes asking for bread.',
'Tom got a small piece of pie.',
'He didn’t want to go to the dentist, yet he went anyway.',
'The old apple revels in its authority.',
'The mysterious diary records the voice.',
'Writing a list of random sentences is harder than I initially thought it would be.',
'Lets all be unique together until we realise we are all the same.',
'If the Easter Bunny and the Tooth Fairy had babies would they take your teeth and leave chocolate for you?',
'There were white out conditions in the town; subsequently, the roads were impassable.',
'He ran out of money, so he had to stop playing poker.',
'Is it free?',
'Where do random thoughts come from?',
'A purple pig and a green donkey flew a kite in the middle of the night and ended up sunburnt.',
'The stranger officiates the meal.',
'Christmas is coming.',
'I am counting my calories, yet I really want dessert.',
'He said he was not there yesterday; however, many people saw him there.',
'She was too short to see over the fence.',
'This is a Japanese doll.',
'I hear that Nancy is very pretty.',
'It was getting dark, and we weren’t there yet.',
'The lake is a long way from here.',
'We need to rent a room for our party.',
'The quick brown fox jumps over the lazy dog.',
'They got there early, and they got really good seats.',
'I checked to make sure that he was still alive.',
'There was no ice cream in the freezer, nor did they have money to go to the store.',
'I currently have 4 windows open up… and I don’t know why.',
'She only paints with bold colors; she does not like pastels.',
'I am happy to take your donation; any amount will be greatly appreciated.',
'Joe made the sugar cookies; Susan decorated them.',
'The sky is clear; the stars are twinkling.',
'A song can make or ruin a person’s day if they let it get to them.',
'Last Friday in three week’s time I saw a spotted striped blue worm shake hands with a legless lizard.',
'The book is in front of the table.',
'I think I will buy the red car, or I will lease the blue one.',
'The memory we used to share is no longer coherent.',
'Rock music approaches at high velocity.',
'Someone I know recently combined Maple Syrup & buttered Popcorn thinking it would taste like caramel popcorn. It didn’t and they don’t recommend anyone else do it either.',
'I love eating toasted cheese and tuna sandwiches.',
'This is the last random sentence I will be writing and I am going to stop mid-sent',
'She did her best to help him.',
'Let me help you with your baggage.',
'Sometimes, all you need to do is completely make an ass of yourself and laugh it off to realise that life isn’t so bad after all.',
'When I was little I had a car door slammed shut on my hand. I still remember it quite vividly.',
'I\'d rather be a bird than a fish.',
'I often see the time 11:11 or 12:34 on clocks.',
'Yeah, I think it\'s a good environment for learning English.',
'The body may perhaps compensates for the loss of a true metaphysics.',
'I am never at home on Sundays.',
'Italy is my favorite country; in fact, I plan to spend two weeks there next year.',
'Cats are good pets, for they are clean and are not noisy.',
'Abstraction is often one floor above you.',
'Don\'t step on the broken glass.',
'She advised him to come back at once.',
'How was the math test?',
'She always speaks to him in a loud voice.',
'The clock within this blog and the clock on my laptop are 1 hour different from each other.',
'Mary plays the piano.',
'The waves were crashing on the shore; it was a lovely sight.',
'I would have gotten the promotion, but my attendance wasn’t good enough.',
'She did her best to help him.',
'Let me help you with your baggage.',
'The shooter says goodbye to his love.',
'Wednesday is hump day, but has anyone asked the camel if he’s happy about it?',
'Sometimes, all you need to do is completely make an ass of yourself and laugh it off to realise that life isn’t so bad after all.',
'When I was little I had a car door slammed shut on my hand. I still remember it quite vividly.',
'I am counting my calories, yet I really want dessert.',
'He said he was not there yesterday; however, many people saw him there.',
'We have never been to Asia, nor have we visited Africa.',
'My Mum tries to be cool by saying that she likes all the same things that I do.',
];
var words = [
'cetology', 'ensand',
'Sinian', 'upladder',
'chromatophil', 'archimandrite',
'July', 'recurvant',
'gucki', 'spondylosis',
'Normanist', 'coappearance',
'Graham', 'overrife',
'starcher', 'dunness',
'Maratha', 'farde',
'Abe', 'sasanqua',
'interception', 'flirtatiousness',
'uke', 'Thecata',
'Tunker', 'strongback',
'fathomable', 'boulder',
'charioted', 'montgolfier',
'pharyngoscopy', 'trifoliate',
'endogenesis', 'letterin',
'Virgo', 'flap',
'turgidly', 'undoubtingness',
'pyrheliometry', 'Tornit',
'apophantic', 'mediglacial',
'chide', 'doctrine',
'Comid', 'torpescence',
'transcorporate', 'stentorious',
'ingenerately', 'breathseller',
'viviparousness', 'beslave',
'benefice', 'player',
'gonadic', 'secluding',
'Scripture', 'internalization',
'bivariate', 'Eatanswill',
'martinet', 'dummered',
'pretense', 'expurgate',
'lenitude', 'trimetallic',
'Teredinidae', 'strial',
'photoma', 'bellyland',
'verbalize', 'deforcement',
'didynamic', 'Monumbo',
'galliard', 'conchotome',
'swashway', 'coupleteer',
'miscurvature', 'brokenly',
'preconfer', 'sliptopped',
'pol', 'graupel',
'pyralidan', 'unverminous',
'pentaglossal', 'nainsel',
'Lum', 'matrimonial',
'uncasketed', 'cowbane',
'extemporaneity', 'bedamp',
'Syriologist', 'esophagogastroscopy',
'inaffectation', 'overassess',
'dareful', 'demihag',
'commence', 'nep',
'bilaminate', 'tengu',
'weam', 'hyperdolichocephaly',
'mitosis', 'petaurine',
'restproof', 'unqueenly',
'Blattodea', 'retreative',
'unframably', 'tentwort',
'torotoro', 'peroxy',
'overpatriotic', 'metaplasis',
'eradicant', 'soever',
'cradlesong', 'unbleached',
'attache', 'nonsubject',
'unparadise', 'morpheme',
'hierocratic', 'trophothylax',
'battlemented', 'arachin',
'lacrym', 'nonevil',
'unmutilated', 'overemptiness',
'tenaille', 'accommodative',
'hygieist', 'overfloat',
'caulicule', 'prebaptismal',
'subdeacon', 'chrysalidian',
'photomechanical', 'microrhabdus',
'Formol', 'hyraceum',
'platymyoid', 'egg',
'preomission', 'bicellular',
'southernism', 'Semnopithecinae',
'mangel', 'acidproof',
'coryphaenoid', 'tidiable',
'transisthmian', 'Tarkani',
'subterjacent', 'betanglement',
'keelfat', 'overbrood',
'inseparable', 'jhool',
'gudesake', 'untilled',
'centetid', 'hypopteral',
'chirotherian', 'biscuitmaking',
'wapper', 'hypergol',
'yawn', 'sluggardness',
'sterrinck', 'swanny',
'obtriangular', 'karyogamic',
'odontexesis', 'aspergillum',
'exonerative', 'fluorography',
'shudder', 'spyism',
'stachyose', 'transvaal',
'trapfall', 'tillable',
'plasmocytoma', 'international',
'ungashed', 'cylindrenchyma',
'despairer', 'Madreporaria',
'subsample', 'odoom',
'scuffer', 'anilinophilous',
'clamshell', 'lyceal',
'overtruthfully', 'emeraude',
'plagiocephalism', 'atechnical',
'niota', 'mouthbreeder',
'transiliac', 'extrasacerdotal',
'almsgiving', 'dittographic',
'nonmillionaire', 'recorder',
'pteridophyte', 'Stikine',
'Brahmanism', 'overgrain',
'histoplasmin', 'chainwale',
'chaperone', 'unargumentative',
'stooker', 'phyllodium',
'sir', 'alliteratively',
'clinocephalic', 'tutenag',
'compendency', 'unpartial',
'uteritis', 'manstealer',
'logometrical', 'Nitrosococcus',
'threadless', 'psilosophy',
'Ephraimitish', 'polystylar',
'metatatic', 'zosteriform',
'Phidian', 'Urocerata',
'celestina', 'plausibly',
'polonaise', 'wheelbird',
'carnalness', 'refocillate',
'pidjajap', 'shush',
'gools', 'anticipatable',
'kitcat', 'oversolemnly',
'exedent', 'soundful',
'cauterization', 'oculated',
'haemonchiasis', 'ethmopalatine',
'Lammas', 'scales',
'unforgiver', 'encyclopedial',
'unlousy', 'accumbent',
'lunare', 'chemisette',
'dinitro', 'knavery',
'Dipodomyinae', 'counterweighted',
'repandousness', 'nonneutral',
'heterotelic', 'prickleback',
'pukateine', 'Demerol',
'mokihana', 'inderivative',
'alytarch', 'solenostomous',
'plumist', 'antipodagron',
'mylonitic', 'candlewasting',
'fractionating', 'equinus',
'hyaloiditis', 'poriferal',
'Geikia', 'coracobrachialis',
'Ammonite', 'slanderer',
'outskirmish', 'whacker',
'subregion', 'Marcgraviaceae',
'Alfur', 'givey',
'denitrification', 'unamplified',
'pulvilliform', 'disguisedness',
'incandescent', 'lumbosacral',
'Mohock', 'Theodosia',
'encave', 'pituitous',
'resawyer', 'peaceman',
'acroparalysis', 'unalterability',
'birdcall', 'leglet',
'overgreedy', 'Islamization',
'lienogastric', 'callosum',
'dianisidin', 'tonant',
'controversialist', 'geognosis',
'yuckel', 'hexarchy',
'unferried', 'antistrophal',
'plainness', 'pilgrimwise',
'traduce', 'venerable',
'treasonably', 'coronaled',
'uncircumlocutory', 'oxytone',
'bifer', 'nunlike',
'beshrew', 'preinspire',
'blindstory', 'cerebralization',
'eudaemonist', 'antigalactagogue',
'pyromucyl', 'overbandy',
'wheatear', 'vacanthearted',
'uprip', 'cerebellopontile',
'wifelike', 'isophasal',
'frisca', 'axillae',
'Alkoran', 'neurotrophic',
'wrainstaff', 'beneaped',
'Sclerodermi', 'overcovetous',
'dusty', 'underthrob',
'noncorrosive', 'abbreviate',
'Octans', 'endurance',
'quinquefid', 'athlete',
'jossakeed', 'clochette',
'resistively', 'ulerythema',
'undiscernible', 'infusionist',
'cerebropathy', 'hyperglycorrhachia',
'diorthosis', 'karwar',
'Lutao', 'myelosyringosis',
'unincreased', 'termless',
'linenman', 'sacristan',
'interatomic', 'limitary',
'thunderous', 'sulphogallic',
'enantiomorphously', 'strophiolated',
'rubbishly', 'semihumorously',
'evangelicism', 'thapsia',
'majorate', 'seagirt',
'imponderous', 'fortuitously',
'caravel', 'deuteranomal',
'pantomimist', 'puzzleheadedly',
'flatterer', 'mikie',
'unbelieve', 'preconfiguration',
'trochaic', 'anoestrus',
'unstaveable', 'treaclewort',
'zigzaggedly', 'whereat',
'dailiness', 'lophiostomate',
'Rhinoptera', 'divinatory',
'Rosellinia', 'fingerling',
'Glyptotherium', 'hexaploid',
'sagebrush', 'erasure',
'isonephelic', 'stepgrandson',
'intermorainic', 'Rhinophis',
'yellowtop', 'twitterboned',
'uninitiate', 'fleeter',
'keratitis', 'wrestlerlike',
'Eciton', 'Neillia',
'indeficiently', 'debouch',
'daktylon', 'oftness',
'chemicomineralogical', 'nonferrous',
'Cocamama', 'tetraspheric',
'parel', 'wailer',
'adjustive', 'tannyl',
'interramification', 'pyche',
'antivibrating', 'primordium',
'indemnification', 'semicynical',
'suprasensuous', 'toyfulness',
'counterslope', 'misfortuner',
'Sophy', 'Athericera',
'exhaustively', 'Meliaceae',
'calceolate', 'Giansar',
'mastologist', 'bilker',
'harttite', 'garishness',
'diffidation', 'Peggy',
'eristic', 'saltfat',
'unenterable', 'photospectroscopical',
'amminolytic', 'nabber',
'unministerial', 'polytrichia',
'redelegation', 'producibleness',
'unpalatial', 'vower',
'kashruth', 'williwaw',
'cappy', 'cask',
'progredient', 'affront',
'parietovaginal', 'quotiety',
'monostomatous', 'siderostat',
'schoenobatist', 'budgereegah',
'epipodite', 'dungeonlike',
'Paramecium', 'submaximal',
'nightfowl', 'tesseratomy',
'Rosetta', 'Azilian',
'suppose', 'chibinite',
'retractively', 'spumous',
'unjewel', 'polycentral',
'unburial', 'rowdyproof',
'cottid', 'crosswalk',
'unreproachable', 'shunter',
'coincidentally', 'paleoethnology',
'bitten', 'filtering',
'preobviousness', 'myrcene',
'isopropylamine', 'spumone',
'Ophiurida', 'specifically',
'unwrinkled', 'unfrosted',
'assort', 'semiextinct',
'metamorphoses', 'middlingish',
'interorbitally', 'speechment',
'semeia', 'uniplicate',
'protoreptilian', 'unoverflowing',
'Eve', 'Myxospongiae',
'hypapophysis', 'certificate',
'irremissibly', 'grossulaceous',
'precritical', 'squaliform',
'gorgonacean', 'overheave',
'apathy', 'minion',
'etypical', 'paleolithoid',
'alulet', 'philanthropic',
'trammer', 'aerophotography',
'photodissociation', 'armament',
'amphimictic', 'hendecagonal',
'enough', 'micrometrically',
'pare', 'cervicoaxillary',
'redevelop', 'equidominant',
'nighted', 'slogan',
'cometographical', 'veinage',
'inopercular', 'demitone',
'reflection', 'binate',
'insection', 'gaskin',
'sulbasutra', 'neurepithelium',
'Nabalitic', 'sachem',
'rigger', 'Kolis',
'phaeophore', 'stotterel',
'kidling', 'Heterodonta',
'begem', 'bibliopoly',
'switchbacker', 'fairtime',
'bounded', 'pentametrist',
'brigand', 'dickey',
'troggin', 'nonimitative',
'distantly', 'metrist',
'bitterly', 'ribonucleic',
'Leiophyllum', 'disadventure',
'Ternstroemiaceae', 'cystoradiography',
'lithectomy', 'yardman',
'erection', 'carbonization',
'unhomologous', 'Tagaur',
'regimentation', 'submammary',
'kittenishness', 'Phaeodaria',
'forcipiform', 'unculture',
'festuca', 'bourtree',
'miskenning', 'instanter',
'Merino', 'staphylinid',
'overtariff', 'leeky',
'unabidingness', 'Heinrich',
'chromocyte', 'hemophile',
'bewrayment', 'alterity',
'unispinose', 'hart',
'reimbursement', 'plumeous',
'Embioptera', 'swan',
'urography', 'leguan',
'montane', 'spong',
'stilboestrol', 'astragalar',
'vindicate', 'bullishness',
'hepatoid', 'phototelegraph',
'thalamifloral', 'eaglestone',
'psychagogue', 'woodhorse',
'tubicen', 'machiavellist',
'eurybenthic', 'hoodful',
'foreskirt', 'seadrome',
'unrefuting', 'nutseed',
'elatedness', 'poimenics',
'goodeniaceous', 'expulse',
'whyever', 'nomography',
'coascend', 'Pelias',
'uromelanin', 'postmuscular',
'scandalmongery', 'carbohydrate',
'typhloalbuminuria', 'insistingly',
'circumintestinal', 'misedit',
'indigotic', 'unode',
'rathely', 'domestication',
'fluffy', 'tooter',
'pupilloscope', 'necrologic',
'gata', 'unoccluded',
'spleuchan', 'helminthous',
'plecopterous', 'foreconsider',
'archturncoat', 'coagulin',
'bowdlerism', 'sulphurous',
'howlingly', 'profectional',
'Lumbricidae', 'spider',
'alphabetics', 'whaleboat',
'Carapache', 'adipate',
'kissy', 'screechily',
'theoastrological', 'wisewoman',
'myelomeningitis', 'underadjustment',
'transference', 'inhume',
'remagnetization', 'schmelz',
'Pherecratian', 'revirescence',
'bookery', 'megotalc',
'opercled', 'pipkin',
'algebraization', 'peerling',
'endocrinopathic', 'ostensibly',
'Assamites', 'busybody',
'faffy', 'unrepiqued',
'unigenous', 'cryable',
'organing', 'pulegol',
'hammochrysos', 'tillerman',
'admix', 'correlate',
'penance', 'Silvia',
'incredulity', 'nimshi',
'Methodist', 'bowleggedness',
'robotry', 'encephalomeningitis',
'redsear', 'soldierly',
'regreet', 'amadou',
'pemican', 'unnebulous',
'chloralization', 'septemia',
'fullery', 'redock',
'neath', 'liverleaf',
'impletion', 'Agnoetae',
'umbones', 'victualless',
'carpophyte', 'infrapose',
'Aphelops', 'dedition',
'zephyrean', 'Wordsworthianism',
'acetylacetone', 'neuterly',
'lyre', 'altercation',
'acritan', 'paddlewood',
'neurophagy', 'Turtan',
'per', 'Nile',
'postmeningeal', 'boor',
'glanders', 'Hexamita',
'ophiomorphic', 'interwovenly',
'Kojiki', 'fibrocalcareous',
'cantoner', 'tuliplike',
'frighten', 'mohair',
'sepsine', 'gateman',
'munnion', 'Lycopodiales',
'hypogonation', 'antilysis',
'paranuclear', 'podostomatous',
'syncytial', 'renotice',
'calcification', 'dollishness',
'Cynthiidae', 'Clementina',
'plantar', 'Palicourea',
'columelliform', 'bindingness',
'sackful', 'firebote',
'garlicwort', 'epithalline',
'conformableness', 'velamentous',
'utfangethef', 'crocused',
'insurmountability', 'granary',
'stand', 'shrinelet',
'canadite', 'pseudoerysipelas',
'ayous', 'adjustment',
'countercouchant', 'pneumatophilosophy',
'Toromona', 'denaturize',
'packmanship', 'sanitation',
'drawshave', 'giggling',
'organism', 'synchronological',
'absinthial', 'madidans',
'paintable', 'spermoblastic',
'perivaginal', 'wharve',
'paralytical', 'facinorousness',
'criminality', 'Amphirhina',
'bedcap', 'strawboard',
'idioplasmic', 'Simonian',
'exaggerate', 'culicid',
'overbrow', 'precancellation',
'hyposyllogistic', 'terpsichoreal',
'meconophagist', 'fluviatile',
'charlatanically', 'unregenerateness',
'incombustibleness', 'infrapubian',
'monobasic', 'uneasy',
'Commelinaceae', 'remigial',
'psychotic', 'asphodel',
'paraphrasian', 'lawyership',
'wined', 'uncherishing',
'hives', 'compagination',
'macroanalysis', 'eldritch',
'nake', 'anthropogeography',
'appearanced', 'noncollectable',
'scoffing', 'Mechitaristican',
'garboil', 'bricking',
'unwrinkleable', 'overrooted',
'gimleteyed', 'forecited',
'Polab', 'coadore',
'recultivation', 'postgeniture',
'nonisobaric', 'Diopsis',
'archminister', 'satelles',
'outbred', 'ciliospinal',
'stablekeeper', 'rubstone',
'sightlily', 'trilocular',
'bakula', 'sniggle',
'petrify', 'geodiferous',
'Hun', 'underhand',
'androgynary', 'Japanize',
'unreprievably', 'mesmerizer',
'hoplomachist', 'ommatophore',
'saccharometric', 'Dedan',
'epactal', 'hubshi',
'dislocator', 'magnetic',
'thirsting', 'unforewarnedness',
'giantlike', 'verificative',
'maximed', 'botryoidally',
'northerner', 'wraithy',
'quisle', 'Caretta',
'Frenchy', 'chlorochromic',
'yelk', 'downweighted',
'homelessness', 'lithontriptic',
'natuary', 'reapplaud',
'Iscariotism', 'hallway',
'zootheist', 'appraisive',
'homoeopathicity', 'asteria',
'hyperabelian', 'scotching',
'patriarchal', 'aperea',
'Alfirk', 'rubiator',
'tapaculo', 'floatman',
'superdevotion', 'cella',
'revilement', 'adscriptive',
'reshun', 'idioplasmatic',
'anthropophuism', 'flirtatious',
'Benjamite', 'southeastern',
'suggestress', 'fascisticize',
'eccrisis', 'outfort',
'subsistingly', 'tophetize',
'pseudonavicular', 'reswim',
'ocelli', 'appreciational',
'chromatopathia', 'hoarstone',
'Vaucheria', 'supersupremacy',
'evangelical', 'glia',
'Dendropogon', 'strangulable',
'insnare', 'flightful',
'adsignify', 'Judaize',
'eudiometry', 'pica',
'unhelpableness', 'posturist',
'Thargelion', 'adstipulator',
'bearableness', 'tactful',
'Deuteronomic', 'apathetical',
'scrollwise', 'microlevel',
'Zenaidinae', 'fleetingness',
'atonality', 'congregationalism',
'affrontedly', 'lectorial',
'grantable', 'bunter',
'willingly', 'unresty',
'giggish', 'Dianthaceae',
'duty', 'vespertilio',
'Cunoniaceae', 'reticulate',
'Lestrigon', 'cloddiness',
'unmaidenly', 'mettar',
'flagleaf', 'ort',
'tumidly', 'respace',
'broch', 'outbranching',
'Ampelidae', 'coetaneousness',
'oxyiodide', 'revisable',
'spongewood', 'cyatholith',
'purchasability', 'dinornithine',
'ascula', 'messaline',
'puparial', 'Bismarckian',
'quinquevalency', 'cibory',
'orrhoid', 'restraighten',
'urd', 'civilly',
'pangamic', 'palpiform',
'steddle', 'trochalopodous',
'altogetherness', 'teloblast',
'Anatole', 'consonant',
'psychologize', 'grunt',
'pathogermic', 'subduedness',
'bladderlike', 'eventuate',
'overconservative', 'fibrointestinal',
'cynoid', 'concentrated',
'unelectrify', 'urethrovaginal',
'humaniform', 'decatize',
'supersemination', 'Orleanistic',
'demonial', 'Suluan',
'tummer', 'yoker',
'biophysiography', 'teazer',
'tritium', 'rohob',
'planulate', 'tangs',
'tridecene', 'guzmania',
'animism', 'gaufrette',
'germling', 'sarcogenic',
'encapsulate', 'hachure',
'joyously', 'seneschalship',
'sabered', 'autoradiographic',
'sise', 'enzymically',
'Jacksonia', 'molybdous',
'theodicaea', 'weanling',
'predictation', 'programmar',
'bobbery', 'Petroselinum',
'untailorlike', 'taxinomic',
'invertebracy', 'radiatosulcate',
'petling', 'phrasally',
'unken', 'hightoby',
'screened', 'assentient',
'pointillist', 'piacularly',
'preconfine', 'saccadic',
'vigorless', 'bodiless',
'geodesy', 'phagodynamometer',
'Phoebe', 'memorabilia',
'caryatidean', 'Morrisean',
'woom', 'keleh',
'frilling', 'pantotype',
'hatlike', 'appealability',
'revise', 'elegiacal',
'extractorship', 'sneck',
'superexalt', 'mediatress',
'prepeduncle', 'porchless',
'cytozymase', 'featherfoil',
'hemabarometer', 'peptize',
'reoccur', 'esophagostenosis',
'cinerea', 'skivvies',
'meconic', 'transpleurally',
'toilful', 'amygdalothripsis',
'draconic', 'undiffusive',
'hacked', 'featherwood',
'ascent', 'antiskidding',
'parchmentlike', 'soldo',
'maudlin', 'Vesuvian',
'heteronymous', 'housewares',
'prognosticator', 'macrurous',
'unscholastic', 'tigerishness',
'ristori', 'roosa',
'rhinocele', 'flether',
'Vernonia', 'furfuroid',
'emmarvel', 'stumpish',
'lasarwort', 'dizain',
'oxygnathous', 'incendiary',
'breviary', 'metanephric',
'assorted', 'kayaker',
'hingeless', 'alkaptonuria',
'shackling', 'clima',
'cunye', 'barnacle',
'buttstock', 'Vespina',
'megacoulomb', 'photoengraver',
'washoff', 'Emydea',
'Pictland', 'Tities',
'ungrazed', 'bespot',
'pretranslate', 'karyon',
'unadequately', 'criminative',
'stellulate', 'Cellulomonas',
'sob', 'tyrant',
'uralitize', 'heptadecyl',
'tiriba', 'codiniac',
'somewhat', 'Pinnigrada',
'Gravigrada', 'bummock',
'eudiometric', 'architecture',
'hepatonephric', 'hoplitic',
'yont', 'cecidiology',
'colloid', 'Pam',
'urtica', 'toro',
'Tritoma', 'astoundable',
'lorum', 'unfactorable',
'ferricyanic', 'dicaryotic',
'lamellicornous', 'catatoniac',
'mediatingly', 'chloropicrin',
'premonarchial', 'sparkless',
'upflood', 'arrayal',
'rubricality', 'forgetter',
'diagrammeter', 'caducary',
'violably', 'yoke',
'democratist', 'roundtail',
'competent', 'rebuffet',
'naveled', 'menstruate',
'presumptiously', 'Lodowick',
'polypharmic', 'urceole',
'subradiate', 'semicombined',
'fallace', 'Atlas',
'honeyed', 'circumscribable',
'redictate', 'antiscians',
'jailish', 'anthropophaginian',
'chacona', 'hydronitric',
'gymnopaedic', 'phelloplastics',
'Sundar', 'nomistic',
'erratically', 'reiver',
'ditrochee', 'subinspector',
'disproportionalness', 'confined',
'Boreas', 'celebration',
'Tagakaolo', 'portraitlike',
'nodulous', 'Wellsian',
'brigandism', 'lanceproof',
'mushrebiyeh', 'upflare',
'pathoneurosis', 'preseasonal',
'holophytic', 'fraughan',
'oxyhydrate', 'deducible',
'showman', 'prankishness',
'diadoche', 'apocryphalness',
'disloyalty', 'milkman',
'lymphoduct', 'Terminalia',
'Moravianism', 'synapticulate',
'turgidity', 'semichemical',
'jinnestan', 'ihi',
'Docetist', 'surfusion',
'dromond', 'epichondrosis',
'unclogged', 'untenty',
'malnutrite', 'ileitis',
'twizzle', 'heir',
'reproduce', 'untwineable',
'segmentary', 'figging',
'predischarge', 'intercommunication',
'memorious', 'trialate',
'lepidopteran', 'battel',
'laryngoscleroma', 'fanfarade',
'Catesbaea', 'todder',
'goadster', 'inalterability',
'abidi', 'consonantly',
'focusable', 'admirer',
'demineralization', 'unfishing',
'precinctive', 'canaigre',
'gymnastic', 'lutanist',
'unnaturalness', 'daraf',
'strig', 'ethenyl',
'underdog', 'pusillanimous',
'spiritedness', 'acrobatholithic',
'grinny', 'anarchal',
'molarimeter', 'honeyedly',
'Tukuler', 'childship',
'opianic', 'vila',
'Lycus', 'overfree',
'dardanium', 'Ran',
'unblind', 'pudendous',
'berg', 'successiveness',
'dietic', 'hinderlings',
'helotry', 'unadulteratedly',
'germinally', 'vorticial',
'effulge', 'danner',
'Brescian', 'smithydander',
'pectoriloquial', 'sauna',
'parchable', 'contrariousness',
'tenebrious', 'encephalocele',
'overlie', 'alkyne',
'jargon', 'neurinoma',
'glucokinin', 'stethospasm',
'overgood', 'stertoriousness',
'retrofracted', 'synchronical',
'unkempt', 'homogony',
'pantothenate', 'incuriousness',
'applique', 'shaku',
'Carlyleian', 'tricolumnar',
'intercessory', 'outsound',
'fluctuate', 'alimentotherapy',
'polyzonal', 'myalgic',
'subderivative', 'undesponding',
'beliquor', 'superartificially',
'phosphammonium', 'redistribute',
'grievedly', 'trachearian',
'Siganidae', 'polydactyl',
'bouw', 'slowgoing',
'systemization', 'towhee',
'capturer', 'fullface',
'kat', 'tipstock',
'gourdlike', 'unbedded',
'multishot', 'noded',
'miglio', 'bacillariaceous',
'nester', 'Ascidioida',
'Shivaism', 'juicily',
'replevisable', 'illusion',
'armamentary', 'cornerer',
'fenland', 'descriptionist',
'unprison', 'ablow',
'Oenotrian', 'discantus',
'frankhearted', 'aculeolate',
'pinnatisect', 'fatuoid',
'evaluate', 'prepare',
'pecite', 'unreproving',
'muscardine', 'gabber',
'ciliation', 'bananist',
'Balsaminaceae', 'whirtle',