1 of 28 9/15/2016 1:16 PM

Size: px
Start display at page:

Download "1 of 28 9/15/2016 1:16 PM"

Transcription

1 1 of 28 9/15/2016 1:16 PM

2 2 of 28 9/15/2016 1:16 PM

3 3 of 28 9/15/2016 1:16 PM

4 objects(package:psych).first < function(library(psych)) help(read.table) #or?read.table #another way of asking for help apropos("read") #returns all available functions with that term in their name. RSiteSearch("read") #opens a webbrowser and searches voluminous files 4 of 28 9/15/2016 1:16 PM

5 apropos(table) #lists all the commands that have the word "table" in them apropos(table) [1]"ftable" "model.tables" "pairwise.table" "print.ftable" "r2dtable" [6]"read.ftable" "write.ftable" ". C mtable" ". C summary.table" ". C table" [11]"as.data.frame.table" "as.table" "as.table.default" "is.table" "margin.table" [16]"print.summary.table" "print.table" "prop.table" "read.table" "read.table.url" [21]"summary.table" "table" "write.table" "write.table0" 5 of 28 9/15/2016 1:16 PM

6 6 of 28 9/15/2016 1:16 PM

7 datafilename < " project.org/r/datasets/finkel.sav" #remote file datafilename < "/Users/bill/Library/Favorites/R.tutorial/datasets/finkel.sav" #local file eli.data < read.spss(datafilename, use.value.labels=true, to.data.frame=true) #works for local but not remote? seems to be a problem in uploading to the server save(object,file="local name") #save an object (e.g., a correlation matrix) for later analysis load(file) #gets the object (e.g., the correlation matrix back) load(url(" project.org/r/datasets/big5r.txt")) #get the correlation matrix ls() #show the variables in the workspace datafilename < " project.org/r/datasets/maps.mixx.epi.bfi.data" person.data < read.table(datafilename,header=true) #read the data file names(person.data) #list the names of the variables attach(person.data) #make the separate variable available always do detach when finished. #The with construct is better. epi < cbind(epie,epis,epiimp,epilie,epineur) #form a new variable "epi" epi.df < data.frame(epi) #actually, more useful to treat this variable as a data frame bfi.df < data.frame(cbind(bfext,bfneur,bfagree,bfcon,bfopen)) #create bfi as a data frame as well detach(person.data) # very important to detach after an attach #alternatively: with(person.data,{ epi < cbind(epie,epis,epiimp,epilie,epineur) #form a new variable "epi" epi.df < data.frame(epi) #actually, more useful to treat this variable as a data frame bfi.df < data.frame(cbind(bfext,bfneur,bfagree,bfcon,bfopen)) #create bfi as a data frame as well epi.df < data.frame(epi) #actually, more useful to treat this variable as a data frame bfi.df < data.frame(cbind(bfext,bfneur,bfagree,bfcon,bfopen)) #create bfi as a data frame as well describe(bfi.df) } #end of the stuff to be done within the with command 7 of 28 9/15/2016 1:16 PM

8 ) #end of the with command epi < person.data[c("epie","epis","epiimp","epilie","epineur") ] #form a new variable "epi" epi.df < data.frame(epi) #actually, more useful to treat this variable as a data frame bfi.df < data.frame(person.data[c(9,10,7,8,11)]) #create bfi as a data frame as well ls() #show the variables y < edit(person.data) #show the data.frame or matrix x in a text editor and save changes to y fix(person.data) #show the data.frame or matrix x in a text editor invisibible(edit(x)) #creates an edit window without also printing to console directly make changes. #Similar to the most basic spreadsheet. Very dangerous! head(x) #show the first few lines of a data.frame or matrix tail(x) #show the last few lines of a data.frame or matrix str(x) #show the structure of x 8 of 28 9/15/2016 1:16 PM

9 9 of 28 9/15/2016 1:16 PM

10 10 of 28 9/15/2016 1:16 PM

11 apply(epi,2,fivenum) #give the lowest, 25%, median, 75% and highest value (compare to summary) describe(epi.df) #use the describe function var n mean sd median trimmed mad min max range skew kurtosis se epie epis epiimp epilie epineur stem(person.data$bfneur) #stem and leaf diagram The decimal point is 1 digit(s) to the right of the round(cor(epi.df),2) #correlation matrix with values rounded to 2 decimals epie epis epiimp epilie epineur epie epis epiimp epilie epineur round(cor(epi.df,bfi.df),2) #cross correlations between the 5 EPI scales and the 5 BFI scales bfext bfneur bfagree bfcon bfopen epie epis epiimp epilie epineur corr.test(sat.act) > corr.test(epi.df) Call:corr.test(x = epi.df) Correlation matrix epie epis epiimp epilie epineur 11 of 28 9/15/2016 1:16 PM

12 epie epis epiimp epilie epineur Sample Size epie epis epiimp epilie epineur epie epis epiimp epilie epineur Probability values (Entries above the diagonal are adjusted for multiple tests.) epie epis epiimp epilie epineur epie epis epiimp epilie epineur of 28 9/15/2016 1:16 PM

13 13 of 28 9/15/2016 1:16 PM

14 datafilename=" project.org/r/datasets/r.appendix2.data" data.ex2=read.table(datafilename,header=t) #read the data into a table data.ex2 #show the data aov.ex2 = aov(alertness~gender*dosage,data=data.ex2) #do the analysis of variance summary(aov.ex2) #show the summary table print(model.tables(aov.ex2,"means"),digits=3) #report the means and the number of subjects/cell boxplot(alertness~dosage*gender,data=data.ex2) #graphical summary of means of the 4 cells attach(data.ex2) interaction.plot(dosage,gender,alertness) #another way to graph the means detach(data.ex2) #Run the analysis: datafilename=" project.org/r/datasets/r.appendix3.data" data.ex3=read.table(datafilename,header=t) #read the data into a table data.ex3 #show the data aov.ex3 = aov(recall~valence+error(subject/valence),data.ex3) summary(aov.ex3) print(model.tables(aov.ex3,"means"),digits=3) #report the means and the number of subjects/cell boxplot(recall~valence,data=data.ex3) #graphical output datafilename=" project.org/r/datasets/r.appendix4.data" data.ex4=read.table(datafilename,header=t) #read the data into a table data.ex4 #show the data aov.ex4=aov(recall~(task*valence)+error(subject/(task*valence)),data.ex4 ) summary(aov.ex4) print(model.tables(aov.ex4,"means"),digits=3) #report the means and the number of subjects/cell boxplot(recall~task*valence,data=data.ex4) #graphical summary of means of the 6 cells attach(data.ex4) interaction.plot(valence,task,recall) #another way to graph the interaction detach(data.ex4) datafilename=" project.org/r/datasets/r.appendix5.data" data.ex5=read.table(datafilename,header=t) #read the data into a table #data.ex5 #show the data aov.ex5 = aov(recall~(task*valence*gender*dosage)+error(subject/(task*valence))+ (Gender*Dosage),data.ex5) summary(aov.ex5) print(model.tables(aov.ex5,"means"),digits=3) #report the means and the number of subjects/cell boxplot(recall~task*valence*gender*dosage,data=data.ex5) #graphical summary of means of the 36 cells boxplot(recall~task*valence*dosage,data=data.ex5) #graphical summary of means of 18 cells datafilename="/users/bill/desktop/r.tutorial/datasets/recall1.data" recall.data=read.table(datafilename,header=true) recall.data #show the data 14 of 28 9/15/2016 1:16 PM

15 raw=recall.data[,1:8] #just trial data #First set some specific paremeters for the analysis this allows numcases=27 #How many subjects are there? numvariables=8 #How many repeated measures are there? numreplications=2 #How many replications/subject? numlevels1=2 #specify the number of levels for within subject variable 1 numlevels2=2 #specify the number of levels for within subject variable 2 stackedraw=stack(raw) #convert the data array into a vector #add the various coding variables for the conditions #make sure to check that this coding is correct recall.raw.df=data.frame(recall=stackedraw, subj=factor(rep(paste("subj", 1:numcases, sep=""), numvariables)), replication=factor(rep(rep(c("1","2"), c(numcases, numcases)), numvariables/numreplications)), time=factor(rep(rep(c("short", "long"), c(numcases*numreplications, numcases*numreplications)),numlevels1)), study=rep(c("d45", "d90"),c(numcases*numlevels1*numreplications, numcases*numlevels1*numreplications))) recall.aov= aov(recall.values ~ time * study + Error(subj/(time * study)), data=recall.raw.df) #do the ANOVA summary(recall.aov) #show the output print(model.tables(recall.aov,"means"),digits=3) #show the cell means for the anova table 15 of 28 9/15/2016 1:16 PM

16 16 of 28 9/15/2016 1:16 PM

17 #get the data datafilename=" project.org/r/datasets/extraversion.items.txt" #where are the data items=read.table(datafilename,header=true) #read the data attach(items) #make this the active path E1=q_262 q_1480 +q_819 q_1180 +q_ #find a five item extraversion scale #note that because the item responses ranged from 1 6, to reverse an item #we subtract it from the maximum response possible + the minimum. #Since there were two reversed items, this is the same as adding 14 E1.df = data.frame(q_262,q_1480,q_819,q_1180,q_1742 ) #put these items into a data frame summary(e1.df) round(cor(e1.df,use="pair"),2) round(cor(e1.df,e1,use="pair"),2) #give summary statistics for these items #correlate the 5 items, rounded off to 2 decimals, #use pairwise cases #show the item by scale correlations #define a function to find the alpha coefficient alpha.scale=function (x,y) #create a reusable function to find coefficient alpha #input to the function are a scale and a data.frame of the items in the scale { Vi=sum(diag(var(y,na.rm=TRUE))) #sum of item variance Vt=var(x,na.rm=TRUE) #total test variance n=dim(y)[2] #how many items are in the scale? (calculated dynamically) ((Vt Vi)/Vt)*(n/(n 1))} #alpha E.alpha=alpha.scale(E1,E1.df) #find the alpha for the scale E1 made up of the 5 items in E1.df detach(items) #take them out of the search path summary(e1.df) #give summary statistics for these items q_262 q_1480 q_819 q_1180 q_1742 Min. :1.00 Min. :0.000 Min. :0.000 Min. :0.000 Min. : st Qu.:2.00 1st Qu.: st Qu.: st Qu.: st Qu.:3.750 Median :3.00 Median :3.000 Median :5.000 Median :4.000 Median :5.000 Mean :3.07 Mean :2.885 Mean :4.565 Mean :3.295 Mean : rd Qu.:4.00 3rd Qu.: rd Qu.: rd Qu.: rd Qu.:6.000 Max. :6.00 Max. :6.000 Max. :6.000 Max. :6.000 Max. : of 28 9/15/2016 1:16 PM

18 18 of 28 9/15/2016 1:16 PM

19 19 of 28 9/15/2016 1:16 PM

20 20 of 28 9/15/2016 1:16 PM

21 21 of 28 9/15/2016 1:16 PM

22 22 of 28 9/15/2016 1:16 PM pnorm(1,mean=0,sd=1)

23 [1] pnorm(1) #default values of mean=0, sd=1 are used) pnorm(1,1,10) #parameters may be passed if in default order or by name samplesize=1000 size.r=.6 theta=rnorm(samplesize,0,1) #generate some random normal deviates e1=rnorm(samplesize,0,1) #generate errors for x e2=rnorm(samplesize,0,1) #generate errors for y weight=sqrt(size.r) #weight as a function of correlation x=weight*theta+e1*sqrt(1 size.r) #combine true score (theta) with error y=weight*theta+e2*sqrt(1 size.r) cor(x,y) #correlate the resulting pair df=data.frame(cbind(theta,e1,e2,x,y)) #form a data frame to hold all of the elements round(cor(df),2) #show the correlational structure pairs.panels(df) #plot the correlational structure (assumes psych package) library(mvtnorm) samplesize=1000 size.r=.6 sigmamatrix < matrix( c(1,sqrt(size.r),sqrt(size.r),sqrt(size.r),1,size.r, sqrt(size.r),size.r,1),ncol=3) xy < rmvnorm(samplesize,sigma=sigmamatrix) round(cor(xy),2) pairs.panels(xy) #assumes the psych package 23 of 28 9/15/2016 1:16 PM

24 24 of 28 9/15/2016 1:16 PM

25 25 of 28 9/15/2016 1:16 PM

26 26 of 28 9/15/2016 1:16 PM

27 hist() #histogram plot() plot(x,y,xlim=range( 1,1),ylim=range( 1,1),main=title) par(mfrow=c(1,1)) #change the graph window back to one figure symb=c(19,25,3,23) colors=c("black","red","green","blue") charact=c("s","t","n","h") plot(x,y,pch=symb[group],col=colors[group],bg=colors[condit],cex=1.5,main="main title") points(mpa,mna,pch=symb[condit],cex=4.5,col=colors[condit],bg=colors[condit]) curve() abline(a,b) abline(a, b, untf = FALSE,...) abline(h=, untf = FALSE,...) abline(v=, untf = FALSE,...) abline(coef=, untf = FALSE,...) abline(reg=, untf = FALSE,...) identify() plot(eatar,eanta,xlim=range( 1,1),ylim=range( 1,1),main=title) identify(eatar,eanta,labels=labels(energysr[,1]) ) #dynamically puts names on the plots locate() pairs() #SPLOM (scatter plot Matrix) matplot () #ordinate is row of the matrix biplot () #factor loadings and factor scores on same graph coplot(x~y z) #x by y conditioned on z symb=c(19,25,3,23) #choose some nice plotting symbols colors=c("black","red","green","blue") #choose some nice colors barplot() interaction.plot () #simple bar plot #shows means for an ANOVA design plot(degreedays,therms) #show the data points by(heating,location,function(x) abline(lm(therms~degreedays,data=x))) #show the best fitting regression for each group x= recordplot() #save the current plot device output in the object x replayplot(x) #replot object x dev.control #various control functions for printing/saving graphic files pnorm(1,mean=0,sd=1) [1] pnorm(1) #default values of mean=0, sd=1 are used) pnorm(1,1,10) #parameters may be passed if in default order or by name samplesize=1000 size.r=.6 theta=rnorm(samplesize,0,1) #generate some random normal deviates e1=rnorm(samplesize,0,1) #generate errors for x e2=rnorm(samplesize,0,1) #generate errors for y weight=sqrt(size.r) #weight as a function of correlation x=weight*theta+e1*sqrt(1 size.r) #combine true score (theta) with error y=weight*theta+e2*sqrt(1 size.r) cor(x,y) #correlate the resulting pair df=data.frame(cbind(theta,e1,e2,x,y)) #form a data frame to hold all of the elements round(cor(df),2) #show the correlational structure pairs.panels(df) #plot the correlational structure (assumes psych package) library(mvtnorm) samplesize=1000 size.r=.6 sigmamatrix < matrix( c(1,sqrt(size.r),sqrt(size.r),sqrt(size.r),1,size.r, sqrt(size.r),size.r,1),ncol=3) xy < rmvnorm(samplesize,sigma=sigmamatrix) round(cor(xy),2) 27 of 28 9/15/2016 1:16 PM

28 28 of 28 9/15/2016 1:16 PM pairs.panels(xy) #assumes the psych package

Booklet of Code and Output for STAD29/STA 1007 Final Exam

Booklet of Code and Output for STAD29/STA 1007 Final Exam Booklet of Code and Output for STAD29/STA 1007 Final Exam List of Figures in this document by page: List of Figures 1 Raisins data.............................. 2 2 Boxplot of raisin data........................

More information

Lampiran IV. Hasil Output SPSS Versi 16.0 untuk Analisis Deskriptif

Lampiran IV. Hasil Output SPSS Versi 16.0 untuk Analisis Deskriptif 182 Lampiran IV. Hasil Output SPSS Versi 16.0 untuk Analisis Deskriptif Frequencies Statistics Kinerja Guru Sikap Guru Thdp Kepsek Motivasi Kerja Guru Kompetensi Pedagogik Guru N Valid 64 64 64 64 Missing

More information

Appendix B STATISTICAL TABLES OVERVIEW

Appendix B STATISTICAL TABLES OVERVIEW Appendix B STATISTICAL TABLES OVERVIEW Table B.1: Proportions of the Area Under the Normal Curve Table B.2: 1200 Two-Digit Random Numbers Table B.3: Critical Values for Student s t-test Table B.4: Power

More information

fruitfly fecundity example summary Tuesday, July 17, :13:19 PM 1

fruitfly fecundity example summary Tuesday, July 17, :13:19 PM 1 fruitfly fecundity example summary Tuesday, July 17, 2018 02:13:19 PM 1 The UNIVARIATE Procedure Variable: fecund line = NS Basic Statistical Measures Location Variability Mean 33.37200 Std Deviation 8.94201

More information

EXST7034 Multiple Regression Geaghan Chapter 11 Bootstrapping (Toluca example) Page 1

EXST7034 Multiple Regression Geaghan Chapter 11 Bootstrapping (Toluca example) Page 1 Chapter 11 Bootstrapping (Toluca example) Page 1 Toluca Company Example (Problem from Neter, Kutner, Nachtsheim & Wasserman 1996,1.21) A particular part needed for refigeration equipment replacement parts

More information

Exploratory data analysis description, 96 dotplots, 101 stem-and-leaf, ez package, ezanova function, 132

Exploratory data analysis description, 96 dotplots, 101 stem-and-leaf, ez package, ezanova function, 132 Index A Akaike Information Criterion (AIC), 78 Associations problem, 226 solution, 226 analysis, 226 apriori function, 228 basket analysis, 226 CSV version of our basket dataset(), 230 inspect(), 229 opening

More information

HASIL OUTPUT SPSS. Reliability Scale: ALL VARIABLES

HASIL OUTPUT SPSS. Reliability Scale: ALL VARIABLES 139 HASIL OUTPUT SPSS Reliability Scale: ALL VARIABLES Case Processing Summary N % 100 100.0 Cases Excluded a 0.0 Total 100 100.0 a. Listwise deletion based on all variables in the procedure. Reliability

More information

Motor Trend MPG Analysis

Motor Trend MPG Analysis Motor Trend MPG Analysis SJ May 15, 2016 Executive Summary For this project, we were asked to look at a data set of a collection of cars in the automobile industry. We are going to explore the relationship

More information

Antonio Olmos Priyalatha Govindasamy Research Methods & Statistics University of Denver

Antonio Olmos Priyalatha Govindasamy Research Methods & Statistics University of Denver Antonio Olmos Priyalatha Govindasamy Research Methods & Statistics University of Denver American Evaluation Association Conference, Chicago, Ill, November 2015 AEA 2015, Chicago Ill 1 Paper overview Propensity

More information

The Session.. Rosaria Silipo Phil Winters KNIME KNIME.com AG. All Right Reserved.

The Session.. Rosaria Silipo Phil Winters KNIME KNIME.com AG. All Right Reserved. The Session.. Rosaria Silipo Phil Winters KNIME 2016 KNIME.com AG. All Right Reserved. Past KNIME Summits: Merging Techniques, Data and MUSIC! 2016 KNIME.com AG. All Rights Reserved. 2 Analytics, Machine

More information

Graphics in R. Fall /5/17 1

Graphics in R. Fall /5/17 1 Graphics in R Fall 2017 9/5/17 1 Graphics Both built in and third party libraries for graphics Popular examples include ggplot2 ggvis lattice We will start with built in graphics Basic functions to remember:

More information

SEM over time. Changes in Structure, changes in Means

SEM over time. Changes in Structure, changes in Means SEM over time Changes in Structure, changes in Means Measuring at two time points Is the structure the same Do the means change (is there growth) Create the data x.model

More information

THERMOELECTRIC SAMPLE CONDITIONER SYSTEM (TESC)

THERMOELECTRIC SAMPLE CONDITIONER SYSTEM (TESC) THERMOELECTRIC SAMPLE CONDITIONER SYSTEM (TESC) FULLY AUTOMATED ASTM D2983 CONDITIONING AND TESTING ON THE CANNON TESC SYSTEM WHITE PAPER A critical performance parameter for transmission, gear, and hydraulic

More information

Index. Calculated field creation, 176 dialog box, functions (see Functions) operators, 177 addition, 178 comparison operators, 178

Index. Calculated field creation, 176 dialog box, functions (see Functions) operators, 177 addition, 178 comparison operators, 178 Index A Adobe Reader and PDF format, 211 Aggregation format options, 110 intricate view, 109 measures, 110 median, 109 nongeographic measures, 109 Area chart continuous, 67, 76 77 discrete, 67, 78 Axis

More information

Lecture 2. Review of Linear Regression I Statistics Statistical Methods II. Presented January 9, 2018

Lecture 2. Review of Linear Regression I Statistics Statistical Methods II. Presented January 9, 2018 Review of Linear Regression I Statistics 211 - Statistical Methods II Presented January 9, 2018 Estimation of The OLS under normality the OLS Dan Gillen Department of Statistics University of California,

More information

Introduction to R (7): Central Limit Theorem

Introduction to R (7): Central Limit Theorem Introduction to R (7): Central Limit Theorem Central Limit Theorem Central limit theorem says that if x D(µ, σ) whered is a probability density or mass function (regardless of the form of the distribution),

More information

TRY OUT 25 Responden Variabel Kepuasan / x1

TRY OUT 25 Responden Variabel Kepuasan / x1 1 TRY OUT 25 Responden Variabel Kepuasan / x1 Case Processing Summary N % 25 100.0 Cases Excluded a 0.0 Total 25 100.0 a. Listwise deletion based on all variables in the procedure. Reliability Statistics

More information

Example #1: One-Way Independent Groups Design. An example based on a study by Forster, Liberman and Friedman (2004) from the

Example #1: One-Way Independent Groups Design. An example based on a study by Forster, Liberman and Friedman (2004) from the Example #1: One-Way Independent Groups Design An example based on a study by Forster, Liberman and Friedman (2004) from the Journal of Personality and Social Psychology illustrates the SAS/IML program

More information

. Enter. Model Summary b. Std. Error. of the. Estimate. Change. a. Predictors: (Constant), Emphaty, reliability, Assurance, responsive, Tangible

. Enter. Model Summary b. Std. Error. of the. Estimate. Change. a. Predictors: (Constant), Emphaty, reliability, Assurance, responsive, Tangible LAMPIRAN Variables Entered/Removed b Variables Model Variables Entered Removed Method 1 Emphaty, reliability, Assurance, responsive, Tangible a. Enter a. All requested variables entered. b. Dependent Variable:

More information

UJI VALIDITAS DAN RELIABILIAS VARIABEL KOMPENSASI

UJI VALIDITAS DAN RELIABILIAS VARIABEL KOMPENSASI 1 UJI VALIDITAS DAN RELIABILIAS VARIABEL KOMPENSASI Case Processing Summary N % 20 100.0 Cases Excluded a 0.0 Total 20 100.0 a. Listwise deletion based on all variables in the procedure. Reliability Statistics

More information

TRY OUT 30 Responden Variabel Kompetensi/ x1

TRY OUT 30 Responden Variabel Kompetensi/ x1 1 TRY OUT 30 Responden Variabel Kompetensi/ x1 Case Processing Summary N % 30 100.0 Cases Excluded a 0.0 Total 30 100.0 a. Listwise deletion based on all variables in the procedure. Reliability Statistics

More information

Regression Models Course Project, 2016

Regression Models Course Project, 2016 Regression Models Course Project, 2016 Venkat Batchu July 13, 2016 Executive Summary In this report, mtcars data set is explored/analyzed for relationship between outcome variable mpg (miles for gallon)

More information

Important Formulas. Discrete Probability Distributions. Probability and Counting Rules. The Normal Distribution. Confidence Intervals and Sample Size

Important Formulas. Discrete Probability Distributions. Probability and Counting Rules. The Normal Distribution. Confidence Intervals and Sample Size blu38582_if_1-8.qxd 9/27/10 9:19 PM Page 1 Important Formulas Chapter 3 Data Description Mean for individual data: Mean for grouped data: Standard deviation for a sample: X2 s X n 1 or Standard deviation

More information

Lampiran 1. Data Perusahaan

Lampiran 1. Data Perusahaan Lampiran. Data Perusahaan NO PERUSH MV EARN DIV CFO LB.USAHA TOT.ASS ACAP 3 9 8 5 369 9678 376 ADES 75-35 - 6 3559-5977 7358 3 AQUA 5 368 65 335 797 678 53597 BATA 88 5 9 863 958 93 5 BKSL 5.3 -. 9-9 5

More information

Problem Set 05: Luca Sanfilippo, Marco Cattaneo, Reneta Kercheva 29/10/2018

Problem Set 05: Luca Sanfilippo, Marco Cattaneo, Reneta Kercheva 29/10/2018 Problem Set 05: Luca Sanfilippo, Marco Cattaneo, Reneta Kercheva 29/10/ Exercise 1: The data source from class. A: Write 1 paragraph about the dataset. B: Install the package that allows to access your

More information

LET S ARGUE: STUDENT WORK PAMELA RAWSON. Baxter Academy for Technology & Science Portland, rawsonmath.

LET S ARGUE: STUDENT WORK PAMELA RAWSON. Baxter Academy for Technology & Science Portland, rawsonmath. LET S ARGUE: STUDENT WORK PAMELA RAWSON Baxter Academy for Technology & Science Portland, Maine pamela.rawson@gmail.com @rawsonmath rawsonmath.com Contents Student Movie Data Claims (Cycle 1)... 2 Student

More information

Fuel Strategy (Exponential Decay)

Fuel Strategy (Exponential Decay) By Ten80 Education Fuel Strategy (Exponential Decay) STEM Lesson for TI-Nspire Technology Objective: Collect data and analyze the data using graphs and regressions to understand conservation of energy

More information

The PRINCOMP Procedure

The PRINCOMP Procedure Grizzly Bear Project - Coastal Sites - invci 15:14 Friday, June 11, 2010 1 Food production variables The PRINCOMP Procedure Observations 16 Variables 4 Simple Statistics PRECIP ndvi aet temp Mean 260.8102476

More information

Math 135 S18 Exam 1 Review. The Environmental Protection Agency records data on the fuel economy of many different makes of cars.

Math 135 S18 Exam 1 Review. The Environmental Protection Agency records data on the fuel economy of many different makes of cars. Math 135 S18 Exam 1 Review Name *note: In addition to this Review, study the material from Take Home Assignments, Classwork sheets and class notes. ALL are represented in the exam. The Environmental Protection

More information

Statistics and Quantitative Analysis U4320. Segment 8 Prof. Sharyn O Halloran

Statistics and Quantitative Analysis U4320. Segment 8 Prof. Sharyn O Halloran Statistics and Quantitative Analysis U4320 Segment 8 Prof. Sharyn O Halloran I. Introduction A. Overview 1. Ways to describe, summarize and display data. 2.Summary statements: Mean Standard deviation Variance

More information

Index. Calculator, 56, 64, 69, 135, 353 Calendars, 348, 356, 357, 364, 371, 381 Card game, NEL Index

Index. Calculator, 56, 64, 69, 135, 353 Calendars, 348, 356, 357, 364, 371, 381 Card game, NEL Index Index A Acute angle, 94 Adding decimal numbers, 47, 48 fractions, 210 213, 237 239, 241 integers, 310 322 mixed numbers, 245 248 Addition statement, 246, 248 Airport design, 88, 93, 99, 107, 121, 125 Analysing

More information

Descriptive Statistics

Descriptive Statistics Chapter 2 Descriptive Statistics 2-1 Overview 2-2 Summarizing Data 2-3 Pictures of Data 2-4 Measures of Central Tendency 2-5 Measures of Variation 2-6 Measures of Position 2-7 Exploratory Data Analysis

More information

Stat 302 Statistical Software and Its Applications Graphics

Stat 302 Statistical Software and Its Applications Graphics Stat 302 Statistical Software and Its Applications Graphics Yen-Chi Chen Department of Statistics, University of Washington Autumn 2016 1 / 44 General Remarks on R Graphics A well constructed graph is

More information

5. CONSTRUCTION OF THE WEIGHT-FOR-LENGTH AND WEIGHT-FOR- HEIGHT STANDARDS

5. CONSTRUCTION OF THE WEIGHT-FOR-LENGTH AND WEIGHT-FOR- HEIGHT STANDARDS 5. CONSTRUCTION OF THE WEIGHT-FOR-LENGTH AND WEIGHT-FOR- HEIGHT STANDARDS 5.1 Indicator-specific methodology The construction of the weight-for-length (45 to 110 cm) and weight-for-height (65 to 120 cm)

More information

Guatemalan cholesterol example summary

Guatemalan cholesterol example summary Guatemalan cholesterol example summary Wednesday, July 11, 2018 02:04:06 PM 1 The UNIVARIATE Procedure Variable: level = rural Basic Statistical Measures Location Variability Mean 157.0204 Std Deviation

More information

Motor Trend Yvette Winton September 1, 2016

Motor Trend Yvette Winton September 1, 2016 Motor Trend Yvette Winton September 1, 2016 Executive Summary Objective In this analysis, the relationship between a set of variables and miles per gallon (MPG) (outcome) is explored from a data set of

More information

Using Statistics To Make Inferences 6. Wilcoxon Matched Pairs Signed Ranks Test. Wilcoxon Rank Sum Test/ Mann-Whitney Test

Using Statistics To Make Inferences 6. Wilcoxon Matched Pairs Signed Ranks Test. Wilcoxon Rank Sum Test/ Mann-Whitney Test Using Statistics To Make Inferences 6 Summary Non-parametric tests Wilcoxon Signed Ranks Test Wilcoxon Matched Pairs Signed Ranks Test Wilcoxon Rank Sum Test/ Mann-Whitney Test Goals Perform and interpret

More information

Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data.

Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data. Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data. About the Lesson: Homestead-Miami Speedway has been rebuilt in different configurations

More information

Objectives. Materials TI-73 CBL 2

Objectives. Materials TI-73 CBL 2 . Objectives To understand the relationship between dry cell size and voltage Activity 4 Materials TI-73 Unit-to-unit cable Voltage from Dry Cells CBL 2 Voltage sensor New AAA, AA, C, and D dry cells Battery

More information

Lampiran 1. Tabel Sampel Penelitian

Lampiran 1. Tabel Sampel Penelitian Lampiran 1 Tabel Sampel Penelitian No Kode Emiten Nama Perusahaan Tanggal IPO 1 APLN Agung Podomoro Land Tbk 11 Nov 2010 2 ASRI Alam Sutera Reality Tbk 18 Dec 2007 3 BAPA Bekasi Asri Pemula Tbk 14 Jan

More information

CEMENT AND CONCRETE REFERENCE LABORATORY PROFICIENCY SAMPLE PROGRAM

CEMENT AND CONCRETE REFERENCE LABORATORY PROFICIENCY SAMPLE PROGRAM CEMENT AND CONCRETE REFERENCE LABORATORY PROFICIENCY SAMPLE PROGRAM Final Report ASR ASTM C1260 Proficiency Samples Number 5 and Number 6 August 2018 www.ccrl.us www.ccrl.us August 24, 2018 TO: Participants

More information

Linking the North Carolina EOG Assessments to NWEA MAP Growth Tests *

Linking the North Carolina EOG Assessments to NWEA MAP Growth Tests * Linking the North Carolina EOG Assessments to NWEA MAP Growth Tests * *As of June 2017 Measures of Academic Progress (MAP ) is known as MAP Growth. March 2016 Introduction Northwest Evaluation Association

More information

LAMPIRAN I Data Perusahaan Sampel kode DPS EPS Ekuitas akpi ,97 51,04 40,

LAMPIRAN I Data Perusahaan Sampel kode DPS EPS Ekuitas akpi ,97 51,04 40, LAMPIRAN I Data Perusahaan Sampel kode DPS EPS Ekuitas 2013 2014 2015 2013 2014 2015 2013 2014 2015 akpi 34 8 9 50,97 51,04 40,67 1.029.336.000.000 1.035.846.000.000 1.107.566.000.000 asii 216 216 177

More information

TRINITY COLLEGE DUBLIN THE UNIVERSITY OF DUBLIN. Faculty of Engineering, Mathematics and Science. School of Computer Science and Statistics

TRINITY COLLEGE DUBLIN THE UNIVERSITY OF DUBLIN. Faculty of Engineering, Mathematics and Science. School of Computer Science and Statistics ST7003-1 TRINITY COLLEGE DUBLIN THE UNIVERSITY OF DUBLIN Faculty of Engineering, Mathematics and Science School of Computer Science and Statistics Postgraduate Certificate in Statistics Hilary Term 2015

More information

Linking the Kansas KAP Assessments to NWEA MAP Growth Tests *

Linking the Kansas KAP Assessments to NWEA MAP Growth Tests * Linking the Kansas KAP Assessments to NWEA MAP Growth Tests * *As of June 2017 Measures of Academic Progress (MAP ) is known as MAP Growth. February 2016 Introduction Northwest Evaluation Association (NWEA

More information

FINAL REPORT AP STATISTICS CLASS DIESEL TRUCK COUNT PROJECT

FINAL REPORT AP STATISTICS CLASS DIESEL TRUCK COUNT PROJECT FINAL REPORT AP STATISTICS CLASS 2017-2018 DIESEL TRUCK COUNT PROJECT Authors: AP Statistics Class 2017-2018 Table of Contents SURVEY QUESTION...p. 2 AIR QUALITY...p. 3-4 TOTAL TRUCK COUNTS.p. 5 TRUCK

More information

Linking the Indiana ISTEP+ Assessments to the NWEA MAP Growth Tests. February 2017 Updated November 2017

Linking the Indiana ISTEP+ Assessments to the NWEA MAP Growth Tests. February 2017 Updated November 2017 Linking the Indiana ISTEP+ Assessments to the NWEA MAP Growth Tests February 2017 Updated November 2017 2017 NWEA. All rights reserved. No part of this document may be modified or further distributed without

More information

Professor Dr. Gholamreza Nakhaeizadeh. Professor Dr. Gholamreza Nakhaeizadeh

Professor Dr. Gholamreza Nakhaeizadeh. Professor Dr. Gholamreza Nakhaeizadeh Statistic Methods in in Data Mining Business Understanding Data Understanding Data Preparation Deployment Modelling Evaluation Data Mining Process (Part 2) 2) Professor Dr. Gholamreza Nakhaeizadeh Professor

More information

Linking the Alaska AMP Assessments to NWEA MAP Tests

Linking the Alaska AMP Assessments to NWEA MAP Tests Linking the Alaska AMP Assessments to NWEA MAP Tests February 2016 Introduction Northwest Evaluation Association (NWEA ) is committed to providing partners with useful tools to help make inferences from

More information

Linking the Mississippi Assessment Program to NWEA MAP Tests

Linking the Mississippi Assessment Program to NWEA MAP Tests Linking the Mississippi Assessment Program to NWEA MAP Tests February 2017 Introduction Northwest Evaluation Association (NWEA ) is committed to providing partners with useful tools to help make inferences

More information

Linking the New York State NYSTP Assessments to NWEA MAP Growth Tests *

Linking the New York State NYSTP Assessments to NWEA MAP Growth Tests * Linking the New York State NYSTP Assessments to NWEA MAP Growth Tests * *As of June 2017 Measures of Academic Progress (MAP ) is known as MAP Growth. March 2016 Introduction Northwest Evaluation Association

More information

Technical Papers supporting SAP 2009

Technical Papers supporting SAP 2009 Technical Papers supporting SAP 29 A meta-analysis of boiler test efficiencies to compare independent and manufacturers results Reference no. STP9/B5 Date last amended 25 March 29 Date originated 6 October

More information

DTN Biodiesel Documentation

DTN Biodiesel Documentation DTN Biodiesel Documentation Table of Contents Biodiesel edition Download Instructions...1 Launching ProphetX and the BioDiesel Workbook...3 The BioDiesel Workbook...5 CBOT and NYMEX...5 Soybean Cash Prices

More information

Additional file 3 Contour plots & tables

Additional file 3 Contour plots & tables Additional file 3 Contour plots & tables Table of contents Legend...1 Contour plots for I max...2 Contour plots for t Imax... Data tables for I tot... Data tables for I max...13 Data tables for t Imax...

More information

Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data.

Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data. Objective: Students will create scatter plots given data in a table. Students will then do regressions to model the data. About the Lesson: Homestead-Miami Speedway has been rebuilt in different configurations

More information

Basic SAS and R for HLM

Basic SAS and R for HLM Basic SAS and R for HLM Edps/Psych/Soc 589 Carolyn J. Anderson Department of Educational Psychology c Board of Trustees, University of Illinois Spring 2019 Overview The following will be demonstrated in

More information

delivery<-read.csv(file="d:/chilo/regression 4/delivery.csv", header=t) delivery

delivery<-read.csv(file=d:/chilo/regression 4/delivery.csv, header=t) delivery Regression Analysis lab 4 1 Model Adequacy Checking 1.1 Import data delivery

More information

Project Title: Using Truck GPS Data for Freight Performance Analysis in the Twin Cities Metro Area Prepared by: Chen-Fu Liao (PI) Task Due: 9/30/2013

Project Title: Using Truck GPS Data for Freight Performance Analysis in the Twin Cities Metro Area Prepared by: Chen-Fu Liao (PI) Task Due: 9/30/2013 MnDOT Contract No. 998 Work Order No.47 213 Project Title: Using Truck GPS Data for Freight Performance Analysis in the Twin Cities Metro Area Prepared by: Chen-Fu Liao (PI) Task Due: 9/3/213 TASK #4:

More information

Grade 3: Houghton Mifflin Math correlated to Riverdeep Destination Math

Grade 3: Houghton Mifflin Math correlated to Riverdeep Destination Math 1 : correlated to Unit 1 Chapter 1 Uses of Numbers 4A 4B, 4 5 Place Value: Ones, Tens, and Hundreds 6A 6B, 6 7 How Big is One Thousand? 8A 8B, 8 9 Place Value Through Thousands 10A 10B, 10 11, 12 13 Problem-Solving

More information

Linking the Virginia SOL Assessments to NWEA MAP Growth Tests *

Linking the Virginia SOL Assessments to NWEA MAP Growth Tests * Linking the Virginia SOL Assessments to NWEA MAP Growth Tests * *As of June 2017 Measures of Academic Progress (MAP ) is known as MAP Growth. March 2016 Introduction Northwest Evaluation Association (NWEA

More information

Linking the Georgia Milestones Assessments to NWEA MAP Growth Tests *

Linking the Georgia Milestones Assessments to NWEA MAP Growth Tests * Linking the Georgia Milestones Assessments to NWEA MAP Growth Tests * *As of June 2017 Measures of Academic Progress (MAP ) is known as MAP Growth. February 2016 Introduction Northwest Evaluation Association

More information

From Developing Credit Risk Models Using SAS Enterprise Miner and SAS/STAT. Full book available for purchase here.

From Developing Credit Risk Models Using SAS Enterprise Miner and SAS/STAT. Full book available for purchase here. From Developing Credit Risk Models Using SAS Enterprise Miner and SAS/STAT. Full book available for purchase here. About this Book... ix About the Author... xiii Acknowledgments...xv Chapter 1 Introduction...

More information

Algebra 2 Plus, Unit 10: Making Conclusions from Data Objectives: S- CP.A.1,2,3,4,5,B.6,7,8,9; S- MD.B.6,7

Algebra 2 Plus, Unit 10: Making Conclusions from Data Objectives: S- CP.A.1,2,3,4,5,B.6,7,8,9; S- MD.B.6,7 Algebra 2 Plus, Unit 10: Making Conclusions from Data Objectives: S- CP.A.1,2,3,4,5,B.6,7,8,9; S- MD.B.6,7 Learner Levels Level 1: I can simulate an experiment. Level 2: I can interpret two- way tables.

More information

Start Time. LOCATION: Scotts Valley Dr QC JOB #: SPECIFIC LOCATION: 0 ft from Tabor St. DIRECTION: EB/WB CITY/STATE: Scotts Valley, CA

Start Time. LOCATION: Scotts Valley Dr QC JOB #: SPECIFIC LOCATION: 0 ft from Tabor St. DIRECTION: EB/WB CITY/STATE: Scotts Valley, CA Tube Counts Type of report: Tube Count - Volume Data LOCATION: Scotts Valley Dr QC JOB #: 245667 SPECIFIC LOCATION: ft from Tabor St DIRECTION: EB/WB CITY/STATE: Scotts Valley, CA DATE: Mar 2 24 - Mar

More information

DEFECT DISTRIBUTION IN WELDS OF INCOLOY 908

DEFECT DISTRIBUTION IN WELDS OF INCOLOY 908 PSFC/RR-10-8 DEFECT DISTRIBUTION IN WELDS OF INCOLOY 908 Jun Feng August 10, 2010 Plasma Science and Fusion Center Massachusetts Institute of Technology Cambridge, MA 02139, USA This work was supported

More information

Supplementary Material: Outlier analyses of the Protein Data Bank archive using a Probability- Density-Ranking approach

Supplementary Material: Outlier analyses of the Protein Data Bank archive using a Probability- Density-Ranking approach RCSB Protein Data Bank Supplementary Material: Outlier analyses of the Protein Data Bank archive using a Probability- Density-Ranking approach Chenghua Shao, Zonghong Liu, Huanwang Yang, Sijian Wang, Stephen

More information

Power Team Mission Day Instructions

Power Team Mission Day Instructions Overview Power Team Mission Day Instructions Every 90 minutes the space station orbits the earth, passing into and out of the sun s direct light. The solar arrays and batteries work together to provide

More information

Appendices for: Statistical Power in Analyzing Interaction Effects: Questioning the Advantage of PLS with Product Indicators

Appendices for: Statistical Power in Analyzing Interaction Effects: Questioning the Advantage of PLS with Product Indicators Appendices for: Statistical Power in Analyzing Interaction Effects: Questioning the Advantage of PLS with Product Indicators Dale Goodhue Terry College of Business MIS Department University of Georgia

More information

Data Sheet for Series and Parallel Circuits Name: Partner s Name: Date: Period/Block:

Data Sheet for Series and Parallel Circuits Name: Partner s Name: Date: Period/Block: Data Sheet for Series and Parallel Circuits Name: Partner s Name: Date: _ Period/Block: _ Build the two circuits below using two AAA or AA cells. Measure and record Voltage (Volts), Current (A), and Resistance

More information

Quality of Life in Neurological Disorders. Scoring Manual

Quality of Life in Neurological Disorders. Scoring Manual Quality of Life in Neurological Disorders Scoring Manual Version 2.0 March 2015 Table of Contents Scoring Options... 4 Scoring Service... 4 How to use the HealthMeasures Scoring Service, powered by Assessment

More information

Breaker failure protection function block description

Breaker failure protection function block description function block description Document ID: PRELIMINARY VERSION User s manual version information Version Date Modification Compiled by Preliminary 24.11.2009. Preliminary version, without technical information

More information

R Introductory Session

R Introductory Session R Introductory Session Michael Hahsler March 4, 2009 Contents 1 Introduction 2 1.1 Getting Help................................................. 2 2 Basic Data Types 2 2.1 Vector.....................................................

More information

Relating your PIRA and PUMA test marks to the national standard

Relating your PIRA and PUMA test marks to the national standard Relating your PIRA and PUMA test marks to the national standard We have carried out a detailed statistical analysis between the results from the PIRA and PUMA tests for Year 2 and Year 6 and the scaled

More information

Relating your PIRA and PUMA test marks to the national standard

Relating your PIRA and PUMA test marks to the national standard Relating your PIRA and PUMA test marks to the national standard We have carried out a detailed statistical analysis between the results from the PIRA and PUMA tests for Year 2 and Year 6 and the scaled

More information

Linking the Indiana ISTEP+ Assessments to NWEA MAP Tests

Linking the Indiana ISTEP+ Assessments to NWEA MAP Tests Linking the Indiana ISTEP+ Assessments to NWEA MAP Tests February 2017 Introduction Northwest Evaluation Association (NWEA ) is committed to providing partners with useful tools to help make inferences

More information

Reliability and Validity of Seat Interface Pressure to Quantify Seating Comfort in Motorcycles

Reliability and Validity of Seat Interface Pressure to Quantify Seating Comfort in Motorcycles Reliability and Validity of Seat Interface Pressure to Quantify Seating Comfort in Motorcycles Sai Praveen Velagapudi a,b, Ray G. G b a Research & Development, TVS Motor Company, INDIA; b Industrial Design

More information

Linking the Florida Standards Assessments (FSA) to NWEA MAP

Linking the Florida Standards Assessments (FSA) to NWEA MAP Linking the Florida Standards Assessments (FSA) to NWEA MAP October 2016 Introduction Northwest Evaluation Association (NWEA ) is committed to providing partners with useful tools to help make inferences

More information

APPLICATION VAPODEST ALCOHOL IN BEVERAGES AND INTERMEDIATES

APPLICATION VAPODEST ALCOHOL IN BEVERAGES AND INTERMEDIATES PAGE 1 OF 9 Principle The actual content of alcohol is determined with the help of the density of the distillate assuming the same amount of volume for the sample and distillate. Using a water steam distillation

More information

################################## # Advanced graphing commands ##################################

################################## # Advanced graphing commands ################################## ################################## # Advanced graphing commands ################################## trillium

More information

Appendix 9: New Features in v3.5 B

Appendix 9: New Features in v3.5 B Appendix 9: New Features in v3.5 B Port Flow Analyzer has had many updates since this user manual was written for the original v3.0 for Windows. These include 3.0 A through v3.0 E, v3.5 and now v3.5 B.

More information

Control System Instrumentation

Control System Instrumentation Control System Instrumentation Feedback control of composition for a stirred-tank blending system. Four components: sensors, controllers, actuators, transmission lines 1 Figure 9.3 A typical process transducer.

More information

Column Name Type Description Year Number Year of the data. Vehicle Miles Traveled

Column Name Type Description Year Number Year of the data. Vehicle Miles Traveled Background Information Each year, Americans drive trillions of miles in their vehicles. Until recently, the number of miles driven increased steadily each year. This drop-off in growth has raised questions

More information

DATA SAMPEL TAHUN 2006

DATA SAMPEL TAHUN 2006 DATA SAMPEL TAHUN 2006 No Nama Emiten CGPI Kode Saham Harga Saham EPS PER Laba Bersih 1 Bank Niaga 89.27 BNGA 920 54 17.02 647,732 2 Bank Mandiri 83.66 BMRI 2,900 118 24.65 2,422,472 3 Astra International

More information

Control System Instrumentation

Control System Instrumentation Control System Instrumentation Chapter 9 Figure 9.3 A typical process transducer. Transducers and Transmitters Figure 9.3 illustrates the general configuration of a measurement transducer; it typically

More information

Investigating the Concordance Relationship Between the HSA Cut Scores and the PARCC Cut Scores Using the 2016 PARCC Test Data

Investigating the Concordance Relationship Between the HSA Cut Scores and the PARCC Cut Scores Using the 2016 PARCC Test Data Investigating the Concordance Relationship Between the HSA Cut Scores and the PARCC Cut Scores Using the 2016 PARCC Test Data A Research Report Submitted to the Maryland State Department of Education (MSDE)

More information

Model Information Data Set. Response Variable (Events) Summe Response Variable (Trials) N Response Distribution Binomial Link Function

Model Information Data Set. Response Variable (Events) Summe Response Variable (Trials) N Response Distribution Binomial Link Function 02:32 Donnerstag, November 03, 2016 1 Model Information Data Set WORK.EXP Response Variable (Events) Summe Response Variable (Trials) N Response Distribution inomial Link Function Logit Variance Function

More information

An Introduction to R 2.5 A few data manipulation tricks!

An Introduction to R 2.5 A few data manipulation tricks! An Introduction to R 2.5 A few data manipulation tricks! Dan Navarro (daniel.navarro@adelaide.edu.au) School of Psychology, University of Adelaide ua.edu.au/ccs/people/dan DSTO R Workshop, 29-Apr-2015

More information

Scoring Instructions for NIH Toolbox Emotion Measures: Raw Score to T-Score Conversion Tables October 5, 2018

Scoring Instructions for NIH Toolbox Emotion Measures: Raw Score to T-Score Conversion Tables October 5, 2018 Scoring Instructions for NIH Toolbox Emotion Measures: Raw Score to T-Score Conversion Tables October 5, 2018 www.healthmeasures.net/nihtoolbox Table of Contents Scoring Instructions NIH Toolbox Anger

More information

Introduction to MATLAB. MATLAB Matrix Manipulations. Transportation Infrastructure Systems GS. Fall 2002

Introduction to MATLAB. MATLAB Matrix Manipulations. Transportation Infrastructure Systems GS. Fall 2002 Introduction to MATLAB MATLAB Matrix Manipulations Transportation Infrastructure Systems GS Dr. Antonio Trani Civil and Environmental Engineering Virginia Polytechnic Institute and State University Fall

More information

Evaluation of the Rolling Wheel Deflectometer (RWD) in Louisiana. John Ashley Horne Dr. Mostafa A Elseifi

Evaluation of the Rolling Wheel Deflectometer (RWD) in Louisiana. John Ashley Horne Dr. Mostafa A Elseifi Evaluation of the Rolling Wheel Deflectometer (RWD) in Louisiana John Ashley Horne Dr. Mostafa A Elseifi Introduction Louisiana uses the Falling-Weight Deflectometer (FWD) for project level testing Limitations

More information

Exercises An Introduction to R for Epidemiologists using RStudio SER 2014

Exercises An Introduction to R for Epidemiologists using RStudio SER 2014 Exercises An Introduction to R for Epidemiologists using RStudio SER 2014 S Mooney June 18, 2014 1. (a) Create a vector of numbers named odd.numbers with all odd numbers between 1 and 19, inclusive odd.numbers

More information

Mathematics 43601H. Cumulative Frequency. In the style of General Certificate of Secondary Education Higher Tier. Past Paper Questions by Topic TOTAL

Mathematics 43601H. Cumulative Frequency. In the style of General Certificate of Secondary Education Higher Tier. Past Paper Questions by Topic TOTAL Centre Number Surname Candidate Number For Examiner s Use Other Names Candidate Signature Examiner s Initials In the style of General Certificate of Secondary Education Higher Tier Pages 2 3 4 5 Mark Mathematics

More information

Circuit breaker wear monitoring function block description for railway application

Circuit breaker wear monitoring function block description for railway application Circuit breaker wear monitoring function block description for railway application Document ID: PP-13-21313 Budapest, September 2016 CONTENTS Circuit breaker wear monitoring function...3 Technical data...5

More information

Web Information Retrieval Dipl.-Inf. Christoph Carl Kling

Web Information Retrieval Dipl.-Inf. Christoph Carl Kling Institute for Web Science & Technologies University of Koblenz-Landau, Germany Web Information Retrieval Dipl.-Inf. Christoph Carl Kling Exercises WebIR ask questions! WebIR@c-kling.de 2 of 49 Clustering

More information

correlated to the Virginia Standards of Learning, Grade 6

correlated to the Virginia Standards of Learning, Grade 6 correlated to the Virginia Standards of Learning, Grade 6 Standards to Content Report McDougal Littell Math, Course 1 2007 correlated to the Virginia Standards of Standards: Virginia Standards of Number

More information

The following output is from the Minitab general linear model analysis procedure.

The following output is from the Minitab general linear model analysis procedure. Chapter 13. Supplemental Text Material 13-1. The Staggered, Nested Design In Section 13-1.4 we introduced the staggered, nested design as a useful way to prevent the number of degrees of freedom from building

More information

tool<-read.csv(file="d:/chilo/regression 7/tool.csv", header=t) tool

tool<-read.csv(file=d:/chilo/regression 7/tool.csv, header=t) tool Regression nalysis lab 7 1 Indicator variables 1.1 Import data tool

More information

Chapter 5 ESTIMATION OF MAINTENANCE COST PER HOUR USING AGE REPLACEMENT COST MODEL

Chapter 5 ESTIMATION OF MAINTENANCE COST PER HOUR USING AGE REPLACEMENT COST MODEL Chapter 5 ESTIMATION OF MAINTENANCE COST PER HOUR USING AGE REPLACEMENT COST MODEL 87 ESTIMATION OF MAINTENANCE COST PER HOUR USING AGE REPLACEMENT COST MODEL 5.1 INTRODUCTION Maintenance is usually carried

More information

Drilling Example: Diagnostic Plots

Drilling Example: Diagnostic Plots Math 3080 1. Treibergs Drilling Example: Diagnostic Plots Name: Example March 1, 2014 This data is taken from Penner & Watts, Mining Information, American Statistician 1991, as quoted by Levine, Ramsey

More information

Fall Hint: criterion? d) Based measure of spread? Solution. Page 1

Fall Hint: criterion? d) Based measure of spread? Solution. Page 1 Question #1 (12 Marks) The following are the golf scores of 12 members of a women s golf team in tournament play: 89 90 87 95 86 81 102 105 83 88 91 79 Hint: n 1 x 2 i x 67 74.3979 a) Present the distribution

More information