exact_matrix_cover 0.1.0 → 0.2.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
checksums.yaml CHANGED
@@ -1,7 +1,7 @@
1
1
  ---
2
2
  SHA256:
3
- metadata.gz: 3c6e7574ad57165ba9c0a705f7b5923c5a5bfb071f3b06e1888832b27029579d
4
- data.tar.gz: 44afa979f59f6d6d8fd18b4bb922d83cd5d47d3c69436ed9aea037531756930b
3
+ metadata.gz: 8679a2e0a5b254defa7d58eccb57ebca732ccbda8aa028caab7adff3f8c4ae29
4
+ data.tar.gz: d40d55ad5fb1aa3328ffc194f888066daeeabf7b68e066cf428c597c57e17f74
5
5
  SHA512:
6
- metadata.gz: 69fa202fdca99e2921014a0bff4f09862adb236fc3c05acfe2a61e97b5931d1e8ab8b742f992ad8b098459b24f5e2aaa9dbc22e87bc6fba103933a860df8d291
7
- data.tar.gz: 82dcf7d5a84dedda95feab12895aa844b427c7f0b5698d4f335cd751237b243e6226a23d6ad015c8ffe4aaa25b06a1102637bd4174a9aca7359145030b3a0f84
6
+ metadata.gz: b2f4953ea8067bd782816c7699793090302b961ba9056e9c6a49a60abb577d6656b942c47da1ff3392f44452e257f8fab1514474389c5d5871358f6fe4527de2
7
+ data.tar.gz: 407b86fd1ed5f5f2da123e3079bfc7f8f127e01acf1ba226e0e46fc0a4e493197d599e9855e3b9b452774fe364c4ae6427f60ce58a6346ed2bfb2efe19adce33
@@ -1,7 +1,7 @@
1
1
  PATH
2
2
  remote: .
3
3
  specs:
4
- exact_matrix_cover (0.1.0)
4
+ exact_matrix_cover (0.2.0)
5
5
 
6
6
  GEM
7
7
  remote: https://rubygems.org/
data/README.md CHANGED
@@ -10,7 +10,7 @@ This can be used to implement a tetramino or a sudoku solver.
10
10
  Add this line to your application's Gemfile:
11
11
 
12
12
  ```ruby
13
- gem 'exact_cover'
13
+ gem 'exact_matrix_cover'
14
14
  ```
15
15
 
16
16
  And then execute:
@@ -19,7 +19,7 @@ And then execute:
19
19
 
20
20
  Or install it yourself as:
21
21
 
22
- $ gem install exact_cover
22
+ $ gem install exact_matrix_cover
23
23
 
24
24
  ## Usage
25
25
 
@@ -42,7 +42,7 @@ solutions.count
42
42
  # => 1
43
43
  solutions.first
44
44
  # => [[1, 0, 0, 1, 0, 0, 0], [0, 1, 0, 0, 0, 0, 1], [0, 0, 1, 0, 1, 1, 0]]
45
- # this corresponds to the 4th, 3rd and first rows of the given matrix
45
+ # this corresponds to the 4th, 5th and first rows of the given matrix
46
46
  ```
47
47
 
48
48
  You can iterate through all the solutions
@@ -65,6 +65,17 @@ solutions.next
65
65
  # => [[1, 0], [0, 1]]
66
66
  ```
67
67
 
68
+ You can also pass a time limit to the cover solver. It will stop searching the solution space
69
+ and raise a TimeLimitReached exception after the time limit has elapsed.
70
+
71
+ # Raises an exception after 10 seconds
72
+ ```
73
+ begin
74
+ solutions = ExactCover::CoverSolver.new(matrix, 10).call
75
+ rescue ExactCover::CoverSolver::TimeLimitReached
76
+ end
77
+ ```
78
+
68
79
  ## Development
69
80
 
70
81
  After checking out the repo, run `bin/setup` to install dependencies. Then, run `rake spec` to run the tests. You can also run `bin/console` for an interactive prompt that will allow you to experiment.
@@ -7,11 +7,14 @@ module ExactCover
7
7
  # Solves the cover problem with algorithm "X"
8
8
  class CoverSolver
9
9
  class InvalidMatrixSize < StandardError; end
10
+ class TimeLimitReached < StandardError; end
10
11
 
11
12
  attr_reader :matrix
12
13
  attr_reader :column_count
14
+ attr_reader :time_limit
15
+ attr_reader :start_time
13
16
 
14
- def initialize(matrix)
17
+ def initialize(matrix, time_limit: nil)
15
18
  @matrix = matrix
16
19
  # sanity check
17
20
  if !matrix.is_a?(Array) || matrix.size == 0 || matrix[0].size == 0
@@ -19,6 +22,7 @@ module ExactCover
19
22
  end
20
23
 
21
24
  @column_count = matrix[0].size
25
+ @time_limit = time_limit
22
26
  end
23
27
 
24
28
  # Solve the exact cover problem for the given matrix
@@ -26,6 +30,7 @@ module ExactCover
26
30
  def call
27
31
  root = MatrixPreprocessor.new(matrix).call
28
32
  Enumerator.new do |y|
33
+ @start_time = Time.now
29
34
  search(0, root, y)
30
35
  end
31
36
  end
@@ -37,6 +42,10 @@ module ExactCover
37
42
  # @param y [Yielder] enumerator yielder
38
43
  # @param solution [Array<DataObject>] current solution
39
44
  def search(k, root, y, solution = [])
45
+ if time_limit && start_time + time_limit < Time.now
46
+ raise TimeLimitReached, "Ran for more than #{time_limit} seconds"
47
+ end
48
+
40
49
  if root.right == root
41
50
  y.yield format_solution(solution)
42
51
  return
@@ -1,3 +1,3 @@
1
1
  module ExactCover
2
- VERSION = "0.1.0"
2
+ VERSION = "0.2.0"
3
3
  end
@@ -0,0 +1,3000 @@
1
+ a
2
+ abandon
3
+ ability
4
+ able
5
+ abortion
6
+ about
7
+ above
8
+ abroad
9
+ absence
10
+ absolute
11
+ absolutely
12
+ absorb
13
+ abuse
14
+ academic
15
+ accept
16
+ access
17
+ accident
18
+ accompany
19
+ accomplish
20
+ according
21
+ account
22
+ accurate
23
+ accuse
24
+ achieve
25
+ achievement
26
+ acid
27
+ acknowledge
28
+ acquire
29
+ across
30
+ act
31
+ action
32
+ active
33
+ activist
34
+ activity
35
+ actor
36
+ actress
37
+ actual
38
+ actually
39
+ ad
40
+ adapt
41
+ add
42
+ addition
43
+ additional
44
+ address
45
+ adequate
46
+ adjust
47
+ adjustment
48
+ administration
49
+ administrator
50
+ admire
51
+ admission
52
+ admit
53
+ adolescent
54
+ adopt
55
+ adult
56
+ advance
57
+ advanced
58
+ advantage
59
+ adventure
60
+ advertising
61
+ advice
62
+ advise
63
+ adviser
64
+ advocate
65
+ affair
66
+ affect
67
+ afford
68
+ afraid
69
+ African
70
+ AfricanAmerican
71
+ after
72
+ afternoon
73
+ again
74
+ against
75
+ age
76
+ agency
77
+ agenda
78
+ agent
79
+ aggressive
80
+ ago
81
+ agree
82
+ agreement
83
+ agricultural
84
+ ah
85
+ ahead
86
+ aid
87
+ aide
88
+ AIDS
89
+ aim
90
+ air
91
+ aircraft
92
+ airline
93
+ airport
94
+ album
95
+ alcohol
96
+ alive
97
+ all
98
+ alliance
99
+ allow
100
+ ally
101
+ almost
102
+ alone
103
+ along
104
+ already
105
+ also
106
+ alter
107
+ alternative
108
+ although
109
+ always
110
+ AM
111
+ amazing
112
+ American
113
+ among
114
+ amount
115
+ analysis
116
+ analyst
117
+ analyze
118
+ ancient
119
+ and
120
+ anger
121
+ angle
122
+ angry
123
+ animal
124
+ anniversary
125
+ announce
126
+ annual
127
+ another
128
+ answer
129
+ anticipate
130
+ anxiety
131
+ any
132
+ anybody
133
+ anymore
134
+ anyone
135
+ anything
136
+ anyway
137
+ anywhere
138
+ apart
139
+ apartment
140
+ apparent
141
+ apparently
142
+ appeal
143
+ appear
144
+ appearance
145
+ apple
146
+ application
147
+ apply
148
+ appoint
149
+ appointment
150
+ appreciate
151
+ approach
152
+ appropriate
153
+ approval
154
+ approve
155
+ approximately
156
+ Arab
157
+ architect
158
+ area
159
+ argue
160
+ argument
161
+ arise
162
+ arm
163
+ armed
164
+ army
165
+ around
166
+ arrange
167
+ arrangement
168
+ arrest
169
+ arrival
170
+ arrive
171
+ art
172
+ article
173
+ artist
174
+ artistic
175
+ as
176
+ Asian
177
+ aside
178
+ ask
179
+ asleep
180
+ aspect
181
+ assault
182
+ assert
183
+ assess
184
+ assessment
185
+ asset
186
+ assign
187
+ assignment
188
+ assist
189
+ assistance
190
+ assistant
191
+ associate
192
+ association
193
+ assume
194
+ assumption
195
+ assure
196
+ at
197
+ athlete
198
+ athletic
199
+ atmosphere
200
+ attach
201
+ attack
202
+ attempt
203
+ attend
204
+ attention
205
+ attitude
206
+ attorney
207
+ attract
208
+ attractive
209
+ attribute
210
+ audience
211
+ author
212
+ authority
213
+ auto
214
+ available
215
+ average
216
+ avoid
217
+ award
218
+ aware
219
+ awareness
220
+ away
221
+ awful
222
+ baby
223
+ back
224
+ background
225
+ bad
226
+ badly
227
+ bag
228
+ bake
229
+ balance
230
+ ball
231
+ ban
232
+ band
233
+ bank
234
+ bar
235
+ barely
236
+ barrel
237
+ barrier
238
+ base
239
+ baseball
240
+ basic
241
+ basically
242
+ basis
243
+ basket
244
+ basketball
245
+ bathroom
246
+ battery
247
+ battle
248
+ be
249
+ beach
250
+ bean
251
+ bear
252
+ beat
253
+ beautiful
254
+ beauty
255
+ because
256
+ become
257
+ bed
258
+ bedroom
259
+ beer
260
+ before
261
+ begin
262
+ beginning
263
+ behavior
264
+ behind
265
+ being
266
+ belief
267
+ believe
268
+ bell
269
+ belong
270
+ below
271
+ belt
272
+ bench
273
+ bend
274
+ beneath
275
+ benefit
276
+ beside
277
+ besides
278
+ best
279
+ bet
280
+ better
281
+ between
282
+ beyond
283
+ Bible
284
+ big
285
+ bike
286
+ bill
287
+ billion
288
+ bind
289
+ biological
290
+ bird
291
+ birth
292
+ birthday
293
+ bit
294
+ bite
295
+ black
296
+ blade
297
+ blame
298
+ blanket
299
+ blind
300
+ block
301
+ blood
302
+ blow
303
+ blue
304
+ board
305
+ boat
306
+ body
307
+ bomb
308
+ bombing
309
+ bond
310
+ bone
311
+ book
312
+ boom
313
+ boot
314
+ border
315
+ born
316
+ borrow
317
+ boss
318
+ both
319
+ bother
320
+ bottle
321
+ bottom
322
+ boundary
323
+ bowl
324
+ box
325
+ boy
326
+ boyfriend
327
+ brain
328
+ branch
329
+ brand
330
+ bread
331
+ break
332
+ breakfast
333
+ breast
334
+ breath
335
+ breathe
336
+ brick
337
+ bridge
338
+ brief
339
+ briefly
340
+ bright
341
+ brilliant
342
+ bring
343
+ British
344
+ broad
345
+ broken
346
+ brother
347
+ brown
348
+ brush
349
+ buck
350
+ budget
351
+ build
352
+ building
353
+ bullet
354
+ bunch
355
+ burden
356
+ burn
357
+ bury
358
+ bus
359
+ business
360
+ busy
361
+ but
362
+ butter
363
+ button
364
+ buy
365
+ buyer
366
+ by
367
+ cabin
368
+ cabinet
369
+ cable
370
+ cake
371
+ calculate
372
+ call
373
+ camera
374
+ camp
375
+ campaign
376
+ campus
377
+ can
378
+ Canadian
379
+ cancer
380
+ candidate
381
+ cap
382
+ capability
383
+ capable
384
+ capacity
385
+ capital
386
+ captain
387
+ capture
388
+ car
389
+ carbon
390
+ card
391
+ care
392
+ career
393
+ careful
394
+ carefully
395
+ carrier
396
+ carry
397
+ case
398
+ cash
399
+ cast
400
+ cat
401
+ catch
402
+ category
403
+ Catholic
404
+ cause
405
+ ceiling
406
+ celebrate
407
+ celebration
408
+ celebrity
409
+ cell
410
+ center
411
+ central
412
+ century
413
+ CEO
414
+ ceremony
415
+ certain
416
+ certainly
417
+ chain
418
+ chair
419
+ chairman
420
+ challenge
421
+ chamber
422
+ champion
423
+ championship
424
+ chance
425
+ change
426
+ changing
427
+ channel
428
+ chapter
429
+ character
430
+ characteristic
431
+ characterize
432
+ charge
433
+ charity
434
+ chart
435
+ chase
436
+ cheap
437
+ check
438
+ cheek
439
+ cheese
440
+ chef
441
+ chemical
442
+ chest
443
+ chicken
444
+ chief
445
+ child
446
+ childhood
447
+ Chinese
448
+ chip
449
+ chocolate
450
+ choice
451
+ cholesterol
452
+ choose
453
+ Christian
454
+ Christmas
455
+ church
456
+ cigarette
457
+ circle
458
+ circumstance
459
+ cite
460
+ citizen
461
+ city
462
+ civil
463
+ civilian
464
+ claim
465
+ class
466
+ classic
467
+ classroom
468
+ clean
469
+ clear
470
+ clearly
471
+ client
472
+ climate
473
+ climb
474
+ clinic
475
+ clinical
476
+ clock
477
+ close
478
+ closely
479
+ closer
480
+ clothes
481
+ clothing
482
+ cloud
483
+ club
484
+ clue
485
+ cluster
486
+ coach
487
+ coal
488
+ coalition
489
+ coast
490
+ coat
491
+ code
492
+ coffee
493
+ cognitive
494
+ cold
495
+ collapse
496
+ colleague
497
+ collect
498
+ collection
499
+ collective
500
+ college
501
+ colonial
502
+ color
503
+ column
504
+ combination
505
+ combine
506
+ come
507
+ comedy
508
+ comfort
509
+ comfortable
510
+ command
511
+ commander
512
+ comment
513
+ commercial
514
+ commission
515
+ commit
516
+ commitment
517
+ committee
518
+ common
519
+ communicate
520
+ communication
521
+ community
522
+ company
523
+ compare
524
+ comparison
525
+ compete
526
+ competition
527
+ competitive
528
+ competitor
529
+ complain
530
+ complaint
531
+ complete
532
+ completely
533
+ complex
534
+ complicated
535
+ component
536
+ compose
537
+ composition
538
+ comprehensive
539
+ computer
540
+ concentrate
541
+ concentration
542
+ concept
543
+ concern
544
+ concerned
545
+ concert
546
+ conclude
547
+ conclusion
548
+ concrete
549
+ condition
550
+ conduct
551
+ conference
552
+ confidence
553
+ confident
554
+ confirm
555
+ conflict
556
+ confront
557
+ confusion
558
+ Congress
559
+ congressional
560
+ connect
561
+ connection
562
+ consciousness
563
+ consensus
564
+ consequence
565
+ conservative
566
+ consider
567
+ considerable
568
+ consideration
569
+ consist
570
+ consistent
571
+ constant
572
+ constantly
573
+ constitute
574
+ constitutional
575
+ construct
576
+ construction
577
+ consultant
578
+ consume
579
+ consumer
580
+ consumption
581
+ contact
582
+ contain
583
+ container
584
+ contemporary
585
+ content
586
+ contest
587
+ context
588
+ continue
589
+ continued
590
+ contract
591
+ contrast
592
+ contribute
593
+ contribution
594
+ control
595
+ controversial
596
+ controversy
597
+ convention
598
+ conventional
599
+ conversation
600
+ convert
601
+ conviction
602
+ convince
603
+ cook
604
+ cookie
605
+ cooking
606
+ cool
607
+ cooperation
608
+ cop
609
+ cope
610
+ copy
611
+ core
612
+ corn
613
+ corner
614
+ corporate
615
+ corporation
616
+ correct
617
+ correspondent
618
+ cost
619
+ cotton
620
+ couch
621
+ could
622
+ council
623
+ counselor
624
+ count
625
+ counter
626
+ country
627
+ county
628
+ couple
629
+ courage
630
+ course
631
+ court
632
+ cousin
633
+ cover
634
+ coverage
635
+ cow
636
+ crack
637
+ craft
638
+ crash
639
+ crazy
640
+ cream
641
+ create
642
+ creation
643
+ creative
644
+ creature
645
+ credit
646
+ crew
647
+ crime
648
+ criminal
649
+ crisis
650
+ criteria
651
+ critic
652
+ critical
653
+ criticism
654
+ criticize
655
+ crop
656
+ cross
657
+ crowd
658
+ crucial
659
+ cry
660
+ cultural
661
+ culture
662
+ cup
663
+ curious
664
+ current
665
+ currently
666
+ curriculum
667
+ custom
668
+ customer
669
+ cut
670
+ cycle
671
+ dad
672
+ daily
673
+ damage
674
+ dance
675
+ danger
676
+ dangerous
677
+ dare
678
+ dark
679
+ darkness
680
+ data
681
+ date
682
+ daughter
683
+ day
684
+ dead
685
+ deal
686
+ dealer
687
+ dear
688
+ death
689
+ debate
690
+ debt
691
+ decade
692
+ decide
693
+ decision
694
+ deck
695
+ declare
696
+ decline
697
+ decrease
698
+ deep
699
+ deeply
700
+ deer
701
+ defeat
702
+ defend
703
+ defendant
704
+ defense
705
+ defensive
706
+ deficit
707
+ define
708
+ definitely
709
+ definition
710
+ degree
711
+ delay
712
+ deliver
713
+ delivery
714
+ demand
715
+ democracy
716
+ Democrat
717
+ democratic
718
+ demonstrate
719
+ demonstration
720
+ deny
721
+ department
722
+ depend
723
+ dependent
724
+ depending
725
+ depict
726
+ depression
727
+ depth
728
+ deputy
729
+ derive
730
+ describe
731
+ description
732
+ desert
733
+ deserve
734
+ design
735
+ designer
736
+ desire
737
+ desk
738
+ desperate
739
+ despite
740
+ destroy
741
+ destruction
742
+ detail
743
+ detailed
744
+ detect
745
+ determine
746
+ develop
747
+ developing
748
+ development
749
+ device
750
+ devote
751
+ dialogue
752
+ die
753
+ diet
754
+ differ
755
+ difference
756
+ different
757
+ differently
758
+ difficult
759
+ difficulty
760
+ dig
761
+ digital
762
+ dimension
763
+ dining
764
+ dinner
765
+ direct
766
+ direction
767
+ directly
768
+ director
769
+ dirt
770
+ dirty
771
+ disability
772
+ disagree
773
+ disappear
774
+ disaster
775
+ discipline
776
+ discourse
777
+ discover
778
+ discovery
779
+ discrimination
780
+ discuss
781
+ discussion
782
+ disease
783
+ dish
784
+ dismiss
785
+ disorder
786
+ display
787
+ dispute
788
+ distance
789
+ distant
790
+ distinct
791
+ distinction
792
+ distinguish
793
+ distribute
794
+ distribution
795
+ district
796
+ diverse
797
+ diversity
798
+ divide
799
+ division
800
+ divorce
801
+ DNA
802
+ do
803
+ doctor
804
+ document
805
+ dog
806
+ domestic
807
+ dominant
808
+ dominate
809
+ door
810
+ double
811
+ doubt
812
+ down
813
+ downtown
814
+ dozen
815
+ draft
816
+ drag
817
+ drama
818
+ dramatic
819
+ dramatically
820
+ draw
821
+ drawing
822
+ dream
823
+ dress
824
+ drink
825
+ drive
826
+ driver
827
+ drop
828
+ drug
829
+ dry
830
+ due
831
+ during
832
+ dust
833
+ duty
834
+ each
835
+ eager
836
+ ear
837
+ early
838
+ earn
839
+ earnings
840
+ earth
841
+ ease
842
+ easily
843
+ east
844
+ eastern
845
+ easy
846
+ eat
847
+ economic
848
+ economics
849
+ economist
850
+ economy
851
+ edge
852
+ edition
853
+ editor
854
+ educate
855
+ education
856
+ educational
857
+ educator
858
+ effect
859
+ effective
860
+ effectively
861
+ efficiency
862
+ efficient
863
+ effort
864
+ egg
865
+ eight
866
+ either
867
+ elderly
868
+ elect
869
+ election
870
+ electric
871
+ electricity
872
+ electronic
873
+ element
874
+ elementary
875
+ eliminate
876
+ elite
877
+ else
878
+ elsewhere
879
+ email
880
+ embrace
881
+ emerge
882
+ emergency
883
+ emission
884
+ emotion
885
+ emotional
886
+ emphasis
887
+ emphasize
888
+ employ
889
+ employee
890
+ employer
891
+ employment
892
+ empty
893
+ enable
894
+ encounter
895
+ encourage
896
+ end
897
+ enemy
898
+ energy
899
+ enforcement
900
+ engage
901
+ engine
902
+ engineer
903
+ engineering
904
+ English
905
+ enhance
906
+ enjoy
907
+ enormous
908
+ enough
909
+ ensure
910
+ enter
911
+ enterprise
912
+ entertainment
913
+ entire
914
+ entirely
915
+ entrance
916
+ entry
917
+ environment
918
+ environmental
919
+ episode
920
+ equal
921
+ equally
922
+ equipment
923
+ era
924
+ error
925
+ escape
926
+ especially
927
+ essay
928
+ essential
929
+ essentially
930
+ establish
931
+ establishment
932
+ estate
933
+ estimate
934
+ etc
935
+ ethics
936
+ ethnic
937
+ European
938
+ evaluate
939
+ evaluation
940
+ even
941
+ evening
942
+ event
943
+ eventually
944
+ ever
945
+ every
946
+ everybody
947
+ everyday
948
+ everyone
949
+ everything
950
+ everywhere
951
+ evidence
952
+ evolution
953
+ evolve
954
+ exact
955
+ exactly
956
+ examination
957
+ examine
958
+ example
959
+ exceed
960
+ excellent
961
+ except
962
+ exception
963
+ exchange
964
+ exciting
965
+ executive
966
+ exercise
967
+ exhibit
968
+ exhibition
969
+ exist
970
+ existence
971
+ existing
972
+ expand
973
+ expansion
974
+ expect
975
+ expectation
976
+ expense
977
+ expensive
978
+ experience
979
+ experiment
980
+ expert
981
+ explain
982
+ explanation
983
+ explode
984
+ explore
985
+ explosion
986
+ expose
987
+ exposure
988
+ express
989
+ expression
990
+ extend
991
+ extension
992
+ extensive
993
+ extent
994
+ external
995
+ extra
996
+ extraordinary
997
+ extreme
998
+ extremely
999
+ eye
1000
+ fabric
1001
+ face
1002
+ facility
1003
+ fact
1004
+ factor
1005
+ factory
1006
+ faculty
1007
+ fade
1008
+ fail
1009
+ failure
1010
+ fair
1011
+ fairly
1012
+ faith
1013
+ fall
1014
+ false
1015
+ familiar
1016
+ family
1017
+ famous
1018
+ fan
1019
+ fantasy
1020
+ far
1021
+ farm
1022
+ farmer
1023
+ fashion
1024
+ fast
1025
+ fat
1026
+ fate
1027
+ father
1028
+ fault
1029
+ favor
1030
+ favorite
1031
+ fear
1032
+ feature
1033
+ federal
1034
+ fee
1035
+ feed
1036
+ feel
1037
+ feeling
1038
+ fellow
1039
+ female
1040
+ fence
1041
+ few
1042
+ fewer
1043
+ fiber
1044
+ fiction
1045
+ field
1046
+ fifteen
1047
+ fifth
1048
+ fifty
1049
+ fight
1050
+ fighter
1051
+ fighting
1052
+ figure
1053
+ file
1054
+ fill
1055
+ film
1056
+ final
1057
+ finally
1058
+ finance
1059
+ financial
1060
+ find
1061
+ finding
1062
+ fine
1063
+ finger
1064
+ finish
1065
+ fire
1066
+ firm
1067
+ first
1068
+ fish
1069
+ fishing
1070
+ fit
1071
+ fitness
1072
+ five
1073
+ fix
1074
+ flag
1075
+ flame
1076
+ flat
1077
+ flavor
1078
+ flee
1079
+ flesh
1080
+ flight
1081
+ float
1082
+ floor
1083
+ flow
1084
+ flower
1085
+ fly
1086
+ focus
1087
+ folk
1088
+ follow
1089
+ following
1090
+ food
1091
+ foot
1092
+ football
1093
+ for
1094
+ force
1095
+ foreign
1096
+ forest
1097
+ forever
1098
+ forget
1099
+ form
1100
+ formal
1101
+ formation
1102
+ former
1103
+ formula
1104
+ forth
1105
+ fortune
1106
+ forward
1107
+ found
1108
+ foundation
1109
+ founder
1110
+ four
1111
+ fourth
1112
+ frame
1113
+ framework
1114
+ free
1115
+ freedom
1116
+ freeze
1117
+ French
1118
+ frequency
1119
+ frequent
1120
+ frequently
1121
+ fresh
1122
+ friend
1123
+ friendly
1124
+ friendship
1125
+ from
1126
+ front
1127
+ fruit
1128
+ frustration
1129
+ fuel
1130
+ full
1131
+ fully
1132
+ fun
1133
+ function
1134
+ fund
1135
+ fundamental
1136
+ funding
1137
+ funeral
1138
+ funny
1139
+ furniture
1140
+ furthermore
1141
+ future
1142
+ gain
1143
+ galaxy
1144
+ gallery
1145
+ game
1146
+ gang
1147
+ gap
1148
+ garage
1149
+ garden
1150
+ garlic
1151
+ gas
1152
+ gate
1153
+ gather
1154
+ gay
1155
+ gaze
1156
+ gear
1157
+ gender
1158
+ gene
1159
+ general
1160
+ generally
1161
+ generate
1162
+ generation
1163
+ genetic
1164
+ gentleman
1165
+ gently
1166
+ German
1167
+ gesture
1168
+ get
1169
+ ghost
1170
+ giant
1171
+ gift
1172
+ gifted
1173
+ girl
1174
+ girlfriend
1175
+ give
1176
+ given
1177
+ glad
1178
+ glance
1179
+ glass
1180
+ global
1181
+ glove
1182
+ go
1183
+ goal
1184
+ God
1185
+ gold
1186
+ golden
1187
+ golf
1188
+ good
1189
+ government
1190
+ governor
1191
+ grab
1192
+ grade
1193
+ gradually
1194
+ graduate
1195
+ grain
1196
+ grand
1197
+ grandfather
1198
+ grandmother
1199
+ grant
1200
+ grass
1201
+ grave
1202
+ gray
1203
+ great
1204
+ greatest
1205
+ green
1206
+ grocery
1207
+ ground
1208
+ group
1209
+ grow
1210
+ growing
1211
+ growth
1212
+ guarantee
1213
+ guard
1214
+ guess
1215
+ guest
1216
+ guide
1217
+ guideline
1218
+ guilty
1219
+ gun
1220
+ guy
1221
+ habit
1222
+ habitat
1223
+ hacker
1224
+ hair
1225
+ half
1226
+ hall
1227
+ hand
1228
+ handful
1229
+ handle
1230
+ hang
1231
+ happen
1232
+ happy
1233
+ hard
1234
+ hardly
1235
+ hat
1236
+ hate
1237
+ have
1238
+ he
1239
+ head
1240
+ headline
1241
+ headquarters
1242
+ health
1243
+ healthy
1244
+ hear
1245
+ hearing
1246
+ heart
1247
+ heat
1248
+ heaven
1249
+ heavily
1250
+ heavy
1251
+ heel
1252
+ height
1253
+ helicopter
1254
+ hell
1255
+ hello
1256
+ help
1257
+ helpful
1258
+ her
1259
+ here
1260
+ heritage
1261
+ hero
1262
+ herself
1263
+ hey
1264
+ hi
1265
+ hide
1266
+ high
1267
+ highlight
1268
+ highly
1269
+ highway
1270
+ hill
1271
+ him
1272
+ himself
1273
+ hip
1274
+ hire
1275
+ his
1276
+ historian
1277
+ historic
1278
+ historical
1279
+ history
1280
+ hit
1281
+ hold
1282
+ hole
1283
+ holiday
1284
+ holy
1285
+ home
1286
+ homeless
1287
+ honest
1288
+ honey
1289
+ honor
1290
+ hope
1291
+ horizon
1292
+ horror
1293
+ horse
1294
+ hospital
1295
+ host
1296
+ hot
1297
+ hotel
1298
+ hour
1299
+ house
1300
+ household
1301
+ housing
1302
+ how
1303
+ however
1304
+ huge
1305
+ human
1306
+ humor
1307
+ hundred
1308
+ hungry
1309
+ hunter
1310
+ hunting
1311
+ hurt
1312
+ husband
1313
+ hypothesis
1314
+ I
1315
+ ice
1316
+ idea
1317
+ ideal
1318
+ identification
1319
+ identify
1320
+ identity
1321
+ ie
1322
+ if
1323
+ ignore
1324
+ ill
1325
+ illegal
1326
+ illness
1327
+ illustrate
1328
+ image
1329
+ imagination
1330
+ imagine
1331
+ immediate
1332
+ immediately
1333
+ immigrant
1334
+ immigration
1335
+ impact
1336
+ implement
1337
+ implication
1338
+ imply
1339
+ importance
1340
+ important
1341
+ impose
1342
+ impossible
1343
+ impress
1344
+ impression
1345
+ impressive
1346
+ improve
1347
+ improvement
1348
+ in
1349
+ incentive
1350
+ incident
1351
+ include
1352
+ including
1353
+ income
1354
+ incorporate
1355
+ increase
1356
+ increased
1357
+ increasing
1358
+ increasingly
1359
+ incredible
1360
+ indeed
1361
+ independence
1362
+ independent
1363
+ index
1364
+ Indian
1365
+ indicate
1366
+ indication
1367
+ individual
1368
+ industrial
1369
+ industry
1370
+ infant
1371
+ infection
1372
+ inflation
1373
+ influence
1374
+ inform
1375
+ information
1376
+ ingredient
1377
+ initial
1378
+ initially
1379
+ initiative
1380
+ injury
1381
+ inner
1382
+ innocent
1383
+ inquiry
1384
+ inside
1385
+ insight
1386
+ insist
1387
+ inspire
1388
+ install
1389
+ instance
1390
+ instead
1391
+ institution
1392
+ institutional
1393
+ instruction
1394
+ instructor
1395
+ instrument
1396
+ insurance
1397
+ intellectual
1398
+ intelligence
1399
+ intend
1400
+ intense
1401
+ intensity
1402
+ intention
1403
+ interaction
1404
+ interest
1405
+ interested
1406
+ interesting
1407
+ internal
1408
+ international
1409
+ Internet
1410
+ interpret
1411
+ interpretation
1412
+ intervention
1413
+ interview
1414
+ into
1415
+ introduce
1416
+ introduction
1417
+ invasion
1418
+ invest
1419
+ investigate
1420
+ investigation
1421
+ investigator
1422
+ investment
1423
+ investor
1424
+ invite
1425
+ involve
1426
+ involved
1427
+ involvement
1428
+ Iraqi
1429
+ Irish
1430
+ iron
1431
+ Islamic
1432
+ island
1433
+ Israeli
1434
+ issue
1435
+ it
1436
+ Italian
1437
+ item
1438
+ its
1439
+ itself
1440
+ jacket
1441
+ jail
1442
+ Japanese
1443
+ jet
1444
+ Jew
1445
+ Jewish
1446
+ job
1447
+ join
1448
+ joint
1449
+ joke
1450
+ journal
1451
+ journalist
1452
+ journey
1453
+ joy
1454
+ judge
1455
+ judgment
1456
+ juice
1457
+ jump
1458
+ junior
1459
+ jury
1460
+ just
1461
+ justice
1462
+ justify
1463
+ keep
1464
+ key
1465
+ kick
1466
+ kid
1467
+ kill
1468
+ killer
1469
+ killing
1470
+ kind
1471
+ king
1472
+ kiss
1473
+ kitchen
1474
+ knee
1475
+ knife
1476
+ knock
1477
+ know
1478
+ knowledge
1479
+ lab
1480
+ label
1481
+ labor
1482
+ laboratory
1483
+ lack
1484
+ lady
1485
+ lake
1486
+ land
1487
+ landscape
1488
+ language
1489
+ lap
1490
+ large
1491
+ largely
1492
+ last
1493
+ late
1494
+ later
1495
+ Latin
1496
+ latter
1497
+ laugh
1498
+ launch
1499
+ law
1500
+ lawn
1501
+ lawsuit
1502
+ lawyer
1503
+ lay
1504
+ layer
1505
+ lead
1506
+ leader
1507
+ leadership
1508
+ leading
1509
+ leaf
1510
+ league
1511
+ lean
1512
+ learn
1513
+ learning
1514
+ least
1515
+ leather
1516
+ leave
1517
+ left
1518
+ leg
1519
+ legacy
1520
+ legal
1521
+ legend
1522
+ legislation
1523
+ legitimate
1524
+ lemon
1525
+ length
1526
+ less
1527
+ lesson
1528
+ let
1529
+ letter
1530
+ level
1531
+ liberal
1532
+ library
1533
+ license
1534
+ lie
1535
+ life
1536
+ lifestyle
1537
+ lifetime
1538
+ lift
1539
+ light
1540
+ like
1541
+ likely
1542
+ limit
1543
+ limitation
1544
+ limited
1545
+ line
1546
+ link
1547
+ lip
1548
+ list
1549
+ listen
1550
+ literally
1551
+ literary
1552
+ literature
1553
+ little
1554
+ live
1555
+ living
1556
+ load
1557
+ loan
1558
+ local
1559
+ locate
1560
+ location
1561
+ lock
1562
+ long
1563
+ longterm
1564
+ look
1565
+ loose
1566
+ lose
1567
+ loss
1568
+ lost
1569
+ lot
1570
+ lots
1571
+ loud
1572
+ love
1573
+ lovely
1574
+ lover
1575
+ low
1576
+ lower
1577
+ luck
1578
+ lucky
1579
+ lunch
1580
+ lung
1581
+ machine
1582
+ mad
1583
+ magazine
1584
+ mail
1585
+ main
1586
+ mainly
1587
+ maintain
1588
+ maintenance
1589
+ major
1590
+ majority
1591
+ make
1592
+ maker
1593
+ makeup
1594
+ male
1595
+ mall
1596
+ man
1597
+ manage
1598
+ management
1599
+ manager
1600
+ manner
1601
+ manufacturer
1602
+ manufacturing
1603
+ many
1604
+ map
1605
+ margin
1606
+ mark
1607
+ market
1608
+ marketing
1609
+ marriage
1610
+ married
1611
+ marry
1612
+ mask
1613
+ mass
1614
+ massive
1615
+ master
1616
+ match
1617
+ material
1618
+ math
1619
+ matter
1620
+ may
1621
+ maybe
1622
+ mayor
1623
+ me
1624
+ meal
1625
+ mean
1626
+ meaning
1627
+ meanwhile
1628
+ measure
1629
+ measurement
1630
+ meat
1631
+ mechanism
1632
+ media
1633
+ medical
1634
+ medication
1635
+ medicine
1636
+ medium
1637
+ meet
1638
+ meeting
1639
+ member
1640
+ membership
1641
+ memory
1642
+ mental
1643
+ mention
1644
+ menu
1645
+ mere
1646
+ merely
1647
+ mess
1648
+ message
1649
+ metal
1650
+ meter
1651
+ method
1652
+ Mexican
1653
+ middle
1654
+ might
1655
+ military
1656
+ milk
1657
+ million
1658
+ mind
1659
+ mine
1660
+ minister
1661
+ minor
1662
+ minority
1663
+ minute
1664
+ miracle
1665
+ mirror
1666
+ miss
1667
+ missile
1668
+ mission
1669
+ mistake
1670
+ mix
1671
+ mixture
1672
+ mmhmm
1673
+ mode
1674
+ model
1675
+ moderate
1676
+ modern
1677
+ modest
1678
+ mom
1679
+ moment
1680
+ money
1681
+ monitor
1682
+ month
1683
+ mood
1684
+ moon
1685
+ moral
1686
+ more
1687
+ moreover
1688
+ morning
1689
+ mortgage
1690
+ most
1691
+ mostly
1692
+ mother
1693
+ motion
1694
+ motivation
1695
+ motor
1696
+ mount
1697
+ mountain
1698
+ mouse
1699
+ mouth
1700
+ move
1701
+ movement
1702
+ movie
1703
+ Mr
1704
+ Mrs
1705
+ Ms
1706
+ much
1707
+ multiple
1708
+ murder
1709
+ muscle
1710
+ museum
1711
+ music
1712
+ musical
1713
+ musician
1714
+ Muslim
1715
+ must
1716
+ mutual
1717
+ my
1718
+ myself
1719
+ mystery
1720
+ myth
1721
+ naked
1722
+ name
1723
+ narrative
1724
+ narrow
1725
+ nation
1726
+ national
1727
+ native
1728
+ natural
1729
+ naturally
1730
+ nature
1731
+ near
1732
+ nearby
1733
+ nearly
1734
+ necessarily
1735
+ necessary
1736
+ neck
1737
+ need
1738
+ negative
1739
+ negotiate
1740
+ negotiation
1741
+ neighbor
1742
+ neighborhood
1743
+ neither
1744
+ nerve
1745
+ nervous
1746
+ net
1747
+ network
1748
+ never
1749
+ nevertheless
1750
+ new
1751
+ newly
1752
+ news
1753
+ newspaper
1754
+ next
1755
+ nice
1756
+ night
1757
+ nine
1758
+ no
1759
+ nobody
1760
+ nod
1761
+ noise
1762
+ nomination
1763
+ none
1764
+ nonetheless
1765
+ nor
1766
+ normal
1767
+ normally
1768
+ north
1769
+ northern
1770
+ nose
1771
+ not
1772
+ note
1773
+ nothing
1774
+ notice
1775
+ notion
1776
+ novel
1777
+ now
1778
+ nowhere
1779
+ nuclear
1780
+ number
1781
+ numerous
1782
+ nurse
1783
+ nut
1784
+ object
1785
+ objective
1786
+ obligation
1787
+ observation
1788
+ observe
1789
+ observer
1790
+ obtain
1791
+ obvious
1792
+ obviously
1793
+ occasion
1794
+ occasionally
1795
+ occupation
1796
+ occupy
1797
+ occur
1798
+ ocean
1799
+ odd
1800
+ odds
1801
+ of
1802
+ off
1803
+ offense
1804
+ offensive
1805
+ offer
1806
+ office
1807
+ officer
1808
+ official
1809
+ often
1810
+ oh
1811
+ oil
1812
+ ok
1813
+ okay
1814
+ old
1815
+ Olympic
1816
+ on
1817
+ once
1818
+ one
1819
+ ongoing
1820
+ onion
1821
+ online
1822
+ only
1823
+ onto
1824
+ open
1825
+ opening
1826
+ operate
1827
+ operating
1828
+ operation
1829
+ operator
1830
+ opinion
1831
+ opponent
1832
+ opportunity
1833
+ oppose
1834
+ opposite
1835
+ opposition
1836
+ option
1837
+ or
1838
+ orange
1839
+ order
1840
+ ordinary
1841
+ organic
1842
+ organization
1843
+ organize
1844
+ orientation
1845
+ origin
1846
+ original
1847
+ originally
1848
+ other
1849
+ others
1850
+ otherwise
1851
+ ought
1852
+ our
1853
+ ourselves
1854
+ out
1855
+ outcome
1856
+ outside
1857
+ oven
1858
+ over
1859
+ overall
1860
+ overcome
1861
+ overlook
1862
+ owe
1863
+ own
1864
+ owner
1865
+ pace
1866
+ pack
1867
+ package
1868
+ page
1869
+ pain
1870
+ painful
1871
+ paint
1872
+ painter
1873
+ painting
1874
+ pair
1875
+ pale
1876
+ Palestinian
1877
+ palm
1878
+ pan
1879
+ panel
1880
+ pant
1881
+ paper
1882
+ parent
1883
+ park
1884
+ parking
1885
+ part
1886
+ participant
1887
+ participate
1888
+ participation
1889
+ particular
1890
+ particularly
1891
+ partly
1892
+ partner
1893
+ partnership
1894
+ party
1895
+ pass
1896
+ passage
1897
+ passenger
1898
+ passion
1899
+ past
1900
+ patch
1901
+ path
1902
+ patient
1903
+ pattern
1904
+ pause
1905
+ pay
1906
+ payment
1907
+ PC
1908
+ peace
1909
+ peak
1910
+ peer
1911
+ penalty
1912
+ people
1913
+ pepper
1914
+ per
1915
+ perceive
1916
+ percentage
1917
+ perception
1918
+ perfect
1919
+ perfectly
1920
+ perform
1921
+ performance
1922
+ perhaps
1923
+ period
1924
+ permanent
1925
+ permission
1926
+ permit
1927
+ person
1928
+ personal
1929
+ personality
1930
+ personally
1931
+ personnel
1932
+ perspective
1933
+ persuade
1934
+ pet
1935
+ phase
1936
+ phenomenon
1937
+ philosophy
1938
+ phone
1939
+ photo
1940
+ photograph
1941
+ photographer
1942
+ phrase
1943
+ physical
1944
+ physically
1945
+ physician
1946
+ piano
1947
+ pick
1948
+ picture
1949
+ pie
1950
+ piece
1951
+ pile
1952
+ pilot
1953
+ pine
1954
+ pink
1955
+ pipe
1956
+ pitch
1957
+ place
1958
+ plan
1959
+ plane
1960
+ planet
1961
+ planning
1962
+ plant
1963
+ plastic
1964
+ plate
1965
+ platform
1966
+ play
1967
+ player
1968
+ please
1969
+ pleasure
1970
+ plenty
1971
+ plot
1972
+ plus
1973
+ PM
1974
+ pocket
1975
+ poem
1976
+ poet
1977
+ poetry
1978
+ point
1979
+ pole
1980
+ police
1981
+ policy
1982
+ political
1983
+ politically
1984
+ politician
1985
+ politics
1986
+ poll
1987
+ pollution
1988
+ pool
1989
+ poor
1990
+ pop
1991
+ popular
1992
+ population
1993
+ porch
1994
+ port
1995
+ portion
1996
+ portrait
1997
+ portray
1998
+ pose
1999
+ position
2000
+ positive
2001
+ possess
2002
+ possibility
2003
+ possible
2004
+ possibly
2005
+ post
2006
+ pot
2007
+ potato
2008
+ potential
2009
+ potentially
2010
+ pound
2011
+ pour
2012
+ poverty
2013
+ powder
2014
+ power
2015
+ powerful
2016
+ practical
2017
+ practice
2018
+ pray
2019
+ prayer
2020
+ precisely
2021
+ predict
2022
+ prefer
2023
+ preference
2024
+ pregnancy
2025
+ pregnant
2026
+ preparation
2027
+ prepare
2028
+ prescription
2029
+ presence
2030
+ present
2031
+ presentation
2032
+ preserve
2033
+ president
2034
+ presidential
2035
+ press
2036
+ pressure
2037
+ pretend
2038
+ pretty
2039
+ prevent
2040
+ previous
2041
+ previously
2042
+ price
2043
+ pride
2044
+ priest
2045
+ primarily
2046
+ primary
2047
+ prime
2048
+ principal
2049
+ principle
2050
+ print
2051
+ prior
2052
+ priority
2053
+ prison
2054
+ prisoner
2055
+ privacy
2056
+ private
2057
+ probably
2058
+ problem
2059
+ procedure
2060
+ proceed
2061
+ process
2062
+ produce
2063
+ producer
2064
+ product
2065
+ production
2066
+ profession
2067
+ professional
2068
+ professor
2069
+ profile
2070
+ profit
2071
+ program
2072
+ progress
2073
+ project
2074
+ prominent
2075
+ promise
2076
+ promote
2077
+ prompt
2078
+ proof
2079
+ proper
2080
+ properly
2081
+ property
2082
+ proportion
2083
+ proposal
2084
+ propose
2085
+ proposed
2086
+ prosecutor
2087
+ prospect
2088
+ protect
2089
+ protection
2090
+ protein
2091
+ protest
2092
+ proud
2093
+ prove
2094
+ provide
2095
+ provider
2096
+ province
2097
+ provision
2098
+ psychological
2099
+ psychologist
2100
+ psychology
2101
+ public
2102
+ publication
2103
+ publicly
2104
+ publish
2105
+ publisher
2106
+ pull
2107
+ punishment
2108
+ purchase
2109
+ pure
2110
+ purpose
2111
+ pursue
2112
+ push
2113
+ put
2114
+ qualify
2115
+ quality
2116
+ quarter
2117
+ quarterback
2118
+ question
2119
+ quick
2120
+ quickly
2121
+ quiet
2122
+ quietly
2123
+ quit
2124
+ quite
2125
+ quote
2126
+ race
2127
+ racial
2128
+ radical
2129
+ radio
2130
+ rail
2131
+ rain
2132
+ raise
2133
+ range
2134
+ rank
2135
+ rapid
2136
+ rapidly
2137
+ rare
2138
+ rarely
2139
+ rate
2140
+ rather
2141
+ rating
2142
+ ratio
2143
+ raw
2144
+ reach
2145
+ react
2146
+ reaction
2147
+ read
2148
+ reader
2149
+ reading
2150
+ ready
2151
+ real
2152
+ reality
2153
+ realize
2154
+ really
2155
+ reason
2156
+ reasonable
2157
+ recall
2158
+ receive
2159
+ recent
2160
+ recently
2161
+ recipe
2162
+ recognition
2163
+ recognize
2164
+ recommend
2165
+ recommendation
2166
+ record
2167
+ recording
2168
+ recover
2169
+ recovery
2170
+ recruit
2171
+ red
2172
+ reduce
2173
+ reduction
2174
+ refer
2175
+ reference
2176
+ reflect
2177
+ reflection
2178
+ reform
2179
+ refugee
2180
+ refuse
2181
+ regard
2182
+ regarding
2183
+ regardless
2184
+ regime
2185
+ region
2186
+ regional
2187
+ register
2188
+ regular
2189
+ regularly
2190
+ regulate
2191
+ regulation
2192
+ reinforce
2193
+ reject
2194
+ relate
2195
+ relation
2196
+ relationship
2197
+ relative
2198
+ relatively
2199
+ relax
2200
+ release
2201
+ relevant
2202
+ relief
2203
+ religion
2204
+ religious
2205
+ rely
2206
+ remain
2207
+ remaining
2208
+ remarkable
2209
+ remember
2210
+ remind
2211
+ remote
2212
+ remove
2213
+ repeat
2214
+ repeatedly
2215
+ replace
2216
+ reply
2217
+ report
2218
+ reporter
2219
+ represent
2220
+ representation
2221
+ representative
2222
+ Republican
2223
+ reputation
2224
+ request
2225
+ require
2226
+ requirement
2227
+ research
2228
+ researcher
2229
+ resemble
2230
+ reservation
2231
+ resident
2232
+ resist
2233
+ resistance
2234
+ resolution
2235
+ resolve
2236
+ resort
2237
+ resource
2238
+ respect
2239
+ respond
2240
+ respondent
2241
+ response
2242
+ responsibility
2243
+ responsible
2244
+ rest
2245
+ restaurant
2246
+ restore
2247
+ restriction
2248
+ result
2249
+ retain
2250
+ retire
2251
+ retirement
2252
+ return
2253
+ reveal
2254
+ revenue
2255
+ review
2256
+ revolution
2257
+ rhythm
2258
+ rice
2259
+ rich
2260
+ rid
2261
+ ride
2262
+ rifle
2263
+ right
2264
+ ring
2265
+ rise
2266
+ risk
2267
+ river
2268
+ road
2269
+ rock
2270
+ role
2271
+ roll
2272
+ romantic
2273
+ roof
2274
+ room
2275
+ root
2276
+ rope
2277
+ rose
2278
+ rough
2279
+ roughly
2280
+ round
2281
+ route
2282
+ routine
2283
+ row
2284
+ rub
2285
+ rule
2286
+ run
2287
+ running
2288
+ rural
2289
+ rush
2290
+ Russian
2291
+ sacred
2292
+ sad
2293
+ safe
2294
+ safety
2295
+ sake
2296
+ salad
2297
+ salary
2298
+ sale
2299
+ sales
2300
+ salt
2301
+ same
2302
+ sample
2303
+ sanction
2304
+ sand
2305
+ satellite
2306
+ satisfaction
2307
+ satisfy
2308
+ sauce
2309
+ save
2310
+ saving
2311
+ say
2312
+ scale
2313
+ scandal
2314
+ scared
2315
+ scenario
2316
+ scene
2317
+ schedule
2318
+ scheme
2319
+ scholar
2320
+ scholarship
2321
+ school
2322
+ science
2323
+ scientific
2324
+ scientist
2325
+ scope
2326
+ score
2327
+ scream
2328
+ screen
2329
+ script
2330
+ sea
2331
+ search
2332
+ season
2333
+ seat
2334
+ second
2335
+ secret
2336
+ secretary
2337
+ section
2338
+ sector
2339
+ secure
2340
+ security
2341
+ see
2342
+ seed
2343
+ seek
2344
+ seem
2345
+ segment
2346
+ seize
2347
+ select
2348
+ selection
2349
+ self
2350
+ sell
2351
+ Senate
2352
+ senator
2353
+ send
2354
+ senior
2355
+ sense
2356
+ sensitive
2357
+ sentence
2358
+ separate
2359
+ sequence
2360
+ series
2361
+ serious
2362
+ seriously
2363
+ serve
2364
+ service
2365
+ session
2366
+ set
2367
+ setting
2368
+ settle
2369
+ settlement
2370
+ seven
2371
+ several
2372
+ severe
2373
+ sex
2374
+ sexual
2375
+ shade
2376
+ shadow
2377
+ shake
2378
+ shall
2379
+ shape
2380
+ share
2381
+ sharp
2382
+ she
2383
+ sheet
2384
+ shelf
2385
+ shell
2386
+ shelter
2387
+ shift
2388
+ shine
2389
+ ship
2390
+ shirt
2391
+ shit
2392
+ shock
2393
+ shoe
2394
+ shoot
2395
+ shooting
2396
+ shop
2397
+ shopping
2398
+ shore
2399
+ short
2400
+ shortly
2401
+ shot
2402
+ should
2403
+ shoulder
2404
+ shout
2405
+ show
2406
+ shower
2407
+ shrug
2408
+ shut
2409
+ sick
2410
+ side
2411
+ sigh
2412
+ sight
2413
+ sign
2414
+ signal
2415
+ significance
2416
+ significant
2417
+ significantly
2418
+ silence
2419
+ silent
2420
+ silver
2421
+ similar
2422
+ similarly
2423
+ simple
2424
+ simply
2425
+ sin
2426
+ since
2427
+ sing
2428
+ singer
2429
+ single
2430
+ sink
2431
+ sir
2432
+ sister
2433
+ sit
2434
+ site
2435
+ situation
2436
+ six
2437
+ size
2438
+ ski
2439
+ skill
2440
+ skin
2441
+ sky
2442
+ slave
2443
+ sleep
2444
+ slice
2445
+ slide
2446
+ slight
2447
+ slightly
2448
+ slip
2449
+ slow
2450
+ slowly
2451
+ small
2452
+ smart
2453
+ smell
2454
+ smile
2455
+ smoke
2456
+ smooth
2457
+ snap
2458
+ snow
2459
+ so
2460
+ socalled
2461
+ soccer
2462
+ social
2463
+ society
2464
+ soft
2465
+ software
2466
+ soil
2467
+ solar
2468
+ soldier
2469
+ solid
2470
+ solution
2471
+ solve
2472
+ some
2473
+ somebody
2474
+ somehow
2475
+ someone
2476
+ something
2477
+ sometimes
2478
+ somewhat
2479
+ somewhere
2480
+ son
2481
+ song
2482
+ soon
2483
+ sophisticated
2484
+ sorry
2485
+ sort
2486
+ soul
2487
+ sound
2488
+ soup
2489
+ source
2490
+ south
2491
+ southern
2492
+ Soviet
2493
+ space
2494
+ Spanish
2495
+ speak
2496
+ speaker
2497
+ special
2498
+ specialist
2499
+ species
2500
+ specific
2501
+ specifically
2502
+ speech
2503
+ speed
2504
+ spend
2505
+ spending
2506
+ spin
2507
+ spirit
2508
+ spiritual
2509
+ split
2510
+ spokesman
2511
+ sport
2512
+ spot
2513
+ spread
2514
+ spring
2515
+ square
2516
+ squeeze
2517
+ stability
2518
+ stable
2519
+ staff
2520
+ stage
2521
+ stair
2522
+ stake
2523
+ stand
2524
+ standard
2525
+ standing
2526
+ star
2527
+ stare
2528
+ start
2529
+ state
2530
+ statement
2531
+ station
2532
+ statistics
2533
+ status
2534
+ stay
2535
+ steady
2536
+ steal
2537
+ steel
2538
+ step
2539
+ stick
2540
+ still
2541
+ stir
2542
+ stock
2543
+ stomach
2544
+ stone
2545
+ stop
2546
+ storage
2547
+ store
2548
+ storm
2549
+ story
2550
+ straight
2551
+ strange
2552
+ stranger
2553
+ strategic
2554
+ strategy
2555
+ stream
2556
+ street
2557
+ strength
2558
+ strengthen
2559
+ stress
2560
+ stretch
2561
+ strike
2562
+ string
2563
+ strip
2564
+ stroke
2565
+ strong
2566
+ strongly
2567
+ structure
2568
+ struggle
2569
+ student
2570
+ studio
2571
+ study
2572
+ stuff
2573
+ stupid
2574
+ style
2575
+ subject
2576
+ submit
2577
+ subsequent
2578
+ substance
2579
+ substantial
2580
+ succeed
2581
+ success
2582
+ successful
2583
+ successfully
2584
+ such
2585
+ sudden
2586
+ suddenly
2587
+ sue
2588
+ suffer
2589
+ sufficient
2590
+ sugar
2591
+ suggest
2592
+ suggestion
2593
+ suicide
2594
+ suit
2595
+ summer
2596
+ summit
2597
+ sun
2598
+ super
2599
+ supply
2600
+ support
2601
+ supporter
2602
+ suppose
2603
+ supposed
2604
+ Supreme
2605
+ sure
2606
+ surely
2607
+ surface
2608
+ surgery
2609
+ surprise
2610
+ surprised
2611
+ surprising
2612
+ surprisingly
2613
+ surround
2614
+ survey
2615
+ survival
2616
+ survive
2617
+ survivor
2618
+ suspect
2619
+ sustain
2620
+ swear
2621
+ sweep
2622
+ sweet
2623
+ swim
2624
+ swing
2625
+ switch
2626
+ symbol
2627
+ symptom
2628
+ system
2629
+ table
2630
+ tablespoon
2631
+ tactic
2632
+ tail
2633
+ take
2634
+ tale
2635
+ talent
2636
+ talk
2637
+ tall
2638
+ tank
2639
+ tap
2640
+ tape
2641
+ target
2642
+ task
2643
+ taste
2644
+ tax
2645
+ taxpayer
2646
+ tea
2647
+ teach
2648
+ teacher
2649
+ teaching
2650
+ team
2651
+ tear
2652
+ teaspoon
2653
+ technical
2654
+ technique
2655
+ technology
2656
+ teen
2657
+ teenager
2658
+ telephone
2659
+ telescope
2660
+ television
2661
+ tell
2662
+ temperature
2663
+ temporary
2664
+ ten
2665
+ tend
2666
+ tendency
2667
+ tennis
2668
+ tension
2669
+ tent
2670
+ term
2671
+ terms
2672
+ terrible
2673
+ territory
2674
+ terror
2675
+ terrorism
2676
+ terrorist
2677
+ test
2678
+ testify
2679
+ testimony
2680
+ testing
2681
+ text
2682
+ than
2683
+ thank
2684
+ thanks
2685
+ that
2686
+ the
2687
+ theater
2688
+ their
2689
+ them
2690
+ theme
2691
+ themselves
2692
+ then
2693
+ theory
2694
+ therapy
2695
+ there
2696
+ therefore
2697
+ these
2698
+ they
2699
+ thick
2700
+ thin
2701
+ thing
2702
+ think
2703
+ thinking
2704
+ third
2705
+ thirty
2706
+ this
2707
+ those
2708
+ though
2709
+ thought
2710
+ thousand
2711
+ threat
2712
+ threaten
2713
+ three
2714
+ throat
2715
+ through
2716
+ throughout
2717
+ throw
2718
+ thus
2719
+ ticket
2720
+ tie
2721
+ tight
2722
+ time
2723
+ tiny
2724
+ tip
2725
+ tire
2726
+ tired
2727
+ tissue
2728
+ title
2729
+ to
2730
+ tobacco
2731
+ today
2732
+ toe
2733
+ together
2734
+ tomato
2735
+ tomorrow
2736
+ tone
2737
+ tongue
2738
+ tonight
2739
+ too
2740
+ tool
2741
+ tooth
2742
+ top
2743
+ topic
2744
+ toss
2745
+ total
2746
+ totally
2747
+ touch
2748
+ tough
2749
+ tour
2750
+ tourist
2751
+ tournament
2752
+ toward
2753
+ towards
2754
+ tower
2755
+ town
2756
+ toy
2757
+ trace
2758
+ track
2759
+ trade
2760
+ tradition
2761
+ traditional
2762
+ traffic
2763
+ tragedy
2764
+ trail
2765
+ train
2766
+ training
2767
+ transfer
2768
+ transform
2769
+ transformation
2770
+ transition
2771
+ translate
2772
+ transportation
2773
+ travel
2774
+ treat
2775
+ treatment
2776
+ treaty
2777
+ tree
2778
+ tremendous
2779
+ trend
2780
+ trial
2781
+ tribe
2782
+ trick
2783
+ trip
2784
+ troop
2785
+ trouble
2786
+ truck
2787
+ true
2788
+ truly
2789
+ trust
2790
+ truth
2791
+ try
2792
+ tube
2793
+ tunnel
2794
+ turn
2795
+ TV
2796
+ twelve
2797
+ twenty
2798
+ twice
2799
+ twin
2800
+ two
2801
+ type
2802
+ typical
2803
+ typically
2804
+ ugly
2805
+ ultimate
2806
+ ultimately
2807
+ unable
2808
+ uncle
2809
+ under
2810
+ undergo
2811
+ understand
2812
+ understanding
2813
+ unfortunately
2814
+ uniform
2815
+ union
2816
+ unique
2817
+ unit
2818
+ United
2819
+ universal
2820
+ universe
2821
+ university
2822
+ unknown
2823
+ unless
2824
+ unlike
2825
+ unlikely
2826
+ until
2827
+ unusual
2828
+ up
2829
+ upon
2830
+ upper
2831
+ urban
2832
+ urge
2833
+ us
2834
+ use
2835
+ used
2836
+ useful
2837
+ user
2838
+ usual
2839
+ usually
2840
+ utility
2841
+ vacation
2842
+ valley
2843
+ valuable
2844
+ value
2845
+ variable
2846
+ variation
2847
+ variety
2848
+ various
2849
+ vary
2850
+ vast
2851
+ vegetable
2852
+ vehicle
2853
+ venture
2854
+ version
2855
+ versus
2856
+ very
2857
+ vessel
2858
+ veteran
2859
+ via
2860
+ victim
2861
+ victory
2862
+ video
2863
+ view
2864
+ viewer
2865
+ village
2866
+ violate
2867
+ violation
2868
+ violence
2869
+ violent
2870
+ virtually
2871
+ virtue
2872
+ virus
2873
+ visible
2874
+ vision
2875
+ visit
2876
+ visitor
2877
+ visual
2878
+ vital
2879
+ voice
2880
+ volume
2881
+ volunteer
2882
+ vote
2883
+ voter
2884
+ vs
2885
+ vulnerable
2886
+ wage
2887
+ wait
2888
+ wake
2889
+ walk
2890
+ wall
2891
+ wander
2892
+ want
2893
+ war
2894
+ warm
2895
+ warn
2896
+ warning
2897
+ wash
2898
+ waste
2899
+ watch
2900
+ water
2901
+ wave
2902
+ way
2903
+ we
2904
+ weak
2905
+ wealth
2906
+ wealthy
2907
+ weapon
2908
+ wear
2909
+ weather
2910
+ wedding
2911
+ week
2912
+ weekend
2913
+ weekly
2914
+ weigh
2915
+ weight
2916
+ welcome
2917
+ welfare
2918
+ well
2919
+ west
2920
+ western
2921
+ wet
2922
+ what
2923
+ whatever
2924
+ wheel
2925
+ when
2926
+ whenever
2927
+ where
2928
+ whereas
2929
+ whether
2930
+ which
2931
+ while
2932
+ whisper
2933
+ white
2934
+ who
2935
+ whole
2936
+ whom
2937
+ whose
2938
+ why
2939
+ wide
2940
+ widely
2941
+ widespread
2942
+ wife
2943
+ wild
2944
+ will
2945
+ willing
2946
+ win
2947
+ wind
2948
+ window
2949
+ wine
2950
+ wing
2951
+ winner
2952
+ winter
2953
+ wipe
2954
+ wire
2955
+ wisdom
2956
+ wise
2957
+ wish
2958
+ with
2959
+ withdraw
2960
+ within
2961
+ without
2962
+ witness
2963
+ woman
2964
+ wonder
2965
+ wonderful
2966
+ wood
2967
+ wooden
2968
+ word
2969
+ work
2970
+ worker
2971
+ working
2972
+ works
2973
+ workshop
2974
+ world
2975
+ worried
2976
+ worry
2977
+ worth
2978
+ would
2979
+ wound
2980
+ wrap
2981
+ write
2982
+ writer
2983
+ writing
2984
+ wrong
2985
+ yard
2986
+ yeah
2987
+ year
2988
+ yell
2989
+ yellow
2990
+ yes
2991
+ yesterday
2992
+ yet
2993
+ yield
2994
+ you
2995
+ young
2996
+ your
2997
+ yours
2998
+ yourself
2999
+ youth
3000
+ zone