SlideShare a Scribd company logo
1 of 51
Download to read offline
R basic
@anchu
April 2017
Essential data wrangling tasks
Import
Explore
Index/subset
Reshape
Merge
Aggregate
Repeat
Importing
Plain text files: the workhorse function read.table()
read.table("path_to_file",
header = TRUE, # first row as column names
sep = ",", # column separtor
stringsAsFactors = FALSE) # not convert text to factors
Importing
Customized read.table() variants:
read.csv(sep = ",")
read.csv2(sep = ";")
read.delim(sep = "t")
Others: read_csv() (readr) or fread() (data.table)
Importing
Excel spreadsheets:
library(readxl)
dtf <- read_excel("path_to_file",
sheet = 1, # sheet to read (name or position)
skip = 0) # number of rows to skip
Others: read.xls (gdata) or read.xlsx() (xlsx)
Exploring
Structure and type of columns:
str(cars)
> 'data.frame': 50 obs. of 2 variables:
> $ speed: num 4 4 7 7 8 9 10 10 10 11 ...
> $ dist : num 2 10 4 22 16 10 18 26 34 17 ...
Exploring
The first and the last six rows of the data set:
head(cars) # tail(cars)
> speed dist
> 1 4 2
> 2 4 10
> 3 7 4
> 4 7 22
> 5 8 16
> 6 9 10
Exploring
Summary statistics:
summary(cars)
> speed dist
> Min. : 4.0 Min. : 2.00
> 1st Qu.:12.0 1st Qu.: 26.00
> Median :15.0 Median : 36.00
> Mean :15.4 Mean : 42.98
> 3rd Qu.:19.0 3rd Qu.: 56.00
> Max. :25.0 Max. :120.00
Exploring
Counting:
table(mtcars$cyl) # frequency
>
> 4 6 8
> 11 7 14
prop.table(table(mtcars$cyl)) # proportion
>
> 4 6 8
> 0.34375 0.21875 0.43750
Indexing/Subsetting
Question: What’s the difference among the following data structures in R?
Array
Atomic vector
Data frame
List
Matrix
Indexing/Subsetting
Answer:
Homogeneous Heterogeneous
1d Atomic vector List
2d Matrix Data frame
nd Array
Homogeneous: all contents must be the same type.
Heterogeneous: the contents can be of different types.
Indexing/Subsetting
Atomic vector:
x <- c(2, 4, 3, 5)
## positive integers (note: duplicated indices yield duplicated val
x[c(3, 1)]
> [1] 3 2
## negative integers (note: can't mix positive and negative integer
x[-c(3, 1)]
> [1] 4 5
Indexing/Subsetting
Atomic vector:
## logical vector (note: conditional expr is OK: x[x %% 2 == 0])
x[c(TRUE, TRUE, FALSE, FALSE)]
> [1] 2 4
## nothing
x[] # returns original vector
> [1] 2 4 3 5
Indexing/Subsetting
Atomic vector:
## zero
x[0] # returns zero-length vector
> numeric(0)
## character vector (subsetting using names)
y <- setNames(x, letters[1:4])
y[c("c", "a", "d")]
> c a d
> 3 2 5
Indexing/Subsetting
List:
Subsetting a list works in the same way as subsetting an atomic vector.
Using [ will always return a list; [[ and $ pull out the components of the list.
Indexing/Subsetting
Matrix:
General form of matrix subsets: x[i, j]
(m <- matrix(1:12, nrow = 3, ncol = 4))
> [,1] [,2] [,3] [,4]
> [1,] 1 4 7 10
> [2,] 2 5 8 11
> [3,] 3 6 9 12
m[1:2, c(2, 4)]
> [,1] [,2]
> [1,] 4 10
> [2,] 5 11
Indexing/Subsetting
Data frames:
Data frames possess the characteristics of both lists and matrices: if you
subset with a single vector, they behave like lists; if you subset with two
vectors, they behave like matrices.
dtf <- data.frame(x = 1:3, y = 3:1, z = letters[1:3])
dtf
> x y z
> 1 1 3 a
> 2 2 2 b
> 3 3 1 c
Indexing/Subsetting
Data frames:
dtf[2, ] # slicing
> x y z
> 2 2 2 b
dtf[dtf$x == 2, ] # conditional subsetting
> x y z
> 2 2 2 b
Indexing/Subsetting
Data frames:
dtf[, c(1, 3)]
> x z
> 1 1 a
> 2 2 b
> 3 3 c
dtf[, c("x", "z")]
> x z
> 1 1 a
> 2 2 b
> 3 3 c
Indexing/Subsetting
Data frames:
if output is a single column, returns a vector instead of a data frame.
str(dtf[, "x"]) # simplifying
> int [1:3] 1 2 3
str(dtf[, "x", drop = F]) # preserving
> 'data.frame': 3 obs. of 1 variable:
> $ x: int 1 2 3
Indexing/Subsetting
Data frames: alternative facility subset()
subset(cars, speed > 20)
> speed dist
> 44 22 66
> 45 23 54
> 46 24 70
> 47 24 92
> 48 24 93
> 49 24 120
> 50 25 85
Indexing/Subsetting
Exercises:
Point out subsetting errors in the following expressions:
mtcars[mtcars$cyl = 4, ]
mtcars[-1:4, ]
mtcars[mtcars$cyl <= 5]
mtcars[mtcars$cyl == 4 | 6, ]
Indexing/Subsetting
Solutions:
mtcars[mtcars$cyl == 4, ]
mtcars[-c(1:4), ]
mtcars[mtcars$cyl <= 5, ]
mtcars[mtcars$cyl == 4 | mtcars$cyl == 6, ]
Reshaping
Tidy data
Reshaping
reshape2 written by Hadley Wickham that makes it dealy easy to transform
data between wide and long formats.
Wide-format data:
day storeA storeB storeC
2017/03/22 12 2 34
2017/03/23 1 11 5
Long-format data:
day stores sales
2017/03/22 storeA 12
2017/03/22 storeB 2
2017/03/22 storeC 34
2017/03/23 storeA 1
2017/03/23 storeB 11
2017/03/23 storeC 5
Reshaping
melt() takes wide-format data and melts it into long-format data.
long <- melt(dtf, id.vars = "day",
variable.name = "stores", value.name = "sales")
long
> day stores sales
> 1 2017/03/22 storeA 12
> 2 2017/03/23 storeA 1
> 3 2017/03/22 storeB 2
> 4 2017/03/23 storeB 11
> 5 2017/03/22 storeC 34
> 6 2017/03/23 storeC 5
Reshaping
dcast() takes long-format data and casts it into wide-format data.
wide <- dcast(long, day ~ stores, value.var = "sales")
wide
> day storeA storeB storeC
> 1 2017/03/22 12 2 34
> 2 2017/03/23 1 11 5
Reshaping
Other solutions:
spread() and gather() (tidyr)
reshape() (stats)
Merging
Binding 2 data frames vertically:
## The two data frames must have the same variables,
## but they do not have to be in the same order.
total <- rbind(dtf_A, dtf_B)
Binding 2 data frames horizontally:
## The two data frames must have the same rows.
total <- cbind(dtf_A, dtf_B)
Merging
Question: Given
a <- data.frame(x1 = c("A", "B", "C"), x2 = c(1, 2, 3))
b <- data.frame(x1 = c("A", "B", "D"), x3 = c(T, F, T))
Which expression is used to get the following result?
> x1 x2 x3
> 1 A 1 TRUE
> 2 B 2 FALSE
> 3 C 3 NA
a. merge(a, b, by = "x1", all = T)
b. merge(a, b, by = "x1", all.x = T)
c. merge(a, b, by = "x1", all = F)
d. merge(a, b, by = "x1", all.y = T)
Merging
Answer: b
merge(a, b, by = "x1", all.x = T)
> x1 x2 x3
> 1 A 1 TRUE
> 2 B 2 FALSE
> 3 C 3 NA
Merging
Joining two data frames by key (similiar to JOIN two tables in SQL)
dtf1 dtf2
Figure 1: Two data frames with shared columns for merging
Merging
Left join:
merge(x = dtf1, y = dtf2, all.x = TRUE)
dtf1 dtf2
Figure 2: all.x = TRUE
Merging
Right join:
merge(x = dtf1, y = dtf2, all.y = TRUE)
dtf1 dtf2
Figure 3: all.y = TRUE
Merging
Full join:
merge(x = dtf1, y = dtf2, all = TRUE)
dtf1 dtf2
Figure 4: all = TRUE
Merging
Inner join:
merge(x = dtf1, y = dtf2, all = FALSE)
dtf1 dtf2
Figure 5: all = FALSE
Merging
Other solutions:
dplyr:
left_join(dtf1, dtf2)
right_join(dtf1, dtf2)
full_join(dtf1, dtf2)
inner_join(dtf1, dtf2)
## and more:
semi_join(dtf1, dtf2)
anti_join(dtf1, dtf2)
data.table (enhanced merge() is extremly fast)
Aggregating
Repeating/Looping
Generating sequences:
1:10
> [1] 1 2 3 4 5 6 7 8 9 10
10:1
> [1] 10 9 8 7 6 5 4 3 2 1
Repeating/Looping
More general sequences:
The step in sequences created by : is always 1.
seq() makes it possible to generate more general sequences
seq(from,
to,
by, # stepsize
length.out) # length of final vector
Repeating/Looping
Sequence examples:
seq(0, 1, by = 0.1)
> [1] 0.0 0.1 0.2 0.3 0.4 0.5 0.6 0.7 0.8 0.9 1.0
seq(0, 1, length.out = 11)
> [1] 0.0 0.1 0.2 0.3 0.4 0.5 0.6 0.7 0.8 0.9 1.0
seq(0, by = 0.1, length.out = 11)
> [1] 0.0 0.1 0.2 0.3 0.4 0.5 0.6 0.7 0.8 0.9 1.0
Repeating/Looping
Repeating values with rep():
rep(1:4, times = 3)
> [1] 1 2 3 4 1 2 3 4 1 2 3 4
rep(1:4, each = 3)
> [1] 1 1 1 2 2 2 3 3 3 4 4 4
Repeating/Looping
Quiz:
Use paste0() and rep() to generate the following sequence of dates:
> [1] "1/2016" "2/2016" "3/2016" "4/2016" "5/2016" "6/2016"
> [8] "8/2016" "9/2016" "10/2016" "11/2016" "12/2016" "1/2017"
> [15] "3/2017" "4/2017" "5/2017" "6/2017" "7/2017" "8/2017"
> [22] "10/2017" "11/2017" "12/2017"
Repeating/Looping
Answer:
paste0(rep(1:12, times = 2), "/", rep(2016:2017, each = 12))
> [1] "1/2016" "2/2016" "3/2016" "4/2016" "5/2016" "6/2016"
> [8] "8/2016" "9/2016" "10/2016" "11/2016" "12/2016" "1/2017"
> [15] "3/2017" "4/2017" "5/2017" "6/2017" "7/2017" "8/2017"
> [22] "10/2017" "11/2017" "12/2017"
Repeating/Looping
if-then-else statements:
if-then-else helps to choose between two expressions depending on the value of
a (logical) condition.
Form:
if (condition) expr1 else expr2
Note:
Only the first element in condition is checked.
Repeating/Looping
if-then-else example:
x <- 9
if (x > 0) y <- sqrt(x) else y <- x^2
print(y)
> [1] 3
Repeating/Looping
if-then-else example:
x <- c(-4, 9)
if (x > 0) y <- sqrt(x) else y <- x^2
> Warning in if (x > 0) y <- sqrt(x) else y <- x^2: the condition h
> > 1 and only the first element will be used
print(y)
> [1] 16 81
Repeating/Looping
for loop:
for-loop repeatedly carries out some tasks for each element of a vector.
Form:
for (variable in vector) expression
Repeating/Looping
for-loop examples:
(x <- sample(letters, size = 13))
> [1] "t" "r" "j" "i" "s" "v" "x" "g" "a" "l" "p" "u" "e"
for (i in 1:length(x)) {
if (x[i] %in% c("a", "e", "i", "o", "u", "y")) {
print(i) # position of vowels
}
}
> [1] 4
> [1] 9
> [1] 12
Repeating/Looping
for-loop examples:
for (i in 1:21) {
plot(..., pch = i)
}
pch = 1 pch = 2 pch = 3 pch = 4 pch = 5 pch = 6 pch = 7
pch = 8 pch = 9 pch = 10 pch = 11 pch = 12 pch = 13 pch = 14
pch = 15 pch = 16 pch = 17 pch = 18 pch = 19 pch = 20 pch = 21
Repeating/Looping
for-loop examples:
for (i in 1:6) {
plot(..., lty = i)
}
lty = 1
lty = 2
lty = 3
lty = 4
lty = 5
lty = 6

More Related Content

What's hot

What's hot (20)

DataFrame in Python Pandas
DataFrame in Python PandasDataFrame in Python Pandas
DataFrame in Python Pandas
 
Day 2b i/o.pptx
Day 2b   i/o.pptxDay 2b   i/o.pptx
Day 2b i/o.pptx
 
Day 1b R structures objects.pptx
Day 1b   R structures   objects.pptxDay 1b   R structures   objects.pptx
Day 1b R structures objects.pptx
 
Data Analysis and Programming in R
Data Analysis and Programming in RData Analysis and Programming in R
Data Analysis and Programming in R
 
3 R Tutorial Data Structure
3 R Tutorial Data Structure3 R Tutorial Data Structure
3 R Tutorial Data Structure
 
Python
PythonPython
Python
 
R for Statistical Computing
R for Statistical ComputingR for Statistical Computing
R for Statistical Computing
 
Python matplotlib cheat_sheet
Python matplotlib cheat_sheetPython matplotlib cheat_sheet
Python matplotlib cheat_sheet
 
List and Dictionary in python
List and Dictionary in pythonList and Dictionary in python
List and Dictionary in python
 
Multi dimensional arrays
Multi dimensional arraysMulti dimensional arrays
Multi dimensional arrays
 
Python crush course
Python crush coursePython crush course
Python crush course
 
Pandas Series
Pandas SeriesPandas Series
Pandas Series
 
R Language Introduction
R Language IntroductionR Language Introduction
R Language Introduction
 
Pandas pythonfordatascience
Pandas pythonfordatasciencePandas pythonfordatascience
Pandas pythonfordatascience
 
[1062BPY12001] Data analysis with R / week 2
[1062BPY12001] Data analysis with R / week 2[1062BPY12001] Data analysis with R / week 2
[1062BPY12001] Data analysis with R / week 2
 
array
arrayarray
array
 
Language R
Language RLanguage R
Language R
 
Programming with matlab session 6
Programming with matlab session 6Programming with matlab session 6
Programming with matlab session 6
 
Chapter 3 ds
Chapter 3 dsChapter 3 ds
Chapter 3 ds
 
Cheat Sheet for Machine Learning in Python: Scikit-learn
Cheat Sheet for Machine Learning in Python: Scikit-learnCheat Sheet for Machine Learning in Python: Scikit-learn
Cheat Sheet for Machine Learning in Python: Scikit-learn
 

Similar to Basic R Data Manipulation

MATLAB-Introd.ppt
MATLAB-Introd.pptMATLAB-Introd.ppt
MATLAB-Introd.pptkebeAman
 
R tutorial for a windows environment
R tutorial for a windows environmentR tutorial for a windows environment
R tutorial for a windows environmentYogendra Chaubey
 
Idea for ineractive programming language
Idea for ineractive programming languageIdea for ineractive programming language
Idea for ineractive programming languageLincoln Hannah
 
Fp in scala part 2
Fp in scala part 2Fp in scala part 2
Fp in scala part 2Hang Zhao
 
Matlab-free course by Mohd Esa
Matlab-free course by Mohd EsaMatlab-free course by Mohd Esa
Matlab-free course by Mohd EsaMohd Esa
 
R Cheat Sheet – Data Management
R Cheat Sheet – Data ManagementR Cheat Sheet – Data Management
R Cheat Sheet – Data ManagementDr. Volkan OBAN
 
More instructions for the lab write-up1) You are not obli.docx
More instructions for the lab write-up1) You are not obli.docxMore instructions for the lab write-up1) You are not obli.docx
More instructions for the lab write-up1) You are not obli.docxgilpinleeanna
 
INTRODUCTION TO MATLAB session with notes
  INTRODUCTION TO MATLAB   session with  notes  INTRODUCTION TO MATLAB   session with  notes
INTRODUCTION TO MATLAB session with notesInfinity Tech Solutions
 
A quick introduction to R
A quick introduction to RA quick introduction to R
A quick introduction to RAngshuman Saha
 
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...Optimization and Mathematical Programming in R and ROI - R Optimization Infra...
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...Dr. Volkan OBAN
 

Similar to Basic R Data Manipulation (20)

bobok
bobokbobok
bobok
 
MATLAB-Introd.ppt
MATLAB-Introd.pptMATLAB-Introd.ppt
MATLAB-Introd.ppt
 
R tutorial for a windows environment
R tutorial for a windows environmentR tutorial for a windows environment
R tutorial for a windows environment
 
Programming in R
Programming in RProgramming in R
Programming in R
 
Idea for ineractive programming language
Idea for ineractive programming languageIdea for ineractive programming language
Idea for ineractive programming language
 
20100528
2010052820100528
20100528
 
20100528
2010052820100528
20100528
 
R Programming Homework Help
R Programming Homework HelpR Programming Homework Help
R Programming Homework Help
 
Fp in scala part 2
Fp in scala part 2Fp in scala part 2
Fp in scala part 2
 
Matlab-free course by Mohd Esa
Matlab-free course by Mohd EsaMatlab-free course by Mohd Esa
Matlab-free course by Mohd Esa
 
R Cheat Sheet – Data Management
R Cheat Sheet – Data ManagementR Cheat Sheet – Data Management
R Cheat Sheet – Data Management
 
R programming language
R programming languageR programming language
R programming language
 
More instructions for the lab write-up1) You are not obli.docx
More instructions for the lab write-up1) You are not obli.docxMore instructions for the lab write-up1) You are not obli.docx
More instructions for the lab write-up1) You are not obli.docx
 
R Basics
R BasicsR Basics
R Basics
 
Matlab1
Matlab1Matlab1
Matlab1
 
Matlab Tutorial
Matlab TutorialMatlab Tutorial
Matlab Tutorial
 
INTRODUCTION TO MATLAB session with notes
  INTRODUCTION TO MATLAB   session with  notes  INTRODUCTION TO MATLAB   session with  notes
INTRODUCTION TO MATLAB session with notes
 
A quick introduction to R
A quick introduction to RA quick introduction to R
A quick introduction to R
 
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...Optimization and Mathematical Programming in R and ROI - R Optimization Infra...
Optimization and Mathematical Programming in R and ROI - R Optimization Infra...
 
Matlab-1.pptx
Matlab-1.pptxMatlab-1.pptx
Matlab-1.pptx
 

Recently uploaded

9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service
9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service
9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort servicejennyeacort
 
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024thyngster
 
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...soniya singh
 
20240419 - Measurecamp Amsterdam - SAM.pdf
20240419 - Measurecamp Amsterdam - SAM.pdf20240419 - Measurecamp Amsterdam - SAM.pdf
20240419 - Measurecamp Amsterdam - SAM.pdfHuman37
 
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理科罗拉多大学波尔得分校毕业证学位证成绩单-可办理
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理e4aez8ss
 
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptx
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptxAmazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptx
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptxAbdelrhman abooda
 
DBA Basics: Getting Started with Performance Tuning.pdf
DBA Basics: Getting Started with Performance Tuning.pdfDBA Basics: Getting Started with Performance Tuning.pdf
DBA Basics: Getting Started with Performance Tuning.pdfJohn Sterrett
 
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...limedy534
 
9654467111 Call Girls In Munirka Hotel And Home Service
9654467111 Call Girls In Munirka Hotel And Home Service9654467111 Call Girls In Munirka Hotel And Home Service
9654467111 Call Girls In Munirka Hotel And Home ServiceSapana Sha
 
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.ppt
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.pptdokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.ppt
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.pptSonatrach
 
RadioAdProWritingCinderellabyButleri.pdf
RadioAdProWritingCinderellabyButleri.pdfRadioAdProWritingCinderellabyButleri.pdf
RadioAdProWritingCinderellabyButleri.pdfgstagge
 
How we prevented account sharing with MFA
How we prevented account sharing with MFAHow we prevented account sharing with MFA
How we prevented account sharing with MFAAndrei Kaleshka
 
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)jennyeacort
 
Customer Service Analytics - Make Sense of All Your Data.pptx
Customer Service Analytics - Make Sense of All Your Data.pptxCustomer Service Analytics - Make Sense of All Your Data.pptx
Customer Service Analytics - Make Sense of All Your Data.pptxEmmanuel Dauda
 
04242024_CCC TUG_Joins and Relationships
04242024_CCC TUG_Joins and Relationships04242024_CCC TUG_Joins and Relationships
04242024_CCC TUG_Joins and Relationshipsccctableauusergroup
 
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一F La
 
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...dajasot375
 
B2 Creative Industry Response Evaluation.docx
B2 Creative Industry Response Evaluation.docxB2 Creative Industry Response Evaluation.docx
B2 Creative Industry Response Evaluation.docxStephen266013
 
Predicting Salary Using Data Science: A Comprehensive Analysis.pdf
Predicting Salary Using Data Science: A Comprehensive Analysis.pdfPredicting Salary Using Data Science: A Comprehensive Analysis.pdf
Predicting Salary Using Data Science: A Comprehensive Analysis.pdfBoston Institute of Analytics
 

Recently uploaded (20)

E-Commerce Order PredictionShraddha Kamble.pptx
E-Commerce Order PredictionShraddha Kamble.pptxE-Commerce Order PredictionShraddha Kamble.pptx
E-Commerce Order PredictionShraddha Kamble.pptx
 
9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service
9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service
9711147426✨Call In girls Gurgaon Sector 31. SCO 25 escort service
 
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024
Consent & Privacy Signals on Google *Pixels* - MeasureCamp Amsterdam 2024
 
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...
High Class Call Girls Noida Sector 39 Aarushi 🔝8264348440🔝 Independent Escort...
 
20240419 - Measurecamp Amsterdam - SAM.pdf
20240419 - Measurecamp Amsterdam - SAM.pdf20240419 - Measurecamp Amsterdam - SAM.pdf
20240419 - Measurecamp Amsterdam - SAM.pdf
 
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理科罗拉多大学波尔得分校毕业证学位证成绩单-可办理
科罗拉多大学波尔得分校毕业证学位证成绩单-可办理
 
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptx
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptxAmazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptx
Amazon TQM (2) Amazon TQM (2)Amazon TQM (2).pptx
 
DBA Basics: Getting Started with Performance Tuning.pdf
DBA Basics: Getting Started with Performance Tuning.pdfDBA Basics: Getting Started with Performance Tuning.pdf
DBA Basics: Getting Started with Performance Tuning.pdf
 
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...
Effects of Smartphone Addiction on the Academic Performances of Grades 9 to 1...
 
9654467111 Call Girls In Munirka Hotel And Home Service
9654467111 Call Girls In Munirka Hotel And Home Service9654467111 Call Girls In Munirka Hotel And Home Service
9654467111 Call Girls In Munirka Hotel And Home Service
 
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.ppt
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.pptdokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.ppt
dokumen.tips_chapter-4-transient-heat-conduction-mehmet-kanoglu.ppt
 
RadioAdProWritingCinderellabyButleri.pdf
RadioAdProWritingCinderellabyButleri.pdfRadioAdProWritingCinderellabyButleri.pdf
RadioAdProWritingCinderellabyButleri.pdf
 
How we prevented account sharing with MFA
How we prevented account sharing with MFAHow we prevented account sharing with MFA
How we prevented account sharing with MFA
 
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)
Call Us ➥97111√47426🤳Call Girls in Aerocity (Delhi NCR)
 
Customer Service Analytics - Make Sense of All Your Data.pptx
Customer Service Analytics - Make Sense of All Your Data.pptxCustomer Service Analytics - Make Sense of All Your Data.pptx
Customer Service Analytics - Make Sense of All Your Data.pptx
 
04242024_CCC TUG_Joins and Relationships
04242024_CCC TUG_Joins and Relationships04242024_CCC TUG_Joins and Relationships
04242024_CCC TUG_Joins and Relationships
 
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一
办理(Vancouver毕业证书)加拿大温哥华岛大学毕业证成绩单原版一比一
 
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...
Indian Call Girls in Abu Dhabi O5286O24O8 Call Girls in Abu Dhabi By Independ...
 
B2 Creative Industry Response Evaluation.docx
B2 Creative Industry Response Evaluation.docxB2 Creative Industry Response Evaluation.docx
B2 Creative Industry Response Evaluation.docx
 
Predicting Salary Using Data Science: A Comprehensive Analysis.pdf
Predicting Salary Using Data Science: A Comprehensive Analysis.pdfPredicting Salary Using Data Science: A Comprehensive Analysis.pdf
Predicting Salary Using Data Science: A Comprehensive Analysis.pdf
 

Basic R Data Manipulation