R and R Studio Lab #1. Introductions & Basics February 2017

Size: px
Start display at page:

Download "R and R Studio Lab #1. Introductions & Basics February 2017"

Transcription

1 R and R Studio Lab #1 Introductions & Basics February Preliminaries.... a) Suggested packages for use in BIOSTATS b) FAQ: How to find the path of your dataset (or whatever). c) TIP: Use R Markdown to Archive Your Work.. 2. Import Data into R a) Text file tab delimited (.txt).. b) Excel file (.csv)... c) Excel file (.xlsx).. d) Stata file (.dta)... e) SAS (.sas7bdat).. f) SPSS file (.sav)... g) Minitab (.mtp).. 3. Describe Your Data Set Structure List Your Data Describe Your Data Numerical Descriptions 6. Describe Your Data Graphical Descriptions. 7. One and Two Sample Inference KEY GREEN = comments. In R, commands begin with the pound or hash symbol (#). BLACK = commands BLUE = output \R session 1 Spring 2017.docx Page 1 of 23

2 1. Preliminaries a. Suggested packages for use in BIOSTATS 640 b. FAQ: How to find the path of your dataset (or whatever) c. TIP: Use R Markdown to Archive Your Work To install a package (for example foreign), type in the console window (tip! don t forget the quotes) install.packages( foreign ) To attach a package to your R session (for example foreign), type in the console window (tip! NO quotes) library(foreign) a. Suggested Packages for Use in BIOSTATS 640 Package Name openxlsx foreign mosaic dplyr psych gmodels car ggplot2 Uses/Description Import excel data Import STATA, SAS, SPSS, Minitab Elementary statistics (very user friendly!) Companion to applied regression Produce nice graphs \R session 1 Spring 2017.docx Page 2 of 23

3 b. FAQ: How to Find the Path of Your Dataset (or whatever) PC Users (Beware - R is fussy about the direction of slashes) 1. Navigate to the dataset or file for which you want to copy and paste the full path 2. Highlight to select the dataset or file 3. SHIFT + RIGHT click 4. Click COPY AS PATH 5. CONTROL v to paste (Important The full path will be displayed with LEFT slashes) 6. Important last step: In R session: a) change to RIGHT slashes; b) enclose in quotes MAC Users (Beware - R is fussy about the direction of slashes) 1. From APPLICATIONS > UTILITIES, launch TERMINAL 2. Navigate to the dataset or file for which you want to copy and paste the full path 3. HIGHLIGHT to select the dataset or file and drag this into terminal You should now see the full path. 4. HIGHLIGHT again 5. COMMAND c to copy 6. In R Session: COMMAND v to paste 7. Important last step: In R session: enclose in quotes Illustration: Command-c followed by Command-v will now produce: /Users/cbigelow/Desktop/framingham_1000.dta \R session 1 Spring 2017.docx Page 3 of 23

4 c. FAQ: Use R Markdown to Archive Your Work Introduction A R Markdown file (.Rmd ) is a record of your R commands. You can do 2 things with it; 1. Save your.rmd file for reloading and re-executing later; and/or 2. Perform an action called knitting. When you knit, the commands are executed, the output is produced, and two are put into a single record of your work (as html, or pdf or word ) A more detailed step-by-step introduction can be found elsewhere Visit the BIOSTATS 640 Course website page, COMPUTER ILLUSTRATIONS. Under (2) R, scroll down to find Getting Started: How to Use R and R Markdown (pdf, 7 pp) How to Use R Markdown to Archive Your Work Brief Version Step 1. Launch R Studio Step 2. From the top menu bar: FILE > NEW FILE > R Markdown Supply/Edit: Title: Author: Default Output Format: (HTML is pre-selected. This is fine) Step 3. Delete everything that is provided below the title and author. Step 4. Now you will cycle: 1 st : Insert a blank chunk (see below, How to Insert a Blank Chunk ) 2 nd : Edit this blank chunk with the commands you want to run 3 rd : Run/execute your chunk (see below, How to Run/Execute a Chunk ) 4 rd : Edit your chunk 4 th : Rerun your chunk to confirm that it executes without error and in the way you want. \R session 1 Spring 2017.docx Page 4 of 23

5 How to Insert a Blank Chunk Click on the little green insert a chunk icon at top (on the right) How to Run/Execute Use your cursor to select the lines or chunk that you want to run/execute. From the Run drop down at top right, make your selection Step 5. All done? Knit your work and create your Word R Markdown file! From the menu at top (left) click on the drop down menu for KNIT WORD and make your selection. Tip Take care to choose the destination folder (I always choose DESKTOP and then move it later) \R session 1 Spring 2017.docx Page 5 of 23

6 2. Import Data into R a) Text file tab delimited (.txt) b) Excel file (.csv) c) Excel file (.xlsx) d) Stata file (.dta) e) SAS (.sas7bdat) f) SPSS file (.sav) g) Minitab (.mtp) Preliminary (Recommended!) Step 1 Save the data to be imported into R onto your desktop. Step 2 - Then set your working directory to be your desktop. To do this, issue the following command (appropriately edited, of course) in the console window: setwd( full pathname of your desktop ) a. Text File tab delimited (.txt) Command is read.table( ) which comes with your R installation; no package to install here! Option 1: Your.txt file does NOT have headers data_text <- read.table( filename.txt, header=false) Option 2: Your.txt file DOES have headers data_text <- read.table( filename.txt, header=true) \R session 1 Spring 2017.docx Page 6 of 23

7 b. Excel file (.csv) Preliminary Determine what separator is used in your.csv file: comma or semi-colon. Command is read.table( ) which comes with your R installation; no package to install here! Option 1: The separator is a comma (,) data_csv <- read.table( filename.csv, header=false, sep=, ) Option 2: The separator is a semi-colon (;) data_csv <- read.table( filename.csv, header=false, sep= ; ) For additional help (e.g working with strings, factors, headings, etc, visit c. Excel File (.xlsx) Preliminaries: Must first install and load the package openxlsx install.packages( openxlsx ) library(openxlsx) Option 1: data_xlsx <- read.xlsx( filename.xlsx ) \R session 1 Spring 2017.docx Page 7 of 23

8 d. Stata File (.dta) Preliminaries: Must first install and load the package foreign. install.packages( foreign ) library(foreign) Option 1: data_dta <- read.dta( filename.dta ) Option 2: Asks R NOT to automatically convert categorical variables into factor variables: data_dta <- read.dta( filename.dta, convert.factors=false) e. SAS File (.sas7bdat) Preliminaries: Must first install and load the package sas7bdat. install.packages( sas7bdat ) library(sas7bdat) Option 1: data_sas7bdat <- read.sas7bdat( filename.sas7bdat ) f. SPSS File (.sav) Preliminaries: Make sure that you have saved your SPSS data in transport format. Then must first install and load the package foreign. install.packages( foreign ) library(foreign) Option 1: data_sav <- read.spss( filename.sav, to.data.frame=true, use.value.labels=false) g. Minitab File (.mtp) Preliminaries: Must first install and load the package foreign. install.packages( foreign ) library(foreign) Option 1: data_mtp <- read.mtp( filename.mtp ) \R session 1 Spring 2017.docx Page 8 of 23

9 1. Describe Your Dataset Structure Preliminaries: To follow along, be sure to have downloaded larvae.dta install.packages( foreign ) library(foreign) setwd( full pathname of your desktop ) larvae_dta <- read.dta( larvae.dta ) # Observations, # Variables Display variable names R Command # Example colnames(larvae_data) Display number of rows (observations) nrow( ) # Example nrow(larvae_data) [1] 15 Display number of columns (variables) ncol( ) Display dimensions of data set frame (rows x columns) (# observations x # variables) # Example ncol(larvae_data) [1] 4 dim( ) # Example dim(larvae_data) [1] 15 4 \R session 1 Spring 2017.docx Page 9 of 23

10 Detailed Structure of Data command str(dataframe) # str(dataframe) str(larvae_data) 'data.frame': 15 obs. of 4 variables: $ id: num $ y : num $ x1: num $ x2: num attr(*, "datalabel")= chr "PubHlth 640 Unit 2 Regression - Larvae data" - attr(*, "time.stamp")= chr "10 Feb :36" - attr(*, "formats")= chr "%9.0g" "%9.0g" "%9.0g" "%9.0g" - attr(*, "types")= int attr(*, "val.labels")= chr "" "" "" "" - attr(*, "var.labels")= chr "larva id" "log10(survival)" "log10(dose)" "log10(weight)" - attr(*, "expansion.fields")=list of 2..$ : chr "_dta" "note1" "\"Week 3 homework assignment exercises 2 and 3\""..$ : chr "_dta" "note0" "1" - attr(*, "version")= int 12 \R session 1 Spring 2017.docx Page 10 of 23

11 4. List Your Data Use Subscripts to Select a Subset of Your Data Just like spreadsheets in Excel or Stata data sets, rows are observations and variables are columns To select a subset of your data requires using subscripts, which can be thought of as addresses. Subscripts appear in square brackets and are of the form: dataframe[1 st subscript is for rows, 2 nd subscript is for columns] = [observation selection, variable selection] List First 6 observations using head( ) List Last 6 observations using tail( ) List Entire Data Set (be careful!): Two ways: 1) Just type its name; or 2) View(dataframe). List Selected Observations: For observations 8, 9, 10, list the data for all variables List Selected Variables: For all observations, List the observations for only the 2 nd variable List Selected Variables on Selected Observations: For observations 8, 9, 10 only, List the observations for only the 2 nd variable R Command # Example head(larvae_data) # Example tail(larvae_data) # Example larvae_data # Example View(larvae_data) # Example larvae_data[8:10,] id y x1 x # Example larvae_data[,2] [1] # Example larvae_data[8:10,2] [1] \R session 1 Spring 2017.docx Page 11 of 23

12 5. Describe Your Data - Numerical Descriptions Preliminaries: To follow along, be sure to have downloaded ivf.dta install.packages( foreign ) library(foreign) setwd( full pathname of your desktop ) ivfdata <- read.dta( ivf.dta ) # We will use some packages install.packages("gmodels") install.packages("psych") install.packages("mosaic") install.packages("readr") library(gmodels) library(psych) library(mosaic) library(readr) # Quick check of dataset structure using command str() str(ivfdata) 'data.frame': 641 obs. of 6 variables: $ id : num $ matage : int $ hyp : int $ gestwks: num $ sex : Factor w/ 2 levels "male","female": $ bweight: int attr(*, "datalabel")= chr "In Vitro Fertilization data" - attr(*, "time.stamp")= chr "27 Aug :11" - attr(*, "formats")= chr "%9.0g" "%8.0g" "%8.0g" "%9.0g"... - attr(*, "types")= int attr(*, "val.labels")= chr "" "" "" ""... - attr(*, "var.labels")= chr "identity number" "maternal age (years)" "hypertension (1=yes, 0=no)" "gestational age (weeks)"... - attr(*, "version")= int 7 - attr(*, "label.table")=list of 1..$ sex: Named int attr(*, "names")= chr "male" "female" \R session 1 Spring 2017.docx Page 12 of 23

13 # ONE discrete variable: sex options(digits=2) # Obtain frequencies, FREQ FREQ <- table(ivfdata$sex) # Obtain cumulative frequencies, CUMFREQ CUMFREQ <- cumsum(freq) # Obtain relative frequencies, RELFREQ RELFREQ <- FREQ/length(ivfdata$sex) # Obtain cumulative relative frequencies CUMRELFREQ CUMRELFREQ <- cumsum(relfreq) # Create table for descriptives, TABLE_sex TABLE_sex <- cbind(freq,relfreq,cumfreq,cumrelfreq) colnames(table_sex) <- c("freq", "Rel Freq","Cum Freq", "Cum Rel Freq") # Display desriptives TABLE_sex Freq Rel Freq Cum Freq Cum Rel Freq male female # TWO discrete variables (sex and hyp) # Obtain frequencies table(ivfdata$sex) table(ivfdata$hyp) sexhyp <-table(ivfdata$sex,ivfdata$hyp) # Obtain row percents prop.table(sexhyp,1) 0 1 male female # Obtain column percents prop.table(sexhyp,2) 0 1 male female \R session 1 Spring 2017.docx Page 13 of 23

14 # Obtain total percents prop.table(sexhyp) 0 1 male female # TWO discrete variables (sex and hyp) with xtab using # command CrossTable() from package gmodels # CrossTable(rowvariable,columnvariable, digits=2, expected=true,dnn=c("rowvariablename", "columnvariablename")) CrossTable(ivfdata$sex,ivfdata$hyp, digits=2, expected=true,dnn=c("sex", "Hypertension")) Cell Contents N Expected N Chi-square contribution N / Row Total N / Col Total N / Table Total Total Observations in Table: 639 Hypertension Sex 0 1 Row Total male female Column Total Statistics for All Table Factors Pearson's Chi-squared test Chi^2 = 2.4 d.f. = 1 p = 0.12 Pearson's Chi-squared test with Yates' continuity correction Chi^2 = 2 d.f. = 1 p = 0.15 \R session 1 Spring 2017.docx Page 14 of 23

15 # ONE continuous variable (bweight) summary(ivfdata$bweight) Min. 1st Qu. Median Mean 3rd Qu. Max favstats(ivfdata$bweight) min Q1 median Q3 max mean sd n missing # ONE continuous variable (bweight), over groups (sex) # using command describeby() from package psych describeby(ivfdata$bweight,ivfdata$sex) group: male vars n mean sd median trimmed mad min max range skew kurtosis se group: female vars n mean sd median trimmed mad min max range skew kurtosis se \R session 1 Spring 2017.docx Page 15 of 23

16 6. Describe Your Data Graphical Descriptions # ONE discrete variable (hyp) - bar graph # Create object (freqhyp) containing the frequencies to be plotted freqhyp <- table(ivfdata$hyp) # Bar Graph of frequencies with option main= title barplot(freqhyp,main="bar Chart of hyp: Hypertension") \R session 1 Spring 2017.docx Page 16 of 23

17 # ONE Continuous Variable (matage) Box Plot boxplot(ivfdata$matage, main="box Plot of matage: Maternal Age") # ONE Continuous Variable (matage), over groups (sex) Box Plot # boxplot(continuousvariable~groupingvariable,options) boxplot(ivfdata$matage~ivfdata$sex,main="maternal Age, by Sex") \R session 1 Spring 2017.docx Page 17 of 23

18 # ONE Continuous Variable (bweight) - Histogram hist(ivfdata$matage, main="histogram of matage: Maternal Age") \R session 1 Spring 2017.docx Page 18 of 23

19 # XY Scatterplot Y=gestwks X=matage # plot(xvariable,yvariable) plot(ivfdata$matage,ivfdata$gestwks,main="scatterplot",xlab="maternal Age(yrs)", ylab="weeks Gestation") \R session 1 Spring 2017.docx Page 19 of 23

20 7. One and Two Sample Inference # ONE CONTINUOUS VARIABLE - One sample t-test of gestwks (NULL: mu=40) t.test(ivfdata$gestwks,alternative="two.sided",mu=40) One Sample t-test data: ivfdata$gestwks t = -14, df = 640, p-value < 2.2e-16 alternative hypothesis: true mean is not equal to percent confidence interval: sample estimates: mean of x 39 t.test(ivfdata$gestwks,alternative="greater",mu=40) One Sample t-test data: ivfdata$gestwks t = -14, df = 640, p-value = 1 alternative hypothesis: true mean is greater than percent confidence interval: 39 Inf sample estimates: mean of x 39 t.test(ivfdata$gestwks,alternative="less",mu=40) One Sample t-test data: ivfdata$gestwks t = -14, df = 640, p-value < 2.2e-16 alternative hypothesis: true mean is less than percent confidence interval: -Inf 39 sample estimates: mean of x 39 \R session 1 Spring 2017.docx Page 20 of 23

21 # ONE CONTINUOUS VARIABLE, 2 groups: Two (independent groups) Sample t-test t.test(ivfdata$gestwks~ivfdata$sex) Welch Two Sample t-test data: ivfdata$gestwks by ivfdata$sex t = 0.14, df = 627, p-value = alternative hypothesis: true difference in means is not equal to 0 95 percent confidence interval: sample estimates: mean in group male mean in group female # ONE 0/1 DISCRETE VARIABLE: TEST of Proportion # (Null: proportion of sex=2 "female" babies=.5) options(digits=2) # Obtain frequencies, FREQ FREQ <- table(ivfdata$sex) # Obtain cumulative frequencies, CUMFREQ RELFREQ <- FREQ/length(ivfdata$sex) # Create table to display with test TABLE_test <- cbind(freq,relfreq) colnames(table_test) <- c("#", "%") TABLE_test # % male female # prop.test(#events,#trials,null p) prop.test(315,641,.5) 1-sample proportions test with continuity correction data: 315 out of 641 X-squared = 0.16, df = 1, p-value = alternative hypothesis: true p is not equal to percent confidence interval: sample estimates: p 0.49 \R session 1 Spring 2017.docx Page 21 of 23

22 # prop.test(#events,#trials,null p) WITHOUT continuity correction prop.test(315,641,.5, correct=false) 1-sample proportions test without continuity correction data: 315 out of 641 X-squared = 0.19, df = 1, p-value = alternative hypothesis: true p is not equal to percent confidence interval: sample estimates: p 0.49 # TWO 0/1 Discrete Variables: 2 Sample Test of Equality of Proportions hypsex <-table(ivfdata$hyp,ivfdata$sex) hypsex male female chisq.test(hypsex) # More Detailed TWO Sample Test of Equality of Proportions # using command CrossTable() in package gmodels CrossTable(ivfdata$hyp,ivfdata$sex, digits=2, expected=true,dnn=c("hypertension", "Sex")) Cell Contents N Expected N Chi-square contribution N / Row Total N / Col Total N / Table Total \R session 1 Spring 2017.docx Page 22 of 23

23 Total Observations in Table: 639 Sex Hypertension male female Row Total Column Total Statistics for All Table Factors Pearson's Chi-squared test Chi^2 = 2.4 d.f. = 1 p = 0.12 Pearson's Chi-squared test with Yates' continuity correction Chi^2 = 2 d.f. = 1 p = 0.15 chisq.test(hypsex, correct=false) Pearson's Chi-squared test data: hypsex X-squared = 2.4, df = 1, p-value = \R session 1 Spring 2017.docx Page 23 of 23

A Little Stata Session 1

A Little Stata Session 1 A Little Stata Session 1 Following is a very basic introduction to Stata. I highly recommend the tutorial available at: http://www.ats.ucla.edu/stat/stata/default.htm When you bring up Stata, you will

More information

Introduction of STATA

Introduction of STATA Introduction of STATA News: There is an introductory course on STATA offered by CIS Description: Intro to STATA On Tue, Feb 13th from 4:00pm to 5:30pm in CIT 269 Seats left: 4 Windows, 7 Macintosh For

More information

SPSS 14: quick guide

SPSS 14: quick guide SPSS 14: quick guide Edition 2, November 2007 If you would like this document in an alternative format please ask staff for help. On request we can provide documents with a different size and style of

More information

LIR 832: MINITAB WORKSHOP

LIR 832: MINITAB WORKSHOP LIR 832: MINITAB WORKSHOP Opening Minitab Minitab will be in the Start Menu under Net Apps. Opening the Data Go to the following web site: http://www.msu.edu/course/lir/832/datasets.htm Right-click and

More information

= = Intro to Statistics for the Social Sciences. Name: Lab Session: Spring, 2015, Dr. Suzanne Delaney

= = Intro to Statistics for the Social Sciences. Name: Lab Session: Spring, 2015, Dr. Suzanne Delaney Name: Intro to Statistics for the Social Sciences Lab Session: Spring, 2015, Dr. Suzanne Delaney CID Number: _ Homework #22 You have been hired as a statistical consultant by Donald who is a used car dealer

More information

Lab 1: A review of linear models

Lab 1: A review of linear models Lab 1: A review of linear models The purpose of this lab is to help you review basic statistical methods in linear models and understanding the implementation of these methods in R. In general, we need

More information

Introduction to Stata How to Work with Dates. 1. Preliminary Excel File of Sample Dates. 2. From Excel Dates to Stata Dates..

Introduction to Stata How to Work with Dates. 1. Preliminary Excel File of Sample Dates. 2. From Excel Dates to Stata Dates.. Introduction to Stata 2017-18 04. How to Work with Dates 1. Preliminary Excel File of Sample Dates. 2. From Excel Dates to Stata Dates.. 3. From Excel Strings to Stata Dates.. 2 4 5 Before you begin, RECALL:

More information

Using Excel s Analysis ToolPak Add-In

Using Excel s Analysis ToolPak Add-In Using Excel s Analysis ToolPak Add-In Bijay Lal Pradhan, PhD Introduction I have a strong opinions that we can perform different quantitative analysis, including statistical analysis, in Excel. It is powerful,

More information

MobileMapper Pro FAQ: Using Waypoints

MobileMapper Pro FAQ: Using Waypoints MobileMapper Pro FAQ: Using Waypoints 13 September 2006 How do I create waypoint files in MobileMapper Office for uploading to the receiver? Click on Tools > Place Waypoints or on the Place Waypoints icon

More information

Green-comments black-commands blue-output

Green-comments black-commands blue-output PubHlth 640 Spring 2011 Stata v10or 11 Categorical Data Analysis Page 1 of 13 From top menu bar - - Create a log of your session by clicking on FILE > LOG > BEGIN Format the log file as a stata log. At

More information

WINDOWS, MINITAB, AND INFERENCE

WINDOWS, MINITAB, AND INFERENCE DEPARTMENT OF POLITICAL SCIENCE AND INTERNATIONAL RELATIONS Posc/Uapp 816 WINDOWS, MINITAB, AND INFERENCE I. AGENDA: A. An example with a simple (but) real data set to illustrate 1. Windows 2. The importance

More information

AcaStat How To Guide. AcaStat. Software. Copyright 2016, AcaStat Software. All rights Reserved.

AcaStat How To Guide. AcaStat. Software. Copyright 2016, AcaStat Software. All rights Reserved. AcaStat How To Guide AcaStat Software Copyright 2016, AcaStat Software. All rights Reserved. http://www.acastat.com Table of Contents Frequencies... 3 List Variables... 4 Descriptives... 5 Explore Means...

More information

1 BASIC CHARTING. 1.1 Introduction

1 BASIC CHARTING. 1.1 Introduction 1 BASIC CHARTING 1.1 Introduction This section covers the basic principles of how to create and modify a chart in Excel. With Excel 2016, the charting process is user-friendly and offers many ways to amplify

More information

KRONOS EMPLOYEE TRAINING GUIDE

KRONOS EMPLOYEE TRAINING GUIDE KRONOS EMPLOYEE TRAINING GUIDE C o n t e n t s Navigating Through Workforce Central... Lesson 1 Timecard Edits... Lesson 2 Approvals... Lesson 3 Reporting... Lesson 4 Editing & Scheduling PTO... Lesson

More information

Using R for Introductory Statistics

Using R for Introductory Statistics R http://www.r-project.org Using R for Introductory Statistics John Verzani CUNY/the College of Staten Island January 6, 2009 http://www.math.csi.cuny.edu/verzani/r/ams-maa-jan-09.pdf John Verzani (CSI)

More information

Using Waypoints with ProMark3

Using Waypoints with ProMark3 Using Waypoints with ProMark3 13 June 2007 Note: These instructions describe the latest versions of ProMark3 receiver firmware and the latest version of MobileMapper Office. You may download the latest

More information

Unit 2 Regression and Correlation 2 of 2 - Practice Problems SOLUTIONS Stata Users

Unit 2 Regression and Correlation 2 of 2 - Practice Problems SOLUTIONS Stata Users Unit 2 Regression and Correlation 2 of 2 - Practice Problems SOLUTIONS Stata Users Data Set for this Assignment: Download from the course website: Stata Users: framingham_1000.dta Source: Levy (1999) National

More information

Lloyds Bank Commercial Cards CCDM User Guide

Lloyds Bank Commercial Cards CCDM User Guide Lloyds Bank Commercial Cards CCDM User Guide Reporting for Administrators Version 1.1, 22082017 Please note that this document is for guidance only and as such not all screenshots will mirror your view

More information

How to Import Timesheet Data into Payroll Mate Using T-Sheets

How to Import Timesheet Data into Payroll Mate Using T-Sheets How to Import Timesheet Data into Payroll Mate Using T-Sheets Note: In order to use this feature you must purchase and enable Payroll Mate Option #3 (Additional Companies & Employees + Timesheet Import)

More information

CHAPTER FIVE CROSSTABS PROCEDURE

CHAPTER FIVE CROSSTABS PROCEDURE CHAPTER FIVE CROSSTABS PROCEDURE 5.0 Introduction This chapter focuses on how to compare groups when the outcome is categorical (nominal or ordinal) by using SPSS. The aim of the series of exercise is

More information

MANUAL MY.DHLPARCEL.NL

MANUAL MY.DHLPARCEL.NL DHL PARCEL MANUAL MY.DHLPARCEL.NL Log in As soon as we have registered you, you will receive your activation link via e-mail. Log in with your email address, set your own password and start preparing your

More information

Pivot Table Tutorial Using Ontario s Public Sector Salary Disclosure Data

Pivot Table Tutorial Using Ontario s Public Sector Salary Disclosure Data Pivot Table Tutorial Using Ontario s Public Sector Salary Disclosure Data Now that have become more familiar with downloading data in Excel format (xlsx) or a text or csv format (txt, csv), it s time to

More information

Top Tips to Streamline Data Migration and Validation

Top Tips to Streamline Data Migration and Validation Top Tips to Streamline Data Migration and Validation Top Tips for Streamlining Data Migration and Validation Data migration and validation is a critical step when implementing new HR systems. Most systems

More information

Chapter 2 Part 1B. Measures of Location. September 4, 2008

Chapter 2 Part 1B. Measures of Location. September 4, 2008 Chapter 2 Part 1B Measures of Location September 4, 2008 Class will meet in the Auditorium except for Tuesday, October 21 when we meet in 102a. Skill set you should have by the time we complete Chapter

More information

CIS Basic Functions Updated Version Procedures for Uploading 2015 Evaluation Data Quick Guide

CIS Basic Functions Updated Version Procedures for Uploading 2015 Evaluation Data Quick Guide Updated Version 12-5-16 The purpose of this guide is to allow Compass LEA Administrators the opportunity to upload evaluation scores for the 2015-2016 school year. The steps to upload previous year s data

More information

PubHlth Introduction to Biostatistics. 1. Summarizing Data Illustration: STATA version 10 or 11. A Visit to Yellowstone National Park, USA

PubHlth Introduction to Biostatistics. 1. Summarizing Data Illustration: STATA version 10 or 11. A Visit to Yellowstone National Park, USA PubHlth 540 - Introduction to Biostatistics 1. Summarizing Data Illustration: Stata (version 10 or 11) A Visit to Yellowstone National Park, USA Source: Chatterjee, S; Handcock MS and Simonoff JS A Casebook

More information

created & maintained by the Vendor & Item Support Team

created & maintained by the Vendor & Item Support Team Sears Sales (Alex) Reporting Application Overview Guide created & maintained by the Vendor & Item Support Team October 2016 Objectives Sears Sales (Alex) Reporting is a reporting application which provides

More information

University of North Carolina at Chapel Hill. University of North Carolina. Time Information Management (TIM)

University of North Carolina at Chapel Hill. University of North Carolina. Time Information Management (TIM) Using time Information Management (TIM) Time Stamp Employees Using Time Information Management University of North Carolina at Chapel Hill (TIM) University of North Carolina Time Information Management

More information

Solution to Task T3.

Solution to Task T3. Solution to Task T3. Data management in Gretl. Task T3.1. Generating Gretl data files Beach umbrella rental a. Enter data into Gretl manually. File --> New data set Number of observations: 21 Structure

More information

SMRT Analysis Barcoding Overview (v6.0.0)

SMRT Analysis Barcoding Overview (v6.0.0) SMRT Analysis Barcoding Overview (v6.0.0) Introduction This document applies to PacBio RS II and Sequel Systems using SMRT Link v6.0.0. Note: For information on earlier versions of SMRT Link, see the document

More information

= = Name: Lab Session: CID Number: The database can be found on our class website: Donald s used car data

= = Name: Lab Session: CID Number: The database can be found on our class website: Donald s used car data Intro to Statistics for the Social Sciences Fall, 2017, Dr. Suzanne Delaney Extra Credit Assignment Instructions: You have been hired as a statistical consultant by Donald who is a used car dealer to help

More information

Checklist before you buy software for questionnaire based surveys

Checklist before you buy software for questionnaire based surveys Checklist before you buy for questionnaire based surveys Continuity, stability and development...2 Capacity...2 Safety and security...2 Types of surveys...3 Types of questions...3 Interview functions (Also

More information

Invoices 3.3 User Guide

Invoices 3.3 User Guide ! Invoices 3.3 User Guide We Make Software - Ecleti.com Invoices 2007-2018 Ecleti - Roberto Panetta all rights reserved Every effort has been made to ensure that the information in this manual is accurate.

More information

BlueCross BlueShield of Montana. Consumer ebilling Training Guide

BlueCross BlueShield of Montana. Consumer ebilling Training Guide BlueCross BlueShield of Montana Consumer ebilling Training Guide Table of Contents System Information...3 Logging in to the System...3 At Home with ebilling...6 Main Buttons...7 Navigation Tabs...7 Home

More information

Introduction to Stata Session 1

Introduction to Stata Session 1 Introduction to Stata Session 1 Tarjei Havnes 1 ESOP and Department of Economics University of Oslo 2 Research department Statistics Norway ECON 3150/4150, UiO, 2014 Preparation Before we start: 1. Sit

More information

Manager Self Service User Reference Guide for Hiring Managers

Manager Self Service User Reference Guide for Hiring Managers Manager Self Service User Reference Guide for Hiring Managers Contents 1. Sign In... 2 2. Set General Preferences... 4 3. Create a Requisition... 8 4. Approve Requisition... 13 5. Manage Candidates...

More information

You have confirmed that you will be using an alternative system to assess your workers. We ll send any workers who join the pension scheme our terms and conditions with their welcome pack. The welcome

More information

Supervisors of Non-Exempt Employees (Web): Responsibilities and Getting Started. Accessing CalTime. Training. The Biweekly Pay Period

Supervisors of Non-Exempt Employees (Web): Responsibilities and Getting Started. Accessing CalTime. Training. The Biweekly Pay Period Accessing CalTime Web access to CalTime can be found at http://caltime.berkeley.edu/access. If you have any problems accessing CalTime, please contact the CalTime Help Desk:! caltime@berkeley.edu, which

More information

Physi ViewCalc. Operator Instructions

Physi ViewCalc. Operator Instructions Operator Instructions May 2009 Microsoft Excel is a registered trademark of Microsoft Corporation. Copyright Micromeritics Instrument Corporation 2009. Product Description Product Description The tool

More information

Launch Store. University

Launch Store. University Launch Store University Importing and Exporting CSVs In this lesson, you will learn how to: What is a CSV? How to export a CSV document of your products from control panel How to import a CSV into your

More information

The biweekly pay period for non-exempt employees begins at 12:00 AM on Sunday and closes the following second Saturday at 11:59:59 PM.

The biweekly pay period for non-exempt employees begins at 12:00 AM on Sunday and closes the following second Saturday at 11:59:59 PM. Accessing CalTime Supervisors of Non-Exempt Employees (Web): Web access to CalTime can be found at http://caltime.berkeley.edu/access. If you have any problems accessing CalTime, please contact the CalTime

More information

COMPLIANCE ASSIST PLANNING USER GUIDE: ENTERING ASSESSMENT DATA. Office of Assessment and Institutional Effectiveness

COMPLIANCE ASSIST PLANNING USER GUIDE: ENTERING ASSESSMENT DATA. Office of Assessment and Institutional Effectiveness COMPLIANCE ASSIST PLANNING USER GUIDE: ENTERING ASSESSMENT DATA Office of Assessment and Institutional Effectiveness data@fullerton.edu Revision date: February 20, 2018 CONTENTS How to Use this Guide...

More information

Introduction to Facets

Introduction to Facets Introduction to Facets Aims and Objectives Preparing data for running in Facets Running Facets to familiarise you with the output An examination of examinations dataset Three facets: candidates, examiner,

More information

DCC Kronos Supervisor Handbook

DCC Kronos Supervisor Handbook Logging in You can log into Kronos through MYDCC. Select the Working @ DCC tab and then click on the Kronos link located in the upper left hand corner of the screen. If you use the MYDCC portal, you will

More information

Supervisors of Non-Exempt Employees (RDP): Responsibilities & Getting Started Responsibilities and Getting Started (RDP)

Supervisors of Non-Exempt Employees (RDP): Responsibilities & Getting Started Responsibilities and Getting Started (RDP) Responsibilities and Getting Started (RDP)! caltime@berkeley.edu caltime.berkeley.edu Table of Contents Accessing CalTime... 3 Training... 3 The Biweekly Pay Period... 3 Supervisor s Responsibilities...

More information

1. Installation Metatrader Navigation/Main Window Navigator a. Indicators b. Custom Indicators c. Scripts...

1. Installation Metatrader Navigation/Main Window Navigator a. Indicators b. Custom Indicators c. Scripts... 1 TABLE OF CONTENTS 1. Installation... 3 2. Metatrader Navigation/Main Window... 5 3. Navigator... 5 a. Indicators... 6 b. Custom Indicators... 6 c. Scripts... 7 d. Expert Advisors (how to download an

More information

Supervisor Overview for Staffing and Scheduling Log In and Home Screen

Supervisor Overview for Staffing and Scheduling Log In and Home Screen Supervisor Overview for Staffing and Scheduling Log In and Home Screen On the login screen, enter your Active Directory User Name and Password, and click the Sign-in button. You will then be taken to your

More information

Talent Management System User Guide. Employee Profile, Goal Management & Performance Management

Talent Management System User Guide. Employee Profile, Goal Management & Performance Management Talent Management System User Guide Employee Profile, Goal Management & Performance Management January 2017 Table of Contents OVERVIEW... 1 Access the Talent Management System (TMS)... 1 Access the TMS...

More information

CHAPTER 6 ASDA ANALYSIS EXAMPLES REPLICATION SAS V9.2

CHAPTER 6 ASDA ANALYSIS EXAMPLES REPLICATION SAS V9.2 CHAPTER 6 ASDA ANALYSIS EXAMPLES REPLICATION SAS V9.2 GENERAL NOTES ABOUT ANALYSIS EXAMPLES REPLICATION These examples are intended to provide guidance on how to use the commands/procedures for analysis

More information

SAS Enterprise Guide

SAS Enterprise Guide Dillards 2016 Data Extraction Created June 2018 SAS Enterprise Guide Summary Analytics & Hypothesis Testing (June, 2018) Sources (adapted with permission)- Ron Freeze Course and Classroom Notes Enterprise

More information

Real-Time Air Quality Activity. Student Sheets

Real-Time Air Quality Activity. Student Sheets Real-Time Air Quality Activity Student Sheets Green Group: Location (minimum 3 students) Group Sign-up Sheet Real-time Air Quality Activity 1. 3. 2. Red Group: Time (minimum 4 students) 1. 3. 2. 4. Yellow

More information

April NC E-Procurement ACCBO Spring Conference Tips & Tricks

April NC E-Procurement ACCBO Spring Conference Tips & Tricks April 2016 NC E-Procurement ACCBO Spring Conference Tips & Tricks NC E-Procurement Overview & Benefits NC E-Procurement provides tools to improve the way the State of North Carolina purchases goods and

More information

ACD MIS Supervisor Manual

ACD MIS Supervisor Manual Notice Note that when converting this document from its original format to a.pdf file, some minor font and format changes may occur. When viewing and printing this document, we cannot guarantee that your

More information

ANALYSING QUANTITATIVE DATA

ANALYSING QUANTITATIVE DATA 9 ANALYSING QUANTITATIVE DATA Although, of course, there are other software packages that can be used for quantitative data analysis, including Microsoft Excel, SPSS is perhaps the one most commonly subscribed

More information

University of North Carolina at Chapel Hill. University of North Carolina. Time Information Management (TIM) EPA Exempt Employees

University of North Carolina at Chapel Hill. University of North Carolina. Time Information Management (TIM) EPA Exempt Employees Using time Information Management (TIM) Time Stamp Employees Using Time Information Management University of North Carolina at Chapel Hill (TIM) University of North Carolina Time Information Management

More information

The Force is Strong With This One Darth Vader, Star Wars Episode IV, Quick Start Page 1 of 14 Workamajig

The Force is Strong With This One Darth Vader, Star Wars Episode IV, Quick Start Page 1 of 14 Workamajig The Force is Strong With This One Darth Vader, Star Wars Episode IV, 1977 Quick Start Page 1 of 14 Workamajig Quick Start Guide This section is designed for users that wish to get started with Workamajig

More information

Getting Started with HLM 5. For Windows

Getting Started with HLM 5. For Windows For Windows Updated: August 2012 Table of Contents Section 1: Overview... 3 1.1 About this Document... 3 1.2 Introduction to HLM... 3 1.3 Accessing HLM... 3 1.4 Getting Help with HLM... 3 Section 2: Accessing

More information

Tivoli Workload Scheduler

Tivoli Workload Scheduler Tivoli Workload Scheduler Dynamic Workload Console Version 9 Release 2 Quick Reference for Typical Scenarios Table of Contents Introduction... 4 Intended audience... 4 Scope of this publication... 4 User

More information

TRUST. Technology Reporting Using Structured Templates for the FCH JU. User Manual for data providers. Version 1.00

TRUST. Technology Reporting Using Structured Templates for the FCH JU. User Manual for data providers. Version 1.00 TRUST Technology Reporting Using Structured Templates for the FCH JU User Manual for data providers Version 1.00 Table of contents TRUST ----------------------------------------------------------------------------------------------------------------------------

More information

S3 Template Scheduler Instructions

S3 Template Scheduler Instructions S3 Template Scheduler Instructions TABLE OF CONTENTS Click to go there Section Name A Definitions A B Scheduling Assistant.xls B C Scheduling Sheet C D ReSchedule Sheet D E OT Signups Sheet E F Scheduling

More information

George Washington University Workforce Timekeeper 6.0 Upgrade Training

George Washington University Workforce Timekeeper 6.0 Upgrade Training Workforce Timekeeper 6.0 Upgrade Training Table of Contents Topic 1: Workforce Timekeeper 6.0 New Features...4 Topic 2: Logging On and Off...5 Topic 3: Navigating in Workforce Timekeeper...7 Topic 4: Reviewing

More information

Customizing the Gantt chart View

Customizing the Gantt chart View In this lab, you will learn how to: Customize a Gantt chart view. LAB # 9 Formatting and Sharing Your Plan Customizing the Gantt chart View The Gantt chart became a standard way of visualizing project

More information

DCC Kronos PC Users Handbook

DCC Kronos PC Users Handbook Logging in You can log into Kronos through MYDCC. Select the Working @ DCC tab and then click on the Kronos link located in the upper left hand corner of the screen. If you use the MYDCC portal, you will

More information

Purchase Order, Requisitions, Inventory Hands On. Workshop: Purchase Order, Requisitions, Inventory Hands On

Purchase Order, Requisitions, Inventory Hands On. Workshop: Purchase Order, Requisitions, Inventory Hands On Workshop: Purchase Order, Requisitions, Inventory Hands In this follow up session to the Operations Changes in Purchase Order, Requisition, and Inventory Theory course, this hands on session will look

More information

Getting Started with OptQuest

Getting Started with OptQuest Getting Started with OptQuest What OptQuest does Futura Apartments model example Portfolio Allocation model example Defining decision variables in Crystal Ball Running OptQuest Specifying decision variable

More information

INTRO TO WORK PLANNING IN MIRADI 4.4

INTRO TO WORK PLANNING IN MIRADI 4.4 INTRO TO WORK PLANNING IN MIRADI 4.4 Overview of Work Plan High Level Work Planning Adding Financial Information Analyzing & Using Work Plan Data Key Work Plan Controls Detailed Work Planning Work Planning

More information

HRIS Import Guide. Instructions on how to use Trakstar s HRIS Import Tool.

HRIS Import Guide. Instructions on how to use Trakstar s HRIS Import Tool. HRIS Import Guide Instructions on how to use Trakstar s HRIS Import Tool. Introduction Trakstar s HRIS Import feature allows administrators to import Trakstar data with a spreadsheet exported from another

More information

PeopleSoft Requisition Manual Using the PeopleSoft Requisition System

PeopleSoft Requisition Manual Using the PeopleSoft Requisition System PeopleSoft Requisition Manual Using the PeopleSoft Requisition System V8.9 September 2014 Table of Contents OBJECTIVES... 3 OVERVIEW... 3 CUSTOMIZING SCREEN... 4 MODULE 1: ENTERING A REQUISITION... 5 Navigating

More information

Human Resources (HR) Manager Reports. Generating HR Data Reports at Columbia University. Training Guide

Human Resources (HR) Manager Reports. Generating HR Data Reports at Columbia University. Training Guide Human Resources (HR) Manager Reports Generating HR Data Reports at Columbia University Training Guide Table of Contents Lesson 1: Columbia University HR Manager Reports The Purpose of this Lesson... 1-1

More information

Workshop in Applied Analysis Software MY591. Introduction to SPSS

Workshop in Applied Analysis Software MY591. Introduction to SPSS Workshop in Applied Analysis Software MY591 Introduction to SPSS Course Convenor (MY591) Dr. Aude Bicquelet (LSE, Department of Methodology) Contact: A.J.Bicquelet@lse.ac.uk Contents I. Introduction...

More information

Angus AnyWhere. Reports User Guide AUGUST 2012

Angus AnyWhere. Reports User Guide AUGUST 2012 Angus AnyWhere Reports User Guide AUGUST 2012 Table of Contents About Reports... 1 Generating a Report... 2 Exporting Reports... 4 Printing Reports... 5 Tenant Request... 6 Labor Utilization... 6 Lists...

More information

Tutorial #7: LC Segmentation with Ratings-based Conjoint Data

Tutorial #7: LC Segmentation with Ratings-based Conjoint Data Tutorial #7: LC Segmentation with Ratings-based Conjoint Data This tutorial shows how to use the Latent GOLD Choice program when the scale type of the dependent variable corresponds to a Rating as opposed

More information

Guidelines for Collecting Data via Excel Templates

Guidelines for Collecting Data via Excel Templates Guidelines for Collecting Data via Excel Templates We aim to make your studies significant Table of Contents 1.0 Introduction --------------------------------------------------------------------------------------------------------------------------

More information

Introduction to IBM Cognos for Consumers. IBM Cognos

Introduction to IBM Cognos for Consumers. IBM Cognos Introduction to IBM Cognos for Consumers IBM Cognos June 2015 This training documentation is the sole property of EKS&H. All rights are reserved. No part of this document may be reproduced. Exception:

More information

The Dummy s Guide to Data Analysis Using SPSS

The Dummy s Guide to Data Analysis Using SPSS The Dummy s Guide to Data Analysis Using SPSS Univariate Statistics Scripps College Amy Gamble April, 2001 Amy Gamble 4/30/01 All Rights Rerserved Table of Contents PAGE Creating a Data File...3 1. Creating

More information

GRACE: Tracking Water from Space. Groundwater Storage Changes in California s Central Valley Data Analysis Protocol for Excel: PC

GRACE: Tracking Water from Space. Groundwater Storage Changes in California s Central Valley Data Analysis Protocol for Excel: PC Groundwater Storage Changes in California s Central Valley Data Analysis Protocol for Excel: PC 2007-10 Before GRACE it was very difficult to estimate how the total volumes of groundwater are changing.

More information

Functional analysis using EBI Metagenomics

Functional analysis using EBI Metagenomics Functional analysis using EBI Metagenomics Contents Tutorial information... 2 Tutorial learning objectives... 2 An introduction to functional analysis using EMG... 3 What are protein signatures?... 3 Assigning

More information

APS Basic Set Up. Learn how to set up a basic APS scenario in beas Manufacturing

APS Basic Set Up. Learn how to set up a basic APS scenario in beas Manufacturing APS Basic Set Up Learn how to set up a basic APS scenario in beas Manufacturing Boyum Solutions IT A/S Beas tutorials TABLE OF CONTENTS 1. INTRODUCTION... 3 2. PROCESS... 3 2.1. Master Data Tab... 5 2.2.

More information

Remote Entry. Installation and User Guide

Remote Entry. Installation and User Guide Remote Entry Installation and User Guide S OFTWARE M ANUAL VERSION 1.0 Copyright? 2003 by Sundial Time Systems Code copyright? 2003 by Sundial Time Systems Sundial Time Systems makes no representation

More information

Excel 2011 Charts - Introduction Excel 2011 Series The University of Akron. Table of Contents COURSE OVERVIEW... 2

Excel 2011 Charts - Introduction Excel 2011 Series The University of Akron. Table of Contents COURSE OVERVIEW... 2 Table of Contents COURSE OVERVIEW... 2 DISCUSSION... 2 OBJECTIVES... 2 COURSE TOPICS... 2 LESSON 1: CREATE A CHART QUICK AND EASY... 3 DISCUSSION... 3 CREATE THE CHART... 4 Task A Create the Chart... 4

More information

Getting Started with Power BI 8 Easy Steps

Getting Started with Power BI 8 Easy Steps Getting Started with Power BI 8 Easy Steps Getting Started with Microsoft Power BI An easy to follow guide for beginners and end users like me! This guide is designed for end users like me, to help you

More information

SPSS Instructions Booklet 1 For use in Stat1013 and Stat2001 updated Dec Taras Gula,

SPSS Instructions Booklet 1 For use in Stat1013 and Stat2001 updated Dec Taras Gula, Booklet 1 For use in Stat1013 and Stat2001 updated Dec 2015 Taras Gula, Introduction to SPSS Read Me carefully page 1/2/3 Entering and importing data page 4 One Variable Scenarios Measurement: Explore

More information

WELCOME TO THE ONLINE SHIPPING USER GUIDE

WELCOME TO THE ONLINE SHIPPING USER GUIDE Online Shipping WELCOME TO THE ONLINE SHIPPING USER GUIDE ON THE GO OR IN THE OFFICE, ONLINE SHIPPING GETS IT THERE. Ideal for busy small-business owners, office managers, or anyone on the go. DHL Online

More information

CONTENTS. How to install 3 How to set up a product How to edit Matrix Prices 7 Calculation Types 8

CONTENTS. How to install 3 How to set up a product How to edit Matrix Prices 7 Calculation Types 8 MANUAL CONTENTS Subject Page(s) How to install 3 How to set up a product 4-6 How to edit Matrix Prices 7 Calculation Types 8 2 HOW TO INSTALL 1) Copy & Paste all the files inside the package to your Magento

More information

SchoolsBPS. User Manual Version 7.0. Orovia Software

SchoolsBPS. User Manual Version 7.0. Orovia Software SchoolsBPS User Manual Version 7.0 Orovia Software 1 SchoolsBPS User Manual Table of Contents Logging In... 4 Roles, Access Rights and Users... 4 Changing a Password... 5 10 minute Save... 5 Account Codes...

More information

EASY HELP DESK REFERENCE GUIDE

EASY HELP DESK REFERENCE GUIDE EASY HELP DESK REFERENCE GUIDE Last Updated: May 18, 2017 Contents Chapter 1: Introduction and Solution Overview... 3 Learning Objectives... 4 Navigation and Tool Bars... 4 Accessing Easy Help Desk in

More information

User Manual NSD ERP SYSTEM Customers Relationship Management (CRM)

User Manual NSD ERP SYSTEM Customers Relationship Management (CRM) User Manual Customers Relationship Management (CRM) www.nsdarabia.com Copyright 2009, NSD all rights reserved Table of Contents Introduction... 5 MANAGER S DESKTOP... 5 CUSTOMER RELATIONSHIP MANAGEMENT...

More information

Table of Contents. 3. Sending a Requisition for Approval... 9

Table of Contents. 3. Sending a Requisition for Approval... 9 Table of Contents 1. Create a New Requisition... 2 Step A: Navigate to Add/Update Requisition... 2 Step B: Create a New Requisition... 2 Step C: Basic Information... 3 Step D: Requisition Defaults... 3

More information

ExpenseWire Analytics

ExpenseWire Analytics Once expense reports have been approved for payment and reimbursed to the submitter, you can use the ExpenseWire Analytics tab to: categorize company spending review historical expense data, and print

More information

Tabs3 Quick Start Guide

Tabs3 Quick Start Guide Tabs3 Quick Start Guide Tabs3 Quick Start Guide Copyright 2017 Software Technology, LLC 1621 Cushman Drive Lincoln, NE 68512 (402) 423-1440 Tabs3.com Tabs3, PracticeMaster, and the pinwheel symbol ( )

More information

RIT ORACLE CAPITAL EQUIPMENT PHYSICAL INVENTORY

RIT ORACLE CAPITAL EQUIPMENT PHYSICAL INVENTORY RIT ORACLE CAPITAL EQUIPMENT PHYSICAL INVENTORY Table of Contents Overview... 2 FA Physical Inventory User Responsibility... 2 Fixed Asset Parent Departments... 2 Contact Information... 2 Inventory Cycles...

More information

Managing Career Services. User Guide

Managing Career Services. User Guide Managing Career Services User Guide Campus Management Corporation Web Site http://www.campusmanagement.com/ E-mail Information: Support: E-mail Form on Web Site support@campusmgmt.com Phone Sales/Support:

More information

MEMO: LITTLE BELLA & MENTOR INFO TRACKING

MEMO: LITTLE BELLA & MENTOR INFO TRACKING MEMO: LITTLE BELLA & MENTOR INFO TRACKING Hi Program Leads! This off-season, our team looked for ways to make our registration process easier. We wanted to improve the user experience for parents registering

More information

DOWNLOAD PDF GENERAL LEDGER APPLICATIONS SOFTWARE FOR MICROSOFT WINDOWS CHAPTERS 1-26

DOWNLOAD PDF GENERAL LEDGER APPLICATIONS SOFTWARE FOR MICROSOFT WINDOWS CHAPTERS 1-26 Chapter 1 : General Ledger Software Related Book Ebook Pdf General Ledger Applications Software For Microsoft Windows Chapters 1 Royal Brides - Hadron Incursion - Hair Loss Master Plan Health And Beauty

More information

Proficiency Testing Program User Guide

Proficiency Testing Program User Guide Version 1.1 October 1, 2017 Powered by Service Area: LABORATORY QCS-LAB-PTUSERGUIDE Origination Date: 2017-08-01 Last Revision: 2017-10-01 Effective Date: 2017-10-01 Version Number: 1.1 Next Review: 2018-01-02

More information

LEARNING RESOURCE CENTRE AYRSHIRE COLLEGE MICROSOFT WORD USEFUL ESSAY FEATURES

LEARNING RESOURCE CENTRE AYRSHIRE COLLEGE MICROSOFT WORD USEFUL ESSAY FEATURES LEARNING RESOURCE CENTRE AYRSHIRE COLLEGE MICROSOFT WORD USEFUL ESSAY FEATURES LEARNING RESOURCE CENTRE July 2015 Table of Contents -----------------------------------------------------------------------------------------------------------------------------------

More information

INSTRUCTIONAL GUIDE. Timekeeping for Supervisors: Managing Non-Exempt Employees Time MARCH 17, 2017

INSTRUCTIONAL GUIDE. Timekeeping for Supervisors: Managing Non-Exempt Employees Time MARCH 17, 2017 INSTRUCTIONAL GUIDE Timekeeping for Supervisors: Managing Non-Exempt Employees Time MARCH 17, 2017 UNIVERSITY OF CALIFORNIA, BERKELEY Kronos Version 8 TABLE OF CONTENTS INTRODUCTION...2 TRAINING...2 ROLES

More information

How do I Reconcile MCPS Invoices?

How do I Reconcile MCPS Invoices? How do I Reconcile MCPS Invoices? Overview Purpose This document explains how schools can reconcile Montgomery County Public School (MCPS) invoices to requisitions charged to their cash account and to

More information

OnCorps Reports 2.0, Standard Reports. Site Supervisor Tutorial

OnCorps Reports 2.0, Standard Reports. Site Supervisor Tutorial OnCorps Reports 2.0, Standard Reports Site Supervisor Tutorial i Table of Contents Table of Contents Welcome to OnCorps Reports... 1 Getting Started... 2 System Requirements... 3 Logging Into and Logging

More information

UPS MANIFEST UPLOAD DOCUMENTATION UPDATES

UPS MANIFEST UPLOAD DOCUMENTATION UPDATES UPS MANIFEST UPLOAD DOCUMENTATION UPDATES Date Description Where Changed 6/2/03 Replaced the UPS On-Line Setup Instructions section with the new UPS Import File section. This section describes how the

More information