public class Craps extends JFrame implements ActionListener { final int WON = 0,LOST =1, CONTINUE = 2;
|
|
|
- Myles Perkins
- 10 years ago
- Views:
Transcription
1 Lecture 15 The Game of "Craps" In the game of "craps" a player throws a pair of dice. If the sum on the faces of the pair of dice after the first toss is 7 or 11 the player wins; if the sum on the first throw is 2, 3, or 12 he loses. If he tosses a 4,5,6,8,9,or 10 then this sum is caleed the his "point" and he continues rolling until he makes his point, and wins, or tosses a 7, and loses. The final product we shall develop, as Lab 7, is on the web. We will approach the development by building the parts, trying to combine the parts into one piece, finding difficulties in carrying out the combinations, and then resolving these problems. Simulating the Game We begin by constructing a class Craps for simulating the game. The "Bank" will be built later. The class will employ JLabels, JTextFields, a JButton, and will also implement the ActionListener. The skeleton of Craps is as follows: import java.awt.*; import javax.swing.*; import java.awt.event.*; public class Craps extends JFrame implements ActionListener final int WON = 0,LOST =1, CONTINUE = 2; boolean firstroll = true; int sumofdice = 0; int mypoint = 0; int gamestatus = CONTINUE; JLabel die1label, die2label, sumlabel, pointlabel, pointlabel, setbetlabel; JTextField firstdie, seconddie, sum, point, setbet, display; JButton roll; Gridlayout grid; public Craps() // end Craps() public void actionperformed(actionevent e) 1
2 play(); //end actionperformed(actionevent e) public void play() // end play() public int rolldice() return 1; // end rolldice() // end Craps This is the bare structure of the class. The two major parts to be written are the constructor Craps() and the method play(). Incidentally, the class as it now stands will compile; it will not compile without the return 1 in rolldice(). The constructor This segment consists of building the constructor Craps2(). (The names will go from Craps to Craps2, to Craps3, etc in order to have a record of the different stages of the development of the program) As you can see, in the red print below, building the constructor consists of creating JLabels and JTextFields an adding them to the container. import java.awt.*; import javax.swing.*; import java.awt.event.*; public class Craps2 extends JFrame implements ActionListener final int WON = 0,LOST =1, CONTINUE = 2; boolean firstroll = true; int sumofdice = 0; int mypoint = 0; int gamestatus = CONTINUE; JLabel die1label, die2label, sumlabel, pointlabel, setbetlabel; JTextField firstdie, seconddie, sum, point, setbet, display; JButton roll; GridLayout grid; 2
3 public Craps2() Container c = getcontentpane(); grid = new GridLayout(6,2,2,2); c.setlayout(grid); setbetlabel = new JLabel(" Set your bet"); c.add(setbetlabel); setbet = new JTextField(); setbet.addactionlistener(this); c.add(setbet); die1label = new JLabel(" Die1"); c.add(die1label); firstdie = new JTextField(); firstdie.seteditable(false); c.add(firstdie); die2label = new JLabel(" Die2"); c.add(die2label); seconddie = new JTextField(); seconddie.seteditable(false); c.add(seconddie); sumlabel = new JLabel(" c.add(sumlabel); sum = new JTextField(); sum.seteditable(false); c.add(sum); Sum is"); pointlabel = new JLabel(" c.add(pointlabel); point = new JTextField(); point.seteditable(false); c.add(point); Point is"); roll = new JButton(" Roll Dice"); roll.addactionlistener(this); c.add(roll); display = new JTextField(); c.add(display); setsize(200,300); setlocation(300,200); show(); // <---- Be sure to show your work // end Craps2() 3
4 public void actionperformed(actionevent e) play(); //2 the action //end actionperformed(actionevent e) public void play() //3 implementing the action // end play() public int rolldice() //4 the simplest part return 1; // end rolldice() // end Craps2 To run this class as an applet use the simple applet below: import java.awt.*; import java.awt.event.*; import javax.swing.*; public class TestCraps2 extends JApplet Craps2 game; public void init() game = new Craps2(); Of course you will need the following file,testcraps2.html, to run the applet. <html> <applet code="testcraps2.class" height = 50 width = 500> </applet> </html> When is TestCraps2 compiled and viewed by means of the appletviewer the following appears on the screen: 4
5 The background colors above are the ones that appear when no special efforts are made to produce particular colors. In general, labels and fields that cannot be edited will be gray; fields that can be edited will be white. So, all we have so far is the grid that will hold our results. Playing the game For the time being we shall ignore the question of the size of the bet and concentrate on playing the game. Consequently the actionperformed( ) method will have the simple form: public void actionperformed(actionevent e) play(); //end actionperformed(actionevent e) Of course, writing play() is the major problem at this point. We start with a simple method for simulating one toss of a pair of dice: public int rolldice() int die1, die2, worksum; die1 = 1 + (int)(6*math.random()); die2 = 1 + (int)(6*math.random()); worksum = die1 + die2; firstdie.settext(integer.tostring(die1)); seconddie.settext(integer.tostring(die2)); sum.settext(integer.tostring(worksum)); return worksum; // end rolldice() There is nothing new here. 5
6 The play() method does contain a new idea, mainly switch(sumofdice),which is a variation of the if-then construction. public void play() if(firstroll) sumofdice = rolldice(); switch(sumofdice) case 7: case 11: gamestatus = WON; point.settext(""); case 2: case 3: case 12: gamestatus = LOST; point.settext(""); default: gamestatus = CONTINUE; mypoint = sumofdice; point.settext(integer.tostring(mypoint)); firstroll = false; // end switch // end if(firstroll) else sumofdice = rolldice(); if(sumofdice == mypoint) gamestatus = WON; if(sumofdice == 7) gamestatus = LOST; //end else if(gamestatus == CONTINUE) display.settext("roll Again"); if(gamestatus == WON) display.settext(" firstroll = true; Win!. Roll\n to play again"); if(gamestatus == LOST) display.settext(" Player Loses\n Play again"); firstroll = true; // end play 6
7 In general switch() is an integer-valued method is a method whose parameter is also an integer. The fragment switch(sumofdice) case 7: case 11: gamestatus = WON; point.settext(""); means if sumofdice is 7 or 11 then gamestatus = WON. For the record, the complete program at this point, Craps3, is: import java.awt.*; import javax.swing.*; import java.awt.event.*; public class Craps3 extends JFrame implements ActionListener final int WON = 0,LOST =1, CONTINUE = 2; boolean firstroll = true; int sumofdice = 0; int mypoint = 0; int gamestatus = CONTINUE; JLabel die1label, die2label, sumlabel, pointlabel, setbetlabel; JTextField firstdie, seconddie, sum, point, setbet, display; JButton roll; GridLayout grid; public Craps3() Container c = getcontentpane(); grid = new GridLayout(6,2,2,2); // 1 c.setlayout(grid); setbetlabel = new JLabel(" Set your bet"); c.add(setbetlabel); setbet = new JTextField(); setbet.addactionlistener(this); // 2 c.add(setbet); die1label = new JLabel(" Die1"); c.add(die1label); firstdie = new JTextField(); firstdie.seteditable(false); c.add(firstdie); die2label = new JLabel(" Die2"); c.add(die2label); seconddie = new JTextField(); seconddie.seteditable(false); 7
8 c.add(seconddie); sumlabel = new JLabel(" Sum is"); c.add(sumlabel); sum = new JTextField(); sum.seteditable(false); c.add(sum); pointlabel = new JLabel(" Point is"); c.add(pointlabel); point = new JTextField(); point.seteditable(false); c.add(point); roll = new JButton(" Roll Dice"); roll.addactionlistener(this); c.add(roll); display = new JTextField(); c.add(display); setsize(200,300); setlocation(300,200); show(); // end Craps3() public void actionperformed(actionevent e) play(); //end actionperformed(actionevent e) public void play() if(firstroll) sumofdice = rolldice(); switch(sumofdice) case 7: case 11: gamestatus = WON; point.settext(""); case 2: case 3: case 12: gamestatus = LOST; point.settext(""); default: gamestatus = CONTINUE; mypoint = sumofdice; point.settext(integer.tostring(mypoint)); 8
9 firstroll = false; // end switch // end if(firstroll) else sumofdice = rolldice(); if(sumofdice == mypoint) gamestatus = WON; if(sumofdice == 7) gamestatus = LOST; //end else if(gamestatus == CONTINUE) display.settext("roll Again"); if(gamestatus == WON) display.settext(" firstroll = true; Win!. Roll\n to play again"); if(gamestatus == LOST) display.settext(" Player Loses\n Play again"); firstroll = true; // end play public int rolldice() int die1, die2, worksum; die1 = 1 + (int)(6*math.random()); die2 = 1 + (int)(6*math.random()); worksum = die1 + die2; firstdie.settext(integer.tostring(die1)); seconddie.settext(integer.tostring(die2)); sum.settext(integer.tostring(worksum)); return worksum; // end rolldice() // end Craps3 Two supplements are needed to test it. First, an applet: import java.awt.*; import java.awt.event.*; import javax.swing.*; public class TestCraps3 extends JApplet 9
10 Craps3 game; public void init() game = new Craps3(); Then a TesTCraps3.html file: <html> <applet code="testcraps3.class" height = 50 width = 500> </applet> </html> When the program is run a window like the one in the first panel below appears. The player then clicks on the Roll Dice button. If he makes a 7 on the first toss, he wins, as in the second window. If he tosses a 10 on the first roll, as in third panel, the game continues. The setting of bets and accompanying bookkeeping have yet to be implemented. 10
11 Setting Colors and Fonts for Labels, TextFields, and Buttons There are several ways to go about changing colors and fonts on components. First, you can go to the beginning of the constructor and add the line c.setbackground(color.white): public Craps3() Container c = getcontentpane(); grid = new GridLayout(6,2,2,2); c.setlayout(grid); c.setbackground(color.white);. When this is done most of the components will have a white background. Some, such as buttons and text fields that are not editable will have a blue-gray background. Second, you can work with the individual components. In the case below the background has been set to white, the foreground (the text) has been set to red, and the font has been set to SansSerif, bold,16 point. pointlabel = new JLabel(" Point is"); c.add(pointlabel); point = new JTextField(); point.setbackground(color.white); point.setforeground(color.red); point.setfont(new Font("SansSerif", Font.BOLD, 16)); point.seteditable(false); c.add(point); 11
Homework/Program #5 Solutions
Homework/Program #5 Solutions Problem #1 (20 points) Using the standard Java Scanner class. Look at http://natch3z.blogspot.com/2008/11/read-text-file-using-javautilscanner.html as an exampleof using the
INTRODUCTION TO COMPUTER PROGRAMMING. Richard Pierse. Class 7: Object-Oriented Programming. Introduction
INTRODUCTION TO COMPUTER PROGRAMMING Richard Pierse Class 7: Object-Oriented Programming Introduction One of the key issues in programming is the reusability of code. Suppose that you have written a program
// Correntista. //Conta Corrente. package Banco; public class Correntista { String nome, sobrenome; int cpf;
// Correntista public class Correntista { String nome, sobrenome; int cpf; public Correntista(){ nome = "zé"; sobrenome = "Pereira"; cpf = 123456; public void setnome(string n){ nome = n; public void setsobrenome(string
5.17 GUI. Xiaoyi Jiang Informatik I Grundlagen der Programmierung
AWT vs. Swing AWT (Abstract Window Toolkit; Package java.awt) Benutzt Steuerelemente des darunterliegenden Betriebssystems Native Code (direkt für die Maschine geschrieben, keine VM); schnell Aussehen
The class JOptionPane (javax.swing) allows you to display a dialog box containing info. showmessagedialog(), showinputdialog()
// Fig. 2.8: Addition.java An addition program import javax.swing.joptionpane; public class Addition public static void main( String args[] ) String firstnumber, secondnumber; int number1, number2, sum;
Programming with Java GUI components
Programming with Java GUI components Java includes libraries to provide multi-platform support for Graphic User Interface objects. The multi-platform aspect of this is that you can write a program on a
CS 335 Lecture 06 Java Programming GUI and Swing
CS 335 Lecture 06 Java Programming GUI and Swing Java: Basic GUI Components Swing component overview Event handling Inner classes and anonymous inner classes Examples and various components Layouts Panels
Graphical User Interfaces
M14_REGE1813_02_SE_C14.qxd 2/10/10 3:43 PM Page 822 Chapter14 Graphical User Interfaces 14.1 GUI Basics Graphical Input and Output with Option Panes Working with Frames Buttons, Text Fields, and Labels
Using A Frame for Output
Eventos Roteiro Frames Formatting Output Event Handling Entering Data Using Fields in a Frame Creating a Data Entry Field Using a Field Reading Data in an Event Handler Handling Multiple Button Events
How to Convert an Application into an Applet.
How to Convert an Application into an Applet. A java application contains a main method. An applet is a java program part of a web page and runs within a browser. I am going to show you three different
How To Write A Program For The Web In Java (Java)
21 Applets and Web Programming As noted in Chapter 2, although Java is a general purpose programming language that can be used to create almost any type of computer program, much of the excitement surrounding
The Basic Java Applet and JApplet
I2PUJ4 - Chapter 6 - Applets, HTML, and GUI s The Basic Java Applet and JApplet Rob Dempster [email protected] School of Computer Science University of KwaZulu-Natal Pietermaritzburg Campus I2PUJ4 - Chapter
Advanced Network Programming Lab using Java. Angelos Stavrou
Advanced Network Programming Lab using Java Angelos Stavrou Table of Contents A simple Java Client...3 A simple Java Server...4 An advanced Java Client...5 An advanced Java Server...8 A Multi-threaded
GUIs with Swing. Principles of Software Construction: Objects, Design, and Concurrency. Jonathan Aldrich and Charlie Garrod Fall 2012
GUIs with Swing Principles of Software Construction: Objects, Design, and Concurrency Jonathan Aldrich and Charlie Garrod Fall 2012 Slides copyright 2012 by Jeffrey Eppinger, Jonathan Aldrich, William
Tema: Encriptación por Transposición
import java.awt.*; import java.awt.event.*; import javax.swing.*; public class PrincipalSO extends JApplet implements ActionListener { // Declaración global JLabel lblclave, lblencriptar, lblencriptado,
CSS 543 Program 3: Online Tic-Tac-Toe Game Professor: Munehiro Fukuda Due date: see the syllabus
CSS 543 Program 3: Online Tic-Tac-Toe Game Professor: Munehiro Fukuda Due date: see the syllabus 1. Purpose This assignment exercises how to write a peer-to-peer communicating program using non-blocking
11. Applets, normal window applications, packaging and sharing your work
11. Applets, normal window applications, packaging and sharing your work In this chapter Converting Full Screen experiments into normal window applications, Packaging and sharing applications packaging
method is never called because it is automatically called by the window manager. An example of overriding the paint() method in an Applet follows:
Applets - Java Programming for the Web An applet is a Java program designed to run in a Java-enabled browser or an applet viewer. In a browser, an applet is called into execution when the APPLET HTML tag
Probability: The Study of Randomness Randomness and Probability Models. IPS Chapters 4 Sections 4.1 4.2
Probability: The Study of Randomness Randomness and Probability Models IPS Chapters 4 Sections 4.1 4.2 Chapter 4 Overview Key Concepts Random Experiment/Process Sample Space Events Probability Models Probability
Extending Desktop Applications to the Web
Extending Desktop Applications to the Web Arno Puder San Francisco State University Computer Science Department 1600 Holloway Avenue San Francisco, CA 94132 [email protected] Abstract. Web applications have
Expected Value and the Game of Craps
Expected Value and the Game of Craps Blake Thornton Craps is a gambling game found in most casinos based on rolling two six sided dice. Most players who walk into a casino and try to play craps for the
The Abstract Windowing Toolkit. Java Foundation Classes. Swing. In April 1997, JavaSoft announced the Java Foundation Classes (JFC).
The Abstract Windowing Toolkit Since Java was first released, its user interface facilities have been a significant weakness The Abstract Windowing Toolkit (AWT) was part of the JDK form the beginning,
Essentials of the Java(TM) Programming Language, Part 1
Essentials of the Java(TM) Programming Language, Part 1 http://developer.java.sun.com/developer...ining/programming/basicjava1/index.html Training Index Essentials of the Java TM Programming Language:
file://c:\dokumente und Einstellungen\Marco Favorito\Desktop\ScanCmds.html
file:c:\dokumente und Einstellungen\Marco Favorito\Desktop\ScanCmds.html Seite 1 von 5 ScanCmds.java ------------------------------------------------------------------------------- ScanCmds Demontration
Callbacks. Callbacks Copyright 2007 by Ken Slonneger 1
Callbacks Callbacks refer to a mechanism in which a library or utility class provides a service to clients that are unknown to it when it is defined. Suppose, for example, that a server class creates a
Assignment # 2: Design Patterns and GUIs
CSUS COLLEGE OF ENGINEERING AND COMPUTER SCIENCE Department of Computer Science CSc 133 Object-Oriented Computer Graphics Programming Spring 2014 John Clevenger Assignment # 2: Design Patterns and GUIs
Assignment No.3. /*-- Program for addition of two numbers using C++ --*/
Assignment No.3 /*-- Program for addition of two numbers using C++ --*/ #include class add private: int a,b,c; public: void getdata() couta; cout
Tutorial: Time Of Day Part 2 GUI Design in NetBeans
Tutorial: Time Of Day Part 2 GUI Design in NetBeans October 7, 2010 Author Goals Kees Hemerik / Gerard Zwaan Getting acquainted with NetBeans GUI Builder Illustrate the separation between GUI and computation
How To Build A Swing Program In Java.Java.Netbeans.Netcode.Com (For Windows) (For Linux) (Java) (Javax) (Windows) (Powerpoint) (Netbeans) (Sun) (
Chapter 11. Graphical User Interfaces To this point in the text, our programs have interacted with their users to two ways: The programs in Chapters 1-5, implemented in Processing, displayed graphical
Introduction to Java Applets (Deitel chapter 3)
Introduction to Java Applets (Deitel chapter 3) 1 2 Plan Introduction Sample Applets from the Java 2 Software Development Kit Simple Java Applet: Drawing a String Drawing Strings and Lines Adding Floating-Point
JiST Graphical User Interface Event Viewer. Mark Fong [email protected]
JiST Graphical User Interface Event Viewer Mark Fong [email protected] Table of Contents JiST Graphical User Interface Event Viewer...1 Table of Contents...2 Introduction...3 What it does...3 Design...3
Lab 11. Simulations. The Concept
Lab 11 Simulations In this lab you ll learn how to create simulations to provide approximate answers to probability questions. We ll make use of a particular kind of structure, called a box model, that
MA 1125 Lecture 14 - Expected Values. Friday, February 28, 2014. Objectives: Introduce expected values.
MA 5 Lecture 4 - Expected Values Friday, February 2, 24. Objectives: Introduce expected values.. Means, Variances, and Standard Deviations of Probability Distributions Two classes ago, we computed the
Essentials of the Java Programming Language
Essentials of the Java Programming Language A Hands-On Guide by Monica Pawlan 350 East Plumeria Drive San Jose, CA 95134 USA May 2013 Part Number TBD v1.0 Sun Microsystems. Inc. All rights reserved If
Java Appletek II. Applet GUI
THE INTERNET,mapped on the opposite page, is a scalefree network in that Java Appletek II. dis.'~tj port,from BYALBERTU\SZLOBARABASI ANDERICBONABEAU THE INTERNET,mapped on the opposite page, is a scalefree
We { can see that if U = 2, 3, 7, 11, or 12 then the round is decided on the first cast, U = V, and W if U = 7, 11 X = L if U = 2, 3, 12.
How to Play Craps: Craps is a dice game that is played at most casinos. We will describe here the most common rules of the game with the intention of understanding the game well enough to analyze the probability
Lab 9. Spam, Spam, Spam. Handout 11 CSCI 134: Spring, 2015. To gain experience with Strings. Objective
Lab 9 Handout 11 CSCI 134: Spring, 2015 Spam, Spam, Spam Objective To gain experience with Strings. Before the mid-90s, Spam was a canned meat product. These days, the term spam means just one thing unwanted
Lösningsförslag till tentamen 121217
Uppgift 1 Lösningsförslag till tentamen 121217 a) Utskriften blir: a = 5 och b = 10 a = 5 och b = 10 b) Utskriften blir 1 2 3 4 5 5 2 3 4 1 c) Utskriften blir 321 Uppgift 2 Med användning av dialogrutor:
Object Oriented Programming with Java. School of Computer Science University of KwaZulu-Natal
Object Oriented Programming with Java School of Computer Science University of KwaZulu-Natal January 30, 2006 2 Object Oriented Programming with Java Notes for the Computer Science Module Object Oriented
GUI Components: Part 2
GUI Components: Part 2 JComboBox and Using an Anonymous Inner Class for Event Handling A combo box (or drop-down list) enables the user to select one item from a list. Combo boxes are implemented with
LAYOUT MANAGERS. Layout Managers Page 1. java.lang.object. java.awt.component. java.awt.container. java.awt.window. java.awt.panel
LAYOUT MANAGERS A layout manager controls how GUI components are organized within a GUI container. Each Swing container (e.g. JFrame, JDialog, JApplet and JPanel) is a subclass of java.awt.container and
Tutorial Reference Manual. Java WireFusion 4.1
Tutorial Reference Manual Java WireFusion 4.1 Contents INTRODUCTION...1 About this Manual...2 REQUIREMENTS...3 User Requirements...3 System Requirements...3 SHORTCUTS...4 DEVELOPMENT ENVIRONMENT...5 Menu
The overall size of these chance errors is measured by their RMS HALF THE NUMBER OF TOSSES NUMBER OF HEADS MINUS 0 400 800 1200 1600 NUMBER OF TOSSES
INTRODUCTION TO CHANCE VARIABILITY WHAT DOES THE LAW OF AVERAGES SAY? 4 coins were tossed 1600 times each, and the chance error number of heads half the number of tosses was plotted against the number
Swing. A Quick Tutorial on Programming Swing Applications
Swing A Quick Tutorial on Programming Swing Applications 1 MVC Model View Controller Swing is based on this design pattern It means separating the implementation of an application into layers or components:
Unit 19: Probability Models
Unit 19: Probability Models Summary of Video Probability is the language of uncertainty. Using statistics, we can better predict the outcomes of random phenomena over the long term from the very complex,
http://netbeans.org/kb/docs/java/gui-functionality.html?print=yes
Page 1 of 6 Introduction to GUI Building Contributed by Saleem Gul and Tomas Pavek, maintained by Ruth Kusterer and Irina Filippova This beginner tutorial teaches you how to create a simple graphical user
Java GUI Programming. Building the GUI for the Microsoft Windows Calculator Lecture 2. Des Traynor 2005
Java GUI Programming Building the GUI for the Microsoft Windows Calculator Lecture 2 Des Traynor 2005 So, what are we up to Today, we are going to create the GUI for the calculator you all know and love.
Elementary Statistics and Inference. Elementary Statistics and Inference. 16 The Law of Averages (cont.) 22S:025 or 7P:025.
Elementary Statistics and Inference 22S:025 or 7P:025 Lecture 20 1 Elementary Statistics and Inference 22S:025 or 7P:025 Chapter 16 (cont.) 2 D. Making a Box Model Key Questions regarding box What numbers
Mouse Event Handling (cont.)
GUI Components: Part II Mouse Event Handling (cont.) Each mouse event-handling method receives a MouseEvent object that contains information about the mouse event that occurred, including the x- and y-coordinates
How Scala Improved Our Java
How Scala Improved Our Java Sam Reid PhET Interactive Simulations University of Colorado http://spot.colorado.edu/~reids/ PhET Interactive Simulations Provides free, open source educational science simulations
Betting systems: how not to lose your money gambling
Betting systems: how not to lose your money gambling G. Berkolaiko Department of Mathematics Texas A&M University 28 April 2007 / Mini Fair, Math Awareness Month 2007 Gambling and Games of Chance Simple
JIDE Action Framework Developer Guide
JIDE Action Framework Developer Guide Contents PURPOSE OF THIS DOCUMENT... 1 WHAT IS JIDE ACTION FRAMEWORK... 1 PACKAGES... 3 MIGRATING FROM EXISTING APPLICATIONS... 3 DOCKABLEBARMANAGER... 9 DOCKABLE
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459)
Management Information Systems 260 Web Programming Fall 2006 (CRN: 42459) Class Time: 6:00 8:05 p.m. (T,Th) Venue: WSL 5 Web Site: www.pbvusd.net/mis260 Instructor Name: Terrell Tucker Office: BDC 127
The game of roulette is played by throwing a small ball onto a rotating wheel with thirty seven numbered sectors.
LIVE ROULETTE The game of roulette is played by throwing a small ball onto a rotating wheel with thirty seven numbered sectors. The ball stops on one of these sectors. The aim of roulette is to predict
Chapter 16. Law of averages. Chance. Example 1: rolling two dice Sum of draws. Setting up a. Example 2: American roulette. Summary.
Overview Box Part V Variability The Averages Box We will look at various chance : Tossing coins, rolling, playing Sampling voters We will use something called s to analyze these. Box s help to translate
J a v a Quiz (Unit 3, Test 0 Practice)
Computer Science S-111a: Intensive Introduction to Computer Science Using Java Handout #11 Your Name Teaching Fellow J a v a Quiz (Unit 3, Test 0 Practice) Multiple-choice questions are worth 2 points
Stat 20: Intro to Probability and Statistics
Stat 20: Intro to Probability and Statistics Lecture 16: More Box Models Tessa L. Childers-Day UC Berkeley 22 July 2014 By the end of this lecture... You will be able to: Determine what we expect the sum
Iteration CHAPTER 6. Topic Summary
CHAPTER 6 Iteration TOPIC OUTLINE 6.1 while Loops 6.2 for Loops 6.3 Nested Loops 6.4 Off-by-1 Errors 6.5 Random Numbers and Simulations 6.6 Loop Invariants (AB only) Topic Summary 6.1 while Loops Many
How To Program In Java (Ipt) With A Bean And An Animated Object In A Powerpoint (For A Powerbook)
Graphic Interface Programming II Applets and Beans and animation in Java IT Uppsala universitet Applets Small programs embedded in web pages
13:69E-1.10 Blackjack table; card reader device; physical characteristics; inspections
13:69E-1.10 Blackjack table; card reader device; physical characteristics; inspections (a) (t) (No change.) (aa) If a casino licensee offers Free Bet Blackjack pursuant to N.J.A.C. 3:69F- 2.31, the blackjack
16.1 DataFlavor. 16.1.1 DataFlavor Methods. Variables
In this chapter: DataFlavor Transferable Interface ClipboardOwner Interface Clipboard StringSelection UnsupportedFlavorException Reading and Writing the Clipboard 16 Data Transfer One feature that was
COME OUT POINT The number (4, 5, 6, 8, 9 or 10) thrown by the shooter on the Come Out roll.
CRAPS A lively Craps game is the ultimate when it comes to fun and excitement. In this fast-paced game, there are many ways to bet and just as many ways to win! It s as simple as placing a bet on the Pass
36 Odds, Expected Value, and Conditional Probability
36 Odds, Expected Value, and Conditional Probability What s the difference between probabilities and odds? To answer this question, let s consider a game that involves rolling a die. If one gets the face
Statistics and Random Variables. Math 425 Introduction to Probability Lecture 14. Finite valued Random Variables. Expectation defined
Expectation Statistics and Random Variables Math 425 Introduction to Probability Lecture 4 Kenneth Harris [email protected] Department of Mathematics University of Michigan February 9, 2009 When a large
PLACE BETS (E) win each time a number is thrown and lose if the dice ODDS AND LAYS HARDWAYS (F) BUY & LAY BETS (G&H)
craps PASS LINE BET (A) must be rolled again before a 7 to win. If the Point is and the shooter continues to throw the dice until a Point is established and a 7 is rolled before the Point. DON T PASS LINE
public class demo1swing extends JFrame implements ActionListener{
import java.io.*; import java.net.*; import java.io.*; import javax.swing.*; import java.awt.*; import java.awt.event.*; public class demo1swing extends JFrame implements ActionListener JButton demodulacion;
Elementary Statistics and Inference. Elementary Statistics and Inference. 17 Expected Value and Standard Error. 22S:025 or 7P:025.
Elementary Statistics and Inference S:05 or 7P:05 Lecture Elementary Statistics and Inference S:05 or 7P:05 Chapter 7 A. The Expected Value In a chance process (probability experiment) the outcomes of
Skills and Topics for TeenCoder: Java Programming
Skills and Topics for TeenCoder: Java Programming Our Self-Study Approach Our courses are self-study and can be completed on the student's own computer, at their own pace. You can steer your student in
Chapter 16: law of averages
Chapter 16: law of averages Context................................................................... 2 Law of averages 3 Coin tossing experiment......................................................
First Java Programs. V. Paúl Pauca. CSC 111D Fall, 2015. Department of Computer Science Wake Forest University. Introduction to Computer Science
First Java Programs V. Paúl Pauca Department of Computer Science Wake Forest University CSC 111D Fall, 2015 Hello World revisited / 8/23/15 The f i r s t o b l i g a t o r y Java program @author Paul Pauca
SIXTEEN PLAYERS, TWO DICE, ONE SHOOTER
SIXTEEN PLAYERS, TWO DICE, ONE SHOOTER Craps is the most exciting game at Potawatomi Bingo Casino. One shooter of the dice determines the outcome for up to 15 other players. Craps also features a variety
Hooray for the Hundreds Chart!!
Hooray for the Hundreds Chart!! The hundreds chart consists of a grid of numbers from 1 to 100, with each row containing a group of 10 numbers. As a result, children using this chart can count across rows
Dev Articles 05/25/07 11:07:33
Java Crawling the Web with Java Contributed by McGraw Hill/Osborne 2005 06 09 Access Your PC from Anywhere Download Your Free Trial Take your office with you, wherever you go with GoToMyPC. It s the remote
CS170 Lab 11 Abstract Data Types & Objects
CS170 Lab 11 Abstract Data Types & Objects Introduction: Abstract Data Type (ADT) An abstract data type is commonly known as a class of objects An abstract data type in a program is used to represent (the
Mathematical Expectation
Mathematical Expectation Properties of Mathematical Expectation I The concept of mathematical expectation arose in connection with games of chance. In its simplest form, mathematical expectation is the
Java is commonly used for deploying applications across a network. Compiled Java code
Module 5 Introduction to Java/Swing Java is commonly used for deploying applications across a network. Compiled Java code may be distributed to different machine architectures, and a native-code interpreter
The number (4, 5, 6, 8, 9 or 10) thrown by the shooter on the Come Out roll.
CRAPS A lively Craps game is the ultimate when it comes to fun and excitement. In this fast-paced game, there are many ways to bet and just as many ways to win! It s as simple as placing a bet on the Pass
Week 5: Expected value and Betting systems
Week 5: Expected value and Betting systems Random variable A random variable represents a measurement in a random experiment. We usually denote random variable with capital letter X, Y,. If S is the sample
Contemporary Mathematics- MAT 130. Probability. a) What is the probability of obtaining a number less than 4?
Contemporary Mathematics- MAT 30 Solve the following problems:. A fair die is tossed. What is the probability of obtaining a number less than 4? What is the probability of obtaining a number less than
Analysis Of Source Lines Of Code(SLOC) Metric
Analysis Of Source Lines Of Code(SLOC) Metric Kaushal Bhatt 1, Vinit Tarey 2, Pushpraj Patel 3 1,2,3 Kaushal Bhatt MITS,Datana Ujjain 1 [email protected] 2 [email protected] 3 [email protected]
Lab 1A. Create a simple Java application using JBuilder. Part 1: make the simplest Java application Hello World 1. Start Jbuilder. 2.
Lab 1A. Create a simple Java application using JBuilder In this lab exercise, we ll learn how to use a Java integrated development environment (IDE), Borland JBuilder 2005, to develop a simple Java application
Illustration 1: An applet showing constructed responses in an intuitive mode. Note the misprint!
Applets in Java using NetBeans as an IDE (Part 1) C.W. David Department of Chemistry University of Connecticut Storrs, CT 06269-3060 [email protected] We are interested in creating a teaching/testing
Fondamenti di Java. Introduzione alla costruzione di GUI (graphic user interface)
Fondamenti di Java Introduzione alla costruzione di GUI (graphic user interface) component - container - layout Un Container contiene [0 o +] Components Il Layout specifica come i Components sono disposti
Syllabus for CS 134 Java Programming
- Java Programming Syllabus Page 1 Syllabus for CS 134 Java Programming Computer Science Course Catalog 2000-2001: This course is an introduction to objectoriented programming using the Java language.
Tutorial 8: Quick Form Button
Objectives: Your goal in this tutorial is to be able to: properly use NetStores Quick-Form feature in Dreamweaver customize the Quick Form order button create a form with various components: check boxes
Week 2: Conditional Probability and Bayes formula
Week 2: Conditional Probability and Bayes formula We ask the following question: suppose we know that a certain event B has occurred. How does this impact the probability of some other A. This question
Website Builder Overview
Website Builder Overview The Website Builder tool gives users the ability to create and manage their own website, which can be used to communicate with students and parents outside of the classroom. Users
Basic Probability. Probability: The part of Mathematics devoted to quantify uncertainty
AMS 5 PROBABILITY Basic Probability Probability: The part of Mathematics devoted to quantify uncertainty Frequency Theory Bayesian Theory Game: Playing Backgammon. The chance of getting (6,6) is 1/36.
Chapter 4 Lecture Notes
Chapter 4 Lecture Notes Random Variables October 27, 2015 1 Section 4.1 Random Variables A random variable is typically a real-valued function defined on the sample space of some experiment. For instance,
In the situations that we will encounter, we may generally calculate the probability of an event
What does it mean for something to be random? An event is called random if the process which produces the outcome is sufficiently complicated that we are unable to predict the precise result and are instead
Section 7C: The Law of Large Numbers
Section 7C: The Law of Large Numbers Example. You flip a coin 00 times. Suppose the coin is fair. How many times would you expect to get heads? tails? One would expect a fair coin to come up heads half
Lecture 13. Understanding Probability and Long-Term Expectations
Lecture 13 Understanding Probability and Long-Term Expectations Thinking Challenge What s the probability of getting a head on the toss of a single fair coin? Use a scale from 0 (no way) to 1 (sure thing).
Solution. Solution. (a) Sum of probabilities = 1 (Verify) (b) (see graph) Chapter 4 (Sections 4.3-4.4) Homework Solutions. Section 4.
Math 115 N. Psomas Chapter 4 (Sections 4.3-4.4) Homework s Section 4.3 4.53 Discrete or continuous. In each of the following situations decide if the random variable is discrete or continuous and give
OBJECT ORIENTED PROGRAMMING IN JAVA EXERCISES
OBJECT ORIENTED PROGRAMMING IN JAVA EXERCISES CHAPTER 1 1. Write Text Based Application using Object Oriented Approach to display your name. // filename: Name.java // Class containing display() method,
