Soci Data Analysis in Sociological Research. Homework 5 Computer Handout

Size: px
Start display at page:

Download "Soci252-002 Data Analysis in Sociological Research. Homework 5 Computer Handout"

Transcription

1 University of North Carolina Chapel Hill Soci Data Analysis in Sociological Research Spring 2013 Professor François Nielsen Homework 5 Computer Handout Readings This handout covers computer issues related to Chapters 23, 24, 25 and 26 in De Veaux et al Stats: Data and Models. 3e. Addison-Wesley. (STATSDM3) Chapter 23 Inferences about Means Calculating a CI for a Mean by hand I illustrate calculation of the one-sample t-interval for the mean with the Triphammer speed data from STATSDM3, pp I had earlier copied the data in csv format from the textbook CD to my work directory. I use read.csv to read in the data and attach the dataframe. I then check for near-normality with a stem and leaf display and a normal quantile plot, and calculate the confidence interval. > Speeds <- read.csv("ch23_triphammer_speeds.csv", sep=",", header=true) > attach(speeds) > speed [1] > stem(speed) The decimal point is 1 digit(s) to the right of the > qqnorm(speed) # graph not shown > qqline(speed) > ybar <- mean(speed) > s <- sd(speed) > n <- length(speed) > alpha <-.10 # to get 90 pct interval > tstar <- qt(1 - alpha/2, df=n-1) # critical t value > tstar [1] > SE <- s/sqrt(n) > ME <- tstar*se > c(ybar - ME, ybar + ME) [1]

2 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 2 We can be 90% confident that the mean speed of vehicles on Triphammer Road is between 29.5 and 32.6 miles per hour. Calculating a t-test for the Mean by hand Using the same data we test whether the mean speed of all cars exceeds the speed limit of 30 miles an hour. This is a directional hypothesis with H 0 : µ = µ 0 = 30 and H A : µ > µ 0 = 30. All preliminary calculations are the same as above. > # calculate the t-statistic > mu0 <- 30 > t <- (ybar - mu0)/se > t [1] > pval <- 1 - pt(t, n-1) > pval [1] The p-value of means that if the mean speed is actually 30 miles per hour one would observe a mean of 31 mph about 12.6% of the time. This is insufficient basis for rejecting the null hypothesis that the mean speed is 30 mph. Calculating a CI and t-test Using t.test Both one-sample t-intervals and one-sample t-tests are carried out with the t.test function in R. Depending on whether a CI or a test is desired, we may want to ignore the part of the output we don t need. I first replicate the calculation for the 90% CI for mean speed. > t.test(speed, conf.level = 0.90) One Sample t-test data: speed t = , df = 22, p-value < 2.2e-16 alternative hypothesis: true mean is not equal to 0 90 percent confidence interval: mean of x The confidence interval is the same as calculated earlier by hand. We can ignore the p-value and the rest of the hypothesis testing part as it tests by default the null hypothesis µ = 0, which is not meaningful here. Testing the hypothesis that mean speed is greater than 30 mph is done as follows. > t.test(speed, mu = 30, alternative = "greater") One Sample t-test data: speed t = , df = 22, p-value = alternative hypothesis: true mean is greater than Inf mean of x

3 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 3 The hypothesis test part of the output replicates what we had calculated by hand earlier. Corresponding to the one-sided test the output includes a one-sided confidence interval for the mean speed, which is calculated as (29.5, ). We will not be using one-sided intervals in this course and so we can ignore this part of the output. Chapter 24 Comparing Means Comparisons of means for two independent samples are also carried out with the R function t.test. There are two ways to organize the data for input into t.test: as separate vectors and as a single variable with a factor to identify group membership. Data as separate vectors I use the example of a comparison of battery life of brand name and generic batteries in STATSDM3 (pp ). In the first methods the data are input as two separate vectors. I then create a side-by-side boxplot of the two samples (not shown), and then carry out the t-test. I specify var.equal = FALSE for clarity, but this is the default. > # Data as separate vectors > brandname <- c(194.0, 205.5, 199.2, 172.4, 184.0, 169.5) > generic <- c(190.7, 203.5, 203.5, 206.5, 222.5, 209.4) > boxplot(brandname, generic) > t.test(brandname, generic, var.equal=false) Welch Two Sample t-test data: brandname and generic t = , df = 8.986, p-value = alternative hypothesis: true difference in means is not equal to mean of x mean of y The results are the same as in the textbook, except that the confidence interval for the difference in means is negative ( 35.1 min, 2.1 min). We could have obtained positive values by just entering generic first, brandname second. Data as single vector with identifying factor This method of entering data is more practical when working with data frames. The battery life for both samples is contained in a single variable Times, and group membership is identified by a factor Battery.Type. The t.test function is then called with a model formula Times ~ Battery.Type, meaning that battery life (on the left) is modelled by the factor battery type (on the right). Note that side-by-side boxplots are drawn with the plot() function also using a model formula. 1 > # Data as single vector with group factor > Batteries <- read.csv("ch24_battery_life.csv", sep=",", header=true) > Batteries Times Battery.Type Brand Name Brand Name 1 You can check for yourself that the side-by-side boxplots drawn with plot(times ~ Battery.Type) are better labelled than those produced with boxplot().

4 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H Brand Name Brand Name Brand Name Brand Name Generic Generic Generic Generic Generic Generic > attach(batteries) > plot(times ~ Battery.Type) # side-by-side boxplots, not shown > t.test(times ~ Battery.Type, var.equal = FALSE) Welch Two Sample t-test data: Times by Battery.Type t = , df = 8.986, p-value = alternative hypothesis: true difference in means is not equal to mean in group Brand Name mean in group Generic We see that this method of data entry produces the same test and confidence interval as the use of separate vectors. Pooled t-test The pooled t-test is one in which variances of the two samples can be assumed to be equal. The SE is then based on variance calculated from the pooled data. The pooled test is obtained with t.test by setting the option var.equal = TRUE. In the battery life example, the pooled t-test is obtained as follows (output is not shown). > t.test(times ~ Battery.Type, var.equal = TRUE) > detach(batteries) # clean up t-intervals and t-tests from Summarized Data The package BSDA provides an R function tsum.test for one-sample and two-sample tests of means based on summary data instead of original data. The package is authored by Alan T. Arnholt as a companion to the book Kitchens, Larry J Basic Statistics and Data Analysis. Duxbury Press. The package is available on CRAN; it must be installed on your system before you use it. Alternatively, the R script BSDAsumfunc.R with the relevant BSDA functions can be sourced from the course site (see commands below). The following illustration tests the difference in the mean proportion of women in state cabinets in 22 states with a Democratic governor (µ 1 ) and in 17 states with a Republican governor (µ 2 ). (Note the proportion of women in a state cabinet is treated here as a quantitative variable.) The options and defaults are the same as for t.test, so the following is a two-sided test. > # t-tests and intervals from summarized data > library(bsda) > # uncomment the next line if you do not have the BSDA package installed > # source(" > ybar1 < ; s1 < ; n1 <- 22

5 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 5 > ybar2 < ; s2 < ; n2 <- 17 > tsum.test(ybar1, s1, n1, ybar2, s2, n2) Welch Modified Two-Sample t-test data: Summarized x and y t = , df = , p-value = alternative hypothesis: true difference in means is not equal to mean of x mean of y The p-value of.058 >.05 indicates that the two-sided test of the difference in mean proportion of women is not significant at the.05 level. But now let s do a one-sided test. > tsum.test(ybar1, s1, n1, ybar2, s2, n2, alt = "greater") Welch Modified Two-Sample t-test data: Summarized x and y t = , df = , p-value = alternative hypothesis: true difference in means is greater than NA mean of x mean of y The one-sided test has a p-value of.029, indicating a significantly greater proportion of women in state cabinets of Democratic as compared to Republican governors. (Note that the one-sided p-value is half the two-sided p-value.) Chapter 25 Paired Samples and Blocks Paired t-test In paired samples the observations are linked in pairs, such as measurements on the same individuals at two points in time, or upstream and downstream of a river, or of siblings in a pair. In R a paired t-test is carried out with function t.test by specifying paired = TRUE. As a example I use data that we collected in class earlier in the semester. For a paired t-test using a dataframe the observations are contained in two different variables. Here variable own is total number of siblings in the student s family; uncle is total number of children in family of oldest aunt or uncle of the student. > Famsize <- read.csv("famsize.csv", sep=",", header=true) > head(famsize) # list first 6 cases own uncle

6 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 6 > attach(famsize) > t.test(own, uncle, paired = TRUE) Paired t-test data: own and uncle t = , df = 32, p-value = alternative hypothesis: true difference in means is not equal to mean of the differences > cor(own, uncle) [1] > detach(famsize) # clean up The test is highly significant: there is a very low probability that a difference between own and uncle family size as large as this would be produced by chance alone. We discussed earlier the kind of systematic bias that may inflate own family size reported by students in class. Note that sizes of own and uncle family are in fact correlated r = What sociological mechanisms might explain the positive correlation? Chapter 26 Comparing Counts Goodness-of-Fit Test The function chisq.test in R differs from its counterpart in many other statistical programs in that it will perform any goodness-of-fit test, even one that is not associated with a contingency table. The following shows how to enter the data for the comparison of the age distribution in a sample from the jury pool of a large municipal court district with the age distribution in the district as a whole as given by the census for the seven age categories 18 19, 20 24, 25 29, 30 39, 40 49, 50 64, and 65 and over (Koopmans 1987, pp ). Below I enter the sample counts into variable obs, and the census proportions into variable ps. > # Goodness-of-fit test > obs <- c(23, 96, 134, 293, 297, 380, 113) > ps <- c(0.061, 0.150, 0.135, 0.217, 0.153, 0.182, 0.102) > chisq.test(obs, correct=false, p=ps) Chi-squared test for given probabilities data: obs X-squared = , df = 6, p-value < 2.2e-16 > round(residuals(chisq.test(obs, correct=false, p=ps)), digits = 3) [1] The p-value of the test is very small, indicating a highly significant discrepancy between the counts in various age categories in obs and the census proportions ps. Thus we can reject the null hypothesis that the age distributions of the jury pool and of the county population are the same. The last line of command prints the standardized residuals (with 3 significant digits). They show that the jury pool is significantly deficient in the younger age categories, overrepresented in the middle-aged categories, and deficient again in the 65 and over category (why this pattern?).

7 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 7 Homogeneity and Independence Test from Summary Counts The mechanics of homogeneity and independence tests for a contingency table are the same. However count data may be available in different forms. In this paragraph I show how to enter data as summary counts, as found in a book or published article. The data are party affiliation of black and white respondents in the 2002 General Social Survey (Agresti 2007, p.60). You can use the following commands as a template that can be adapted to analyse any two-ways contingency table you want. > # Entering pre-tabulated data for chi-square test > partybyrace <- matrix(c(871, 444, 873, 302, 80, 43), nrow = 2, byrow = TRUE) > rownames(partybyrace) <- c("white", "Black") > colnames(partybyrace) <- c("dem", "Indep", "Rep") > names(dimnames(partybyrace)) <- c("race", "Party") > partybyrace Party Race Dem Indep Rep White Black > round(100*prop.table(partybyrace, 1), digits = 1) Party Race Dem Indep Rep White Black > test <- chisq.test(partybyrace) > test Pearson s Chi-squared test data: partybyrace X-squared = , df = 2, p-value < 2.2e-16 > residuals(test) Party Race Dem Indep Rep White Black I first entered the contingency table as a matrix, specifying the number of rows (I could have specified the number of columns with ncol = 3 instead) and specifying that the data vector should be distributed row by row with byrow = TRUE (the default is by column). Then I added row names and column names, and names for the two dimensions Race and Party of the table. I then printed the contingency table, and then used the expression prop.table(partybyrace, 1) to show the conditional distributions of Party (dimension 2) given Race (dimension 1). (Use a 2 instead of 1 to percentage by columns.) We can see that blacks are much more likely than whites to identify as Democrat. I then carried out the chi-square test and saved the resulting object in test for later use. The tiny p-value of the chi-square test indicates that we can reject the hypothesis that Race and Party are independent. I then generated the residuals. The pattern of residuals shows that Democratic identification is significantly stronger and Republican identification significantly weaker among black respondents than expected based on independence. Homogeneity or Independence Test from a Dataframe I illustrate the chi-square test with data from a dataframe Chile from the package car. The data are from a public opinion survey of voting intentions carried out just before the 1988 Chile Plebiscite. The plebiscite asked voters

8 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 8 whether General Pinochet should continue to be President or should step down, so a yes (Y) and no (N) vote represent support and opposition to Pinochet, respectively; survey respondents could also specify whether they intended to abstain (A) or were undecided (U). I cross-tabulate voting intention with education categorized as primary, secondary and post-secondary (college) education. I first want to rearrange the levels of the education variable so they are in the natural order P (= primary), S (= secondary), and PS (= post-secondary). Then I calculate the contingency table, the chi-square value, the conditional distributions of voting intentions by education, and the standardized residuals. (Some irrelevant output is omitted.) > library(car)... > data(chile) > levels(chile$education) # education levels in wrong order [1] "P" "PS" "S" > Chile$education <- factor(chile$education, levels=c("p", "S", "PS")) > levels(chile$education) # now education levels in right order [1] "P" "S" "PS" > attach(chile)... > votebyed <- table(education, vote) > votebyed vote education A N U Y P S PS > chisq.test(votebyed) Pearson s Chi-squared test data: votebyed X-squared = , df = 6, p-value < 2.2e-16 > round(100*prop.table(votebyed, 1), 1) vote education A N U Y P S PS We see that the association of voting intention with education is highly significant (chi-square = with 6 df, p<.000). The conditional distributions show that respondents with only primary schooling are more likely to support Pinochet (Y is 40.7% compared with 29.7% for respondents with either secondary or post-secondary education). Respondents with primary schooling are also more likely to be undecided (28.6%, compared to 22.6% and 11.9% for respondents with secondary or post-secondary education levels). Intention to vote No (against Pinochet) increases monotonically with level of education (25.7%, 37.9% and 51.1% for primary, secondary, and post-secondary levels respectively). To examine these patterns further it is useful to compute the residuals. > residuals(chisq.test(votebyed)) vote education A N U Y P

9 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 9 S PS The patterns found in the conditional distributions of voting intention by education level are confirmed by the pattern of residuals. We see that the two largest residuals ( and 5.636) correspond to the lower propensity of primary schooling respondents, and higher propensity of post-secondary respondents, to intend a No vote, relative to expected, and so on. Additional Analyses: Mosaic Plot and Measures of Association The package vcd provides the mosaic command to produce a very useful visualization of the residuals of a contingency table. The function assocstats calculates common chi-square based measures of association, which can be printed with the summary function. I illustrate the use of mosaic and assocstats with the votebyed table calculated earlier from the Chile data. > # Additional analysis with contingency tables > library(vcd) > mosaic(votebyed, shade = TRUE) > summary(assocstats(votebyed)) Number of cases in table: 2522 Number of factors: 2 Test for independence of all factors: Chisq = , df = 6, p-value = 7.528e-27 X^2 df P(> X^2) Likelihood Ratio Pearson Phi-Coefficient : Contingency Coeff.: Cramer s V : The graph produced by mosaic(votebyed, shade = TRUE) (Figure 1) is a visual representation of the table of residuals of votebyed calculated earlier. Blue represents an excess (positive residual) and red a deficit (negative residual) relative to the expected frequency. Greater color saturation signifies greater significance (larger absolute values of the residual). For example there are highly significant deficits in No votes for primary school respondents and in Undecided votes for post-secondary respondents, and a highly significant excess of No vote for post-secondary respondents. Other less significant discrepancies are marked with more desaturated color. The areas of the cells of the mosaic plot are proportional to the cell counts. The coefficients of association will be explained in class. > # Gamma coefficient for ordered tables > library(vcdextra) > GKgamma(partybyrace) gamma : std. error : CI : The package vcdextra has a function GKgamma to calculate the Goodman-Kruskal γ coefficient for a contingency table involving two ordinal variables. I illustrate the use of GKgamma with the table partybyrace created earlier. The coefficient γ can vary between 1 and +1. The calculated value of.575 indicates a strong negative association between race (White to Black top to bottom) and party affiliation (Dem to Rep left to right).

10 S O C I D A T A A N A L Y S I S I N S O C I O L O G I C A L R E S E A R C H 10 vote A N U Y Pearson residuals: 5.64 education PS S P p value = < 2.22e 16 Figure 1: Mosaic plot of voting intentions in 1988 Chile referendum by level of education. A = Abstain, N = No (against Pinochet), U = Undecided, Y = Yes (pro-pinochet). Chile data set from John Fox s car package.

Package dsstatsclient

Package dsstatsclient Maintainer Author Version 4.1.0 License GPL-3 Package dsstatsclient Title DataSHIELD client site stattistical functions August 20, 2015 DataSHIELD client site

More information

Bivariate Statistics Session 2: Measuring Associations Chi-Square Test

Bivariate Statistics Session 2: Measuring Associations Chi-Square Test Bivariate Statistics Session 2: Measuring Associations Chi-Square Test Features Of The Chi-Square Statistic The chi-square test is non-parametric. That is, it makes no assumptions about the distribution

More information

Chapter 23 Inferences About Means

Chapter 23 Inferences About Means Chapter 23 Inferences About Means Chapter 23 - Inferences About Means 391 Chapter 23 Solutions to Class Examples 1. See Class Example 1. 2. We want to know if the mean battery lifespan exceeds the 300-minute

More information

Data Analysis Tools. Tools for Summarizing Data

Data Analysis Tools. Tools for Summarizing Data Data Analysis Tools This section of the notes is meant to introduce you to many of the tools that are provided by Excel under the Tools/Data Analysis menu item. If your computer does not have that tool

More information

General Method: Difference of Means. 3. Calculate df: either Welch-Satterthwaite formula or simpler df = min(n 1, n 2 ) 1.

General Method: Difference of Means. 3. Calculate df: either Welch-Satterthwaite formula or simpler df = min(n 1, n 2 ) 1. General Method: Difference of Means 1. Calculate x 1, x 2, SE 1, SE 2. 2. Combined SE = SE1 2 + SE2 2. ASSUMES INDEPENDENT SAMPLES. 3. Calculate df: either Welch-Satterthwaite formula or simpler df = min(n

More information

Using Stata for Categorical Data Analysis

Using Stata for Categorical Data Analysis Using Stata for Categorical Data Analysis NOTE: These problems make extensive use of Nick Cox s tab_chi, which is actually a collection of routines, and Adrian Mander s ipf command. From within Stata,

More information

Introduction. Hypothesis Testing. Hypothesis Testing. Significance Testing

Introduction. Hypothesis Testing. Hypothesis Testing. Significance Testing Introduction Hypothesis Testing Mark Lunt Arthritis Research UK Centre for Ecellence in Epidemiology University of Manchester 13/10/2015 We saw last week that we can never know the population parameters

More information

Basic Statistical and Modeling Procedures Using SAS

Basic Statistical and Modeling Procedures Using SAS Basic Statistical and Modeling Procedures Using SAS One-Sample Tests The statistical procedures illustrated in this handout use two datasets. The first, Pulse, has information collected in a classroom

More information

Simple Linear Regression Inference

Simple Linear Regression Inference Simple Linear Regression Inference 1 Inference requirements The Normality assumption of the stochastic term e is needed for inference even if it is not a OLS requirement. Therefore we have: Interpretation

More information

Chapter 19 The Chi-Square Test

Chapter 19 The Chi-Square Test Tutorial for the integration of the software R with introductory statistics Copyright c Grethe Hystad Chapter 19 The Chi-Square Test In this chapter, we will discuss the following topics: We will plot

More information

1. What is the critical value for this 95% confidence interval? CV = z.025 = invnorm(0.025) = 1.96

1. What is the critical value for this 95% confidence interval? CV = z.025 = invnorm(0.025) = 1.96 1 Final Review 2 Review 2.1 CI 1-propZint Scenario 1 A TV manufacturer claims in its warranty brochure that in the past not more than 10 percent of its TV sets needed any repair during the first two years

More information

TABLE OF CONTENTS. About Chi Squares... 1. What is a CHI SQUARE?... 1. Chi Squares... 1. Hypothesis Testing with Chi Squares... 2

TABLE OF CONTENTS. About Chi Squares... 1. What is a CHI SQUARE?... 1. Chi Squares... 1. Hypothesis Testing with Chi Squares... 2 About Chi Squares TABLE OF CONTENTS About Chi Squares... 1 What is a CHI SQUARE?... 1 Chi Squares... 1 Goodness of fit test (One-way χ 2 )... 1 Test of Independence (Two-way χ 2 )... 2 Hypothesis Testing

More information

LAB 4 INSTRUCTIONS CONFIDENCE INTERVALS AND HYPOTHESIS TESTING

LAB 4 INSTRUCTIONS CONFIDENCE INTERVALS AND HYPOTHESIS TESTING LAB 4 INSTRUCTIONS CONFIDENCE INTERVALS AND HYPOTHESIS TESTING In this lab you will explore the concept of a confidence interval and hypothesis testing through a simulation problem in engineering setting.

More information

Tutorial 5: Hypothesis Testing

Tutorial 5: Hypothesis Testing Tutorial 5: Hypothesis Testing Rob Nicholls nicholls@mrc-lmb.cam.ac.uk MRC LMB Statistics Course 2014 Contents 1 Introduction................................ 1 2 Testing distributional assumptions....................

More information

Good luck! BUSINESS STATISTICS FINAL EXAM INSTRUCTIONS. Name:

Good luck! BUSINESS STATISTICS FINAL EXAM INSTRUCTIONS. Name: Glo bal Leadership M BA BUSINESS STATISTICS FINAL EXAM Name: INSTRUCTIONS 1. Do not open this exam until instructed to do so. 2. Be sure to fill in your name before starting the exam. 3. You have two hours

More information

Mind on Statistics. Chapter 15

Mind on Statistics. Chapter 15 Mind on Statistics Chapter 15 Section 15.1 1. A student survey was done to study the relationship between class standing (freshman, sophomore, junior, or senior) and major subject (English, Biology, French,

More information

CHAPTER 15 NOMINAL MEASURES OF CORRELATION: PHI, THE CONTINGENCY COEFFICIENT, AND CRAMER'S V

CHAPTER 15 NOMINAL MEASURES OF CORRELATION: PHI, THE CONTINGENCY COEFFICIENT, AND CRAMER'S V CHAPTER 15 NOMINAL MEASURES OF CORRELATION: PHI, THE CONTINGENCY COEFFICIENT, AND CRAMER'S V Chapters 13 and 14 introduced and explained the use of a set of statistical tools that researchers use to measure

More information

ANALYSING LIKERT SCALE/TYPE DATA, ORDINAL LOGISTIC REGRESSION EXAMPLE IN R.

ANALYSING LIKERT SCALE/TYPE DATA, ORDINAL LOGISTIC REGRESSION EXAMPLE IN R. ANALYSING LIKERT SCALE/TYPE DATA, ORDINAL LOGISTIC REGRESSION EXAMPLE IN R. 1. Motivation. Likert items are used to measure respondents attitudes to a particular question or statement. One must recall

More information

The Dummy s Guide to Data Analysis Using SPSS

The Dummy s Guide to Data Analysis Using SPSS The Dummy s Guide to Data Analysis Using SPSS Mathematics 57 Scripps College Amy Gamble April, 2001 Amy Gamble 4/30/01 All Rights Rerserved TABLE OF CONTENTS PAGE Helpful Hints for All Tests...1 Tests

More information

Categorical Data Analysis

Categorical Data Analysis Richard L. Scheaffer University of Florida The reference material and many examples for this section are based on Chapter 8, Analyzing Association Between Categorical Variables, from Statistical Methods

More information

Association Between Variables

Association Between Variables Contents 11 Association Between Variables 767 11.1 Introduction............................ 767 11.1.1 Measure of Association................. 768 11.1.2 Chapter Summary.................... 769 11.2 Chi

More information

The Chi-Square Test. STAT E-50 Introduction to Statistics

The Chi-Square Test. STAT E-50 Introduction to Statistics STAT -50 Introduction to Statistics The Chi-Square Test The Chi-square test is a nonparametric test that is used to compare experimental results with theoretical models. That is, we will be comparing observed

More information

Class 19: Two Way Tables, Conditional Distributions, Chi-Square (Text: Sections 2.5; 9.1)

Class 19: Two Way Tables, Conditional Distributions, Chi-Square (Text: Sections 2.5; 9.1) Spring 204 Class 9: Two Way Tables, Conditional Distributions, Chi-Square (Text: Sections 2.5; 9.) Big Picture: More than Two Samples In Chapter 7: We looked at quantitative variables and compared the

More information

11. Analysis of Case-control Studies Logistic Regression

11. Analysis of Case-control Studies Logistic Regression Research methods II 113 11. Analysis of Case-control Studies Logistic Regression This chapter builds upon and further develops the concepts and strategies described in Ch.6 of Mother and Child Health:

More information

Mind on Statistics. Chapter 13

Mind on Statistics. Chapter 13 Mind on Statistics Chapter 13 Sections 13.1-13.2 1. Which statement is not true about hypothesis tests? A. Hypothesis tests are only valid when the sample is representative of the population for the question

More information

Using Excel in Research. Hui Bian Office for Faculty Excellence

Using Excel in Research. Hui Bian Office for Faculty Excellence Using Excel in Research Hui Bian Office for Faculty Excellence Data entry in Excel Directly type information into the cells Enter data using Form Command: File > Options 2 Data entry in Excel Tool bar:

More information

Introduction to Regression and Data Analysis

Introduction to Regression and Data Analysis Statlab Workshop Introduction to Regression and Data Analysis with Dan Campbell and Sherlock Campbell October 28, 2008 I. The basics A. Types of variables Your variables may take several forms, and it

More information

THE FIRST SET OF EXAMPLES USE SUMMARY DATA... EXAMPLE 7.2, PAGE 227 DESCRIBES A PROBLEM AND A HYPOTHESIS TEST IS PERFORMED IN EXAMPLE 7.

THE FIRST SET OF EXAMPLES USE SUMMARY DATA... EXAMPLE 7.2, PAGE 227 DESCRIBES A PROBLEM AND A HYPOTHESIS TEST IS PERFORMED IN EXAMPLE 7. THERE ARE TWO WAYS TO DO HYPOTHESIS TESTING WITH STATCRUNCH: WITH SUMMARY DATA (AS IN EXAMPLE 7.17, PAGE 236, IN ROSNER); WITH THE ORIGINAL DATA (AS IN EXAMPLE 8.5, PAGE 301 IN ROSNER THAT USES DATA FROM

More information

Comparing Two Groups. Standard Error of ȳ 1 ȳ 2. Setting. Two Independent Samples

Comparing Two Groups. Standard Error of ȳ 1 ȳ 2. Setting. Two Independent Samples Comparing Two Groups Chapter 7 describes two ways to compare two populations on the basis of independent samples: a confidence interval for the difference in population means and a hypothesis test. The

More information

Additional sources Compilation of sources: http://lrs.ed.uiuc.edu/tseportal/datacollectionmethodologies/jin-tselink/tselink.htm

Additional sources Compilation of sources: http://lrs.ed.uiuc.edu/tseportal/datacollectionmethodologies/jin-tselink/tselink.htm Mgt 540 Research Methods Data Analysis 1 Additional sources Compilation of sources: http://lrs.ed.uiuc.edu/tseportal/datacollectionmethodologies/jin-tselink/tselink.htm http://web.utk.edu/~dap/random/order/start.htm

More information

This chapter discusses some of the basic concepts in inferential statistics.

This chapter discusses some of the basic concepts in inferential statistics. Research Skills for Psychology Majors: Everything You Need to Know to Get Started Inferential Statistics: Basic Concepts This chapter discusses some of the basic concepts in inferential statistics. Details

More information

SPSS Tests for Versions 9 to 13

SPSS Tests for Versions 9 to 13 SPSS Tests for Versions 9 to 13 Chapter 2 Descriptive Statistic (including median) Choose Analyze Descriptive statistics Frequencies... Click on variable(s) then press to move to into Variable(s): list

More information

Math 58. Rumbos Fall 2008 1. Solutions to Review Problems for Exam 2

Math 58. Rumbos Fall 2008 1. Solutions to Review Problems for Exam 2 Math 58. Rumbos Fall 2008 1 Solutions to Review Problems for Exam 2 1. For each of the following scenarios, determine whether the binomial distribution is the appropriate distribution for the random variable

More information

Elementary Statistics

Elementary Statistics lementary Statistics Chap10 Dr. Ghamsary Page 1 lementary Statistics M. Ghamsary, Ph.D. Chapter 10 Chi-square Test for Goodness of fit and Contingency tables lementary Statistics Chap10 Dr. Ghamsary Page

More information

Once saved, if the file was zipped you will need to unzip it. For the files that I will be posting you need to change the preferences.

Once saved, if the file was zipped you will need to unzip it. For the files that I will be posting you need to change the preferences. 1 Commands in JMP and Statcrunch Below are a set of commands in JMP and Statcrunch which facilitate a basic statistical analysis. The first part concerns commands in JMP, the second part is for analysis

More information

DIRECTIONS. Exercises (SE) file posted on the Stats website, not the textbook itself. See How To Succeed With Stats Homework on Notebook page 7!

DIRECTIONS. Exercises (SE) file posted on the Stats website, not the textbook itself. See How To Succeed With Stats Homework on Notebook page 7! Stats for Strategy HOMEWORK 3 (Topics 4 and 5) (revised spring 2015) DIRECTIONS Data files are available from the main Stats website for many exercises. (Smaller data sets for other exercises can be typed

More information

AP Statistics: Syllabus 1

AP Statistics: Syllabus 1 AP Statistics: Syllabus 1 Scoring Components SC1 The course provides instruction in exploring data. 4 SC2 The course provides instruction in sampling. 5 SC3 The course provides instruction in experimentation.

More information

An introduction to IBM SPSS Statistics

An introduction to IBM SPSS Statistics An introduction to IBM SPSS Statistics Contents 1 Introduction... 1 2 Entering your data... 2 3 Preparing your data for analysis... 10 4 Exploring your data: univariate analysis... 14 5 Generating descriptive

More information

An introduction to using Microsoft Excel for quantitative data analysis

An introduction to using Microsoft Excel for quantitative data analysis Contents An introduction to using Microsoft Excel for quantitative data analysis 1 Introduction... 1 2 Why use Excel?... 2 3 Quantitative data analysis tools in Excel... 3 4 Entering your data... 6 5 Preparing

More information

Bill Burton Albert Einstein College of Medicine william.burton@einstein.yu.edu April 28, 2014 EERS: Managing the Tension Between Rigor and Resources 1

Bill Burton Albert Einstein College of Medicine william.burton@einstein.yu.edu April 28, 2014 EERS: Managing the Tension Between Rigor and Resources 1 Bill Burton Albert Einstein College of Medicine william.burton@einstein.yu.edu April 28, 2014 EERS: Managing the Tension Between Rigor and Resources 1 Calculate counts, means, and standard deviations Produce

More information

INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA)

INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA) INTERPRETING THE ONE-WAY ANALYSIS OF VARIANCE (ANOVA) As with other parametric statistics, we begin the one-way ANOVA with a test of the underlying assumptions. Our first assumption is the assumption of

More information

An SPSS companion book. Basic Practice of Statistics

An SPSS companion book. Basic Practice of Statistics An SPSS companion book to Basic Practice of Statistics SPSS is owned by IBM. 6 th Edition. Basic Practice of Statistics 6 th Edition by David S. Moore, William I. Notz, Michael A. Flinger. Published by

More information

Analysing Questionnaires using Minitab (for SPSS queries contact -) Graham.Currell@uwe.ac.uk

Analysing Questionnaires using Minitab (for SPSS queries contact -) Graham.Currell@uwe.ac.uk Analysing Questionnaires using Minitab (for SPSS queries contact -) Graham.Currell@uwe.ac.uk Structure As a starting point it is useful to consider a basic questionnaire as containing three main sections:

More information

Bowerman, O'Connell, Aitken Schermer, & Adcock, Business Statistics in Practice, Canadian edition

Bowerman, O'Connell, Aitken Schermer, & Adcock, Business Statistics in Practice, Canadian edition Bowerman, O'Connell, Aitken Schermer, & Adcock, Business Statistics in Practice, Canadian edition Online Learning Centre Technology Step-by-Step - Excel Microsoft Excel is a spreadsheet software application

More information

t-test Statistics Overview of Statistical Tests Assumptions

t-test Statistics Overview of Statistical Tests Assumptions t-test Statistics Overview of Statistical Tests Assumption: Testing for Normality The Student s t-distribution Inference about one mean (one sample t-test) Inference about two means (two sample t-test)

More information

12: Analysis of Variance. Introduction

12: Analysis of Variance. Introduction 1: Analysis of Variance Introduction EDA Hypothesis Test Introduction In Chapter 8 and again in Chapter 11 we compared means from two independent groups. In this chapter we extend the procedure to consider

More information

Recall this chart that showed how most of our course would be organized:

Recall this chart that showed how most of our course would be organized: Chapter 4 One-Way ANOVA Recall this chart that showed how most of our course would be organized: Explanatory Variable(s) Response Variable Methods Categorical Categorical Contingency Tables Categorical

More information

Tutorial for proteome data analysis using the Perseus software platform

Tutorial for proteome data analysis using the Perseus software platform Tutorial for proteome data analysis using the Perseus software platform Laboratory of Mass Spectrometry, LNBio, CNPEM Tutorial version 1.0, January 2014. Note: This tutorial was written based on the information

More information

Crosstabulation & Chi Square

Crosstabulation & Chi Square Crosstabulation & Chi Square Robert S Michael Chi-square as an Index of Association After examining the distribution of each of the variables, the researcher s next task is to look for relationships among

More information

Chapter 7. One-way ANOVA

Chapter 7. One-way ANOVA Chapter 7 One-way ANOVA One-way ANOVA examines equality of population means for a quantitative outcome and a single categorical explanatory variable with any number of levels. The t-test of Chapter 6 looks

More information

II. DISTRIBUTIONS distribution normal distribution. standard scores

II. DISTRIBUTIONS distribution normal distribution. standard scores Appendix D Basic Measurement And Statistics The following information was developed by Steven Rothke, PhD, Department of Psychology, Rehabilitation Institute of Chicago (RIC) and expanded by Mary F. Schmidt,

More information

Stats for Strategy Fall 2012 First-Discussion Handout: Stats Using Calculators and MINITAB

Stats for Strategy Fall 2012 First-Discussion Handout: Stats Using Calculators and MINITAB Stats for Strategy Fall 2012 First-Discussion Handout: Stats Using Calculators and MINITAB DIRECTIONS: Welcome! Your TA will help you apply your Calculator and MINITAB to review Business Stats, and will

More information

Analysis of Variance. MINITAB User s Guide 2 3-1

Analysis of Variance. MINITAB User s Guide 2 3-1 3 Analysis of Variance Analysis of Variance Overview, 3-2 One-Way Analysis of Variance, 3-5 Two-Way Analysis of Variance, 3-11 Analysis of Means, 3-13 Overview of Balanced ANOVA and GLM, 3-18 Balanced

More information

Study Guide for the Final Exam

Study Guide for the Final Exam Study Guide for the Final Exam When studying, remember that the computational portion of the exam will only involve new material (covered after the second midterm), that material from Exam 1 will make

More information

How To Check For Differences In The One Way Anova

How To Check For Differences In The One Way Anova MINITAB ASSISTANT WHITE PAPER This paper explains the research conducted by Minitab statisticians to develop the methods and data checks used in the Assistant in Minitab 17 Statistical Software. One-Way

More information

Guide to Microsoft Excel for calculations, statistics, and plotting data

Guide to Microsoft Excel for calculations, statistics, and plotting data Page 1/47 Guide to Microsoft Excel for calculations, statistics, and plotting data Topic Page A. Writing equations and text 2 1. Writing equations with mathematical operations 2 2. Writing equations with

More information

Two Correlated Proportions (McNemar Test)

Two Correlated Proportions (McNemar Test) Chapter 50 Two Correlated Proportions (Mcemar Test) Introduction This procedure computes confidence intervals and hypothesis tests for the comparison of the marginal frequencies of two factors (each with

More information

Chapter 7: Simple linear regression Learning Objectives

Chapter 7: Simple linear regression Learning Objectives Chapter 7: Simple linear regression Learning Objectives Reading: Section 7.1 of OpenIntro Statistics Video: Correlation vs. causation, YouTube (2:19) Video: Intro to Linear Regression, YouTube (5:18) -

More information

Two-Sample T-Tests Assuming Equal Variance (Enter Means)

Two-Sample T-Tests Assuming Equal Variance (Enter Means) Chapter 4 Two-Sample T-Tests Assuming Equal Variance (Enter Means) Introduction This procedure provides sample size and power calculations for one- or two-sided two-sample t-tests when the variances of

More information

Two-sample t-tests. - Independent samples - Pooled standard devation - The equal variance assumption

Two-sample t-tests. - Independent samples - Pooled standard devation - The equal variance assumption Two-sample t-tests. - Independent samples - Pooled standard devation - The equal variance assumption Last time, we used the mean of one sample to test against the hypothesis that the true mean was a particular

More information

Factors affecting online sales

Factors affecting online sales Factors affecting online sales Table of contents Summary... 1 Research questions... 1 The dataset... 2 Descriptive statistics: The exploratory stage... 3 Confidence intervals... 4 Hypothesis tests... 4

More information

Binary Diagnostic Tests Two Independent Samples

Binary Diagnostic Tests Two Independent Samples Chapter 537 Binary Diagnostic Tests Two Independent Samples Introduction An important task in diagnostic medicine is to measure the accuracy of two diagnostic tests. This can be done by comparing summary

More information

Introduction to Statistics with GraphPad Prism (5.01) Version 1.1

Introduction to Statistics with GraphPad Prism (5.01) Version 1.1 Babraham Bioinformatics Introduction to Statistics with GraphPad Prism (5.01) Version 1.1 Introduction to Statistics with GraphPad Prism 2 Licence This manual is 2010-11, Anne Segonds-Pichon. This manual

More information

Exploratory data analysis (Chapter 2) Fall 2011

Exploratory data analysis (Chapter 2) Fall 2011 Exploratory data analysis (Chapter 2) Fall 2011 Data Examples Example 1: Survey Data 1 Data collected from a Stat 371 class in Fall 2005 2 They answered questions about their: gender, major, year in school,

More information

7. Comparing Means Using t-tests.

7. Comparing Means Using t-tests. 7. Comparing Means Using t-tests. Objectives Calculate one sample t-tests Calculate paired samples t-tests Calculate independent samples t-tests Graphically represent mean differences In this chapter,

More information

Chapter 2 Probability Topics SPSS T tests

Chapter 2 Probability Topics SPSS T tests Chapter 2 Probability Topics SPSS T tests Data file used: gss.sav In the lecture about chapter 2, only the One-Sample T test has been explained. In this handout, we also give the SPSS methods to perform

More information

Solutions to Homework 10 Statistics 302 Professor Larget

Solutions to Homework 10 Statistics 302 Professor Larget s to Homework 10 Statistics 302 Professor Larget Textbook Exercises 7.14 Rock-Paper-Scissors (Graded for Accurateness) In Data 6.1 on page 367 we see a table, reproduced in the table below that shows the

More information

STATISTICA Formula Guide: Logistic Regression. Table of Contents

STATISTICA Formula Guide: Logistic Regression. Table of Contents : Table of Contents... 1 Overview of Model... 1 Dispersion... 2 Parameterization... 3 Sigma-Restricted Model... 3 Overparameterized Model... 4 Reference Coding... 4 Model Summary (Summary Tab)... 5 Summary

More information

SAS Software to Fit the Generalized Linear Model

SAS Software to Fit the Generalized Linear Model SAS Software to Fit the Generalized Linear Model Gordon Johnston, SAS Institute Inc., Cary, NC Abstract In recent years, the class of generalized linear models has gained popularity as a statistical modeling

More information

Analyzing Research Data Using Excel

Analyzing Research Data Using Excel Analyzing Research Data Using Excel Fraser Health Authority, 2012 The Fraser Health Authority ( FH ) authorizes the use, reproduction and/or modification of this publication for purposes other than commercial

More information

Analysis of categorical data: Course quiz instructions for SPSS

Analysis of categorical data: Course quiz instructions for SPSS Analysis of categorical data: Course quiz instructions for SPSS The dataset Please download the Online sales dataset from the Download pod in the Course quiz resources screen. The filename is smr_bus_acd_clo_quiz_online_250.xls.

More information

Results from the 2014 AP Statistics Exam. Jessica Utts, University of California, Irvine Chief Reader, AP Statistics jutts@uci.edu

Results from the 2014 AP Statistics Exam. Jessica Utts, University of California, Irvine Chief Reader, AP Statistics jutts@uci.edu Results from the 2014 AP Statistics Exam Jessica Utts, University of California, Irvine Chief Reader, AP Statistics jutts@uci.edu The six free-response questions Question #1: Extracurricular activities

More information

How To Run Statistical Tests in Excel

How To Run Statistical Tests in Excel How To Run Statistical Tests in Excel Microsoft Excel is your best tool for storing and manipulating data, calculating basic descriptive statistics such as means and standard deviations, and conducting

More information

KSTAT MINI-MANUAL. Decision Sciences 434 Kellogg Graduate School of Management

KSTAT MINI-MANUAL. Decision Sciences 434 Kellogg Graduate School of Management KSTAT MINI-MANUAL Decision Sciences 434 Kellogg Graduate School of Management Kstat is a set of macros added to Excel and it will enable you to do the statistics required for this course very easily. To

More information

Predictor Coef StDev T P Constant 970667056 616256122 1.58 0.154 X 0.00293 0.06163 0.05 0.963. S = 0.5597 R-Sq = 0.0% R-Sq(adj) = 0.

Predictor Coef StDev T P Constant 970667056 616256122 1.58 0.154 X 0.00293 0.06163 0.05 0.963. S = 0.5597 R-Sq = 0.0% R-Sq(adj) = 0. Statistical analysis using Microsoft Excel Microsoft Excel spreadsheets have become somewhat of a standard for data storage, at least for smaller data sets. This, along with the program often being packaged

More information

NCSS Statistical Software

NCSS Statistical Software Chapter 06 Introduction This procedure provides several reports for the comparison of two distributions, including confidence intervals for the difference in means, two-sample t-tests, the z-test, the

More information

Dongfeng Li. Autumn 2010

Dongfeng Li. Autumn 2010 Autumn 2010 Chapter Contents Some statistics background; ; Comparing means and proportions; variance. Students should master the basic concepts, descriptive statistics measures and graphs, basic hypothesis

More information

People like to clump things into categories. Virtually every research

People like to clump things into categories. Virtually every research 05-Elliott-4987.qxd 7/18/2006 5:26 PM Page 113 5 Analysis of Categorical Data People like to clump things into categories. Virtually every research project categorizes some of its observations into neat,

More information

Projects Involving Statistics (& SPSS)

Projects Involving Statistics (& SPSS) Projects Involving Statistics (& SPSS) Academic Skills Advice Starting a project which involves using statistics can feel confusing as there seems to be many different things you can do (charts, graphs,

More information

Odds ratio, Odds ratio test for independence, chi-squared statistic.

Odds ratio, Odds ratio test for independence, chi-squared statistic. Odds ratio, Odds ratio test for independence, chi-squared statistic. Announcements: Assignment 5 is live on webpage. Due Wed Aug 1 at 4:30pm. (9 days, 1 hour, 58.5 minutes ) Final exam is Aug 9. Review

More information

R with Rcmdr: BASIC INSTRUCTIONS

R with Rcmdr: BASIC INSTRUCTIONS R with Rcmdr: BASIC INSTRUCTIONS Contents 1 RUNNING & INSTALLATION R UNDER WINDOWS 2 1.1 Running R and Rcmdr from CD........................................ 2 1.2 Installing from CD...............................................

More information

MTH 140 Statistics Videos

MTH 140 Statistics Videos MTH 140 Statistics Videos Chapter 1 Picturing Distributions with Graphs Individuals and Variables Categorical Variables: Pie Charts and Bar Graphs Categorical Variables: Pie Charts and Bar Graphs Quantitative

More information

How to set the main menu of STATA to default factory settings standards

How to set the main menu of STATA to default factory settings standards University of Pretoria Data analysis for evaluation studies Examples in STATA version 11 List of data sets b1.dta (To be created by students in class) fp1.xls (To be provided to students) fp1.txt (To be

More information

NCSS Statistical Software

NCSS Statistical Software Chapter 06 Introduction This procedure provides several reports for the comparison of two distributions, including confidence intervals for the difference in means, two-sample t-tests, the z-test, the

More information

Institute of Actuaries of India Subject CT3 Probability and Mathematical Statistics

Institute of Actuaries of India Subject CT3 Probability and Mathematical Statistics Institute of Actuaries of India Subject CT3 Probability and Mathematical Statistics For 2015 Examinations Aim The aim of the Probability and Mathematical Statistics subject is to provide a grounding in

More information

Testing a claim about a population mean

Testing a claim about a population mean Introductory Statistics Lectures Testing a claim about a population mean One sample hypothesis test of the mean Department of Mathematics Pima Community College Redistribution of this material is prohibited

More information

Beginning Tutorials. PROC FREQ: It s More Than Counts Richard Severino, The Queen s Medical Center, Honolulu, HI OVERVIEW.

Beginning Tutorials. PROC FREQ: It s More Than Counts Richard Severino, The Queen s Medical Center, Honolulu, HI OVERVIEW. Paper 69-25 PROC FREQ: It s More Than Counts Richard Severino, The Queen s Medical Center, Honolulu, HI ABSTRACT The FREQ procedure can be used for more than just obtaining a simple frequency distribution

More information

t Tests in Excel The Excel Statistical Master By Mark Harmon Copyright 2011 Mark Harmon

t Tests in Excel The Excel Statistical Master By Mark Harmon Copyright 2011 Mark Harmon t-tests in Excel By Mark Harmon Copyright 2011 Mark Harmon No part of this publication may be reproduced or distributed without the express permission of the author. mark@excelmasterseries.com www.excelmasterseries.com

More information

NCSS Statistical Software Principal Components Regression. In ordinary least squares, the regression coefficients are estimated using the formula ( )

NCSS Statistical Software Principal Components Regression. In ordinary least squares, the regression coefficients are estimated using the formula ( ) Chapter 340 Principal Components Regression Introduction is a technique for analyzing multiple regression data that suffer from multicollinearity. When multicollinearity occurs, least squares estimates

More information

Lesson 1: Comparison of Population Means Part c: Comparison of Two- Means

Lesson 1: Comparison of Population Means Part c: Comparison of Two- Means Lesson : Comparison of Population Means Part c: Comparison of Two- Means Welcome to lesson c. This third lesson of lesson will discuss hypothesis testing for two independent means. Steps in Hypothesis

More information

Introduction to Statistics with SPSS (15.0) Version 2.3 (public)

Introduction to Statistics with SPSS (15.0) Version 2.3 (public) Babraham Bioinformatics Introduction to Statistics with SPSS (15.0) Version 2.3 (public) Introduction to Statistics with SPSS 2 Table of contents Introduction... 3 Chapter 1: Opening SPSS for the first

More information

The Statistics Tutor s Quick Guide to

The Statistics Tutor s Quick Guide to statstutor community project encouraging academics to share statistics support resources All stcp resources are released under a Creative Commons licence The Statistics Tutor s Quick Guide to Stcp-marshallowen-7

More information

Two-Sample T-Tests Allowing Unequal Variance (Enter Difference)

Two-Sample T-Tests Allowing Unequal Variance (Enter Difference) Chapter 45 Two-Sample T-Tests Allowing Unequal Variance (Enter Difference) Introduction This procedure provides sample size and power calculations for one- or two-sided two-sample t-tests when no assumption

More information

Module 5: Statistical Analysis

Module 5: Statistical Analysis Module 5: Statistical Analysis To answer more complex questions using your data, or in statistical terms, to test your hypothesis, you need to use more advanced statistical tests. This module reviews the

More information

STAT 145 (Notes) Al Nosedal anosedal@unm.edu Department of Mathematics and Statistics University of New Mexico. Fall 2013

STAT 145 (Notes) Al Nosedal anosedal@unm.edu Department of Mathematics and Statistics University of New Mexico. Fall 2013 STAT 145 (Notes) Al Nosedal anosedal@unm.edu Department of Mathematics and Statistics University of New Mexico Fall 2013 CHAPTER 18 INFERENCE ABOUT A POPULATION MEAN. Conditions for Inference about mean

More information

Difference of Means and ANOVA Problems

Difference of Means and ANOVA Problems Difference of Means and Problems Dr. Tom Ilvento FREC 408 Accounting Firm Study An accounting firm specializes in auditing the financial records of large firm It is interested in evaluating its fee structure,particularly

More information

Practice problems for Homework 12 - confidence intervals and hypothesis testing. Open the Homework Assignment 12 and solve the problems.

Practice problems for Homework 12 - confidence intervals and hypothesis testing. Open the Homework Assignment 12 and solve the problems. Practice problems for Homework 1 - confidence intervals and hypothesis testing. Read sections 10..3 and 10.3 of the text. Solve the practice problems below. Open the Homework Assignment 1 and solve the

More information

Chapter 23. Inferences for Regression

Chapter 23. Inferences for Regression Chapter 23. Inferences for Regression Topics covered in this chapter: Simple Linear Regression Simple Linear Regression Example 23.1: Crying and IQ The Problem: Infants who cry easily may be more easily

More information