-
Notifications
You must be signed in to change notification settings - Fork 0
/
dragon_form_validator.py
1058 lines (1031 loc) · 87.7 KB
/
dragon_form_validator.py
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
import datetime
from collections import namedtuple
from types import MappingProxyType
import string
def provider_check():
"""it's current list all providers, you can use it for other purpose"""
prov = (
'0-mail', '007addict', '020', '027168', '0815', '0815', '0clickemail', '0sg', '0wnd', '0wnd', '1033edge',
'10mail',
'10minutemail', '10minutemail', '11mail', '123-m', '123', '123box', '123india', '123mail', '123mail', '123qwe',
'126', '126', '138mail', '139', '150mail', '150ml', '15meg4free', '163', '16mail', '188', '189', '1auto', '1ce',
'1chuan', '1colony', '1coolplace', '1email', '1freeemail', '1fsdfdsfsdf', '1funplace', '1internetdrive',
'1mail',
'1mail', '1me', '1mum', '1musicrow', '1netdrive', '1nsyncfan', '1pad', '1under', '1webave', '1webhighway',
'1zhuan',
'2-mail', '20email', '20mail', '20mail', '20minutemail', '212', '21cn', '247emails', '24horas', '2911', '2980',
'2bmail', '2coolforyou', '2d2i', '2die4', '2fdgdfgdfgdf', '2hotforyou', '2mydns', '2net', '2prong', '2trom',
'3000',
'30minutemail', '30minutesmail', '3126', '321media', '33mail', '360', '37', '3ammagazine', '3dmail', '3email',
'3g',
'3mail', '3trtretgfrfe', '3xl', '444', '4email', '4email', '4gfdsgfdgfd', '4mg', '4newyork', '4warding',
'4warding',
'4warding', '4x4fan', '4x4man', '50mail', '5fm', '5ghgfhfghfgh', '5iron', '5star', '60minutemail',
'6hjgjhgkilkj',
'6ip', '6mail', '6paq', '702mail', '74', '7mail', '7mail', '7tags', '88', '8848', '888', '8mail', '8mail',
'97rock',
'99experts', '9ox', 'a-bc', 'a-player', 'a2z4u', 'a45', 'aaamail', 'aahlife', 'aamail', 'aapt', 'aaronkwok',
'abbeyroadlondon', 'abcflash', 'abdulnour', 'aberystwyth', 'abolition-now', 'about', 'absolutevitality',
'abusemail', 'abv', 'abwesend', 'abyssmail', 'ac20mail', 'academycougars', 'acceso', 'access4less', 'accessgcc',
'accountant', 'acdcfan', 'acdczone', 'ace-of-base', 'acmecity', 'acmemail', 'acninc', 'acrobatmail',
'activatormail', 'activist', 'adam', 'add3000', 'addcom', 'address', 'adelphia', 'adexec', 'adfarrow', 'adinet',
'adios', 'admin', 'administrativos', 'adoption', 'ados', 'adrenalinefreak', 'adres', 'advalvas', 'advantimo',
'aeiou', 'aemail4u', 'aeneasmail', 'afreeinternet', 'africa-11', 'africamail', 'africamel',
'africanpartnersonline',
'afrobacon', 'ag', 'agedmail', 'agelessemail', 'agoodmail', 'ahaa', 'ahk', 'aichi', 'aim', 'aircraftmail',
'airforce', 'airforceemail', 'airpost', 'aiutamici', 'ajacied', 'ajaxapp', 'ak47', 'aknet', 'akphantom',
'albawaba',
'alecsmail', 'alex4all', 'alexandria', 'algeria', 'algeriamail', 'alhilal', 'alibaba', 'alice', 'aliceadsl',
'aliceinchainsmail', 'alivance', 'alive', 'aliyun', 'allergist', 'allmail', 'alloymail', 'allracing',
'allsaintsfan', 'alltel', 'alpenjodel', 'alphafrau', 'alskens', 'altavista', 'altavista', 'altavista',
'alternativagratis', 'alumni', 'alumnidirector', 'alvilag', 'ama-trade', 'amail', 'amazonses', 'amele',
'america',
'ameritech', 'amilegit', 'amiri', 'amiriindustries', 'amnetsal', 'amorki', 'amrer', 'amuro', 'amuromail',
'ananzi',
'ancestry', 'andreabocellimail', 'andylau', 'anfmail', 'angelfan', 'angelfire', 'angelic', 'animail', 'animal',
'animalhouse', 'animalwoman', 'anjungcafe', 'anniefans', 'annsmail', 'ano-mail', 'anonmails', 'anonymbox',
'anonymous', 'anote', 'another', 'anotherdomaincyka', 'anotherwin95', 'anti-ignorance', 'anti-social',
'antichef',
'antichef', 'antiqueemail', 'antireg', 'antisocial', 'antispam', 'antispam24', 'antispammail', 'antongijsen',
'antwerpen', 'anymoment', 'anytimenow', 'aol', 'aol', 'aol', 'aol', 'aol', 'aol', 'aon', 'apexmail', 'apmail',
'apollo', 'aport', 'aport2000', 'apple', 'appraiser', 'approvers', 'aquaticmail', 'arabia', 'arabtop',
'arcademaster', 'archaeologist', 'archerymail', 'arcor', 'arcotronics', 'arcticmail', 'argentina',
'arhaelogist',
'aristotle', 'army', 'armyspy', 'arnet', 'art-en-ligne', 'artistemail', 'artlover', 'artlover',
'artman-conception',
'as-if', 'asdasd', 'asean-mail', 'asean-mail', 'asheville', 'asia-links', 'asia-mail', 'asia', 'asiafind',
'asianavenue', 'asiancityweb', 'asiansonly', 'asianwired', 'asiapoint', 'askaclub', 'ass', 'assala',
'assamesemail',
'astroboymail', 'astrolover', 'astrosfan', 'astrosfan', 'asurfer', 'atheist', 'athenachu', 'atina', 'atl',
'atlas',
'atlaswebmail', 'atlink', 'atmc', 'ato', 'atozasia', 'atrus', 'att', 'attglobal', 'attymail', 'au',
'auctioneer',
'aufeminin', 'aus-city', 'ausi', 'aussiemail', 'austin', 'australia', 'australiamail', 'austrosearch',
'autoescuelanerja', 'autograf', 'automail', 'automotiveauthority', 'autorambler', 'aver', 'avh', 'avia-tonic',
'avtoritet', 'awayonvacation', 'awholelotofamechi', 'awsom', 'axoskate', 'ayna', 'azazazatashkent', 'azimiweb',
'azmeil', 'bachelorboy', 'bachelorgal', 'backfliper', 'backpackers', 'backstreet-boys', 'backstreetboysclub',
'backtothefuturefans', 'backwards', 'badtzmail', 'bagherpour', 'bahrainmail', 'bakpaka', 'bakpaka', 'baldmama',
'baldpapa', 'ballerstatus', 'ballyfinance', 'balochistan', 'baluch', 'bangkok', 'bangkok2000', 'bannertown',
'baptistmail', 'baptized', 'barcelona', 'bareed', 'barid', 'barlick', 'bartender', 'baseball-email',
'baseballmail',
'basketballmail', 'batuta', 'baudoinconsulting', 'baxomale', 'bboy', 'bboy', 'bcvibes', 'beddly', 'beeebank',
'beefmilk', 'beenhad', 'beep', 'beer', 'beerandremotes', 'beethoven', 'beirut', 'belice', 'belizehome',
'belizemail', 'belizeweb', 'bell', 'bellair', 'bellsouth', 'berkscounty', 'berlin', 'berlin', 'berlinexpo',
'bestmail', 'betriebsdirektor', 'bettergolf', 'bharatmail', 'big1', 'big5mail', 'bigassweb', 'bigblue',
'bigboab',
'bigfoot', 'bigfoot', 'bigger', 'biggerbadder', 'bigmailbox', 'bigmir', 'bigpond', 'bigpond', 'bigpond',
'bigpond',
'bigpond', 'bigramp', 'bigstring', 'bikemechanics', 'bikeracer', 'bikeracers', 'bikerider', 'billsfan',
'billsfan',
'bimamail', 'bimla', 'bin-wieder-da', 'binkmail', 'bio-muesli', 'bio-muesli', 'biologyfan', 'birdfanatic',
'birdlover', 'birdowner', 'bisons', 'bitmail', 'bitpage', 'bizhosting', 'bk', 'bkkmail', 'bla-bla',
'blackburnfans',
'blackburnmail', 'blackplanet', 'blader', 'bladesmail', 'blazemail', 'bleib-bei-mir', 'blink182', 'blockfilter',
'blogmyway', 'blondandeasy', 'bluebottle', 'bluehyppo', 'bluemail', 'bluemail', 'bluesfan', 'bluewin',
'blueyonder',
'blumail', 'blushmail', 'blutig', 'bmlsports', 'boardermail', 'boarderzone', 'boatracers', 'bobmail', 'bodhi',
'bofthew', 'bol', 'bolando', 'bollywoodz', 'bolt', 'boltonfans', 'bombdiggity', 'bonbon', 'boom', 'bootmail',
'bootybay', 'bornagain', 'bornnaked', 'bossofthemoss', 'bostonoffice', 'boun', 'bounce', 'bounces', 'bouncr',
'box',
'box', 'boxbg', 'boxemail', 'boxformail', 'boxfrog', 'boximail', 'boyzoneclub', 'bradfordfans', 'brasilia',
'bratan', 'brazilmail', 'brazilmail', 'breadtimes', 'breakthru', 'breathe', 'brefmail', 'brennendesreich',
'bresnan', 'brestonline', 'brew-master', 'brew-meister', 'brfree', 'briefemail', 'bright', 'britneyclub',
'brittonsign', 'broadcast', 'broadwaybuff', 'broadwaylove', 'brokeandhappy', 'brokenvalve', 'brujula',
'brunetka',
'brusseler', 'bsdmail', 'bsnow', 'bspamfree', 'bt', 'btcc', 'btcmail', 'btconnect', 'btconnect', 'btinternet',
'btopenworld', 'buerotiger', 'buffymail', 'bugmenot', 'bulgaria', 'bullsfan', 'bullsgame', 'bumerang',
'bumpymail',
'bumrap', 'bund', 'bunita', 'bunko', 'burnthespam', 'burntmail', 'burstmail', 'buryfans', 'bushemail',
'business-man', 'businessman', 'businessweekmail', 'bust', 'busta-rhymes', 'busymail', 'busymail', 'busymail',
'butch-femme', 'butovo', 'buyersusa', 'buymoreplays', 'buzy', 'bvimailbox', 'byke', 'byom', 'byteme', 'c2',
'c2i',
'c3', 'c4', 'c51vsgq', 'cabacabana', 'cable', 'cableone', 'caere', 'cairomail', 'calcuttaads',
'calendar-server',
'calidifontain', 'californiamail', 'callnetuk', 'callsign', 'caltanet', 'camidge', 'canada-11', 'canada',
'canadianmail', 'canoemail', 'cantv', 'canwetalk', 'caramail', 'card', 'care2', 'careceo', 'careerbuildermail',
'carioca', 'cartelera', 'cartestraina', 'casablancaresort', 'casema', 'cash4u', 'cashette', 'casino',
'casualdx',
'cataloniamail', 'cataz', 'catcha', 'catchamail', 'catemail', 'catholic', 'catlover', 'catsrule', 'ccnmail',
'cd2',
'cek', 'celineclub', 'celtic', 'center-mail', 'centermail', 'centermail', 'centermail', 'centermail',
'centermail',
'centoper', 'centralpets', 'centrum', 'centrum', 'centurylink', 'centurytel', 'certifiedmail', 'cfl', 'cgac',
'cghost', 'chacuo', 'chaiyo', 'chaiyomail', 'chalkmail', 'chammy', 'chance2mail', 'chandrasekar',
'channelonetv',
'charityemail', 'charmedmail', 'charter', 'charter', 'chat', 'chatlane', 'chattown', 'chauhanweb', 'cheatmail',
'chechnya', 'check', 'check', 'check1check', 'cheeb', 'cheerful', 'chef', 'chefmail', 'chek', 'chello',
'chemist',
'chequemail', 'cheshiremail', 'cheyenneweb', 'chez', 'chickmail', 'chil-e', 'childrens', 'childsavetrust',
'china',
'china', 'chinalook', 'chinamail', 'chinesecool', 'chirk', 'chocaholic', 'chocofan', 'chogmail', 'choicemail1',
'chong-mail', 'chong-mail', 'christianmail', 'chronicspender', 'churchusa', 'cia-agent', 'cia', 'ciaoweb',
'cicciociccio', 'cincinow', 'cirquefans', 'citeweb', 'citiz', 'citlink', 'city-of-bath', 'city-of-birmingham',
'city-of-brighton', 'city-of-cambridge', 'city-of-coventry', 'city-of-edinburgh', 'city-of-lichfield',
'city-of-lincoln', 'city-of-liverpool', 'city-of-manchester', 'city-of-nottingham', 'city-of-oxford',
'city-of-swansea', 'city-of-westminster', 'city-of-westminster', 'city-of-york', 'city2city', 'citynetusa',
'cityofcardiff', 'cityoflondon', 'ciudad', 'ckaazaza', 'claramail', 'classicalfan', 'classicmail', 'clear',
'clearwire', 'clerk', 'clickforadate', 'cliffhanger', 'clixser', 'close2you', 'close2you', 'clrmail',
'club-internet', 'club4x4', 'clubalfa', 'clubbers', 'clubducati', 'clubhonda', 'clubmember', 'clubnetnoir',
'clubvdo', 'cluemail', 'cmail', 'cmail', 'cmail', 'cmpmail', 'cmpnetmail', 'cnegal', 'cnnsimail', 'cntv',
'codec',
'codec', 'codec', 'coder', 'coid', 'coldemail', 'coldmail', 'collectiblesuperstore', 'collector', 'collegebeat',
'collegeclub', 'collegemail', 'colleges', 'columbus', 'columbusrr', 'columnist', 'comast', 'comast', 'comcast',
'comcast', 'comic', 'communityconnect', 'complxmind', 'comporium', 'comprendemail', 'compuserve',
'computer-expert',
'computer-freak', 'computer4u', 'computerconfused', 'computermail', 'computernaked', 'conexcol', 'cong', 'conk',
'connect4free', 'connectbox', 'conok', 'consultant', 'consumerriot', 'contractor', 'contrasto', 'cookiemonster',
'cool', 'cool', 'coole-files', 'coolgoose', 'coolgoose', 'coolkiwi', 'coollist', 'coolmail', 'coolmail',
'coolrio',
'coolsend', 'coolsite', 'cooooool', 'cooperation', 'cooperationtogo', 'copacabana', 'copper', 'copticmail',
'cornells', 'cornerpub', 'corporatedirtbag', 'correo', 'corrsfan', 'cortinet', 'cosmo', 'cotas', 'counsellor',
'countrylover', 'courriel', 'courrieltemporaire', 'cox', 'cox', 'coxinet', 'cpaonline', 'cracker', 'craftemail',
'crapmail', 'crazedanddazed', 'crazy', 'crazymailing', 'crazysexycool', 'crewstart', 'cristianemail',
'critterpost',
'croeso', 'crosshairs', 'crosswinds', 'crunkmail', 'crwmail', 'cry4helponline', 'cryingmail', 'cs', 'csinibaba',
'cubiclink', 'cuemail', 'cumbriamail', 'curio-city', 'curryworld', 'curtsmail', 'cust', 'cute-girl',
'cuteandcuddly', 'cutekittens', 'cutey', 'cuvox', 'cww', 'cyber-africa', 'cyber-innovation', 'cyber-matrix',
'cyber-phone', 'cyber-wizard', 'cyber4all', 'cyberbabies', 'cybercafemaui', 'cybercity-online', 'cyberdude',
'cyberforeplay', 'cybergal', 'cybergrrl', 'cyberinbox', 'cyberleports', 'cybermail', 'cybernet',
'cyberservices',
'cyberspace-asia', 'cybertrains', 'cyclefanz', 'cymail', 'cynetcity', 'd3p', 'dabsol', 'dacoolest', 'dadacasa',
'daha', 'dailypioneer', 'dallas', 'dallasmail', 'dandikmail', 'dangerous-minds', 'dansegulvet', 'dasdasdascyka',
'data54', 'date', 'daum', 'davegracey', 'dawnsonmail', 'dawsonmail', 'dayrep', 'dazedandconfused', 'dbzmail',
'dcemail', 'dcsi', 'ddns', 'deadaddress', 'deadlymob', 'deadspam', 'deafemail', 'deagot', 'deal-maker',
'dearriba',
'death-star', 'deepseafisherman', 'deforestationsucks', 'degoo', 'dejanews', 'delikkt', 'deliveryman', 'deneg',
'depechemode', 'deseretmail', 'desertmail', 'desertonline', 'desertsaintsmail', 'desilota', 'deskmail',
'deskpilot',
'despam', 'despammed', 'destin', 'detik', 'deutschland-net', 'devnullmail', 'devotedcouples', 'dezigner',
'dfgh',
'dfwatson', 'dglnet', 'dgoh', 'di-ve', 'diamondemail', 'didamail', 'die-besten-bilder', 'die-genossen',
'die-optimisten', 'die-optimisten', 'die', 'diehardmail', 'diemailbox', 'digibel', 'digital-filestore',
'digitalforeplay', 'digitalsanctuary', 'digosnet', 'dingbone', 'diplomats', 'directbox', 'director-general',
'diri',
'dirtracer', 'dirtracers', 'discard', 'discard', 'discard', 'discardmail', 'discardmail', 'disciples',
'discofan',
'discovery', 'discoverymail', 'discoverymail', 'disign-concept', 'disign-revelation', 'disinfo', 'dispomail',
'disposable', 'disposableaddress', 'disposableemailaddresses', 'disposableinbox', 'dispose', 'dispostable',
'divismail', 'divorcedandhappy', 'dm', 'dmailman', 'dmitrovka', 'dmitry', 'dnainternet', 'dnsmadeeasy', 'doar',
'doclist', 'docmail', 'docs', 'doctor', 'dodgeit', 'dodgit', 'dodgit', 'dodo', 'dodsi', 'dog', 'dogit',
'doglover',
'dogmail', 'dogsnob', 'doityourself', 'domforfb1', 'domforfb2', 'domforfb3', 'domforfb4', 'domforfb5',
'domforfb6',
'domforfb7', 'domforfb8', 'domozmail', 'doneasy', 'donegal', 'donemail', 'donjuan', 'dontgotmail',
'dontmesswithtexas', 'dontreg', 'dontsendmespam', 'doramail', 'dostmail', 'dotcom', 'dotmsg', 'dotnow', 'dott',
'download-privat', 'dplanet', 'dr', 'dragoncon', 'dragracer', 'drdrb', 'drivehq', 'dropmail', 'dropzone',
'drotposta', 'dubaimail', 'dublin', 'dublin', 'dump-email', 'dumpandjunk', 'dumpmail', 'dumpmail', 'dumpyemail',
'dunlopdriver', 'dunloprider', 'duno', 'duskmail', 'dustdevil', 'dutchmail', 'dvd-fan', 'dwp', 'dygo',
'dynamitemail', 'dyndns', 'e-apollo', 'e-hkma', 'e-mail', 'e-mail', 'e-mail', 'e-mail', 'e-mail', 'e-mail',
'e-mailanywhere', 'e-mails', 'e-tapaal', 'e-webtec', 'e4ward', 'earthalliance', 'earthcam', 'earthdome',
'earthling', 'earthlink', 'earthonline', 'eastcoast', 'eastlink', 'eastmail', 'eastrolog', 'easy', 'easy',
'easypeasy', 'easypost', 'easytrashmail', 'eatmydirt', 'ebprofits', 'ec', 'ecardmail', 'ecbsolutions', 'echina',
'ecolo-online', 'ecompare', 'edmail', 'ednatx', 'edtnmail', 'educacao', 'educastmail', 'eelmail', 'ehmail',
'einmalmail', 'einrot', 'einrot', 'eintagsmail', 'eircom', 'ekidz', 'elisanet', 'elitemail', 'elsitio',
'eltimon',
'elvis', 'elvisfan', 'email-fake', 'email-london', 'email-value', 'email', 'email', 'email', 'email', 'email',
'email', 'email', 'email', 'email', 'email', 'email', 'email', 'email', 'email', 'email2me', 'email2me',
'email4u',
'email60', 'emailacc', 'emailaccount', 'emailaddresses', 'emailage', 'emailage', 'emailasso', 'emailchoice',
'emailcorner', 'emailem', 'emailengine', 'emailengine', 'emailer', 'emailforyou', 'emailgaul', 'emailgo',
'emailgroups', 'emailias', 'emailinfive', 'emailit', 'emaillime', 'emailmiser', 'emailoregon', 'emailpinoy',
'emailplanet', 'emailplus', 'emailproxsy', 'emails', 'emails', 'emails', 'emailsensei', 'emailservice',
'emailsydney', 'emailtemporanea', 'emailtemporanea', 'emailtemporar', 'emailtemporario', 'emailthe', 'emailtmp',
'emailto', 'emailuser', 'emailwarden', 'emailx', 'emailx', 'emailxfer', 'emailz', 'emailz', 'emale', 'ematic',
'embarqmail', 'emeil', 'emeil', 'emil', 'eml', 'eml', 'empereur', 'emptymail', 'emumail', 'emz', 'end-war',
'enel',
'enelpunto', 'engineer', 'england', 'england', 'englandmail', 'epage', 'epatra', 'ephemail', 'epiqmail', 'epix',
'epomail', 'epost', 'eposta', 'eprompter', 'eqqu', 'eramail', 'eresmas', 'eriga', 'ero-tube', 'eshche',
'esmailweb',
'estranet', 'ethos', 'etoast', 'etrademail', 'etranquil', 'etranquil', 'eudoramail', 'europamel', 'europe',
'europemail', 'euroseek', 'eurosport', 'evafan', 'evertonfans', 'every1', 'everyday', 'everymail', 'everyone',
'everytg', 'evopo', 'examnotes', 'excite', 'excite', 'excite', 'excite', 'execs', 'execs2k', 'executivemail',
'exemail', 'exg6', 'explodemail', 'express', 'expressasia', 'extenda', 'extended', 'extremail', 'eyepaste',
'eyou',
'ezagenda', 'ezcybersearch', 'ezmail', 'ezmail', 'ezrs', 'f-m', 'f1fans', 'facebook-email', 'facebook',
'facebookmail', 'facebookmail', 'fadrasha', 'fadrasha', 'fahr-zur-hoelle', 'fake-email', 'fake-mail',
'fake-mail',
'fake-mail', 'fakeinbox', 'fakeinformation', 'fakemailz', 'falseaddress', 'fan', 'fan', 'fannclub',
'fansonlymail',
'fansworldwide', 'fantasticmail', 'fantasymail', 'farang', 'farifluset', 'faroweb', 'fast-email', 'fast-mail',
'fast-mail', 'fastacura', 'fastchevy', 'fastchrysler', 'fastem', 'fastemail', 'fastemailer',
'fastemailextractor',
'fastermail', 'fastest', 'fastimap', 'fastkawasaki', 'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail',
'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmail',
'fastmail', 'fastmail', 'fastmail', 'fastmail', 'fastmailbox', 'fastmazda', 'fastmessaging', 'fastmitsubishi',
'fastnissan', 'fastservice', 'fastsubaru', 'fastsuzuki', 'fasttoyota', 'fastyamaha', 'fatcock', 'fatflap',
'fathersrightsne', 'fatyachts', 'fax', 'fbi-agent', 'fbi', 'fdfdsfds', 'fea', 'federalcontractors',
'feinripptraeger', 'felicity', 'felicitymail', 'female', 'femenino', 'fepg', 'fetchmail', 'fetchmail',
'fettabernett', 'feyenoorder', 'ffanet', 'fiberia', 'fibertel', 'ficken', 'fificorp', 'fificorp',
'fightallspam',
'filipinolinks', 'filzmail', 'financefan', 'financemail', 'financier', 'findfo', 'findhere', 'findmail',
'findmemail', 'finebody', 'fineemail', 'finfin', 'finklfan', 'fire-brigade', 'fireman', 'fishburne', 'fishfuse',
'fivemail', 'fixmail', 'fizmail', 'flashbox', 'flashemail', 'flashmail', 'flashmail', 'fleckens', 'flipcode',
'floridaemail', 'flytecrew', 'fmail', 'fmailbox', 'fmgirl', 'fmguy', 'fnbmail', 'fnmail', 'folkfan', 'foodmail',
'footard', 'football', 'footballmail', 'foothills', 'for-president', 'force9', 'forfree', 'forgetmail',
'fornow',
'forpresident', 'fortuncity', 'fortunecity', 'forum', 'fossefans', 'foxmail', 'fr33mail', 'francefans',
'francemel',
'frapmail', 'free-email', 'free-online', 'free-org', 'free', 'free', 'freeaccess', 'freeaccount',
'freeandsingle',
'freebox', 'freedom', 'freedomlover', 'freefanmail', 'freegates', 'freeghana', 'freelance-france', 'freeler',
'freemail', 'freemail', 'freemail', 'freemail', 'freemail', 'freemail', 'freemail', 'freemail', 'freemail',
'freemail', 'freemail', 'freemail', 'freemail', 'freemail', 'freemails', 'freemeil', 'freenet', 'freenet',
'freeola', 'freeola', 'freeproblem', 'freesbee', 'freeserve', 'freeservers', 'freestamp', 'freestart',
'freesurf',
'freesurf', 'freeuk', 'freeuk', 'freeukisp', 'freeweb', 'freewebemail', 'freeyellow', 'freezone', 'fresnomail',
'freudenkinder', 'freundin', 'friction', 'friendlydevices', 'friendlymail', 'friends-cafe', 'friendsfan',
'from-africa', 'from-america', 'from-argentina', 'from-asia', 'from-australia', 'from-belgium', 'from-brazil',
'from-canada', 'from-china', 'from-england', 'from-europe', 'from-france', 'from-germany', 'from-holland',
'from-israel', 'from-italy', 'from-japan', 'from-korea', 'from-mexico', 'from-outerspace', 'from-russia',
'from-spain', 'fromalabama', 'fromalaska', 'fromarizona', 'fromarkansas', 'fromcalifornia', 'fromcolorado',
'fromconnecticut', 'fromdelaware', 'fromflorida', 'fromgeorgia', 'fromhawaii', 'fromidaho', 'fromillinois',
'fromindiana', 'frominter', 'fromiowa', 'fromjupiter', 'fromkansas', 'fromkentucky', 'fromlouisiana',
'frommaine',
'frommaryland', 'frommassachusetts', 'frommiami', 'frommichigan', 'fromminnesota', 'frommississippi',
'frommissouri', 'frommontana', 'fromnebraska', 'fromnevada', 'fromnewhampshire', 'fromnewjersey',
'fromnewmexico',
'fromnewyork', 'fromnorthcarolina', 'fromnorthdakota', 'fromohio', 'fromoklahoma', 'fromoregon',
'frompennsylvania',
'fromrhodeisland', 'fromru', 'fromru', 'fromsouthcarolina', 'fromsouthdakota', 'fromtennessee', 'fromtexas',
'fromthestates', 'fromutah', 'fromvermont', 'fromvirginia', 'fromwashington', 'fromwashingtondc',
'fromwestvirginia', 'fromwisconsin', 'fromwyoming', 'front', 'frontier', 'frontiernet', 'frostbyte', 'fsmail',
'ftc-i', 'ftml', 'fuckingduh', 'fudgerub', 'fullmail', 'funiran', 'funkfan', 'funky4', 'fuorissimo',
'furnitureprovider', 'fuse', 'fusemail', 'fut', 'fux0ringduh', 'fwnb', 'fxsmails', 'fyii', 'galamb', 'galaxy5',
'galaxyhit', 'gamebox', 'gamebox', 'gamegeek', 'games', 'gamespotmail', 'gamil', 'gamil', 'gamno', 'garbage',
'gardener', 'garliclife', 'gatwickemail', 'gawab', 'gay', 'gaybrighton', 'gaza', 'gazeta', 'gazibooks', 'gci',
'gdi', 'gee-wiz', 'geecities', 'geek', 'geek', 'geeklife', 'gehensiemirnichtaufdensack', 'gelitik', 'gencmail',
'general-hospital', 'gentlemansclub', 'genxemail', 'geocities', 'geography', 'geologist', 'geopia',
'germanymail',
'get', 'get1mail', 'get2mail', 'getairmail', 'getairmail', 'getairmail', 'getairmail', 'getmails', 'getonemail',
'getonemail', 'gfxartist', 'gh2000', 'ghanamail', 'ghostmail', 'ghosttexter', 'giantmail', 'giantsfan',
'giga4u',
'gigileung', 'girl4god', 'girlsundertheinfluence', 'gishpuppy', 'givepeaceachance', 'glay', 'glendale',
'globalfree', 'globalpagan', 'globalsite', 'globetrotter', 'globo', 'globomail', 'gmail', 'gmail', 'gmail',
'gmail',
'gmail', 'gmial', 'gmx', 'gmx', 'gmx', 'gmx', 'gmx', 'gmx', 'gmx', 'gmx', 'gmx', 'gnwmail', 'go', 'go', 'go',
'go2',
'go2net', 'go4', 'gobrainstorm', 'gocollege', 'gocubs', 'godmail', 'goemailgo', 'gofree', 'gol', 'goldenmail',
'goldmail', 'goldtoolbox', 'golfemail', 'golfilla', 'golfmail', 'gonavy', 'gonuts4free', 'goodnewsmail',
'goodstick', 'google', 'googlegroups', 'googlemail', 'goosemoose', 'goplay', 'gorillaswithdirtyarmpits',
'gorontalo', 'gospelfan', 'gothere', 'gotmail', 'gotmail', 'gotmail', 'gotomy', 'gotti', 'govolsfan', 'gportal',
'grabmail', 'graduate', 'graffiti', 'gramszu', 'grandmamail', 'grandmasmail', 'graphic-designer', 'grapplers',
'gratisweb', 'great-host', 'greenmail', 'greensloth', 'groupmail', 'grr', 'grungecafe', 'gsrv', 'gtemail',
'gtmc',
'gua', 'guerillamail', 'guerillamail', 'guerrillamail', 'guerrillamail', 'guerrillamail', 'guerrillamail',
'guerrillamail', 'guerrillamail', 'guerrillamailblock', 'guessmail', 'guju', 'gurlmail', 'gustr', 'guy', 'guy2',
'guyanafriends', 'gwhsgeckos', 'gyorsposta', 'gyorsposta', 'h-mail', 'hab-verschlafen', 'hablas',
'habmalnefrage',
'hacccc', 'hackermail', 'hackermail', 'hailmail', 'hairdresser', 'hairdresser', 'haltospam', 'hamptonroads',
'handbag', 'handleit', 'hang-ten', 'hangglidemail', 'hanmail', 'happemail', 'happycounsel', 'happypuppy',
'harakirimail', 'haramamba', 'hardcorefreak', 'hardyoungbabes', 'hartbot', 'hat-geld', 'hatespam', 'hawaii',
'hawaiiantel', 'headbone', 'healthemail', 'heartthrob', 'heavynoize', 'heerschap', 'heesun', 'hehe', 'hello',
'hello', 'hello', 'hellokitty', 'helter-skelter', 'hempseed', 'herediano', 'heremail', 'herono1', 'herp',
'herr-der-mails', 'hetnet', 'hewgen', 'hey', 'hhdevel', 'hideakifan', 'hidemail', 'hidzz', 'highmilton',
'highquality', 'highveldmail', 'hilarious', 'hinduhome', 'hingis', 'hiphopfan', 'hispavista', 'hitmail',
'hitmanrecords', 'hitthe', 'hkg', 'hkstarphoto', 'hmamail', 'hochsitze', 'hockeymail', 'hollywoodkids',
'home-email', 'home', 'home', 'home', 'home', 'home', 'homeart', 'homelocator', 'homemail', 'homenetmail',
'homeonthethrone', 'homestead', 'homeworkcentral', 'honduras', 'hongkong', 'hookup', 'hoopsmail', 'hopemail',
'horrormail', 'host-it', 'hot-mail', 'hot-shop', 'hot-shot', 'hot', 'hotbot', 'hotbox', 'hotbrev',
'hotcoolmail',
'hotepmail', 'hotfire', 'hotletter', 'hotlinemail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail',
'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail',
'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail', 'hotmail',
'hotmail', 'hotmail', 'hotpop', 'hotpop3', 'hotvoice', 'housefan', 'housefancom', 'housemail', 'hsuchi', 'html',
'hu2', 'hughes', 'hulapla', 'humanoid', 'humanux', 'humn', 'humour', 'hunsa', 'hurting', 'hush', 'hushmail',
'hypernautica', 'i-connect', 'i-france', 'i-love-cats', 'i-mail', 'i-mailbox', 'i-p', 'i', 'i', 'i', 'i', 'i12',
'i2828', 'i2pmail', 'iam4msu', 'iamawoman', 'iamfinallyonline', 'iamwaiting', 'iamwasted', 'iamyours',
'icestorm',
'ich-bin-verrueckt-nach-dir', 'ich-will-net', 'icloud', 'icmsconsultants', 'icq', 'icqmail', 'icrazy', 'icu',
'id-base', 'id', 'ididitmyway', 'idigjesus', 'idirect', 'ieatspam', 'ieatspam', 'ieh-mail', 'iespana',
'ifoward',
'ig', 'ignazio', 'ignmail', 'ihateclowns', 'ihateyoualot', 'iheartspam', 'iinet', 'ijustdontcare',
'ikbenspamvrij',
'ilkposta', 'ilovechocolate', 'ilovegiraffes', 'ilovejesus', 'ilovelionking', 'ilovepokemonmail',
'ilovethemovies',
'ilovetocollect', 'ilse', 'imaginemail', 'imail', 'imail', 'imailbox', 'imails', 'imap-mail', 'imap',
'imapmail',
'imel', 'imgof', 'imgv', 'immo-gerance', 'imneverwrong', 'imposter', 'imstations', 'imstressed', 'imtoosexy',
'in-box', 'in2jesus', 'iname', 'inbax', 'inbound', 'inbox', 'inbox', 'inbox', 'inbox', 'inbox', 'inboxalias',
'inboxclean', 'inboxclean', 'incamail', 'includingarabia', 'incredimail', 'indeedemail', 'index', 'indexa',
'india',
'indiatimes', 'indo-mail', 'indocities', 'indomail', 'indosat', 'indus', 'indyracers', 'inerted', 'inet',
'inet',
'info-media', 'info-radio', 'info', 'info66', 'infoapex', 'infocom', 'infohq', 'infomail', 'infomart',
'informaticos', 'infospacemail', 'infovia', 'inicia', 'inmail', 'inmail24', 'inmano', 'inmynetwork', 'innocent',
'inonesearch', 'inorbit', 'inoutbox', 'insidebaltimore', 'insight', 'inspectorjavert', 'instant-mail',
'instantemailaddress', 'instantmail', 'instruction', 'instructor', 'insurer', 'interburp', 'interfree',
'interia',
'interlap', 'intermail', 'internet-club', 'internet-e-mail', 'internet-mail', 'internet-police', 'internetbiz',
'internetdrive', 'internetegypt', 'internetemails', 'internetmailing', 'internode', 'invalid', 'investormail',
'inwind', 'iobox', 'iobox', 'iol', 'iol', 'iowaemail', 'ip3', 'ip4', 'ip6', 'ip6', 'ipdeer', 'ipex', 'ipoo',
'iportalexpress', 'iprimus', 'iqemail', 'irangate', 'iraqmail', 'ireland', 'irelandmail', 'irish2me', 'irj',
'iroid', 'iscooler', 'isellcars', 'iservejesus', 'islamonline', 'islandemail', 'isleuthmail', 'ismart',
'isonfire',
'isp9', 'israelmail', 'ist-allein', 'ist-einmalig', 'ist-ganz-allein', 'ist-willig', 'italymail', 'itelefonica',
'itloox', 'itmom', 'ivebeenframed', 'ivillage', 'iwan-fals', 'iwi', 'iwmail', 'iwon', 'izadpanah', 'jabble',
'jahoopa', 'jakuza', 'japan', 'jaydemail', 'jazzandjava', 'jazzfan', 'jazzgame', 'je-recycle', 'jeanvaljean',
'jerusalemmail', 'jesusanswers', 'jet-renovation', 'jetable', 'jetable', 'jetable', 'jetable', 'jetable',
'jetable',
'jetemail', 'jewishmail', 'jfkislanders', 'jingjo', 'jippii', 'jmail', 'jnxjn', 'job4u', 'jobbikszimpatizans',
'joelonsoftware', 'joinme', 'jojomail', 'jokes', 'jordanmail', 'journalist', 'jourrapide', 'jovem', 'joymail',
'jpopmail', 'jsrsolutions', 'jubiimail', 'jump', 'jumpy', 'juniormail', 'junk1e', 'junkmail', 'junkmail',
'juno',
'justemail', 'justicemail', 'justmail', 'justmailz', 'justmarriedmail', 'jwspamspy', 'k', 'kaazoo', 'kabissa',
'kaduku', 'kaffeeschluerfer', 'kaffeeschluerfer', 'kaixo', 'kalpoint', 'kansascity', 'kapoorweb', 'karachian',
'karachioye', 'karbasi', 'kasmail', 'kaspop', 'katamail', 'kayafmmail', 'kbjrmail', 'kcks', 'kebi', 'keftamail',
'keg-party', 'keinpardon', 'keko', 'kellychen', 'keptprivate', 'keromail', 'kewpee', 'keyemail', 'kgb',
'khosropour', 'kichimail', 'kickassmail', 'killamail', 'killergreenmail', 'killermail', 'killmail', 'killmail',
'kimo', 'kimsdisk', 'kinglibrary', 'kinki-kids', 'kismail', 'kissfans', 'kitemail', 'kittymail', 'kitznet',
'kiwibox', 'kiwitown', 'klassmaster', 'klassmaster', 'klzlk', 'km', 'kmail', 'knol-power', 'koko', 'kolumbus',
'kommespaeter', 'konkovo', 'konsul', 'konx', 'korea', 'koreamail', 'kosino', 'koszmail', 'kozmail', 'kpnmail',
'kreditor', 'krim', 'krongthip', 'krovatka', 'krunis', 'ksanmail', 'ksee24mail', 'kube93mail', 'kukamail',
'kulturbetrieb', 'kumarweb', 'kurzepost', 'kuwait-mail', 'kuzminki', 'kyokodate', 'kyokofukada', 'l33r', 'la',
'labetteraverouge', 'lackmail', 'ladyfire', 'ladymail', 'lagerlouts', 'lags', 'lahoreoye', 'lakmail', 'lamer',
'land', 'langoo', 'lankamail', 'laoeq', 'laposte', 'lass-es-geschehen', 'last-chance', 'lastmail', 'latemodels',
'latinmail', 'latino', 'lavabit', 'lavache', 'law', 'lawlita', 'lawyer', 'lazyinbox', 'learn2compute',
'lebanonatlas', 'leeching', 'leehom', 'lefortovo', 'legalactions', 'legalrc', 'legislator', 'legistrator',
'lenta',
'leonlai', 'letsgomets', 'letterbox', 'letterboxes', 'letthemeatspam', 'levele', 'levele', 'lex',
'lexis-nexis-mail', 'lhsdv', 'lianozovo', 'libero', 'liberomail', 'lick101', 'liebt-dich', 'lifebyfood',
'link2mail', 'linkmaster', 'linktrader', 'linuxfreemail', 'linuxmail', 'lionsfan', 'liontrucks',
'liquidinformation', 'lissamail', 'list', 'listomail', 'litedrop', 'literaturelover', 'littleapple',
'littleblueroom', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live',
'live',
'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live', 'live',
'liveradio', 'liverpoolfans', 'ljiljan', 'llandudno', 'llangollen', 'lmxmail', 'lobbyist', 'localbar',
'localgenius', 'locos', 'login-email', 'loh', 'lol', 'lolfreak', 'lolito', 'lolnetwork', 'london', 'loobie',
'looksmart', 'looksmart', 'looksmart', 'lookugly', 'lopezclub', 'lortemail', 'louiskoo', 'lov', 'love', 'love',
'loveable', 'lovecat', 'lovefall', 'lovefootball', 'loveforlostcats', 'lovelygirl', 'lovemail', 'lover-boy',
'lovergirl', 'lovesea', 'lovethebroncos', 'lovethecowboys', 'lovetocook', 'lovetohike', 'loveyouforever',
'lovingjesus', 'lowandslow', 'lr7', 'lr78', 'lroid', 'lubovnik', 'lukop', 'luso', 'luukku', 'luv2', 'luvrhino',
'lvie', 'lvwebmail', 'lycos', 'lycos', 'lycos', 'lycos', 'lycos', 'lycos', 'lycosemail', 'lycosmail', 'm-a-i-l',
'm-hmail', 'm21', 'm4', 'm4ilweb', 'mac', 'macbox', 'macbox', 'macfreak', 'machinecandy', 'macmail', 'mad',
'madcrazy', 'madcreations', 'madonnafan', 'madrid', 'maennerversteherin', 'maennerversteherin', 'maffia',
'magicmail', 'mahmoodweb', 'mail-awu', 'mail-box', 'mail-center', 'mail-central', 'mail-easy', 'mail-filter',
'mail-me', 'mail-page', 'mail-temporaire', 'mail-tester', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail',
'mail',
'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail',
'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail', 'mail',
'mail', 'mail', 'mail114', 'mail15', 'mail1a', 'mail1st', 'mail2007', 'mail21', 'mail2aaron', 'mail2abby',
'mail2abc', 'mail2actor', 'mail2admiral', 'mail2adorable', 'mail2adoration', 'mail2adore', 'mail2adventure',
'mail2aeolus', 'mail2aether', 'mail2affection', 'mail2afghanistan', 'mail2africa', 'mail2agent', 'mail2aha',
'mail2ahoy', 'mail2aim', 'mail2air', 'mail2airbag', 'mail2airforce', 'mail2airport', 'mail2alabama',
'mail2alan',
'mail2alaska', 'mail2albania', 'mail2alcoholic', 'mail2alec', 'mail2alexa', 'mail2algeria', 'mail2alicia',
'mail2alien', 'mail2allan', 'mail2allen', 'mail2allison', 'mail2alpha', 'mail2alyssa', 'mail2amanda',
'mail2amazing', 'mail2amber', 'mail2america', 'mail2american', 'mail2andorra', 'mail2andrea', 'mail2andy',
'mail2anesthesiologist', 'mail2angela', 'mail2angola', 'mail2ann', 'mail2anna', 'mail2anne', 'mail2anthony',
'mail2anything', 'mail2aphrodite', 'mail2apollo', 'mail2april', 'mail2aquarius', 'mail2arabia', 'mail2arabic',
'mail2architect', 'mail2ares', 'mail2argentina', 'mail2aries', 'mail2arizona', 'mail2arkansas', 'mail2armenia',
'mail2army', 'mail2arnold', 'mail2art', 'mail2artemus', 'mail2arthur', 'mail2artist', 'mail2ashley', 'mail2ask',
'mail2astronomer', 'mail2athena', 'mail2athlete', 'mail2atlas', 'mail2atom', 'mail2attitude', 'mail2auction',
'mail2aunt', 'mail2australia', 'mail2austria', 'mail2azerbaijan', 'mail2baby', 'mail2bahamas', 'mail2bahrain',
'mail2ballerina', 'mail2ballplayer', 'mail2band', 'mail2bangladesh', 'mail2bank', 'mail2banker',
'mail2bankrupt',
'mail2baptist', 'mail2bar', 'mail2barbados', 'mail2barbara', 'mail2barter', 'mail2basketball', 'mail2batter',
'mail2beach', 'mail2beast', 'mail2beatles', 'mail2beauty', 'mail2becky', 'mail2beijing', 'mail2belgium',
'mail2belize', 'mail2ben', 'mail2bernard', 'mail2beth', 'mail2betty', 'mail2beverly', 'mail2beyond',
'mail2biker',
'mail2bill', 'mail2billionaire', 'mail2billy', 'mail2bio', 'mail2biologist', 'mail2black', 'mail2blackbelt',
'mail2blake', 'mail2blind', 'mail2blonde', 'mail2blues', 'mail2bob', 'mail2bobby', 'mail2bolivia',
'mail2bombay',
'mail2bonn', 'mail2bookmark', 'mail2boreas', 'mail2bosnia', 'mail2boston', 'mail2botswana', 'mail2bradley',
'mail2brazil', 'mail2breakfast', 'mail2brian', 'mail2bride', 'mail2brittany', 'mail2broker', 'mail2brook',
'mail2bruce', 'mail2brunei', 'mail2brunette', 'mail2brussels', 'mail2bryan', 'mail2bug', 'mail2bulgaria',
'mail2business', 'mail2buy', 'mail2ca', 'mail2california', 'mail2calvin', 'mail2cambodia', 'mail2cameroon',
'mail2canada', 'mail2cancer', 'mail2capeverde', 'mail2capricorn', 'mail2cardinal', 'mail2cardiologist',
'mail2care',
'mail2caroline', 'mail2carolyn', 'mail2casey', 'mail2cat', 'mail2caterer', 'mail2cathy', 'mail2catlover',
'mail2catwalk', 'mail2cell', 'mail2chad', 'mail2champaign', 'mail2charles', 'mail2chef', 'mail2chemist',
'mail2cherry', 'mail2chicago', 'mail2chile', 'mail2china', 'mail2chinese', 'mail2chocolate', 'mail2christian',
'mail2christie', 'mail2christmas', 'mail2christy', 'mail2chuck', 'mail2cindy', 'mail2clark', 'mail2classifieds',
'mail2claude', 'mail2cliff', 'mail2clinic', 'mail2clint', 'mail2close', 'mail2club', 'mail2coach',
'mail2coastguard', 'mail2colin', 'mail2college', 'mail2colombia', 'mail2color', 'mail2colorado',
'mail2columbia',
'mail2comedian', 'mail2composer', 'mail2computer', 'mail2computers', 'mail2concert', 'mail2congo',
'mail2connect',
'mail2connecticut', 'mail2consultant', 'mail2convict', 'mail2cook', 'mail2cool', 'mail2cory', 'mail2costarica',
'mail2country', 'mail2courtney', 'mail2cowboy', 'mail2cowgirl', 'mail2craig', 'mail2crave', 'mail2crazy',
'mail2create', 'mail2croatia', 'mail2cry', 'mail2crystal', 'mail2cuba', 'mail2culture', 'mail2curt',
'mail2customs',
'mail2cute', 'mail2cutey', 'mail2cynthia', 'mail2cyprus', 'mail2czechrepublic', 'mail2dad', 'mail2dale',
'mail2dallas', 'mail2dan', 'mail2dana', 'mail2dance', 'mail2dancer', 'mail2danielle', 'mail2danny',
'mail2darlene',
'mail2darling', 'mail2darren', 'mail2daughter', 'mail2dave', 'mail2dawn', 'mail2dc', 'mail2dealer',
'mail2deanna',
'mail2dearest', 'mail2debbie', 'mail2debby', 'mail2deer', 'mail2delaware', 'mail2delicious', 'mail2demeter',
'mail2democrat', 'mail2denise', 'mail2denmark', 'mail2dennis', 'mail2dentist', 'mail2derek', 'mail2desert',
'mail2devoted', 'mail2devotion', 'mail2diamond', 'mail2diana', 'mail2diane', 'mail2diehard', 'mail2dilemma',
'mail2dillon', 'mail2dinner', 'mail2dinosaur', 'mail2dionysos', 'mail2diplomat', 'mail2director', 'mail2dirk',
'mail2disco', 'mail2dive', 'mail2diver', 'mail2divorced', 'mail2djibouti', 'mail2doctor', 'mail2doglover',
'mail2dominic', 'mail2dominica', 'mail2dominicanrepublic', 'mail2don', 'mail2donald', 'mail2donna',
'mail2doris',
'mail2dorothy', 'mail2doug', 'mail2dough', 'mail2douglas', 'mail2dow', 'mail2downtown', 'mail2dream',
'mail2dreamer', 'mail2dude', 'mail2dustin', 'mail2dyke', 'mail2dylan', 'mail2earl', 'mail2earth',
'mail2eastend',
'mail2eat', 'mail2economist', 'mail2ecuador', 'mail2eddie', 'mail2edgar', 'mail2edwin', 'mail2egypt',
'mail2electron', 'mail2eli', 'mail2elizabeth', 'mail2ellen', 'mail2elliot', 'mail2elsalvador', 'mail2elvis',
'mail2emergency', 'mail2emily', 'mail2engineer', 'mail2english', 'mail2environmentalist', 'mail2eos',
'mail2eric',
'mail2erica', 'mail2erin', 'mail2erinyes', 'mail2eris', 'mail2eritrea', 'mail2ernie', 'mail2eros',
'mail2estonia',
'mail2ethan', 'mail2ethiopia', 'mail2eu', 'mail2europe', 'mail2eurus', 'mail2eva', 'mail2evan', 'mail2evelyn',
'mail2everything', 'mail2exciting', 'mail2expert', 'mail2fairy', 'mail2faith', 'mail2fanatic', 'mail2fancy',
'mail2fantasy', 'mail2farm', 'mail2farmer', 'mail2fashion', 'mail2fat', 'mail2feeling', 'mail2female',
'mail2fever',
'mail2fighter', 'mail2fiji', 'mail2filmfestival', 'mail2films', 'mail2finance', 'mail2finland', 'mail2fireman',
'mail2firm', 'mail2fisherman', 'mail2flexible', 'mail2florence', 'mail2florida', 'mail2floyd', 'mail2fly',
'mail2fond', 'mail2fondness', 'mail2football', 'mail2footballfan', 'mail2found', 'mail2france', 'mail2frank',
'mail2frankfurt', 'mail2franklin', 'mail2fred', 'mail2freddie', 'mail2free', 'mail2freedom', 'mail2french',
'mail2freudian', 'mail2friendship', 'mail2from', 'mail2fun', 'mail2gabon', 'mail2gabriel', 'mail2gail',
'mail2galaxy', 'mail2gambia', 'mail2games', 'mail2gary', 'mail2gavin', 'mail2gemini', 'mail2gene', 'mail2genes',
'mail2geneva', 'mail2george', 'mail2georgia', 'mail2gerald', 'mail2german', 'mail2germany', 'mail2ghana',
'mail2gilbert', 'mail2gina', 'mail2girl', 'mail2glen', 'mail2gloria', 'mail2goddess', 'mail2gold',
'mail2golfclub',
'mail2golfer', 'mail2gordon', 'mail2government', 'mail2grab', 'mail2grace', 'mail2graham', 'mail2grandma',
'mail2grandpa', 'mail2grant', 'mail2greece', 'mail2green', 'mail2greg', 'mail2grenada', 'mail2gsm',
'mail2guard',
'mail2guatemala', 'mail2guy', 'mail2hades', 'mail2haiti', 'mail2hal', 'mail2handhelds', 'mail2hank',
'mail2hannah',
'mail2harold', 'mail2harry', 'mail2hawaii', 'mail2headhunter', 'mail2heal', 'mail2heather', 'mail2heaven',
'mail2hebe', 'mail2hecate', 'mail2heidi', 'mail2helen', 'mail2hell', 'mail2help', 'mail2helpdesk', 'mail2henry',
'mail2hephaestus', 'mail2hera', 'mail2hercules', 'mail2herman', 'mail2hermes', 'mail2hespera', 'mail2hestia',
'mail2highschool', 'mail2hindu', 'mail2hip', 'mail2hiphop', 'mail2holland', 'mail2holly', 'mail2hollywood',
'mail2homer', 'mail2honduras', 'mail2honey', 'mail2hongkong', 'mail2hope', 'mail2horse', 'mail2hot',
'mail2hotel',
'mail2houston', 'mail2howard', 'mail2hugh', 'mail2human', 'mail2hungary', 'mail2hungry', 'mail2hygeia',
'mail2hyperspace', 'mail2hypnos', 'mail2ian', 'mail2ice-cream', 'mail2iceland', 'mail2idaho', 'mail2idontknow',
'mail2illinois', 'mail2imam', 'mail2in', 'mail2india', 'mail2indian', 'mail2indiana', 'mail2indonesia',
'mail2infinity', 'mail2intense', 'mail2iowa', 'mail2iran', 'mail2iraq', 'mail2ireland', 'mail2irene',
'mail2iris',
'mail2irresistible', 'mail2irving', 'mail2irwin', 'mail2isaac', 'mail2israel', 'mail2italian', 'mail2italy',
'mail2jackie', 'mail2jacob', 'mail2jail', 'mail2jaime', 'mail2jake', 'mail2jamaica', 'mail2james', 'mail2jamie',
'mail2jan', 'mail2jane', 'mail2janet', 'mail2janice', 'mail2japan', 'mail2japanese', 'mail2jasmine',
'mail2jason',
'mail2java', 'mail2jay', 'mail2jazz', 'mail2jed', 'mail2jeffrey', 'mail2jennifer', 'mail2jenny', 'mail2jeremy',
'mail2jerry', 'mail2jessica', 'mail2jessie', 'mail2jesus', 'mail2jew', 'mail2jeweler', 'mail2jim', 'mail2jimmy',
'mail2joan', 'mail2joann', 'mail2joanna', 'mail2jody', 'mail2joe', 'mail2joel', 'mail2joey', 'mail2john',
'mail2join', 'mail2jon', 'mail2jonathan', 'mail2jones', 'mail2jordan', 'mail2joseph', 'mail2josh', 'mail2joy',
'mail2juan', 'mail2judge', 'mail2judy', 'mail2juggler', 'mail2julian', 'mail2julie', 'mail2jumbo', 'mail2junk',
'mail2justin', 'mail2justme', 'mail2k', 'mail2kansas', 'mail2karate', 'mail2karen', 'mail2karl', 'mail2karma',
'mail2kathleen', 'mail2kathy', 'mail2katie', 'mail2kay', 'mail2kazakhstan', 'mail2keen', 'mail2keith',
'mail2kelly',
'mail2kelsey', 'mail2ken', 'mail2kendall', 'mail2kennedy', 'mail2kenneth', 'mail2kenny', 'mail2kentucky',
'mail2kenya', 'mail2kerry', 'mail2kevin', 'mail2kim', 'mail2kimberly', 'mail2king', 'mail2kirk', 'mail2kiss',
'mail2kosher', 'mail2kristin', 'mail2kurt', 'mail2kuwait', 'mail2kyle', 'mail2kyrgyzstan', 'mail2la',
'mail2lacrosse', 'mail2lance', 'mail2lao', 'mail2larry', 'mail2latvia', 'mail2laugh', 'mail2laura',
'mail2lauren',
'mail2laurie', 'mail2lawrence', 'mail2lawyer', 'mail2lebanon', 'mail2lee', 'mail2leo', 'mail2leon',
'mail2leonard',
'mail2leone', 'mail2leslie', 'mail2letter', 'mail2liberia', 'mail2libertarian', 'mail2libra', 'mail2libya',
'mail2liechtenstein', 'mail2life', 'mail2linda', 'mail2linux', 'mail2lionel', 'mail2lipstick', 'mail2liquid',
'mail2lisa', 'mail2lithuania', 'mail2litigator', 'mail2liz', 'mail2lloyd', 'mail2lois', 'mail2lola',
'mail2london',
'mail2looking', 'mail2lori', 'mail2lost', 'mail2lou', 'mail2louis', 'mail2louisiana', 'mail2lovable',
'mail2love',
'mail2lucky', 'mail2lucy', 'mail2lunch', 'mail2lust', 'mail2luxembourg', 'mail2luxury', 'mail2lyle',
'mail2lynn',
'mail2madagascar', 'mail2madison', 'mail2madrid', 'mail2maggie', 'mail2mail4', 'mail2maine', 'mail2malawi',
'mail2malaysia', 'mail2maldives', 'mail2mali', 'mail2malta', 'mail2mambo', 'mail2man', 'mail2mandy',
'mail2manhunter', 'mail2mankind', 'mail2many', 'mail2marc', 'mail2marcia', 'mail2margaret', 'mail2margie',
'mail2marhaba', 'mail2maria', 'mail2marilyn', 'mail2marines', 'mail2mark', 'mail2marriage', 'mail2married',
'mail2marries', 'mail2mars', 'mail2marsha', 'mail2marshallislands', 'mail2martha', 'mail2martin', 'mail2marty',
'mail2marvin', 'mail2mary', 'mail2maryland', 'mail2mason', 'mail2massachusetts', 'mail2matt', 'mail2matthew',
'mail2maurice', 'mail2mauritania', 'mail2mauritius', 'mail2max', 'mail2maxwell', 'mail2maybe', 'mail2mba',
'mail2me4u', 'mail2mechanic', 'mail2medieval', 'mail2megan', 'mail2mel', 'mail2melanie', 'mail2melissa',
'mail2melody', 'mail2member', 'mail2memphis', 'mail2methodist', 'mail2mexican', 'mail2mexico', 'mail2mgz',
'mail2miami', 'mail2michael', 'mail2michelle', 'mail2michigan', 'mail2mike', 'mail2milan', 'mail2milano',
'mail2mildred', 'mail2milkyway', 'mail2millennium', 'mail2millionaire', 'mail2milton', 'mail2mime',
'mail2mindreader', 'mail2mini', 'mail2minister', 'mail2minneapolis', 'mail2minnesota', 'mail2miracle',
'mail2missionary', 'mail2mississippi', 'mail2missouri', 'mail2mitch', 'mail2model', 'mail2moldova', 'mail2mom',
'mail2monaco', 'mail2money', 'mail2mongolia', 'mail2monica', 'mail2montana', 'mail2monty', 'mail2moon',
'mail2morocco', 'mail2morpheus', 'mail2mors', 'mail2moscow', 'mail2moslem', 'mail2mouseketeer', 'mail2movies',
'mail2mozambique', 'mail2mp3', 'mail2mrright', 'mail2msright', 'mail2museum', 'mail2music', 'mail2musician',
'mail2muslim', 'mail2my', 'mail2myboat', 'mail2mycar', 'mail2mycell', 'mail2mygsm', 'mail2mylaptop',
'mail2mymac',
'mail2mypager', 'mail2mypalm', 'mail2mypc', 'mail2myphone', 'mail2myplane', 'mail2namibia', 'mail2nancy',
'mail2nasdaq', 'mail2nathan', 'mail2nauru', 'mail2navy', 'mail2neal', 'mail2nebraska', 'mail2ned', 'mail2neil',
'mail2nelson', 'mail2nemesis', 'mail2nepal', 'mail2netherlands', 'mail2network', 'mail2nevada',
'mail2newhampshire',
'mail2newjersey', 'mail2newmexico', 'mail2newyork', 'mail2newzealand', 'mail2nicaragua', 'mail2nick',
'mail2nicole',
'mail2niger', 'mail2nigeria', 'mail2nike', 'mail2no', 'mail2noah', 'mail2noel', 'mail2noelle', 'mail2normal',
'mail2norman', 'mail2northamerica', 'mail2northcarolina', 'mail2northdakota', 'mail2northpole', 'mail2norway',
'mail2notus', 'mail2noway', 'mail2nowhere', 'mail2nuclear', 'mail2nun', 'mail2ny', 'mail2oasis',
'mail2oceanographer', 'mail2ohio', 'mail2ok', 'mail2oklahoma', 'mail2oliver', 'mail2oman', 'mail2one',
'mail2onfire', 'mail2online', 'mail2oops', 'mail2open', 'mail2ophthalmologist', 'mail2optometrist',
'mail2oregon',
'mail2oscars', 'mail2oslo', 'mail2painter', 'mail2pakistan', 'mail2palau', 'mail2pan', 'mail2panama',
'mail2paraguay', 'mail2paralegal', 'mail2paris', 'mail2park', 'mail2parker', 'mail2party', 'mail2passion',
'mail2pat', 'mail2patricia', 'mail2patrick', 'mail2patty', 'mail2paul', 'mail2paula', 'mail2pay', 'mail2peace',
'mail2pediatrician', 'mail2peggy', 'mail2pennsylvania', 'mail2perry', 'mail2persephone', 'mail2persian',
'mail2peru', 'mail2pete', 'mail2peter', 'mail2pharmacist', 'mail2phil', 'mail2philippines', 'mail2phoenix',
'mail2phonecall', 'mail2phyllis', 'mail2pickup', 'mail2pilot', 'mail2pisces', 'mail2planet', 'mail2platinum',
'mail2plato', 'mail2pluto', 'mail2pm', 'mail2podiatrist', 'mail2poet', 'mail2poland', 'mail2policeman',
'mail2policewoman', 'mail2politician', 'mail2pop', 'mail2pope', 'mail2popular', 'mail2portugal',
'mail2poseidon',
'mail2potatohead', 'mail2power', 'mail2presbyterian', 'mail2president', 'mail2priest', 'mail2prince',
'mail2princess', 'mail2producer', 'mail2professor', 'mail2protect', 'mail2psychiatrist', 'mail2psycho',
'mail2psychologist', 'mail2qatar', 'mail2queen', 'mail2rabbi', 'mail2race', 'mail2racer', 'mail2rachel',
'mail2rage', 'mail2rainmaker', 'mail2ralph', 'mail2randy', 'mail2rap', 'mail2rare', 'mail2rave', 'mail2ray',
'mail2raymond', 'mail2realtor', 'mail2rebecca', 'mail2recruiter', 'mail2recycle', 'mail2redhead', 'mail2reed',
'mail2reggie', 'mail2register', 'mail2rent', 'mail2republican', 'mail2resort', 'mail2rex', 'mail2rhodeisland',
'mail2rich', 'mail2richard', 'mail2ricky', 'mail2ride', 'mail2riley', 'mail2rita', 'mail2rob', 'mail2robert',
'mail2roberta', 'mail2robin', 'mail2rock', 'mail2rocker', 'mail2rod', 'mail2rodney', 'mail2romania',
'mail2rome',
'mail2ron', 'mail2ronald', 'mail2ronnie', 'mail2rose', 'mail2rosie', 'mail2roy', 'mail2rss', 'mail2rudy',
'mail2rugby', 'mail2runner', 'mail2russell', 'mail2russia', 'mail2russian', 'mail2rusty', 'mail2ruth',
'mail2rwanda', 'mail2ryan', 'mail2sa', 'mail2sabrina', 'mail2safe', 'mail2sagittarius', 'mail2sail',
'mail2sailor',
'mail2sal', 'mail2salaam', 'mail2sam', 'mail2samantha', 'mail2samoa', 'mail2samurai', 'mail2sandra',
'mail2sandy',
'mail2sanfrancisco', 'mail2sanmarino', 'mail2santa', 'mail2sara', 'mail2sarah', 'mail2sat', 'mail2saturn',
'mail2saudi', 'mail2saudiarabia', 'mail2save', 'mail2savings', 'mail2school', 'mail2scientist', 'mail2scorpio',
'mail2scott', 'mail2sean', 'mail2search', 'mail2seattle', 'mail2secretagent', 'mail2senate', 'mail2senegal',
'mail2sensual', 'mail2seth', 'mail2sevenseas', 'mail2sexy', 'mail2seychelles', 'mail2shane', 'mail2sharon',
'mail2shawn', 'mail2ship', 'mail2shirley', 'mail2shoot', 'mail2shuttle', 'mail2sierraleone', 'mail2simon',
'mail2singapore', 'mail2single', 'mail2site', 'mail2skater', 'mail2skier', 'mail2sky', 'mail2sleek',
'mail2slim',
'mail2slovakia', 'mail2slovenia', 'mail2smile', 'mail2smith', 'mail2smooth', 'mail2soccer', 'mail2soccerfan',
'mail2socialist', 'mail2soldier', 'mail2somalia', 'mail2son', 'mail2song', 'mail2sos', 'mail2sound',
'mail2southafrica', 'mail2southamerica', 'mail2southcarolina', 'mail2southdakota', 'mail2southkorea',
'mail2southpole', 'mail2spain', 'mail2spanish', 'mail2spare', 'mail2spectrum', 'mail2splash', 'mail2sponsor',
'mail2sports', 'mail2srilanka', 'mail2stacy', 'mail2stan', 'mail2stanley', 'mail2star', 'mail2state',
'mail2stephanie', 'mail2steve', 'mail2steven', 'mail2stewart', 'mail2stlouis', 'mail2stock', 'mail2stockholm',
'mail2stockmarket', 'mail2storage', 'mail2store', 'mail2strong', 'mail2student', 'mail2studio', 'mail2studio54',
'mail2stuntman', 'mail2subscribe', 'mail2sudan', 'mail2superstar', 'mail2surfer', 'mail2suriname', 'mail2susan',
'mail2suzie', 'mail2swaziland', 'mail2sweden', 'mail2sweetheart', 'mail2swim', 'mail2swimmer', 'mail2swiss',
'mail2switzerland', 'mail2sydney', 'mail2sylvia', 'mail2syria', 'mail2taboo', 'mail2taiwan', 'mail2tajikistan',
'mail2tammy', 'mail2tango', 'mail2tanya', 'mail2tanzania', 'mail2tara', 'mail2taurus', 'mail2taxi',
'mail2taxidermist', 'mail2taylor', 'mail2taz', 'mail2teacher', 'mail2technician', 'mail2ted', 'mail2telephone',
'mail2teletubbie', 'mail2tenderness', 'mail2tennessee', 'mail2tennis', 'mail2tennisfan', 'mail2terri',
'mail2terry',
'mail2test', 'mail2texas', 'mail2thailand', 'mail2therapy', 'mail2think', 'mail2tickets', 'mail2tiffany',
'mail2tim', 'mail2time', 'mail2timothy', 'mail2tina', 'mail2titanic', 'mail2toby', 'mail2todd', 'mail2togo',
'mail2tom', 'mail2tommy', 'mail2tonga', 'mail2tony', 'mail2touch', 'mail2tourist', 'mail2tracey', 'mail2tracy',
'mail2tramp', 'mail2travel', 'mail2traveler', 'mail2travis', 'mail2trekkie', 'mail2trex', 'mail2triallawyer',
'mail2trick', 'mail2trillionaire', 'mail2troy', 'mail2truck', 'mail2trump', 'mail2try', 'mail2tunisia',
'mail2turbo', 'mail2turkey', 'mail2turkmenistan', 'mail2tv', 'mail2tycoon', 'mail2tyler', 'mail2u4me',
'mail2uae',
'mail2uganda', 'mail2uk', 'mail2ukraine', 'mail2uncle', 'mail2unsubscribe', 'mail2uptown', 'mail2uruguay',
'mail2usa', 'mail2utah', 'mail2uzbekistan', 'mail2v', 'mail2vacation', 'mail2valentines', 'mail2valerie',
'mail2valley', 'mail2vamoose', 'mail2vanessa', 'mail2vanuatu', 'mail2venezuela', 'mail2venous', 'mail2venus',
'mail2vermont', 'mail2vickie', 'mail2victor', 'mail2victoria', 'mail2vienna', 'mail2vietnam', 'mail2vince',
'mail2virginia', 'mail2virgo', 'mail2visionary', 'mail2vodka', 'mail2volleyball', 'mail2waiter',
'mail2wallstreet',
'mail2wally', 'mail2walter', 'mail2warren', 'mail2washington', 'mail2wave', 'mail2way', 'mail2waycool',
'mail2wayne', 'mail2webmaster', 'mail2webtop', 'mail2webtv', 'mail2weird', 'mail2wendell', 'mail2wendy',
'mail2westend', 'mail2westvirginia', 'mail2whether', 'mail2whip', 'mail2white', 'mail2whitehouse',
'mail2whitney',
'mail2why', 'mail2wilbur', 'mail2wild', 'mail2willard', 'mail2willie', 'mail2wine', 'mail2winner', 'mail2wired',
'mail2wisconsin', 'mail2woman', 'mail2wonder', 'mail2world', 'mail2worship', 'mail2wow', 'mail2www',
'mail2wyoming',
'mail2xfiles', 'mail2xox', 'mail2yachtclub', 'mail2yahalla', 'mail2yemen', 'mail2yes', 'mail2yugoslavia',
'mail2zack', 'mail2zambia', 'mail2zenith', 'mail2zephir', 'mail2zeus', 'mail2zipper', 'mail2zoo',
'mail2zoologist',
'mail2zurich', 'mail3000', 'mail333', 'mail4trash', 'mail4u', 'mail8', 'mailandftp', 'mailandnews', 'mailas',
'mailasia', 'mailbidon', 'mailbiz', 'mailblocks', 'mailbolt', 'mailbomb', 'mailboom', 'mailbox', 'mailbox',
'mailbox', 'mailbox', 'mailbox72', 'mailbox80', 'mailbr', 'mailbucket', 'mailc', 'mailcan', 'mailcat',
'mailcatch',
'mailcc', 'mailchoose', 'mailcity', 'mailclub', 'mailclub', 'mailde', 'mailde', 'maildrop', 'maildrop',
'maildx',
'mailed', 'maileimer', 'mailexcite', 'mailexpire', 'mailfa', 'mailfly', 'mailforce', 'mailforspam', 'mailfree',
'mailfreeonline', 'mailfreeway', 'mailfs', 'mailftp', 'mailgate', 'mailgate', 'mailgenie', 'mailguard',
'mailhaven',
'mailhood', 'mailimate', 'mailin8r', 'mailinatar', 'mailinater', 'mailinator', 'mailinator', 'mailinator',
'mailinator', 'mailinator2', 'mailinblack', 'mailincubator', 'mailingaddress', 'mailingweb', 'mailisent',
'mailismagic', 'mailite', 'mailmate', 'mailme', 'mailme', 'mailme', 'mailme', 'mailme24', 'mailmetrash',
'mailmight', 'mailmij', 'mailmoat', 'mailms', 'mailnator', 'mailnesia', 'mailnew', 'mailnull', 'mailops',
'mailorg',
'mailoye', 'mailpanda', 'mailpick', 'mailpokemon', 'mailpost', 'mailpride', 'mailproxsy', 'mailpuppy',
'mailquack',
'mailrock', 'mailroom', 'mailru', 'mailsac', 'mailscrap', 'mailseal', 'mailsent', 'mailserver', 'mailservice',
'mailshell', 'mailshuttle', 'mailsiphon', 'mailslapping', 'mailsnare', 'mailstart', 'mailstartplus', 'mailsurf',
'mailtag', 'mailtemp', 'mailto', 'mailtome', 'mailtothis', 'mailtrash', 'mailtv', 'mailtv', 'mailueberfall',
'mailup', 'mailwire', 'mailworks', 'mailzi', 'mailzilla', 'mailzilla', 'makemetheking', 'maktoob',
'malayalamtelevision', 'malayalapathram', 'male', 'maltesemail', 'mamber', 'manager', 'manager', 'mancity',
'manlymail', 'mantrafreenet', 'mantramail', 'mantraonline', 'manutdfans', 'manybrain', 'marchmail', 'marfino',
'margarita', 'mariah-carey', 'mariahc', 'marijuana', 'marijuana', 'marketing', 'marketingfanatic',
'marketweighton',
'married-not', 'marriedandlovingit', 'marry', 'marsattack', 'martindalemail', 'martinguerre', 'mash4077',
'masrawy',
'matmail', 'mauimail', 'mauritius', 'maximumedge', 'maxleft', 'maxmail', 'mayaple', 'mbox', 'mbx', 'mchsi',
'mcrmail', 'me-mail', 'me', 'meanpeoplesuck', 'meatismurder', 'medical', 'medmail', 'medscape', 'meetingmall',
'mega', 'megago', 'megamail', 'megapoint', 'mehrani', 'mehtaweb', 'meine-dateien', 'meine-diashow',
'meine-fotos',
'meine-urlaubsfotos', 'meinspamschutz', 'mekhong', 'melodymail', 'meloo', 'meltmail', 'members', 'menja',
'merda',
'merda', 'merda', 'merda', 'merseymail', 'mesra', 'message', 'message', 'messagebeamer', 'messages', 'messagez',
'metacrawler', 'metalfan', 'metaping', 'metta', 'mexicomail', 'mezimages', 'mfsa', 'miatadriver', 'mierdamail',
'miesto', 'mighty', 'migmail', 'migmail', 'migumail', 'miho-nakayama', 'mikrotamanet', 'millionaireintraining',
'millionairemail', 'milmail', 'milmail', 'mindless', 'mindspring', 'minermail', 'mini-mail', 'minister',
'ministry-of-silly-walks', 'mintemail', 'misery', 'misterpinball', 'mit', 'mittalweb', 'mixmail', 'mjfrogmail',
'ml1', 'mlanime', 'mlb', 'mm', 'mmail', 'mns', 'mo3gov', 'moakt', 'mobico', 'mobilbatam', 'mobileninja',
'mochamail', 'modemnet', 'modernenglish', 'modomail', 'mohammed', 'mohmal', 'moldova', 'moldova', 'moldovacc',
'mom-mail', 'momslife', 'moncourrier', 'monemail', 'monemail', 'money', 'mongol', 'monmail', 'monsieurcinema',
'montevideo', 'monumentmail', 'moomia', 'moonman', 'moose-mail', 'mor19', 'mortaza', 'mosaicfx', 'moscowmail',
'mosk', 'most-wanted', 'mostlysunny', 'motorcyclefan', 'motormania', 'movemail', 'movieemail', 'movieluver',
'mox',
'mozartmail', 'mozhno', 'mp3haze', 'mp4', 'mr-potatohead', 'mrpost', 'mrspender', 'mscold', 'msgbox', 'msn',
'msn',
'msn', 'msx', 'mt2009', 'mt2014', 'mt2015', 'mt2016', 'mttestdriver', 'muehlacker', 'multiplechoices',
'mundomail',
'munich', 'music', 'music', 'music', 'musician', 'musician', 'musicscene', 'muskelshirt', 'muslim',
'muslimemail',
'muslimsonline', 'mutantweb', 'mvrht', 'my', 'my10minutemail', 'mybox', 'mycabin', 'mycampus', 'mycard',
'mycity',
'mycleaninbox', 'mycool', 'mydomain', 'mydotcomaddress', 'myfairpoint', 'myfamily', 'myfastmail', 'myfunnymail',
'mygo', 'myiris', 'myjazzmail', 'mymac', 'mymacmail', 'mymail-in', 'mymail', 'mynamedot', 'mynet',
'mynetaddress',
'mynetstore', 'myotw', 'myownemail', 'myownfriends', 'mypacks', 'mypad', 'mypartyclip', 'mypersonalemail',
'myphantomemail', 'myplace', 'myrambler', 'myrealbox', 'myremarq', 'mysamp', 'myself', 'myspaceinc',
'myspamless',
'mystupidjob', 'mytemp', 'mytempemail', 'mytempmail', 'mythirdage', 'mytrashmail', 'myway', 'myworldmail', 'n2',
'n2baseball', 'n2business', 'n2mail', 'n2soccer', 'n2software', 'nabc', 'nabuma', 'nafe', 'nagarealm', 'nagpal',
'nakedgreens', 'name', 'nameplanet', 'nanaseaikawa', 'nandomail', 'naplesnews', 'naseej', 'nate', 'nativestar',
'nativeweb', 'naui', 'naver', 'navigator', 'navy', 'naz', 'nc', 'nc', 'nchoicemail', 'neeva', 'nekto', 'nekto',
'nekto', 'nemra1', 'nenter', 'neo', 'neomailbox', 'nepwk', 'nervhq', 'nervmich', 'nervtmich', 'net-c', 'net-c',
'net-c', 'net-c', 'net-c', 'net-c', 'net-c', 'net-c', 'net-c', 'net-c', 'net-pager', 'net-shopping', 'net',
'net4b',
'net4you', 'netaddres', 'netaddress', 'netbounce', 'netbroadcaster', 'netby', 'netc', 'netc', 'netc', 'netc',
'netc', 'netcenter-vn', 'netcity', 'netcmail', 'netcourrier', 'netexecutive', 'netexpressway', 'netfirms',
'netgenie', 'netian', 'netizen', 'netkushi', 'netlane', 'netlimit', 'netmail', 'netmails', 'netmails', 'netman',
'netmanor', 'netmongol', 'netnet', 'netnoir', 'netpiper', 'netposta', 'netradiomail', 'netralink', 'netscape',
'netscapeonline', 'netspace', 'netspeedway', 'netsquare', 'netster', 'nettaxi', 'nettemail', 'netterchef',
'netti',
'netvigator', 'netzero', 'netzero', 'netzidiot', 'netzoola', 'neue-dateien', 'neuf', 'neuro', 'neustreet',
'neverbox', 'newap', 'newarbat', 'newmail', 'newmail', 'newmail', 'newsboysmail', 'newyork', 'newyorkcity',
'nextmail', 'nexxmail', 'nfmail', 'ngs', 'nhmail', 'nice-4u', 'nicebush', 'nicegal', 'nicholastse',
'nicolastse',
'niepodam', 'nightimeuk', 'nightmail', 'nightmail', 'nikopage', 'nikulino', 'nimail', 'nincsmail', 'ninfan',
'nirvanafan', 'nm', 'nmail', 'nnh', 'nnov', 'no-spam', 'no4ma', 'noavar', 'noblepioneer', 'nogmailspam',
'nomail',
'nomail', 'nomail2me', 'nomorespamemails', 'nonpartisan', 'nonspam', 'nonspammer', 'nonstopcinema',
'norika-fujiwara', 'norikomail', 'northgates', 'nospam', 'nospam4', 'nospamfor', 'nospammail', 'nospamthanks',
'notmailinator', 'notsharingmy', 'notyouagain', 'novogireevo', 'novokosino', 'nowhere', 'nowmymail', 'ntelos',
'ntlhelp', 'ntlworld', 'ntscan', 'null', 'nullbox', 'numep', 'nur-fuer-spam', 'nurfuerspam', 'nus', 'nuvse',
'nwldx', 'nxt', 'ny', 'nybce', 'nybella', 'nyc', 'nycmail', 'nz11', 'nzoomail', 'o-tay', 'o2', 'o2',
'oaklandas-fan', 'oath', 'objectmail', 'obobbo', 'oceanfree', 'ochakovo', 'odaymail', 'oddpost', 'odmail',
'odnorazovoe', 'office-dateien', 'office-email', 'officedomain', 'offroadwarrior', 'oi', 'oicexchange',
'oikrach',
'ok', 'ok', 'ok', 'okbank', 'okhuman', 'okmad', 'okmagic', 'okname', 'okuk', 'oldbuthealthy', 'oldies1041',
'oldies104mail', 'ole', 'olemail', 'oligarh', 'olympist', 'olypmall', 'omaninfo', 'omen', 'ondikoi', 'onebox',
'onenet', 'oneoffemail', 'oneoffmail', 'onet', 'onet', 'onet', 'onewaymail', 'oninet', 'onlatedotcom', 'online',
'online', 'online', 'online', 'online', 'onlinecasinogamblings', 'onlinewiz', 'onmicrosoft', 'onmilwaukee',
'onobox', 'onvillage', 'oopi', 'op', 'opayq', 'opendiary', 'openmailbox', 'operafan', 'operamail', 'opoczta',
'optician', 'optonline', 'optusnet', 'orange', 'orange', 'orbitel', 'ordinaryamerican', 'orgmail',
'orthodontist',
'osite', 'oso', 'otakumail', 'otherinbox', 'our-computer', 'our-office', 'our', 'ourbrisbane', 'ourklips',
'ournet',
'outel', 'outgun', 'outlawspam', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook',
'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook',
'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook',
'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outlook', 'outloook', 'over-the-rainbow', 'ovi', 'ovpn',
'owlpic', 'ownmail', 'ozbytes', 'ozemail', 'ozz', 'pacbell', 'pacific-ocean', 'pacific-re', 'pacificwest',
'packersfan', 'pagina', 'pagons', 'paidforsurf', 'pakistanmail', 'pakistanoye', 'palestinemail', 'pancakemail',
'pandawa', 'pandora', 'paradiseemail', 'paris', 'parkjiyoon', 'parrot', 'parsmail', 'partlycloudy',
'partybombe',
'partyheld', 'partynight', 'parvazi', 'passwordmail', 'pathfindermail', 'patmail', 'patra', 'pconnections',
'pcpostal', 'pcsrock', 'pcusers', 'peachworld', 'pechkin', 'pediatrician', 'pekklemail', 'pemail', 'penpen',
'peoplepc', 'peopleweb', 'pepbot', 'perfectmail', 'perovo', 'perso', 'personal', 'personales', 'petlover',
'petml',
'petr', 'pettypool', 'pezeshkpour', 'pfui', 'phayze', 'phone', 'photo-impact', 'photographer', 'phpbb',
'phreaker',
'phus8kajuspa', 'physicist', 'pianomail', 'pickupman', 'picusnet', 'piercedallover', 'pigeonportal', 'pigmail',
'pigpig', 'pilotemail', 'pimagop', 'pinoymail', 'piracha', 'pisem', 'pjjkp', 'planet-mail', 'planet',
'planetaccess', 'planetall', 'planetarymotion', 'planetdirect', 'planetearthinter', 'planetmail', 'planetmail',
'planetout', 'plasa', 'playersodds', 'playful', 'playstation', 'plexolan', 'pluno', 'plus', 'plus', 'plusmail',
'pmail', 'pobox', 'pobox', 'pobox', 'pobox', 'pochta', 'pochta', 'pochta', 'pochtamt', 'poczta', 'poczta',
'poetic',
'pokemail', 'pokemonpost', 'pokepost', 'polandmail', 'polbox', 'policeoffice', 'politician', 'politikerclub',
'polizisten-duzer', 'polyfaust', 'poofy', 'poohfan', 'pookmail', 'pool-sharks', 'poond', 'pop3', 'popaccount',
'popmail', 'popsmail', 'popstar', 'populus', 'portableoffice', 'portugalmail', 'portugalmail', 'portugalnet',
'positive-thinking', 'post', 'post', 'post', 'posta', 'posta', 'posta', 'postaccesslite', 'postafiok',
'postafree',
'postaweb', 'poste', 'postfach', 'postinbox', 'postino', 'postino', 'postmark', 'postmaster', 'postmaster',
'postpro', 'pousa', 'powerdivas', 'powerfan', 'pp', 'praize', 'pray247', 'predprinimatel', 'premium-mail',
'premiumproducts', 'premiumservice', 'prepodavatel', 'presidency', 'presnya', 'press', 'prettierthanher',
'priest',
'primposta', 'primposta', 'printesamargareta', 'privacy', 'privatdemail', 'privy-mail', 'privymail', 'pro',
'probemail', 'prodigy', 'prodigy', 'professor', 'progetplus', 'programist', 'programmer', 'programozo',
'proinbox',
'project2k', 'prokuratura', 'prolaunch', 'promessage', 'prontomail', 'prontomail', 'protestant', 'protonmail',
'proxymail', 'prtnx', 'prydirect', 'psv-supporter', 'ptd', 'public-files', 'public', 'publicist',
'pulp-fiction',
'punkass', 'puppy', 'purinmail', 'purpleturtle', 'put2', 'putthisinyourspamdatabase', 'pwrby', 'q', 'qatar',
'qatarmail', 'qdice', 'qip', 'qmail', 'qprfans', 'qq', 'qrio', 'quackquack', 'quake', 'quakemail',
'qualityservice',
'quantentunnel', 'qudsmail', 'quepasa', 'quickhosts', 'quickinbox', 'quickmail', 'quickmail', 'quicknet',
'quickwebmail', 'quiklinks', 'quikmail', 'qv7', 'qwest', 'qwestoffice', 'r-o-o-t', 'r7', 'raakim', 'racedriver',
'racefanz', 'racingfan', 'racingmail', 'radicalz', 'radiku', 'radiologist', 'ragingbull', 'ralib', 'rambler',
'ranmamail', 'rastogi', 'ratt-n-roll', 'rattle-snake', 'raubtierbaendiger', 'ravearena', 'ravefan', 'ravemail',
'ravemail', 'razormail', 'rccgmail', 'rcn', 'rcpt', 'realemail', 'realestatemail', 'reality-concept',
'reallyfast',
'reallyfast', 'reallymymail', 'realradiomail', 'realtyagent', 'realtyalerts', 'reborn', 'recode', 'reconmail',
'recursor', 'recycledmail', 'recycler', 'recyclermail', 'rediff', 'rediffmail', 'rediffmailpro', 'rednecks',
'redseven', 'redsfans', 'redwhitearmy', 'regbypass', 'reggaefan', 'reggafan', 'regiononline',
'registerednurses',
'regspaces', 'reincarnate', 'relia', 'reliable-mail', 'religious', 'remail', 'renren', 'repairman', 'reply',
'reply', 'represantive', 'representative', 'rescueteam', 'resgedvgfed', 'resource', 'resumemail', 'retailfan',
'rexian', 'rezai', 'rhyta', 'richmondhill', 'rickymail', 'rin', 'ring', 'riopreto', 'rklips', 'rmqkr', 'rn',
'ro',
'roadrunner', 'roanokemail', 'rock', 'rocketmail', 'rocketship', 'rockfan', 'rodrun', 'rogers', 'rojname',
'rol',
'rome', 'romymichele', 'roosh', 'rootprompt', 'rotfl', 'roughnet', 'royal', 'rpharmacist', 'rr', 'rrohio',
'rsub',
'rt', 'rtrtr', 'ru', 'rubyridge', 'runbox', 'rushpost', 'ruttolibero', 'rvshop', 'rxdoc', 's-mail', 's0ny',
'sabreshockey', 'sacbeemail', 'saeuferleber', 'safarimail', 'safe-mail', 'safersignup', 'safetymail',
'safetypost',
'safrica', 'sagra', 'sagra', 'sagra', 'sags-per-mail', 'sailormoon', 'saint-mike', 'saintly', 'saintmail',
'sale-sale-sale', 'salehi', 'salesperson', 'samerica', 'samilan', 'samiznaetekogo', 'sammimail',
'sanchezsharks',
'sandelf', 'sanfranmail', 'sanook', 'sanriotown', 'santanmail', 'sapo', 'sativa', 'saturnfans',
'saturnperformance',
'saudia', 'savecougars', 'savelife', 'saveowls', 'sayhi', 'saynotospams', 'sbcglbal', 'sbcglobal', 'sbcglobal',
'scandalmail', 'scanova', 'scanova', 'scarlet', 'scfn', 'schafmail', 'schizo', 'schmusemail', 'schoolemail',
'schoolmail', 'schoolsucks', 'schreib-doch-mal-wieder', 'schrott-email', 'schweiz', 'sci', 'science',
'scientist',
'scifianime', 'scotland', 'scotlandmail', 'scottishmail', 'scottishtories', 'scottsboro', 'scrapbookscrapbook',
'scubadiving', 'seanet', 'search', 'search417', 'searchwales', 'sebil', 'seckinmail', 'secret-police',
'secretarias', 'secretary', 'secretemail', 'secretservices', 'secure-mail', 'secure-mail', 'seductive',
'seekstoyboy', 'seguros', 'sekomaonline', 'selfdestructingmail', 'sellingspree', 'send', 'sendmail', 'sendme',
'sendspamhere', 'senseless-entertainment', 'sent', 'sent', 'sent', 'sentrismail', 'serga', 'servemymail',
'servermaps', 'services391', 'sesmail', 'sexmagnet', 'seznam', 'sfr', 'shahweb', 'shaniastuff', 'shared-files',
'sharedmailbox', 'sharewaredevelopers', 'sharklasers', 'sharmaweb', 'shaw', 'she', 'shellov', 'shieldedmail',
'shieldemail', 'shiftmail', 'shinedyoureyes', 'shitaway', 'shitaway', 'shitaway', 'shitaway', 'shitaway',
'shitaway', 'shitaway', 'shitmail', 'shitmail', 'shitmail', 'shitware', 'shmeriously', 'shockinmytown',
'shootmail',
'shortmail', 'shortmail', 'shotgun', 'showfans', 'showslow', 'shqiptar', 'shuf', 'sialkotcity', 'sialkotian',
'sialkotoye', 'sibmail', 'sify', 'sigaret', 'silkroad', 'simbamail', 'sina', 'sina', 'sinamail', 'singapore',
'singles4jesus', 'singmail', 'singnet', 'singpost', 'sinnlos-mail', 'sirindia', 'siteposter', 'skafan',
'skeefmail',
'skim', 'skizo', 'skrx', 'skunkbox', 'sky', 'skynet', 'slamdunkfan', 'slapsfromlastnight', 'slaskpost',
'slave-auctions', 'slickriffs', 'slingshot', 'slippery', 'slipry', 'slo', 'slotter', 'sm', 'smap', 'smapxsmap',
'smashmail', 'smellfear', 'smellrear', 'smileyface', 'sminkymail', 'smoothmail', 'sms', 'smtp', 'snail-mail',
'snail-mail', 'snakebite', 'snakemail', 'sndt', 'sneakemail', 'sneakmail', 'snet', 'sniper', 'snkmail',
'snoopymail', 'snowboarding', 'snowdonia', 'so-simple', 'socamail', 'socceraccess', 'socceramerica',
'soccermail',
'soccermomz', 'social-mailer', 'socialworker', 'sociologist', 'sofimail', 'sofort-mail', 'sofortmail',
'softhome',
'sogetthis', 'sogou', 'sohu', 'sokolniki', 'sol', 'solar-impact', 'solcon', 'soldier', 'solution4u',
'solvemail',
'songwriter', 'sonnenkinder', 'soodomail', 'soodonims', 'soon', 'soulfoodcookbook', 'soundofmusicfans',
'southparkmail', 'sovsem', 'sp', 'space-bank', 'space-man', 'space-ship', 'space-travel', 'space', 'spaceart',
'spacebank', 'spacemart', 'spacetowns', 'spacewar', 'spainmail', 'spam', 'spam4', 'spamail', 'spamarrest',
'spamavert', 'spambob', 'spambob', 'spambob', 'spambog', 'spambog', 'spambog', 'spambog', 'spambooger',
'spambox',
'spambox', 'spamcannon', 'spamcannon', 'spamcero', 'spamcon', 'spamcorptastic', 'spamcowboy', 'spamcowboy',
'spamcowboy', 'spamday', 'spamdecoy', 'spameater', 'spameater', 'spamex', 'spamfree', 'spamfree24',
'spamfree24',
'spamfree24', 'spamfree24', 'spamfree24', 'spamgoes', 'spamgourmet', 'spamgourmet', 'spamgourmet',
'spamherelots',
'spamhereplease', 'spamhole', 'spamify', 'spaminator', 'spamkill', 'spaml', 'spaml', 'spammotel', 'spamobox',
'spamoff', 'spamslicer', 'spamspot', 'spamstack', 'spamthis', 'spamtroll', 'spankthedonkey', 'spartapiet',
'spazmail', 'speed', 'speedemail', 'speedpost', 'speedrules', 'speedrulz', 'speedy', 'speedymail', 'sperke',
'spils', 'spinfinder', 'spiritseekers', 'spl', 'spoko', 'spoofmail', 'sportemail', 'sportmail', 'sportsmail',
'sporttruckdriver', 'spray', 'spray', 'spybox', 'spymac', 'sraka', 'srilankan', 'ssl-mail', 'st-davids',
'stade',
'stalag13', 'standalone', 'starbuzz', 'stargateradio', 'starmail', 'starmail', 'starmedia', 'starplace',
'starspath', 'start', 'starting-point', 'startkeys', 'startrekmail', 'starwars-fans', 'stealthmail',
'stillchronic',
'stinkefinger', 'stipte', 'stockracer', 'stockstorm', 'stoned', 'stones', 'stop-my-spam', 'stopdropandroll',
'storksite', 'streber24', 'streetwisemail', 'stribmail', 'strompost', 'strongguy', 'student', 'studentcenter',
'stuffmail', 'subnetwork', 'subram', 'sudanmail', 'sudolife', 'sudolife', 'sudomail', 'sudomail', 'sudomail',
'sudoverse', 'sudoverse', 'sudoweb', 'sudoworld', 'sudoworld', 'sueddeutsche', 'suhabi', 'suisse', 'sukhumvit',
'sul', 'sunmail1', 'sunpoint', 'sunrise-sunset', 'sunsgame', 'sunumail', 'suomi24', 'super-auswahl',
'superdada',
'supereva', 'supergreatmail', 'supermail', 'supermailer', 'superman', 'superposta', 'superrito', 'superstachel',
'surat', 'suremail', 'surf3', 'surfree', 'surfsupnet', 'surfy', 'surgical', 'surimail', 'survivormail', 'susi',
'sviblovo', 'svk', 'swbell', 'sweb', 'swedenmail', 'sweetville', 'sweetxxx', 'swift-mail', 'swiftdesk',
'swingeasyhithard', 'swingfan', 'swipermail', 'swirve', 'swissinfo', 'swissmail', 'swissmail',
'switchboardmail',
'switzerland', 'sx172', 'sympatico', 'syom', 'syriamail', 't-online', 't', 't2mail', 'tafmail', 'takoe',
'takoe',
'takuyakimura', 'talk21', 'talkcity', 'talkinator', 'talktalk', 'tamb', 'tamil', 'tampabay', 'tangmonkey',
'tankpolice', 'taotaotano', 'tatanova', 'tattooedallover', 'tattoofanatic', 'tbwt', 'tcc', 'tds', 'teacher',
'teachermail', 'teachers', 'teamdiscovery', 'teamtulsa', 'tech-center', 'tech4peace', 'techemail', 'techie',
'technisamail', 'technologist', 'technologyandstocks', 'techpointer', 'techscout', 'techseek', 'techsniper',
'techspot', 'teenagedirtbag', 'teewars', 'tele2', 'telebot', 'telebot', 'telefonica', 'teleline', 'telenet',
'telepac', 'telerymd', 'teleserve', 'teletu', 'teleworm', 'teleworm', 'telfort', 'telfortglasvezel', 'telinco',
'telkom', 'telpage', 'telstra', 'telstra', 'temp-mail', 'temp-mail', 'temp-mail', 'temp-mail', 'temp',
'tempail',
'tempe-mail', 'tempemail', 'tempemail', 'tempemail', 'tempemail', 'tempinbox', 'tempinbox', 'tempmail',
'tempmail',
'tempmail', 'tempmail2', 'tempmaildemo', 'tempmailer', 'tempmailer', 'tempomail', 'temporarioemail',
'temporaryemail', 'temporaryemail', 'temporaryforwarding', 'temporaryinbox', 'temporarymailaddress', 'tempthe',
'tempymail', 'temtulsa', 'tenchiclub', 'tenderkiss', 'tennismail', 'terminverpennt', 'terra', 'terra', 'terra',
'terra', 'terra', 'terra', 'test', 'test', 'tfanus', 'tfbnw', 'tfz', 'tgasa', 'tgma', 'tgngu', 'tgu', 'thai',
'thaimail', 'thaimail', 'thanksnospam', 'thankyou2010', 'thc', 'the-african', 'the-airforce', 'the-aliens',
'the-american', 'the-animal', 'the-army', 'the-astronaut', 'the-beauty', 'the-big-apple', 'the-biker',
'the-boss',
'the-brazilian', 'the-canadian', 'the-canuck', 'the-captain', 'the-chinese', 'the-country', 'the-cowboy',
'the-davis-home', 'the-dutchman', 'the-eagles', 'the-englishman', 'the-fastest', 'the-fool', 'the-frenchman',
'the-galaxy', 'the-genius', 'the-gentleman', 'the-german', 'the-gremlin', 'the-hooligan', 'the-italian',
'the-japanese', 'the-lair', 'the-madman', 'the-mailinglist', 'the-marine', 'the-master', 'the-mexican',
'the-ministry', 'the-monkey', 'the-newsletter', 'the-pentagon', 'the-police', 'the-prayer', 'the-professional',
'the-quickest', 'the-russian', 'the-seasiders', 'the-snake', 'the-spaceman', 'the-stock-market', 'the-student',
'the-whitehouse', 'the-wild-west', 'the18th', 'thecoolguy', 'thecriminals', 'thedoghousemail', 'thedorm',
'theend',
'theglobe', 'thegolfcourse', 'thegooner', 'theheadoffice', 'theinternetemail', 'thelanddownunder',
'thelimestones',
'themail', 'themillionare', 'theoffice', 'theplate', 'thepokerface', 'thepostmaster', 'theraces',
'theracetrack',
'therapist', 'thereisnogod', 'thesimpsonsfans', 'thestreetfighter', 'theteebox', 'thewatercooler', 'thewebpros',
'thewizzard', 'thewizzkid', 'thexyz', 'thexyz', 'thexyz', 'thexyz', 'thexyz', 'thexyz', 'thexyz', 'thexyz',
'thexyz', 'thezhangs', 'thirdage', 'thisgirl', 'thisisnotmyrealemail', 'thismail', 'thoic', 'thraml', 'thrott',
'throwam', 'throwawayemailaddress', 'thundermail', 'tibetemail', 'tidni', 'tilien', 'timein', 'timormail',
'tin',
'tipsandadvice', 'tiran', 'tiscali', 'tiscali', 'tiscali', 'tiscali', 'tiscali', 'tiscali', 'tittbit', 'tizi',
'tkcity', 'tlcfan', 'tmail', 'tmailinator', 'tmicha', 'toast', 'toke', 'tokyo', 'tom', 'toolsource', 'toomail',
'toothfairy', 'topchat', 'topgamers', 'topletter', 'topmail-files', 'topmail', 'topranklist', 'topsurf',
'topteam',
'toquedequeda', 'torba', 'torchmail', 'torontomail', 'tortenboxer', 'totalmail', 'totalmail', 'totalmusic',
'totalsurf', 'toughguy', 'townisp', 'tpg', 'tradermail', 'trainspottingfan', 'trash-amil', 'trash-mail',
'trash-mail', 'trash-mail', 'trash-mail', 'trash-mail', 'trash2009', 'trash2010', 'trash2011', 'trashdevil',
'trashdevil', 'trashemail', 'trashmail', 'trashmail', 'trashmail', 'trashmail', 'trashmail', 'trashmail',
'trashmailer', 'trashymail', 'trashymail', 'travel', 'trayna', 'trbvm', 'trbvn', 'trevas', 'trialbytrivia',
'trialmail', 'trickmail', 'trillianpro', 'trimix', 'tritium', 'trjam', 'trmailbox', 'tropicalstorm',
'truckeremail',
'truckers', 'truckerz', 'truckracer', 'truckracers', 'trust-me', 'truth247', 'truthmail', 'tsamail', 'ttml',
'tulipsmail', 'tunisiamail', 'turboprinz', 'turboprinzessin', 'turkey', 'turual', 'tushino', 'tut',
'tvcablenet',
'tverskie', 'tverskoe', 'tvnet', 'tvstar', 'twc', 'twcny', 'twentylove', 'twinmail', 'twinstarsmail', 'tx',
'tycoonmail', 'tyldd', 'typemail', 'tyt', 'u14269', 'u2club', 'ua', 'uae', 'uaemail', 'ubbi', 'ubbi', 'uboot',
'uggsrock', 'uk2', 'uk2k', 'uk2net', 'uk7', 'uk8', 'ukbuilder', 'ukcool', 'ukdreamcast', 'ukmail', 'ukmax',
'ukr',
'ukrpost', 'ukrtop', 'uku', 'ultapulta', 'ultimatelimos', 'ultrapostman', 'umail', 'ummah', 'umpire',
'unbounded',
'underwriters', 'unforgettable', 'uni', 'uni', 'uni', 'unican', 'unihome', 'universal', 'uno', 'uno', 'unofree',
'unomail', 'unterderbruecke', 'uogtritons', 'uol', 'uol', 'uol', 'uol', 'uol', 'uole', 'uole', 'uolmail',
'uomail',
'upc', 'upcmail', 'upf', 'upliftnow', 'uplipht', 'uraniomail', 'ureach', 'urgentmail', 'uroid', 'us', 'usa',
'usa',
'usaaccess', 'usanetmail', 'used-product', 'userbeam', 'usermail', 'username', 'userzap', 'usma', 'usmc',
'uswestmail', 'uymail', 'uyuyuy', 'uzhe', 'v-sexi', 'v8email', 'vaasfc4', 'vahoo', 'valemail', 'valudeal',
'vampirehunter', 'varbizmail', 'vcmail', 'velnet', 'velnet', 'velocall', 'veloxmail', 'venompen', 'verizon',
'verizonmail', 'verlass-mich-nicht', 'versatel', 'verticalheaven', 'veryfast', 'veryrealemail', 'veryspeedy',
'vfemail', 'vickaentb', 'videotron', 'viditag', 'viewcastmedia', 'viewcastmedia', 'vinbazar', 'violinmakers',
'vip',
'vip', 'vip', 'vip', 'vip', 'vip', 'vip', 'vipmail', 'viralplays', 'virgilio', 'virgin', 'virginbroadband',
'virginmedia', 'virtual-mail', 'virtualactive', 'virtualguam', 'virtualmail', 'visitmail', 'visitweb', 'visto',
'visualcities', 'vivavelocity', 'vivianhsu', 'viwanet', 'vjmail', 'vjtimail', 'vkcode', 'vlcity', 'vlmail',
'vnet',
'vnn', 'vnukovo', 'vodafone', 'vodafonethuis', 'voila', 'volcanomail', 'vollbio', 'volloeko', 'vomoto', 'voo',
'vorsicht-bissig', 'vorsicht-scharf', 'vote-democrats', 'vote-hillary', 'vote-republicans', 'vote4gop',
'votenet',
'vovan', 'vp', 'vpn', 'vr9', 'vsimcard', 'vubby', 'vyhino', 'w3', 'wahoye', 'walala', 'wales2000', 'walkmail',
'walkmail', 'walla', 'wam', 'wanaboo', 'wanadoo', 'wanadoo', 'wanadoo', 'wapda', 'war-im-urlaub', 'warmmail',
'warpmail', 'warrior', 'wasteland', 'watchmail', 'waumail', 'wazabi', 'wbdet', 'wearab', 'web-contact',
'web-emailbox', 'web-ideal', 'web-mail', 'web-mail', 'web-police', 'web', 'webaddressbook', 'webadicta',
'webave',
'webbworks', 'webcammail', 'webcity', 'webcontact-france', 'webdream', 'webemail', 'webemaillist', 'webinbox',
'webindia123', 'webjump', 'webm4il', 'webmail', 'webmail', 'webmail', 'webmail', 'webmail', 'webmail',
'webmail',
'webmail', 'webmail', 'webmails', 'webmailv', 'webname', 'webprogramming', 'webskulker', 'webstation',
'websurfer',
'webtopmail', 'webtribe', 'webuser', 'wee', 'weedmail', 'weekmail', 'weekonline', 'wefjo', 'weg-werf-email',
'wegas', 'wegwerf-emails', 'wegwerfadresse', 'wegwerfemail', 'wegwerfemail', 'wegwerfmail', 'wegwerfmail',
'wegwerfmail', 'wegwerfmail', 'wegwerpmailadres', 'wehshee', 'weibsvolk', 'weibsvolk', 'weinenvorglueck',
'welsh-lady', 'wesleymail', 'westnet', 'westnet', 'wetrainbayarea', 'wfgdfhj', 'wh4f', 'whale-mail',
'whartontx',
'whatiaas', 'whatpaas', 'wheelweb', 'whipmail', 'whoever', 'wholefitness', 'whoopymail', 'whtjddn', 'whyspam',
'wickedmail', 'wickmail', 'wideopenwest', 'wildmail', 'wilemail', 'will-hier-weg', 'willhackforfood',
'willselfdestruct', 'windowslive', 'windrivers', 'windstream', 'windstream', 'winemaven', 'wingnutz', 'winmail',
'winning', 'winrz', 'wir-haben-nachwuchs', 'wir-sind-cool', 'wirsindcool', 'witty', 'wiz', 'wkbwmail', 'wmail',
'wo', 'woh', 'wolf-web', 'wolke7', 'wollan', 'wombles', 'women-at-work', 'women-only', 'wonder-net', 'wongfaye',
'wooow', 'work4teens', 'worker', 'workmail', 'workmail', 'worldbreak', 'worldemail', 'worldmailer', 'worldnet',
'wormseo', 'wosaddict', 'wouldilie', 'wovz', 'wow', 'wowgirl', 'wowmail', 'wowway', 'wp', 'wptamail',
'wrestlingpages', 'wrexham', 'writeme', 'writemeback', 'writeremail', 'wronghead', 'wrongmail', 'wtvhmail',
'wwdg',
'www', 'www', 'www', 'www2000', 'wwwnew', 'wx88', 'wxs', 'wyrm', 'x-mail', 'x-networks', 'x', 'x5g', 'xagloo',
'xaker', 'xd', 'xemaps', 'xents', 'xing886', 'xmail', 'xmaily', 'xmastime', 'xmenfans', 'xms', 'xmsg', 'xoom',
'xoommail', 'xoxox', 'xoxy', 'xpectmore', 'xpressmail', 'xs4all', 'xsecurity', 'xsmail', 'xtra', 'xtram',
'xuno',
'xww', 'xy9ce', 'xyz', 'xyzfree', 'xzapmail', 'y7mail', 'ya', 'yada-yada', 'yaho', 'yahoo', 'yahoo', 'yahoo',
'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo',
'yahoo',
'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo',
'yahoo',
'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo',
'yahoo',
'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoo', 'yahoofs',
'yahoomail',
'yalla', 'yalla', 'yalook', 'yam', 'yandex', 'yandex', 'yandex', 'yandex', 'yandex', 'yapost', 'yapped',
'yawmail',
'yclub', 'yeah', 'yebox', 'yeehaa', 'yehaa', 'yehey', 'yemenmail', 'yep', 'yepmail', 'yert', 'yesbox', 'yesey',
'yeswebmaster', 'ygm', 'yifan', 'ymail', 'ynnmail', 'yogamaven', 'yogotemail', 'yomail', 'yopmail', 'yopmail',
'yopmail', 'yopmail', 'yopmail', 'yopolis', 'yopweb', 'youareadork', 'youmailr', 'youpy', 'your-house',
'your-mail',
'yourdomain', 'yourinbox', 'yourlifesucks', 'yourlover', 'yournightmare', 'yours', 'yourssincerely',
'yourteacher',
'yourwap', 'youthfire', 'youthpost', 'youvegotmail', 'yuuhuu', 'yuurok', 'yyhmail', 'z1p', 'z6', 'z9mail', 'za',
'zahadum', 'zaktouni', 'zcities', 'zdnetmail', 'zdorovja', 'zeeks', 'zeepost', 'zehnminuten', 'zehnminutenmail',
'zensearch', 'zensearch', 'zerocrime', 'zetmail', 'zhaowei', 'zhouemail', 'ziggo', 'zing', 'zionweb', 'zip',
'zipido', 'ziplip', 'zipmail', 'zipmail', 'zipmax', 'zippymail', 'zmail', 'zmail', 'zoemail', 'zoemail',
'zoemail',
'zoho', 'zomg', 'zonai', 'zoneview', 'zonnet', 'zooglemail', 'zoominternet', 'zubee', 'zuvio', 'zuzzurello',
'zvmail', 'zwallet', 'zweb', 'zxcv', 'zxcvbnm', 'zybermail', 'zydecofan', 'zzn', 'zzom', 'zzz')
return prov
def checker(zx):
"""it's useful check the names contains a symbol characters"""
p = zxy = []
for xy in range(91, 97):
zxy.append(chr(xy))
for xx in range(32, 65):
p.append(chr(xx))
fully = p + zxy
l_that = set(fully).difference(string.digits)
return len(set(zx).intersection(l_that))
def valid_mail(mails: str) -> bool:
"""check your email address format is valid or not"""
that_mail = mails
try:
(name, domains) = mails.split('@')
(provider, coms) = domains.split('.', maxsplit=1)
except:
return False
if checker(name) == 0 and provider in provider_check():
for that_mail_roll in list(that_mail):
if '@' in that_mail_roll:
the_first = that_mail.index('@')
if that_mail[the_first] and coms in ('com', 'org', 'net'):
return True
else:
return False
else:
return False
def valid_name(namies) -> bool:
"""check your name format is valid or not"""
namy = namies
z = []
# remove empty space
that_namy = list(namy)
that_strs = list(string.ascii_letters)
for x in range(0, len(that_namy)):
if that_namy[x] in that_strs:
z.append(that_namy[x])
if ''.join([yz for yz in z]) == ''.join([kl for kl in that_namy]):
return True
return False
def valid_addrs(address) -> bool:
"""check your address format is valid or not"""
yz = list(address)
that_chk = MappingProxyType({1: "!#%&()*.:;<=>?$@['\]^_`{|}~"})
that_hrs = list(that_chk[1])
total = 0
for y in range(32, 33):
for x in range(0, len(yz)):
if chr(y) in address:
if chr(y) not in yz[x]:
continue
total = total + len(yz[x])
if total > 14 and total < 14:
continue
if len(set(yz).intersection(that_hrs)) == 0:
return True
return False
class FormValidationBuilder:
def email_validator(self):