Getting Started with R and RStudio 1

Size: px
Start display at page:

Download "Getting Started with R and RStudio 1"

Transcription

1 Getting Started with R and RStudio 1 1 What is R? R is a system for statistical computation and graphics. It is the statistical system that is used in Mathematics 241, Engineering Statistics, for the following reasons: 1. R is free and open-source. 2. R is user-extensible and user extensions can easily be made available to all users. 3. R is commercial quality. It is the package of choice for many engineers who use statistics frequently. 4. R is easy to use. No doubt you will hear some disagreement about point 4 above. Other data analysis tools (such as Excel, for example) appear easier to use at first. But many things that an engineer might do are easier to do in R than Excel and some are impossible to do in Excel (correctly). In Mathematics 241 we will focus on core statistical tools and so learn to use only a small fraction of the capabilities of R. But since R is free, you will be able to keep R and add to your knowledge of it throughout your career. 2 Using R on the Cloud R can easily be downloaded and installed on your personal computer. However we will use R over the internet by using a system called RStudio. There are advantages and disadvantages to using R over the internet but the principle advantages for this course are that using RStudio means that the installation and setup of R is taken care of and also data can easily be shared with the instructor and other students. (Instructions on how to download and setup R and RStudio for your own computer are available at the course webpage.) To use RStudio on the web, go to Initially, your Calvin ID works as both your ID and password. (You can change your password by going to and entering the yppasswd command when you finally get a command prompt.) The webpage that comes up after logging in should look like this: Notice that there are four panes. R commands are entered one line at a time into the Console pane (which is the lower left pane by default but that can be changed). In the standalone version of R that you can install, there is only a console window at the start. The other three panes are used by RStudio to interact with the file

2 Getting Started with R and RStudio 2 system, to show graphics plots, and to provide an editor that can compose input for the console. (These notes are being produced in RStudio using the pane at the top left as an editor.) In the remainder of these notes we will work entirely within the console. Thus these notes can be used to get started in any version of R. The symbol > is the prompt symbol that signifies that R is ready for input. In general, in response to the prompt we enter a one-line command and get some output (or define some object). We will look at some of the basic kinds of objects and commands in the rest of these notes. 3 Basic features of R In the examples that follow, you can distiguish input from output by the input prompt symbol >. Try these commands or variations of them yourself. 3.1 Using R as a Calculator R can be used as a calculator. > [1] 8 > 15.3 * 23.4 [1] > sqrt(16) [1] 4 You can save values to named variables for later reuse > product = 15.3 * 23.4 # save result > product # show the result [1] >.5 * product # half of the result [1] > log(product) # log of the result [1] > product < * 23.4 # <- is the assignment operator, same as = > 15.3 * > newproduct # can assign to the right hand side > newproduct [1] The semi-colon can be used to place multiple commands on one line. One frequent use of this is to save and print a value all in one go: > product < * 23.4; product # save result and show it [1] Functions and Objects Though R does arithmetic on numbers, the real power of R comes from the fact that R understands complex objects and has a large library of functions that operate on those objects. So most of the R commands that we will enter will look like f(x,y,...) where f is the name of an R function (like log above) and x,y,... is a list of objects. In the next section we illustrate by introducing the vector object and give some examples of functions that operate on vectors.

3 Getting Started with R and RStudio Vectors A vector has a length (a non-negative integer) and a mode (numeric, character, complex, or logical). All elements of the vector must be of the same mode. Typically, we use a vector to store the values of a quantitative variable. Usually vectors will be constructed by reading data from an R dataset or a file as we will soon see. But short vectors can be constructed by entering the elements directly. > x = c(1,3,5,7,9,8,6,4,2) > x [1] Note that the [1] that precedes the elements of the vectors is not one of the elements but rather an indication that the first element of the vector follows. There are a couple of shortcuts that help construct vectors that are regular. > y=1:10 > z=seq(0,5,.05) > y;z [1] [1] [16] [31] [46] [61] [76] [91] Many functions operate on vectors component-wise. > x=1:5 > y=6:10 > x^2 [1] > x+y [1] > log(x) [1]

4 Getting Started with R and RStudio Data Frames Data sets are usually stored in a special structure called a data frame. Data frames have a 2-dimensional structure. Rows correspond to the individuals (observational units, cases, subjects) of our data set and the columns correspond to variables (measurements collected on each individual). Data frames in R are named as are the individual variables of the data frame. The columns (variables) are either vectors or factors (think of a factor as a vector that stores a categorical variable). We will usually get our data frames from external files that we have prepared in some other way Excel is a good way to prepare a data frame as a data frame looks like a spreadsheet. Some datasets are included with the default R installation. The iris data frame contains 5 variables measured for each of 150 iris plants. The iris data set is included with the default R installation. > str(iris) # summarizes the structure of the data frame data.frame : 150 obs. of 5 variables: $ Sepal.Length: num $ Sepal.Width : num $ Petal.Length: num $ Petal.Width : num $ Species : Factor w/ 3 levels "setosa","versicolor",..: > summary(iris) # gives summary information on each variable Sepal.Length Sepal.Width Petal.Length Petal.Width Min. :4.300 Min. :2.000 Min. :1.000 Min. : st Qu.: st Qu.: st Qu.: st Qu.:0.300 Median :5.800 Median :3.000 Median :4.350 Median :1.300 Mean :5.843 Mean :3.057 Mean :3.758 Mean : rd Qu.: rd Qu.: rd Qu.: rd Qu.:1.800 Max. :7.900 Max. :4.400 Max. :6.900 Max. :2.500 Species setosa :50 versicolor:50 virginica :50 > head(iris) # prints the first several cases of the data frame Sepal.Length Sepal.Width Petal.Length Petal.Width Species setosa setosa setosa setosa setosa setosa In interactive mode, you can also try > View(iris) to see the data or >?iris to get the documentation about for the data set.

5 Getting Started with R and RStudio 5 Access to an individual variable in a data frame uses the $ operator in the following syntax: > dataframe$variable For example, > iris$sepal.length [1] [19] [37] [55] [73] [91] [109] [127] [145] shows the contents of the Sepal.Length variable. But this isn t very useful for a large data set. We would prefer to compute a numerical or graphical summary. 4 Summaries of a single quantitative variable Almost always, a quantitative variable is stored in a vector and that vector is one column of a data frame. Most functions that give a numerical or graphical summary require a vector as argument. In this section we illustrate some of the more important summary functions with the variable Sepal.Length of the data frame iris. 4.1 Numerical summaries > mean(iris$sepal.length) [1] > median(iris$sepal.length) [1] 5.8 > sd(iris$sepal.length) [1] > quantile(iris$sepal.length) 0% 25% 50% 75% 100% Graphical Summaries There are several ways to make graphs in R. Many individuals have written R packages that give great control over the way a graph is drawn. We will use the standard graphics functions that are built n to R. Here we illustrate the two most important graphical representations of a single quantitative variable. In RStudio, graphics output appears in the plot window (lower right). You must click on the Plots tab to see them. A histogram is drawn using the function hist. > hist(iris$sepal.length)

6 Getting Started with R and RStudio 6 Histogram of iris$sepal.length Frequency iris$sepal.length Many functions in R have optional arguments that change the way that the function acts. Often we can omit these arguments since R chooses reasonable default values. Note that R produces frequency histograms. To produce a density histogram, we need an optional argument freq. Note that we name the argument. Optional arguments usually have to be named so that R knows which arguments are being included. Other optional arguments control the title of the histogram and the axis labels. > hist(iris$sepal.length,freq=f,main="sepal Length",xlab=" ") # F is short for false Sepal Length Density

7 Getting Started with R and RStudio 7 Another common plot is called a boxplot. A boxplot is a graphical representation of a five number summary of a quantitative variable. The default boxplot uses a vertical scale. Here we draw a horizontal boxplot. > boxplot(iris$sepal.length, horizontal=t, main="sepal Length") # T is short for true Sepal Length Importing data In this class, we will use data from several different sources. R has many builtin datasets. (The iris dataset used earlier in these notes in one of those.) There are also many packages available that provide additional datasets and also extend R by defining useful functions. Packages are installed and loaded via the Package tab of the files panes of RStudio. We will also use datasets developed especially for this class. Each RStudio user has space to save files. You can see your personal directory using the files tab of the same window in which you look at plots. Each user has a Public directory which is visible to other RStudio users. There are two collections of data that are available through the instructor s public directory. The directory Navidi contains the datasets from the textbook. Other datasets used in this course are also included there. To load such datasets, use the Import Dataset tab of the Workspace pane, select From Text File and enter as filename /home/stob/data. You will see the following Class datasets are in this directory and textbook datasets are in the Navidi directory. For example, to import the dimes dataset, simply select dimes.csv. A window will popup that enables you to tell R which format the data is in but in this case RStudio understands the CSV format that the dimes dataset is in. This procedure defines the

8 Getting Started with R and RStudio 8 data frame dimes. To load a textbook dataset, navigate to the Navidi folder and select the appropriate chapter and then file in that chapter: for example ex3-2-5.txt is the data for exercise 5 in section 2 of chapter 3. Note that you will have to change the variable name (from ex-3-2-5) since dashes are not acceptable characters in variable names. Choose a short, memorable variable name! 6 Useful features of RStudio One of the most useful features of RStudio is that it will save the state of your session even if you close your browser. This includes all variables, plots, and other settings. This is very useful for class work since you might get stuck on homework after attempting a problem and can pick up again after you get help in class or from the instructor. Another useful feature is the History tab of the upper right hand window. In that window you can find all the lines that you have entered into the console. These lines can be copied into the console window, for example. The Source pane can be used to edit and save your work. You can run command lines entered into this pane using the appropriate buttons. If you have an error, you can simply edit that line in the Source pane. Two useful editing features are accessed by the tab key and the arrow keys. If you start to type the name of a function (e.g., > hi) and enter the tab character, you get all the possible functions that begin with these characters along with a short description of what they do. (Try entering the tab key after entering hi.) If you hit the up-arrow key, the previous line that you entered now becomes the current line and you can edit it and enter it again. This is very useful if you make a small typo on a very long line.

4 Other useful features on the course web page. 5 Accessing SAS

4 Other useful features on the course web page. 5 Accessing SAS 1 Using SAS outside of ITCs Statistical Methods and Computing, 22S:30/105 Instructor: Cowles Lab 1 Jan 31, 2014 You can access SAS from off campus by using the ITC Virtual Desktop Go to https://virtualdesktopuiowaedu

More information

OVERVIEW OF R SOFTWARE AND PRACTICAL EXERCISE

OVERVIEW OF R SOFTWARE AND PRACTICAL EXERCISE OVERVIEW OF R SOFTWARE AND PRACTICAL EXERCISE Hukum Chandra Indian Agricultural Statistics Research Institute, New Delhi-110012 1. INTRODUCTION R is a free software environment for statistical computing

More information

Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller

Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller Tutorial 3: Graphics and Exploratory Data Analysis in R Jason Pienaar and Tom Miller Getting to know the data An important first step before performing any kind of statistical analysis is to familiarize

More information

Prof. Nicolai Meinshausen Regression FS 2014. R Exercises

Prof. Nicolai Meinshausen Regression FS 2014. R Exercises Prof. Nicolai Meinshausen Regression FS 2014 R Exercises 1. The goal of this exercise is to get acquainted with different abilities of the R statistical software. It is recommended to use the distributed

More information

Graphical Representation of Multivariate Data

Graphical Representation of Multivariate Data Graphical Representation of Multivariate Data One difficulty with multivariate data is their visualization, in particular when p > 3. At the very least, we can construct pairwise scatter plots of variables.

More information

GeoGebra Statistics and Probability

GeoGebra Statistics and Probability GeoGebra Statistics and Probability Project Maths Development Team 2013 www.projectmaths.ie Page 1 of 24 Index Activity Topic Page 1 Introduction GeoGebra Statistics 3 2 To calculate the Sum, Mean, Count,

More information

Scatter Plots with Error Bars

Scatter Plots with Error Bars Chapter 165 Scatter Plots with Error Bars Introduction The procedure extends the capability of the basic scatter plot by allowing you to plot the variability in Y and X corresponding to each point. Each

More information

A Short Guide to R with RStudio

A Short Guide to R with RStudio Short Guides to Microeconometrics Fall 2013 Prof. Dr. Kurt Schmidheiny Universität Basel A Short Guide to R with RStudio 1 Introduction 2 2 Installing R and RStudio 2 3 The RStudio Environment 2 4 Additions

More information

Graphics in R. Biostatistics 615/815

Graphics in R. Biostatistics 615/815 Graphics in R Biostatistics 615/815 Last Lecture Introduction to R Programming Controlling Loops Defining your own functions Today Introduction to Graphics in R Examples of commonly used graphics functions

More information

Appendix 2.1 Tabular and Graphical Methods Using Excel

Appendix 2.1 Tabular and Graphical Methods Using Excel Appendix 2.1 Tabular and Graphical Methods Using Excel 1 Appendix 2.1 Tabular and Graphical Methods Using Excel The instructions in this section begin by describing the entry of data into an Excel spreadsheet.

More information

Beginner s Matlab Tutorial

Beginner s Matlab Tutorial Christopher Lum lum@u.washington.edu Introduction Beginner s Matlab Tutorial This document is designed to act as a tutorial for an individual who has had no prior experience with Matlab. For any questions

More information

SPSS: Getting Started. For Windows

SPSS: Getting Started. For Windows For Windows Updated: August 2012 Table of Contents Section 1: Overview... 3 1.1 Introduction to SPSS Tutorials... 3 1.2 Introduction to SPSS... 3 1.3 Overview of SPSS for Windows... 3 Section 2: Entering

More information

Introduction to RStudio

Introduction to RStudio Introduction to RStudio (v 1.3) Oscar Torres-Reyna otorres@princeton.edu August 2013 http://dss.princeton.edu/training/ Introduction RStudio allows the user to run R in a more user-friendly environment.

More information

MetroBoston DataCommon Training

MetroBoston DataCommon Training MetroBoston DataCommon Training Whether you are a data novice or an expert researcher, the MetroBoston DataCommon can help you get the information you need to learn more about your community, understand

More information

Novell ZENworks Asset Management 7.5

Novell ZENworks Asset Management 7.5 Novell ZENworks Asset Management 7.5 w w w. n o v e l l. c o m October 2006 USING THE WEB CONSOLE Table Of Contents Getting Started with ZENworks Asset Management Web Console... 1 How to Get Started...

More information

Using R for Windows and Macintosh

Using R for Windows and Macintosh 2010 Using R for Windows and Macintosh R is the most commonly used statistical package among researchers in Statistics. It is freely distributed open source software. For detailed information about downloading

More information

Microsoft Excel 2010 Part 3: Advanced Excel

Microsoft Excel 2010 Part 3: Advanced Excel CALIFORNIA STATE UNIVERSITY, LOS ANGELES INFORMATION TECHNOLOGY SERVICES Microsoft Excel 2010 Part 3: Advanced Excel Winter 2015, Version 1.0 Table of Contents Introduction...2 Sorting Data...2 Sorting

More information

Exploratory Data Analysis and Plotting

Exploratory Data Analysis and Plotting Exploratory Data Analysis and Plotting The purpose of this handout is to introduce you to working with and manipulating data in R, as well as how you can begin to create figures from the ground up. 1 Importing

More information

Query 4. Lesson Objectives 4. Review 5. Smart Query 5. Create a Smart Query 6. Create a Smart Query Definition from an Ad-hoc Query 9

Query 4. Lesson Objectives 4. Review 5. Smart Query 5. Create a Smart Query 6. Create a Smart Query Definition from an Ad-hoc Query 9 TABLE OF CONTENTS Query 4 Lesson Objectives 4 Review 5 Smart Query 5 Create a Smart Query 6 Create a Smart Query Definition from an Ad-hoc Query 9 Query Functions and Features 13 Summarize Output Fields

More information

Finance Reporting. Millennium FAST. User Guide Version 4.0. Memorial University of Newfoundland. September 2013

Finance Reporting. Millennium FAST. User Guide Version 4.0. Memorial University of Newfoundland. September 2013 Millennium FAST Finance Reporting Memorial University of Newfoundland September 2013 User Guide Version 4.0 FAST Finance User Guide Page i Contents Introducing FAST Finance Reporting 4.0... 2 What is FAST

More information

Excel 2010: Create your first spreadsheet

Excel 2010: Create your first spreadsheet Excel 2010: Create your first spreadsheet Goals: After completing this course you will be able to: Create a new spreadsheet. Add, subtract, multiply, and divide in a spreadsheet. Enter and format column

More information

SPSS Manual for Introductory Applied Statistics: A Variable Approach

SPSS Manual for Introductory Applied Statistics: A Variable Approach SPSS Manual for Introductory Applied Statistics: A Variable Approach John Gabrosek Department of Statistics Grand Valley State University Allendale, MI USA August 2013 2 Copyright 2013 John Gabrosek. All

More information

Computational Statistics Using R and R Studio An Introduction for Scientists

Computational Statistics Using R and R Studio An Introduction for Scientists Computational Statistics Using R and R Studio An Introduction for Scientists Randall Pruim SC 11 Education Program (November, 2011) Contents 1 An Introduction to R 8 1.1 Welcome to R and RStudio..................................

More information

COLLABORATION NAVIGATING CMiC

COLLABORATION NAVIGATING CMiC Reference Guide covers the following items: How to login Launching applications and their typical action buttons Querying & filtering log views Export log views to Excel User Profile Update info / Change

More information

Managing users. Account sources. Chapter 1

Managing users. Account sources. Chapter 1 Chapter 1 Managing users The Users page in Cloud Manager lists all of the user accounts in the Centrify identity platform. This includes all of the users you create in the Centrify for Mobile user service

More information

R: A self-learn tutorial

R: A self-learn tutorial R: A self-learn tutorial 1 Introduction R is a software language for carrying out complicated (and simple) statistical analyses. It includes routines for data summary and exploration, graphical presentation

More information

Getting Started With SPSS

Getting Started With SPSS Getting Started With SPSS To investigate the research questions posed in each section of this site, we ll be using SPSS, an IBM computer software package specifically designed for use in the social sciences.

More information

Linking Telemet Orion to a Portfolio Accounting System

Linking Telemet Orion to a Portfolio Accounting System Linking Telemet Orion to a Portfolio Accounting System Telemet Orion v8 can import portfolio data from any portfolio management, order management, or trust accounting system that can export to standard

More information

Tutorial 2: Reading and Manipulating Files Jason Pienaar and Tom Miller

Tutorial 2: Reading and Manipulating Files Jason Pienaar and Tom Miller Tutorial 2: Reading and Manipulating Files Jason Pienaar and Tom Miller Most of you want to use R to analyze data. However, while R does have a data editor, other programs such as excel are often better

More information

Chapter 15: Forms. User Guide. 1 P a g e

Chapter 15: Forms. User Guide. 1 P a g e User Guide Chapter 15 Forms Engine 1 P a g e Table of Contents Introduction... 3 Form Building Basics... 4 1) About Form Templates... 4 2) About Form Instances... 4 Key Information... 4 Accessing the Form

More information

Data exploration with Microsoft Excel: univariate analysis

Data exploration with Microsoft Excel: univariate analysis Data exploration with Microsoft Excel: univariate analysis Contents 1 Introduction... 1 2 Exploring a variable s frequency distribution... 2 3 Calculating measures of central tendency... 16 4 Calculating

More information

Virtual Exhibit 5.0 requires that you have PastPerfect version 5.0 or higher with the MultiMedia and Virtual Exhibit Upgrades.

Virtual Exhibit 5.0 requires that you have PastPerfect version 5.0 or higher with the MultiMedia and Virtual Exhibit Upgrades. 28 VIRTUAL EXHIBIT Virtual Exhibit (VE) is the instant Web exhibit creation tool for PastPerfect Museum Software. Virtual Exhibit converts selected collection records and images from PastPerfect to HTML

More information

ABSTRACT INTRODUCTION EXERCISE 1: EXPLORING THE USER INTERFACE GRAPH GALLERY

ABSTRACT INTRODUCTION EXERCISE 1: EXPLORING THE USER INTERFACE GRAPH GALLERY Statistical Graphics for Clinical Research Using ODS Graphics Designer Wei Cheng, Isis Pharmaceuticals, Inc., Carlsbad, CA Sanjay Matange, SAS Institute, Cary, NC ABSTRACT Statistical graphics play an

More information

SAS BI Dashboard 4.3. User's Guide. SAS Documentation

SAS BI Dashboard 4.3. User's Guide. SAS Documentation SAS BI Dashboard 4.3 User's Guide SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2010. SAS BI Dashboard 4.3: User s Guide. Cary, NC: SAS Institute

More information

Strategic Information Reporting Initiative (SIRI) User Guide for Student Dashboard

Strategic Information Reporting Initiative (SIRI) User Guide for Student Dashboard Strategic Information Reporting Initiative (SIRI) User Guide for Student Dashboard Table of Contents I. Signing into SIRI... 3 A. Logging on... 3 B. Accessing SIRI off campus... 4 C. Questions... 4 II.

More information

Using SPSS, Chapter 2: Descriptive Statistics

Using SPSS, Chapter 2: Descriptive Statistics 1 Using SPSS, Chapter 2: Descriptive Statistics Chapters 2.1 & 2.2 Descriptive Statistics 2 Mean, Standard Deviation, Variance, Range, Minimum, Maximum 2 Mean, Median, Mode, Standard Deviation, Variance,

More information

MiraCosta College now offers two ways to access your student virtual desktop.

MiraCosta College now offers two ways to access your student virtual desktop. MiraCosta College now offers two ways to access your student virtual desktop. We now feature the new VMware Horizon View HTML access option available from https://view.miracosta.edu. MiraCosta recommends

More information

Creating Personal Web Sites Using SharePoint Designer 2007

Creating Personal Web Sites Using SharePoint Designer 2007 Creating Personal Web Sites Using SharePoint Designer 2007 Faculty Workshop May 12 th & 13 th, 2009 Overview Create Pictures Home Page: INDEX.htm Other Pages Links from Home Page to Other Pages Prepare

More information

Note: With v3.2, the DocuSign Fetch application was renamed DocuSign Retrieve.

Note: With v3.2, the DocuSign Fetch application was renamed DocuSign Retrieve. Quick Start Guide DocuSign Retrieve 3.2.2 Published April 2015 Overview DocuSign Retrieve is a windows-based tool that "retrieves" envelopes, documents, and data from DocuSign for use in external systems.

More information

G563 Quantitative Paleontology. SQL databases. An introduction. Department of Geological Sciences Indiana University. (c) 2012, P.

G563 Quantitative Paleontology. SQL databases. An introduction. Department of Geological Sciences Indiana University. (c) 2012, P. SQL databases An introduction AMP: Apache, mysql, PHP This installations installs the Apache webserver, the PHP scripting language, and the mysql database on your computer: Apache: runs in the background

More information

EBOX Digital Content Management System (CMS) User Guide For Site Owners & Administrators

EBOX Digital Content Management System (CMS) User Guide For Site Owners & Administrators EBOX Digital Content Management System (CMS) User Guide For Site Owners & Administrators Version 1.0 Last Updated on 15 th October 2011 Table of Contents Introduction... 3 File Manager... 5 Site Log...

More information

Web Intelligence User Guide

Web Intelligence User Guide Web Intelligence User Guide Office of Financial Management - Enterprise Reporting Services 4/11/2011 Table of Contents Chapter 1 - Overview... 1 Purpose... 1 Chapter 2 Logon Procedure... 3 Web Intelligence

More information

Instructions for Configuring a SAS Metadata Server for Use with JMP Clinical

Instructions for Configuring a SAS Metadata Server for Use with JMP Clinical Instructions for Configuring a SAS Metadata Server for Use with JMP Clinical These instructions describe the process for configuring a SAS Metadata server to work with JMP Clinical. Before You Configure

More information

SonicWALL GMS Custom Reports

SonicWALL GMS Custom Reports SonicWALL GMS Custom Reports Document Scope This document describes how to configure and use the SonicWALL GMS 6.0 Custom Reports feature. This document contains the following sections: Feature Overview

More information

How to Use the H-ITT Analyzer Version 2.4.4

How to Use the H-ITT Analyzer Version 2.4.4 How to Use the H-ITT Analyzer Version 2.4.4 I. Preparing to Use Analyzer: Adding Your Class II. Introduction to the Analyzer Interface III. Sync Your Class Roster in Analyzer IV. Update Your Class Roster

More information

Appendix A How to create a data-sharing lab

Appendix A How to create a data-sharing lab Appendix A How to create a data-sharing lab Creating a lab involves completing five major steps: creating lists, then graphs, then the page for lab instructions, then adding forms to the lab instructions,

More information

Bank Account 1 September 2015

Bank Account 1 September 2015 Chapter 8 Training Notes Bank Account 1 September 2015 BANK ACCOUNTS Bank Accounts, or Bank Records, are typically setup in PrintBoss after the application is installed and provide options to work with

More information

Qualtrics Survey Tool

Qualtrics Survey Tool Qualtrics Survey Tool This page left blank intentionally. Table of Contents Overview... 5 Uses for Qualtrics Surveys:... 5 Accessing Qualtrics... 5 My Surveys Tab... 5 Survey Controls... 5 Creating New

More information

Oracle BI Extended Edition (OBIEE) Tips and Techniques: Part 1

Oracle BI Extended Edition (OBIEE) Tips and Techniques: Part 1 Oracle BI Extended Edition (OBIEE) Tips and Techniques: Part 1 From Dan: I have been working with Oracle s BI tools for years. I am quite the Discoverer expert (a free tool now from Oracle Corp OBISE standard

More information

Hamline University Administrative Computing Page 1

Hamline University Administrative Computing Page 1 User Guide Banner Handout: BUSINESS OBJECTS ENTERPRISE (InfoView) Document: boxi31sp3-infoview.docx Created: 5/11/2011 1:24 PM by Chris Berry; Last Modified: 8/31/2011 1:53 PM Purpose:... 2 Introduction:...

More information

MyOra 3.0. User Guide. SQL Tool for Oracle. Jayam Systems, LLC

MyOra 3.0. User Guide. SQL Tool for Oracle. Jayam Systems, LLC MyOra 3.0 SQL Tool for Oracle User Guide Jayam Systems, LLC Contents Features... 4 Connecting to the Database... 5 Login... 5 Login History... 6 Connection Indicator... 6 Closing the Connection... 7 SQL

More information

BULK SMS USER GUIDE. Version 2.0 1/18

BULK SMS USER GUIDE. Version 2.0 1/18 BULK SMS USER GUIDE Version 2.0 1/18 Contents 1 Overview page 3 2 Registration page 3 3 Logging In page 6 4 Welcome page 7 5 Payment Method page 8 6 Credit Topup page 9 7 Send/Schedule SMS page 10 8 Group

More information

Strategic Asset Tracking System User Guide

Strategic Asset Tracking System User Guide Strategic Asset Tracking System User Guide Contents 1 Overview 2 Web Application 2.1 Logging In 2.2 Navigation 2.3 Assets 2.3.1 Favorites 2.3.3 Purchasing 2.3.4 User Fields 2.3.5 History 2.3.6 Import Data

More information

HealthyCT Online Bill Pay

HealthyCT Online Bill Pay HealthyCT Online Bill Pay User Guide for Enrollment and Online Payments Table of Contents I. Enrollment Process: On-line Bill Pay Page 1 II. Payment Process- Pay Your HealthyCT Bill Online A. One-Time

More information

Financial Econometrics MFE MATLAB Introduction. Kevin Sheppard University of Oxford

Financial Econometrics MFE MATLAB Introduction. Kevin Sheppard University of Oxford Financial Econometrics MFE MATLAB Introduction Kevin Sheppard University of Oxford October 21, 2013 2007-2013 Kevin Sheppard 2 Contents Introduction i 1 Getting Started 1 2 Basic Input and Operators 5

More information

Iris Sample Data Set. Basic Visualization Techniques: Charts, Graphs and Maps. Summary Statistics. Frequency and Mode

Iris Sample Data Set. Basic Visualization Techniques: Charts, Graphs and Maps. Summary Statistics. Frequency and Mode Iris Sample Data Set Basic Visualization Techniques: Charts, Graphs and Maps CS598 Information Visualization Spring 2010 Many of the exploratory data techniques are illustrated with the Iris Plant data

More information

Exploratory data analysis (Chapter 2) Fall 2011

Exploratory data analysis (Chapter 2) Fall 2011 Exploratory data analysis (Chapter 2) Fall 2011 Data Examples Example 1: Survey Data 1 Data collected from a Stat 371 class in Fall 2005 2 They answered questions about their: gender, major, year in school,

More information

Basic Introduction. GMFX MetaTrader 4.0. Basic Introduction

Basic Introduction. GMFX MetaTrader 4.0. Basic Introduction GMFX GMFX About Got Money FX Got Money FX is an Australian owned and operated foreign exchange brokerage firm. We pride ourselves in offering our clients an honest and ethical trading environment. Clients

More information

Remedy ITSM Service Request Management Quick Start Guide

Remedy ITSM Service Request Management Quick Start Guide Remedy ITSM Service Request Management Quick Start Guide Table of Contents 1.0 Getting Started With Remedy s Service Request Management. 3 2.0 Submitting a Service Request.7 3.0 Updating a Service Request

More information

Tutorial 3. Maintaining and Querying a Database

Tutorial 3. Maintaining and Querying a Database Tutorial 3 Maintaining and Querying a Database Microsoft Access 2010 Objectives Find, modify, and delete records in a table Learn how to use the Query window in Design view Create, run, and save queries

More information

Microsoft Office 2010

Microsoft Office 2010 Access Tutorial 3 Maintaining and Querying a Database Microsoft Office 2010 Objectives Find, modify, and delete records in a table Learn how to use the Query window in Design view Create, run, and save

More information

Spreadsheets and Laboratory Data Analysis: Excel 2003 Version (Excel 2007 is only slightly different)

Spreadsheets and Laboratory Data Analysis: Excel 2003 Version (Excel 2007 is only slightly different) Spreadsheets and Laboratory Data Analysis: Excel 2003 Version (Excel 2007 is only slightly different) Spreadsheets are computer programs that allow the user to enter and manipulate numbers. They are capable

More information

Using Formulas, Functions, and Data Analysis Tools Excel 2010 Tutorial

Using Formulas, Functions, and Data Analysis Tools Excel 2010 Tutorial Using Formulas, Functions, and Data Analysis Tools Excel 2010 Tutorial Excel file for use with this tutorial Tutor1Data.xlsx File Location http://faculty.ung.edu/kmelton/data/tutor1data.xlsx Introduction:

More information

Data exploration with Microsoft Excel: analysing more than one variable

Data exploration with Microsoft Excel: analysing more than one variable Data exploration with Microsoft Excel: analysing more than one variable Contents 1 Introduction... 1 2 Comparing different groups or different variables... 2 3 Exploring the association between categorical

More information

Working with Data from External Sources

Working with Data from External Sources Working with Data from External Sources Bentley WaterCAD V8i supports several methods of exchanging data with external applications, preventing duplication of effort and allowing you to save time by reusing

More information

R and Rcmdr : Basic Functions for Managing Data

R and Rcmdr : Basic Functions for Managing Data Jaila Page 1 R and Rcmdr : Basic Functions for Managing Data Key issues in using R for a data analysis: Difference between numeric variables and factors in R/Rcmdr Load data either by entering manually,

More information

How to FTP (How to upload files on a web-server)

How to FTP (How to upload files on a web-server) How to FTP (How to upload files on a web-server) In order for a website to be visible to the world, it s files (text files,.html files, image files, etc.) have to be uploaded to a web server. A web server

More information

Alteryx Predictive Analytics for Oracle R

Alteryx Predictive Analytics for Oracle R Alteryx Predictive Analytics for Oracle R I. Software Installation In order to be able to use Alteryx s predictive analytics tools with an Oracle Database connection, your client machine must be configured

More information

McAfee Endpoint Encryption Reporting Tool

McAfee Endpoint Encryption Reporting Tool McAfee Endpoint Encryption Reporting Tool User Guide Version 5.2.13 McAfee, Inc. McAfee, Inc. 3965 Freedom Circle, Santa Clara, CA 95054, USA Tel: (+1) 888.847.8766 For more information regarding local

More information

Universal Simple Control, USC-1

Universal Simple Control, USC-1 Universal Simple Control, USC-1 Data and Event Logging with the USB Flash Drive DATA-PAK The USC-1 universal simple voltage regulator control uses a flash drive to store data. Then a propriety Data and

More information

WebSphere Business Monitor V6.2 Business space dashboards

WebSphere Business Monitor V6.2 Business space dashboards Copyright IBM Corporation 2009 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 6.2 LAB EXERCISE WebSphere Business Monitor V6.2 What this exercise is about... 2 Lab requirements... 2 What you should

More information

FrontPage 2003: Forms

FrontPage 2003: Forms FrontPage 2003: Forms Using the Form Page Wizard Open up your website. Use File>New Page and choose More Page Templates. In Page Templates>General, choose Front Page Wizard. Click OK. It is helpful if

More information

Getting Started Guide

Getting Started Guide Getting Started Guide Mulberry IMAP Internet Mail Client Versions 3.0 & 3.1 Cyrusoft International, Inc. Suite 780 The Design Center 5001 Baum Blvd. Pittsburgh PA 15213 USA Tel: +1 412 605 0499 Fax: +1

More information

Kurz MODBUS Client User s Guide

Kurz MODBUS Client User s Guide Kurz MODBUS Client User s Guide Introduction The Kurz MODBUS Client program can be used to demonstrate how the Kurz MFTB and MFTA Series products can be used in a MODBUS protocol network. The program is

More information

Viewing Ecological data using R graphics

Viewing Ecological data using R graphics Biostatistics Illustrations in Viewing Ecological data using R graphics A.B. Dufour & N. Pettorelli April 9, 2009 Presentation of the principal graphics dealing with discrete or continuous variables. Course

More information

Indiana County Assessor Association Excel Excellence

Indiana County Assessor Association Excel Excellence Indiana County Assessor Association Excel Excellence Basic Excel Data Analysis Division August 2012 1 Agenda Lesson 1: The Benefits of Excel Lesson 2: The Basics of Excel Lesson 3: Hands On Exercises Lesson

More information

Microsoft Access 2010- Introduction

Microsoft Access 2010- Introduction Microsoft Access 2010- Introduction Access is the database management system in Microsoft Office. A database is an organized collection of facts about a particular subject. Examples of databases are an

More information

Business Insight Report Authoring Getting Started Guide

Business Insight Report Authoring Getting Started Guide Business Insight Report Authoring Getting Started Guide Version: 6.6 Written by: Product Documentation, R&D Date: February 2011 ImageNow and CaptureNow are registered trademarks of Perceptive Software,

More information

Creating and Managing Online Surveys LEVEL 2

Creating and Managing Online Surveys LEVEL 2 Creating and Managing Online Surveys LEVEL 2 Accessing your online survey account 1. If you are logged into UNF s network, go to https://survey. You will automatically be logged in. 2. If you are not logged

More information

Appendix 1 Install RightNow on your PC

Appendix 1 Install RightNow on your PC Appendix 1 Install RightNow on your PC Please do not install the live site unless you have been instructed to do so. 1 Open Internet Explorer and navigate to; http://student.ask.adelaide.edu.au/cgi-bin/adelaide.cfg/php/admin/launch.php

More information

Secure Messaging Quick Reference Guide

Secure Messaging Quick Reference Guide Secure Messaging Quick Reference Guide Overview The SHARE Secure Messaging feature allows a SHARE registered user to securely send health information to another SHARE registered user. The Secure Messaging

More information

Working with Excel in Origin

Working with Excel in Origin Working with Excel in Origin Limitations When Working with Excel in Origin To plot your workbook data in Origin, you must have Excel version 7 (Microsoft Office 95) or later installed on your computer

More information

AMS 7L LAB #2 Spring, 2009. Exploratory Data Analysis

AMS 7L LAB #2 Spring, 2009. Exploratory Data Analysis AMS 7L LAB #2 Spring, 2009 Exploratory Data Analysis Name: Lab Section: Instructions: The TAs/lab assistants are available to help you if you have any questions about this lab exercise. If you have any

More information

CloudCTI Recognition Configuration Tool Manual

CloudCTI Recognition Configuration Tool Manual CloudCTI Recognition Configuration Tool Manual 2014 v1.0 Contents Recognition Configuration Tool... 2 Welcome to the Recognition Configuration Tool... 2 Getting started... 2 Listed applications... 4 Other

More information

R with Rcmdr: BASIC INSTRUCTIONS

R with Rcmdr: BASIC INSTRUCTIONS R with Rcmdr: BASIC INSTRUCTIONS Contents 1 RUNNING & INSTALLATION R UNDER WINDOWS 2 1.1 Running R and Rcmdr from CD........................................ 2 1.2 Installing from CD...............................................

More information

Aras Corporation. 2005 Aras Corporation. All rights reserved. Notice of Rights. Notice of Liability

Aras Corporation. 2005 Aras Corporation. All rights reserved. Notice of Rights. Notice of Liability Aras Corporation 2005 Aras Corporation. All rights reserved Notice of Rights All rights reserved. Aras Corporation (Aras) owns this document. No part of this document may be reproduced or transmitted in

More information

An introduction to using Microsoft Excel for quantitative data analysis

An introduction to using Microsoft Excel for quantitative data analysis Contents An introduction to using Microsoft Excel for quantitative data analysis 1 Introduction... 1 2 Why use Excel?... 2 3 Quantitative data analysis tools in Excel... 3 4 Entering your data... 6 5 Preparing

More information

Excel 2007 Basic knowledge

Excel 2007 Basic knowledge Ribbon menu The Ribbon menu system with tabs for various Excel commands. This Ribbon system replaces the traditional menus used with Excel 2003. Above the Ribbon in the upper-left corner is the Microsoft

More information

Descriptive Statistics

Descriptive Statistics Descriptive Statistics Descriptive statistics consist of methods for organizing and summarizing data. It includes the construction of graphs, charts and tables, as well various descriptive measures such

More information

There are six different windows that can be opened when using SPSS. The following will give a description of each of them.

There are six different windows that can be opened when using SPSS. The following will give a description of each of them. SPSS Basics Tutorial 1: SPSS Windows There are six different windows that can be opened when using SPSS. The following will give a description of each of them. The Data Editor The Data Editor is a spreadsheet

More information

Network Detective Client Connector

Network Detective Client Connector Network Detective Copyright 2014 RapidFire Tools, Inc. All Rights Reserved. v20140801 Overview The Network Detective data collectors can be run via command line so that you can run the scans on a scheduled

More information

WebSphere Business Monitor V7.0 Business space dashboards

WebSphere Business Monitor V7.0 Business space dashboards Copyright IBM Corporation 2010 All rights reserved IBM WEBSPHERE BUSINESS MONITOR 7.0 LAB EXERCISE WebSphere Business Monitor V7.0 What this exercise is about... 2 Lab requirements... 2 What you should

More information

1 Topic. 2 Scilab. 2.1 What is Scilab?

1 Topic. 2 Scilab. 2.1 What is Scilab? 1 Topic Data Mining with Scilab. I know the name "Scilab" for a long time (http://www.scilab.org/en). For me, it is a tool for numerical analysis. It seemed not interesting in the context of the statistical

More information

In this article, learn how to create and manipulate masks through both the worksheet and graph window.

In this article, learn how to create and manipulate masks through both the worksheet and graph window. Masking Data In this article, learn how to create and manipulate masks through both the worksheet and graph window. The article is split up into four main sections: The Mask toolbar The Mask Toolbar Buttons

More information

Introduction To Microsoft Office PowerPoint 2007. Bob Booth July 2008 AP-PPT5

Introduction To Microsoft Office PowerPoint 2007. Bob Booth July 2008 AP-PPT5 Introduction To Microsoft Office PowerPoint 2007. Bob Booth July 2008 AP-PPT5 University of Sheffield Contents 1. INTRODUCTION... 3 2. GETTING STARTED... 4 2.1 STARTING POWERPOINT... 4 3. THE USER INTERFACE...

More information

Division of School Facilities OUTLOOK WEB ACCESS

Division of School Facilities OUTLOOK WEB ACCESS Division of School Facilities OUTLOOK WEB ACCESS New York City Department of Education Office of Enterprise Development and Support Applications Support Group 2011 HELPFUL HINTS OWA Helpful Hints was created

More information

STC: Descriptive Statistics in Excel 2013. Running Descriptive and Correlational Analysis in Excel 2013

STC: Descriptive Statistics in Excel 2013. Running Descriptive and Correlational Analysis in Excel 2013 Running Descriptive and Correlational Analysis in Excel 2013 Tips for coding a survey Use short phrases for your data table headers to keep your worksheet neat, you can always edit the labels in tables

More information

STATGRAPHICS Online. Statistical Analysis and Data Visualization System. Revised 6/21/2012. Copyright 2012 by StatPoint Technologies, Inc.

STATGRAPHICS Online. Statistical Analysis and Data Visualization System. Revised 6/21/2012. Copyright 2012 by StatPoint Technologies, Inc. STATGRAPHICS Online Statistical Analysis and Data Visualization System Revised 6/21/2012 Copyright 2012 by StatPoint Technologies, Inc. All rights reserved. Table of Contents Introduction... 1 Chapter

More information

Microsoft Access 2007 Introduction

Microsoft Access 2007 Introduction Microsoft Access 2007 Introduction Access is the database management system in Microsoft Office. A database is an organized collection of facts about a particular subject. Examples of databases are an

More information

Getting Started with Microsoft Office Live Meeting. Published October 2007 Last Update: August 2009

Getting Started with Microsoft Office Live Meeting. Published October 2007 Last Update: August 2009 Getting Started with Microsoft Office Live Meeting Published October 2007 Last Update: August 2009 Information in this document, including URL and other Internet Web site references, is subject to change

More information