What word am i thinking of game

Scoring

You scored / = %

This beats or equals
% of test takers
also scored 100%

The average score is

Your high score is

Your fastest time is

Keep scrolling down for answers and more stats …

Clues

Word

Swiss, Mousetrap, Macaroni

Cheese

Elvis, Igneous, Cradle

Rock

Jonah, Ahab, Krill

Whale

Treasury, Goldfinger, Bail

Bond

Serpent, Fuji, iPad

Apple

Nottingham, Bird, Batman

Robin

Captain, Fishing, Kareem Abdul

Hook

Ballet, Robe, Cinderella

Slipper

Tease, Child, Goat

Kid

Car, Elephant, Tree

Trunk

Clues

Word

Dumbo, Van Gogh, Holyfield

Ear

Toccata, Donor, Hammond

Organ

Shoe, Cello, Cheese

String

Hammer, Polish, Nine Inch

Nail

Digging Mammal, Cindy Crawford, Avogadro

Mole

Lettuce, Titanic, Mostly Underwater

Iceberg

Tennis, Jury, Woo

Court

German Dog, Joe Louis, Chinese Rebellion

Boxer

Teacup, UFO, Disc

Saucer

Tom, Halle Berry, Alley

Cat

Recently Published

Quiz Scoreboard

More to Explore

Quiz From the Vault

Featured Blog Post

You Might Also Like…

Trending Topics

Showdown Scoreboard

Created Quiz Play Count

More Just For Fun Quizzes

Your Account Isn’t Verified!

In order to create a playlist on Sporcle, you need to verify the email address you used during registration. Go to your Sporcle Settings to finish the process.

Schizophrenia.com

Loading

$begingroup$

What word am I thinking of?

Gamblers beat casino odds where
possible. Sometimes they even play
with a stacked deck. 'Hackers'
or coders also like to
win. Such people will use
a bit hack to thrive.

asked Dec 16, 2015 at 21:45

Dave's user avatar

DaveDave

7794 silver badges13 bronze badges

$endgroup$

1

$begingroup$

The word is

Binary

Because

Each line has 5 words. These lines can be interpreted as numbers from 0 to 31 by treating odd-sized words as 1 bits and even-sized words as 0 bits. We then convert 0 to ‘A’, 1 to ‘B’, and so on. The phrase «bit hack» is a clue, of course, both to the methodology and the answer.

However, I think there’s a typo here, and «succeed» should be «understand».

answered Dec 16, 2015 at 22:29

histocrat's user avatar

histocrathistocrat

2,30613 silver badges18 bronze badges

$endgroup$

4

  • How do I do this without a touchscreen?


    NYT / Hasbro

  • Why let a web site mark your letters when someone else at your party can do it?


    NYT / Hasbro

  • PARTY!


    NYT / Hasbro

  • Comes with everything you see here. Batteries not included (or necessary)


    NYT / Hasbro

  • A preview of what you’ll be seeing in the Barnes & Noble «gifts for people you know only kind of well» section this December.


    NYT / Hasbro

On Thursday, The New York Times and Hasbro announced Wordle: The Party Game, a $20 physical version of the viral web game hit that will be available starting in October. But this new game is far from the first to allow players to essentially «play Wordle in real life,» as the marketing copy promises.

Aside from the obvious change in medium, Wordle: The Party Game differentiates itself from its digital inspiration mainly through multiplayer gameplay designed for two to four players (recommended for ages 14 and up, according to the manufacturer). The most basic play mode has players alternating as the «host» who gets to choose a secret five-letter word—don’t worry, CNN reports the game will come packaged with «an official word list to use, compiled by the Times» if you can’t think of your own.

The non-host player then uses an included dry-erase game board to guess at the host’s secret word. After that, the host marks letters using translucent green and yellow tiles—patterned after the digital game—to indicate letters that are in the correct spot and letters that are present somewhere else in the secret word, respectively. Players receive points based on how many guesses it takes to home in on the secret word.

What word am I thinking of?

While this will be the first officially branded Wordle product available in the physical world, a long line of similar and near-identical board games have led up to the release of Wordle: The Party Game.

Basic code-guessing games can be traced back, at least, to Bulls and Cows, a public-domain pen-and-paper game that at least one source suggests has been around for «a century or more.» In this game, players guess at a secret four-digit number and receive clues telling them how many digits are in the right position (bulls) or present but in the wrong position (cows).

A sample game of <em>Jotto</em> shows how the basic word-guessing gameplay works.

Enlarge / A sample game of Jotto shows how the basic word-guessing gameplay works.

In 1955, the release of pen-and-paper game Jotto changed the guessing target from a secret number to «any five-letter word in the dictionary except those capitalized and those designated as foreign words,» as the official rules put it. In Jotto, two players would take turns guessing at each others’ secret words, scoring «jots» (and crucial information) based on how many letters in their guess appeared somewhere in the opponent’s secret word. Even more points were available for guessing the full word as quickly as possible.

Gotta love that 1970s color scheme.

Enlarge / Gotta love that 1970s color scheme.

In 1973, Scrabble-maker Selchow and Righter would release their own version of Jotto. Around the same time, though, Parker Brothers was expanding on the concept a bit with Word Mastermind.

Much like the original color-based Mastermind (or Cows and Bulls before it), in Word Mastermind players receive two pieces of information after each guess: how many letters are in the proper location and how many letters are present in the wrong location.

Word Mastermind appeared in many versions over the years, comprising many different languages, word lengths, and other names, like Call My Bluff and What’s My Word? But the original Word Mastermind is probably my favorite of these just because of the bright yellow letter tiles that stick up from the board, practically screaming «I am from the 1970s» as they do.

Random words, an array, and conditional statements.

Create a word guessing game that asks a player to guess a random word. As we build the C# console application, we’ll discuss some fundamental programming concepts.

We’ll build upon the code we started in Numeric Guessing Game: C# Console Application. (If you haven’t read it yet, you might want to start there!)

Game Instance

In the numeric guessing game we didn’t create an instance of the Game class. Our first step will be to change our code so we have a Game object. With examples of each you can compare the two approaches.

Remove:

  • Delete the static keyword from our Game class members.
  • Clear the Game Play method call from Main.

Add:

  • Make an instance of the Game class.
  • Inside of Main, call the instance’s method Play.

The two versions are below. If you run them they will appear the same to the player; the only changes are internal.

Original:

 class Program
    {
        static void Main()
        {
            Game.Play();
        }
    }

Revised:

 class Program
    {
        static void Main()
        {
            Game theGame = new Game();
            theGame.Play();
        }
    }

Full Code: Updated Numeric Guessing Game Code

using System;

namespace GuessingGame
{
    class Game
    {
        int Guess = 0;
        int Target = 5;
        string Input = "";
        Random RandomNumber = new Random();

        public void Play()
        {
            Target = RandomNumber.Next(10) + 1;
            Console.Write("Guess what number I am thinking of... ");
            Input = Console.ReadLine();
            if (int.TryParse(Input, out Guess))
            {
                if (Guess == Target)
                {
                    Console.WriteLine("Congratulations! You guessed " + Guess + " and the number I was thinking of was " + Target + ".");
                }
                else
                {
                    Console.WriteLine("Too bad. You guessed " + Guess + " and the number I was thinking of was " + Target + ". Try again!");
                }
            }
            else
            {
                Console.WriteLine("Please enter a number.");
                Console.WriteLine("Press enter to continue...");
                Console.ReadLine();
                Play();
            }

            Console.ReadKey();
        }
    }
    class Program
    {
        static void Main()
        {
            Game theGame = new Game();
            theGame.Play();
        }
    }
}

Using the new version of our numeric game as a base, we will convert it into a game where the player tries to guess a random word instead of number.

Array

Our list of possible words will be stored in an array. We’ll use the same random number code we used previously. Now, though, our random number will be used to select an element. The player will see the options and can enter their guess as to which word will match.

Add an array to the Game class and initialize it with a few words. In the example the words are: cat, hat, and rat.

class Game
{
    static int Guess = 0;
    static int Target = 5;
    string[] Words = { "cat", "hat", "rat" };
    static Random RandomNumber = new Random(); [...]

Show Options

Write out the word options and ask the player to guess one of them. As with the numeric game, you can make this a simple instruction («Choose a word:») or make it more fanciful («My crystal ball is showing something … through the mists I am getting a message… do you know what I see?»).

To print out each word in the array, you can use a foreach statement:

foreach (string word in Words)
{
    Console.Write(word + " ");
}

Word Guessing Game: Example using a foreach statement to write out elements in an array

Example using a foreach statement to write out elements in an array

You could also add commas between each word as it is written out. For this type of approach, you would want to know when you’ve reached the last element in the array. A for loop makes that easy:

Console.Write(" Guess which word I am thinking of... is it ");
for (int i = 0;i< Words.Length;i++)
{
	if (i==(Words.Length-1))
	    Console.Write("or " + Words[i] + "? ");
	else
	    Console.Write(Words[i] + ", ");
}

Word Guessing Game: Example using a for loop

Example using a for loop

Comparison

To select a word from the array, we’ll use the same random number as in our numeric game. The range can be dynamically determined from the length of the Words array.

Target = RandomNumber.Next(Words.Length);

The code to check whether the input is a number won’t be needed now that we are matching words instead of integers. We can also change our conditional statement. It will now compare what the player has typed to the random element from the Words array.

if (Input == Words[Target])
{
    Console.WriteLine("Congratulations! You guessed it!");
}
else
{
    Console.WriteLine("Not a match. Try again!");
}

If the player didn’t guess the word, we can call the Play() method to restart the game.

Word Guessing Game Final Code

using System;

namespace GuessingGame
{
    class Game
    {
        int Guess = 0;
        int Target = 5;
        string Input = "";
        string[] Words = { "cat", "hat", "rat" };
        Random RandomNumber = new Random();

        public void Play()
        {
            Target = RandomNumber.Next(Words.Length);


            Console.Write(" Guess which word I am thinking of... is it ");
            for (int i = 0; i < Words.Length; i++)
            {
                if (i == (Words.Length - 1))
                    Console.Write("or " + Words[i] + "? ");
                else
                    Console.Write(Words[i] + ", ");
            }

            Input = Console.ReadLine();

            if (Input == Words[Target])
            {
                Console.WriteLine("Congratulations! You guessed it!");
            }
            else
            {
                Console.WriteLine("Not a match. Try again!");
                Console.WriteLine("Press enter to continue...");
                Console.ReadLine();
                Play();
            }


            Console.ReadKey();
        }
    }
    class Program
    {
        static void Main()
        {
            Game theGame = new Game();
            theGame.Play();
        }
    }
}

Next Step

Think about your game’s interface. Can you make it more engaging?

Word Guessing Game: Example title screen

Example title screen

<a rel=»nofollow noopener noreferrer» data-snax-placeholder=»Source» class=»snax-figure-source» href=»https://pixabay.com/photos/lion-family-africa-wilderness-4366887/» target=»_blank»>https://pixabay.com/photos/lion-family-africa-wilderness-4366887/</a>

Yes I am still playing the game. I am still thinking of the same word and no one has guessed in my messages, so I guess I will keep on playing until someone guesses or I run out of clues. I believe that this is called a pride of lions.

If I am not mistaken these are all females.

Other clues

More Clues

Cool Clues

Report

What do you think?

lionsnature

Guessing Games for Kids

Guessing games are great to use as warmers, fillers, and review activities. Not only are they a lot of fun, but they are also fantastic for learning vocabulary and grammar.

On this page we list the 10 super fun guessing games for kids. Although these activities are mainly aimed at young learners, many of these guessing game ideas can be easily adapted to use with adults and teenagers.

For more classroom game ideas, check out our other post, 10 Incredibly Fun Vocabulary Activities For ESL Kids.

1: Guess the Word Games

Whichever topic you are teaching, a simple guess the word game, although simple, can be very effective. Show students some flashcards and ask them to repeat after you. Once students have practiced enough, choose one flashcard, and don’t show the students. Then ask them to try to guess what the word is while using the target expression.

For example, if you teaching animal words, when students guess they can ask the teacher ‘Is it an elephant?’, and the teacher can respond ‘Yes, it is. / No, it isn’t.’.

2: Hidden Picture Guessing Games

ESL PowerPoint Games

In this guessing game there is a picture hidden behind some color squares. As you click the squares the image is slowly revealed and students must try to guess what it is.

This guess the picture game is a great way to introduce or review new words with students and can be used with any vocabulary. For hidden picture PPT games on many topics, and an editable template, click here.

3: Guess the Picture (Pictionary)

This simple guessing game idea needs little to no prep. All you need for this game is something to draw on. To play as a whole class, ask a student to draw something on the board from the lesson and ask students to guess what the picture is of.

To make it more fun, divide the class into two / three teams. Give each team 30 seconds or so to guess as many pictures as they can. This game is a lot of fun and young learners especially love showing off their artistic skills.

4: Guess the Mystery Object

Using real objects in the classroom is a great way to connect the vocabulary and grammar that students are learning to the real world. A great way to do that is with this guess the object game. To play, you need a bag or a box to put the mystery objects in.

Invite students one by one to come up to the front of the class and reach into the bag/box and feel the object inside. Without looking at the object, they must try to guess what the mystery object is. This can lead to some hilarious guesses! This activity is great for both kids and older ESL students.

5: Online Guessing Games

In these online guessing games, students must use ‘Telepathy’ to read the teacher’s mind and find out the answer. Of course, your students can’t really read minds, but kids love pretending that they can.

In these guessing games each answer as two possible answers and students must choose ONE and write it down. If they get it correct, they get a point. If they get it wrong, they don’t. Many online guessing games can be found on our Activity Videos page.

This game can be played individually or in pairs / small teams. For a Telepathy game PPT template, and a printable answer worksheet, click here.

6: ‘I Spy’ Guessing Games

When you were a child you probably played a variation of this game at one time or another. In the classic (British) version of I Spy, one person would look around and choose an object that they can see and then say ‘I spy with my little eye something beginning with (b).’. At which point the other people must try to guess what object beginning with the letter b he/she is thinking of.

This kind of guessing game can be used in your English class to review many different words and topics. For example, if teaching colors, one student can look around and choose an object and then say ‘I see something (green)’. The other students must then guess what green thing they are thinking of.

Or, if you are teaching adjectives, one student can look around and choose something and then describe it using adjectives. For example, ‘I see something big and heavy.’.

7: ‘Act It Out’ Guessing Game (Charades)

In the classic version of charades people would use actions instead of words to act out the title of a movie, book, play, or song. In the English classroom, this kind of activity can be used to review key vocabulary and expressions that students have learned.

To play, write down the key words / phrases from the lesson on pieces of paper and put them all in a small container. Then divide the class into 2/3 teams. One person from each team will choose a piece of paper and act out the word without speaking or making any noise. If the team guesses correctly, then they get a point.

8: Guess The Word To ‘Save The Teacher’ (Hangman)

Hangman is a classic classroom game in which students must try to guess the word the teacher is thinking of by guessing letters of the alphabet. If students guess the wrong word then the teacher would begin drawing a picture of a hanging man. If students get it wrong too many times and the teacher completes the picture, then the students lose.

Although this drawing is just a simple stick figure, the idea of showing children a drawing of a man hanging from his neck seems quite gruesome to me, and not appropriate for kids. As a fun alternative to hangman, try ‘Save The Teacher’ using the video above. The rules are exactly the same as hangman.

To play, think of a word and draw a small horizontal line corresponding to each letter of that word. Then ask students to guess the word by first guessing letters from the alphabet. If they guess correctly, then write it in the correct space on the board. If students guess wrong play the video and the fuse will get closer to the rocket. When students guess wrong too many times, the teacher and the rocket will blast off into space!

9: ‘What Am I?’ Guessing Game

In this guessing game, the teacher would think of something and then give students 3 clues as to what it is by saying sentences as if he/she is the object. For example, if the word the teacher is thinking of is ‘The Sun’ then the 3 clues he/she might say “I am hot. I am bright. You can’t see me at night. What am I?” This is a great way to reinforce students’ understanding of the lesson’s vocabulary and a fun review activity. For more ‘What am I? quizzes check out these ’40 What Am I?’ questions.

10: Guessing Games With Cards

Most ESL textbooks these days come with small word/picture cards at the back. If you’re not so lucky, you can download and print free mini-flashcards from our flashcards page. To play this game, ask students to make groups of 3/4. Then give each group a set of cards. Then one student from each group should close their eyes while the other members of the group point to one of the cards.

Then the student should open his/her eyes and guess what card they chose while using the target language. If he/she guesses correctly then they can keep that card. Then it’s the next students turn. The game finishes when all the cards are gone and the students with the most cards is the winner.

Thanks for reading. I hope you found some useful guessing game ideas for your next class. Before you go, don’t forget to check out our free other free games and activities including PowerPoint Games, Online Quizzes, and Online ESL Games.

Понравилась статья? Поделить с друзьями:
  • What word am i looking for
  • What word 4 pics 1 word ответы
  • What will you say spoken word
  • What will the word of god do for me
  • What which word склад