Ok, we need the computer to generate random numbers. Just add this code inside your main method so you have this:

Size: px
Start display at page:

Download "Ok, we need the computer to generate random numbers. Just add this code inside your main method so you have this:"

Transcription

1 Java Guessing Game In this guessing game, you will create a program in which the computer will come up with a random number between 1 and The player must then continue to guess numbers until the player guesses the correct number. For every guess, the computer will either say "Too high" or "Too low", and then ask for another input. At the end of the game, the number is revealed along with the number of guesses it took to get the correct number. First create a new Java Project called Games, Next, we're going to start by creating a new class, or Java file. Call your new program GuessingGame, keeping the capitalization the same. If you're using Eclipse (and I strongly urge you to!) then make sure to checkmark the box to have it put in your main method for you. You should start out like this: Ok, we need the computer to generate random numbers. Just add this code inside your main method so you have this: The variable numbertoguess holds the integer that the player has to guess. Now, we need to figure out exactly what we need our game to do and how we're going to accomplish this goal. Let's start by listing what the guessing game needs to do, also known as the requirements of the program. Needs of the guessing game: Creates a random number to guess

2 Keeps track of number of guesses Asks us to guess a number Let user input a number Tells us whether we're guessing too high or too low Keeps playing until we guess the correct number Tells us the correct number and the number of tries We already took care of the first need, which was to create a random number. So, let's move on to the next requirement, keeping track of the number of guesses. To keep track of anything, you need a variable. In this case, since we're keeping track of guesses, a simple integer variable will do. Add an int variable to your code, and start it off at 0, since at the beginning the player has made no guesses. So far we have the variable, but it still does not keep track of the number of guesses because the user isn't being asked to make any guesses yet. Let's have the computer ask us to guess a number.

3 Now, we need the player to be able to input the number. This means we're going to need a Scanner. I suggest you try to define all variables as high up in the code as possible. It helps you keep track of all the different variables you have and makes sure that you don't accidentally use the same variable twice. So, create a Scanner at right under your variable that keeps track of the number of guesses. You should know how to create a Scanner Now that we have a scanner to use, we need to actually have a variable that stores the input from the user. You can create this variable at the top too.

4 Have your new variable store the input from the scanner. Remember, the player will be guessing integers, so having the variable be an integer is a must. Remember to use nextint() with Scanner probably. The computer then needs to tell us if this guess was too high or too low. Notice how in that sentence the word if is emphasized. That's a big clue as to what you need to use to accomplish this. Let's break down the if statement. If the number guessed is higher than the real number, tell us it s too high. If the number guessed is smaller than the real number, tell us it s too low. If the number guessed is the same as the real number, tell us that we won. You could do this in three different if statements, but it's best to use else if in this case to tie them all together. It helps to show that all those if's are related to each other, and that only one of those if's will ever be true at one time (the guessed number can never be too high and too low at the same time, for example). This is what your code should look like at this point: Keeps track of number of guesses (remember we only finished part of it)

5 Keeps playing until we guess the correct number Tells us the correct number and the number of tries We should track the number of guesses Right after the player guesses the number. Run your program now and notice what happens. The program would go one time, and then stop. This is because we need it to keep going until the user wins. We will have to think about this a little bit before we code it. First of all, what ways do we know to make Java do something over and over again? In the class we went over two ways, the for loop and the while loop. If you remember the difference, then you know that the for loop loops for a certain number of times. Unfortunately the number of times this program could loop depends on the player! So, a for loop is probably not the best way to handle this.

6 A while loop is the perfect choice. It keeps going until a condition is no longer true. So, while the player hasn't won yet, keep going. But how do we keep track of whether or not the player has won? We use a boolean variable. We can create a boolean variable called win near the top of our code with all the other variables. If we set win to false, then it means the player hasn't won yet. When win is true, then the player won the game. The last thing we need to figure out is which code to put inside of this while loop. I recommend everything starting from the computer asking the player to guess a number all the way down to the if statements. See how inside the while loop parenthesis the condition is when win is equal to false? This means it will continue to loop until something sets the win variable to true.

7 But what will set the win variable to true? The third part of the if statement seems like a good choice. The part that asks if the player guessed the correct number. Here is what this looks like: Now we need the game statistics when the game is over. Ok, after your while loop, we can add the code in. It should just be a series of println that tell us everything we need to know, such as number of guesses made. Your guessing game program is now complete! Go ahead and play it. I wouldn't try guessing letters or anything like that, as your program will crash.

Part II: Number Guessing Game Part 2. Lab Guessing Game version 2.0

Part II: Number Guessing Game Part 2. Lab Guessing Game version 2.0 Part II: Number Guessing Game Part 2 Lab Guessing Game version 2.0 The Number Guessing Game that just created had you utilize IF statements and random number generators. This week, you will expand upon

More information

Begin this assignment by first creating a new Java Project called Assignment 5.There is only one part to this assignment.

Begin this assignment by first creating a new Java Project called Assignment 5.There is only one part to this assignment. CSCI 2311, Spring 2013 Programming Assignment 5 The program is due Sunday, March 3 by midnight. Overview of Assignment Begin this assignment by first creating a new Java Project called Assignment 5.There

More information

MITOCW R7. Comparison Sort, Counting and Radix Sort

MITOCW R7. Comparison Sort, Counting and Radix Sort MITOCW R7. Comparison Sort, Counting and Radix Sort The following content is provided under a Creative Commons license. B support will help MIT OpenCourseWare continue to offer high quality educational

More information

Bagels, Pico, Fermi. Bob Albrecht & George Firedrake Copyright (c) 2004 by Bob Albrecht

Bagels, Pico, Fermi. Bob Albrecht & George Firedrake Copyright (c) 2004 by Bob Albrecht ,, Bob Albrecht & George Firedrake MathBackPacks@aol.com Copyright (c) 2004 by Bob Albrecht is a number-guessing game that is great exercise for your wonderful problem-solving mind. We've played it on

More information

Unit 5: What s in a List

Unit 5: What s in a List Lists http://isharacomix.org/bjc-course/curriculum/05-lists/ 1 of 1 07/26/2013 11:20 AM Curriculum (/bjc-course/curriculum) / Unit 5 (/bjc-course/curriculum/05-lists) / Unit 5: What s in a List Learning

More information

Project 1: A Game of Greed

Project 1: A Game of Greed Project 1: A Game of Greed In this project you will make a program that plays a dice game called Greed. You start only with a program that allows two players to play it against each other. You will build

More information

Memory. Introduction. Scratch. In this project, you will create a memory game where you have to memorise and repeat a sequence of random colours!

Memory. Introduction. Scratch. In this project, you will create a memory game where you have to memorise and repeat a sequence of random colours! Scratch 2 Memory All Code Clubs must be registered. Registered clubs appear on the map at codeclubworld.org - if your club is not on the map then visit jumpto.cc/ccwreg to register your club. Introduction

More information

Beginning Game Programming, COMI 2040 Lab 6

Beginning Game Programming, COMI 2040 Lab 6 Beginning Game Programming, COMI 2040 Lab 6 Background This lab covers the second part of Chapter 3 of your text and the second half of lecture. Before attempting this lab, you should be familiar with

More information

INVENTION LOG FOR CODE KIT

INVENTION LOG FOR CODE KIT INVENTION LOG FOR CODE KIT BUILD GAMES. LEARN TO CODE. Name: What challenge are you working on? In a sentence or two, describe the challenge you will be working on. Explore new ideas and bring them to

More information

In this project, you will create a memory game where you have to memorise and repeat a sequence of random colours!

In this project, you will create a memory game where you have to memorise and repeat a sequence of random colours! Memory Introduction In this project, you will create a memory game where you have to memorise and repeat a sequence of random colours! Step 1: Random colours First, let s create a character that can change

More information

CPSC 217 Assignment 3 Due Date: Friday March 30, 2018 at 11:59pm

CPSC 217 Assignment 3 Due Date: Friday March 30, 2018 at 11:59pm CPSC 217 Assignment 3 Due Date: Friday March 30, 2018 at 11:59pm Weight: 8% Individual Work: All assignments in this course are to be completed individually. Students are advised to read the guidelines

More information

In this project you will learn how to write a Python program telling people all about you. Type the following into the window that appears:

In this project you will learn how to write a Python program telling people all about you. Type the following into the window that appears: About Me Introduction: In this project you will learn how to write a Python program telling people all about you. Step 1: Saying hello Let s start by writing some text. Activity Checklist Open the blank

More information

CS61B Lecture #33. Today: Backtracking searches, game trees (DSIJ, Section 6.5)

CS61B Lecture #33. Today: Backtracking searches, game trees (DSIJ, Section 6.5) CS61B Lecture #33 Today: Backtracking searches, game trees (DSIJ, Section 6.5) Coming Up: Concurrency and synchronization(data Structures, Chapter 10, and Assorted Materials On Java, Chapter 6; Graph Structures:

More information

HW4: The Game of Pig Due date: Tuesday, Mar 15 th at 9pm. Late turn-in deadline is Thursday, Mar 17th at 9pm.

HW4: The Game of Pig Due date: Tuesday, Mar 15 th at 9pm. Late turn-in deadline is Thursday, Mar 17th at 9pm. HW4: The Game of Pig Due date: Tuesday, Mar 15 th at 9pm. Late turn-in deadline is Thursday, Mar 17th at 9pm. 1. Background: Pig is a folk jeopardy dice game described by John Scarne in 1945, and was an

More information

MITOCW mit-6-00-f08-lec06_300k

MITOCW mit-6-00-f08-lec06_300k MITOCW mit-6-00-f08-lec06_300k ANNOUNCER: Open content is provided under a creative commons license. Your support will help MIT OpenCourseWare continue to offer high-quality educational resources for free.

More information

MITOCW ocw lec11

MITOCW ocw lec11 MITOCW ocw-6.046-lec11 Here 2. Good morning. Today we're going to talk about augmenting data structures. That one is 23 and that is 23. And I look here. For this one, And this is a -- Normally, rather

More information

MANIFESTATION REVEALED - THE LAWS OF MIND SYSTEM

MANIFESTATION REVEALED - THE LAWS OF MIND SYSTEM MANIFESTATION REVEALED - THE LAWS OF MIND SYSTEM In this short worksheet, we're going to talk about some basics of the Laws Of Mind System. We're also going to talk about how it's different from the law

More information

Blink. EE 285 Arduino 1

Blink. EE 285 Arduino 1 Blink At the end of the previous lecture slides, we loaded and ran the blink program. When the program is running, the built-in LED blinks on and off on for one second and off for one second. It is very

More information

Mint Tin Mini Skulduggery

Mint Tin Mini Skulduggery Mint Tin Mini Skulduggery 1-4 player, 10- to 25-minute dice game How much is your spirit worth? Invoke the ethereal realm to roll spirit points, shatter others, and push the limits without unleashing skulduggery!

More information

Circuit Playground Quick Draw

Circuit Playground Quick Draw Circuit Playground Quick Draw Created by Carter Nelson Last updated on 2018-01-22 11:45:29 PM UTC Guide Contents Guide Contents Overview Required Parts Before Starting Circuit Playground Classic Circuit

More information

Project 2 - Blackjack Due 7/1/12 by Midnight

Project 2 - Blackjack Due 7/1/12 by Midnight Project 2 - Blackjack Due 7//2 by Midnight In this project we will be writing a program to play blackjack (or 2). For those of you who are unfamiliar with the game, Blackjack is a card game where each

More information

2: Turning the Tables

2: Turning the Tables 2: Turning the Tables Gareth McCaughan Revision 1.8, May 14, 2001 Credits c Gareth McCaughan. All rights reserved. This document is part of the LiveWires Python Course. You may modify and/or distribute

More information

Description: PUP Math World Series Location: David Brearley High School Kenilworth, NJ Researcher: Professor Carolyn Maher

Description: PUP Math World Series Location: David Brearley High School Kenilworth, NJ Researcher: Professor Carolyn Maher Page: 1 of 5 Line Time Speaker Transcript 1 Narrator In January of 11th grade, the Focus Group of five Kenilworth students met after school to work on a problem they had never seen before: the World Series

More information

Girls Programming Network. Scissors Paper Rock!

Girls Programming Network. Scissors Paper Rock! Girls Programming Network Scissors Paper Rock! This project was created by GPN Australia for GPN sites all around Australia! This workbook and related materials were created by tutors at: Sydney, Canberra

More information

OCR Statistics 1. Probability. Section 2: Permutations and combinations. Factorials

OCR Statistics 1. Probability. Section 2: Permutations and combinations. Factorials OCR Statistics Probability Section 2: Permutations and combinations Notes and Examples These notes contain subsections on Factorials Permutations Combinations Factorials An important aspect of life is

More information

Trial version. Resistor Production. How can the outcomes be analysed to optimise the process? Student. Contents. Resistor Production page: 1 of 15

Trial version. Resistor Production. How can the outcomes be analysed to optimise the process? Student. Contents. Resistor Production page: 1 of 15 Resistor Production How can the outcomes be analysed to optimise the process? Resistor Production page: 1 of 15 Contents Initial Problem Statement 2 Narrative 3-11 Notes 12 Appendices 13-15 Resistor Production

More information

Writing a Scholarship Essay From Fastweb.com

Writing a Scholarship Essay From Fastweb.com Writing a Scholarship Essay From Fastweb.com Keep in mind that you are asking to be selected as the representative for the group sponsoring the scholarship. You need to be sure that your essay is specifically

More information

For slightly more detailed instructions on how to play, visit:

For slightly more detailed instructions on how to play, visit: Introduction to Artificial Intelligence CS 151 Programming Assignment 2 Mancala!! The purpose of this assignment is to program some of the search algorithms and game playing strategies that we have learned

More information

Planning a Campaign Strategy

Planning a Campaign Strategy Planning a Campaign Strategy This is a brief write up of the How to Plan a Campaign Strategy workshop run in Friends of the Earth. It aims to represent the information given in the workshop but isn t a

More information

I: Can you tell me more about how AIDS is passed on from one person to the other? I: Ok. Does it matter a how often a person gets a blood transfusion?

I: Can you tell me more about how AIDS is passed on from one person to the other? I: Ok. Does it matter a how often a person gets a blood transfusion? Number 68 I: In this interview I will ask you to talk about AIDS. And I want you to know that you don't have to answer all my questions. If you don't want to answer a question just let me know and I will

More information

Cumulative Distribution Function (CDF) - Analyzing the Roll of Dice with TSQL

Cumulative Distribution Function (CDF) - Analyzing the Roll of Dice with TSQL Cumulative Distribution Function (CDF) - Analyzing the Roll of Dice with TSQL After the last post on Cumulative Distribution Function (CDF) or as it is known in TSQL CUME_DIST(), I realized that although

More information

MITOCW MITCMS_608S14_ses05

MITOCW MITCMS_608S14_ses05 MITOCW MITCMS_608S14_ses05 The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources for free. To

More information

Ancestry Hints What to Do With All Those Little Green Leaves

Ancestry Hints What to Do With All Those Little Green Leaves Ancestry Hints What to Do With All Those Little Green Leaves Prerequisites This tutorial assumes you have: 1. Set up your FamilySearch and free LDS Ancestry accounts and connected them 2. Entered living

More information

Probability Paradoxes

Probability Paradoxes Probability Paradoxes Washington University Math Circle February 20, 2011 1 Introduction We re all familiar with the idea of probability, even if we haven t studied it. That is what makes probability so

More information

Lesson 8 Tic-Tac-Toe (Noughts and Crosses)

Lesson 8 Tic-Tac-Toe (Noughts and Crosses) Lesson Game requirements: There will need to be nine sprites each with three costumes (blank, cross, circle). There needs to be a sprite to show who has won. There will need to be a variable used for switching

More information

Transcript of the podcasted interview: How to negotiate with your boss by W.P. Carey School of Business

Transcript of the podcasted interview: How to negotiate with your boss by W.P. Carey School of Business Transcript of the podcasted interview: How to negotiate with your boss by W.P. Carey School of Business Knowledge: One of the most difficult tasks for a worker is negotiating with a boss. Whether it's

More information

Heuristics: Rules of Thumb

Heuristics: Rules of Thumb MODELING BASICS Heuristics: Rules of Thumb Tony Starfield recorded: November, 2009 What is a heuristic? A heuristic is a rule of thumb. It is something that is sometimes true and sometimes works, but sometimes

More information

Summer 2006 I2T2 Number Sense Page 24. N3 - Fractions. Work in Pairs. Find three different models to represent each situation.

Summer 2006 I2T2 Number Sense Page 24. N3 - Fractions. Work in Pairs. Find three different models to represent each situation. Summer 2006 I2T2 Number Sense Page 24 Modeling Fraction Sums and Differences N3 - Fractions Work in Pairs. Find three different models to represent each situation. Write an addition sentence for each model.

More information

For this assignment, your job is to create a program that plays (a simplified version of) blackjack. Name your program blackjack.py.

For this assignment, your job is to create a program that plays (a simplified version of) blackjack. Name your program blackjack.py. CMPT120: Introduction to Computing Science and Programming I Instructor: Hassan Khosravi Summer 2012 Assignment 3 Due: July 30 th This assignment is to be done individually. ------------------------------------------------------------------------------------------------------------

More information

CSE231 Spring Updated 04/09/2019 Project 10: Basra - A Fishing Card Game

CSE231 Spring Updated 04/09/2019 Project 10: Basra - A Fishing Card Game CSE231 Spring 2019 Updated 04/09/2019 Project 10: Basra - A Fishing Card Game This assignment is worth 55 points (5.5% of the course grade) and must be completed and turned in before 11:59pm on April 15,

More information

Proven Performance Inventory

Proven Performance Inventory Proven Performance Inventory Module 4: How to Create a Listing from Scratch 00:00 Speaker 1: Alright guys. Welcome to the next module. How to create your first listing from scratch. Really important thing

More information

Let's Race! Typing on the Home Row

Let's Race! Typing on the Home Row Let's Race! Typing on the Home Row Michael Hoyle Susan Rodger Duke University 2012 Overview In this tutorial you will be creating a bike racing game to practice keyboarding. Your bike will move forward

More information

UNDERSTANDING LAYER MASKS IN PHOTOSHOP

UNDERSTANDING LAYER MASKS IN PHOTOSHOP UNDERSTANDING LAYER MASKS IN PHOTOSHOP In this Adobe Photoshop tutorial, we re going to look at one of the most essential features in all of Photoshop - layer masks. We ll cover exactly what layer masks

More information

Candidate Instructions

Candidate Instructions Create Software Components Using Java - Level 2 Assignment 7262-22-205 Create Software Components Using Java Level 2 Candidates are advised to read all instructions carefully before starting work and to

More information

Take one! Rules: Two players take turns taking away 1 chip at a time from a pile of chips. The player who takes the last chip wins.

Take one! Rules: Two players take turns taking away 1 chip at a time from a pile of chips. The player who takes the last chip wins. Take-Away Games Introduction Today we will play and study games. Every game will be played by two players: Player I and Player II. A game starts with a certain position and follows some rules. Players

More information

MITOCW watch?v=6fyk-3vt4fe

MITOCW watch?v=6fyk-3vt4fe MITOCW watch?v=6fyk-3vt4fe Good morning, everyone. So we come to the end-- one last lecture and puzzle. Today, we're going to look at a little coin row game and talk about, obviously, an algorithm to solve

More information

GeoPlunge Combo 1 Overview

GeoPlunge Combo 1 Overview GeoPlunge Combo 1 Overview These are the rules for the easiest version of play. For more advanced versions, visit www.learningplunge.org and click on the resources tab. Cards: The cards used in Combo 1:

More information

(a) Left Right (b) Left Right. Up Up 5-4. Row Down 0-5 Row Down 1 2. (c) B1 B2 (d) B1 B2 A1 4, 2-5, 6 A1 3, 2 0, 1

(a) Left Right (b) Left Right. Up Up 5-4. Row Down 0-5 Row Down 1 2. (c) B1 B2 (d) B1 B2 A1 4, 2-5, 6 A1 3, 2 0, 1 Economics 109 Practice Problems 2, Vincent Crawford, Spring 2002 In addition to these problems and those in Practice Problems 1 and the midterm, you may find the problems in Dixit and Skeath, Games of

More information

D - Robot break time - make a game!

D - Robot break time - make a game! D - Robot break time - make a game! Even robots need to rest sometimes - let's build a reaction timer game to play when we have some time off from the mission. 2017 courses.techcamp.org.uk/ Page 1 of 7

More information

MITOCW R9. Rolling Hashes, Amortized Analysis

MITOCW R9. Rolling Hashes, Amortized Analysis MITOCW R9. Rolling Hashes, Amortized Analysis The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources

More information

Autodesk University Laser-Scanning Workflow Process for Chemical Plant Using ReCap and AutoCAD Plant 3D

Autodesk University Laser-Scanning Workflow Process for Chemical Plant Using ReCap and AutoCAD Plant 3D Autodesk University Laser-Scanning Workflow Process for Chemical Plant Using ReCap and AutoCAD Plant 3D LENNY LOUQUE: My name is Lenny Louque. I'm a senior piping and structural designer for H&K Engineering.

More information

Rock, Paper, Scissors

Rock, Paper, Scissors Projects Rock, Paper, Scissors Create your own 'Rock, Paper Scissors' game. Python Step 1 Introduction In this project you will make a Rock, Paper, Scissors game and play against the computer. Rules: You

More information

Once this function is called, it repeatedly does several things over and over, several times per second:

Once this function is called, it repeatedly does several things over and over, several times per second: Alien Invasion Oh no! Alien pixel spaceships are descending on the Minecraft world! You'll have to pilot a pixel spaceship of your own and fire pixel bullets to stop them! In this project, you will recreate

More information

Animal Poker Rulebook

Animal Poker Rulebook Number of players: 3-6 Length: 30-45 minutes 1 Overview Animal Poker Rulebook Sam Hopkins Animal Poker is a game for 3 6 players. The object is to guess the best Set you can make each round among the Animals

More information

Game A. Auction Block

Game A. Auction Block Auction Block The purpose of the game is for each player to try to accumulate as much wealth as possible. Each player is given $10,000 at the start of the game. Players roll dice and move around a game

More information

Multimedia and Arts Integration in ELA

Multimedia and Arts Integration in ELA Multimedia and Arts Integration in ELA TEACHER: There are two questions. I put the poem that we looked at on Thursday over here on the side just so you can see the actual text again as you're answering

More information

INTRODUCTION my world

INTRODUCTION my world INTRODUCTION This book is dedicated to all the hard working lotto players and independent professionals forecasters, like you, who continue on in the face of any challenge to add value to society, to support

More information

Grade 7/8 Math Circles Game Theory October 27/28, 2015

Grade 7/8 Math Circles Game Theory October 27/28, 2015 Faculty of Mathematics Waterloo, Ontario N2L 3G1 Centre for Education in Mathematics and Computing Grade 7/8 Math Circles Game Theory October 27/28, 2015 Chomp Chomp is a simple 2-player game. There is

More information

~ 1 ~ WELCOME TO:

~ 1 ~ WELCOME TO: ~ 1 ~ WELCOME TO: Hi, and thank you for subscribing to my newsletter and downloading this e-book. First, I want to congratulate you for reading this because by doing so, you're way up ahead than all the

More information

SPLIT ODDS. No. But win the majority of the 1089 hands you play in this next year? Yes. That s why Split Odds are so basic, like Counting.

SPLIT ODDS. No. But win the majority of the 1089 hands you play in this next year? Yes. That s why Split Odds are so basic, like Counting. Here, we will be looking at basic Declarer Play Planning and fundamental Declarer Play skills. Count, Count, Count is of course the highest priority Declarer skill as it is in every phase of Duplicate,

More information

"The Lottery Shotgun Method:

The Lottery Shotgun Method: "The Lottery Shotgun Method: Winning More Without Breaking The Bank" By Lottery Guy Copyright 2012 Lottery-Guy.com. ALL RIGHTS RESERVED. This report is copyright. It may not be copied, reproduced or distributed

More information

MITOCW MITCMS_608S14_ses03_2

MITOCW MITCMS_608S14_ses03_2 MITOCW MITCMS_608S14_ses03_2 The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources for free.

More information

MITOCW ocw f08-lec36_300k

MITOCW ocw f08-lec36_300k MITOCW ocw-18-085-f08-lec36_300k The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high-quality educational resources for free.

More information

MITOCW watch?v=fp7usgx_cvm

MITOCW watch?v=fp7usgx_cvm MITOCW watch?v=fp7usgx_cvm Let's get started. So today, we're going to look at one of my favorite puzzles. I'll say right at the beginning, that the coding associated with the puzzle is fairly straightforward.

More information

Environmental Stochasticity: Roc Flu Macro

Environmental Stochasticity: Roc Flu Macro POPULATION MODELS Environmental Stochasticity: Roc Flu Macro Terri Donovan recorded: January, 2010 All right - let's take a look at how you would use a spreadsheet to go ahead and do many, many, many simulations

More information

MITOCW mit-6-00-f08-lec03_300k

MITOCW mit-6-00-f08-lec03_300k MITOCW mit-6-00-f08-lec03_300k The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseware continue to offer high-quality educational resources for free.

More information

A - Debris on the Track

A - Debris on the Track A - Debris on the Track Rocks have fallen onto the line for the robot to follow, blocking its path. We need to make the program clever enough to not get stuck! Step 1 2017 courses.techcamp.org.uk/ Page

More information

6.00 Introduction to Computer Science and Programming, Fall 2008

6.00 Introduction to Computer Science and Programming, Fall 2008 MIT OpenCourseWare http://ocw.mit.edu 6.00 Introduction to Computer Science and Programming, Fall 2008 Please use the following citation format: Eric Grimson and John Guttag, 6.00 Introduction to Computer

More information

Fred: Wow, that's really nice to hear. So yeah, so when something like this happens, you always have people around you to help you.

Fred: Wow, that's really nice to hear. So yeah, so when something like this happens, you always have people around you to help you. Accidental Feelings Shibika shares her feelings about how she felt after her accident. Fred: So, after this horrible accident, how did life your change? What could you say are your after thoughts after

More information

We're excited to announce that the next JAFX Trading Competition will soon be live!

We're excited to announce that the next JAFX Trading Competition will soon be live! COMPETITION Competition Swipe - Version #1 Title: Know Your Way Around a Forex Platform? Here s Your Chance to Prove It! We're excited to announce that the next JAFX Trading Competition will soon be live!

More information

Rubik's Cube Solution

Rubik's Cube Solution Rubik's Cube Solution This Rubik's Cube solution is very easy to learn. Anyone can do it! In about 30 minutes with this guide, you'll have a cube that looks like this: Throughout this guide, I'll be using

More information

Writing to the Editor

Writing to the Editor Writing to the Editor What is a letter to the editor? You feel strongly about an issue, and you want to let people know what you think. You believe you can even influence people to take some action if

More information

HW4: The Game of Pig Due date: Thursday, Oct. 29 th at 9pm. Late turn-in deadline is Tuesday, Nov. 3 rd at 9pm.

HW4: The Game of Pig Due date: Thursday, Oct. 29 th at 9pm. Late turn-in deadline is Tuesday, Nov. 3 rd at 9pm. HW4: The Game of Pig Due date: Thursday, Oct. 29 th at 9pm. Late turn-in deadline is Tuesday, Nov. 3 rd at 9pm. 1. Background: Pig is a folk jeopardy dice game described by John Scarne in 1945, and was

More information

MITOCW R3. Document Distance, Insertion and Merge Sort

MITOCW R3. Document Distance, Insertion and Merge Sort MITOCW R3. Document Distance, Insertion and Merge Sort The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high-quality educational

More information

HOW TO WIN LOTTO WITH KEYS AND FORECAST MAKE YOUR WAY WITH BABA IJEBU

HOW TO WIN LOTTO WITH KEYS AND FORECAST MAKE YOUR WAY WITH BABA IJEBU 2011 HOW TO WIN LOTTO WITH KEYS AND FORECAST MAKE YOUR WAY WITH BABA IJEBU I m going to be discussing my experience with lotto forecast and keys in this ebook, how you can put your money on the right numbers.

More information

Circle Link 1 Online Rules of the Road

Circle Link 1   Online Rules of the Road 4 th Grade Scavenger Hunt Links Content Circle Link 1 http://www.commonsensemedia.org/get-cybersmart-phineas-and-ferb Online Rules of the Road 1. Guard your privacy. What people know about you is up to

More information

LEVEL A: SCOPE AND SEQUENCE

LEVEL A: SCOPE AND SEQUENCE LEVEL A: SCOPE AND SEQUENCE LESSON 1 Introduction to Components: Batteries and Breadboards What is Electricity? o Static Electricity vs. Current Electricity o Voltage, Current, and Resistance What is a

More information

the gamedesigninitiative at cornell university Lecture 6 Uncertainty & Risk

the gamedesigninitiative at cornell university Lecture 6 Uncertainty & Risk Lecture 6 Uncertainty and Risk Risk: outcome of action is uncertain Perhaps action has random results May depend upon opponent s actions Need to know what opponent will do Two primary means of risk in

More information

DAZ Studio. Camera Control. Quick Tutorial

DAZ Studio. Camera Control. Quick Tutorial DAZ Studio Camera Control Quick Tutorial By: Thyranq June, 2011 Hi there, and welcome to a quick little tutorial that should help you out with setting up your cameras and camera parameters in DAZ Studio.

More information

Things I DON'T Like. Things I DO Like. Skill Quizzes. The Agenda

Things I DON'T Like. Things I DO Like. Skill Quizzes. The Agenda The Agenda 1) Mr Schneider explains his philosophy of testing & grading 2) You reflect on what you need to work on and make a plan for it 3) Mr Schneider conferences with students while you get help with

More information

Composition Allsop Research Paper Checklist NOTECARDS

Composition Allsop Research Paper Checklist NOTECARDS Composition Allsop Research Paper Checklist Please read this schedule all the way through. The following due dates are a MINIMUM PACE to succeed. I encourage you to work at a faster pace where you can.

More information

BIEB 143 Spring 2018 Weeks 8-10 Game Theory Lab

BIEB 143 Spring 2018 Weeks 8-10 Game Theory Lab BIEB 143 Spring 2018 Weeks 8-10 Game Theory Lab Please read and follow this handout. Read a section or paragraph completely before proceeding to writing code. It is important that you understand exactly

More information

Write an Opinion Essay

Write an Opinion Essay Skill: Opinion Essay, page 1 of 5 Name: Class: Date: Write an Opinion Essay Directions: Read Is Technology Messing With Your Brain? on pages 20-21 of the January 10, 2011, issue of Scope. Fill in the chart

More information

C# Tutorial Fighter Jet Shooting Game

C# Tutorial Fighter Jet Shooting Game C# Tutorial Fighter Jet Shooting Game Welcome to this exciting game tutorial. In this tutorial we will be using Microsoft Visual Studio with C# to create a simple fighter jet shooting game. We have the

More information

Formulas: Index, Match, and Indirect

Formulas: Index, Match, and Indirect Formulas: Index, Match, and Indirect Hello and welcome to our next lesson in this module on formulas, lookup functions, and calculations, and this time around we're going to be extending what we talked

More information

Block Sanding Primer Dos and Don ts Transcript

Block Sanding Primer Dos and Don ts Transcript Block Sanding Primer Dos and Don ts Transcript Hey, this is Donnie Smith. And welcome to this lesson on block sanding primer. In this lesson, we're going to give you some of the do's and some of the don

More information

PHASE 10 CARD GAME Copyright 1982 by Kenneth R. Johnson

PHASE 10 CARD GAME Copyright 1982 by Kenneth R. Johnson PHASE 10 CARD GAME Copyright 1982 by Kenneth R. Johnson For Two to Six Players Object: To be the first player to complete all 10 Phases. In case of a tie, the player with the lowest score is the winner.

More information

INTRODUCTION TO COMPUTER SCIENCE I PROJECT 6 Sudoku! Revision 2 [2010-May-04] 1

INTRODUCTION TO COMPUTER SCIENCE I PROJECT 6 Sudoku! Revision 2 [2010-May-04] 1 INTRODUCTION TO COMPUTER SCIENCE I PROJECT 6 Sudoku! Revision 2 [2010-May-04] 1 1 The game of Sudoku Sudoku is a game that is currently quite popular and giving crossword puzzles a run for their money

More information

Project #1 Report for Color Match Game

Project #1 Report for Color Match Game Project #1 Report for Color Match Game Department of Computer Science University of New Hampshire September 16, 2013 Table of Contents 1. Introduction...2 2. Design Specifications...2 2.1. Game Instructions...2

More information

Statistical Analysis of Nuel Tournaments Department of Statistics University of California, Berkeley

Statistical Analysis of Nuel Tournaments Department of Statistics University of California, Berkeley Statistical Analysis of Nuel Tournaments Department of Statistics University of California, Berkeley MoonSoo Choi Department of Industrial Engineering & Operations Research Under Guidance of Professor.

More information

SET-UP QUALIFYING. x7 x4 x2. x1 x3

SET-UP QUALIFYING. x7 x4 x2. x1 x3 +D +D from lane + from mph lane from + mph lane + from mph lane + mph This demonstration race will walk you through set-up and the first four turns of a one- race to teach you the basics of the game. ;

More information

Photoshop Techniques Digital Enhancement

Photoshop Techniques Digital Enhancement Photoshop Techniques Digital Enhancement A tremendous range of enhancement techniques are available to anyone shooting astrophotographs if they have access to a computer and can digitize their images.

More information

CS61B Lecture #22. Today: Backtracking searches, game trees (DSIJ, Section 6.5) Last modified: Mon Oct 17 20:55: CS61B: Lecture #22 1

CS61B Lecture #22. Today: Backtracking searches, game trees (DSIJ, Section 6.5) Last modified: Mon Oct 17 20:55: CS61B: Lecture #22 1 CS61B Lecture #22 Today: Backtracking searches, game trees (DSIJ, Section 6.5) Last modified: Mon Oct 17 20:55:07 2016 CS61B: Lecture #22 1 Searching by Generate and Test We vebeenconsideringtheproblemofsearchingasetofdatastored

More information

class TicTacToe: def init (self): # board is a list of 10 strings representing the board(ignore index 0) self.board = [" "]*10 self.

class TicTacToe: def init (self): # board is a list of 10 strings representing the board(ignore index 0) self.board = [ ]*10 self. The goal of this lab is to practice problem solving by implementing the Tic Tac Toe game. Tic Tac Toe is a game for two players who take turns to fill a 3 X 3 grid with either o or x. Each player alternates

More information

CS 371M. Homework 2: Risk. All submissions should be done via git. Refer to the git setup, and submission documents for the correct procedure.

CS 371M. Homework 2: Risk. All submissions should be done via git. Refer to the git setup, and submission documents for the correct procedure. Homework 2: Risk Submission: All submissions should be done via git. Refer to the git setup, and submission documents for the correct procedure. The root directory of your repository should contain your

More information

STAT 311 (Spring 2016) Worksheet: W3W: Independence due: Mon. 2/1

STAT 311 (Spring 2016) Worksheet: W3W: Independence due: Mon. 2/1 Name: Group 1. For all groups. It is important that you understand the difference between independence and disjoint events. For each of the following situations, provide and example that is not in the

More information

A NIGHT AT THE OPERA

A NIGHT AT THE OPERA A NIGHT AT THE OPERA Join us now as we take a trip back in time. Fasten your seatbelts as we travel back nearly 150 years, to 1858. A young American, Paul Morphy, was taking the chess world by storm. He

More information

MITOCW Recitation 9b: DNA Sequence Matching

MITOCW Recitation 9b: DNA Sequence Matching MITOCW Recitation 9b: DNA Sequence Matching The following content is provided under a Creative Commons license. Your support will help MIT OpenCourseWare continue to offer high quality educational resources

More information

The Beauty and Joy of Computing Lab Exercise 10: Shall we play a game? Objectives. Background (Pre-Lab Reading)

The Beauty and Joy of Computing Lab Exercise 10: Shall we play a game? Objectives. Background (Pre-Lab Reading) The Beauty and Joy of Computing Lab Exercise 10: Shall we play a game? [Note: This lab isn t as complete as the others we have done in this class. There are no self-assessment questions and no post-lab

More information

The notes are C, G, and E.

The notes are C, G, and E. A and E Style Chords: The C's When I first offered this course, the demo was about the C Major chord using both the E and A style format. I am duplicating that lesson here. At the bottom I will show you

More information