SlideShare ist ein Scribd-Unternehmen logo
1 von 21
R Language (basics, vectors,
arrays, matrices, factors
By K K Singh
RGUKT Nuzvid
19-08-2017KK Singh, RGUKT Nuzvid
1
Introduction
 R is a programming language and software environment for statistical analysis, graphics
representation and reporting. R was created by Ross Ihaka and Robert Gentleman at the
University of Auckland, New Zealand, and is currently developed by the R Development
Core Team.
 R is freely available under the GNU General Public License, and pre-compiled binary
versions are provided for various operating systems like Linux, Windows and Mac.
 This programming language was named R, based on the first letter of first name of the
two R authors (Robert Gentleman and Ross Ihaka), and partly a play on the name of the
Bell Labs Language S.
19-08-2017KK Singh, RGUKT Nuzvid
2
R environment setting
 Windows Installation
 You can download the Windows installer version of R from R-3.2.2 for
Windows (32/64 bit) and save it in a local directory.
 As it is a Windows installer (.exe) with a name "R-version-win.exe". You can
just double click and run the installer accepting the default settings.
Linux Installation
R is available as a binary for Linux at the location R Binaries.
you may use yum command to install R as follows −
$ yum install R
then you can launch R prompt as follows −
$ R
Now you can use install command at R prompt to install the required package.
For example, the following command will install plotrix package.
> install.packages("plotrix" )
19-08-2017KK Singh, RGUKT Nuzvid
3
Basic Sentence
Start your R command prompt by typing the following command (in Linux) −
$ R
OR double click on installed .exe file ( in windows)
This will launch R interpreter and you will get a prompt >
where you can start typing your program as follows −
 myString <- "Hello, World!"
 > print ( myString)
[1] "Hello, World!"
R Script File
Usually, you will do your programming by writing your programs in script files
and execute those scripts with the help of R interpreter called Rscript. Ex:
# My first program in R Programming
myString <- "Hello, World!“
print ( myString)
Save it as test.R and execute it at R command prompt.
> source(“test.R”)
[1] "Hello, World!"
19-08-2017KK Singh, RGUKT Nuzvid
4
Some basic useful command
 >help(word) # get the description of the word
 >?word # get the description
 >getwd() # get the working directory
 >setwd(“C:/kk”) # set the working directory
 >q() # quit
 >source(“filename.R”) #execute Rscript
 ……………………………………………………………..
 >sink(“filename.txt”) # direct output into filenale.txt
 >source(“file.R”)
 >sink() #exit from sink mode
19-08-2017KK Singh, RGUKT Nuzvid
5
R –Data Types
 In contrast to other programming languages like C and java in R, the
variables are not declared as some data type.
 The variables are assigned with R-Objects and the data type of the R-
object becomes the data type of the variable.
 Vectors
 Arrays
 Matrices
 Lists
 Factors
 Data Frames
19-08-2017KK Singh, RGUKT Nuzvid
6
Vector-Data Types
Data Type Example Verify
Logical TRUE, FALSE
v <- TRUE
print(class(v))
[1] "logical"
Numeric 12.3, 5, 999
v <- 23.5
print(class(v))
[1] "numeric"
Integer 2L, 34L, 0L
v <- 2L
print(class(v))
[1] "integer"
Complex 3 + 2i
v <- 2+5i
print(class(v))
[1] "complex"
Character
'a' , '"good",
"TRUE", '23.4'
v <- "TRUE"
print(class(v))
[1] "character" 19-08-2017KK Singh, RGUKT Nuzvid
7
Vector (Cont..)
To create vector with more than one element,
use c() function which combines elements into a vector.
# Create a vector.
apple <- c('red','green',"yellow")
print(apple) # Get the class of the vector.
print(class(apple))
………………………………………………………………………..
The non-character values are coerced to character type
if one of the elements is a character.
s <- c('apple','red',5,TRUE)
print(s)
it produces the following result −
[1] "apple" "red" "5" "TRUE"
19-08-2017KK Singh, RGUKT Nuzvid
8
Vector (Cont..)
Multiple Elements Vector
Using colon operator with numeric data
# Creating a sequence from 5 to 13.
v <- 5:13
print(v)
……………………………………………………………………………………………
v <- 6.6:12.6 # Creating a sequence from 6.6 to 12.6
print(v)
………………………………………………………………………………………………
# If the final element not belong to the sequence, it is discarded.
v <- 3.8:11.4
print(v)
………………………………………………………………………
Using sequence (Seq.) operator
# Create vector with elements from 5 to 9 incrementing by 0.4.
print(seq(5, 9, by = 0.4))
……………………………………………………………………….
# empty vector
>x<-numeric()
>x[3]<-5
>x
19-08-2017KK Singh, RGUKT Nuzvid
9
Accessing vector elements
Accessing Vector Elements
Elements of a Vector are accessed using indexing.
The [ ] brackets are used for indexing. Indexing starts
with position 1.
Giving a negative value in the index drops that element
from result.
TRUE, FALSE or 0 and 1 can also be used for indexing.
# Accessing vector elements using position.
t <- c("Sun","Mon","Tue","Wed","Thurs","Fri","Sat")
u <- t[c(2,3,6)]
print(u)
…………………………………………………………………………………………………….
v <- t[c(TRUE,FALSE,FALSE,FALSE,FALSE,TRUE,FALSE)]
print(v)
……………………………………………………………………………………………………………
……
x <- t[c(-2,-5)] # print t excluding 2nd & 5th index value
print(x)
19-08-2017KK Singh, RGUKT Nuzvid
10
Vector Manipulation
Two vectors of same length can be added, subtracted, multiplied or divided
giving the result as a vector output.
# Create two vectors.
v1 <- c(3,8,4,5,0,11)
v2 <- c(4,11,0,8,1,2)
add.result <- v1+v2
print(add.result)
……………………………………………………………………………
sub.result <- v1-v2
print(sub.result)
…………………………………………………………………………………………………
multi.result <- v1*v2
print(multi.result)
………………………………………………………………………………………….
divi.result <- v1/v2
print(divi.result)
………………………………………………………………………………………………………….19-08-2017KK Singh, RGUKT Nuzvid
11
What is
output
Vector Element Sorting
Elements in a vector can be sorted using
the sort() function.
v <- c(3,8,4,5,0,11, -9, 304) # Sort the elements of the vector.
sort.result <- sort(v)
print(sort.result) # Sort the elements in the reverse order.
revsort.result <- sort(v, decreasing = TRUE)
print(revsort.result)
19-08-2017KK Singh, RGUKT Nuzvid
13
Arrays
 Arrays are the R data objects which can store data in more than two
dimensions.
 For example − If we create an array of dimension (2, 3, 4) then it
creates 4 rectangular matrices each with 2 rows and 3 columns.
 Arrays can store only one data type.
 An array is created using the array() function.
 Example creates an array of two 3x3 matrices each with 3 rows and
3 columns.
vector1 <- c(5,9,3)
vector2 <- c(10,11,12,13,14,15) # Take these vectors as input to the array.
result <- array(c(vector1,vector2),dim = c(3,3,1))
print(result)
19-08-2017KK Singh, RGUKT Nuzvid
14
Naming Columns and Rows
We can give names to the rows, columns and matrices in the array by using
the dimnames parameter.
# Create two vectors of different lengths.
vector1 <- c(5,9,3)
vector2 <- c(10,11,12,13,14,15)
column.names <- c("COL1","COL2","COL3")
row.names <- c("ROW1","ROW2","ROW3")
matrix.names <- c("Matrix1","Matrix2") # Take these vectors as input to the array.
result <- array(c(vector1,vector2),dim = c(3,3,2),dimnames = list(row.names,column.names, m
print(result)
19-08-2017KK Singh, RGUKT Nuzvid
16
Accessing Array Elements# see previous example
print(result[3,,2]) # Print the third row of the second matrix of the array.
print(result[1,3,1]) # Print the element in the 1st row and 3rd column of the 1st matrix.
print(result[,,2]) # Print the 2nd Matrix.
It produces the following result −
COL1 COL2 COL3
3 12 15
[1] 13
COL1 COL2 COL3
ROW1 5 10 13
ROW2 9 11 14
ROW3 3 12 15
Q. Access 2nd & 4th column of the result.
19-08-2017KK Singh, RGUKT Nuzvid
18
Manipulating Array Elements
As array is made up matrices in multiple dimensions, the operations
on elements of array are carried out by accessing elements of the matrices.
# Create two vectors of different lengths.
vector1 <- c(5,9,3)
vector2 <- c(10,11,12,13,14,15)
array1 <- array(c(vector1,vector2),dim = c(3,3,2))
vector3 <- c(9,1,0)
vector4 <- c(6,0,11,3,14,1,2,6,9)
array2 <- array(c(vector1,vector2),dim = c(3,3,2))
matrix1 <- array1[,,2]
matrix2 <- array2[,,2]
result <- matrix1+matrix2
print(result)
19-08-2017KK Singh, RGUKT Nuzvid
19
R-Matrix
> Matrices are the R objects, which is two dimensional array.
> They contain elements of the same atomic types
> Matrix is created using the matrix() function.
Syntax
matrix(data, nrow, ncol, byrow, dimnames)
Example
M <- matrix(c(3:14), nrow = 4, byrow = TRUE)
print(M)
N <- matrix(c(3:14), nrow = 4, byrow = FALSE) # Elements are arranged
sequentially by column.
print(N) # Define the column and row names.
rownames = c("row1", "row2", "row3", "row4")
colnames = c("col1", "col2", "col3")
P <- matrix(c(3:14), nrow = 4, byrow = TRUE, dimnames = list(rownames,
colnames))
print(P)
19-08-2017KK Singh, RGUKT Nuzvid
21
Accessing Elements of a Matrix
Elements of a matrix can be accessed by using the column and row index of the element.
rownames = c("row1", "row2", "row3", "row4")
colnames = c("col1", "col2", "col3")
P <- matrix(c(3:14), nrow = 4, byrow = TRUE, dimnames = list(rownames, colnames)) # Create the matrix
print(P[1,3]) # Access the element at 3rd column and 1st row.
print(P[4,2]) # Access the element at 2nd column and 4th row.
print(P[2,]) # Access only the 2nd row.
print(P[,3]) # Access only the 3rd column.
It produces the following result −
[1] 5
[1] 13
col1 col2 col3
6 7 8
row1 row2 row3 row4
5 8 11 14
Q. A matrix has 100 columns, access all even index column.
19-08-2017KK Singh, RGUKT Nuzvid
23
19-08-2017KK Singh, RGUKT Nuzvid
24
Factorsare the data objects which are used to categorize the data and store it as levels.
They can store both strings and integers.
They are useful in the columns which have a limited number of unique values.
Like "Male, "Female" and True, False etc. They are useful in data analysis for statistical modeling.
Factors are created using the factor () function by taking a vector as input.
Example
# Create a vector as input.
data <- c("East","West","East","North","North","East","West","West","West","East","North")
print(data)
print(is.factor(data)) # Apply the factor function.
factor_data <- as.factor(data)
print(factor_data)
print(is.factor(factor_data))
It produces the following result −
[1] "East" "West" "East" "North" "North" "East" "West" "West" "West" "East" "North"
[1] FALSE
[1] East West East North North East West West West East North Levels: East North West
[1] TRUE
19-08-2017KK Singh, RGUKT Nuzvid
25
Factors in Data Frame
On creating any data frame with a column of text data,
R treats the text column as categorical data and creates factors on it.
# Create the vectors for data frame.
height <- c(132,151,162,139,166,147,122)
weight <- c(48,49,66,53,67,52,40)
gender <- c("male","male","female","female","male","female","male")
input_data <- data.frame(height,weight,gender)
print(input_data) # Test if the gender column is a factor.
print(as.factor(input_data$gender)) # Print the gender column so see the levels.
print(input_data$gender)
19-08-2017KK Singh, RGUKT Nuzvid
27

Weitere ähnliche Inhalte

Was ist angesagt?

Exploratory data analysis in R - Data Science Club
Exploratory data analysis in R - Data Science ClubExploratory data analysis in R - Data Science Club
Exploratory data analysis in R - Data Science ClubMartin Bago
 
Data Structures in Python
Data Structures in PythonData Structures in Python
Data Structures in PythonDevashish Kumar
 
R Programming: Introduction to Matrices
R Programming: Introduction to MatricesR Programming: Introduction to Matrices
R Programming: Introduction to MatricesRsquared Academy
 
R data-import, data-export
R data-import, data-exportR data-import, data-export
R data-import, data-exportFAO
 
3. R- list and data frame
3. R- list and data frame3. R- list and data frame
3. R- list and data framekrishna singh
 
Relational algebra ppt
Relational algebra pptRelational algebra ppt
Relational algebra pptGirdharRatne
 
sparse matrix in data structure
sparse matrix in data structuresparse matrix in data structure
sparse matrix in data structureMAHALAKSHMI P
 
Data Types and Structures in R
Data Types and Structures in RData Types and Structures in R
Data Types and Structures in RRupak Roy
 
Introduction to ggplot2
Introduction to ggplot2Introduction to ggplot2
Introduction to ggplot2maikroeder
 
2 R Tutorial Programming
2 R Tutorial Programming2 R Tutorial Programming
2 R Tutorial ProgrammingSakthi Dasans
 
Arrays in python
Arrays in pythonArrays in python
Arrays in pythonmoazamali28
 
R Programming Language
R Programming LanguageR Programming Language
R Programming LanguageNareshKarela1
 
R programming presentation
R programming presentationR programming presentation
R programming presentationAkshat Sharma
 
Relational Data Model Introduction
Relational Data Model IntroductionRelational Data Model Introduction
Relational Data Model IntroductionNishant Munjal
 
List,tuple,dictionary
List,tuple,dictionaryList,tuple,dictionary
List,tuple,dictionarynitamhaske
 
Data visualization using R
Data visualization using RData visualization using R
Data visualization using RUmmiya Mohammedi
 
Introduction to R Programming
Introduction to R ProgrammingIntroduction to R Programming
Introduction to R Programmingizahn
 
15 puzzle problem using branch and bound
15 puzzle problem using branch and bound15 puzzle problem using branch and bound
15 puzzle problem using branch and boundAbhishek Singh
 

Was ist angesagt? (20)

Exploratory data analysis in R - Data Science Club
Exploratory data analysis in R - Data Science ClubExploratory data analysis in R - Data Science Club
Exploratory data analysis in R - Data Science Club
 
Data Structures in Python
Data Structures in PythonData Structures in Python
Data Structures in Python
 
R Programming: Introduction to Matrices
R Programming: Introduction to MatricesR Programming: Introduction to Matrices
R Programming: Introduction to Matrices
 
R data-import, data-export
R data-import, data-exportR data-import, data-export
R data-import, data-export
 
3. R- list and data frame
3. R- list and data frame3. R- list and data frame
3. R- list and data frame
 
Relational algebra ppt
Relational algebra pptRelational algebra ppt
Relational algebra ppt
 
sparse matrix in data structure
sparse matrix in data structuresparse matrix in data structure
sparse matrix in data structure
 
Data Types and Structures in R
Data Types and Structures in RData Types and Structures in R
Data Types and Structures in R
 
Introduction to ggplot2
Introduction to ggplot2Introduction to ggplot2
Introduction to ggplot2
 
Programming in R
Programming in RProgramming in R
Programming in R
 
2 R Tutorial Programming
2 R Tutorial Programming2 R Tutorial Programming
2 R Tutorial Programming
 
Arrays in python
Arrays in pythonArrays in python
Arrays in python
 
R Programming Language
R Programming LanguageR Programming Language
R Programming Language
 
R programming presentation
R programming presentationR programming presentation
R programming presentation
 
Relational Data Model Introduction
Relational Data Model IntroductionRelational Data Model Introduction
Relational Data Model Introduction
 
List,tuple,dictionary
List,tuple,dictionaryList,tuple,dictionary
List,tuple,dictionary
 
Data visualization using R
Data visualization using RData visualization using R
Data visualization using R
 
Introduction to R Programming
Introduction to R ProgrammingIntroduction to R Programming
Introduction to R Programming
 
Relational algebra in dbms
Relational algebra in dbmsRelational algebra in dbms
Relational algebra in dbms
 
15 puzzle problem using branch and bound
15 puzzle problem using branch and bound15 puzzle problem using branch and bound
15 puzzle problem using branch and bound
 

Ähnlich wie 2. R-basics, Vectors, Arrays, Matrices, Factors

R Programming: Importing Data In R
R Programming: Importing Data In RR Programming: Importing Data In R
R Programming: Importing Data In RRsquared Academy
 
RDataMining slides-r-programming
RDataMining slides-r-programmingRDataMining slides-r-programming
RDataMining slides-r-programmingYanchang Zhao
 
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docx
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docxINFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docx
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docxcarliotwaycave
 
Lecture1_R.pdf
Lecture1_R.pdfLecture1_R.pdf
Lecture1_R.pdfBusyBird2
 
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdf
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdfSTAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdf
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdfSOUMIQUE AHAMED
 
R Programming.pptx
R Programming.pptxR Programming.pptx
R Programming.pptxkalai75
 
Modeling in R Programming Language for Beginers.ppt
Modeling in R Programming Language for Beginers.pptModeling in R Programming Language for Beginers.ppt
Modeling in R Programming Language for Beginers.pptanshikagoel52
 
R for Pythonistas (PyData NYC 2017)
R for Pythonistas (PyData NYC 2017)R for Pythonistas (PyData NYC 2017)
R for Pythonistas (PyData NYC 2017)Christopher Roach
 
R tutorial for a windows environment
R tutorial for a windows environmentR tutorial for a windows environment
R tutorial for a windows environmentYogendra Chaubey
 
R-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdfR-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdfKabilaArun
 

Ähnlich wie 2. R-basics, Vectors, Arrays, Matrices, Factors (20)

NCCU: Statistics in the Criminal Justice System, R basics and Simulation - Pr...
NCCU: Statistics in the Criminal Justice System, R basics and Simulation - Pr...NCCU: Statistics in the Criminal Justice System, R basics and Simulation - Pr...
NCCU: Statistics in the Criminal Justice System, R basics and Simulation - Pr...
 
R basics
R basicsR basics
R basics
 
QMC: Undergraduate Workshop, Tutorial on 'R' Software - Yawen Guan, Feb 26, 2...
QMC: Undergraduate Workshop, Tutorial on 'R' Software - Yawen Guan, Feb 26, 2...QMC: Undergraduate Workshop, Tutorial on 'R' Software - Yawen Guan, Feb 26, 2...
QMC: Undergraduate Workshop, Tutorial on 'R' Software - Yawen Guan, Feb 26, 2...
 
R Programming: Importing Data In R
R Programming: Importing Data In RR Programming: Importing Data In R
R Programming: Importing Data In R
 
R Programming Intro
R Programming IntroR Programming Intro
R Programming Intro
 
RDataMining slides-r-programming
RDataMining slides-r-programmingRDataMining slides-r-programming
RDataMining slides-r-programming
 
R Basics
R BasicsR Basics
R Basics
 
Introduction to r
Introduction to rIntroduction to r
Introduction to r
 
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docx
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docxINFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docx
INFORMATIVE ESSAYThe purpose of the Informative Essay assignme.docx
 
Lecture1_R.pdf
Lecture1_R.pdfLecture1_R.pdf
Lecture1_R.pdf
 
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdf
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdfSTAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdf
STAT-522 (Data Analysis Using R) by SOUMIQUE AHAMED.pdf
 
R Programming.pptx
R Programming.pptxR Programming.pptx
R Programming.pptx
 
Lecture1_R.ppt
Lecture1_R.pptLecture1_R.ppt
Lecture1_R.ppt
 
Lecture1_R.ppt
Lecture1_R.pptLecture1_R.ppt
Lecture1_R.ppt
 
Lecture1 r
Lecture1 rLecture1 r
Lecture1 r
 
Modeling in R Programming Language for Beginers.ppt
Modeling in R Programming Language for Beginers.pptModeling in R Programming Language for Beginers.ppt
Modeling in R Programming Language for Beginers.ppt
 
R for Pythonistas (PyData NYC 2017)
R for Pythonistas (PyData NYC 2017)R for Pythonistas (PyData NYC 2017)
R for Pythonistas (PyData NYC 2017)
 
R tutorial for a windows environment
R tutorial for a windows environmentR tutorial for a windows environment
R tutorial for a windows environment
 
R-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdfR-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdf
 
R-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdfR-Language-Lab-Manual-lab-1.pdf
R-Language-Lab-Manual-lab-1.pdf
 

Kürzlich hochgeladen

Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...
Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...
Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...nirzagarg
 
DATA SUMMIT 24 Building Real-Time Pipelines With FLaNK
DATA SUMMIT 24  Building Real-Time Pipelines With FLaNKDATA SUMMIT 24  Building Real-Time Pipelines With FLaNK
DATA SUMMIT 24 Building Real-Time Pipelines With FLaNKTimothy Spann
 
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...gajnagarg
 
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...kumargunjan9515
 
20240412-SmartCityIndex-2024-Full-Report.pdf
20240412-SmartCityIndex-2024-Full-Report.pdf20240412-SmartCityIndex-2024-Full-Report.pdf
20240412-SmartCityIndex-2024-Full-Report.pdfkhraisr
 
Discover Why Less is More in B2B Research
Discover Why Less is More in B2B ResearchDiscover Why Less is More in B2B Research
Discover Why Less is More in B2B Researchmichael115558
 
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...gajnagarg
 
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...Bertram Ludäscher
 
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...nirzagarg
 
Digital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareDigital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareGraham Ware
 
Fun all Day Call Girls in Jaipur 9332606886 High Profile Call Girls You Ca...
Fun all Day Call Girls in Jaipur   9332606886  High Profile Call Girls You Ca...Fun all Day Call Girls in Jaipur   9332606886  High Profile Call Girls You Ca...
Fun all Day Call Girls in Jaipur 9332606886 High Profile Call Girls You Ca...kumargunjan9515
 
Gartner's Data Analytics Maturity Model.pptx
Gartner's Data Analytics Maturity Model.pptxGartner's Data Analytics Maturity Model.pptx
Gartner's Data Analytics Maturity Model.pptxchadhar227
 
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制vexqp
 
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteedamy56318795
 
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...TrafficWave Generator Will Instantly drive targeted and engaging traffic back...
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...SOFTTECHHUB
 
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Valters Lauzums
 
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...gajnagarg
 
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...ZurliaSoop
 
Computer science Sql cheat sheet.pdf.pdf
Computer science Sql cheat sheet.pdf.pdfComputer science Sql cheat sheet.pdf.pdf
Computer science Sql cheat sheet.pdf.pdfSayantanBiswas37
 

Kürzlich hochgeladen (20)

Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...
Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...
Top profile Call Girls In Bihar Sharif [ 7014168258 ] Call Me For Genuine Mod...
 
DATA SUMMIT 24 Building Real-Time Pipelines With FLaNK
DATA SUMMIT 24  Building Real-Time Pipelines With FLaNKDATA SUMMIT 24  Building Real-Time Pipelines With FLaNK
DATA SUMMIT 24 Building Real-Time Pipelines With FLaNK
 
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
 
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
 
20240412-SmartCityIndex-2024-Full-Report.pdf
20240412-SmartCityIndex-2024-Full-Report.pdf20240412-SmartCityIndex-2024-Full-Report.pdf
20240412-SmartCityIndex-2024-Full-Report.pdf
 
Discover Why Less is More in B2B Research
Discover Why Less is More in B2B ResearchDiscover Why Less is More in B2B Research
Discover Why Less is More in B2B Research
 
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In bhavnagar [ 7014168258 ] Call Me For Genuine Models...
 
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
 
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Purnia [ 7014168258 ] Call Me For Genuine Models We...
 
Digital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareDigital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham Ware
 
Fun all Day Call Girls in Jaipur 9332606886 High Profile Call Girls You Ca...
Fun all Day Call Girls in Jaipur   9332606886  High Profile Call Girls You Ca...Fun all Day Call Girls in Jaipur   9332606886  High Profile Call Girls You Ca...
Fun all Day Call Girls in Jaipur 9332606886 High Profile Call Girls You Ca...
 
Gartner's Data Analytics Maturity Model.pptx
Gartner's Data Analytics Maturity Model.pptxGartner's Data Analytics Maturity Model.pptx
Gartner's Data Analytics Maturity Model.pptx
 
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制
怎样办理圣地亚哥州立大学毕业证(SDSU毕业证书)成绩单学校原版复制
 
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed
5CL-ADBA,5cladba, Chinese supplier, safety is guaranteed
 
Abortion pills in Jeddah | +966572737505 | Get Cytotec
Abortion pills in Jeddah | +966572737505 | Get CytotecAbortion pills in Jeddah | +966572737505 | Get Cytotec
Abortion pills in Jeddah | +966572737505 | Get Cytotec
 
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...TrafficWave Generator Will Instantly drive targeted and engaging traffic back...
TrafficWave Generator Will Instantly drive targeted and engaging traffic back...
 
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
 
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
 
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...
Jual Obat Aborsi Surabaya ( Asli No.1 ) 085657271886 Obat Penggugur Kandungan...
 
Computer science Sql cheat sheet.pdf.pdf
Computer science Sql cheat sheet.pdf.pdfComputer science Sql cheat sheet.pdf.pdf
Computer science Sql cheat sheet.pdf.pdf
 

2. R-basics, Vectors, Arrays, Matrices, Factors

  • 1. R Language (basics, vectors, arrays, matrices, factors By K K Singh RGUKT Nuzvid 19-08-2017KK Singh, RGUKT Nuzvid 1
  • 2. Introduction  R is a programming language and software environment for statistical analysis, graphics representation and reporting. R was created by Ross Ihaka and Robert Gentleman at the University of Auckland, New Zealand, and is currently developed by the R Development Core Team.  R is freely available under the GNU General Public License, and pre-compiled binary versions are provided for various operating systems like Linux, Windows and Mac.  This programming language was named R, based on the first letter of first name of the two R authors (Robert Gentleman and Ross Ihaka), and partly a play on the name of the Bell Labs Language S. 19-08-2017KK Singh, RGUKT Nuzvid 2
  • 3. R environment setting  Windows Installation  You can download the Windows installer version of R from R-3.2.2 for Windows (32/64 bit) and save it in a local directory.  As it is a Windows installer (.exe) with a name "R-version-win.exe". You can just double click and run the installer accepting the default settings. Linux Installation R is available as a binary for Linux at the location R Binaries. you may use yum command to install R as follows − $ yum install R then you can launch R prompt as follows − $ R Now you can use install command at R prompt to install the required package. For example, the following command will install plotrix package. > install.packages("plotrix" ) 19-08-2017KK Singh, RGUKT Nuzvid 3
  • 4. Basic Sentence Start your R command prompt by typing the following command (in Linux) − $ R OR double click on installed .exe file ( in windows) This will launch R interpreter and you will get a prompt > where you can start typing your program as follows −  myString <- "Hello, World!"  > print ( myString) [1] "Hello, World!" R Script File Usually, you will do your programming by writing your programs in script files and execute those scripts with the help of R interpreter called Rscript. Ex: # My first program in R Programming myString <- "Hello, World!“ print ( myString) Save it as test.R and execute it at R command prompt. > source(“test.R”) [1] "Hello, World!" 19-08-2017KK Singh, RGUKT Nuzvid 4
  • 5. Some basic useful command  >help(word) # get the description of the word  >?word # get the description  >getwd() # get the working directory  >setwd(“C:/kk”) # set the working directory  >q() # quit  >source(“filename.R”) #execute Rscript  ……………………………………………………………..  >sink(“filename.txt”) # direct output into filenale.txt  >source(“file.R”)  >sink() #exit from sink mode 19-08-2017KK Singh, RGUKT Nuzvid 5
  • 6. R –Data Types  In contrast to other programming languages like C and java in R, the variables are not declared as some data type.  The variables are assigned with R-Objects and the data type of the R- object becomes the data type of the variable.  Vectors  Arrays  Matrices  Lists  Factors  Data Frames 19-08-2017KK Singh, RGUKT Nuzvid 6
  • 7. Vector-Data Types Data Type Example Verify Logical TRUE, FALSE v <- TRUE print(class(v)) [1] "logical" Numeric 12.3, 5, 999 v <- 23.5 print(class(v)) [1] "numeric" Integer 2L, 34L, 0L v <- 2L print(class(v)) [1] "integer" Complex 3 + 2i v <- 2+5i print(class(v)) [1] "complex" Character 'a' , '"good", "TRUE", '23.4' v <- "TRUE" print(class(v)) [1] "character" 19-08-2017KK Singh, RGUKT Nuzvid 7
  • 8. Vector (Cont..) To create vector with more than one element, use c() function which combines elements into a vector. # Create a vector. apple <- c('red','green',"yellow") print(apple) # Get the class of the vector. print(class(apple)) ……………………………………………………………………….. The non-character values are coerced to character type if one of the elements is a character. s <- c('apple','red',5,TRUE) print(s) it produces the following result − [1] "apple" "red" "5" "TRUE" 19-08-2017KK Singh, RGUKT Nuzvid 8
  • 9. Vector (Cont..) Multiple Elements Vector Using colon operator with numeric data # Creating a sequence from 5 to 13. v <- 5:13 print(v) …………………………………………………………………………………………… v <- 6.6:12.6 # Creating a sequence from 6.6 to 12.6 print(v) ……………………………………………………………………………………………… # If the final element not belong to the sequence, it is discarded. v <- 3.8:11.4 print(v) ……………………………………………………………………… Using sequence (Seq.) operator # Create vector with elements from 5 to 9 incrementing by 0.4. print(seq(5, 9, by = 0.4)) ………………………………………………………………………. # empty vector >x<-numeric() >x[3]<-5 >x 19-08-2017KK Singh, RGUKT Nuzvid 9
  • 10. Accessing vector elements Accessing Vector Elements Elements of a Vector are accessed using indexing. The [ ] brackets are used for indexing. Indexing starts with position 1. Giving a negative value in the index drops that element from result. TRUE, FALSE or 0 and 1 can also be used for indexing. # Accessing vector elements using position. t <- c("Sun","Mon","Tue","Wed","Thurs","Fri","Sat") u <- t[c(2,3,6)] print(u) ……………………………………………………………………………………………………. v <- t[c(TRUE,FALSE,FALSE,FALSE,FALSE,TRUE,FALSE)] print(v) …………………………………………………………………………………………………………… …… x <- t[c(-2,-5)] # print t excluding 2nd & 5th index value print(x) 19-08-2017KK Singh, RGUKT Nuzvid 10
  • 11. Vector Manipulation Two vectors of same length can be added, subtracted, multiplied or divided giving the result as a vector output. # Create two vectors. v1 <- c(3,8,4,5,0,11) v2 <- c(4,11,0,8,1,2) add.result <- v1+v2 print(add.result) …………………………………………………………………………… sub.result <- v1-v2 print(sub.result) ………………………………………………………………………………………………… multi.result <- v1*v2 print(multi.result) …………………………………………………………………………………………. divi.result <- v1/v2 print(divi.result) ………………………………………………………………………………………………………….19-08-2017KK Singh, RGUKT Nuzvid 11 What is output
  • 12. Vector Element Sorting Elements in a vector can be sorted using the sort() function. v <- c(3,8,4,5,0,11, -9, 304) # Sort the elements of the vector. sort.result <- sort(v) print(sort.result) # Sort the elements in the reverse order. revsort.result <- sort(v, decreasing = TRUE) print(revsort.result) 19-08-2017KK Singh, RGUKT Nuzvid 13
  • 13. Arrays  Arrays are the R data objects which can store data in more than two dimensions.  For example − If we create an array of dimension (2, 3, 4) then it creates 4 rectangular matrices each with 2 rows and 3 columns.  Arrays can store only one data type.  An array is created using the array() function.  Example creates an array of two 3x3 matrices each with 3 rows and 3 columns. vector1 <- c(5,9,3) vector2 <- c(10,11,12,13,14,15) # Take these vectors as input to the array. result <- array(c(vector1,vector2),dim = c(3,3,1)) print(result) 19-08-2017KK Singh, RGUKT Nuzvid 14
  • 14. Naming Columns and Rows We can give names to the rows, columns and matrices in the array by using the dimnames parameter. # Create two vectors of different lengths. vector1 <- c(5,9,3) vector2 <- c(10,11,12,13,14,15) column.names <- c("COL1","COL2","COL3") row.names <- c("ROW1","ROW2","ROW3") matrix.names <- c("Matrix1","Matrix2") # Take these vectors as input to the array. result <- array(c(vector1,vector2),dim = c(3,3,2),dimnames = list(row.names,column.names, m print(result) 19-08-2017KK Singh, RGUKT Nuzvid 16
  • 15. Accessing Array Elements# see previous example print(result[3,,2]) # Print the third row of the second matrix of the array. print(result[1,3,1]) # Print the element in the 1st row and 3rd column of the 1st matrix. print(result[,,2]) # Print the 2nd Matrix. It produces the following result − COL1 COL2 COL3 3 12 15 [1] 13 COL1 COL2 COL3 ROW1 5 10 13 ROW2 9 11 14 ROW3 3 12 15 Q. Access 2nd & 4th column of the result. 19-08-2017KK Singh, RGUKT Nuzvid 18
  • 16. Manipulating Array Elements As array is made up matrices in multiple dimensions, the operations on elements of array are carried out by accessing elements of the matrices. # Create two vectors of different lengths. vector1 <- c(5,9,3) vector2 <- c(10,11,12,13,14,15) array1 <- array(c(vector1,vector2),dim = c(3,3,2)) vector3 <- c(9,1,0) vector4 <- c(6,0,11,3,14,1,2,6,9) array2 <- array(c(vector1,vector2),dim = c(3,3,2)) matrix1 <- array1[,,2] matrix2 <- array2[,,2] result <- matrix1+matrix2 print(result) 19-08-2017KK Singh, RGUKT Nuzvid 19
  • 17. R-Matrix > Matrices are the R objects, which is two dimensional array. > They contain elements of the same atomic types > Matrix is created using the matrix() function. Syntax matrix(data, nrow, ncol, byrow, dimnames) Example M <- matrix(c(3:14), nrow = 4, byrow = TRUE) print(M) N <- matrix(c(3:14), nrow = 4, byrow = FALSE) # Elements are arranged sequentially by column. print(N) # Define the column and row names. rownames = c("row1", "row2", "row3", "row4") colnames = c("col1", "col2", "col3") P <- matrix(c(3:14), nrow = 4, byrow = TRUE, dimnames = list(rownames, colnames)) print(P) 19-08-2017KK Singh, RGUKT Nuzvid 21
  • 18. Accessing Elements of a Matrix Elements of a matrix can be accessed by using the column and row index of the element. rownames = c("row1", "row2", "row3", "row4") colnames = c("col1", "col2", "col3") P <- matrix(c(3:14), nrow = 4, byrow = TRUE, dimnames = list(rownames, colnames)) # Create the matrix print(P[1,3]) # Access the element at 3rd column and 1st row. print(P[4,2]) # Access the element at 2nd column and 4th row. print(P[2,]) # Access only the 2nd row. print(P[,3]) # Access only the 3rd column. It produces the following result − [1] 5 [1] 13 col1 col2 col3 6 7 8 row1 row2 row3 row4 5 8 11 14 Q. A matrix has 100 columns, access all even index column. 19-08-2017KK Singh, RGUKT Nuzvid 23
  • 19. 19-08-2017KK Singh, RGUKT Nuzvid 24 Factorsare the data objects which are used to categorize the data and store it as levels. They can store both strings and integers. They are useful in the columns which have a limited number of unique values. Like "Male, "Female" and True, False etc. They are useful in data analysis for statistical modeling. Factors are created using the factor () function by taking a vector as input. Example # Create a vector as input. data <- c("East","West","East","North","North","East","West","West","West","East","North") print(data) print(is.factor(data)) # Apply the factor function. factor_data <- as.factor(data) print(factor_data) print(is.factor(factor_data)) It produces the following result − [1] "East" "West" "East" "North" "North" "East" "West" "West" "West" "East" "North" [1] FALSE [1] East West East North North East West West West East North Levels: East North West [1] TRUE
  • 20. 19-08-2017KK Singh, RGUKT Nuzvid 25 Factors in Data Frame On creating any data frame with a column of text data, R treats the text column as categorical data and creates factors on it. # Create the vectors for data frame. height <- c(132,151,162,139,166,147,122) weight <- c(48,49,66,53,67,52,40) gender <- c("male","male","female","female","male","female","male") input_data <- data.frame(height,weight,gender) print(input_data) # Test if the gender column is a factor. print(as.factor(input_data$gender)) # Print the gender column so see the levels. print(input_data$gender)