LESSON: Error bars and measures of dispersion

Size: px
Start display at page:

Download "LESSON: Error bars and measures of dispersion"

Transcription

1 LESSON: Error bars and measures of dispersion FOCUS QUESTION: How can I depict uncertainty and variability in data? This lesson discusses various ways of putting error bars on graphs. In this lesson you will: Examine measures of spread or dispersion. Display error bars on different types of charts. Additional practice with plot properties. Contents DATA FOR THIS LESSON SETUP FOR LESSON EXAMPLE 1: Load the data about New York contagious diseases EXAMPLE 2: Compute the overall mean and standard deviation of measles and chickenpox EXAMPLE 3: Compare overall compare average and SD of monthly counts of measles and chickenpox EXAMPLE 4: Compute mean and standard deviation of monthly measles cases by year EXAMPLE 5: Plot the SD error bars for measles monthly counts by year EXAMPLE 6: Plot the SD error bars on a bar chart for measles EXAMPLE 7: Compute median, MAD and IQR by month for measles EXAMPLE 8: Plot median monthly measles with IQR for error bars EXAMPLE 9: Plot IQR and MAD error bars on the same graph SUMMARY OF SYNTAX DATA FOR THIS LESSON File Description The data set contains the monthly totals of the number of new cases of measles, mumps, and chicken pox for New York City during the years The file is organized into the following variables: NYCDiseases.mat measles an array containing the monthly cases of measles mumps an array containing the monthly cases of mumps chickenpox an array containing the monthly cases of chicken pox years a vector containing the years 1931 through 1971

2 The data was extracted from the Hipel McLeod Time Series Datasets Collection, available at The data was first published in: Yorke, J.A. and London, W.P. (1973). "Recurrent Outbreaks of Measles, Chickenpox and Mumps", American Journal of Epidemiology, Vol. 98, pp SETUP FOR LESSON Create an ErrorBars directory on your V: drive and make it your current directory. Download the NYCDiseases.mat to your ErrorBars directory. Create a ErrorBarLesson script file in your ErrorBars directory. EXAMPLE 1: Load the data about New York contagious diseases load NYCDiseases.mat; % Load the disease data You should see measles, mumps, chickenpox, and years variables in the Workspace Browser. EXAMPLE 2: Compute the overall mean and standard deviation of measles and chickenpox measlesaver = mean(measles(:)); measlessd = std(measles(:), 1); chickenpoxaver = mean(chickenpox(:)); chickenpoxsd = std(chickenpox(:), 1); % Calculate overall average measles % Calculate overall std measles % Calculate overall average chickenpox % Calculate overall std chickenpox You should see the following variables in your Workspace Browser: measlesaver overall average of measles measlessd overall standard deviation of measles chickenpoxaver overall average of chickenpox chickenpoxsd overall standard deviation of chickenpox Note: we used the population estimate of standard deviation, not the sample standard deviation. EXERCISE 1: Create variables to hold the overall average and overall standard deviation of the traffic data of Lesson 1. EXAMPLE 3: Compare overall compare average and SD of monthly counts of measles and chickenpox

3 figure hold on errorbar(1, measlesaver./1000, measlessd./1000, 'rs'); errorbar(2, chickenpoxaver./1000,chickenpoxsd./1000, 'ko'); hold off xlabel('disease') ylabel('monthly averages (in thousands)') title('childhood diseases NYC: (SD error bars)') set(gca, 'XTickMode', 'manual', 'XTick', 1:2,... 'XTickLabelMode', 'manual', 'XTickLabel', {'Measles', 'Chicken Pox'}) You should see a Figure Window with a labeled error bar plot: EXERCISE 2: Copy the code in EXAMPLE 3 and modify it to also include mumps. EXAMPLE 4: Compute mean and standard deviation of monthly measles cases by year measlesbyyearaver = mean(measles, 2); % Average monthly measles by year measlesbyyearsd = std(measles, 1, 2); % Std monthly measles by year You should see the following varibles in your Workspace Browser:

4 measlesbyyearaver a 41 x 1 array of average monthly measles cases by year measlesbyyearsd a 41 x 1 array of average standard deviations of measles cases by year Note: we used the population estimate of standard deviation, not the sample standard deviation. EXERCISE 3: Create variables to hold the average and standard deviation by hour of the traffic data of Lesson 1. EXERCISE 4: Plot the mean with SD error bars for the traffic data. Use the data computed from Exercise 3. EXAMPLE 5: Plot the SD error bars for measles monthly counts by year figure errorbar(years, measlesbyyearaver./1000, measlesbyyearsd./1000, 'ks'); xlabel('year'); ylabel('monthly averages (in thousands)') title('measles NYC: (SD error bars)') set(gca, 'YLimMode', 'manual', 'YLim', [0, 20]) You should see a Figure Window with a labeled error bar plot: EXAMPLE 6: Plot the SD error bars on a bar chart for measles

5 figure hold on errorbar(years, measlesbyyearaver./1000, measlesbyyearsd./1000, 'ks'); bar(years, measlesbyyearaver./1000, 'FaceColor', [0.5, 0.5, 1]) plot(years, measlesbyyearaver./1000, 'LineStyle', 'none',... 'Marker', 's', 'MarkerEdgeColor','k', 'MarkerFaceColor','r') hold off xlabel('year'); ylabel('monthly averages (in thousands)') title('measles NYC: (SD error bars)') set(gca, 'YLimMode', 'manual', 'YLim', [0, 20]) You should see a Figure Window with a labeled error bar plot: EXAMPLE 7: Compute median, MAD and IQR by month for measles measlesbymonthmedian = median(measles, 1); % Median by month measlesbymonthmad = mad(measles, 1, 1); % Median by month measlesbymonthiqr = prctile(measles, [25, 75]); % 25th and 75th % tile You should see the following 3 variables in your Workspace Browser:

6 measlesbymonthmedian the median measles by month measlesbymonthmad median absolute deviation (MAD) by month measlesbymonthiqr IQR for the measles by month The rows of measlesbymonthiqr correspond to the percentiles, and the columns correspond to the months. EXAMPLE 8: Plot median monthly measles with IQR for error bars xpositions = 1:12; lowerdist = measlesbymonthmedian measlesbymonthiqr(1, :); % Bottom upperdist = measlesbymonthiqr(2, :) measlesbymonthmedian; % Top bar figure errorbar(xpositions, measlesbymonthmedian./1000,... lowerdist./1000, upperdist./1000, ' m*') xlabel('month'); ylabel('cases in thousands') title('measles cases in NYC: ') legend('median (IQR error bars)', 'Location', 'Northeast') % Upper right You should see the following 3 variables in your Workspace Browser: lowerdist lengths of lower edges of IQR error bars for median upperdist lengths of upper edges of IQR error bars for median xpositions vector with the values You should see a Figure Window with median/iqr error bars:

7 EXERCISE 5: Copy the code for EXAMPLE 8 into a new cell. Add a line graph of the average monthly measles cases (black line, no markers or error bars). Update the legend appropriately. EXERCISE 6: Create a new figure in which you plot the yearly averages for measles and chickenpox on the same graph. The graphs should have SD error bars. EXAMPLE 9: Plot IQR and MAD error bars on the same graph figure hold on errorbar(xpositions 0.1, measlesbymonthmedian./1000,... lowerdist./1000, upperdist./1000, 'm*') errorbar(xpositions+0.1, measlesbymonthmedian./1000,... measlesbymonthmad./1000, 'ks') hold off xlabel('month'); ylabel('median in thousands') title('measles cases in NYC: ') legend('iqr error bars', 'MAD error bars', 'Location', 'Northeast') You should see a Figure Window with two sets of error bars:

8 SUMMARY OF SYNTAX MATLAB syntax errorbar(y, E) errorbar(x, Y, E) errorbar(x, Y, L, U) mad(x) mad(x, 0, 1) mad(x, 0, 2) Y = prctile(x, p) Description Create a plot of the values of Y similar to plot(y). The corresponding values in E give the length of each wing of the error bars that extend above and below the corresponding values in Y. Create a plot similar to errorbar(y, E) except that this function uses the values of X for the horizontal positions rather than using the integers 1, 2,.... Create a plot similar to errorbar(x, Y, E) except that this function uses the values of L and U to determine the lengths of the lower and upper wings of the error bars, respectively. Compute the average or mean absolute deviation for the array X across the first non singleton dimension. For 2D arrays, this computes the mean absolute deviation across the rows (resulting in the mean absolute deviations of the columns). Compute the average or mean absolute deviation for the array X across dimension 1 (resulting in the mean absolute deviations of the columns). Note: If the second argument is 1, we compute the median absolute deviation. Compute the average or mean absolute deviation for the array X across dimension 2 (resulting in the mean absolute deviations of the rows). Note: If the second argument is 1, we compute the median absolute deviation. Compute a vector of the percentiles of the vector X. The vector p specifies the percentiles. When X is a 2D array, the i th row of Y contains the percentiles p(i). Compute the unbiased estimate of the population standard deviation for the array X across the first non singleton dimension. For 2D arrays, this computes

9 std(x) std(x, 0, 1) std(x, 0, 2) the standard deviation across the rows (resulting in thestandard deviations of the columns). Compute the unbiased estimate of the population standard deviation for the array x across dimension 1 (resulting in the standard deviations of the columns). Note: If the second argument is 1, the actual sample standard deviation is computed. ompute the unbiased estimate of the population standard deviation of the array x across dimension 2 (resulting in thestandard deviations of the rows). Note: If the second argument is 1, the actual sample standard deviation is computed. This lesson was written by Kay A. Robbins of the University of Texas at San Antonio and last modified on 10 Feb Please contact kay.robbins@utsa.edu with comments or suggestions.the photo shows rate of measles vaccination worldwide (WHO 2007) Published with MATLAB 8.3

LESSON: Working with line graphs

LESSON: Working with line graphs LESSON: Working with line graphs FOCUS QUESTION: How do I display trends in data? This lesson shows you different ways to plot the rows and columns of a table or array using line graphs. It introduces

More information

CSDplotter user guide Klas H. Pettersen

CSDplotter user guide Klas H. Pettersen CSDplotter user guide Klas H. Pettersen [CSDplotter user guide] [0.1.1] [version: 23/05-2006] 1 Table of Contents Copyright...3 Feedback... 3 Overview... 3 Downloading and installation...3 Pre-processing

More information

Psy201 Module 3 Study and Assignment Guide. Using Excel to Calculate Descriptive and Inferential Statistics

Psy201 Module 3 Study and Assignment Guide. Using Excel to Calculate Descriptive and Inferential Statistics Psy201 Module 3 Study and Assignment Guide Using Excel to Calculate Descriptive and Inferential Statistics What is Excel? Excel is a spreadsheet program that allows one to enter numerical values or data

More information

Lauren DiBiase, MS, CIC Associate Director Public Health Epidemiologist Hospital Epidemiology UNC Hospitals

Lauren DiBiase, MS, CIC Associate Director Public Health Epidemiologist Hospital Epidemiology UNC Hospitals Lauren DiBiase, MS, CIC Associate Director Public Health Epidemiologist Hospital Epidemiology UNC Hospitals Statistics Numbers that describe the health of the population The science used to interpret these

More information

Unit 7 Comparisons and Relationships

Unit 7 Comparisons and Relationships Unit 7 Comparisons and Relationships Objectives: To understand the distinction between making a comparison and describing a relationship To select appropriate graphical displays for making comparisons

More information

PSYCH-GA.2211/NEURL-GA.2201 Fall 2016 Mathematical Tools for Cognitive and Neural Science. Homework 5

PSYCH-GA.2211/NEURL-GA.2201 Fall 2016 Mathematical Tools for Cognitive and Neural Science. Homework 5 PSYCH-GA.2211/NEURL-GA.2201 Fall 2016 Mathematical Tools for Cognitive and Neural Science Homework 5 Due: 21 Dec 2016 (late homeworks penalized 10% per day) See the course web site for submission details.

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

CCM6+7+ Unit 12 Data Collection and Analysis

CCM6+7+ Unit 12 Data Collection and Analysis Page 1 CCM6+7+ Unit 12 Packet: Statistics and Data Analysis CCM6+7+ Unit 12 Data Collection and Analysis Big Ideas Page(s) What is data/statistics? 2-4 Measures of Reliability and Variability: Sampling,

More information

Cleaning Up and Visualizing My Workout Data With JMP Shannon Conners, PhD JMP, SAS Abstract

Cleaning Up and Visualizing My Workout Data With JMP Shannon Conners, PhD JMP, SAS Abstract Cleaning Up and Visualizing My Workout Data With JMP Shannon Conners, PhD JMP, SAS Abstract I began tracking weight training workouts in notebooks in middle school. However, training notes did not give

More information

One-Way Independent ANOVA

One-Way Independent ANOVA One-Way Independent ANOVA Analysis of Variance (ANOVA) is a common and robust statistical test that you can use to compare the mean scores collected from different conditions or groups in an experiment.

More information

Managing Immunizations

Managing Immunizations Managing Immunizations In this chapter: Viewing Immunization Information Entering Immunizations Editing Immunizations Entering a Lead Test Action Editing a Lead Test Action Entering Opt-Out Immunizations

More information

Titrations in Cytobank

Titrations in Cytobank The Premier Platform for Single Cell Analysis (1) Titrations in Cytobank To analyze data from a titration in Cytobank, the first step is to upload your own FCS files or clone an experiment you already

More information

Frequency distributions

Frequency distributions Applied Biostatistics distributions Martin Bland Professor of Health Statistics University of York http://www-users.york.ac.uk/~mb55/ Types of data Qualitative data arise when individuals may fall into

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

Two-Way Independent ANOVA

Two-Way Independent ANOVA Two-Way Independent ANOVA Analysis of Variance (ANOVA) a common and robust statistical test that you can use to compare the mean scores collected from different conditions or groups in an experiment. There

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

e-bug: Vaccinations Teacher Sheet Student worksheet 1 answers

e-bug: Vaccinations Teacher Sheet Student worksheet 1 answers Student worksheet 1 answers 1. The table below provides the percentage of children immunised by their second birthday against measles, mumps and rubella (MMR) between 1996 and 2014 (England only). This

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

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

Immunization Scheduler Quick Start Guide

Immunization Scheduler Quick Start Guide Immunization Scheduler Quick Start Guide The Scheduler About This Tool This 2017 Catch-Up Immunization Scheduler tool uses a child's birth date and vaccination history to automatically create a personalized

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

Modeling Measles Vaccination in Texas

Modeling Measles Vaccination in Texas Modeling Measles Vaccination in Texas The Importance of Community (Herd) Immunity Mark S. Roberts, MD, MPP Professor and Chair, Department of Health Policy and Management Professor of Medicine, Industrial

More information

cigarettedesigner 4.0

cigarettedesigner 4.0 cigarettedesigner 4.0 Manual Installing the Software To install the software double-click on cigarettedesignerzip.exe to extract the compressed files and then double click on Setup.msi to start the installation

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

Mean Absolute Deviation (MAD) Statistics 7.SP.3, 7.SP.4

Mean Absolute Deviation (MAD) Statistics 7.SP.3, 7.SP.4 Mean Absolute Deviation (MAD) Statistics 7.SP.3, 7.SP.4 Review Let s Begin The Mean Absolute Deviation (MAD) of a set of data. is the average distance between each data value and the mean. 1. Find the

More information

MINUTE TO WIN IT: NAMING THE PRESIDENTS OF THE UNITED STATES

MINUTE TO WIN IT: NAMING THE PRESIDENTS OF THE UNITED STATES MINUTE TO WIN IT: NAMING THE PRESIDENTS OF THE UNITED STATES THE PRESIDENTS OF THE UNITED STATES Project: Focus on the Presidents of the United States Objective: See how many Presidents of the United States

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

Download CoCASA Software Application

Download CoCASA Software Application Comprehensive Clinic Assessment Software Application (CoCASA) 7.0 Instructions Guide for Immunization Service Contractors February 6, 2012 The Comprehensive Clinic Assessment Software Application (CoCASA)

More information

4.0 Prevention of Infection Vaccines

4.0 Prevention of Infection Vaccines 4.0 Prevention of Infection Vaccines National Curriculum Link Key Stage 3 Sc1:1a - 1c. 2a 2p Sc2: 2n, 5c, 5d Unit of Study Unit 8: Microbes and Disease Unit 9B: Fit and Healthy Unit 20: 20 th Century Medicine

More information

Immunization Documentation Upload instructions

Immunization Documentation Upload instructions Immunization Documentation Upload instructions 1. Log into Health-e-Messaging using your Kerberos ID and password. 2. Enter your student ID number. 3. From the left side of the screen choose either: Immunizations

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

Satora Sera rei tat. Disease Cards - Cut Along the Dotted Lines You Make Me Sick!

Satora Sera rei tat. Disease Cards - Cut Along the Dotted Lines You Make Me Sick! Satora Sera rei tat 1 2 3 Common Cold The common cold is caused by a virus. What is a virus? 50 Common Cold The virus that causes the common cold infects the lungs. What are the symptoms of a cold? 50

More information

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

Section I: Multiple Choice Select the best answer for each question. Chapter 1 AP Statistics Practice Test (TPS- 4 p78) Section I: Multiple Choice Select the best answer for each question. 1. You record the age, marital status, and earned income of a sample of 1463 women.

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

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

Reliability. Scale: Empathy

Reliability. Scale: Empathy /VARIABLES=Empathy1 Empathy2 Empathy3 Empathy4 /STATISTICS=DESCRIPTIVE SCALE Reliability Notes Output Created Comments Input Missing Value Handling Syntax Resources Scale: Empathy Data Active Dataset Filter

More information

1. To review research methods and the principles of experimental design that are typically used in an experiment.

1. To review research methods and the principles of experimental design that are typically used in an experiment. Your Name: Section: 36-201 INTRODUCTION TO STATISTICAL REASONING Computer Lab Exercise Lab #7 (there was no Lab #6) Treatment for Depression: A Randomized Controlled Clinical Trial Objectives: 1. To review

More information

Probability and Statistics. Chapter 1

Probability and Statistics. Chapter 1 Probability and Statistics Chapter 1 Individuals and Variables Individuals and Variables Individuals are objects described by data. Individuals and Variables Individuals are objects described by data.

More information

ECDC HIV Modelling Tool User Manual version 1.0.0

ECDC HIV Modelling Tool User Manual version 1.0.0 ECDC HIV Modelling Tool User Manual version 1 Copyright European Centre for Disease Prevention and Control, 2015 All rights reserved. No part of the contents of this document may be reproduced or transmitted

More information

Research Methods in Forest Sciences: Learning Diary. Yoko Lu December Research process

Research Methods in Forest Sciences: Learning Diary. Yoko Lu December Research process Research Methods in Forest Sciences: Learning Diary Yoko Lu 285122 9 December 2016 1. Research process It is important to pursue and apply knowledge and understand the world under both natural and social

More information

Backcalculating HIV incidence and predicting AIDS in Australia, Cambodia and Vietnam. Australia

Backcalculating HIV incidence and predicting AIDS in Australia, Cambodia and Vietnam. Australia Backcalculating HIV incidence and predicting AIDS in Australia, Cambodia and Vietnam The aim of today s practical is to give you some hands-on experience with a nonparametric method for backcalculating

More information

PSYCHOLOGY 300B (A01)

PSYCHOLOGY 300B (A01) PSYCHOLOGY 00B (A01) Assignment February, 019 t = n M i M j + n SS R = nc (M R GM ) SS C = nr (M C GM ) SS error = (X M) = s (n 1) SS RC = n (M GM ) SS R SS C SS total = (X GM ) df total = rcn 1 df R =

More information

Table 1: One Year Net Survival Rates for All Cancers Excluding Non-Melanoma Skin Cancer:

Table 1: One Year Net Survival Rates for All Cancers Excluding Non-Melanoma Skin Cancer: Task 1: Draw a bar chart of the following data. All the data must be on one graph. The data shows yearly survival rates for all types of cancers combined (except non-melanoma skin cancer). Hint: Each period

More information

POPULATION TRACKER - DREAMED USER GUIDE

POPULATION TRACKER - DREAMED USER GUIDE POPULATION TRACKER - DREAMED USER GUIDE November 2018 IFU-0011 05 TABLE OF CONTENTS TABLE OF CONTENTS GENERAL INFORMATION... 1 Product Description... 1 Glooko Intended Use... 1 DreaMed Intended Use...

More information

Simple Linear Regression: Prediction. Instructor: G. William Schwert

Simple Linear Regression: Prediction. Instructor: G. William Schwert APS 425 Fall 2015 Simple Linear Regression: Prediction Instructor: G. William Schwert 585-275-2470 schwert@schwert.ssb.rochester.edu Ciba-Geigy Ritalin Experiment Ritalin is tested to see if it helps with

More information

CAN YOU GET SHINGLES IF YOU'VE HAD THE CHICKENPOX VACCINE

CAN YOU GET SHINGLES IF YOU'VE HAD THE CHICKENPOX VACCINE 12 May, 2018 CAN YOU GET SHINGLES IF YOU'VE HAD THE CHICKENPOX VACCINE Document Filetype: PDF 157.02 KB 0 CAN YOU GET SHINGLES IF YOU'VE HAD THE CHICKENPOX VACCINE The manufacturer of the vaccine say that

More information

PubHlth Introductory Biostatistics Fall 2013 Examination 1 - REQURED Due Monday September 30, 2013

PubHlth Introductory Biostatistics Fall 2013 Examination 1 - REQURED Due Monday September 30, 2013 PubHlth 540 Fall 2013 Exam I Page 1 of 10 PubHlth 540 - Introductory Biostatistics Fall 2013 Examination 1 - REQURED Due Monday September 30, 2013 Before you begin: This is a take-home exam. You are welcome

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

Dear Parents. To obtain your child s immunisation history you can:

Dear Parents. To obtain your child s immunisation history you can: Dear Parents The Public Health Act require schools and child care centres to keep information about students immunisation records with respect to diphtheria, pertussis (whooping cough), polio, haemophilus

More information

MILK HOW SWEET IS IT?

MILK HOW SWEET IS IT? MILK HOW SWEET IS IT? The Making of the Fittest: Natural INTRODUCTION Selection and Adaptation In the film, The Making of the Fittest: The Co-Evolution of Genes and Culture, Dr. Dallas Swallow determines

More information

Cerebral Cortex. Edmund T. Rolls. Principles of Operation. Presubiculum. Subiculum F S D. Neocortex. PHG & Perirhinal. CA1 Fornix CA3 S D

Cerebral Cortex. Edmund T. Rolls. Principles of Operation. Presubiculum. Subiculum F S D. Neocortex. PHG & Perirhinal. CA1 Fornix CA3 S D Cerebral Cortex Principles of Operation Edmund T. Rolls F S D Neocortex S D PHG & Perirhinal 2 3 5 pp Ento rhinal DG Subiculum Presubiculum mf CA3 CA1 Fornix Appendix 4 Simulation software for neuronal

More information

CHAPTER 2. MEASURING AND DESCRIBING VARIABLES

CHAPTER 2. MEASURING AND DESCRIBING VARIABLES 4 Chapter 2 CHAPTER 2. MEASURING AND DESCRIBING VARIABLES 1. A. Age: name/interval; military dictatorship: value/nominal; strongly oppose: value/ ordinal; election year: name/interval; 62 percent: value/interval;

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

Figure S1. Analysis of endo-sirna targets in different microarray datasets. The

Figure S1. Analysis of endo-sirna targets in different microarray datasets. The Supplemental Figures: Figure S1. Analysis of endo-sirna targets in different microarray datasets. The percentage of each array dataset that were predicted endo-sirna targets according to the Ambros dataset

More information

PubHlth Introductory Biostatistics Fall 2011 Examination 1 Due Monday October 31, 2011

PubHlth Introductory Biostatistics Fall 2011 Examination 1 Due Monday October 31, 2011 PubHlth 540 2011 Exam I Page 1 of 13 PubHlth 540 - Introductory Biostatistics Fall 2011 Examination 1 Due Monday October 31, 2011 Before you begin: This is a take-home exam. You are welcome to use any

More information

Information Regarding Immunizations

Information Regarding Immunizations Information Regarding Immunizations Dear Staff Member / Volunteer The state of Massachusetts require our staff members and volunteers aged 17 and under to have and provide evidence of the following immunizations:

More information

Before we get started:

Before we get started: Before we get started: http://arievaluation.org/projects-3/ AEA 2018 R-Commander 1 Antonio Olmos Kai Schramm Priyalathta Govindasamy Antonio.Olmos@du.edu AntonioOlmos@aumhc.org AEA 2018 R-Commander 2 Plan

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

2. How might a person find more information about a vaccine? 3. Why should some people not get the MMR vaccine?

2. How might a person find more information about a vaccine? 3. Why should some people not get the MMR vaccine? Vaccines & Herd Immunity Text adapted from http://www.vaccines.gov/basics/index.html and http://www.pbs.org/wgbh/nova/body/herd-immunity.html [Retrieved Feb 2015] PART A: INDEPENDENT READING. On your own,

More information

Empirical Rule ( rule) applies ONLY to Normal Distribution (modeled by so called bell curve)

Empirical Rule ( rule) applies ONLY to Normal Distribution (modeled by so called bell curve) 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

CNV PCA Search Tutorial

CNV PCA Search Tutorial CNV PCA Search Tutorial Release 8.1 Golden Helix, Inc. March 18, 2014 Contents 1. Data Preparation 2 A. Join Log Ratio Data with Phenotype Information.............................. 2 B. Activate only

More information

IMMUNISATION POLICY. Explanation: It is imperative that children are kept safe and healthy at all times in the centre environment.

IMMUNISATION POLICY. Explanation: It is imperative that children are kept safe and healthy at all times in the centre environment. IMMUNISATION POLICY Aim: Immunisation is a simple, safe and effective way of protecting people against harmful diseases before they come into contact with them in the community. Immunisation not only protects

More information

GraspIT AQA GCSE Infection and Response

GraspIT AQA GCSE Infection and Response A. Infection and Response part 1 Communicable diseases (viral, bacterial, fungal and protist) 1. Tuberculosis (TB) is a communicable disease caused by a bacterium. TB is spread by droplets in the air when

More information

Package Actigraphy. R topics documented: January 15, Type Package Title Actigraphy Data Analysis Version 1.3.

Package Actigraphy. R topics documented: January 15, Type Package Title Actigraphy Data Analysis Version 1.3. Type Package Title Actigraphy Data Analysis Version 1.3.2 Date 2016-01-14 Package Actigraphy January 15, 2016 Author William Shannon, Tao Li, Hong Xian, Jia Wang, Elena Deych, Carlos Gonzalez Maintainer

More information

SUNDAY Nature Academy 2018/2019: Influenza Outbreak

SUNDAY Nature Academy 2018/2019: Influenza Outbreak SUNDAY Nature Academy 2018/2019: Influenza Outbreak Description: Outbreaks (epidemics) have had devastating outcomes on the human population. Public health and other health care providers are essential

More information

Averages and Variation

Averages and Variation Chapter 3 Averages and Variation Name Section 3.1 Measures of Central Tendency: Mode, Median, and Mean Objective: In this lesson you learned how to compute, interpret, and explain mean, median, and mode.

More information

Prentice Hall. Learning Microsoft Excel , (Weixel et al.) Arkansas Spreadsheet Applications - Curriculum Content Frameworks

Prentice Hall. Learning Microsoft Excel , (Weixel et al.) Arkansas Spreadsheet Applications - Curriculum Content Frameworks Prentice Hall Learning Microsoft Excel 2007 2008, (Weixel et al.) C O R R E L A T E D T O Arkansas Spreadsheet s - Curriculum Content Frameworks Arkansas Spreadsheet s - Curriculum Content Frameworks Unit

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

Use understandings of angles and deductive reasoning to write and solve equations

Use understandings of angles and deductive reasoning to write and solve equations Unit 4: Geometry 3rd 9 Weeks Suggested Instructional Days: 20 Unit Summary (Learning Target/Goal): Draw, construct, and describe geometrical figures and describe the relationships between them. Solve real-life

More information

Sandwell Early Numeracy Test

Sandwell Early Numeracy Test SENT Reports School: Test School Section: A, B, C, D, Group: Class 3OS No. Students: 6 Sandwell Early Numeracy Test Section A - Student Listing This report lists the results for each student from the selected

More information

Technologies for Data Analysis for Experimental Biologists

Technologies for Data Analysis for Experimental Biologists Technologies for Data Analysis for Experimental Biologists Melanie I Stefan, PhD HMS 15 May 2014 MI Stefan (HMS) Data Analysis with JMP 15 May 2014 1 / 35 Before we start Download files for today s class

More information

AP STATISTICS 2010 SCORING GUIDELINES (Form B)

AP STATISTICS 2010 SCORING GUIDELINES (Form B) AP STATISTICS 2010 SCORING GUIDELINES (Form B) Question 1 Intent of Question The primary goals of this question were to assess students ability to (1) compare three distributions of a quantitative variable;

More information

MULTIPLE LINEAR REGRESSION 24.1 INTRODUCTION AND OBJECTIVES OBJECTIVES

MULTIPLE LINEAR REGRESSION 24.1 INTRODUCTION AND OBJECTIVES OBJECTIVES 24 MULTIPLE LINEAR REGRESSION 24.1 INTRODUCTION AND OBJECTIVES In the previous chapter, simple linear regression was used when you have one independent variable and one dependent variable. This chapter

More information

Summary Students will be able to: 쐌 Compare and contrast the information on two posters. (Language Arts) 쐌 Make a stacked bar graph.

Summary Students will be able to: 쐌 Compare and contrast the information on two posters. (Language Arts) 쐌 Make a stacked bar graph. ACTIVITY 5 COUNT YOUR SERVINGS ACTIVITY 5 Estimated Lesson Length UR O Y T GS N U CO ERVIN S 60 minutes Nutrition Objective Students will be able to: 쐌 State daily servings from each of the five food groups.

More information

To open a CMA file > Download and Save file Start CMA Open file from within CMA

To open a CMA file > Download and Save file Start CMA Open file from within CMA Example name Effect size Analysis type Level Tamiflu Symptom relief Mean difference (Hours to relief) Basic Basic Reference Cochrane Figure 4 Synopsis We have a series of studies that evaluated the effect

More information

Data Science and Statistics in Research: unlocking the power of your data

Data Science and Statistics in Research: unlocking the power of your data Data Science and Statistics in Research: unlocking the power of your data Session 1.4: Data and variables 1/ 33 OUTLINE Types of data Types of variables Presentation of data Tables Summarising Data 2/

More information

IBRIDGE 1.0 USER MANUAL

IBRIDGE 1.0 USER MANUAL IBRIDGE 1.0 USER MANUAL Jaromir Krizek CONTENTS 1 INTRODUCTION... 3 2 INSTALLATION... 4 2.1 SYSTEM REQUIREMENTS... 5 2.2 STARTING IBRIDGE 1.0... 5 3 MAIN MENU... 6 3.1 MENU FILE... 6 3.2 MENU SETTINGS...

More information

The Bell Curve of Mature Buck Antler Scores: When You Manage a Buck Herd, You Manage a Bell Curve of Antler Scores By Stuart W.

The Bell Curve of Mature Buck Antler Scores: When You Manage a Buck Herd, You Manage a Bell Curve of Antler Scores By Stuart W. The Bell Curve of Mature Buck Antler Scores: When You Manage a Buck Herd, You Manage a Bell Curve of Antler Scores By Stuart W. Stedman Summary of Part I: Bell Curve Basics Mature buck antlers are distributed

More information

Reporting Checklist for Nature Neuroscience

Reporting Checklist for Nature Neuroscience Corresponding Author: Manuscript Number: Manuscript Type: Rutishauser NNA57105 Article Reporting Checklist for Nature Neuroscience # Main Figures: 8 # Supplementary Figures: 6 # Supplementary Tables: 1

More information

Package EpiEstim. R topics documented: February 19, Version Date 2013/03/08

Package EpiEstim. R topics documented: February 19, Version Date 2013/03/08 Version 1.1-2 Date 2013/03/08 Package EpiEstim February 19, 2015 Title EpiEstim: a package to estimate time varying reproduction numbers from epidemic curves. Author Anne Cori Maintainer

More information

WORKS

WORKS How it WORKS www.proctoru.com 855-772 - 8678 contact@proctoru.com Test-Taker Experience Test-takers log on to go.proctoru.com and create an account (Figure 1). When the test-taker logs in for the first

More information

Test 1C AP Statistics Name:

Test 1C AP Statistics Name: Test 1C AP Statistics Name: Part 1: Multiple Choice. Circle the letter corresponding to the best answer. 1. At the beginning of the school year, a high-school teacher asks every student in her classes

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

Section 3 Correlation and Regression - Teachers Notes

Section 3 Correlation and Regression - Teachers Notes The data are from the paper: Exploring Relationships in Body Dimensions Grete Heinz and Louis J. Peterson San José State University Roger W. Johnson and Carter J. Kerk South Dakota School of Mines and

More information

Demonstrating Client Improvement to Yourself and Others

Demonstrating Client Improvement to Yourself and Others Demonstrating Client Improvement to Yourself and Others Understanding and Using your Outcome Evaluation System (Part 2 of 3) Greg Vinson, Ph.D. Senior Researcher and Evaluation Manager Center for Victims

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

Publishing WFS Services Tutorial

Publishing WFS Services Tutorial Publishing WFS Services Tutorial Copyright 1995-2010 Esri All rights reserved. Table of Contents Tutorial: Publishing a WFS service........................... 3 Copyright 1995-2010 ESRI, Inc. All rights

More information

Pathogens, Antibodies, and Vaccines

Pathogens, Antibodies, and Vaccines STO-138 Pathogens, Antibodies, and Vaccines Part 1: Modeling Pathogens and Antibodies Three dangerous diseases: Pertussis (whooping cough) is caused by Bordetella pertussis bacteria Diphtheria is caused

More information

People have used random sampling for a long time

People have used random sampling for a long time Sampling People have used random sampling for a long time Sampling by lots is mentioned in the Bible. People recognised that it is a way to select fairly if every individual has an equal chance of being

More information

Nature Methods: doi: /nmeth Supplementary Figure 1. Activity in turtle dorsal cortex is sparse.

Nature Methods: doi: /nmeth Supplementary Figure 1. Activity in turtle dorsal cortex is sparse. Supplementary Figure 1 Activity in turtle dorsal cortex is sparse. a. Probability distribution of firing rates across the population (notice log scale) in our data. The range of firing rates is wide but

More information

MA 151: Using Minitab to Visualize and Explore Data The Low Fat vs. Low Carb Debate

MA 151: Using Minitab to Visualize and Explore Data The Low Fat vs. Low Carb Debate MA 151: Using Minitab to Visualize and Explore Data The Low Fat vs. Low Carb Debate September 5, 2018 1 Introduction to the Data We will be working with a synthetic data set meant to resemble the weight

More information

The North Carolina Health Data Explorer

The North Carolina Health Data Explorer The North Carolina Health Data Explorer The Health Data Explorer provides access to health data for North Carolina counties in an interactive, user-friendly atlas of maps, tables, and charts. It allows

More information

A Quick-Start Guide for rseqdiff

A Quick-Start Guide for rseqdiff A Quick-Start Guide for rseqdiff Yang Shi (email: shyboy@umich.edu) and Hui Jiang (email: jianghui@umich.edu) 09/05/2013 Introduction rseqdiff is an R package that can detect differential gene and isoform

More information

Module 3: Pathway and Drug Development

Module 3: Pathway and Drug Development Module 3: Pathway and Drug Development Table of Contents 1.1 Getting Started... 6 1.2 Identifying a Dasatinib sensitive cancer signature... 7 1.2.1 Identifying and validating a Dasatinib Signature... 7

More information

Chapter 2: The Organization and Graphic Presentation of Data Test Bank

Chapter 2: The Organization and Graphic Presentation of Data Test Bank Essentials of Social Statistics for a Diverse Society 3rd Edition Leon Guerrero Test Bank Full Download: https://testbanklive.com/download/essentials-of-social-statistics-for-a-diverse-society-3rd-edition-leon-guerrero-tes

More information

Nature Neuroscience: doi: /nn Supplementary Figure 1. Behavioral training.

Nature Neuroscience: doi: /nn Supplementary Figure 1. Behavioral training. Supplementary Figure 1 Behavioral training. a, Mazes used for behavioral training. Asterisks indicate reward location. Only some example mazes are shown (for example, right choice and not left choice maze

More information

Migraine Dataset. Exercise 1

Migraine Dataset. Exercise 1 Migraine Dataset In December 2016 the company BM launched the app MigraineTracker. This app was developed to collect data from people suffering from migraine. Users are able to create a record in this

More information

Ovarian Cancer Prevalence:

Ovarian Cancer Prevalence: Ovarian Cancer Prevalence: Basic Information 1. What is being measured? 2. Why is it being measured? The prevalence of ovarian cancer, ICD-10 C56 Prevalence is an indicator of the burden of cancer and

More information

Tuberculosis Tutorials

Tuberculosis Tutorials Tuberculosis Tutorials These tuberculosis (TB) tutorials were created for the EMOD QuickStart v1.8. Later versions of the QuickStart may not be completely compatible with these tutorials as installation

More information

HW 1 - Bus Stat. Student:

HW 1 - Bus Stat. Student: HW 1 - Bus Stat Student: 1. An identification of police officers by rank would represent a(n) level of measurement. A. Nominative C. Interval D. Ratio 2. A(n) variable is a qualitative variable such that

More information