├── README.md
├── guessing_game.py
├── hangchicken.py
├── madlib.py
├── mastermind.py
├── stories.json
└── words1000.txt
/README.md:
--------------------------------------------------------------------------------
1 | # learning-my-kid-to-code
2 |
3 | trying to get my kid excited about code by writing small programs together.
4 |
5 | these are the results of messy real-time fumbling toward solutions, not careful engineering
6 |
7 | ## 1. [guessing_game.py](guessing_game.py)
8 |
9 | I like this one because (1) I can write it off the top of my head in about a minute, and (2) it's easy to get a kid to come up with the logic on their own.
10 |
11 | She likes playing this on her own too.
12 |
13 | ## 2. [mastermind.py](mastermind.py)
14 |
15 | This was harder to get right than I expected.
16 |
17 | ## 3. [hangchicken.py](hangchicken.py)
18 |
19 | Like Hangman, but with a chicken instead. Very satisfying.
20 |
21 | ## 4. [madlib.py](madlib.py)
22 |
23 | Mad Libs! Every kid's favorite. The dataset is from
24 | a [Microsoft EMNLP paper](https://www.microsoft.com/en-us/download/details.aspx?id=55593),
25 | consolidated and transformed a bit.
26 |
--------------------------------------------------------------------------------
/guessing_game.py:
--------------------------------------------------------------------------------
1 | import random
2 |
3 | HI = 1000
4 |
5 | secret_number = random.randint(1, HI)
6 | num_guesses = 0
7 |
8 | while True:
9 | guess = input("What's your guess? ")
10 | guess = int(guess)
11 |
12 | num_guesses = num_guesses + 1
13 |
14 | # TOO HIGH
15 | if guess > secret_number:
16 | print("TOO HIGH")
17 |
18 | # TOO LOW
19 | if guess < secret_number:
20 | print("TOO LOW")
21 |
22 | # CORRECT
23 | if guess == secret_number:
24 | print("YOU GUESSED RIGHT")
25 | print("IT TOOK YOU", num_guesses, "GUESSES")
26 | break
27 |
28 |
--------------------------------------------------------------------------------
/hangchicken.py:
--------------------------------------------------------------------------------
1 | PROTOTYPE = """
2 | ┏━━┑
3 | ┃ O>
4 | ┃>╦╧╦<
5 | ┃ ╠═╣
6 | ┃ ╨ ╨
7 | ┻━━━━
8 | """
9 |
10 | STEPS = [
11 | """
12 | ┏━━┑
13 | ┃
14 | ┃
15 | ┃
16 | ┃
17 | ┻━━━━
18 | """,
19 | """
20 | ┏━━┑
21 | ┃ O
22 | ┃
23 | ┃
24 | ┃
25 | ┻━━━━
26 | """,
27 | """
28 | ┏━━┑
29 | ┃ O>
30 | ┃
31 | ┃
32 | ┃
33 | ┻━━━━
34 | """,
35 | """
36 | ┏━━┑
37 | ┃ O>
38 | ┃ ╔╧╗
39 | ┃ ╚═╝
40 | ┃
41 | ┻━━━━
42 | """,
43 | """
44 | ┏━━┑
45 | ┃ O>
46 | ┃>╦╧╗
47 | ┃ ╚═╝
48 | ┃
49 | ┻━━━━
50 | """,
51 | """
52 | ┏━━┑
53 | ┃ O>
54 | ┃>╦╧╦<
55 | ┃ ╚═╝
56 | ┃
57 | ┻━━━━
58 | """,
59 | """
60 | ┏━━┑
61 | ┃ O>
62 | ┃>╦╧╦<
63 | ┃ ╠═╝
64 | ┃ ╨
65 | ┻━━━━
66 | """,
67 | """
68 | ┏━━┑
69 | ┃ O>
70 | ┃>╦╧╦<
71 | ┃ ╠═╣
72 | ┃ ╨ ╨
73 | ┻━━━━
74 | """
75 | ]
76 |
77 | MIN_LENGTH = 3
78 | MAX_LENGTH = 8
79 |
80 | with open('words1000.txt') as f:
81 | words = [line.strip() for line in f]
82 |
83 | words = [w for w in words if MIN_LENGTH <= len(w) <= MAX_LENGTH]
84 | words = [w for w in words if all('a' <= c <= 'z' for c in w)]
85 |
86 | import random
87 | word = random.choice(words)
88 |
89 | step = 0
90 | guessed = set()
91 |
92 | def show():
93 | print(STEPS[step])
94 | chars = [c if c in guessed else "_" for c in word]
95 | print(" ", " ".join(chars))
96 | print()
97 | print("guessed:", " ".join(guessed))
98 |
99 |
100 | while True:
101 | show()
102 | c = input("pick a letter: ")
103 | if len(c) != 1 or c < 'a' or c > 'z':
104 | print("a lowercase letter!")
105 | continue
106 | if c in guessed:
107 | print("you already guessed that one!")
108 | continue
109 | guessed.add(c)
110 | if c not in word:
111 | step += 1
112 | if step == len(STEPS) - 1:
113 | show()
114 | print("YOU LOSE, the word was", word)
115 | break
116 | if all(c in guessed for c in word):
117 | show()
118 | print("YOU WIN!!")
119 | break
120 |
121 |
--------------------------------------------------------------------------------
/madlib.py:
--------------------------------------------------------------------------------
1 | import json
2 | import random
3 | import re
4 |
5 | pos = {
6 | 'cc': 'Coordinating conjunction',
7 | 'cd': 'Cardinal number',
8 | 'dt': 'Determiner',
9 | 'ex': 'Existential there',
10 | 'fw': 'Foreign word',
11 | 'in': 'Preposition or subordinating conjunction',
12 | 'jj': 'Adjective',
13 | 'jjr': 'Adjective, comparative',
14 | 'jjs': 'Adjective, superlative',
15 | 'ls': 'List item marker',
16 | 'md': 'Modal',
17 | 'nn': 'Noun, singular or mass',
18 | 'nns': 'Noun, plural',
19 | 'nnp': 'Proper noun, singular',
20 | 'nnps': 'Proper noun, plural',
21 | 'pdt': 'Predeterminer',
22 | 'pos': 'Possessive ending',
23 | 'prp': 'Personal pronoun',
24 | 'prp$': 'Possessive pronoun',
25 | 'rb': 'Adverb',
26 | 'rbr': 'Adverb, comparative',
27 | 'rbs': 'Adverb, superlative',
28 | 'rp': 'Particle',
29 | 'sym': 'Symbol',
30 | 'to': 'to',
31 | 'uh': 'Interjection',
32 | 'vb': 'Verb, base form',
33 | 'vbd': 'Verb, past tense',
34 | 'vbg': 'Verb, gerund or present participle',
35 | 'vbn': 'Verb, past participle',
36 | 'vbp': 'Verb, non-3rd person singular present',
37 | 'vbz': 'Verb, 3rd person singular present',
38 | 'wdt': 'Wh-determiner',
39 | 'wp': 'Wh-pronoun',
40 | 'wp$': 'Possessive wh-pronoun',
41 | 'wrb': 'Wh-adverb',
42 | # others
43 | 'animal': 'Animal',
44 | 'body': 'Body part',
45 | 'body_plural': 'Body part, plural',
46 | 'food': 'Food',
47 | 'liquid': 'Liquid',
48 | }
49 |
50 |
51 | with open('stories.json') as f:
52 | stories = json.load(f)
53 |
54 | story = random.choice(stories)
55 |
56 | regex = "<.*?::(.*?)/>"
57 |
58 | parts = re.split(regex, story)
59 |
60 | outparts = []
61 |
62 | for i, part in enumerate(parts):
63 | if i % 2 == 1:
64 | # remove ':'
65 | part = part.strip(':')
66 | # be defensive against accidental blank answers
67 | while True:
68 | answer = input(f"{pos.get(part, part)}: ")
69 | if answer:
70 | part = answer
71 | break
72 |
73 | outparts.append(part)
74 |
75 | print()
76 | print()
77 |
78 | print("".join(outparts))
79 |
--------------------------------------------------------------------------------
/mastermind.py:
--------------------------------------------------------------------------------
1 | import random
2 |
3 | DIGITS = [0, 1, 2, 3, 4, 5]
4 |
5 | num_guesses = 0
6 | secret_code = random.choices(DIGITS, k=4)
7 |
8 | while True:
9 | print()
10 | guess = input("please guess a 4 digit number, digits 0 to 5: ")
11 | if len(guess) != 4:
12 | print("I said 4 digits!")
13 | continue
14 |
15 | try:
16 | guess = [int(x) for x in guess]
17 | if not all(0 <= x <= 5 for x in guess):
18 | print("I said between 0 and 5!")
19 | continue
20 |
21 | except ValueError:
22 | print("I said digits!")
23 | continue
24 |
25 | white = 0 # correct color + correct location
26 | red = 0 # correct color + wrong location
27 | num_guesses += 1
28 |
29 | for i in range(4):
30 | if guess[i] == secret_code[i]:
31 | white += 1
32 | guess[i] = -1 # sentinel for "already counted as white"
33 |
34 | for i in range(4):
35 | if guess[i] == -1:
36 | continue
37 | try:
38 | idx = guess.index(secret_code[i])
39 | red += 1
40 | guess[idx] = -2 # sentinel for "already counted as red"
41 | except ValueError:
42 | continue
43 |
44 | if white == 4:
45 | print("That's correct, you win!")
46 | print("It only took", num_guesses, "guesses")
47 | break
48 |
49 | else:
50 | print("White:", white)
51 | print("Red:", red)
52 |
53 |
54 |
55 |
56 |
--------------------------------------------------------------------------------
/stories.json:
--------------------------------------------------------------------------------
1 | ["\"Little Red Riding \" is a/an fairy tale for young children.\nIt is a story about a/an girl and a wolf.\nThe girl's mother sends her to take to her sick grandmother.\nThe mother tells her she must not on the way.\nA wolf sees the girl walking through the and makes a plan to her.\nThe wolf asks the girl where she is going.\nThe girl him, because he seems .\nThen the wolf tells her to pick some for her grandmother.\nWhile she is flowers, the wolf goes to her grandmother's house and eats her.\nHe puts on the grandmother's and gets into her bed.\nWhen the girl arrives at her grandmother's house, she gets into with the wolf.\nThe wolf leaps upon the child and her.", "Spider-Man has been one of the most and commercially successful .\nHis real name is Peter Parker, a high school student who suffered rejection, inadequacy, and that most young readers could relate to.\nHe is an orphan being by his Aunt May and Uncle Ben.\nHe would later learn that \"with great comes great \" - a quote that he would cherish from his dying Uncle Ben.\nOne day, he is by a/an radioactive spider on his which gives him his that turn him to Spider-Man.\nHis powers are strength, agility, the ability to cling to almost every and to shoot spider webs from his using a device that he .\nHe can also react to danger with his \"spider-sense\".", "A rock concert is a musical in the style of any one of many genres inspired by \"rock and \" music.\nWhile a variety of vocal and styles can constitute a rock concert, this phenomenon is typically characterized by playing at least one guitar, an electric bass guitar, and .\nOften, two players share the of rhythm and lead guitar playing.\nThe coining of the \"rock and roll\" is often attributed to Alan Freed, a disk jockey and concert promoter who many of the first major rock .\nBill Graham is widely credited with the format and for modern rock concerts.\nHe introduced advance ticketing, introduced security measures and had toilets and safe conditions in large venues.", "Kimberly Kardashian is a/an socialite.\nShe used to be a/an .\nShe is one of the three of Robert Kardashian.\nHer family has a reality series called \"Keeping up with the \".\nKim and her Kourtney have their own spin-off \"Kourtney and Kim New York\".\nKardashian was originally known for the she got because of her close friendship with Paris Hilton.\nShe later gained some after appearing in a/an tape.\nKim married Damon Thomas in 2000 and Damon Thomas in 2004.\nShe then married Kris Humphries in August 2011 who is a/an player on the New Jersey .\nAfter 72 days of marriage, she filed for a divorce on October because of .\nShe became to Kanye West in 2013.\nThe couple live in Beverly Hills with their daughter and .", "The duck-billed platypus is a/an mammal that in eastern Australia.\nIt lives in and on river banks.\nIt is a mammal which eggs.\nAlthough the platypus was first in the early 19th century, it took a while before in England believed what they were .\nThe platypus looks similar to a/an with a furry, body and wide, flat .\nUnlike a/an , the platypus has no , which are good for swimming.\nIts nose is large and , similar to a duck's bill (mouth). \nThe male platypus has a sharp spine on his two back legs which contain a/an that will not kill humans, but the poison has been known to small animals, such as , and cause lasting as long as four months.", "Kangaroos hop to move around , and walk on four legs while moving slowly.\nThey can jump , but only a very distance.\nThe kangaroo is a herbivore, eating mainly , but some species also eat .\nKangaroos are marsupials because they their young in a/an pouch on their bodies.\nBecause kangaroos are mostly found in Australia, Australians see them as a/an symbol.\nThe kangaroo is featured the Australian coat of arms.\nThe Australian , Qantas, uses the kangaroo as its emblem.\nKangaroos can be because of their powerful .\nThey can lean back on their to deliver powerful kicks.\nIn 2009, a man went to save his dog which had a kangaroo into a farm dam.\nThe kangaroo gave the man several big before he was able to grab his dog and escape from the dam.", "The Large Hadron Collider (LHC) is the world's and most powerful accelerator.\nIt is a giant circular built underground.\n10,000 scientists and from over 100 different worked together in the making of this , and it cost 10.4 billion Swiss francs to build.\nIt is now the largest and most experimental research facility in the .\nThe Large Hadron Collider gained a considerable amount of from outside the community and its progress is followed by most science media.\nThe LHC has also inspired works of fiction including novels, TV series, games and .\nSome people think the LHC would create a/an hole, which would be very , but there are many reasons not to be worried.", "Pizza is a type of that was created in Italy.\nIt is made by putting \"toppings\" such as cheese, sausages, , vegetables, tomatoes, and herbs over a piece of covered with sauce; most often tomato, but sometimes -based sauces are used.\nModern pizza from similar in Naples about 200 years ago.\nPizza was brought to the United States with Italian in the late nineteenth century.\nThe country's pizzeria, Lombardi's, opened in 1905.\nSince then pizza consumption has in the U.S.\nThirteen percent of the U.S. population pizza on any given day.\nIn the 20th century, pizza has become a/an food and the may be quite different in accordance with local tastes.\nPizzas can also be made without for vegetarians, and without for vegans.", "Fax is the of scanned printed to a telephone number connected to a printer.\nThe original document is scanned with a/an , which turns the contents into a/an .\nThen the is sent through the system.\nThe receiving fax machine the coded image, printing a paper copy.\nBusinesses usually have fax system, but the technology has faced increasing competition from -based methods.\nFax machines still retain some advantages, particularly in the transmission of material which, if sent over the Internet, may be intercepted.\nIn many businesses, fax machines have been replaced by fax servers which receive and store incoming faxes .\nSuch systems costs by eliminating printouts and reducing the number of phone lines needed by an office.", "Wise spelunkers in groups to prevent being lost or stranded in a/an .\nSpelunkers need reliable , because the descent into a/an is like mountain climbing in the opposite direction.\nBasic spelunking equipment is similar to what climbers use.\nStrong make climbing possible and tools attach ropes to cave walls.\nSpecial makes it easier to explore hard to reach places, and hats protect spelunkers from the falling above.\nCaves are extremely , so spelunkers have to at least three light sources.\nCaves are also very , so most spelunkers wear clothing for warmth.", "On 1903, the Wright brothers Orville and Wilbur, designed, built, and the first controlled, powered, heavier-than- airplane.\nThe brothers had been for many years with and other vehicles before their powered flight.\nThe Wrights started working on airplanes in their shop.\nThey thought controlling a/an was one of the big problems of .\nThe Wright brothers the problem by building that could be twisted a little and moved up and down slightly.\nThe Wright Flyer first flew on December 1903, in Kitty Hawk, North Carolina.\nThis was the first time ever flew a powered airplane they could .", "Shot put is a/an sport where people try to a heavy weighted as far as they can.\nThey \"put\" the by holding it at their and pushing it through the air.\nThe shot put has been of the Olympics since 1896.\nThe weight of the ball can vary from 6 to 16 pounds, depending on age and of the participants. The object of the sport is to the ball as far as possible.\nIt is a/an Olympic event and can be at the Olympic games.\nThe shot put event was first seen in the Middle Ages, when people would cannonballs at their .\nIt is a/an event and cannot be played inside.", "A game of baseball is played by two teams on a/an field.\nEach team has nine .\nThere are also .\nUmpires watch everything to decide what happened, make calls about a/an , and make sure everyone follows the .\nOn a/an field, there are four bases.\nThe bases form a diamond that goes around the to the right from the starting base.\nThe starting base is called plate.\nFirst base is on the side of the field, second base is at the top of the , third base is on the left side of the , and home plate is at the back.\nThe game is played in .\nWhen one team , the other team plays defense and tries to three players on the other team out.\nAfter nine innings, the team that has the most is the winner.", "Angry Birds is a video game franchise, for its combination of fun gameplay, style, and low price.\nIts popularity gave rise to many .\nVersions of Angry Birds have been created for and gaming consoles, a market for merchandise featuring its , a televised cartoon series, and a/an feature film.\nAs of July 2015, the games have been more than three billion times collectively, making Angry Birds the most freemium game series of all time.\nHowever, the Angry Birds site was by hackers who replaced the name with \" Birds\".\nSoon, Rovio, the company that Angry Birds, announced that \"The defacement was in minutes and immediately\"", "Tesla Motors is a company based in California which electric cars.\nTheir business idea was to make a very , very good electric , and each one for a lot of .\nTesla first gained attention following their of the Roadster, the first fully sports car.\nThen after they had made some , they would start making that were not expensive, and eventually cheap electric cars that most people could .\nSo far their have been working, and they are one of the very few start-up companies that have been able to stay in and electric cars.", "The Boston Tea Party was a/an protest by American against King George III's rule in America on December 16, 1773.\nThe Americans had no one to for them in the British government.\nThey were frustrated that they were being taxed by the but had no part in how the government was run.\nThey thought it was not right to pay when they did not have a representative in the government (\"No taxation without representation!\").\nAlso merchants their goods would lose their because of the taxes.\nThe Americans began purchasing smuggled , which were much .\nTo show how angry they were, Samuel Adams and a group of people named the of Liberty dressed up as Americans and went onto in the Boston Harbor.\nThey took boxes of tea and dumped them into the .", "A hot air balloon is a type of .\nIt is lifted by the air inside the , usually with fire.\nHot air weighs less than the same volume of cold , which means that hot air will rise up when there is air around it, just like a bubble of air in a pot of .\nThe first air balloon to carry a/an was made by the Montgolfier brothers.\nThe brothers demonstrated their for King Louis XVI and Queen Marie Antoinette at the French in Paris.\nThe passengers were a/an , a duck and a/an .\nIn modern balloons, the and the pilot stand in the , which is attached to the balloon by .", "Mona Lisa is a/an 16th-century portrait painted in by Leonardo da Vinci.\nMany people think Mona Lisa's is mysterious.\nThe Louvre Museum says that about 80 percent of its come to Mona Lisa.\nIn 1911, when the Mona Lisa was stolen, the Louvre for one week to for it.\nPeople thought Guillaume Apollinaire, a French , stole the painting.\nHe was put into , and he tried to make people think his friend Pablo Picasso did it.\nA worker at the Louvre, named Vincenzo Peruggia, had stolen it.\nHe had hidden it in his and walked out with it after the had closed.\nAfter hiding it in his for two years, he grew and tried to sell it to a/an in Florence, but was caught.", "The Venus flytrap is a/an plant that on small animals, such as insects.\nCarnivorous plants in soil that has little .\nThey get from the insects they .\nThe Venus flytrap is one of a very small group of plants that can snap shut very .\nWhen an insect along the leaves and touches a hair, the closes.\nThe clam-shaped leaves of the plant look rather like , and so they insects.\nThe Venus flytrap feeds on insects, such as , beetles, woodlice, worms, flies, , and moths.\nFirst it traps the insect inside its , and then lets out a/an that helps digest the animal.", "A zombie is a mythical person who has returned to as a walking corpse.\nZombies can walk, think, and living persons.\nIn zombies, the heart, lungs, and a small part of their still work.\nThey may react to their , but they do not have .\nZombies can use their and muscles to .\nZombies are usually covered in .\nThey often have open and are dressed in clothes.\nZombies appear a lot in and films.\nNormally, the zombie is a/an , clumsy corpse which eats .\nZombies cannot be called cannibals because they do not each other, only humans.", "The Statue of Liberty, officially named Liberty Enlightening the , is a/an symbolizing the United States.\nThe statue is placed near the entrance to New York City .\nThe statue commemorates the of the United States .\nIt was given to the United States by the of France, to represent the friendship between the two countries that was during the American Revolution.\nIt represents a/an wearing a stola, a/an and sandals, trampling a broken , and with a torch in her raised right and a/an , where the date of the Declaration of Independence is written, in her left .\nThe statue is on Island in New York Harbor, and it welcomes visitors, , and returning Americans traveling by .", "Squash is a sport in which two players hit a ball with a/an .\nThe aim of the game is to the other player by the front and making the bounce twice on the floor before they can hit their turn.\nEvery point is started with a/an , which must be hit from a service on a side of the .\nDuring play, if one player gets in the way of the other who is to get to the , that player can ask the for a \"\" which results in the point being replayed.\nIf a player prevents the other player from at the ball, that player can appeal for a \"\", which results in the player who could not safely the ball winning the .", "Millions of around the world viewed the launch of Apollo 11 on television.\nRichard Nixon, who was the , watched the from the White House.\nAbout two hours after leaving the Lunar Command and Landing Modules separated from the main rocket.\n3 days later the crew entered orbit.\nA day later the section separated from the module.\nThe landing module safely on the moon with Neil Armstrong and Buzz Aldrin aboard.\nDuring the landing there were several problems with the mission and to avoid a crash Armstrong had to take manual control of the landing craft.\nThey eventually landed with only 25 seconds of left. Armstrong became the first human to walk and on the moon's surface.\nThe first words he said were: \"That is one small step for a/an , one giant leap for \".", "Formula One is a type of motorsport.\nTeams in a series of Grand Prix races, held in different around the world.\nSome of the most races are held in Monaco, Japan, Italy and Britain.\nDrivers are paid huge to risk their every time they step into the of the F1 car.\nLike all types of motor , the dangers associated with Formula One are .\nTherefore, there are many safety .\nDrivers' helmets are so that they can be driven over by with no being done to them.\nA drop in viewership and figures at races has prompted a number of changes in recent years.\nThese changes are meant to make the more , so that more people F1.", "A circus is a/an entertainment that can be enjoyed by children and .\nCircuses are a group of that may include acrobats, clowns, animals, trapeze acts, tightrope walkers, jugglers and other artists who perform .\nCircuses travel to different parts of the country or to different .\nThey perform in a huge called the \" Top\".\nThere may be room for hundreds of in the audience.\nIn the middle is the circular area where the artists .\nThis area is called the \"\".\nThe person in charge of the whole show is the \"ringmaster\".\nNot all circuses .\nA few circuses in their own .", "The gods and goddesses in Greek mythology have parts in the .\nFor instance, Zeus is the god of the , Poseidon is the of the sea and Hephaestus is the god of .\nThe gods can make themselves to humans and move to any place in a very time.\nThe gods and goddesses never get sick and can only be by very unusual causes.\nThis is called being .\nZeus was the of the gods and with the other gods on top of Mt. Olympus in Greece.\nThere are lots of monsters in Greek .\nMany are hybrids of animals or .\nSome important Greek are minotaurs, satyrs, and chimera.", "Skydiving is a method of from a high point to Earth with the aid of , involving the control of speed during the descent with a/an .\nIt can involve free-fall when the is not deployed and the body gradually to terminal velocity.\nThe jump can also be made from a/an or the bottom of a/an air balloon from about 4000 meters.\nSkydiving is a/an sport because despite the of danger, fatalities are .\nApproximately one in 750 deployments of a main parachute result in a/an .\nParachutists often land with amounts of kinetic energy, and for this reason, improper are the cause of more than 30% of all skydiving related and deaths.", "Fishing is the activity of trying to fish.\nFishing can be done in the , or in a lake or river, or from the .\nTechniques for catching fish include gathering, spearing, netting, angling and trapping.\nThe term fishing may be used for catching other animals such as and crustaceans.\nThe term is not normally used for catching fish.\nWith aquatic mammals, such as , the term is better.\nThe total number of fishermen and fish farmers is estimated to be 38 million.\nFisheries and provide direct and employment to over 500 million people in developing countries.\nIn addition to food, modern fishing is also a/an sport.", "Amazon Mechanical Turk is a crowdsourcing site enabling and businesses to coordinate the use of human intelligence to perform that computers are currently unable to do.\nEmployers are able to post known as Human Intelligence Tasks (HITs), such as the best among several photographs of a/an , writing product descriptions, or performers on music CDs.\nThe name Mechanical Turk comes from \"The Turk\", a chess-playing of the 18th century, which was made by Wolfgang von Kempelen.\nIt was later revealed that this \"\" was not an automaton at all, but was in fact a human master hidden in the beneath.\nAccording to a survey in 2008, Mechanical Turk workers are located in the United States with demographics generally similar to the overall population in the US.", "Superman is one of the most superheroes and is possibly the first modern character.\nSuperman's father, Jor-El, found out that their Krypton was going to .\nSo, Jor-El sent his baby son to Earth in a/an to save him.\nAs he grows up, Superman finds out that he has powers and he is .\nHe is strong enough to almost anything, move faster than a/an , and he can things with his super-breath.\nHe decides to use his special powers to crime and people in danger.\nHis weaknesses are rocks from his home planet that are called \"kryptonite\", and magic.\nKryptonite weakens him so he can not use his for a long time, nor can he .", "Snoring is the that people often make when they are .\nIt is often caused by a blocked or throat.\nThe noise is often , as it is made by passing through the passages or the .\nResearch suggests that snoring is one of the factors of deprivation.\nIt also causes daytime , irritability, and lack of .\nSnoring can cause significant and social damage to .\nSo far, there is no certain available that can stop snoring.", "Telephone tapping is when somebody listens to calls made by others.\nThey use a listening device called a/an to listen to and the conversation so that another can then listen to it .\nThis is illegal in many because it means that telephone calls are not .\nSometimes, the police telephone calls to terrorists or other .\nFor example, the Watergate scandal when United States Richard Nixon was tied to a crime in which FBI and CIA agents broke into the of the Democratic Party and George McGovern, the Presidential candidate.\nNixon's helpers listened to phone lines and papers were stolen.", "Batman is a fictional character and one of the most superheroes.\nHe was the second to be created, after Superman.\nBatman began in comic books and he was later in several movies, TV programs, and books.\nBatman lives in the city of Gotham.\nWhen he is not in , he is Bruce Wayne, a very businessman.\nBatman's origin story is that as a/an child, Bruce Wayne saw a robber his parents after the family left a/an .\nBruce decided that he did not want that kind of to happen to anyone else.\nHe dedicated his life to Gotham City.\nWayne learned many different ways to as he grew up.\nAs an adult, he wore a/an to protect his while fighting in Gotham.", "A beauty contest is a/an contest to decide which is the most .\nUsually, the entrants are females, but there are some contests for .\nEach contest has its own as to who may , and what the are.\nUsually the contests are held to create for the organization which the contest.\nThe contests are often shown on and reported in newspapers.\nWith most contests the criteria for judging is appearance, plus some judgement of .\nThe winner is often described as a Beauty .", "Ducks are birds, closely related to swans and .\nThe main difference is that ducks have shorter , and ducks are smaller.\nMost ducks are birds, they can be found in both saltwater and fresh .\nDucks are omnivorous, eating plants and tiny .\nSome ducks are not , and they are bred and kept by .\nThey are kept to provide , or to use their for pillows.\nEspecially in Asia, many people like to ducks.\nDucks are often kept by groups of on public ponds for their beauty and nature.\nPeople commonly feed ducks in ponds stale , thinking that the ducks will like to have something to , but this is not healthy for ducks and can them.", "Cats are the most pets in the world.\nThey were probably first kept because they ate .\nLater cats were because they are and they are good .\nCats are active carnivores, meaning they hunt prey.\nThey mainly prey on small mammals, like .\nTheir main method of is stalk and .\nWhile dogs have great and they will prey over long distances, cats are extremely , but only over short distances.\nThe cat creeps towards a chosen victim, keeping its flat and near to the so that it cannot be easily, until it is close enough for a rapid or pounce.", "Facebook is a/an networking service and .\nIn Facebook, users may make a personal , add other users as , and send .\nFacebook users must before using the site.\nUsers may groups for a workplace or other interest such as . \nFacebook allows any users who say they are at least 13 years old to become of the website.\nFacebook has been involved in controversies over .\nSome of these controversies have been about being able to see information that other people , and others are about and advertisers being able to users' personal information.", "Advertising is how a company people to buy their products, services or .\nAn advertisement is anything that draws attention towards these things.\nIt is usually designed by an advertising agency for a/an , and performed through a variety of .\nCompanies use ads to try to get people to their products, by showing them the good rather than the bad of their .\nFor example, to make a/an look tasty in advertising, it may be painted with brown food colors, sprayed with to prevent it from going , and sesame seeds may be super-glued in place.\nAdvertising can bring new and more sales for a business.\nAdvertising can be but can help make a business make more .", "Scuba Diving is a sport where people can swim under for a long time, using a tank filled with compressed .\nThe tank is a/an cylinder made of steel or .\nA scuba diver underwater by using fins attached to the .\nThey also use such as a dive mask to underwater vision and equipment to control .\nA person must take a/an class before going scuba diving.\nThis proves that they have been trained on how to the equipment and dive .\nSome tourist attractions have a/an course on certification and then the instructors the class in a/an dive, all in one day.", "Valentine's Day is a/an that happens on February 14.\nIt is the day of the year when lovers show their to each other.\nThis can be done by giving , flowers, Valentine's cards or just a/an gift.\nSome people one person and call them their \"Valentine\" as a gesture to show and appreciation.\nValentine's Day is named for the Christian saint named Valentine.\nHe was a bishop who performed for couples who were not allowed to get married because their did not agree with the connection or because the bridegroom was a soldier or a/an , so the marriage was .\nValentine gave the married couple flowers from his .\nThat is why flowers play a very role on Valentine's Day.\nThis did not the emperor, and Valentine was because of his Christian .", "Snoring is the that people often make when they are .\nIt is often caused by a blocked or throat.\nThe noise is often , as it is made by passing through the passages or the .\nResearch suggests that snoring is one of the factors of deprivation.\nIt also causes daytime , irritability, and lack of .\nSnoring can cause significant and social damage to .\nSo far, there is no certain available that can stop snoring.", "Telephone tapping is when somebody listens to calls made by others.\nThey use a listening device called a/an to listen to and the conversation so that another can then listen to it .\nThis is illegal in many because it means that telephone calls are not .\nSometimes, the police telephone calls to terrorists or other .\nFor example, the Watergate scandal when United States Richard Nixon was tied to a crime in which FBI and CIA agents broke into the of the Democratic Party and George McGovern, the Presidential candidate.\nNixon's helpers listened to phone lines and papers were stolen.", "Batman is a fictional character and one of the most superheroes.\nHe was the second to be created, after Superman.\nBatman began in comic books and he was later in several movies, TV programs, and books.\nBatman lives in the city of Gotham.\nWhen he is not in , he is Bruce Wayne, a very businessman.\nBatman's origin story is that as a/an child, Bruce Wayne saw a robber his parents after the family left a/an .\nBruce decided that he did not want that kind of to happen to anyone else.\nHe dedicated his life to Gotham City.\nWayne learned many different ways to as he grew up.\nAs an adult, he wore a/an to protect his while fighting in Gotham.", "A beauty contest is a/an contest to decide which is the most .\nUsually, the entrants are females, but there are some contests for .\nEach contest has its own as to who may , and what the are.\nUsually the contests are held to create for the organization which the contest.\nThe contests are often shown on and reported in newspapers.\nWith most contests the criteria for judging is appearance, plus some judgement of .\nThe winner is often described as a Beauty .", "Ducks are birds, closely related to swans and .\nThe main difference is that ducks have shorter , and ducks are smaller.\nMost ducks are birds, they can be found in both saltwater and fresh .\nDucks are omnivorous, eating plants and tiny .\nSome ducks are not , and they are bred and kept by .\nThey are kept to provide , or to use their for pillows.\nEspecially in Asia, many people like to ducks.\nDucks are often kept by groups of on public ponds for their beauty and nature.\nPeople commonly feed ducks in ponds stale , thinking that the ducks will like to have something to , but this is not healthy for ducks and can them.", "Cats are the most pets in the world.\nThey were probably first kept because they ate .\nLater cats were because they are and they are good .\nCats are active carnivores, meaning they hunt prey.\nThey mainly prey on small mammals, like .\nTheir main method of is stalk and .\nWhile dogs have great and they will prey over long distances, cats are extremely , but only over short distances.\nThe cat creeps towards a chosen victim, keeping its flat and near to the so that it cannot be easily, until it is close enough for a rapid or pounce.", "Facebook is a/an networking service and .\nIn Facebook, users may make a personal , add other users as , and send .\nFacebook users must before using the site.\nUsers may groups for a workplace or other interest such as . \nFacebook allows any users who say they are at least 13 years old to become of the website.\nFacebook has been involved in controversies over .\nSome of these controversies have been about being able to see information that other people , and others are about and advertisers being able to users' personal information.", "Advertising is how a company people to buy their products, services or .\nAn advertisement is anything that draws attention towards these things.\nIt is usually designed by an advertising agency for a/an , and performed through a variety of .\nCompanies use ads to try to get people to their products, by showing them the good rather than the bad of their .\nFor example, to make a/an look tasty in advertising, it may be painted with brown food colors, sprayed with to prevent it from going , and sesame seeds may be super-glued in place.\nAdvertising can bring new and more sales for a business.\nAdvertising can be but can help make a business make more .", "Scuba Diving is a sport where people can swim under for a long time, using a tank filled with compressed .\nThe tank is a/an cylinder made of steel or .\nA scuba diver underwater by using fins attached to the .\nThey also use such as a dive mask to underwater vision and equipment to control .\nA person must take a/an class before going scuba diving.\nThis proves that they have been trained on how to the equipment and dive .\nSome tourist attractions have a/an course on certification and then the instructors the class in a/an dive, all in one day.", "Valentine's Day is a/an that happens on February 14.\nIt is the day of the year when lovers show their to each other.\nThis can be done by giving , flowers, Valentine's cards or just a/an gift.\nSome people one person and call them their \"Valentine\" as a gesture to show and appreciation.\nValentine's Day is named for the Christian saint named Valentine.\nHe was a bishop who performed for couples who were not allowed to get married because their did not agree with the connection or because the bridegroom was a soldier or a/an , so the marriage was .\nValentine gave the married couple flowers from his .\nThat is why flowers play a very role on Valentine's Day.\nThis did not the emperor, and Valentine was because of his Christian .", "The Olympic Games are a/an international event featuring summer and winter .\nOlympic Games are every four years, with Summer and Winter Olympic Games taking turns.\nOriginally, the Olympic Games were in Ancient Greece at Olympia.\nOver time the Olympics have become .\nIn old times, were not allowed to , but now everyone is allowed.\nThe Winter Games were for ice and snow .\nThe celebration of the Games includes many and symbols, such as the Olympic flag and , as well as the opening and closing ceremonies.\nThe first, second, and third place finishers in each event , respectively, gold, silver, and bronze .", "In golf, a golfer a number of in a given order.\nGolfers put the ball on a small called a tee and swing a/an at it to hit it as straight and far as possible.\nThe \"green\" is the near the hole where the is cut very short.\nOnce on the green, the will try to \"put\" the into the hole.\n\"Putting\" is similar to a/an swing except it is not as hard and the player does not want the ball to go in the .\nEach time a player at his , it is considered a/an \"\".\nEach hole has a certain number of that golfers are expected to to get their ball into the hole.\nThe golfer with the smallest number of all together .", "Godzilla is a/an dinosaur-like fictional monster who first appeared in from Japan.\nSince then Godzilla has become a/an pop culture icon, appearing in numerous media including video games, , comic books, and films.\nSome stories portrayed Godzilla as a/an while other plots portrayed him as a destructive ; sometimes the lesser of two threats who the defender but is still a/an to humanity.\nDuring his movie career, this reptile fought against many monsters, including the moth-like Mothra, the three-headed King Ghidorah, and several more .\nGodzilla has even fought against fictional from other in crossover media, such as King Kong and the Four.", "Elephants are the living land mammals.\nAn elephant's most obvious part is the .\nAn elephant uses its trunk to grab objects such as .\nThough the rest of an elephant's hide is and thick, its trunk is very and .\nThe elephant usually stands , raises its trunk, and blows, which is a signal to and wildlife.\nTheir ways of acting toward other are hard for to understand.\nMost elephant sounds are so that people cannot hear them, but elephants can hear these sounds far away.\nElephants also have coming out of their upper jaws.\nA lot of ivory comes from elephant tusks.\nIvory traders killed many elephants, so them is now illegal.", "Jeopardy is a/an television game show that features a quiz competition.\nUnlike regular trivia games, the are given as clues, and players come up with as an answer.\nFor example, a clue would be \"he was our first \", and the right answer would be \"who is George Washington?\"\nIn the round, there are six with five clues in each, each worth between $200 to $1000.\nThe final Jeopardy round is made up of just one and one .\nDuring the break, players write their based on their knowledge of the given category.\nAfter the commercial break, the reads the clue.\nThe players have 30 seconds to their answers, again in the form of a/an .\nThe player with the most at the end of the game his or her winnings and comes back to the show.", "Beyonce is an American singer, songwriter, record producer and .\r\nBorn and raised in Houston, Texas, she in various singing and competitions as a/an and rose to fame in the late 1990s as singer of R&B girl-group 's Child.\r\nManaged by her father, Mathew Knowles, the group became one of the world's girl groups of all time.\r\nTheir hiatus saw the release of Beyonce's debut album, in Love (2003), which her as a/an artist worldwide, and earned five Grammy .\r\nHer performances have led some to consider her one of the greatest in contemporary music.", "Penguins are very animals.\nPenguins cannot , but they can swim very well.\nThey have hearing and can see underwater.\nAll penguins have a white and a dark back.\nThe white and black are for camouflage when they swim.\nWhen a/an looking from underwater sees the belly and wings of the penguin, it can not the penguin well with the light coming from above.\nThe biggest penguins may stand nearly 4 feet tall and can weigh almost 100 pounds.\nPenguins have a thick layer of that helps them keep , and their feathers are very packed to make another cover.\nThey also have a layer of woolly down under the feathers that are coated with a type of that makes them -proof.", "Pokemon Go is a free-to-play game.\nThe game lets players , train and machine-based living beings, called Pokemon.\nThe game makes them seem as though Pokemons exist in real life by using and the smart phone's .\nAs players walk in the real world, their in the game moves as well.\nPlayers can find by using the game map.\nThey can then throw a Pokeball at the Pokemon to see if they can it.\nIn the game, players can also walk to places called \"PokeStops\" or \"Gyms\".\nAt PokeStops, players can find PokeBalls and to feed their Pokemon.\nAt Gyms, players can get their Pokemon to another Pokemon to try to win that gym for their .", "In 2001, Fuller, Cowell, and TV producer Simon Jones attempted to the Pop Idol format to the United States, but the was met with response from United States networks.\nHowever, Rupert Murdoch, head of Fox's parent company, was persuaded to the show by his Elisabeth, who was a/an of the British show.\nThe show was renamed American Idol: The Search for a and debuted in 2002.\nMuch to Cowell's surprise, it became one of the shows for the summer that year.\nWith the personal engagement of the viewers with the through voting, and the presence of the Cowell as a judge, the show grew into a/an .\nBy 2004, it had become the show in the U.S., a position it then held on for seven consecutive .", "The average earthworm is a reddish brown color, with a/an posterior and anterior end.\nThey have no or other discerning features, only a simple opening for a/an .\nEarthworms have long, segmented .\nThey have no , and absorb directly through their .\nIn order to do this, they must stay moist, and do so by their skin with along their bodies.\nEarthworms are invertebrates, lacking a/an .\nMost earthworms are no longer than a few centimeters, though some species can reach lengths of up to 3 meters and can be heard from above ground.", "Snoring is the that people often make when they are .\nIt is often caused by a blocked or throat.\nThe noise is often , as it is made by passing through the passages or the .\nResearch suggests that snoring is one of the factors of deprivation.\nIt also causes daytime , irritability, and lack of .\nSnoring can cause significant and social damage to .\nSo far, there is no certain available that can stop snoring.", "Telephone tapping is when somebody listens to calls made by others.\nThey use a listening device called a/an to listen to and the conversation so that another can then listen to it .\nThis is illegal in many because it means that telephone calls are not .\nSometimes, the police telephone calls to terrorists or other .\nFor example, the Watergate scandal when United States Richard Nixon was tied to a crime in which FBI and CIA agents broke into the of the Democratic Party and George McGovern, the Presidential candidate.\nNixon's helpers listened to phone lines and papers were stolen.", "Batman is a fictional character and one of the most superheroes.\nHe was the second to be created, after Superman.\nBatman began in comic books and he was later in several movies, TV programs, and books.\nBatman lives in the city of Gotham.\nWhen he is not in , he is Bruce Wayne, a very businessman.\nBatman's origin story is that as a/an child, Bruce Wayne saw a robber his parents after the family left a/an .\nBruce decided that he did not want that kind of to happen to anyone else.\nHe dedicated his life to Gotham City.\nWayne learned many different ways to as he grew up.\nAs an adult, he wore a/an to protect his while fighting in Gotham.", "A beauty contest is a/an contest to decide which is the most .\nUsually, the entrants are females, but there are some contests for .\nEach contest has its own as to who may , and what the are.\nUsually the contests are held to create for the organization which the contest.\nThe contests are often shown on and reported in newspapers.\nWith most contests the criteria for judging is appearance, plus some judgement of .\nThe winner is often described as a Beauty .", "Ducks are birds, closely related to swans and .\nThe main difference is that ducks have shorter , and ducks are smaller.\nMost ducks are birds, they can be found in both saltwater and fresh .\nDucks are omnivorous, eating plants and tiny .\nSome ducks are not , and they are bred and kept by .\nThey are kept to provide , or to use their for pillows.\nEspecially in Asia, many people like to ducks.\nDucks are often kept by groups of on public ponds for their beauty and nature.\nPeople commonly feed ducks in ponds stale , thinking that the ducks will like to have something to , but this is not healthy for ducks and can them.", "Cats are the most pets in the world.\nThey were probably first kept because they ate .\nLater cats were because they are and they are good .\nCats are active carnivores, meaning they hunt prey.\nThey mainly prey on small mammals, like .\nTheir main method of is stalk and .\nWhile dogs have great and they will prey over long distances, cats are extremely , but only over short distances.\nThe cat creeps towards a chosen victim, keeping its flat and near to the so that it cannot be easily, until it is close enough for a rapid or pounce.", "Facebook is a/an networking service and .\nIn Facebook, users may make a personal , add other users as , and send .\nFacebook users must before using the site.\nUsers may groups for a workplace or other interest such as . \nFacebook allows any users who say they are at least 13 years old to become of the website.\nFacebook has been involved in controversies over .\nSome of these controversies have been about being able to see information that other people , and others are about and advertisers being able to users' personal information.", "Advertising is how a company people to buy their products, services or .\nAn advertisement is anything that draws attention towards these things.\nIt is usually designed by an advertising agency for a/an , and performed through a variety of .\nCompanies use ads to try to get people to their products, by showing them the good rather than the bad of their .\nFor example, to make a/an look tasty in advertising, it may be painted with brown food colors, sprayed with to prevent it from going , and sesame seeds may be super-glued in place.\nAdvertising can bring new and more sales for a business.\nAdvertising can be but can help make a business make more .", "Scuba Diving is a sport where people can swim under for a long time, using a tank filled with compressed .\nThe tank is a/an cylinder made of steel or .\nA scuba diver underwater by using fins attached to the .\nThey also use such as a dive mask to underwater vision and equipment to control .\nA person must take a/an class before going scuba diving.\nThis proves that they have been trained on how to the equipment and dive .\nSome tourist attractions have a/an course on certification and then the instructors the class in a/an dive, all in one day.", "Valentine's Day is a/an that happens on February 14.\nIt is the day of the year when lovers show their to each other.\nThis can be done by giving , flowers, Valentine's cards or just a/an gift.\nSome people one person and call them their \"Valentine\" as a gesture to show and appreciation.\nValentine's Day is named for the Christian saint named Valentine.\nHe was a bishop who performed for couples who were not allowed to get married because their did not agree with the connection or because the bridegroom was a soldier or a/an , so the marriage was .\nValentine gave the married couple flowers from his .\nThat is why flowers play a very role on Valentine's Day.\nThis did not the emperor, and Valentine was because of his Christian ."]
--------------------------------------------------------------------------------
/words1000.txt:
--------------------------------------------------------------------------------
1 | a
2 | ability
3 | able
4 | about
5 | above
6 | accept
7 | according
8 | account
9 | across
10 | act
11 | action
12 | activity
13 | actually
14 | add
15 | address
16 | administration
17 | admit
18 | adult
19 | affect
20 | after
21 | again
22 | against
23 | age
24 | agency
25 | agent
26 | ago
27 | agree
28 | agreement
29 | ahead
30 | air
31 | all
32 | allow
33 | almost
34 | alone
35 | along
36 | already
37 | also
38 | although
39 | always
40 | American
41 | among
42 | amount
43 | analysis
44 | and
45 | animal
46 | another
47 | answer
48 | any
49 | anyone
50 | anything
51 | appear
52 | apply
53 | approach
54 | area
55 | argue
56 | arm
57 | around
58 | arrive
59 | art
60 | article
61 | artist
62 | as
63 | ask
64 | assume
65 | at
66 | attack
67 | attention
68 | attorney
69 | audience
70 | author
71 | authority
72 | available
73 | avoid
74 | away
75 | baby
76 | back
77 | bad
78 | bag
79 | ball
80 | bank
81 | bar
82 | base
83 | be
84 | beat
85 | beautiful
86 | because
87 | become
88 | bed
89 | before
90 | begin
91 | behavior
92 | behind
93 | believe
94 | benefit
95 | best
96 | better
97 | between
98 | beyond
99 | big
100 | bill
101 | billion
102 | bit
103 | black
104 | blood
105 | blue
106 | board
107 | body
108 | book
109 | born
110 | both
111 | box
112 | boy
113 | break
114 | bring
115 | brother
116 | budget
117 | build
118 | building
119 | business
120 | but
121 | buy
122 | by
123 | call
124 | camera
125 | campaign
126 | can
127 | cancer
128 | candidate
129 | capital
130 | car
131 | card
132 | care
133 | career
134 | carry
135 | case
136 | catch
137 | cause
138 | cell
139 | center
140 | central
141 | century
142 | certain
143 | certainly
144 | chair
145 | challenge
146 | chance
147 | change
148 | character
149 | charge
150 | check
151 | child
152 | choice
153 | choose
154 | church
155 | citizen
156 | city
157 | civil
158 | claim
159 | class
160 | clear
161 | clearly
162 | close
163 | coach
164 | cold
165 | collection
166 | college
167 | color
168 | come
169 | commercial
170 | common
171 | community
172 | company
173 | compare
174 | computer
175 | concern
176 | condition
177 | conference
178 | Congress
179 | consider
180 | consumer
181 | contain
182 | continue
183 | control
184 | cost
185 | could
186 | country
187 | couple
188 | course
189 | court
190 | cover
191 | create
192 | crime
193 | cultural
194 | culture
195 | cup
196 | current
197 | customer
198 | cut
199 | dark
200 | data
201 | daughter
202 | day
203 | dead
204 | deal
205 | death
206 | debate
207 | decade
208 | decide
209 | decision
210 | deep
211 | defense
212 | degree
213 | Democrat
214 | democratic
215 | describe
216 | design
217 | despite
218 | detail
219 | determine
220 | develop
221 | development
222 | die
223 | difference
224 | different
225 | difficult
226 | dinner
227 | direction
228 | director
229 | discover
230 | discuss
231 | discussion
232 | disease
233 | do
234 | doctor
235 | dog
236 | door
237 | down
238 | draw
239 | dream
240 | drive
241 | drop
242 | drug
243 | during
244 | each
245 | early
246 | east
247 | easy
248 | eat
249 | economic
250 | economy
251 | edge
252 | education
253 | effect
254 | effort
255 | eight
256 | either
257 | election
258 | else
259 | employee
260 | end
261 | energy
262 | enjoy
263 | enough
264 | enter
265 | entire
266 | environment
267 | environmental
268 | especially
269 | establish
270 | even
271 | evening
272 | event
273 | ever
274 | every
275 | everybody
276 | everyone
277 | everything
278 | evidence
279 | exactly
280 | example
281 | executive
282 | exist
283 | expect
284 | experience
285 | expert
286 | explain
287 | eye
288 | face
289 | fact
290 | factor
291 | fail
292 | fall
293 | family
294 | far
295 | fast
296 | father
297 | fear
298 | federal
299 | feel
300 | feeling
301 | few
302 | field
303 | fight
304 | figure
305 | fill
306 | film
307 | final
308 | finally
309 | financial
310 | find
311 | fine
312 | finger
313 | finish
314 | fire
315 | firm
316 | first
317 | fish
318 | five
319 | floor
320 | fly
321 | focus
322 | follow
323 | food
324 | foot
325 | for
326 | force
327 | foreign
328 | forget
329 | form
330 | former
331 | forward
332 | four
333 | free
334 | friend
335 | from
336 | front
337 | full
338 | fund
339 | future
340 | game
341 | garden
342 | gas
343 | general
344 | generation
345 | get
346 | girl
347 | give
348 | glass
349 | go
350 | goal
351 | good
352 | government
353 | great
354 | green
355 | ground
356 | group
357 | grow
358 | growth
359 | guess
360 | gun
361 | guy
362 | hair
363 | half
364 | hand
365 | hang
366 | happen
367 | happy
368 | hard
369 | have
370 | he
371 | head
372 | health
373 | hear
374 | heart
375 | heat
376 | heavy
377 | help
378 | her
379 | here
380 | herself
381 | high
382 | him
383 | himself
384 | his
385 | history
386 | hit
387 | hold
388 | home
389 | hope
390 | hospital
391 | hot
392 | hotel
393 | hour
394 | house
395 | how
396 | however
397 | huge
398 | human
399 | hundred
400 | husband
401 | I
402 | idea
403 | identify
404 | if
405 | image
406 | imagine
407 | impact
408 | important
409 | improve
410 | in
411 | include
412 | including
413 | increase
414 | indeed
415 | indicate
416 | individual
417 | industry
418 | information
419 | inside
420 | instead
421 | institution
422 | interest
423 | interesting
424 | international
425 | interview
426 | into
427 | investment
428 | involve
429 | issue
430 | it
431 | item
432 | its
433 | itself
434 | job
435 | join
436 | just
437 | keep
438 | key
439 | kid
440 | kill
441 | kind
442 | kitchen
443 | know
444 | knowledge
445 | land
446 | language
447 | large
448 | last
449 | late
450 | later
451 | laugh
452 | law
453 | lawyer
454 | lay
455 | lead
456 | leader
457 | learn
458 | least
459 | leave
460 | left
461 | leg
462 | legal
463 | less
464 | let
465 | letter
466 | level
467 | lie
468 | life
469 | light
470 | like
471 | likely
472 | line
473 | list
474 | listen
475 | little
476 | live
477 | local
478 | long
479 | look
480 | lose
481 | loss
482 | lot
483 | love
484 | low
485 | machine
486 | magazine
487 | main
488 | maintain
489 | major
490 | majority
491 | make
492 | man
493 | manage
494 | management
495 | manager
496 | many
497 | market
498 | marriage
499 | material
500 | matter
501 | may
502 | maybe
503 | me
504 | mean
505 | measure
506 | media
507 | medical
508 | meet
509 | meeting
510 | member
511 | memory
512 | mention
513 | message
514 | method
515 | middle
516 | might
517 | military
518 | million
519 | mind
520 | minute
521 | miss
522 | mission
523 | model
524 | modern
525 | moment
526 | money
527 | month
528 | more
529 | morning
530 | most
531 | mother
532 | mouth
533 | move
534 | movement
535 | movie
536 | Mr
537 | Mrs
538 | much
539 | music
540 | must
541 | my
542 | myself
543 | name
544 | nation
545 | national
546 | natural
547 | nature
548 | near
549 | nearly
550 | necessary
551 | need
552 | network
553 | never
554 | new
555 | news
556 | newspaper
557 | next
558 | nice
559 | night
560 | no
561 | none
562 | nor
563 | north
564 | not
565 | note
566 | nothing
567 | notice
568 | now
569 | n't
570 | number
571 | occur
572 | of
573 | off
574 | offer
575 | office
576 | officer
577 | official
578 | often
579 | oh
580 | oil
581 | ok
582 | old
583 | on
584 | once
585 | one
586 | only
587 | onto
588 | open
589 | operation
590 | opportunity
591 | option
592 | or
593 | order
594 | organization
595 | other
596 | others
597 | our
598 | out
599 | outside
600 | over
601 | own
602 | owner
603 | page
604 | pain
605 | painting
606 | paper
607 | parent
608 | part
609 | participant
610 | particular
611 | particularly
612 | partner
613 | party
614 | pass
615 | past
616 | patient
617 | pattern
618 | pay
619 | peace
620 | people
621 | per
622 | perform
623 | performance
624 | perhaps
625 | period
626 | person
627 | personal
628 | phone
629 | physical
630 | pick
631 | picture
632 | piece
633 | place
634 | plan
635 | plant
636 | play
637 | player
638 | PM
639 | point
640 | police
641 | policy
642 | political
643 | politics
644 | poor
645 | popular
646 | population
647 | position
648 | positive
649 | possible
650 | power
651 | practice
652 | prepare
653 | present
654 | president
655 | pressure
656 | pretty
657 | prevent
658 | price
659 | private
660 | probably
661 | problem
662 | process
663 | produce
664 | product
665 | production
666 | professional
667 | professor
668 | program
669 | project
670 | property
671 | protect
672 | prove
673 | provide
674 | public
675 | pull
676 | purpose
677 | push
678 | put
679 | quality
680 | question
681 | quickly
682 | quite
683 | race
684 | radio
685 | raise
686 | range
687 | rate
688 | rather
689 | reach
690 | read
691 | ready
692 | real
693 | reality
694 | realize
695 | really
696 | reason
697 | receive
698 | recent
699 | recently
700 | recognize
701 | record
702 | red
703 | reduce
704 | reflect
705 | region
706 | relate
707 | relationship
708 | religious
709 | remain
710 | remember
711 | remove
712 | report
713 | represent
714 | Republican
715 | require
716 | research
717 | resource
718 | respond
719 | response
720 | responsibility
721 | rest
722 | result
723 | return
724 | reveal
725 | rich
726 | right
727 | rise
728 | risk
729 | road
730 | rock
731 | role
732 | room
733 | rule
734 | run
735 | safe
736 | same
737 | save
738 | say
739 | scene
740 | school
741 | science
742 | scientist
743 | score
744 | sea
745 | season
746 | seat
747 | second
748 | section
749 | security
750 | see
751 | seek
752 | seem
753 | sell
754 | send
755 | senior
756 | sense
757 | series
758 | serious
759 | serve
760 | service
761 | set
762 | seven
763 | several
764 | sex
765 | sexual
766 | shake
767 | share
768 | she
769 | shoot
770 | short
771 | shot
772 | should
773 | shoulder
774 | show
775 | side
776 | sign
777 | significant
778 | similar
779 | simple
780 | simply
781 | since
782 | sing
783 | single
784 | sister
785 | sit
786 | site
787 | situation
788 | six
789 | size
790 | skill
791 | skin
792 | small
793 | smile
794 | so
795 | social
796 | society
797 | soldier
798 | some
799 | somebody
800 | someone
801 | something
802 | sometimes
803 | son
804 | song
805 | soon
806 | sort
807 | sound
808 | source
809 | south
810 | southern
811 | space
812 | speak
813 | special
814 | specific
815 | speech
816 | spend
817 | sport
818 | spring
819 | staff
820 | stage
821 | stand
822 | standard
823 | star
824 | start
825 | state
826 | statement
827 | station
828 | stay
829 | step
830 | still
831 | stock
832 | stop
833 | store
834 | story
835 | strategy
836 | street
837 | strong
838 | structure
839 | student
840 | study
841 | stuff
842 | style
843 | subject
844 | success
845 | successful
846 | such
847 | suddenly
848 | suffer
849 | suggest
850 | summer
851 | support
852 | sure
853 | surface
854 | system
855 | table
856 | take
857 | talk
858 | task
859 | tax
860 | teach
861 | teacher
862 | team
863 | technology
864 | television
865 | tell
866 | ten
867 | tend
868 | term
869 | test
870 | than
871 | thank
872 | that
873 | the
874 | their
875 | them
876 | themselves
877 | then
878 | theory
879 | there
880 | these
881 | they
882 | thing
883 | think
884 | third
885 | this
886 | those
887 | though
888 | thought
889 | thousand
890 | threat
891 | three
892 | through
893 | throughout
894 | throw
895 | thus
896 | time
897 | to
898 | today
899 | together
900 | tonight
901 | too
902 | top
903 | total
904 | tough
905 | toward
906 | town
907 | trade
908 | traditional
909 | training
910 | travel
911 | treat
912 | treatment
913 | tree
914 | trial
915 | trip
916 | trouble
917 | true
918 | truth
919 | try
920 | turn
921 | TV
922 | two
923 | type
924 | under
925 | understand
926 | unit
927 | until
928 | up
929 | upon
930 | us
931 | use
932 | usually
933 | value
934 | various
935 | very
936 | victim
937 | view
938 | violence
939 | visit
940 | voice
941 | vote
942 | wait
943 | walk
944 | wall
945 | want
946 | war
947 | watch
948 | water
949 | way
950 | we
951 | weapon
952 | wear
953 | week
954 | weight
955 | well
956 | west
957 | western
958 | what
959 | whatever
960 | when
961 | where
962 | whether
963 | which
964 | while
965 | white
966 | who
967 | whole
968 | whom
969 | whose
970 | why
971 | wide
972 | wife
973 | will
974 | win
975 | wind
976 | window
977 | wish
978 | with
979 | within
980 | without
981 | woman
982 | wonder
983 | word
984 | work
985 | worker
986 | world
987 | worry
988 | would
989 | write
990 | writer
991 | wrong
992 | yard
993 | yeah
994 | year
995 | yes
996 | yet
997 | you
998 | young
999 | your
1000 | yourself
--------------------------------------------------------------------------------