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

Size: px
Start display at page:

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

Transcription

1 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 invitation Monday: cancelled (will be at the poster sessions) Tuesday: after class, 3-4pm (for last minute paper questions) Wednesday: 2-4pm (as usual, probably too late for paper questions) OH for finals week will be announced on Tuesday Final exam location: Gross Hall 107 Request: Borrow some clickers at the end of class on Tuesday, to be returned during finals week or at the final? Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 From last lab Predicting income > mlr_step5 = lm(income hrs_work + race + age + gender + edu + disability, data = acs_sub) > summary(mlr_step5) Load data, and subset for those who were employed, if you haven t yet done so. > download.file(" sta /labs/acs.rdata", destfile = "acs.rdata") > load("acs.rdata") > acs_sub = subset(acs, acs$employment == "employed") (Intercept) hrs work race:black race:asian race:other age gender:female edu:college edu:grad disability:yes Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20

2 (1) Nearly normal residuals with mean 0 > qqnorm(, main = "Normal prob. plot\nof residuals") > qqline() > hist(, main = "Histogram of residuals") Sample Quantiles Normal prob. plot of residuals Theoretical Quantiles Histogram of residuals (2) Constant variability of residuals > plot( mlr_step5$fitted, main = "Residuals vs. fitted") > plot(abs() mlr_step5$fitted, main = "Absolute value of\nresiduals vs. fitted") Residuals vs. fitted 0e+00 5e+04 1e+05 mlr_step5$fitted abs() Absolute value of residuals vs. fitted 0e+00 5e+04 1e+05 mlr_step5$fitted Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 (3) Each (numerical) variable linearly related to outcome > par(mfrow = c(2,2)) # 4 plots in one window, 2 rows, 2 columns > plot(, main = "Income vs.\n") > plot(, main = "Residuals vs.\n") > plot(, main = "Income vs. age") > plot(, main = "Residuals vs. age") Income vs. Income vs. age (4) Independence We know that the data are sampled randomly, so there should be no pattern in residuals with respect to the order of data collection. > plot(, main = "Residuals vs.\norder of data collection") 0e+00 3e+05 1e+05 2e+05 Residuals vs. 0e+00 3e+05 1e+05 2e+05 Residuals vs. age Residuals vs. order of data collection Index Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20

3 Transformations Log of We saw that residuals have a right-skewed distribution, and the relationship between and income is non-linear (exponential). In these situations a transformation applied to the response variable may be useful. In order to decide which transformation to use, we should examine the distribution of the response variable. min = 0 Q1 = mean = median = Q3 = max = The extremely right skewed distribution suggests that a log transformation may be useful. > summary() Min. 1st Qu. Median Mean 3rd Qu. Max > log(0) [1] -Inf Since there are some individuals who made 0 income (from salaries and wages) last year, we cannot take the log of their income, since log(0) is undefined. A commonly used trick is to add a very small number to all values, and then take the log. 0e+00 1e+05 2e+05 3e+05 4e+05 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Logged distribution Logged relationships > _log = log( ) > hist() > hist(_log) > plot(_log ) > plot(_log ) e+00 2e+05 4e _log Log(income) vs. _log Log(income) vs. age _log Are there any interesting features in the distribution of the logged income? Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 We still might want to do something about those 0 incomes, it doesn t make sense to model them with the rest of the data. Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20

4 Further subsetting the data Logged relationships - for those with any income > plot(acs_sub2$income_log acs_sub2$hrs_work) > plot(acs_sub2$income_log acs_sub2$age) People who work more than 0 hours per week but make 0 income in salaries and wages are different than others whose income is proportional to number of hours they work. So we have reason to omit these people from the analysis (and model their income differently based on other variables). > acs_sub2 = subset(acs_sub, > 0) > acs_sub2$income_log = log(acs_sub2$income) acs_sub2$income_log Log(income) vs. acs_sub2$income_log Log(income) vs. age acs_sub2$hrs_work acs_sub2$age Much better... Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 New model: log of income Final model for log of income... after a new model selection process (backwards elimination, p-value method): > mlr_log_fin = lm(income_log hrs_work + age + gender + time_to_work + married + edu + disability, data = acs_sub2) > summary(mlr_log_fin) Check the nearly normal residuals with mean 0 and constant variability of residuals conditions for the logged income model using appropriate diagnostics plots. > mlr_log_fin = lm(income_log hrs_work + age + gender + time_to_work + married + edu + disability, data = acs_sub2) Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20

5 (1) Nearly normal residuals with mean 0 (2) Constant variability of residuals Normal prob. plot of residuals Histogram of residuals Residuals vs. fitted Absolute value of residuals vs. fitted Sample Quantiles mlr_log_fin$residuals abs(mlr_log_fin$residuals) Theoretical Quantiles mlr_log_fin$residuals mlr_log_fin$fitted mlr_log_fin$fitted Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 Interpreting coefficients of logged models (1) Interpretations for model for logged income Which is the correct interpretation of the slope of? Interpreting coefficients of logged models (2) Interpretations for model for logged income Which is the correct interpretation of the slope of gender:female? For each additional hour worked per week, (a) we would expect income to increase on average by $0.05. (b) we would expect income to increase on average by 0.05%. (c) we would expect income to increase on average by 5.12%. (d) we would expect income to increase on average by $18.59 (e) we would expect income to increase on average by a factor of Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20 The model predicts that females, on average, make (a) $26,000 less than males. (b) 23% less than males. (c) 77% more than males. (d) $2,600 less than males. (e) $2,600 less more males. Statistics 101 (Mine Çetinkaya-Rundel) U7 - L3: Case study April 18, / 20

Announcements. % College graduate vs. % Hispanic in LA. % College educated vs. % Hispanic in LA. Problem Set 10 Due Wednesday.

Announcements. % College graduate vs. % Hispanic in LA. % College educated vs. % Hispanic in LA. Problem Set 10 Due Wednesday. Announcements Announcements UNIT 7: MULTIPLE LINEAR REGRESSION LECTURE 1: INTRODUCTION TO MLR STATISTICS 101 Problem Set 10 Due Wednesday Nicole Dalzell June 15, 2015 Statistics 101 (Nicole Dalzell) U7

More information

Announcements. Lecture 19: Inference for SLR & Transformations. Online quiz 7 - commonly missed questions

Announcements. Lecture 19: Inference for SLR & Transformations. Online quiz 7 - commonly missed questions Announcements Announcements Lecture 19: Inference for SLR & Statistics 101 Mine Çetinkaya-Rundel April 3, 2012 HW 7 due Thursday. Correlation guessing game - ends on April 12 at noon. Winner will be announced

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

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

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

1. The data below gives the eye colors of 20 students in a Statistics class. Make a frequency table for the data.

1. The data below gives the eye colors of 20 students in a Statistics class. Make a frequency table for the data. 1. The data below gives the eye colors of 20 students in a Statistics class. Make a frequency table for the data. Green Blue Brown Blue Blue Brown Blue Blue Blue Green Blue Brown Blue Brown Brown Blue

More information

y ) s x x )(y i (x i r = 1 n 1 s y Statistics Lecture 7 Exploring Data , y 2 ,y n (x 1 ),,(x n ),(x 2 ,y 1 How two variables vary together

y ) s x x )(y i (x i r = 1 n 1 s y Statistics Lecture 7 Exploring Data , y 2 ,y n (x 1 ),,(x n ),(x 2 ,y 1 How two variables vary together Statistics 111 - Lecture 7 Exploring Data Numerical Summaries for Relationships between Variables Administrative Notes Homework 1 due in recitation: Friday, Feb. 5 Homework 2 now posted on course website:

More information

Habit Formation in Voting: Evidence from Rainy Elections Thomas Fujiwara, Kyle Meng, and Tom Vogl ONLINE APPENDIX

Habit Formation in Voting: Evidence from Rainy Elections Thomas Fujiwara, Kyle Meng, and Tom Vogl ONLINE APPENDIX Habit Formation in Voting: Evidence from Rainy Elections Thomas Fujiwara, Kyle Meng, and Tom Vogl ONLINE APPENDIX Figure A1: Share of Counties with Election-Day Rainfall by Year Share of counties with

More information

Distancei = BrandAi + 2 BrandBi + 3 BrandCi + i

Distancei = BrandAi + 2 BrandBi + 3 BrandCi + i . Suppose that the United States Golf Associate (USGA) wants to compare the mean distances traveled by four brands of golf balls when struck by a driver. A completely randomized design is employed with

More information

Data Set 7: Bioerosion by Parrotfish Background volume of bites The question:

Data Set 7: Bioerosion by Parrotfish Background volume of bites The question: Data Set 7: Bioerosion by Parrotfish Background Bioerosion of coral reefs results from animals taking bites out of the calcium-carbonate skeleton of the reef. Parrotfishes are major bioerosion agents,

More information

IHS AP Statistics Chapter 2 Modeling Distributions of Data MP1

IHS AP Statistics Chapter 2 Modeling Distributions of Data MP1 IHS AP Statistics Chapter 2 Modeling Distributions of Data MP1 Monday Tuesday Wednesday Thursday Friday August 22 A Day 23 B Day 24 A Day 25 B Day 26 A Day Ch1 Exploring Data Class Introduction Getting

More information

Running head: DATA ANALYSIS AND INTERPRETATION 1

Running head: DATA ANALYSIS AND INTERPRETATION 1 Running head: DATA ANALYSIS AND INTERPRETATION 1 Data Analysis and Interpretation Final Project Vernon Tilly Jr. University of Central Oklahoma DATA ANALYSIS AND INTERPRETATION 2 Owners of the various

More information

College/high school median annual earnings gap,

College/high school median annual earnings gap, College/high school median annual earnings gap, 1979 2012 In constant 2012 dollars 70,000 dollars Household gap $30,298 to $58,249 60,000 50,000 40,000 Male gap $17,411 to $34,969 30,000 20,000 10,000

More information

a) List and define all assumptions for multiple OLS regression. These are all listed in section 6.5

a) List and define all assumptions for multiple OLS regression. These are all listed in section 6.5 Prof. C. M. Dalton ECN 209A Spring 2015 Practice Problems (After HW1, HW2, before HW3) CORRECTED VERSION Question 1. Draw and describe a relationship with heteroskedastic errors. Support your claim with

More information

Name Date Period. E) Lowest score: 67, mean: 104, median: 112, range: 83, IQR: 102, Q1: 46, SD: 17

Name Date Period. E) Lowest score: 67, mean: 104, median: 112, range: 83, IQR: 102, Q1: 46, SD: 17 Chapter 6 Review Standards: 4, 7, 8, and 11 Name Date Period Write complete answers, using complete sentences where necessary. Show your work when possible. MULTIPLE CHOICE. Choose the one alternative

More information

Foundations of Data Science. Spring Midterm INSTRUCTIONS. You have 45 minutes to complete the exam.

Foundations of Data Science. Spring Midterm INSTRUCTIONS. You have 45 minutes to complete the exam. Data 8 Spring 2016 Foundations of Data Science Midterm INSTRUCTIONS You have 45 minutes to complete the exam. The exam is closed book, closed notes, closed computer, closed calculator, except one hand-written

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

Chapter 12 Practice Test

Chapter 12 Practice Test Chapter 12 Practice Test 1. Which of the following is not one of the conditions that must be satisfied in order to perform inference about the slope of a least-squares regression line? (a) For each value

More information

Section I: Multiple Choice Select the best answer for each problem.

Section I: Multiple Choice Select the best answer for each problem. Inference for Linear Regression Review Section I: Multiple Choice Select the best answer for each problem. 1. Which of the following is NOT one of the conditions that must be satisfied in order to perform

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

27Quantify Predictability U10L9. April 13, 2015

27Quantify Predictability U10L9. April 13, 2015 1 QUANTIFYING PREDICTABILITY Exercise #1: Make sure that your calculator has its r value on. 2 Exercise #2: In the following exercises four data sets with equal x values are given to illustrate different

More information

ASTERISK OR EXCLAMATION POINT?: Power Hitting in Major League Baseball from 1950 Through the Steroid Era. Gary Evans Stat 201B Winter, 2010

ASTERISK OR EXCLAMATION POINT?: Power Hitting in Major League Baseball from 1950 Through the Steroid Era. Gary Evans Stat 201B Winter, 2010 ASTERISK OR EXCLAMATION POINT?: Power Hitting in Major League Baseball from 1950 Through the Steroid Era by Gary Evans Stat 201B Winter, 2010 Introduction: After a playerʼs strike in 1994 which resulted

More information

Correlation and regression using the Lahman database for baseball Michael Lopez, Skidmore College

Correlation and regression using the Lahman database for baseball Michael Lopez, Skidmore College Correlation and regression using the Lahman database for baseball Michael Lopez, Skidmore College Overview The Lahman package is a gold mine for statisticians interested in studying baseball. In today

More information

Novel empirical correlations for estimation of bubble point pressure, saturated viscosity and gas solubility of crude oils

Novel empirical correlations for estimation of bubble point pressure, saturated viscosity and gas solubility of crude oils 86 Pet.Sci.(29)6:86-9 DOI 1.17/s12182-9-16-x Novel empirical correlations for estimation of bubble point pressure, saturated viscosity and gas solubility of crude oils Ehsan Khamehchi 1, Fariborz Rashidi

More information

Model Selection Erwan Le Pennec Fall 2015

Model Selection Erwan Le Pennec Fall 2015 Model Selection Erwan Le Pennec Fall 2015 library("dplyr") library("ggplot2") library("ggfortify") library("reshape2") Model Selection We will now use another classical dataset birthwt which corresponds

More information

download.file("http://www.openintro.org/stat/data/kobe.rdata", destfile = "kobe.rdata")

download.file(http://www.openintro.org/stat/data/kobe.rdata, destfile = kobe.rdata) Lab 2: Probability Hot Hands Basketball players who make several baskets in succession are described as having a hot hand. Fans and players have long believed in the hot hand phenomenon, which refutes

More information

Lab 2: Probability. Hot Hands. Template for lab report. Saving your code

Lab 2: Probability. Hot Hands. Template for lab report. Saving your code Lab 2: Probability Hot Hands Basketball players who make several baskets in succession are described as having a hot hand. Fans and players have long believed in the hot hand phenomenon, which refutes

More information

Standardized catch rates of U.S. blueline tilefish (Caulolatilus microps) from commercial logbook longline data

Standardized catch rates of U.S. blueline tilefish (Caulolatilus microps) from commercial logbook longline data Standardized catch rates of U.S. blueline tilefish (Caulolatilus microps) from commercial logbook longline data Sustainable Fisheries Branch, National Marine Fisheries Service, Southeast Fisheries Science

More information

Figure 1a. Top 1% income share: China vs USA vs France

Figure 1a. Top 1% income share: China vs USA vs France 22% 20% 18% 16% Figure 1a. Top 1% income share: China vs USA vs China USA 14% 12% 10% 8% 6% 4% 1978 1982 1986 1990 1994 1998 2002 2006 2010 2014 Distribution of pretax national income (before taxes and

More information

COMPLETING THE RESULTS OF THE 2013 BOSTON MARATHON

COMPLETING THE RESULTS OF THE 2013 BOSTON MARATHON COMPLETING THE RESULTS OF THE 2013 BOSTON MARATHON Dorit Hammerling 1, Matthew Cefalu 2, Jessi Cisewski 3, Francesca Dominici 2, Giovanni Parmigiani 2,4, Charles Paulson 5, Richard Smith 1,6 1 Statistical

More information

Journal of Sports Economics 2000; 1; 299

Journal of Sports Economics 2000; 1; 299 Journal of Sports Economics http://jse.sagepub.com Equal Pay on the Hardwood: The Earnings Gap Between Male and Female NCAA Division I Basketball Coaches Brad R. Humphreys Journal of Sports Economics 2000;

More information

The MACC Handicap System

The MACC Handicap System MACC Racing Technical Memo The MACC Handicap System Mike Sayers Overview of the MACC Handicap... 1 Racer Handicap Variability... 2 Racer Handicap Averages... 2 Expected Variations in Handicap... 2 MACC

More information

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

ECO 745: Theory of International Economics. Jack Rossbach Fall Lecture 6

ECO 745: Theory of International Economics. Jack Rossbach Fall Lecture 6 ECO 745: Theory of International Economics Jack Rossbach Fall 2015 - Lecture 6 Review We ve covered several models of trade, but the empirics have been mixed Difficulties identifying goods with a technological

More information

STAT 101 Assignment 1

STAT 101 Assignment 1 STAT 1 Assignment 1 1. From the text: # 1.30 on page 29. A: For the centre the median is 2, the mean is 2.62. I am happy with either for an answer and I am happy to have these read off roughly by eye.

More information

Journal of Human Sport and Exercise E-ISSN: Universidad de Alicante España

Journal of Human Sport and Exercise E-ISSN: Universidad de Alicante España Journal of Human Sport and Exercise E-ISSN: 1988-5202 jhse@ua.es Universidad de Alicante España SOÓS, ISTVÁN; FLORES MARTÍNEZ, JOSÉ CARLOS; SZABO, ATTILA Before the Rio Games: A retrospective evaluation

More information

Minimal influence of wind and tidal height on underwater noise in Haro Strait

Minimal influence of wind and tidal height on underwater noise in Haro Strait Minimal influence of wind and tidal height on underwater noise in Haro Strait Introduction Scott Veirs, Beam Reach Val Veirs, Colorado College December 2, 2007 Assessing the effect of wind and currents

More information

Fundamentals of Machine Learning for Predictive Data Analytics

Fundamentals of Machine Learning for Predictive Data Analytics Fundamentals of Machine Learning for Predictive Data Analytics Appendix A Descriptive Statistics and Data Visualization for Machine learning John Kelleher and Brian Mac Namee and Aoife D Arcy john.d.kelleher@dit.ie

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

Bioequivalence: Saving money with generic drugs

Bioequivalence: Saving money with generic drugs The Right Stuff: Appropriate Mathematics for All Students Promoting the use of materials that engage students in meaningful activities that promote the effective use of technology to support mathematics,

More information

Biostatistics Advanced Methods in Biostatistics IV

Biostatistics Advanced Methods in Biostatistics IV Biostatistics 140.754 Advanced Methods in Biostatistics IV Jeffrey Leek Assistant Professor Department of Biostatistics jleek@jhsph.edu Lecture 8 1 / 22 Tip + Paper Tip In data analysis - particularly

More information

Boyle s Law. Pressure-Volume Relationship in Gases. Figure 1

Boyle s Law. Pressure-Volume Relationship in Gases. Figure 1 Boyle s Law Pressure-Volume Relationship in Gases The primary objective of this experiment is to determine the relationship between the pressure and volume of a confined gas. The gas we use will be air,

More information

League Quality and Attendance:

League Quality and Attendance: League Quality and Attendance: Evidence from a European Perspective* Dr Raymond Bachan* and Prof Barry Reilly ** *University of Brighton, UK **University of Sussex, UK Context Are less fashionable soccer

More information

Lab #12:Boyle s Law, Dec. 20, 2016 Pressure-Volume Relationship in Gases

Lab #12:Boyle s Law, Dec. 20, 2016 Pressure-Volume Relationship in Gases Chemistry Unit 6:States of Matter & Basic Gas Laws Name Lab Partner Lab #12:Boyle s Law, Dec. 20, 2016 Pressure-Volume Relationship in Gases Purpose: The primary objective of this experiment is to determine

More information

8.5 Training Day Part II

8.5 Training Day Part II 26 8.5 Training Day Part II A Solidify Understanding Task Fernando and Mariah continued training in preparation for the half marathon. For the remaining weeks of training, they each separately kept track

More information

Lecture 22: Multiple Regression (Ordinary Least Squares -- OLS)

Lecture 22: Multiple Regression (Ordinary Least Squares -- OLS) Statistics 22_multiple_regression.pdf Michael Hallstone, Ph.D. hallston@hawaii.edu Lecture 22: Multiple Regression (Ordinary Least Squares -- OLS) Some Common Sense Assumptions for Multiple Regression

More information

Name May 3, 2007 Math Probability and Statistics

Name May 3, 2007 Math Probability and Statistics Name May 3, 2007 Math 341 - Probability and Statistics Long Exam IV Instructions: Please include all relevant work to get full credit. Encircle your final answers. 1. An article in Professional Geographer

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

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

Session 2: Introduction to Multilevel Modeling Using SPSS

Session 2: Introduction to Multilevel Modeling Using SPSS Session 2: Introduction to Multilevel Modeling Using SPSS Exercise 1 Description of Data: exerc1 This is a dataset from Kasia Kordas s research. It is data collected on 457 children clustered in schools.

More information

Pitching Performance and Age

Pitching Performance and Age Pitching Performance and Age By: Jaime Craig, Avery Heilbron, Kasey Kirschner, Luke Rector, Will Kunin Introduction April 13, 2016 Many of the oldest players and players with the most longevity of the

More information

Diameter in cm. Bubble Number. Bubble Number Diameter in cm

Diameter in cm. Bubble Number. Bubble Number Diameter in cm Bubble lab Data Sheet Blow bubbles and measure the diameter to the nearest whole centimeter. Record in the tables below. Try to blow different sized bubbles. Name: Bubble Number Diameter in cm Bubble Number

More information

Department of Economics Working Paper

Department of Economics Working Paper Department of Economics Working Paper Number 13-25 October 2013 Compensation Discrimination in the NFL: An Analysis of Career Earnings Johnny Ducking North Carolina A&T State University Peter A. Groothuis

More information

Midterm Exam 1, section 2. Thursday, September hour, 15 minutes

Midterm Exam 1, section 2. Thursday, September hour, 15 minutes San Francisco State University Michael Bar ECON 312 Fall 2018 Midterm Exam 1, section 2 Thursday, September 27 1 hour, 15 minutes Name: Instructions 1. This is closed book, closed notes exam. 2. You can

More information

4-3 Rate of Change and Slope. Warm Up. 1. Find the x- and y-intercepts of 2x 5y = 20. Describe the correlation shown by the scatter plot. 2.

4-3 Rate of Change and Slope. Warm Up. 1. Find the x- and y-intercepts of 2x 5y = 20. Describe the correlation shown by the scatter plot. 2. Warm Up 1. Find the x- and y-intercepts of 2x 5y = 20. Describe the correlation shown by the scatter plot. 2. Objectives Find rates of change and slopes. Relate a constant rate of change to the slope of

More information

Boyle s Law: Pressure-Volume Relationship in Gases. PRELAB QUESTIONS (Answer on your own notebook paper)

Boyle s Law: Pressure-Volume Relationship in Gases. PRELAB QUESTIONS (Answer on your own notebook paper) Boyle s Law: Pressure-Volume Relationship in Gases Experiment 18 GRADE LEVEL INDICATORS Construct, interpret and apply physical and conceptual models that represent or explain systems, objects, events

More information

Standardized catch rates of yellowtail snapper ( Ocyurus chrysurus

Standardized catch rates of yellowtail snapper ( Ocyurus chrysurus Standardized catch rates of yellowtail snapper (Ocyurus chrysurus) from the Marine Recreational Fisheries Statistics Survey in south Florida, 1981-2010 Introduction Yellowtail snapper are caught by recreational

More information

Rationale. Previous research. Social Network Theory. Main gap 4/13/2011. Main approaches (in offline studies)

Rationale. Previous research. Social Network Theory. Main gap 4/13/2011. Main approaches (in offline studies) Boots are Made for Walking: The Spatiality of Social Networks in a Pedestrian, Phone-Free Society Patterns of social interaction in regions without: Implications Rationale Annual Meeting of the Association

More information

Multilevel Models for Other Non-Normal Outcomes in Mplus v. 7.11

Multilevel Models for Other Non-Normal Outcomes in Mplus v. 7.11 Multilevel Models for Other Non-Normal Outcomes in Mplus v. 7.11 Study Overview: These data come from a daily diary study that followed 41 male and female college students over a six-week period to examine

More information

Table 9 and 10 present the norms by gender and by age group, respectively. As can be

Table 9 and 10 present the norms by gender and by age group, respectively. As can be Table 9 and 10 present the norms by gender and by age group, respectively. As can be seen from Table 9, male and female participants were very similar in their reported levels of psychological well-being

More information

Lesson 18: There Is Only One Line Passing Through a Given Point with a Given Slope

Lesson 18: There Is Only One Line Passing Through a Given Point with a Given Slope There Is Only One Line Passing Through a Given Point with a Given Slope Classwork Opening Exercise Examine each of the graphs and their equations. Identify the coordinates of the point where the line intersects

More information

The pth percentile of a distribution is the value with p percent of the observations less than it.

The pth percentile of a distribution is the value with p percent of the observations less than it. Describing Location in a Distribution (2.1) Measuring Position: Percentiles One way to describe the location of a value in a distribution is to tell what percent of observations are less than it. De#inition:

More information

SPATIAL STATISTICS A SPATIAL ANALYSIS AND COMPARISON OF NBA PLAYERS. Introduction

SPATIAL STATISTICS A SPATIAL ANALYSIS AND COMPARISON OF NBA PLAYERS. Introduction A SPATIAL ANALYSIS AND COMPARISON OF NBA PLAYERS KELLIN RUMSEY Introduction The 2016 National Basketball Association championship featured two of the leagues biggest names. The Golden State Warriors Stephen

More information

Full file at

Full file at Chapter 2 1. Describe the distribution. survival times of persons diagnosed with terminal lymphoma A) approximately normal B) skewed left C) skewed right D) roughly uniform Ans: C Difficulty: low 2. Without

More information

Lecture 16: Chapter 7, Section 2 Binomial Random Variables

Lecture 16: Chapter 7, Section 2 Binomial Random Variables Lecture 16: Chapter 7, Section 2 Binomial Random Variables!Definition!What if Events are Dependent?!Center, Spread, Shape of Counts, Proportions!Normal Approximation Cengage Learning Elementary Statistics:

More information

STAT 155 Introductory Statistics. Lecture 2-2: Displaying Distributions with Graphs

STAT 155 Introductory Statistics. Lecture 2-2: Displaying Distributions with Graphs The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL STAT 155 Introductory Statistics Lecture 2-2: Displaying Distributions with Graphs 8/31/06 Lecture 2-2 1 Recall Data: Individuals Variables Categorical variables

More information

MATH IN ACTION TABLE OF CONTENTS. Lesson 1.1 On Your Mark, Get Set, Go! Page: 10 Usain Bolt: The fastest man on the planet

MATH IN ACTION TABLE OF CONTENTS. Lesson 1.1 On Your Mark, Get Set, Go! Page: 10 Usain Bolt: The fastest man on the planet MATH IN ACTION TABLE OF CONTENTS LESSON 1 WORLD RECORD SPEEDS LINEAR FUNCTIONS WITH PROPORTIONAL RELATIONSHIPS Focus on: SLOPE Lesson 1.1 On Your Mark, Get Set, Go! Page: 10 Usain Bolt: The fastest man

More information

Calculating Probabilities with the Normal distribution. David Gerard

Calculating Probabilities with the Normal distribution. David Gerard Calculating Probabilities with the Normal distribution David Gerard 2017-09-18 1 Learning Objectives Standardizing Variables Normal probability calculations. Section 3.1 of DBC 2 Standardizing Variables

More information

Grade: 8. Author(s): Hope Phillips

Grade: 8. Author(s): Hope Phillips Title: Tying Knots: An Introductory Activity for Writing Equations in Slope-Intercept Form Prior Knowledge Needed: Grade: 8 Author(s): Hope Phillips BIG Idea: Linear Equations how to analyze data from

More information

100-Meter Dash Olympic Winning Times: Will Women Be As Fast As Men?

100-Meter Dash Olympic Winning Times: Will Women Be As Fast As Men? 100-Meter Dash Olympic Winning Times: Will Women Be As Fast As Men? The 100 Meter Dash has been an Olympic event since its very establishment in 1896(1928 for women). The reigning 100-meter Olympic champion

More information

STAT 155 Introductory Statistics. Lecture 2: Displaying Distributions with Graphs

STAT 155 Introductory Statistics. Lecture 2: Displaying Distributions with Graphs The UNIVERSITY of NORTH CAROLINA at CHAPEL HILL STAT 155 Introductory Statistics Lecture 2: Displaying Distributions with Graphs 8/29/06 Lecture 2-1 1 Recall Statistics is the science of data. Collecting

More information

Algebra 1 Unit 6 Study Guide

Algebra 1 Unit 6 Study Guide Name: Period: Date: Use this data to answer questions #1. The grades for the last algebra test were: 12, 48, 55, 57, 60, 61, 65, 65, 68, 71, 74, 74, 74, 80, 81, 81, 87, 92, 93 1a. Find the 5 number summary

More information

Empirical Example II of Chapter 7

Empirical Example II of Chapter 7 Empirical Example II of Chapter 7 1. We use NBA data. The description of variables is --- --- --- storage display value variable name type format label variable label marr byte %9.2f =1 if married wage

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

Lesson 4: Describing the Center of a Distribution

Lesson 4: Describing the Center of a Distribution : Describing the Center of a Distribution In previous work with data distributions, you learned how to derive the mean and the median (the center) of a data distribution. In this lesson, we ll compare

More information

Pitching Performance and Age

Pitching Performance and Age Pitching Performance and Age Jaime Craig, Avery Heilbron, Kasey Kirschner, Luke Rector and Will Kunin Introduction April 13, 2016 Many of the oldest and most long- term players of the game are pitchers.

More information

Vapor Pressure of Liquids

Vapor Pressure of Liquids Vapor Pressure of Liquids Calculator 10 In this experiment, you will investigate the relationship between the vapor pressure of a liquid and its temperature. When a liquid is added to the Erlenmeyer flask

More information

JEPonline Journal of Exercise Physiologyonline

JEPonline Journal of Exercise Physiologyonline Walking Technique and Estimated VO 2 max Values 21 JEPonline Journal of Exercise Physiologyonline Official Journal of The American Society of Exercise Physiologists (ASEP) ISSN 1097-9751 An International

More information

DESIGN AND ANALYSIS OF ALGORITHMS (DAA 2017)

DESIGN AND ANALYSIS OF ALGORITHMS (DAA 2017) DESIGN AND ANALYSIS OF ALGORITHMS (DAA 2017) Veli Mäkinen 12/05/2017 1 COURSE STRUCTURE 7 weeks: video lecture -> demo lecture -> study group -> exercise Video lecture: Overview, main concepts, algorithm

More information

Name Student Activity

Name Student Activity Open the TI-Nspire document Boyles_Law.tns. In this activity, you will use a Gas Pressure Sensor to measure the pressure of an air sample inside a syringe. Using graphs, you will apply your results to

More information

Solutionbank S1 Edexcel AS and A Level Modular Mathematics

Solutionbank S1 Edexcel AS and A Level Modular Mathematics Page 1 of 1 Exercise A, Question 1 A group of thirty college students was asked how many DVDs they had in their collection. The results are as follows. 12 25 34 17 12 18 29 34 45 6 15 9 25 23 29 22 20

More information

Acknowledgement: Author is indebted to Dr. Jennifer Kaplan, Dr. Parthanil Roy and Dr Ashoke Sinha for allowing him to use/edit many of their slides.

Acknowledgement: Author is indebted to Dr. Jennifer Kaplan, Dr. Parthanil Roy and Dr Ashoke Sinha for allowing him to use/edit many of their slides. Acknowledgement: Author is indebted to Dr. Jennifer Kaplan, Dr. Parthanil Roy and Dr Ashoke Sinha for allowing him to use/edit many of their slides. Topic for this lecture 0Today s lecture s materials

More information

STA 103: Midterm I. Print clearly on this exam. Only correct solutions that can be read will be given credit.

STA 103: Midterm I. Print clearly on this exam. Only correct solutions that can be read will be given credit. STA 103: Midterm I May 30, 2008 Name: } {{ } by writing my name i swear by the honor code Read all of the following information before starting the exam: Print clearly on this exam. Only correct solutions

More information

Sample Final Exam MAT 128/SOC 251, Spring 2018

Sample Final Exam MAT 128/SOC 251, Spring 2018 Sample Final Exam MAT 128/SOC 251, Spring 2018 Name: Each question is worth 10 points. You are allowed one 8 1/2 x 11 sheet of paper with hand-written notes on both sides. 1. The CSV file citieshistpop.csv

More information

Tying Knots. Approximate time: 1-2 days depending on time spent on calculator instructions.

Tying Knots. Approximate time: 1-2 days depending on time spent on calculator instructions. Tying Knots Objective: Students will find a linear model to fit data. Students will compare and interpret different slopes and intercepts in a context. Students will discuss domain and range: as discrete

More information

Using SAS/INSIGHT Software as an Exploratory Data Mining Platform Robin Way, SAS Institute Inc., Portland, OR

Using SAS/INSIGHT Software as an Exploratory Data Mining Platform Robin Way, SAS Institute Inc., Portland, OR Using SAS/INSIGHT Software as an Exploratory Data Mining Platform Robin Way, SAS Institute Inc., Portland, OR ABSTRACT Data mining has captured the hearts and minds of business analysts seeking a solution

More information

!!!!!!!!!!!!! One Score All or All Score One? Points Scored Inequality and NBA Team Performance Patryk Perkowski Fall 2013 Professor Ryan Edwards!

!!!!!!!!!!!!! One Score All or All Score One? Points Scored Inequality and NBA Team Performance Patryk Perkowski Fall 2013 Professor Ryan Edwards! One Score All or All Score One? Points Scored Inequality and NBA Team Performance Patryk Perkowski Fall 2013 Professor Ryan Edwards "#$%&'(#$)**$'($"#$%&'(#$)**+$,'-"./$%&'(#0$1"#234*-.5$4"0$67)$,#(8'(94"&#$:

More information

Descriptive Stats. Review

Descriptive Stats. Review Descriptive Stats Review Categorical Data The Area Principal Distorts the data possibly making it harder to compare categories Everything should add up to 100% When we add up all of our categorical data,

More information

Team competition: Eliminating the gender gap in competitiveness

Team competition: Eliminating the gender gap in competitiveness Team competition: Eliminating the gender gap in competitiveness Marie-Pierre Dargnies Paris School of Economics, Université Paris 1 Panthéon-Sorbonne October 28 2009 Marie-Pierre Dargnies (Univ Paris 1)

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

MoLE Gas Laws Activities

MoLE Gas Laws Activities MoLE Gas Laws Activities To begin this assignment you must be able to log on to the Internet using Internet Explorer (Microsoft) 4.5 or higher. If you do not have the current version of the browser, go

More information

SCIENTIFIC COMMITTEE SEVENTH REGULAR SESSION August 2011 Pohnpei, Federated States of Micronesia

SCIENTIFIC COMMITTEE SEVENTH REGULAR SESSION August 2011 Pohnpei, Federated States of Micronesia SCIENTIFIC COMMITTEE SEVENTH REGULAR SESSION 9-17 August 2011 Pohnpei, Federated States of Micronesia CPUE of skipjack for the Japanese offshore pole and line using GPS and catch data WCPFC-SC7-2011/SA-WP-09

More information

The Simple Linear Regression Model ECONOMETRICS (ECON 360) BEN VAN KAMMEN, PHD

The Simple Linear Regression Model ECONOMETRICS (ECON 360) BEN VAN KAMMEN, PHD The Simple Linear Regression Model ECONOMETRICS (ECON 360) BEN VAN KAMMEN, PHD Outline Definition. Deriving the Estimates. Properties of the Estimates. Units of Measurement and Functional Form. Expected

More information

Ozobot Bit Classroom Application: Boyle s Law Simulation

Ozobot Bit Classroom Application: Boyle s Law Simulation OZO AP P EAM TR T S BO RO VE D Ozobot Bit Classroom Application: Boyle s Law Simulation Created by Richard Born Associate Professor Emeritus Northern Illinois University richb@rborn.org Topics Chemistry,

More information

GENDER INEQUALITY IN THE LABOR MARKET

GENDER INEQUALITY IN THE LABOR MARKET Table 1.1 Four Measures of Gender Equality, Country Rankings, Mid-1990s Full-Time Occupational Wage Employment Work Integration Equality (1 to 21) (1 to 15) (1 to 18) (1 to 12) Sweden 1 14 6 8 Finland

More information

STANDARD SCORES AND THE NORMAL DISTRIBUTION

STANDARD SCORES AND THE NORMAL DISTRIBUTION STANDARD SCORES AND THE NORMAL DISTRIBUTION REVIEW 1.MEASURES OF CENTRAL TENDENCY A.MEAN B.MEDIAN C.MODE 2.MEASURES OF DISPERSIONS OR VARIABILITY A.RANGE B.DEVIATION FROM THE MEAN C.VARIANCE D.STANDARD

More information

A REVIEW AND EVALUATION OF NATURAL MORTALITY FOR THE ASSESSMENT AND MANAGEMENT OF YELLOWFIN TUNA IN THE EASTERN PACIFIC OCEAN

A REVIEW AND EVALUATION OF NATURAL MORTALITY FOR THE ASSESSMENT AND MANAGEMENT OF YELLOWFIN TUNA IN THE EASTERN PACIFIC OCEAN A REVIEW AND EVALUATION OF NATURAL MORTALITY FOR THE ASSESSMENT AND MANAGEMENT OF YELLOWFIN TUNA IN THE EASTERN PACIFIC OCEAN Mark N. Maunder and Alex Aires-da-Silva Outline YFT history Methods to estimate

More information

Driv e accu racy. Green s in regul ation

Driv e accu racy. Green s in regul ation LEARNING ACTIVITIES FOR PART II COMPILED Statistical and Measurement Concepts We are providing a database from selected characteristics of golfers on the PGA Tour. Data are for 3 of the players, based

More information

Neighborhood Influences on Use of Urban Trails

Neighborhood Influences on Use of Urban Trails Neighborhood Influences on Use of Urban Trails Greg Lindsey, Yuling Han, Jeff Wilson Center for Urban Policy and the Environment Indiana University Purdue University Indianapolis Objectives Present new

More information

ISDS 4141 Sample Data Mining Work. Tool Used: SAS Enterprise Guide

ISDS 4141 Sample Data Mining Work. Tool Used: SAS Enterprise Guide ISDS 4141 Sample Data Mining Work Taylor C. Veillon Tool Used: SAS Enterprise Guide You may have seen the movie, Moneyball, about the Oakland A s baseball team and general manager, Billy Beane, who focused

More information