STAT 625: 2000 Olympic Diving Exploration

Size: px
Start display at page:

Download "STAT 625: 2000 Olympic Diving Exploration"

Transcription

1 Corey S Brier, Department of Statistics, Yale University 1 STAT 625: 2000 Olympic Diving Exploration Corey S Brier Yale University Abstract This document contains an investigation of bias using data from the 2000 Olympic Diving Event. Please note that this report is not the full diving report, but only contains those sections relating to bias, as per the assignment for 9/26. 1 Data import and formatting The data are provided in an easy to use CSV file so we may import it directly. > library(yaletoolkit) > library(png) > some <- function(data, n = 7, replace = FALSE) { sel <- sample(1:dim(data)[1], n, replace) return(data[sel,]) } > setwd("c:/users/corey/documents/yale/s3/625/week4") > data <- read.csv("diving2000.csv", as.is = T) > whatis(data) variable.name type missing distinct.values precision 1 Event character 0 4 NA 2 Round character 0 3 NA 3 Diver character NA 4 Country character 0 42 NA 5 Rank numeric DiveNo numeric Difficulty numeric JScore numeric Judge character 0 25 NA 10 JCountry character 0 21 NA min max 1 M10mPF W3mSB 2 Final Semi 3 ABALLI Jesus-Iory ZHUPINA Olena 4 ARG ZIM

2 Corey S Brier, Department of Statistics, Yale University ALT Walter ZAITSEV Oleg 10 AUS ZIM It is useful to change some data types and add a new column for gender: > data$event <- as.factor(data$event) > data$round <- as.factor(data$round) # This could be left as numeric > data$event <- as.factor(data$event) > data$round <- as.factor(data$round) # This could be left as numeric Let s add a column for gender: > menloc <- (data$event == "M3mSB") (data$event == "M10mPF") > femaleloc <-!menloc > data$sex[menloc] <- "M" > data$sex[femaleloc] <- "F" > data$sex <- factor(data$sex) Each row of the data corresponds to a score for a dive, not a particular contestant, so we expect some amount of clustering It could be useful to get all rows for a particular diver, so let s assign each distinct diver a different number: > data$divernumber <- rep(na,length(data$diver)) > for (i in 1:length(unique(data$Diver))) { dname <- (unique(data$diver))[i] data[data$diver == dname,]$divernumber <- i } Also, for each dive, let us compute the average score and add that back into our data-set. We used a vectorized method to avoid an unnecessary loop. > dmeans <- apply(matrix(data$jscore, ncol = 7, byrow = T),1,mean) > data$avg <- rep(dmeans, each = 7) [[Here, much content from my previous assignments was omitted]] 2 Initial bias considerations The data include the countries that the divers are from as well as the countries of the Judges. One possible analysis might search for any bias, such as a judge giving preferential treatment to a competitor for his or her own country. Although this section is not a complete analysis, we present some preliminary steps. First, it makes sense to actually find out if any Judge evaluated a competitor for their own country:

3 Corey S Brier, Department of Statistics, Yale University 3 > finalsdata <- data[data$round == "Final",] > sum(as.numeric(finalsdata$country == finalsdata$jcountry)) [1] 0 > prelimdata <- data[data$round == "Prelim",] > sum(as.numeric(prelimdata$country == prelimdata$jcountry)) [1] 201 > semidata <- data[data$round == "Semi",] > sum(as.numeric(semidata$country == semidata$jcountry)) [1] 113 Although a single diver is represented on multiple rows of our data set, because each row corresponds to a judge s score for a dive, we do not need to worry about over-counting using this code. The results are clear: No one judged their own country s team in the finals, but did in the preliminary and semi-final rounds. An additional option is to extract the data where the diver s country and the judge s country were the same, and where they were not the same, to allow for a comparison: > samecountry <- data[data$country == data$jcountry,] > diffcountry <- data[!(data$country == data$jcountry),] > summary(samecountry$jscore) Min. 1st Qu. Median Mean 3rd Qu. Max > summary(diffcountry$jscore) Min. 1st Qu. Median Mean 3rd Qu. Max Of course, the data are very unbalanced now, but the univariate summaries indicate that scores are higher in both mean and median when a judge evaluated a diver from his or her own country. However, it is not yet clear how significant this relationship is. 3 More Bias Investigation Above, we already saw the number of scores, within each round, that corresponded to a judge grading a diver from his or her own country. To find the number of judges (as opposed to number of dives or number of scores) that judged someone from their own country we do: > length(unique(data[data$country == data$jcountry,]$judge))

4 Corey S Brier, Department of Statistics, Yale University 4 [1] 17 Let s see how many unique judges there are in total: > length(unique(data$judge)) [1] 25 > 17/25 [1] 0.68 So, 68% of judges scored someone of their own country. Now, we may ignore focusing on McFarland specifically and instead will consider all of those 17 judges. Of course, we have = 8 judges who did not grade anyone from their own country and thus could serve as a basis for comparison. 4 All biases: for 9/24 and 9/26 For each judge except McFarland, we first make two box-plots. The first box plot displays the scores given by a judge to divers or their own country (having already subtracted the overall discrepancy for that judge). We can then compare this to the next boxplot, which displays, for those same dives, the average of the scores given by all seven of the judges. Notice then the box plots are directly comparable because they both compare scores for the same dives. Next, we create the scatter plot by taking the scores of a judge for divers of their own country and subtracting the average of the scores from all the seven judges for that dive. Thus, a point on our scatter plot corresponds to the difference between the judge of interest s score and the average score for that dive. It follows that the x-axis is just an index, and a permutation of these values should not change our interpretation. If a judge were totally unbiased, we would expect a difference of zero (green line), and the actual average difference is plotted with a red line. > diffmax <- 0 > #par(mfrow = c(4,4), mar = c(2,1,1,1)) > for (i in 1:length(unique(data[data$Country == data$jcountry & data$judge!= "McFARLAND Steve",]$Judge))){ # i <- 3 thisjudge <- unique(data[data$country == data$jcountr & data$judge!= "McFARLAND Steve",]$Judge)[i] thiscountry <- unique(data[data$judge == thisjudge & data$judge!= "McFARLAND Steve",]$JCountry) # For thisjudge, we also want to get their overall discrepancy (in case

5 Corey S Brier, Department of Statistics, Yale University 5 # they always score high or low in general) judgediscrep <- mean(data[data$judge == thisjudge,]$jscore - data[data$judge == thisjudge,]$avg) # Lets get the data for those divers from this judges country datasubset <- data[data$country == thiscountry & data$judge == thisjudge,] # So, for each dive, we have the average score of the judges, and the score # for the judge of the same country # Lets compare these: diffs <- (datasubset$jscore - judgediscrep) - datasubset$avg if (max(abs(diffs))>diffmax) { diffmax <- max(abs(diffs)) } png(paste("p",i,".png", sep="")) #h <-hist(diffs, plot = F, probs = T, breaks = seq(-1.5,1.5, by =.25)) nf <- layout( matrix(c(1,2),1,2,byrow = TRUE), c(1,2), c(2,1), TRUE) par(mar = c(0,2.5,1,2), mgp <-c(0,0,0),oma=c(0,0,0,0)) #barplot(h$counts, axes = T, xlim = c(0, max(h$counts)), #space = 0, horiz = TRUE) boxplot(datasubset$jscore - judgediscrep,datasubset$avg, names = c("judge", "Average"), ylab = "Scores", las = 2) par(mar = c(0,2,2,1), mgp <-c(0,0,0)) plot(1:dim(datasubset)[1], diffs, ylim = c(-1.5,1.5), main = paste(thisjudge," ",thiscountry, "\n Difference in judge score and average"), sub = "", xlab = "") abline(h = 0, col="green") abline(h = mean(diffs), col = 4-2*as.numeric(mean(diffs>0))) dev.off() } This code produces 16 separate png plots which are then stitched together in Mathematica. Using the usual par(mfrow=c(2,2)) type of command does not work here because the use of layout overrides the graphics canvas. The image is then stored as biasimage.pdf.

6 Corey S Brier, Department of Statistics, Yale University 6 5 T tests for all judges To conduct t-tests, it may be more reasonable to consider taking the judge s score vs. the average of the other scores for that dive not including that judge. Thus, we compare the scores that a judge gave to divers of their own country versus the average of the scores the other judges gave to those dives. Thus it is appropriate to use a paired t-test. We also will store the interesting results of the t-tests in a data frame. > pvals <- rep(1, 17) > judges <- rep(na, 17) > jcountrys <- rep(na, 17) > meandiff <- rep(na, 17) > for (i in 1:length(unique(data[data$Country == data$jcountry,]$judge))){ thisjudge <- unique(data[data$country == data$jcountr,]$judge)[i] thiscountry <- unique(data[data$judge == thisjudge,]$jcountry) judgediscrep <- mean(data[data$judge == thisjudge,]$jscore - data[data$judge == thisjudge,]$avg) # Lets get the data for those divers from this judges country datasubset <- data[data$country == thiscountry & data$judge == thisjudge,] # Recreate the average score for a dive, this time without the judge from # the country of interest: datasubset$newavg <- (7*datasubset$avg-datasubset$JScore)/6 mytest <- t.test(datasubset$jscore - judgediscrep, datasubset$newavg, paired = T) pvals[i] <-mytest$p.value meandiff[i] <- mytest$estimate[1] judges[i] <- thisjudge jcountrys[i] <- thiscountry } > ttests <- data.frame(judges, jcountrys, pvals, meandiff) > ttests judges jcountrys pvals meandiff 1 WANG Facheng CHN e MENA Jesus MEX e ZAITSEV Oleg RUS e McFARLAND Steve USA e ALT Walter GER e BARNETT Madeleine AUS e BOOTHROYD Sydney GBR e

7 Corey S Brier, Department of Statistics, Yale University 7 8 RUIZ-PEDREGUERA Rolando CUB e CRUZ Julia ESP e BOYS Beverley CAN e BOUSSARD Michel FRA e BURK Hans-Peter GER e XU Yiming CHN e SEAMAN Kathy CAN e GEISSBUHLER Michael SUI e HUBER Peter AUT e CALDERON Felix PUR e We see a range of p-values. Of course, we need to be very careful when we run many simultaneous t-tests, because we expect that natural variation in the data will result in some more or less extreme results. None-the-less, we see that some judges appear much more biased than others. An alternative option would be to instead dgconduct a t-test on the difference of scores given to divers of their own country minus the average of the other jues scores versus the difference in scores given by our judge to divers in other countries minus the average of the judges scores for those dives. Both the above t-test and this one are set up to account for a judge s overall enthusiasm. The latter of the tests would be unbalanced, but would include many more data points

8

STAT 625: 2000 Olympic Diving Exploration

STAT 625: 2000 Olympic Diving Exploration Corey S Brier, Department of Statistics, Yale University 1 STAT 625: 2000 Olympic Diving Exploration Corey S Brier Yale University Abstract This document contains a preliminary investigation of data from

More information

Case Studies Homework 3

Case Studies Homework 3 Case Studies Homework 3 Breanne Chryst September 11, 2013 1 In this assignment I did some exploratory analysis on a data set containing diving information from the 2000 Olympics. My code and output is

More information

Statistical Practice

Statistical Practice Statistical Practice Assessing Judging Bias: An Example From the 2000 Olympic Games John W. EMERSON,MikiSELTZER, and David LIN Judging bias is an inherent risk in subjectively judged sporting competitions,

More information

Reproducible Research: Peer Assessment 1

Reproducible Research: Peer Assessment 1 Introduction Reproducible Research: Peer Assessment 1 It is now possible to collect a large amount of data about personal movement using activity monitoring devices such as a Fitbit, Nike Fuelband, or

More information

Announcements. Unit 7: Multiple Linear Regression Lecture 3: Case Study. From last lab. Predicting income

Announcements. Unit 7: Multiple Linear Regression Lecture 3: Case Study. From last lab. Predicting income Announcements Announcements Unit 7: Multiple Linear Regression Lecture 3: Case Study Statistics 101 Mine Çetinkaya-Rundel April 18, 2013 OH: Sunday: Virtual OH, 3-4pm - you ll receive an email invitation

More information

Lesson 14: Modeling Relationships with a Line

Lesson 14: Modeling Relationships with a Line Exploratory Activity: Line of Best Fit Revisited 1. Use the link http://illuminations.nctm.org/activity.aspx?id=4186 to explore how the line of best fit changes depending on your data set. A. Enter any

More information

Navigate to the golf data folder and make it your working directory. Load the data by typing

Navigate to the golf data folder and make it your working directory. Load the data by typing Golf Analysis 1.1 Introduction In a round, golfers have a number of choices to make. For a particular shot, is it better to use the longest club available to try to reach the green, or would it be better

More information

SWIM MEET MANAGER 5.0 NEW FEATURES

SWIM MEET MANAGER 5.0 NEW FEATURES SWIM MEET MANAGER 5.0 NEW FEATURES Updated January 24, 2014 1 ABOUT SWIMMING MEET MANAGER 5.0 MEET MANAGER 5.0 for ming (SWMM) is HY-TEK's 6th generation of Meet Management software. Provides the very

More information

Round 1 Quarter Finals Semi Finals Finals Winner [NED] NETHERLANDS [1] [NED] NETHERLANDS [1] [GBR] GREAT BRITAIN 5 [3] [KOR] KOREAN REPUBLIC [6]

Round 1 Quarter Finals Semi Finals Finals Winner [NED] NETHERLANDS [1] [NED] NETHERLANDS [1] [GBR] GREAT BRITAIN 5 [3] [KOR] KOREAN REPUBLIC [6] Men WG1 - Men's World Group 1 (Men WG1) Men WG1 - Men's World Group 1 (Men WG1) Round 1 Quarter Finals Semi Finals Finals Winner 1 2 [GER] GERMANY 3 [THA] THAILAND 4 [POL] POLAND [8] [POL] POLAND [8] [GBR]

More information

Daily Results Summary

Daily Results Summary 1 9:00 M2- (2) Heat 1 NED CZE ESP BLR AUS SUI 6:33.71 6:35.55 6:37.92 6:41.29 6:44.50 7:03.85 2 9:05 M2- (2) Heat 2 CRO ITA GBR CAN FRA2 6:26.81 6:31.13 6:43.15 6:47.79 6:50.84 3 9:10 M2- (2) Heat 3 NZL1

More information

Olympic Games London 2012 Analysis Diving Events

Olympic Games London 2012 Analysis Diving Events Olympic Games London 12 Analysis Diving Events Michael Geissbühler Halen 18 CH 337 Herrenschwanden Phone: +41 31 631 83 19 (O) +41 31 32 32 92 (P) Fax: +41 31 631 46 31 (O) Email: michael.geissbuehler@sport.unibe.ch

More information

1wsSMAM 319 Some Examples of Graphical Display of Data

1wsSMAM 319 Some Examples of Graphical Display of Data 1wsSMAM 319 Some Examples of Graphical Display of Data 1. Lands End employs numerous persons to take phone orders. Computers on which orders are entered also automatically collect data on phone activity.

More information

NFL Direction-Oriented Rushing O -Def Plus-Minus

NFL Direction-Oriented Rushing O -Def Plus-Minus NFL Direction-Oriented Rushing O -Def Plus-Minus ID: 6289 In football, rushing is an action of advancing the ball forward by running with it, instead of passing. Rush o ense refers to how well a team is

More information

2012 Olympic and Paralympic Qualification by Event

2012 Olympic and Paralympic Qualification by Event 2012 Olympic and Paralympic Qualification by Event (at 18 May 2012) Olympic Events - Men No. Qualification event M1x (30) M2- (13) M2x (13) M4- (13) M4x (13) M8+ (8) LM2x (20) LM4- (13) 1 WCH 1 NZL NZL

More information

21 st FINA WORLD JUNIOR DIVING CHAMPIONSHIPS 2016 RULES AND REGULATIONS

21 st FINA WORLD JUNIOR DIVING CHAMPIONSHIPS 2016 RULES AND REGULATIONS 21 st FINA WORLD JUNIOR DIVING CHAMPIONSHIPS 2016 RULES AND REGULATIONS A. GENERAL CONCEPT AND RULES 1. The FINA WORLD JUNIOR DIVING CHAMPIONSHIPS shall be open to all FINA affiliated Federations. 2. The

More information

Essbase Cloud and OAC are not just for Finance

Essbase Cloud and OAC are not just for Finance Essbase Cloud and OAC are not just for Finance imprimé le 7//8, à :6 Match : All Matches Phase : Final Measures : Win FIFA World Cup Champions since 986 Best achievement 986 99 99 998 6 8 France ** Brazil

More information

Activity: the race to beat Ruth

Activity: the race to beat Ruth Activity: the race to beat Ruth Background In baseball, a pitcher from the fielding team throws a ball at a batter from the batting team, who attempts to hit the ball with a stick. If she hits the ball,

More information

OVERALL STANDING WORLD ROWING CUP 2013

OVERALL STANDING WORLD ROWING CUP 2013 OVERALL STANDING WORLD ROWING CUP 2013 Rk Nation Pts. SYD ETD LUC W2- M2- W2x M2x M4- W1x M1x LW2x LM2x LM4- W4x M4x W8+ M8+ 1 GBR 179 68 72 39 8 3 2 2 4 5 3 4 4 4 2 NZL 144 55 42 47 6 8 6 8 4 5 8 2 3

More information

There are 3 sections to the home page shown in the first screenshot below. These are:

There are 3 sections to the home page shown in the first screenshot below. These are: Welcome to pacecards! Pacecards is a unique service that places the likely pace in the race and the running style of each horse at the centre of horseracing form analysis. This user guide takes you through

More information

Section 5 Critiquing Data Presentation - Teachers Notes

Section 5 Critiquing Data Presentation - Teachers Notes Topics from GCE AS and A Level Mathematics covered in Sections 5: Interpret histograms and other diagrams for single-variable data Select or critique data presentation techniques in the context of a statistical

More information

Daily Results Summary

Daily Results Summary 94 9:30 W4- (15) Preliminary Race GER ITA AUS1 USA1 AUS2 USA2 1..->FA 6:43.56 6:56.52 DNS DNS DNS DNS 95 9:35 LM2- (20) Preliminary Race GBR CHN ITA FRA 1..->FA 6:36.45 6:39.71 6:43.15 6:59.49 96 9:40

More information

2018 Continental Championships Quotas

2018 Continental Championships Quotas 2018 Continental Championships Quotas The 2018 edition of the ITU Competition Rules includes the common procedure of the creation of the start lists, with certain specifications depending on the event.

More information

Descriptive Statistics Project Is there a home field advantage in major league baseball?

Descriptive Statistics Project Is there a home field advantage in major league baseball? Descriptive Statistics Project Is there a home field advantage in major league baseball? DUE at the start of class on date posted on website (in the first 5 minutes of class) There may be other due dates

More information

Daily Results Summary

Daily Results Summary 10 9:00 W2- (1) Heat 1 GBR1 FRA ITA1 CRO ARG 7:13.67 7:19.38 7:22.83 7:28.31 7:42.22 11 9:05 W2- (1) Heat 2 USA1 NZL POL GBR2 ITA2 7:01.41 7:02.58 7:14.35 7:26.35 7:51.41 12 9:10 W2- (1) Heat 3 USA2 DEN

More information

FEI/WBFSH Guidelines for the World Breeding Championship for Young Dressage Horses (CH-M-D YH):

FEI/WBFSH Guidelines for the World Breeding Championship for Young Dressage Horses (CH-M-D YH): FEI/WBFSH Guidelines for the World Breeding Championship for Young Dressage Horses (CH-M-D YH): 11 April 2016 I. GENERAL: 1. The World Breeding Championship for Young Dressage Horses will be organised

More information

A Shallow Dive into Deep Sea Data Sarah Solie and Arielle Fogel 7/18/2018

A Shallow Dive into Deep Sea Data Sarah Solie and Arielle Fogel 7/18/2018 A Shallow Dive into Deep Sea Data Sarah Solie and Arielle Fogel 7/18/2018 Introduction The datasets This data expedition will utilize the World Ocean Atlas (WOA) database to explore two deep sea physical

More information

NCSS Statistical Software

NCSS Statistical Software Chapter 256 Introduction This procedure computes summary statistics and common non-parametric, single-sample runs tests for a series of n numeric, binary, or categorical data values. For numeric data,

More information

Circular to all Confederations dated 23 rd July 2018

Circular to all Confederations dated 23 rd July 2018 2019 FIVB Beach Volleyball World Championships (28 th June 7 th July 2019, Hamburg, Germany) Qualification System 1. Athlete s Quota: Total Quota: Forty-eight (48) places/ teams per gender: Qualification

More information

SUBPART B SENIOR COMPETITION

SUBPART B SENIOR COMPETITION 20 S enior Rules SUBPART B SENIOR COMPETITION Article 11 Structure of Senior Diving 111.1 Structure of Senior Diving. (a) Program Goals. USA Diving, Inc. conducts a Senior diving program to provide a competitive

More information

Communication No Judges Draw by number for ISU Figure Skating Championships 2019

Communication No Judges Draw by number for ISU Figure Skating Championships 2019 Communication No. 2204 Judges Draw by number for ISU Figure Skating Championships 2019 Further to Rule 521 and Rule 971 of the ISU Special Regulations and Technical Rules for Single & Pair Skating and

More information

North Point - Advance Placement Statistics Summer Assignment

North Point - Advance Placement Statistics Summer Assignment North Point - Advance Placement Statistics This assignment is due during the first week of class. It is considered an exam grade, which that category is worth approximately 60% of your total grade. All

More information

The Beginner's Guide to Mathematica Version 4

The Beginner's Guide to Mathematica Version 4 The Beginner's Guide to Mathematica Version 4 Jerry Glynn MathWare Urbana, IL Theodore Gray Wolfram Research, Inc Urbana, IL. m CAMBRIDGE UNIVERSITY PRESS v Preface Parti: The Basics Chapter 1: What do

More information

Opleiding Informatica

Opleiding Informatica Opleiding Informatica Determining Good Tactics for a Football Game using Raw Positional Data Davey Verhoef Supervisors: Arno Knobbe Rens Meerhoff BACHELOR THESIS Leiden Institute of Advanced Computer Science

More information

MTB 02 Intermediate Minitab

MTB 02 Intermediate Minitab MTB 02 Intermediate Minitab This module will cover: Advanced graphing Changing data types Value Order Making similar graphs Zooming worksheet Brushing Multi-graphs: By variables Interactively upgrading

More information

GLMM standardisation of the commercial abalone CPUE for Zones A-D over the period

GLMM standardisation of the commercial abalone CPUE for Zones A-D over the period GLMM standardisation of the commercial abalone for Zones A-D over the period 1980 2015 Anabela Brandão and Doug S. Butterworth Marine Resource Assessment & Management Group (MARAM) Department of Mathematics

More information

24th FINA DIVING GRAND PRIX 2018 RULES AND REGULATIONS

24th FINA DIVING GRAND PRIX 2018 RULES AND REGULATIONS 1 DATES & PLACES 24th FINA DIVING GRAND PRIX 2018 RULES AND REGULATIONS FINA DIVING GRAND PRIX 2018 Date Place Country February 23-25 Rostock GER May 10-13 Calgary CAN July 6-8 Bolzano ITA July 13-15 Madrid

More information

ITU General Qualification Rules and Procedures

ITU General Qualification Rules and Procedures ITU General Qualification Rules and Procedures 1. General: 1.1. The specific Qualification Criteria for all ITU and Continental Events are outlined in the ITU website under the following link: https://www.triathlon.org/about/downloads/category/qualification_criteria;

More information

Evaluating The Best. Exploring the Relationship between Tom Brady s True and Observed Talent

Evaluating The Best. Exploring the Relationship between Tom Brady s True and Observed Talent Evaluating The Best Exploring the Relationship between Tom Brady s True and Observed Talent Heather Glenny, Emily Clancy, and Alex Monahan MCS 100: Mathematics of Sports Spring 2016 Tom Brady s recently

More information

Chapter 2: Modeling Distributions of Data

Chapter 2: Modeling Distributions of Data Chapter 2: Modeling Distributions of Data Section 2.1 The Practice of Statistics, 4 th edition - For AP* STARNES, YATES, MOORE Chapter 2 Modeling Distributions of Data 2.1 2.2 Normal Distributions Section

More information

! Problem Solving Students will use past Olympic statistics and mathematics to predict the most recent Olympic statistics.

! Problem Solving Students will use past Olympic statistics and mathematics to predict the most recent Olympic statistics. Title: Running Into Statistics Brief Overview: Since the 1996 Olympics took place close to home, they were a major topic of discussion all over the region. Students have traditionally been interested in

More information

An Application of Signal Detection Theory for Understanding Driver Behavior at Highway-Rail Grade Crossings

An Application of Signal Detection Theory for Understanding Driver Behavior at Highway-Rail Grade Crossings An Application of Signal Detection Theory for Understanding Driver Behavior at Highway-Rail Grade Crossings Michelle Yeh and Jordan Multer United States Department of Transportation Volpe National Transportation

More information

BEFORE YOU OPEN ANY FILES:

BEFORE YOU OPEN ANY FILES: Dive Analysis Lab * Make sure to download all the data files for the lab onto your computer. * Bring your computer to lab. * Bring a blank disk or memory stick to class to save your work and files. The

More information

8th Grade. Data.

8th Grade. Data. 1 8th Grade Data 2015 11 20 www.njctl.org 2 Table of Contents click on the topic to go to that section Two Variable Data Line of Best Fit Determining the Prediction Equation Two Way Table Glossary Teacher

More information

March Madness Basketball Tournament

March Madness Basketball Tournament March Madness Basketball Tournament Math Project COMMON Core Aligned Decimals, Fractions, Percents, Probability, Rates, Algebra, Word Problems, and more! To Use: -Print out all the worksheets. -Introduce

More information

Lab 11: Introduction to Linear Regression

Lab 11: Introduction to Linear Regression Lab 11: Introduction to Linear Regression Batter up The movie Moneyball focuses on the quest for the secret of success in baseball. It follows a low-budget team, the Oakland Athletics, who believed that

More information

Supplemental Information

Supplemental Information Supplemental Information Supplemental Methods Principal Component Analysis (PCA) Every patient (identified by index k varying between 1 and n) was characterized by 4 cell-level measured features (quantitative

More information

Applied Econometrics with. Time, Date, and Time Series Classes. Motivation. Extension 2. Motivation. Motivation

Applied Econometrics with. Time, Date, and Time Series Classes. Motivation. Extension 2. Motivation. Motivation Applied Econometrics with Extension 2 Time, Date, and Time Series Classes Time, Date, and Time Series Classes Christian Kleiber, Achim Zeileis 2008 2017 Applied Econometrics with R Ext. 2 Time, Date, and

More information

NBA TEAM SYNERGY RESEARCH REPORT 1

NBA TEAM SYNERGY RESEARCH REPORT 1 NBA TEAM SYNERGY RESEARCH REPORT 1 NBA Team Synergy and Style of Play Analysis Karrie Lopshire, Michael Avendano, Amy Lee Wang University of California Los Angeles June 3, 2016 NBA TEAM SYNERGY RESEARCH

More information

INSTRUCTION FOR FILLING OUT THE JUDGES SPREADSHEET

INSTRUCTION FOR FILLING OUT THE JUDGES SPREADSHEET INSTRUCTION FOR FILLING OUT THE JUDGES SPREADSHEET One Judge Spreadsheet must be distributed to each Judge for each competitor. This document is the only one that the Judge completes. There are no additional

More information

How to Make, Interpret and Use a Simple Plot

How to Make, Interpret and Use a Simple Plot How to Make, Interpret and Use a Simple Plot A few of the students in ASTR 101 have limited mathematics or science backgrounds, with the result that they are sometimes not sure about how to make plots

More information

March Madness Basketball Tournament

March Madness Basketball Tournament March Madness Basketball Tournament Math Project COMMON Core Aligned Decimals, Fractions, Percents, Probability, Rates, Algebra, Word Problems, and more! To Use: -Print out all the worksheets. -Introduce

More information

Performance Task # 1

Performance Task # 1 Performance Task # 1 Goal: Arrange integers in order. Role: You are a analyzing a Julie Brown Anderson s dive. Audience: Reader of article. Situation: You are interviewing for a job at a sports magazine.

More information

Evaluating the Influence of R3 Treatments on Fishing License Sales in Pennsylvania

Evaluating the Influence of R3 Treatments on Fishing License Sales in Pennsylvania Evaluating the Influence of R3 Treatments on Fishing License Sales in Pennsylvania Prepared for the: Pennsylvania Fish and Boat Commission Produced by: PO Box 6435 Fernandina Beach, FL 32035 Tel (904)

More information

A Novel Approach to Predicting the Results of NBA Matches

A Novel Approach to Predicting the Results of NBA Matches A Novel Approach to Predicting the Results of NBA Matches Omid Aryan Stanford University aryano@stanford.edu Ali Reza Sharafat Stanford University sharafat@stanford.edu Abstract The current paper presents

More information

Bivariate Data. Frequency Table Line Plot Box and Whisker Plot

Bivariate Data. Frequency Table Line Plot Box and Whisker Plot U04 D02 Univariate Data Frequency Table Line Plot Box and Whisker Plot Univariate Data Bivariate Data involving a single variable does not deal with causes or relationships the major purpose of univariate

More information

CANOE SLALOM 2018 COMPETITION HANDBOOK

CANOE SLALOM 2018 COMPETITION HANDBOOK CANOE SLALOM 2018 COMPETITION HANDBOOK Published 18 October 2017 2018 ICF CANOE SLALOM COMPETITION HANDBOOK 1 on 15 CONTENTS I. 2018 ICF COMPETITION CALENDAR LEVEL 1 AND LEVEL 2... 3 II. CONTINENTAL CHAMPIONSHIPS

More information

FÉDÉRATION ÉQUESTRE INTERNATIONALE

FÉDÉRATION ÉQUESTRE INTERNATIONALE FÉDÉRATION ÉQUESTRE INTERNATIONALE Eventing Updated March 09, 2016 A. EVENTS (2) Mixed Events (2) Individual Competition Team Competition B. ATHLETES QUOTA 1. Total Quota for Eventing: Qualification Places

More information

III. Importance of Revenue Administration

III. Importance of Revenue Administration Outline of Presentation I. Trends in Revenue Mobilization II. Growth Friendly Tax Policy III. Importance of Revenue Administration 2 I. Trends in Revenue Mobilization Trends in Overall Revenues - Median

More information

CHAPTER 1 ORGANIZATION OF DATA SETS

CHAPTER 1 ORGANIZATION OF DATA SETS CHAPTER 1 ORGANIZATION OF DATA SETS When you collect data, it comes to you in more or less a random fashion and unorganized. For example, what if you gave a 35 item test to a class of 50 students and collect

More information

Equation 1: F spring = kx. Where F is the force of the spring, k is the spring constant and x is the displacement of the spring. Equation 2: F = mg

Equation 1: F spring = kx. Where F is the force of the spring, k is the spring constant and x is the displacement of the spring. Equation 2: F = mg 1 Introduction Relationship between Spring Constant and Length of Bungee Cord In this experiment, we aimed to model the behavior of the bungee cord that will be used in the Bungee Challenge. Specifically,

More information

ROSE-HULMAN INSTITUTE OF TECHNOLOGY Department of Mechanical Engineering. Mini-project 3 Tennis ball launcher

ROSE-HULMAN INSTITUTE OF TECHNOLOGY Department of Mechanical Engineering. Mini-project 3 Tennis ball launcher Mini-project 3 Tennis ball launcher Mini-Project 3 requires you to use MATLAB to model the trajectory of a tennis ball being shot from a tennis ball launcher to a player. The tennis ball trajectory model

More information

Lesson 20: Estimating a Population Proportion

Lesson 20: Estimating a Population Proportion Student Outcome Students use data from a random sample to estimate a population proportion. Lesson tes In this lesson, students continue to work with random samples and the distribution of the sample proportions.

More information

BEFORE YOU OPEN ANY FILES:

BEFORE YOU OPEN ANY FILES: Dive Analysis Lab *If you are using a school computer bring a USB drive to class to save your work and the files for the lab. *If you are using your own computer, make sure to download the data and files

More information

Paper 2.2. Operation of Ultrasonic Flow Meters at Conditions Different Than Their Calibration

Paper 2.2. Operation of Ultrasonic Flow Meters at Conditions Different Than Their Calibration Paper 2.2 Operation of Ultrasonic Flow Meters at Conditions Different Than Their Calibration Mr William Freund, Daniel Measurement and Control Mr Klaus Zanker, Daniel Measurement and Control Mr Dale Goodson,

More information

Background Information. Project Instructions. Problem Statement. EXAM REVIEW PROJECT Microsoft Excel Review Baseball Hall of Fame Problem

Background Information. Project Instructions. Problem Statement. EXAM REVIEW PROJECT Microsoft Excel Review Baseball Hall of Fame Problem Background Information Every year, the National Baseball Hall of Fame conducts an election to select new inductees from candidates nationally recognized for their talent or association with the sport of

More information

USING A CALCULATOR TO INVESTIGATE WHETHER A LINEAR, QUADRATIC OR EXPONENTIAL FUNCTION BEST FITS A SET OF BIVARIATE NUMERICAL DATA

USING A CALCULATOR TO INVESTIGATE WHETHER A LINEAR, QUADRATIC OR EXPONENTIAL FUNCTION BEST FITS A SET OF BIVARIATE NUMERICAL DATA USING A CALCULATOR TO INVESTIGATE WHETHER A LINEAR, QUADRATIC OR EXPONENTIAL FUNCTION BEST FITS A SET OF BIVARIATE NUMERICAL DATA Jackie Scheiber RADMASTE, Wits University Jackie.scheiber@wits.ac.za Target

More information

I N T E R N A T I O N A L T R I A T H L O N U N I O N. ITU World Triathlon Series QUALIFICATION CRITERIA

I N T E R N A T I O N A L T R I A T H L O N U N I O N. ITU World Triathlon Series QUALIFICATION CRITERIA I N T E R N A T I O N A L T R I A T H L O N U N I O N ITU World Triathlon Series QUALIFICATION CRITERIA 1. ELITE: 1.1. ITU World Triathlon Series events: a.) Gold Group: ITU will determine a group of athletes

More information

Roland C. Deutsch. April 14, 2010

Roland C. Deutsch. April 14, 2010 The FIFA World The World Draw Modeling, Analyzing and Predicting the 2010 FIFA World World Roland C. Deutsch April 14, 2010 Contents The FIFA World The World Draw World 1 2 World 3 4 Facts about the World

More information

Movement and Position

Movement and Position Movement and Position Syllabus points: 1.2 plot and interpret distance-time graphs 1.3 know and use the relationship between average speed, distance moved and 1.4 describe experiments to investigate the

More information

Assessment Schedule 2016 Mathematics and Statistics: Demonstrate understanding of chance and data (91037)

Assessment Schedule 2016 Mathematics and Statistics: Demonstrate understanding of chance and data (91037) NCEA Level 1 Mathematics and Statistics (91037) 2016 page 1 of 8 Assessment Schedule 2016 Mathematics and Statistics: Demonstrate understanding of chance and data (91037) Evidence Statement One Expected

More information

What s UP in the. Pacific Ocean? Learning Objectives

What s UP in the. Pacific Ocean? Learning Objectives What s UP in the Learning Objectives Pacific Ocean? In this module, you will follow a bluefin tuna on a spectacular migratory journey up and down the West Coast of North America and back and forth across

More information

2010 MID-STATE REGIONAL CHAMPIONSHIP SWIMMING & DIVING MEET HOSTED BY EXCEL AQUATICS Centennial Sportsplex Nashville, TN

2010 MID-STATE REGIONAL CHAMPIONSHIP SWIMMING & DIVING MEET HOSTED BY EXCEL AQUATICS Centennial Sportsplex Nashville, TN 2010 MID-STATE REGIONAL CHAMPIONSHIP SWIMMING & DIVING MEET HOSTED BY EXCEL AQUATICS Centennial Sportsplex Nashville, TN DIVING SWIMMING DATE: January 28, 2010 DATE: January 29, 2010 TIME: 5:30pm TIME:

More information

OVERALL STANDING WORLD ROWING CUP 2013

OVERALL STANDING WORLD ROWING CUP 2013 OVERALL STANDING WORLD ROWING CUP 2013 Rk Nation Pts. SYD ETD LUC W2- M2- W2x M2x M4- W1x M1x LW2x LM2x LM4- W4x M4x W8+ M8+ 1 AUS 81 81 5 6 2 5 8 8 6 6 4 5 8 5 8 5 2 GBR 68 68 8 5 4 4 4 5 8 6 4 8 4 8

More information

Competitive Performance of Elite Olympic-Distance Triathletes: Reliability and Smallest Worthwhile Enhancement

Competitive Performance of Elite Olympic-Distance Triathletes: Reliability and Smallest Worthwhile Enhancement SPORTSCIENCE sportsci.org Original Research / Performance Competitive Performance of Elite Olympic-Distance Triathletes: Reliability and Smallest Worthwhile Enhancement Carl D Paton, Will G Hopkins Sportscience

More information

Effective Use of Box Charts

Effective Use of Box Charts Effective Use of Box Charts Purpose This tool provides guidelines and tips on how to effectively use box charts to communicate research findings. Format This tool provides guidance on box charts and their

More information

Lesson 20: Estimating a Population Proportion

Lesson 20: Estimating a Population Proportion Classwork In a previous lesson, each student in your class selected a random sample from a population and calculated the sample proportion. It was observed that there was sampling variability in the sample

More information

Analysis of Traditional Yaw Measurements

Analysis of Traditional Yaw Measurements Analysis of Traditional Yaw Measurements Curiosity is the very basis of education and if you tell me that curiosity killed the cat, I say only the cat died nobly. Arnold Edinborough Limitations of Post-

More information

Where are you right now? How fast are you moving? To answer these questions precisely, you

Where are you right now? How fast are you moving? To answer these questions precisely, you 4.1 Position, Speed, and Velocity Where are you right now? How fast are you moving? To answer these questions precisely, you need to use the concepts of position, speed, and velocity. These ideas apply

More information

South Jersey Diving Association Table Workers Volunteer Job Descriptions

South Jersey Diving Association Table Workers Volunteer Job Descriptions South Jersey Diving Association Table Workers Volunteer Job Descriptions 1 Announcer: The announcer should review the sheets to be sure they are legible and the names pronounceable. The announcer should

More information

Warm-up. Make a bar graph to display these data. What additional information do you need to make a pie chart?

Warm-up. Make a bar graph to display these data. What additional information do you need to make a pie chart? Warm-up The number of deaths among persons aged 15 to 24 years in the United States in 1997 due to the seven leading causes of death for this age group were accidents, 12,958; homicide, 5,793; suicide,

More information

Quality Assurance Charting for QC Data

Quality Assurance Charting for QC Data Quality Assurance Charting for QC Data September 2018 Iowa s Environmental & Public Health Laboratory Copyright the State Hygienic Laboratory at the University of Iowa 2017. All rights reserved. Images

More information

ENHANCED PARKWAY STUDY: PHASE 2 CONTINUOUS FLOW INTERSECTIONS. Final Report

ENHANCED PARKWAY STUDY: PHASE 2 CONTINUOUS FLOW INTERSECTIONS. Final Report Preparedby: ENHANCED PARKWAY STUDY: PHASE 2 CONTINUOUS FLOW INTERSECTIONS Final Report Prepared for Maricopa County Department of Transportation Prepared by TABLE OF CONTENTS Page EXECUTIVE SUMMARY ES-1

More information

FÉDÉRATION INTERNATIONALE DE SKI INTERNATIONAL SKI FEDERATION INTERNATIONALER SKI VERBAND RULES WARSTEINER FIS WORLD CUP NORDIC COMBINED 2002/03

FÉDÉRATION INTERNATIONALE DE SKI INTERNATIONAL SKI FEDERATION INTERNATIONALER SKI VERBAND RULES WARSTEINER FIS WORLD CUP NORDIC COMBINED 2002/03 FÉDÉRATION INTERNATIONALE DE SKI INTERNATIONAL SKI FEDERATION INTERNATIONALER SKI VERBAND CH-3653 Oberhofen (Switzerland), Tel. +41 (33) 244 61 61, Fax +41 (33) 244 61 71 FIS-Website: http://www.fis-ski.com

More information

Why We Should Use the Bullpen Differently

Why We Should Use the Bullpen Differently Why We Should Use the Bullpen Differently A look into how the bullpen can be better used to save runs in Major League Baseball. Andrew Soncrant Statistics 157 Final Report University of California, Berkeley

More information

Medal Standing. WCH Chungju, Korea 25 Aug - 1 Sept As of 1 SEP INTERNET Service: Women G S B Total.

Medal Standing. WCH Chungju, Korea 25 Aug - 1 Sept As of 1 SEP INTERNET Service:   Women G S B Total. Medal Standing Rank Men G S B Total Women G S B Total Mixed G S B Total Total G S B Total 1 ITA - Italy 2 1 2 5 1 1 2 1 1 3 2 3 8 =1 2 AUS - Australia 1 2 3 1 1 2 1 1 3 2 1 6 5 3 GBR - Great Britain 1

More information

National Curriculum Statement: Determine quartiles and interquartile range (ACMSP248).

National Curriculum Statement: Determine quartiles and interquartile range (ACMSP248). Teacher Notes 7 8 9 10 11 12 Aim TI-Nspire CAS Investigation Student 90min To compare the height, weight, age and field positions of all football players from the 32 teams which participated in the 2010

More information

TECHNICAL REGULATIONS Minsk 2019 European Games

TECHNICAL REGULATIONS Minsk 2019 European Games TECHNICAL REGULATIONS Minsk 2019 European Games 1. General 1.1. Athletics competition within the Minsk 2019 European Games, hereafter called "the European Games 2019", is to be organised based on the agreement

More information

The Math and Science of Bowling

The Math and Science of Bowling The Report (100 : The Math and Science of Bowling 1. For this project, you will need to collect some data at the bowling alley. You will be on a team with one other student. Each student will bowl a minimum

More information

2011 WORLD ROWING COACHES CONFERENCE DIGITAL DATA AQUISITION OAR

2011 WORLD ROWING COACHES CONFERENCE DIGITAL DATA AQUISITION OAR 2011 WORLD ROWING COACHES CONFERENCE DIGITAL DATA AQUISITION OAR Standard size oar What is it? Up to 2 hours of recording All internal sensors, no special setting up Sensors record load on oar and orientation

More information

Forecasting sports tournaments by ratings of (prob)abilities

Forecasting sports tournaments by ratings of (prob)abilities Forecasting sports tournaments by ratings of (prob)abilities Achim Zeileis, Christoph Leitner, Kurt Hornik http://eeecon.uibk.ac.at/~zeileis/ UEFA Euro 2016 prediction Source: UEFA, Wikipedia UEFA Euro

More information

31st ANNUAL NORTH EAST HIGH SCHOOL GIRLS SWIMMING & DIVING INVITATIONAL SATURDAY JANUARY 6TH, 2018

31st ANNUAL NORTH EAST HIGH SCHOOL GIRLS SWIMMING & DIVING INVITATIONAL SATURDAY JANUARY 6TH, 2018 31st Annual 2018 31st ANNUAL NORTH EAST HIGH SCHOOL GIRLS SWIMMING & DIVING INVITATIONAL SATURDAY JANUARY 6TH, 2018 GENERAL SCHEDULE 7:45 AM LOCKER ROOMS OPEN FOR DIVERS 8-9:00 AM DIVERS WARM UP 9:00 AM

More information

Lab 13: Hydrostatic Force Dam It

Lab 13: Hydrostatic Force Dam It Activity Overview: Students will use pressure probes to model the hydrostatic force on a dam and calculate the total force exerted on it. Materials TI-Nspire CAS handheld Vernier Gas Pressure Sensor 1.5

More information

CHANGE OF THE BRIGHTNESS TEMPERATURE IN THE MICROWAVE REGION DUE TO THE RELATIVE WIND DIRECTION

CHANGE OF THE BRIGHTNESS TEMPERATURE IN THE MICROWAVE REGION DUE TO THE RELATIVE WIND DIRECTION JP4.12 CHANGE OF THE BRIGHTNESS TEMPERATURE IN THE MICROWAVE REGION DUE TO THE RELATIVE WIND DIRECTION Masanori Konda* Department of Geophysics, Graduate School of Science, Kyoto University, Japan Akira

More information

Equine Results Interpretation Guide For Cannon Angles May 2013

Equine Results Interpretation Guide For Cannon Angles May 2013 Equine Results Interpretation Guide For Cannon Angles May 2013 Page 1 of 20 Table of Contents 1. Introduction... 3 2. Options for all plots... 7 3. Tables of data... 8 4. Gaits... 10 5. Walk... 10 6. Trot...

More information

Package STI. August 19, Index 7. Compute the Standardized Temperature Index

Package STI. August 19, Index 7. Compute the Standardized Temperature Index Package STI August 19, 2015 Type Package Title Calculation of the Standardized Temperature Index Version 0.1 Date 2015-08-18 Author Marc Fasel [aut, cre] Maintainer Marc Fasel A set

More information

Stat 139 Homework 3 Solutions, Spring 2015

Stat 139 Homework 3 Solutions, Spring 2015 Stat 39 Homework 3 Solutions, Spring 05 Problem. Let i Nµ, σ ) for i,..., n, and j Nµ, σ ) for j,..., n. Also, assume that all observations are independent from each other. In Unit 4, we learned that the

More information

ATA SONGAHM TAEKWONDO JUDGING CERTIFICATION LEVEL 1 TEST

ATA SONGAHM TAEKWONDO JUDGING CERTIFICATION LEVEL 1 TEST ATA SONGAHM TAEKWONDO JUDGING CERTIFICATION LEVEL 1 TEST ***DO NOT WRITE ON THIS TEST*** 1. All judging level certifications are valid for how long? a. for 1 year b. for 2 years c. for 3 years d. until

More information

CHAPTER 2 Modeling Distributions of Data

CHAPTER 2 Modeling Distributions of Data CHAPTER 2 Modeling Distributions of Data 2.1 Describing Location in a Distribution The Practice of Statistics, 5th Edition Starnes, Tabor, Yates, Moore Bedford Freeman Worth Publishers 2.1 Reading Quiz

More information

20th ANNUAL HIGH SCHOOL INVITATIONAL HOSTED BY EXCEL AQUATICS

20th ANNUAL HIGH SCHOOL INVITATIONAL HOSTED BY EXCEL AQUATICS 20th ANNUAL HIGH SCHOOL INVITATIONAL HOSTED BY EXCEL AQUATICS DIVING SWIMMING DATE: Friday January 15, 2010 DATE: Saturday, January 16, 2010 TIME: 5:00 p.m. TIME: Meet begins at 2:00 PM WARM-UPS: 3:00-4:45

More information

How To Win The Ashes A Statistician s Guide

How To Win The Ashes A Statistician s Guide How To Win The Ashes A Statistician s Guide Kevin Wang Sydney Universtiy Mathematics Society Last Modified: August 21, 2015 Motivation How come SUMS doesn t do statistics talk very often? Motivation How

More information