AIC Laboratory R. Leaf November 28, 2016

Size: px
Start display at page:

Download "AIC Laboratory R. Leaf November 28, 2016"

Transcription

1 AIC Laboratory R. Leaf November 28, 2016 In this lab we will evaluate the role of AIC to help us understand how this index can assist in model selection and model averaging. We will use the mtcars data included in R base, datasets::mtcars. 1. Inspect the data using R functionality, describe its structure, ranges, relationships... We are interested in building models that have independent variables that can predict the mpg of a car. 2a. Using your knowledge and the data - what do you think is the best model? What makes it so - your answer should involve quantitative work and explananation of model output. Preliminary Model Evalation lm.cand.01 <- lm(mpg ~ cyl, data = mtcars) anova(lm.cand.01) Analysis of Variance Table Response: mpg Df Sum Sq Mean Sq F value Pr(>F) cyl e-10 *** Residuals Signif. codes: 0 '***' '**' 0.01 '*' 0.05 '.' 0.1 ' ' 1 lm.cand.02 <- lm(mpg ~ cyl + drat, data = mtcars) summary(lm.cand.02)$r.squared [1] # Some tricks in lm lm(mpg ~., data = mtcars) Call: lm(formula = mpg ~., data = mtcars) Coefficients: (Intercept) cyl disp hp drat wt qsec vs am gear carb

2 lm(mpg ~ gear - 1, data = mtcars) Call: lm(formula = mpg ~ gear - 1, data = mtcars) Coefficients: gear Your answer to #2a may have (should have) involved evaluating some candidate models output and input. 2b. In the above box I give some more lm functionality using. and -1. What does this code do? Likely you will need to examine the model output in detail to make an informed answer. 3. How many possible models can you derive from these data to predict the mpg? The short answer is many. Derive some of these, and plot the effect of adding predictors on the r.squared value. r.sq.vect <- c() num.pred.vect <- c() r.sq.vect[1] <- summary(lm.cand.01)$r.squared r.sq.vect[2] <- summary(lm.cand.02)$r.squared #...r.sq.vect[3] <- summary(lm.cand.03)$r.squared... now run some more num.pred.vect[1] <- length(lm.cand.01$coef) num.pred.vect[2] <- length(lm.cand.02$coef) #...num.pred.vect[3] <- length(lm.cand.03$coef)... now run some more # plot(x = num.pred.vect, y = r.sq.vect) AIC in R Lets use some built-in R functionality to evaluate AIC. Use the code below as a guide for you to evaluate the AIC value of each of the candidtate model you derived above. AIC.vect <- c() AIC.vect[1] <- AIC(lm.cand.01) AIC.vect[2] <- AIC(lm.cand.02) # Calculate the AIC value of the candidate models you derived in #3 # and plot the AIC values as a function of the number of coefficient values: # plot(x = num.pred.vect, y = AIC.vect) 4. Make a table:column 1. the model formulation, mpg ~ wt + qsec + am (for example), Column 2. AIC value, Column 3. Delta AIC, Column 4. Relative model weight, Column 5. Provide the number of predictors used in the model 5. Identify four candidate models that have at least on predictor in common and derive the weighted (using the weights from #4) predicted value of Y-hat with respect to the common variable. 2

3 # Determine length of predicted output num.pred. <- length(predict(lm.cand.01)) # Initialize a matrix to hold the values - you will fill this matrix with predictors predict.mat <- matrix(na, nrow = num.pred., ncol = 4) # Populate the model with predicted values predict.mat[,1] <- predict(lm.cand.01) predict.mat[,2] <- predict(lm.cand.02) #... predict.mat[,3] #... predict.mat[,4] # Use the model weights you derived in #4. Put them in a vector # mod.wt <- c(wt.cand.mod.01, wt.cand.mod.02, wt.cand.mod.03, wt.cand.mod.04) # predict.mat[,1] <- wt.cand.mod.01[1]*predict.mat[,1] # pred.vect <- rowsums(predict.mat) # plot(x = KBB$"Common Model parameter""), pred.vect) 6. We will use the step function in base R, package stats. The R function step() can be used to perform variable selection. To perform selection we need to begin by specifying a starting model and the range of models which we want to examine in the search. How does this approach compare to the one above - PS this selection approach is a bit controversial...?stats::step starting httpd help server... done # Use the function to evaluate this model: step(lm(mpg ~., data = mtcars), direction = "both", trace = T) Start: AIC=70.9 mpg ~ cyl + disp + hp + drat + wt + qsec + vs + am + gear + carb Df Sum of Sq RSS AIC - cyl vs carb gear drat disp hp qsec <none> am wt Step: AIC=

4 mpg ~ disp + hp + drat + wt + qsec + vs + am + gear + carb Df Sum of Sq RSS AIC - vs carb gear drat disp hp <none> qsec am cyl wt Step: AIC=66.97 mpg ~ disp + hp + drat + wt + qsec + am + gear + carb Df Sum of Sq RSS AIC - carb gear drat disp hp <none> am qsec vs cyl wt Step: AIC=65.12 mpg ~ disp + hp + drat + wt + qsec + am + gear Df Sum of Sq RSS AIC - gear drat <none> disp am hp carb vs cyl qsec wt Step: AIC=63.46 mpg ~ disp + hp + drat + wt + qsec + am Df Sum of Sq RSS AIC - drat disp <none>

5 - hp gear cyl vs carb am qsec wt Step: AIC=62.16 mpg ~ disp + hp + wt + qsec + am Df Sum of Sq RSS AIC - disp <none> hp drat gear cyl vs carb qsec am wt Step: AIC=61.52 mpg ~ hp + wt + qsec + am Df Sum of Sq RSS AIC - hp <none> disp carb drat qsec cyl vs gear am wt Step: AIC=61.31 mpg ~ wt + qsec + am Df Sum of Sq RSS AIC <none> hp carb disp cyl drat gear vs am

6 - qsec wt Call: lm(formula = mpg ~ wt + qsec + am, data = mtcars) Coefficients: (Intercept) wt qsec am

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

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

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

R-Sq criterion Data : Surgical room data Chap 9

R-Sq criterion Data : Surgical room data Chap 9 Chap 9 - For controlled experiments model reduction is not very important. P 347 - For exploratory observational studies, model reduction is important. Criteria for model selection p353 R-Sq criterion

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

Subsetting Data in R. Data Wrangling in R

Subsetting Data in R. Data Wrangling in R Subsetting Data in R Data Wrangling in R Overview We showed one way to read data into R using read_csv and read.csv. In this module, we will show you how to: 1. Select specific elements of an object by

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

Stat 301 Lecture 30. Model Selection. Explanatory Variables. A Good Model. Response: Highway MPG Explanatory: 13 explanatory variables

Stat 301 Lecture 30. Model Selection. Explanatory Variables. A Good Model. Response: Highway MPG Explanatory: 13 explanatory variables Model Selection Response: Highway MPG Explanatory: 13 explanatory variables Indicator variables for types of car Sports Car, SUV, Wagon, Minivan 1 Explanatory Variables Engine size (liters) Cylinders (number)

More information

Modeling Ignition Delay in a Diesel Engine

Modeling Ignition Delay in a Diesel Engine Modeling Ignition Delay in a Diesel Engine Ivonna D. Ploma Introduction The object of this analysis is to develop a model for the ignition delay in a diesel engine as a function of four experimental variables:

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

Stat 401 B Lecture 31

Stat 401 B Lecture 31 Model Selection Response: Highway MPG Explanatory: 13 explanatory variables Indicator variables for types of car Sports Car, SUV, Wagon, Minivan 1 Explanatory Variables Engine size (liters) Cylinders (number)

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

Stat 301 Lecture 26. Model Selection. Indicator Variables. Explanatory Variables

Stat 301 Lecture 26. Model Selection. Indicator Variables. Explanatory Variables Model Selection Response: Highway MPG Explanatory: 13 explanatory variables Indicator variables for types of car Sports Car, SUV, Wagon, Minivan There is an indicator for Pickup but there are no pickups

More information

ggplot2: easy graphics with R

ggplot2: easy graphics with R ggplot2: easy graphics with R Ilmari Ahonen Department of Mathematics and Statistics University of Turku ilmari.ahonen@utu.fi ggplot2 1 / 26 Versatile and rich graphics are widely concidered a major strength

More information

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

The Dynamics of Plug-in Electric Vehicles in the Secondary Market

The Dynamics of Plug-in Electric Vehicles in the Secondary Market The Dynamics of Plug-in Electric Vehicles in the Secondary Market Dr. Gil Tal gtal@ucdavis.edu Dr. Tom Turrentine Dr. Mike Nicholas Sponsored by the California Air Resources Board Population and Sampling

More information

A new methodology for the experimental evaluation of organic friction reducers additives in high fuel economy engine oils. M.

A new methodology for the experimental evaluation of organic friction reducers additives in high fuel economy engine oils. M. A new methodology for the experimental evaluation of organic friction reducers additives in high fuel economy engine oils M. Lattuada Outline CO 2 emission scenario Engine oil: contribution to fuel economy

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

Iowa State University Electrical and Computer Engineering. E E 452. Electric Machines and Power Electronic Drives

Iowa State University Electrical and Computer Engineering. E E 452. Electric Machines and Power Electronic Drives Electrical and Computer Engineering E E 452. Electric Machines and Power Electronic Drives Laboratory #12 Induction Machine Parameter Identification Summary The squirrel-cage induction machine equivalent

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

Type 'demo()' for some demos, 'help()' for on-line help, or 'help.start()' for an HTML browser interface to help. Type 'q()' to quit R.

Type 'demo()' for some demos, 'help()' for on-line help, or 'help.start()' for an HTML browser interface to help. Type 'q()' to quit R. R version 2.13.1 (2011-07-08) Copyright (C) 2011 The R Foundation for Statistical Computing ISBN 3-900051-07-0 Platform: x86_64-pc-mingw32/x64 (64-bit) R is free software and comes with ABSOLUTELY NO WARRANTY.

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

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

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

Preface... xi. A Word to the Practitioner... xi The Organization of the Book... xi Required Software... xii Accessing the Supplementary Content...

Preface... xi. A Word to the Practitioner... xi The Organization of the Book... xi Required Software... xii Accessing the Supplementary Content... Contents Preface... xi A Word to the Practitioner... xi The Organization of the Book... xi Required Software... xii Accessing the Supplementary Content... xii Chapter 1 Introducing Partial Least Squares...

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

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

Stat 401 B Lecture 27

Stat 401 B Lecture 27 Model Selection Response: Highway MPG Explanatory: 13 explanatory variables Indicator variables for types of car Sports Car, SUV, Wagon, Minivan There is an indicator for Pickup but there are no pickups

More information

Design Parameters to Determine Tangential Vibration of Rotary Compressor

Design Parameters to Determine Tangential Vibration of Rotary Compressor Purdue University Purdue e-pubs nternational Compressor Engineering Conference School of Mechanical Engineering 2 Design Parameters to Determine Tangential Vibration of Rotary Compressor. Hwang United

More information

Investigation of Relationship between Fuel Economy and Owner Satisfaction

Investigation of Relationship between Fuel Economy and Owner Satisfaction Investigation of Relationship between Fuel Economy and Owner Satisfaction June 2016 Malcolm Hazel, Consultant Michael S. Saccucci, Keith Newsom-Stewart, Martin Romm, Consumer Reports Introduction This

More information

The Coefficient of Determination

The Coefficient of Determination The Coefficient of Determination Lecture 46 Section 13.9 Robb T. Koether Hampden-Sydney College Tue, Apr 13, 2010 Robb T. Koether (Hampden-Sydney College) The Coefficient of Determination Tue, Apr 13,

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

Lab 9: Faraday s and Ampere s Laws

Lab 9: Faraday s and Ampere s Laws Lab 9: Faraday s and Ampere s Laws Introduction In this experiment we will explore the magnetic field produced by a current in a cylindrical coil of wire, that is, a solenoid. In the previous experiment

More information

Optimal Placement of Distributed Generation for Voltage Stability Improvement and Loss Reduction in Distribution Network

Optimal Placement of Distributed Generation for Voltage Stability Improvement and Loss Reduction in Distribution Network ISSN (Online) : 2319-8753 ISSN (Print) : 2347-6710 International Journal of Innovative esearch in Science, Engineering and Technology Volume 3, Special Issue 3, March 2014 2014 International Conference

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

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

Unit 2: Lesson 2. Balloon Racers. This lab is broken up into two parts, first let's begin with a single stage balloon rocket:

Unit 2: Lesson 2. Balloon Racers. This lab is broken up into two parts, first let's begin with a single stage balloon rocket: Balloon Racers Introduction: We re going to experiment with Newton s Third law by blowing up balloons and letting them rocket, race, and zoom all over the place. When you first blow up a balloon, you re

More information

EEEE 524/624: Fall 2017 Advances in Power Systems

EEEE 524/624: Fall 2017 Advances in Power Systems EEEE 524/624: Fall 2017 Advances in Power Systems Lecture 6: Economic Dispatch with Network Constraints Prof. Luis Herrera Electrical and Microelectronic Engineering Rochester Institute of Technology Topics

More information

We will continuously update the results

We will continuously update the results Explanation of your results (15-11-2005) We will continuously update the results Step 1 You can find your results via your personal code (IQ Test No). Step 2 Your results are split up into different sub-categories.

More information

Getting Started with Correlated Component Regression (CCR) in XLSTAT-CCR

Getting Started with Correlated Component Regression (CCR) in XLSTAT-CCR Tutorial 1 Getting Started with Correlated Component Regression (CCR) in XLSTAT-CCR Dataset for running Correlated Component Regression This tutorial 1 is based on data provided by Michel Tenenhaus and

More information

Application Notes. Calculating Mechanical Power Requirements. P rot = T x W

Application Notes. Calculating Mechanical Power Requirements. P rot = T x W Application Notes Motor Calculations Calculating Mechanical Power Requirements Torque - Speed Curves Numerical Calculation Sample Calculation Thermal Calculations Motor Data Sheet Analysis Search Site

More information

Topic 5 Lecture 3 Estimating Policy Effects via the Simple Linear. Regression Model (SLRM) and the Ordinary Least Squares (OLS) Method

Topic 5 Lecture 3 Estimating Policy Effects via the Simple Linear. Regression Model (SLRM) and the Ordinary Least Squares (OLS) Method Econometrics for Health Policy, Health Economics, and Outcomes Research Topic 5 Lecture 3 Estimating Policy Effects via the Simple Linear Regression Model (SLRM) and the Ordinary Least Squares (OLS) Method

More information

The Magnetic Field in a Coil. Evaluation copy. Figure 1. square or circular frame Vernier computer interface momentary-contact switch

The Magnetic Field in a Coil. Evaluation copy. Figure 1. square or circular frame Vernier computer interface momentary-contact switch The Magnetic Field in a Coil Computer 25 When an electric current flows through a wire, a magnetic field is produced around the wire. The magnitude and direction of the field depends on the shape of the

More information

Road Surface characteristics and traffic accident rates on New Zealand s state highway network

Road Surface characteristics and traffic accident rates on New Zealand s state highway network Road Surface characteristics and traffic accident rates on New Zealand s state highway network Robert Davies Statistics Research Associates http://www.statsresearch.co.nz Joint work with Marian Loader,

More information

Problem Set 3 - Solutions

Problem Set 3 - Solutions Ecn 102 - Analysis of Economic Data University of California - Davis January 22, 2011 John Parman Problem Set 3 - Solutions This problem set will be due by 5pm on Monday, February 7th. It may be turned

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

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

Vehicle Validation using PSAT/Autonomie. Antoine Delorme, Aymeric Rousseau, Sylvain Pagerit, Phil Sharer Argonne National Laboratory

Vehicle Validation using PSAT/Autonomie. Antoine Delorme, Aymeric Rousseau, Sylvain Pagerit, Phil Sharer Argonne National Laboratory Vehicle Validation using PSAT/Autonomie Antoine Delorme, Aymeric Rousseau, Sylvain Pagerit, Phil Sharer Argonne National Laboratory Outline Validation Process Light Duty Conventional Vehicles Mild Hybrids

More information

INSTRUCTOR: KLAUS MOELTNER

INSTRUCTOR: KLAUS MOELTNER SCRIPT MOD4S3A: SERIAL CORRELATION, CONSUMPTION APPLICATION INSTRUCTOR: KLAUS MOELTNER Load and Prepare Data This example uses Greene s consumption data from mod4s1b. Here we focus on money demand as the

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

Pre-normative research on resistance to mechanical impact of composite overwrapped pressure vessels. Dr. Fabien Nony CEA

Pre-normative research on resistance to mechanical impact of composite overwrapped pressure vessels. Dr. Fabien Nony CEA Pre-normative research on resistance to mechanical impact of composite overwrapped pressure vessels Dr. Fabien Nony CEA http://hypactor.eu/ Email Coordinator: fabien.nony@cea.fr Programme Review Days 2017

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

Project Summary Fuzzy Logic Control of Electric Motors and Motor Drives: Feasibility Study

Project Summary Fuzzy Logic Control of Electric Motors and Motor Drives: Feasibility Study EPA United States Air and Energy Engineering Environmental Protection Research Laboratory Agency Research Triangle Park, NC 277 Research and Development EPA/600/SR-95/75 April 996 Project Summary Fuzzy

More information

TSFS02 Vehicle Dynamics and Control. Computer Exercise 2: Lateral Dynamics

TSFS02 Vehicle Dynamics and Control. Computer Exercise 2: Lateral Dynamics TSFS02 Vehicle Dynamics and Control Computer Exercise 2: Lateral Dynamics Division of Vehicular Systems Department of Electrical Engineering Linköping University SE-581 33 Linköping, Sweden 1 Contents

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

Lampiran 1. Penjualan PT Honda Mandiri Bogor

Lampiran 1. Penjualan PT Honda Mandiri Bogor LAMPIRAN 64 Lampiran 1. Penjualan PT Honda Mandiri Bogor 29-211 PENJUALAN 29 TYPE JAN FEB MAR APR MEI JUNI JULI AGT SEP OKT NOV DES TOTA JAZZ 16 14 22 15 23 19 13 28 15 28 3 25 248 FREED 23 25 14 4 13

More information

FRONTAL OFF SET COLLISION

FRONTAL OFF SET COLLISION FRONTAL OFF SET COLLISION MARC1 SOLUTIONS Rudy Limpert Short Paper PCB2 2014 www.pcbrakeinc.com 1 1.0. Introduction A crash-test-on- paper is an analysis using the forward method where impact conditions

More information

REGULATION No. 117 (Tyres rolling noise and wet grip adhesion) Proposal for amendment to the document ECE/TRANS/WP.29/2010/63. Annex 8.

REGULATION No. 117 (Tyres rolling noise and wet grip adhesion) Proposal for amendment to the document ECE/TRANS/WP.29/2010/63. Annex 8. Transmitted by the expert from Japan Informal document No. GRB-51-23-Rev.1 REGULATION No. 117 (Tyres rolling noise and wet grip adhesion) Proposal for amendment to the document ECE/TRANS/WP.29/2010/63

More information

Test Method D5967 Mack T-8. Version. Method: Conducted For

Test Method D5967 Mack T-8. Version. Method: Conducted For Method D5967 Mack T-8 Version Method: Conducted For T-8A: T-8: T-8E: V = Valid I = Invalid N = Not Interpretable The Reference Oil/Non-Reference Oil was evaluated in accordance with the test procedure.

More information

Propeller Power Curve

Propeller Power Curve Propeller Power Curve Computing the load of a propeller by James W. Hebert This article will examine three areas of boat propulsion. First, the propeller and its power requirements will be investigated.

More information

(ii) B1 ft 19: (c) 15 4 (2 + 1) = 3 1 B1 for 15 4 (2 + 1) = 3 oe

(ii) B1 ft 19: (c) 15 4 (2 + 1) = 3 1 B1 for 15 4 (2 + 1) = 3 oe November 2011 1380_2F 1 (a) 4.3 1 B1 cao (b) 24 1 B1 cao 2 (i) 17 55 + 1 20 Or 17:55 +5min = 18:00 18:00 + 1 hr = 19:00 19:00 + 15 min = 19:15 19 15 3 M1 for 17 55 + 1 20 oe or a complete build up method

More information

Development of Rattle Noise Analysis Technology for Column Type Electric Power Steering Systems

Development of Rattle Noise Analysis Technology for Column Type Electric Power Steering Systems TECHNICAL REPORT Development of Rattle Noise Analysis Technology for Column Type Electric Power Steering Systems S. NISHIMURA S. ABE The backlash adjustment mechanism for reduction gears adopted in electric

More information

8.4.9 Advice June Baltic Sea Flounder in Subdivisions (Baltic Sea)

8.4.9 Advice June Baltic Sea Flounder in Subdivisions (Baltic Sea) 8.4.9 Advice June 2012 ECOREGION STOCK Baltic Sea Flounder in Subdivisions 22 32 (Baltic Sea) Advice for 2013 Based on the ICES approach for data-limited stocks, ICES advises that catches should be no

More information

Every Friday, Bart and Lisa meet their friends at an after-school club. They spend the afternoon playing Power Up, a game about batteries.

Every Friday, Bart and Lisa meet their friends at an after-school club. They spend the afternoon playing Power Up, a game about batteries. Battery Lab NAME Every Friday, Bart and Lisa meet their friends at an after-school club. They spend the afternoon playing Power Up, a game about batteries. The object of the game is to arrange battery

More information

Report On Sequence IVB Evaluation Version. Conducted For. NR = Non-reference oil test RO = Reference oil test

Report On Sequence IVB Evaluation Version. Conducted For. NR = Non-reference oil test RO = Reference oil test Report On Evaluation Version Conducted For V = Valid I = Invalid N = Results cannot be interpreted as representative of oil performance (Nonreference oil) and shall not be used for multiple test acceptance

More information

FUNDAMENTAL STUDY OF LOW-NOx COMBUSTION FLY ASH UTILIZATION SEMI-ANNUAL REPORT. Reporting Period Start Date: 05/01/1998 End Date: 10/31/1998

FUNDAMENTAL STUDY OF LOW-NOx COMBUSTION FLY ASH UTILIZATION SEMI-ANNUAL REPORT. Reporting Period Start Date: 05/01/1998 End Date: 10/31/1998 FUNDAMENTAL STUDY OF LOW-NOx COMBUSTION FLY ASH UTILIZATION SEMI-ANNUAL REPORT Reporting Period Start Date: 05/01/1998 End Date: 10/31/1998 Authors: Robert H. Hurt Eric M. Suuberg Report Issue Date: 10/20/1999

More information

Series and Parallel Networks

Series and Parallel Networks Series and Parallel Networks Department of Physics & Astronomy Texas Christian University, Fort Worth, TX January 17, 2014 1 Introduction In this experiment you will examine the brightness of light bulbs

More information

Physics 2048 Test 2 Dr. Jeff Saul Fall 2001

Physics 2048 Test 2 Dr. Jeff Saul Fall 2001 Physics 2048 Test 2 Dr. Jeff Saul Fall 2001 Name: Group: Date: READ THESE INSTRUCTIONS BEFORE YOU BEGIN Before you start the test, WRITE YOUR NAME ON EVERY PAGE OF THE EXAM. Calculators are permitted,

More information

FRICTION POTENTIAL AND SAFETY : PREDICTION OF

FRICTION POTENTIAL AND SAFETY : PREDICTION OF BRITE EURAM PROJECT BRPR CT97 0461 2 ND INTERNATIONAL COLLOQUIUM ON VEHICLE TYRE ROAD INTERACTION FRICTION POTENTIAL AND SAFETY : PREDICTION OF HANDLING BEHAVIOR FLORENCE, FEBRUARY 23 rd 2001 Title : Correlations

More information

Nacelle Chine Installation Based on Wind-Tunnel Test Using Efficient Global Optimization

Nacelle Chine Installation Based on Wind-Tunnel Test Using Efficient Global Optimization Trans. Japan Soc. Aero. Space Sci. Vol. 51, No. 173, pp. 146 150, 2008 Nacelle Chine Installation Based on Wind-Tunnel Test Using Efficient Global Optimization By Masahiro KANAZAKI, 1Þ Yuzuru YOKOKAWA,

More information

female male help("predict") yhat age

female male help(predict) yhat age 30 40 50 60 70 female male 1.0 help("predict") 0.5 yhat 0.0 0.5 1.0 30 40 50 60 70 age 30 40 50 60 70 1.5 1.0 female male help("predict") 0.5 yhat 0.0 0.5 1.0 1.5 30 40 50 60 70 age 2 Wald Statistics Response:

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

Thinking distance in metres. Draw a ring around the correct answer to complete each sentence. One of the values of stopping distance is incorrect.

Thinking distance in metres. Draw a ring around the correct answer to complete each sentence. One of the values of stopping distance is incorrect. Q1.An investigation was carried out to show how thinking distance, braking distance and stopping distance are affected by the speed of a car. The results are shown in the table. Speed in metres per second

More information

Author s Accepted Manuscript

Author s Accepted Manuscript Author s Accepted Manuscript Dataset on statistical analysis of Jet A-1 fuel laboratory properties for on-spec into-plane operations Aderibigbe Israel Adekitan, Tobi Shomefun, Temitope M. John, Bukola

More information

Evaluation copy. The Magnetic Field in a Slinky. computer OBJECTIVES MATERIALS INITIAL SETUP

Evaluation copy. The Magnetic Field in a Slinky. computer OBJECTIVES MATERIALS INITIAL SETUP The Magnetic Field in a Slinky Computer 26 A solenoid is made by taking a tube and wrapping it with many turns of wire. A metal Slinky is the same shape and will serve as our solenoid. When a current passes

More information

a. Open the Lab 2 VI file in Labview. Make sure the Graph Type is set to Displacement (one of the 3 tabs in the graphing window).

a. Open the Lab 2 VI file in Labview. Make sure the Graph Type is set to Displacement (one of the 3 tabs in the graphing window). Lab #2 Free Vibration (Experiment) Name: Date: Section / Group: Part I. Displacement Preliminaries: a. Open the Lab 2 VI file in Labview. Make sure the Graph Type is set to Displacement (one of the 3 tabs

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

University Of California, Berkeley Department of Mechanical Engineering. ME 131 Vehicle Dynamics & Control (4 units)

University Of California, Berkeley Department of Mechanical Engineering. ME 131 Vehicle Dynamics & Control (4 units) CATALOG DESCRIPTION University Of California, Berkeley Department of Mechanical Engineering ME 131 Vehicle Dynamics & Control (4 units) Undergraduate Elective Syllabus Physical understanding of automotive

More information

Review of Upstate Load Forecast Uncertainty Model

Review of Upstate Load Forecast Uncertainty Model Review of Upstate Load Forecast Uncertainty Model Arthur Maniaci Supervisor, Load Forecasting & Energy Efficiency New York Independent System Operator Load Forecasting Task Force June 17, 2011 Draft for

More information

Script mod4s3b: Serial Correlation, Hotel Application

Script mod4s3b: Serial Correlation, Hotel Application Script mod4s3b: Serial Correlation, Hotel Application Instructor: Klaus Moeltner March 28, 2013 Load and Prepare Data This example uses 96 months of observations on water use by one of the hotels from

More information

Newton s First Law. Evaluation copy. Vernier data-collection interface

Newton s First Law. Evaluation copy. Vernier data-collection interface Newton s First Law Experiment 3 INTRODUCTION Everyone knows that force and motion are related. A stationary object will not begin to move unless some agent applies a force to it. But just how does the

More information

Sharif University of Technology. Graduate School of Management and Economics. Econometrics I. Fall Seyed Mahdi Barakchian

Sharif University of Technology. Graduate School of Management and Economics. Econometrics I. Fall Seyed Mahdi Barakchian Sharif University of Technology Graduate School of Management and Economics Econometrics I Fall 2010 Seyed Mahdi Barakchian Textbook: Wooldridge, J., Introductory Econometrics: A Modern Approach, South

More information

Latest Advancements in DrillString Mechanics

Latest Advancements in DrillString Mechanics Services, Trainings, Softwares Latest Advancements in DrillString Mechanics SPE Gulf Coast Section 03/09/2016 Stephane Menand, Ph.D. stephane.menand@drillscan.com 1 DrillScan Intro Directional Drilling

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

LAMPIRAN 1. Tabel 1. Data Indeks Harga Saham PT. ANTAM, tbk Periode 20 Januari Februari 2012

LAMPIRAN 1. Tabel 1. Data Indeks Harga Saham PT. ANTAM, tbk Periode 20 Januari Februari 2012 LAMPIRAN 1 Tabel 1. Data Indeks Harga Saham PT. ANTAM, tbk Periode 20 Januari 2011 29 Februari 2012 No Tanggal Indeks Harga Saham No Tanggal Indeks Harga Saham 1 20-Jan-011 2.35 138 05-Agst-011 1.95 2

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

The purpose of this lab is to explore the timing and termination of a phase for the cross street approach of an isolated intersection.

The purpose of this lab is to explore the timing and termination of a phase for the cross street approach of an isolated intersection. 1 The purpose of this lab is to explore the timing and termination of a phase for the cross street approach of an isolated intersection. Two learning objectives for this lab. We will proceed over the remainder

More information

Series e-60. In-Line Mounted Centrifugal Pumps Maintenance Free Replacement Parts PARTS LIST CP-107-PL

Series e-60. In-Line Mounted Centrifugal Pumps Maintenance Free Replacement Parts PARTS LIST CP-107-PL Series e-60 In-Line Mounted Centrifugal Pumps Maintenance Free Replacement Parts PARTS LIST CP-107-PL Index How to Use This Parts List... 3 Exploded View Series e-60 Maintenance Free Pump... 4 Standard

More information

A Distributed Neurocomputing Approach for Infrasound Event Classification

A Distributed Neurocomputing Approach for Infrasound Event Classification A Distributed Neurocomputing Approach for Infrasound Event Classification Fredric M. Ham, Ph.D., FIEEE Harris Professor of Electrical Engineering Director of the Information Processing Laboratory Florida

More information

CHAPTER ELEVEN. Product Blending GASOLINE OCTANE BLENDING

CHAPTER ELEVEN. Product Blending GASOLINE OCTANE BLENDING CHAPTER ELEVEN Product Blending GASOLINE OCTANE BLENDING The research (RON) and motor (MON) octane numbers of a gasoline blend can be estimated using the following equations: 1 where and R = R 1 + C x

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

: ( .

: ( . 2 27 ( ) 2 3 4 2 ( ) 59 Y n n U i ( ) & smith H 98 Draper N Curran PJ,bauer DJ & Willoughby Kam,Cindy &Robert 23 MT24 Jaccard,J & Rebert T23 Franzese 23 Aiken LS & West SG 99 " Multiple Regression Testing

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

VOLTAGE STABILITY CONSTRAINED ATC COMPUTATIONS IN DEREGULATED POWER SYSTEM USING NOVEL TECHNIQUE

VOLTAGE STABILITY CONSTRAINED ATC COMPUTATIONS IN DEREGULATED POWER SYSTEM USING NOVEL TECHNIQUE VOLTAGE STABILITY CONSTRAINED ATC COMPUTATIONS IN DEREGULATED POWER SYSTEM USING NOVEL TECHNIQUE P. Gopi Krishna 1 and T. Gowri Manohar 2 1 Department of Electrical and Electronics Engineering, Narayana

More information

ACCIDENT MODIFICATION FACTORS FOR MEDIAN WIDTH

ACCIDENT MODIFICATION FACTORS FOR MEDIAN WIDTH APPENDIX G ACCIDENT MODIFICATION FACTORS FOR MEDIAN WIDTH INTRODUCTION Studies on the effect of median width have shown that increasing width reduces crossmedian crashes, but the amount of reduction varies

More information

MODUL PELATIHAN SEM ANANDA SABIL HUSSEIN, PHD

MODUL PELATIHAN SEM ANANDA SABIL HUSSEIN, PHD MODUL PELATIHAN SEM ANANDA SABIL HUSSEIN, PHD PUSAT KAJIAN DAN PENGABDIAN MASYARAKAT JURUSAN MANAJEMEN UNIVERSITAS BRAWIJAYA 2018 1) 2) ANALISA JALUR 1) LMK = 27,209 3,599IPK + 1,749 x 10-7 US + 0,019JR

More information

Corrections most seen on plan review October 18, 2017 David Rankin Seattle Department of Construction and Inspections

Corrections most seen on plan review October 18, 2017 David Rankin Seattle Department of Construction and Inspections Corrections most seen on plan review October 18, 2017 David Rankin Seattle Department of Construction and Inspections One-Line / Riser Diagrams Drawings are not reviewed prior to submission. Because of

More information

Chapter 2 & 3: Interdependence and the Gains from Trade

Chapter 2 & 3: Interdependence and the Gains from Trade Econ 123 Principles of Economics: Micro Chapter 2 & 3: Interdependence and the Gains from rade Instructor: Hiroki Watanabe Fall 212 Watanabe Econ 123 2 & 3: Gains from rade 1 / 119 1 Introduction 2 Productivity

More information

OPTIMIZATION STUDIES OF ENGINE FRICTION EUROPEAN GT CONFERENCE FRANKFURT/MAIN, OCTOBER 8TH, 2018

OPTIMIZATION STUDIES OF ENGINE FRICTION EUROPEAN GT CONFERENCE FRANKFURT/MAIN, OCTOBER 8TH, 2018 OPTIMIZATION STUDIES OF ENGINE FRICTION EUROPEAN GT CONFERENCE FRANKFURT/MAIN, OCTOBER 8TH, 2018 M.Sc. Oleg Krecker, PhD candidate, BMW B.Eng. Christoph Hiltner, Master s student, Affiliation BMW AGENDA

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