Stat Wk 8: Continuous Data

Size: px
Start display at page:

Download "Stat Wk 8: Continuous Data"

Transcription

1 Stat Wk 8: Continuous Data proc iml Loading and saving to datasets proc means proc univariate proc sgplot proc corr Stat 342 Notes. Week 3, Page 1 / 71

2 PROC IML - Reading other datasets. If you want to use an existing dataset as a matrix, rather than setting your own manually, you can do this with the 'use' and 'close' commands, combined with the 'read' command. 'Use' is used to tell the system to bring a certain dataset into memory. 'Close' is to wipe it from memory (useful for keeping things running smooth). Read is used to take that dataset in memory, and save it into a matrix. Stat 342 Notes. Week 3, Page 2 / 71

3 The general syntax is use <DATASET>; read all var <VARIABLE NAMES> into <MATRIX NAME>; close <DATASET>; Stat 342 Notes. Week 3, Page 3 / 71

4 Use (and close) use the same syntax for specifying a dataset as other SAS procedures. The dataset is specificed by libname.dataset, and addition options like (obs = ) can be used to specify which rows to load into memory. use ds1; use work.ds1; use somelib.cars; use somelib.cars(obs = 10); Stat 342 Notes. Week 3, Page 4 / 71

5 Close is the same, except that the options are not necessary in the close statement. close ds1; close work.ds1; close somelib.cars; close somelib.cars; Stat 342 Notes. Week 3, Page 5 / 71

6 With the read command, references to entire classes of variable names still work, including _ALL_, _NUM_, and _CHAR_ for all variables, numeric ones, and character ones, respectively. proc iml; use SASHELP.Cars(OBS=5); read all var _NUM_ into m1; read all var _NUM_ into m2[colname=numericnames]; close SASHELP.Cars; print m1, m2; Stat 342 Notes. Week 3, Page 6 / 71

7 Matrices are saved as SAS datasets with the create command and the append command. 'Create' makes a new SAS data set of whatever library and name you specify. However, the create command alone only makes a blank dataset (with whatever formatting you specify). 'Append' takes data from some matrix in the IML environment and adds (appends) it to the particular dataset, such as the one you just made with 'create'. Stat 342 Notes. Week 3, Page 7 / 71

8 The general syntax is... create <DATASET> from <MATRIX>; append from <MATRIX>; close <DATASET>; Like when loading, it's a good idea to close your datasets after you're done with them. Stat 342 Notes. Week 3, Page 8 / 71

9 Example of saving data, and seeing with with a proc print; proc iml; m = {1 2 3., }; m = t(m); create newds from m[colname={"x","y"}]; append from m; close work.newds; quit; proc print (data=newds); Stat 342 Notes. Week 3, Page 9 / 71 run;

10 Readings on proc iml Textbook source: Pages of 'SAS and R'. Additional source for interest: SAS Whitepaper Getting started with the SAS/IML Language, by Rick Wilkin pdf Stat 342 Notes. Week 3, Page 10 / 71

11 I hope IML isn't too fuzzy from two weeks ago Stat 342 Notes. Week 3, Page 11 / 71

12 Proc means and proc univariate are used to describe individual variables on their own. Their capabilities are very similar, but They have different defaults and slightly different syntaxes. 2. Proc univariate can create histograms and boxplots. Stat 342 Notes. Week 3, Page 12 / 71

13 Proc summary also operates similarly to proc means and proc univariate, but since Proc summary can't produce output to the screen (only to another file or dataset) and its syntax is less intuitive, we won't be covering it. Stat 342 Notes. Week 3, Page 13 / 71

14 The general syntax for proc means is... proc means data=input_ds <table options> <statistics of interest>; <class/by varnames>; var <numeric variables>; output <output_ds> <statistic = varnames>; run; Stat 342 Notes. Week 3, Page 14 / 71

15 The complete list for <table options> is found here: HTML/default/viewer.htm#a htm Notables include: missing When summarizing by groups using a categorical variable, this makes 'missing data' count as a group (shown in document camera example). Stat 342 Notes. Week 3, Page 15 / 71

16 Alpha= <'0.05'> The significance level. Used for confidence interval statistics. The default value is 0.05, which will provide 95% confidence intervals. Maxdec= <2> The maximum digits of precision after the decimal point. 0 means everything is rounded to the nearest whole number, 1 means everything is rounded to the nearest 0.1, and so on. Print / noprint Produce or ignore on-screen output. Stat 342 Notes. Week 3, Page 16 / 71

17 Example 1: What does this do? proc means data=input_ds alpha=0.10 maxdec=3 missing noprint;...; run; Stat 342 Notes. Week 3, Page 17 / 71

18 <statistics of interest> is where we list the statistics we wish to use to describe the variables. proc means data=input_ds <table options> <statistics of interest>; var <numeric variables>; <class/by varnames>; output <output_ds> <statistic = varnames>; run; Stat 342 Notes. Week 3, Page 18 / 71

19 By default the stats computed are n mean std min max n The number of observations. std The standard deviation of the observations. Other notables include sum stderr var and... nmiss The number of values missing clm Confidence limits of the mean. Affected by the alpha level determined earlier, but defaults to the 95% confidence bounds/limits. Stat 342 Notes. Week 3, Page 19 / 71

20 Q1 Q3 The first (lower) and third (upper) quartiles of the data, where 25% and 75% is below these points, respectively. qrange Interquartile range, the difference between Q1 and Q3. In other words, the size of the middle half of the data. Skewness skew Skewness, or skew. The central third moment. If this is positive, then you have more extreme Stat 342 Notes. Week 3, Page 20 / 71

21 data values above the mean than below. In other terms, the distribution stretches or 'skews' in the positive direction. kurtosis The fourth moment, used to describe how peak- like (positive kurtosis), or flat/plateau-like a unimodal distribution like the normal distribution is. P1 P5 P10 P90 P95 P99 Percentiles. The points at which 1%. 5%, 10%, 90%, 95%, and 99% of the (observed) values for a given variable. See also quartiles, and the median. Stat 342 Notes. Week 3, Page 21 / 71

22 This is the complete list Stat 342 Notes. Week 3, Page 22 / 71

23 var <numeric variables> defines the variables that will be summarized. proc means data=input_ds <table options> <statistics of interest>; var <numeric variables>; <class/by varnames>; output <output_ds> <statistic = varnames>; run; Stat 342 Notes. Week 3, Page 23 / 71

24 Example 2: What does this do? proc means data=input clm std P1 P5 Q1 median Q3 P95 P99;...; run; Stat 342 Notes. Week 3, Page 24 / 71

25 Now you can be the meanest of the mean. Stat 342 Notes. Week 3, Page 25 / 71

26 var <numeric variables> defines the variables for which summary statistics are required. By default, EVERY numeric variable is included in the summary, even ones that wouldn't make sense to take statistics of, like observation numbers, IDs, and phone numbers. This is just like if you had specified _numeric_ in the list of variables. Stat 342 Notes. Week 3, Page 26 / 71

27 The batting dataset, found in your s and on the website of the auithor of SAS and R includes year-by-year records of many different Major League Baseball players. It's more than 90,000 rows long, and includes thousands of players. We are interested in finding and confirming year-toyear patterns like 'have strike-outs become more common in recent years'. A dataset like this is too large to feasibly print to screen. SAS University Edition will only show 100 rows at a time. Stat 342 Notes. Week 3, Page 27 / 71

28 However, we CAN use a procedure like proc means to effectively characterize the data. (Apologies to everyone that doesn't care about baseball, but its discrete events make it the easiest to analyze of popular sports in North America) (Go Cubs!) Stat 342 Notes. Week 3, Page 28 / 71

29 Loading the batting dataset proc import datafile='dir_location\baseball.csv' out=ds dbms=csv; delimiter=','; getnames=yes; run; Stat 342 Notes. Week 3, Page 29 / 71

30 In the batting dataset, the variables that make the most sense would be games batted (G_batting), and the number of at-bats (AB), runs (R), hits (H), home-runs (HR) walks (BB), intentional walks (IBB), and strike outs (SO). Therefore, the variable specification line would look like this: var G_batting AB R H HR BB IBB SO; Stat 342 Notes. Week 3, Page 30 / 71

31 Output <out_ds> defines the dataset that the output will be saved to (if any). <statistic = varnames> defines the variable names for the statistics that you produce. proc means data=input_ds <table options> <statistics of interest>; <class/by varnames>; var <numeric variables>; output <out_ds> <statistic = varnames>; run; Stat 342 Notes. Week 3, Page 31 / 71

32 The format of the statistics and varnames is quite rigid. These work as expected, producing the sum of AB and BB for the relevant set of observations: output out = out_ds sum(ab) = Atbats sum(bb) = Walks; However, this causes a compiling error: output out = out_ds sum(bb, IBB) = Walks2; Stat 342 Notes. Week 3, Page 32 / 71

33 Finally, <class/by varnames> is what you use to specify how you wish to group each set of observations. Without it, you will get the specified statistics of every observation put together. proc means data=input_ds <table options> <statistics of interest>; <class/by varnames>; var <numeric variables>; output <out_ds> <statistic = varnames>; run; Stat 342 Notes. Week 3, Page 33 / 71

34 This code would give you the summary stats of (yearid, AB, SO) for all the data combined. You'll get the total at-bats and strikeouts of ALL observations in the data set, and your output will be a single row. proc means data=batting sum; var AB SO; run; Stat 342 Notes. Week 3, Page 34 / 71

35 This code, however, will give you the total number of at-bats and strikeouts for EACH year. proc means data=batting sum; var AB SO; class yearid; run; Stat 342 Notes. Week 3, Page 35 / 71

36 Classes are sorted in ascending alphabetical / numeric order. Proc means also gives the number of observations for each class. No class variable. Stat 342 Notes. Week 3, Page 36 / 71 Class yearid.

37 More that one variable can be used as a class variable. If this is the case, observations will be grouped by each unique combination of the class variables, and aggregated within that group. Class (and its pre-sorted version, 'by') may take a VERY long time to do this for a large dataset. It is HIGHLY recommended to test multiple class variables by some smaller 'toy' dataset first to avoid locking up your SAS terminal for hours. Stat 342 Notes. Week 3, Page 37 / 71

38 class yearid lgid; A variable can be one of the variables summarized AND be a class variable at the same time. The results may be confusing though (or obvious in the case of mean/median). proc means data=batting sum mean; var yearid AB SO; class yearid lgid; run; Stat 342 Notes. Week 3, Page 38 / 71

39 The output will look like this as a table. Stat 342 Notes. Week 3, Page 39 / 71

40 ...and this if you use the default dataset output. output out=ds_name;... it looks like this. Stat 342 Notes. Week 3, Page 40 / 71

41 Next in this series, hypothesis tests! Stat 342 Notes. Week 3, Page 41 / 71

42 Before we continue, let's create some derived variables for the batting average, strike-out average, and walking average of each player per year. Each of these variables is a proportion of the at-bats that a given player experiences in a given year. data batting; set batting; batavg = H / AB; so_avg = SO / AB; walk_avg = sum(bb, IBB) / AB; run; Stat 342 Notes. Week 3, Page 42 / 71

43 Also, let's limit our dataset to years and players in which at least 300 at-bats were observed. This way our derived variables are proportions of a large number of observations. data batting_300ab; set batting; if AB ge 300 then output; run; Stat 342 Notes. Week 3, Page 43 / 71

44 Consider the distributions of the these three derived variables. Intuitively, they should be normally distributed. Is that the case? Let's check the histograms with the UNIVARIATE procedure. Including the 'histogram' statement in 'proc univariate' tells SAS to make histograms of the variables you specify. If you don't specify any variables, it uses every variable that was listed in the 'var' statement. Including '/normal' at the end of the histogram statement adds a fitted normal curve to the histograms created. Stat 342 Notes. Week 3, Page 44 / 71

45 The 'var' statement will include every numeric variable in the dataset unless you specify otherwise. So this code will produce summary statistics and histograms for the three derived variables we made earlier, with fitted normal curves included proc univariate data=batting_300ab; var batavg so_avg walk_avg; histogram run; Stat 342 Notes. Week 3, Page 45 / 71 / normal;

46 Stat 342 Notes. Week 3, Page 46 / 71

47 Stat 342 Notes. Week 3, Page 47 / 71

48 Stat 342 Notes. Week 3, Page 48 / 71

49 We can also check the quantile-quantile (vs normal distribution) plots for these variables, and see how well they fit. In a quantile-quantile plot, the observations of a variable are sorted and compared to some theoretical quantiles. For example: Say we have 1000 observations, and we want to compare the distribution of these observations to a normal distribution. The quantile of the normal distribution is 1.96 standard deviations below the mean. If our data is normal, then the 25 th lowest data point should also be 1.96 sd below the mean. Stat 342 Notes. Week 3, Page 49 / 71

50 Quantile-quantile plots can be produced with the 'qqplot' statement in the univariate procedure. The '/ normal' specifies the distribution. Normal is the default. Other options include 'beta', 'exponential', 'gamma', and 'Weibull'. proc univariate data=batting_300ab; var batavg so_avg walk_avg; qqplot / normal; run; Stat 342 Notes. Week 3, Page 50 / 71

51 If the selected distribution fits the data, we should see a straight line. (It doesn't have to be perfect at the extreme ends) Stat 342 Notes. Week 3, Page 51 / 71

52 Skewed distributions will demonstrate a single bend (vs normal). Stat 342 Notes. Week 3, Page 52 / 71

53 More complicated deviations from will exhibit complex behaviour, such as s-curves or extreme values. Stat 342 Notes. Week 3, Page 53 / 71

54 Finally, we can conduct formal tests for normality by using the normal option right after we specify the input dataset. proc univariate data=batting_300ab normal; var batavg so_avg walk_avg; run; Some normality tests have minimum / maximum sample sizes. Only the appropriate tests will be performed. (Shapiro-Wilks test, for example, won't show for N > 2000) Stat 342 Notes. Week 3, Page 54 / 71

55 Batting averages Strikeout averages Walking averages Stat 342 Notes. Week 3, Page 55 / 71

56 Let's go exploring for bivariate trends. Stat 342 Notes. Week 3, Page 56 / 71

57 For continuous data, we can look at two variables at a time in several ways. - Correlation - Scatterplots - Regression For scatterplots, we can use the SGPLOT procedure, which standard for Statistical Graphic PLOT. Stat 342 Notes. Week 3, Page 57 / 71

58 Proc sgplot is the basic procedure for a wide variety of graphing options. These include: Scatterplots with the scatter statement. Bar plots with the hbar and vbar statements. Box plots with the hbox and vbox statements. Fitted regression lines with the reg statement. Locally fitted spline-smoothed fit with the loess statement. Kernel-based density curves with the density statement. Stat 342 Notes. Week 3, Page 58 / 71

59 For a scatterplot between strikeout average and batting (hitting) average, the code is: proc sgplot data=batting_300ab; scatter x=batavg y=so_avg; run; Stat 342 Notes. Week 3, Page 59 / 71

60 Stat 342 Notes. Week 3, Page 60 / 71

61 We can draw a 99% prediction ellipse around these data points with the 'ellipse' statement. The default is a 95% level for confidence/prediction, including for the ellipse, so we decrease alpha in the settings in order to make an ellipse that's farther out and more visible. proc sgplot data=batting_300ab; scatter x=batavg y=so_avg; ellipse x=batavg y=so_avg / alpha = 0.01; run; Stat 342 Notes. Week 3, Page 61 / 71

62 Stat 342 Notes. Week 3, Page 62 / 71

63 There are tons of data points (about 19,700), so it's hard to get a sense of the relative density of data points. We can fix that with some graphical options. proc sgplot data=batting_300ab; scatter x=batavg y=so_avg /transparency = 0.9; ellipse x=batavg y=so_avg / alpha = 0.01; run; Stat 342 Notes. Week 3, Page 63 / 71

64 Stat 342 Notes. Week 3, Page 64 / 71

65 We can do something more formal with the correlation procedure, PROC CORR. For example, we can get the simple pairwise (Pearson) correlation between all three of our derived variables with the following: proc corr data=batting_300ab; var batavg so_avg walk_avg; run; Stat 342 Notes. Week 3, Page 65 / 71

66 This will produce some simple summary stats, and the correlation coefficient, p-value against 0 correlation (two-tailed), and number of observation pairs for each pair of variables. Stat 342 Notes. Week 3, Page 66 / 71

67 We can look much deeper into this with alternative correlation measures, like Spearman's Rank Sum (ideal for non-linear, monotonic relationships), or Kendall's Tau. proc corr data=batting_300ab Pearson Spearman Kendall; var batavg so_avg walk_avg; run; Stat 342 Notes. Week 3, Page 67 / 71

68 This will produce equivalent matrices for the other measures. If you still want the Pearson correlation as well, you have to specify it. Stat 342 Notes. Week 3, Page 68 / 71

69 We can also produce scatterplots and histograms of each variable and pair of variables in a neatly-arranged matrix. For large datasets, you may need to get around the default limit of the number of data points to draw with the maxpoints option in the plot() settings. proc corr data=batting_550ab plots=matrix(histogram) plots(maxpoints = 50000); var batavg so_avg walk_avg; run; Stat 342 Notes. Week 3, Page 69 / 71

70 Stat 342 Notes. Week 3, Page 70 / 71

71 Readings on week 8 material Textbook source: Chapter 5 'SAS and R'. Sources for your interest: The Essential Meaning of PROC MEANS Readings on week 9 material (next week) Textbook source: Chapter 6 'SAS and R'. Stat 342 Notes. Week 3, Page 71 / 71

Stat Wk 9: Hypothesis Tests and Analysis

Stat Wk 9: Hypothesis Tests and Analysis Stat 342 - Wk 9: Hypothesis Tests and Analysis Crash course on ANOVA, proc glm Stat 342 Notes. Week 9 Page 1 / 57 Crash Course: ANOVA AnOVa stands for Analysis Of Variance. Sometimes it s called ANOVA,

More information

List of Figures. List of Tables. Preface to the Second Edition. Preface to the First Edition

List of Figures. List of Tables. Preface to the Second Edition. Preface to the First Edition List of Figures List of Tables Preface to the Second Edition Preface to the First Edition xv xxv xxix xxxi 1 What Is R? 1 1.1 Introduction to R................................ 1 1.2 Downloading and Installing

More information

Unit 1 Exploring and Understanding Data

Unit 1 Exploring and Understanding Data Unit 1 Exploring and Understanding Data Area Principle Bar Chart Boxplot Conditional Distribution Dotplot Empirical Rule Five Number Summary Frequency Distribution Frequency Polygon Histogram Interquartile

More information

Linear Regression in SAS

Linear Regression in SAS 1 Suppose we wish to examine factors that predict patient s hemoglobin levels. Simulated data for six patients is used throughout this tutorial. data hgb_data; input id age race $ bmi hgb; cards; 21 25

More information

Population. Sample. AP Statistics Notes for Chapter 1 Section 1.0 Making Sense of Data. Statistics: Data Analysis:

Population. Sample. AP Statistics Notes for Chapter 1 Section 1.0 Making Sense of Data. Statistics: Data Analysis: Section 1.0 Making Sense of Data Statistics: Data Analysis: Individuals objects described by a set of data Variable any characteristic of an individual Categorical Variable places an individual into one

More information

2.4.1 STA-O Assessment 2

2.4.1 STA-O Assessment 2 2.4.1 STA-O Assessment 2 Work all the problems and determine the correct answers. When you have completed the assessment, open the Assessment 2 activity and input your responses into the online grading

More information

AP Statistics. Semester One Review Part 1 Chapters 1-5

AP Statistics. Semester One Review Part 1 Chapters 1-5 AP Statistics Semester One Review Part 1 Chapters 1-5 AP Statistics Topics Describing Data Producing Data Probability Statistical Inference Describing Data Ch 1: Describing Data: Graphically and Numerically

More information

NEUROBLASTOMA DATA -- TWO GROUPS -- QUANTITATIVE MEASURES 38 15:37 Saturday, January 25, 2003

NEUROBLASTOMA DATA -- TWO GROUPS -- QUANTITATIVE MEASURES 38 15:37 Saturday, January 25, 2003 NEUROBLASTOMA DATA -- TWO GROUPS -- QUANTITATIVE MEASURES 38 15:37 Saturday, January 25, 2003 Obs GROUP I DOPA LNDOPA 1 neurblst 1 48.000 1.68124 2 neurblst 1 133.000 2.12385 3 neurblst 1 34.000 1.53148

More information

4Stat Wk 10: Regression

4Stat Wk 10: Regression 4Stat 342 - Wk 10: Regression Loading data with datalines Regression (Proc glm) - with interactions - with polynomial terms - with categorical variables (Proc glmselect) - with model selection (this is

More information

Chapter 5. Describing numerical data

Chapter 5. Describing numerical data Chapter 5 Describing numerical data 1 Topics Numerical descriptive measures Location Variability Other measurements Graphical methods Histogram Boxplot, Stem and leaf plot Scatter plot for bivariate data

More information

Lab 4 (M13) Objective: This lab will give you more practice exploring the shape of data, and in particular in breaking the data into two groups.

Lab 4 (M13) Objective: This lab will give you more practice exploring the shape of data, and in particular in breaking the data into two groups. Lab 4 (M13) Objective: This lab will give you more practice exploring the shape of data, and in particular in breaking the data into two groups. Activity 1 Examining Data From Class Background Download

More information

Lab 8: Multiple Linear Regression

Lab 8: Multiple Linear Regression Lab 8: Multiple Linear Regression 1 Grading the Professor Many college courses conclude by giving students the opportunity to evaluate the course and the instructor anonymously. However, the use of these

More information

Using SPSS for Correlation

Using SPSS for Correlation Using SPSS for Correlation This tutorial will show you how to use SPSS version 12.0 to perform bivariate correlations. You will use SPSS to calculate Pearson's r. This tutorial assumes that you have: Downloaded

More information

10. LINEAR REGRESSION AND CORRELATION

10. LINEAR REGRESSION AND CORRELATION 1 10. LINEAR REGRESSION AND CORRELATION The contingency table describes an association between two nominal (categorical) variables (e.g., use of supplemental oxygen and mountaineer survival ). We have

More information

Intro to SPSS. Using SPSS through WebFAS

Intro to SPSS. Using SPSS through WebFAS Intro to SPSS Using SPSS through WebFAS http://www.yorku.ca/computing/students/labs/webfas/ Try it early (make sure it works from your computer) If you need help contact UIT Client Services Voice: 416-736-5800

More information

Standard Scores. Richard S. Balkin, Ph.D., LPC-S, NCC

Standard Scores. Richard S. Balkin, Ph.D., LPC-S, NCC Standard Scores Richard S. Balkin, Ph.D., LPC-S, NCC 1 Normal Distributions While Best and Kahn (2003) indicated that the normal curve does not actually exist, measures of populations tend to demonstrate

More information

Business Statistics Probability

Business Statistics Probability Business Statistics The following was provided by Dr. Suzanne Delaney, and is a comprehensive review of Business Statistics. The workshop instructor will provide relevant examples during the Skills Assessment

More information

isc ove ring i Statistics sing SPSS

isc ove ring i Statistics sing SPSS isc ove ring i Statistics sing SPSS S E C O N D! E D I T I O N (and sex, drugs and rock V roll) A N D Y F I E L D Publications London o Thousand Oaks New Delhi CONTENTS Preface How To Use This Book Acknowledgements

More information

Chapter 7: Descriptive Statistics

Chapter 7: Descriptive Statistics Chapter Overview Chapter 7 provides an introduction to basic strategies for describing groups statistically. Statistical concepts around normal distributions are discussed. The statistical procedures of

More information

Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality

Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality Week 9 Hour 3 Stepwise method Modern Model Selection Methods Quantile-Quantile plot and tests for normality Stat 302 Notes. Week 9, Hour 3, Page 1 / 39 Stepwise Now that we've introduced interactions,

More information

Understandable Statistics

Understandable Statistics Understandable Statistics correlated to the Advanced Placement Program Course Description for Statistics Prepared for Alabama CC2 6/2003 2003 Understandable Statistics 2003 correlated to the Advanced Placement

More information

Lab 7 (100 pts.): One-Way ANOVA Objectives: Analyze data via the One-Way ANOVA

Lab 7 (100 pts.): One-Way ANOVA Objectives: Analyze data via the One-Way ANOVA STAT 350 (Spring 2015) Lab 7: SAS Solution 1 Lab 7 (100 pts.): One-Way ANOVA Objectives: Analyze data via the One-Way ANOVA A. (50 pts.) Do isoflavones increase bone mineral density? (ex12-45bmd.txt) Kudzu

More information

WDHS Curriculum Map Probability and Statistics. What is Statistics and how does it relate to you?

WDHS Curriculum Map Probability and Statistics. What is Statistics and how does it relate to you? WDHS Curriculum Map Probability and Statistics Time Interval/ Unit 1: Introduction to Statistics 1.1-1.3 2 weeks S-IC-1: Understand statistics as a process for making inferences about population parameters

More information

Here are the various choices. All of them are found in the Analyze menu in SPSS, under the sub-menu for Descriptive Statistics :

Here are the various choices. All of them are found in the Analyze menu in SPSS, under the sub-menu for Descriptive Statistics : Descriptive Statistics in SPSS When first looking at a dataset, it is wise to use descriptive statistics to get some idea of what your data look like. Here is a simple dataset, showing three different

More information

Lecture Outline. Biost 517 Applied Biostatistics I. Purpose of Descriptive Statistics. Purpose of Descriptive Statistics

Lecture Outline. Biost 517 Applied Biostatistics I. Purpose of Descriptive Statistics. Purpose of Descriptive Statistics Biost 517 Applied Biostatistics I Scott S. Emerson, M.D., Ph.D. Professor of Biostatistics University of Washington Lecture 3: Overview of Descriptive Statistics October 3, 2005 Lecture Outline Purpose

More information

Basic Biostatistics. Chapter 1. Content

Basic Biostatistics. Chapter 1. Content Chapter 1 Basic Biostatistics Jamalludin Ab Rahman MD MPH Department of Community Medicine Kulliyyah of Medicine Content 2 Basic premises variables, level of measurements, probability distribution Descriptive

More information

CHAPTER 3 Describing Relationships

CHAPTER 3 Describing Relationships CHAPTER 3 Describing Relationships 3.1 Scatterplots and Correlation The Practice of Statistics, 5th Edition Starnes, Tabor, Yates, Moore Bedford Freeman Worth Publishers Reading Quiz 3.1 True/False 1.

More information

Introduction to Statistical Data Analysis I

Introduction to Statistical Data Analysis I Introduction to Statistical Data Analysis I JULY 2011 Afsaneh Yazdani Preface What is Statistics? Preface What is Statistics? Science of: designing studies or experiments, collecting data Summarizing/modeling/analyzing

More information

What you should know before you collect data. BAE 815 (Fall 2017) Dr. Zifei Liu

What you should know before you collect data. BAE 815 (Fall 2017) Dr. Zifei Liu What you should know before you collect data BAE 815 (Fall 2017) Dr. Zifei Liu Zifeiliu@ksu.edu Types and levels of study Descriptive statistics Inferential statistics How to choose a statistical test

More information

ANOVA in SPSS (Practical)

ANOVA in SPSS (Practical) ANOVA in SPSS (Practical) Analysis of Variance practical In this practical we will investigate how we model the influence of a categorical predictor on a continuous response. Centre for Multilevel Modelling

More information

Chapter 1: Exploring Data

Chapter 1: Exploring Data Chapter 1: Exploring Data Key Vocabulary:! individual! variable! frequency table! relative frequency table! distribution! pie chart! bar graph! two-way table! marginal distributions! conditional distributions!

More information

Explore. sexcntry Sex according to country. [DataSet1] D:\NORA\NORA Main File.sav

Explore. sexcntry Sex according to country. [DataSet1] D:\NORA\NORA Main File.sav EXAMINE VARIABLES=nc228 BY sexcntry /PLOT BOXPLOT HISTOGRAM NPPLOT /COMPARE GROUPS /STATISTICS DESCRIPTIVES /CINTERVAL 95 /MISSING LISTWISE /NOTOTAL. Explore Notes Output Created Comments Input Missing

More information

Table of Contents. Plots. Essential Statistics for Nursing Research 1/12/2017

Table of Contents. Plots. Essential Statistics for Nursing Research 1/12/2017 Essential Statistics for Nursing Research Kristen Carlin, MPH Seattle Nursing Research Workshop January 30, 2017 Table of Contents Plots Descriptive statistics Sample size/power Correlations Hypothesis

More information

Section 6: Analysing Relationships Between Variables

Section 6: Analysing Relationships Between Variables 6. 1 Analysing Relationships Between Variables Section 6: Analysing Relationships Between Variables Choosing a Technique The Crosstabs Procedure The Chi Square Test The Means Procedure The Correlations

More information

Department of Statistics TEXAS A&M UNIVERSITY STAT 211. Instructor: Keith Hatfield

Department of Statistics TEXAS A&M UNIVERSITY STAT 211. Instructor: Keith Hatfield Department of Statistics TEXAS A&M UNIVERSITY STAT 211 Instructor: Keith Hatfield 1 Topic 1: Data collection and summarization Populations and samples Frequency distributions Histograms Mean, median, variance

More information

Chapter 1: Explaining Behavior

Chapter 1: Explaining Behavior Chapter 1: Explaining Behavior GOAL OF SCIENCE is to generate explanations for various puzzling natural phenomenon. - Generate general laws of behavior (psychology) RESEARCH: principle method for acquiring

More information

Phallosan Study. Statistical Report

Phallosan Study. Statistical Report Phallosan Study Statistical Report Author: Dr. Clemens Tilke 15 April 2005 Copyright 2016. Visit www.phallosan.com to learn more. Table of Contents Table of Contents... 2 Introduction... 3 Age of patients...

More information

LAB ASSIGNMENT 4 INFERENCES FOR NUMERICAL DATA. Comparison of Cancer Survival*

LAB ASSIGNMENT 4 INFERENCES FOR NUMERICAL DATA. Comparison of Cancer Survival* LAB ASSIGNMENT 4 1 INFERENCES FOR NUMERICAL DATA In this lab assignment, you will analyze the data from a study to compare survival times of patients of both genders with different primary cancers. First,

More information

STATISTICS AND RESEARCH DESIGN

STATISTICS AND RESEARCH DESIGN Statistics 1 STATISTICS AND RESEARCH DESIGN These are subjects that are frequently confused. Both subjects often evoke student anxiety and avoidance. To further complicate matters, both areas appear have

More information

Further Mathematics 2018 CORE: Data analysis Chapter 3 Investigating associations between two variables

Further Mathematics 2018 CORE: Data analysis Chapter 3 Investigating associations between two variables Chapter 3: Investigating associations between two variables Further Mathematics 2018 CORE: Data analysis Chapter 3 Investigating associations between two variables Extract from Study Design Key knowledge

More information

Undertaking statistical analysis of

Undertaking statistical analysis of Descriptive statistics: Simply telling a story Laura Delaney introduces the principles of descriptive statistical analysis and presents an overview of the various ways in which data can be presented by

More information

Day 11: Measures of Association and ANOVA

Day 11: Measures of Association and ANOVA Day 11: Measures of Association and ANOVA Daniel J. Mallinson School of Public Affairs Penn State Harrisburg mallinson@psu.edu PADM-HADM 503 Mallinson Day 11 November 2, 2017 1 / 45 Road map Measures of

More information

CHAPTER ONE CORRELATION

CHAPTER ONE CORRELATION CHAPTER ONE CORRELATION 1.0 Introduction The first chapter focuses on the nature of statistical data of correlation. The aim of the series of exercises is to ensure the students are able to use SPSS to

More information

Medical Statistics 1. Basic Concepts Farhad Pishgar. Defining the data. Alive after 6 months?

Medical Statistics 1. Basic Concepts Farhad Pishgar. Defining the data. Alive after 6 months? Medical Statistics 1 Basic Concepts Farhad Pishgar Defining the data Population and samples Except when a full census is taken, we collect data on a sample from a much larger group called the population.

More information

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo Please note the page numbers listed for the Lind book may vary by a page or two depending on which version of the textbook you have. Readings: Lind 1 11 (with emphasis on chapters 10, 11) Please note chapter

More information

STAT Factor Analysis in SAS

STAT Factor Analysis in SAS STAT 5600 Factor Analysis in SAS The data for this example come from the decathlon results in the 1988 Olympics. The decathlon is a two-day competition, with the 100 m race, long jump, shot put, high jump,

More information

9 research designs likely for PSYC 2100

9 research designs likely for PSYC 2100 9 research designs likely for PSYC 2100 1) 1 factor, 2 levels, 1 group (one group gets both treatment levels) related samples t-test (compare means of 2 levels only) 2) 1 factor, 2 levels, 2 groups (one

More information

Daniel Boduszek University of Huddersfield

Daniel Boduszek University of Huddersfield Daniel Boduszek University of Huddersfield d.boduszek@hud.ac.uk Introduction to Correlation SPSS procedure for Pearson r Interpretation of SPSS output Presenting results Partial Correlation Correlation

More information

Stat 13, Lab 11-12, Correlation and Regression Analysis

Stat 13, Lab 11-12, Correlation and Regression Analysis Stat 13, Lab 11-12, Correlation and Regression Analysis Part I: Before Class Objective: This lab will give you practice exploring the relationship between two variables by using correlation, linear regression

More information

Statistical Techniques. Masoud Mansoury and Anas Abulfaraj

Statistical Techniques. Masoud Mansoury and Anas Abulfaraj Statistical Techniques Masoud Mansoury and Anas Abulfaraj What is Statistics? https://www.youtube.com/watch?v=lmmzj7599pw The definition of Statistics The practice or science of collecting and analyzing

More information

UNEQUAL CELL SIZES DO MATTER

UNEQUAL CELL SIZES DO MATTER 1 of 7 1/12/2010 11:26 AM UNEQUAL CELL SIZES DO MATTER David C. Howell Most textbooks dealing with factorial analysis of variance will tell you that unequal cell sizes alter the analysis in some way. I

More information

STP226 Brief Class Notes Instructor: Ela Jackiewicz

STP226 Brief Class Notes Instructor: Ela Jackiewicz CHAPTER 2 Organizing Data Statistics=science of analyzing data. Information collected (data) is gathered in terms of variables (characteristics of a subject that can be assigned a numerical value or nonnumerical

More information

UNIVERSITY OF TORONTO SCARBOROUGH Department of Computer and Mathematical Sciences Midterm Test February 2016

UNIVERSITY OF TORONTO SCARBOROUGH Department of Computer and Mathematical Sciences Midterm Test February 2016 UNIVERSITY OF TORONTO SCARBOROUGH Department of Computer and Mathematical Sciences Midterm Test February 2016 STAB22H3 Statistics I, LEC 01 and LEC 02 Duration: 1 hour and 45 minutes Last Name: First Name:

More information

Lab #7: Confidence Intervals-Hypothesis Testing (2)-T Test

Lab #7: Confidence Intervals-Hypothesis Testing (2)-T Test A. Objectives: Lab #7: Confidence Intervals-Hypothesis Testing (2)-T Test 1. Subsetting based on variable 2. Explore Normality 3. Explore Hypothesis testing using T-Tests Confidence intervals and initial

More information

Preliminary Report on Simple Statistical Tests (t-tests and bivariate correlations)

Preliminary Report on Simple Statistical Tests (t-tests and bivariate correlations) Preliminary Report on Simple Statistical Tests (t-tests and bivariate correlations) After receiving my comments on the preliminary reports of your datasets, the next step for the groups is to complete

More information

7. Bivariate Graphing

7. Bivariate Graphing 1 7. Bivariate Graphing Video Link: https://www.youtube.com/watch?v=shzvkwwyguk&index=7&list=pl2fqhgedk7yyl1w9tgio8w pyftdumgc_j Section 7.1: Converting a Quantitative Explanatory Variable to Categorical

More information

Readings: Textbook readings: OpenStax - Chapters 1 11 Online readings: Appendix D, E & F Plous Chapters 10, 11, 12 and 14

Readings: Textbook readings: OpenStax - Chapters 1 11 Online readings: Appendix D, E & F Plous Chapters 10, 11, 12 and 14 Readings: Textbook readings: OpenStax - Chapters 1 11 Online readings: Appendix D, E & F Plous Chapters 10, 11, 12 and 14 Still important ideas Contrast the measurement of observable actions (and/or characteristics)

More information

Still important ideas

Still important ideas Readings: OpenStax - Chapters 1 13 & Appendix D & E (online) Plous Chapters 17 & 18 - Chapter 17: Social Influences - Chapter 18: Group Judgments and Decisions Still important ideas Contrast the measurement

More information

Unit 2: Probability and distributions Lecture 3: Normal distribution

Unit 2: Probability and distributions Lecture 3: Normal distribution Unit 2: Probability and distributions Lecture 3: Normal distribution Statistics 101 Thomas Leininger May 23, 2013 Announcements 1 Announcements 2 Normal distribution Normal distribution model 68-95-99.7

More information

bivariate analysis: The statistical analysis of the relationship between two variables.

bivariate analysis: The statistical analysis of the relationship between two variables. bivariate analysis: The statistical analysis of the relationship between two variables. cell frequency: The number of cases in a cell of a cross-tabulation (contingency table). chi-square (χ 2 ) test for

More information

Chapter 3: Examining Relationships

Chapter 3: Examining Relationships Name Date Per Key Vocabulary: response variable explanatory variable independent variable dependent variable scatterplot positive association negative association linear correlation r-value regression

More information

Still important ideas

Still important ideas Readings: OpenStax - Chapters 1 11 + 13 & Appendix D & E (online) Plous - Chapters 2, 3, and 4 Chapter 2: Cognitive Dissonance, Chapter 3: Memory and Hindsight Bias, Chapter 4: Context Dependence Still

More information

On the purpose of testing:

On the purpose of testing: Why Evaluation & Assessment is Important Feedback to students Feedback to teachers Information to parents Information for selection and certification Information for accountability Incentives to increase

More information

Quantitative Methods in Computing Education Research (A brief overview tips and techniques)

Quantitative Methods in Computing Education Research (A brief overview tips and techniques) Quantitative Methods in Computing Education Research (A brief overview tips and techniques) Dr Judy Sheard Senior Lecturer Co-Director, Computing Education Research Group Monash University judy.sheard@monash.edu

More information

CHAPTER TWO REGRESSION

CHAPTER TWO REGRESSION CHAPTER TWO REGRESSION 2.0 Introduction The second chapter, Regression analysis is an extension of correlation. The aim of the discussion of exercises is to enhance students capability to assess the effect

More information

Top 10 Tips for Successful Searching ASMS 2003

Top 10 Tips for Successful Searching ASMS 2003 Top 10 Tips for Successful Searching I'd like to present our top 10 tips for successful searching with Mascot. Like any hit parade, we will, of course, count them off in reverse order 1 10. Don t specify

More information

Introduction. Lecture 1. What is Statistics?

Introduction. Lecture 1. What is Statistics? Lecture 1 Introduction What is Statistics? Statistics is the science of collecting, organizing and interpreting data. The goal of statistics is to gain information and understanding from data. A statistic

More information

Lesson 1: Distributions and Their Shapes

Lesson 1: Distributions and Their Shapes Lesson 1 Name Date Lesson 1: Distributions and Their Shapes 1. Sam said that a typical flight delay for the sixty BigAir flights was approximately one hour. Do you agree? Why or why not? 2. Sam said that

More information

CRITERIA FOR USE. A GRAPHICAL EXPLANATION OF BI-VARIATE (2 VARIABLE) REGRESSION ANALYSISSys

CRITERIA FOR USE. A GRAPHICAL EXPLANATION OF BI-VARIATE (2 VARIABLE) REGRESSION ANALYSISSys Multiple Regression Analysis 1 CRITERIA FOR USE Multiple regression analysis is used to test the effects of n independent (predictor) variables on a single dependent (criterion) variable. Regression tests

More information

Statistical Techniques. Meta-Stat provides a wealth of statistical tools to help you examine your data. Overview

Statistical Techniques. Meta-Stat provides a wealth of statistical tools to help you examine your data. Overview 7 Applying Statistical Techniques Meta-Stat provides a wealth of statistical tools to help you examine your data. Overview... 137 Common Functions... 141 Selecting Variables to be Analyzed... 141 Deselecting

More information

Chapter 1: Introduction to Statistics

Chapter 1: Introduction to Statistics Chapter 1: Introduction to Statistics Variables A variable is a characteristic or condition that can change or take on different values. Most research begins with a general question about the relationship

More information

Outline. Practice. Confounding Variables. Discuss. Observational Studies vs Experiments. Observational Studies vs Experiments

Outline. Practice. Confounding Variables. Discuss. Observational Studies vs Experiments. Observational Studies vs Experiments 1 2 Outline Finish sampling slides from Tuesday. Study design what do you do with the subjects/units once you select them? (OI Sections 1.4-1.5) Observational studies vs. experiments Descriptive statistics

More information

Data, frequencies, and distributions. Martin Bland. Types of data. Types of data. Clinical Biostatistics

Data, frequencies, and distributions. Martin Bland. Types of data. Types of data. Clinical Biostatistics Clinical Biostatistics Data, frequencies, and distributions Martin Bland Professor of Health Statistics University of York http://martinbland.co.uk/ Types of data Qualitative data arise when individuals

More information

Statistics Guide. Prepared by: Amanda J. Rockinson- Szapkiw, Ed.D.

Statistics Guide. Prepared by: Amanda J. Rockinson- Szapkiw, Ed.D. This guide contains a summary of the statistical terms and procedures. This guide can be used as a reference for course work and the dissertation process. However, it is recommended that you refer to statistical

More information

Survey research (Lecture 1) Summary & Conclusion. Lecture 10 Survey Research & Design in Psychology James Neill, 2015 Creative Commons Attribution 4.

Survey research (Lecture 1) Summary & Conclusion. Lecture 10 Survey Research & Design in Psychology James Neill, 2015 Creative Commons Attribution 4. Summary & Conclusion Lecture 10 Survey Research & Design in Psychology James Neill, 2015 Creative Commons Attribution 4.0 Overview 1. Survey research 2. Survey design 3. Descriptives & graphing 4. Correlation

More information

Survey research (Lecture 1)

Survey research (Lecture 1) Summary & Conclusion Lecture 10 Survey Research & Design in Psychology James Neill, 2015 Creative Commons Attribution 4.0 Overview 1. Survey research 2. Survey design 3. Descriptives & graphing 4. Correlation

More information

Student name: SOCI 420 Advanced Methods of Social Research Fall 2017

Student name: SOCI 420 Advanced Methods of Social Research Fall 2017 SOCI 420 Advanced Methods of Social Research Fall 2017 EXAM 1 RUBRIC Instructor: Ernesto F. L. Amaral, Assistant Professor, Department of Sociology Date: October 12, 2017 (Thursday) Section 904: 2:20 3:35pm

More information

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo Please note the page numbers listed for the Lind book may vary by a page or two depending on which version of the textbook you have. Readings: Lind 1 11 (with emphasis on chapters 5, 6, 7, 8, 9 10 & 11)

More information

Hour 2: lm (regression), plot (scatterplots), cooks.distance and resid (diagnostics) Stat 302, Winter 2016 SFU, Week 3, Hour 1, Page 1

Hour 2: lm (regression), plot (scatterplots), cooks.distance and resid (diagnostics) Stat 302, Winter 2016 SFU, Week 3, Hour 1, Page 1 Agenda for Week 3, Hr 1 (Tuesday, Jan 19) Hour 1: - Installing R and inputting data. - Different tools for R: Notepad++ and RStudio. - Basic commands:?,??, mean(), sd(), t.test(), lm(), plot() - t.test()

More information

STT315 Chapter 2: Methods for Describing Sets of Data - Part 2

STT315 Chapter 2: Methods for Describing Sets of Data - Part 2 Chapter 2.5 Interpreting Standard Deviation Chebyshev Theorem Empirical Rule Chebyshev Theorem says that for ANY shape of data distribution at least 3/4 of all data fall no farther from the mean than 2

More information

Summary & Conclusion. Lecture 10 Survey Research & Design in Psychology James Neill, 2016 Creative Commons Attribution 4.0

Summary & Conclusion. Lecture 10 Survey Research & Design in Psychology James Neill, 2016 Creative Commons Attribution 4.0 Summary & Conclusion Lecture 10 Survey Research & Design in Psychology James Neill, 2016 Creative Commons Attribution 4.0 Overview 1. Survey research and design 1. Survey research 2. Survey design 2. Univariate

More information

Appendix B Statistical Methods

Appendix B Statistical Methods Appendix B Statistical Methods Figure B. Graphing data. (a) The raw data are tallied into a frequency distribution. (b) The same data are portrayed in a bar graph called a histogram. (c) A frequency polygon

More information

The Effectiveness of Captopril

The Effectiveness of Captopril Lab 7 The Effectiveness of Captopril In the United States, pharmaceutical manufacturers go through a very rigorous process in order to get their drugs approved for sale. This process is designed to determine

More information

You can use this app to build a causal Bayesian network and experiment with inferences. We hope you ll find it interesting and helpful.

You can use this app to build a causal Bayesian network and experiment with inferences. We hope you ll find it interesting and helpful. icausalbayes USER MANUAL INTRODUCTION You can use this app to build a causal Bayesian network and experiment with inferences. We hope you ll find it interesting and helpful. We expect most of our users

More information

Statistics and Probability

Statistics and Probability Statistics and a single count or measurement variable. S.ID.1: Represent data with plots on the real number line (dot plots, histograms, and box plots). S.ID.2: Use statistics appropriate to the shape

More information

M 140 Test 1 A Name SHOW YOUR WORK FOR FULL CREDIT! Problem Max. Points Your Points Total 60

M 140 Test 1 A Name SHOW YOUR WORK FOR FULL CREDIT! Problem Max. Points Your Points Total 60 M 140 Test 1 A Name SHOW YOUR WORK FOR FULL CREDIT! Problem Max. Points Your Points 1-10 10 11 3 12 4 13 3 14 10 15 14 16 10 17 7 18 4 19 4 Total 60 Multiple choice questions (1 point each) For questions

More information

STAT445 Midterm Project1

STAT445 Midterm Project1 STAT445 Midterm Project1 Executive Summary This report works on the dataset of Part of This Nutritious Breakfast! In this dataset, 77 different breakfast cereals were collected. The dataset also explores

More information

Bangor University Laboratory Exercise 1, June 2008

Bangor University Laboratory Exercise 1, June 2008 Laboratory Exercise, June 2008 Classroom Exercise A forest land owner measures the outside bark diameters at.30 m above ground (called diameter at breast height or dbh) and total tree height from ground

More information

Statistics is a broad mathematical discipline dealing with

Statistics is a broad mathematical discipline dealing with Statistical Primer for Cardiovascular Research Descriptive Statistics and Graphical Displays Martin G. Larson, SD Statistics is a broad mathematical discipline dealing with techniques for the collection,

More information

Readings: Textbook readings: OpenStax - Chapters 1 13 (emphasis on Chapter 12) Online readings: Appendix D, E & F

Readings: Textbook readings: OpenStax - Chapters 1 13 (emphasis on Chapter 12) Online readings: Appendix D, E & F Readings: Textbook readings: OpenStax - Chapters 1 13 (emphasis on Chapter 12) Online readings: Appendix D, E & F Plous Chapters 17 & 18 Chapter 17: Social Influences Chapter 18: Group Judgments and Decisions

More information

q2_2 MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question.

q2_2 MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. q2_2 MULTIPLE CHOICE. Choose the one alternative that best completes the statement or answers the question. A sporting goods retailer conducted a customer survey to determine its customers primary reason

More information

Bivariate Correlations

Bivariate Correlations Bivariate Correlations Brawijaya Professional Statistical Analysis BPSA MALANG Jl. Kertoasri 66 Malang (0341) 580342 081 753 3962 Bivariate Correlations The Bivariate Correlations procedure computes the

More information

Chapter 6 Measures of Bivariate Association 1

Chapter 6 Measures of Bivariate Association 1 Chapter 6 Measures of Bivariate Association 1 A bivariate relationship involves relationship between two variables. Examples: Relationship between GPA and SAT score Relationship between height and weight

More information

Statistics is the science of collecting, organizing, presenting, analyzing, and interpreting data to assist in making effective decisions

Statistics is the science of collecting, organizing, presenting, analyzing, and interpreting data to assist in making effective decisions Readings: OpenStax Textbook - Chapters 1 5 (online) Appendix D & E (online) Plous - Chapters 1, 5, 6, 13 (online) Introductory comments Describe how familiarity with statistical methods can - be associated

More information

Summer II Class meets intermittently when I will give instructions, as we met in Maymester 2018.

Summer II Class meets intermittently when I will give instructions, as we met in Maymester 2018. PSY 475.001 Special Problems, an Independent Study in Psychology Summer II 2018 Class meets intermittently when I will give instructions, as we met in Maymester 2018. Instructor: Scott Drury, Ph.D. Office:

More information

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo

Describe what is meant by a placebo Contrast the double-blind procedure with the single-blind procedure Review the structure for organizing a memo Business Statistics The following was provided by Dr. Suzanne Delaney, and is a comprehensive review of Business Statistics. The workshop instructor will provide relevant examples during the Skills Assessment

More information

Lesson 9 Presentation and Display of Quantitative Data

Lesson 9 Presentation and Display of Quantitative Data Lesson 9 Presentation and Display of Quantitative Data Learning Objectives All students will identify and present data using appropriate graphs, charts and tables. All students should be able to justify

More information

How to interpret scientific & statistical graphs

How to interpret scientific & statistical graphs How to interpret scientific & statistical graphs Theresa A Scott, MS Department of Biostatistics theresa.scott@vanderbilt.edu http://biostat.mc.vanderbilt.edu/theresascott 1 A brief introduction Graphics:

More information

Math 214 REVIEW SHEET EXAM #1 Exam: Wednesday March, 2007

Math 214 REVIEW SHEET EXAM #1 Exam: Wednesday March, 2007 Math 214 REVIEW SHEET EXAM #1 Exam: Wednesday March, 2007 THOUGHT QUESTIONS: 1. Suppose you are interested in determining if women are safer drivers than men in New York. Can you go to the Dept. of Motor

More information

STOR 155 Section 2 Midterm Exam 1 (9/29/09)

STOR 155 Section 2 Midterm Exam 1 (9/29/09) STOR 155 Section 2 Midterm Exam 1 (9/29/09) Name: PID: Instructions: Both the exam and the bubble sheet will be collected. On the bubble sheet, print your name and ID number, sign the honor pledge, also

More information