R: How To Assign Values Based On Multiple Conditions Of Different Columns
[This article was first published on R – Predictive Hacks, and kindly contributed to R-bloggers]. (You can report issue about the content on this page here)
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.
In the previous post, we showed how we can assign values in Pandas Data Frames based on multiple conditions of different columns.
Again we will work with the famous titanic
dataset and our scenario is the following:
- If the
Age
isNA
andPclass
=1 then the Age=40 - If the
Age
isNA
andPclass
=2 then the Age=30 - If the
Age
isNA
andPclass
=3 then the Age=25 - Else the
Age
will remain as is
Load the Data
library(dplyr) url = 'https://gist.githubusercontent.com/michhar/2dfd2de0d4f8727f873422c5d959fff5/raw/ff414a1bcfcba32481e4d4e8db578e55872a2ca1/titanic.csv' df = read.csv(url, sep="\t")
Use of case_when function of dplyr
For this task, we will use the case_when
function of dplyr
as follows:
df<-df%>%mutate(New_Column = case_when( is.na(Age) & Pclass==1 ~ 40, is.na(Age) & Pclass==2 ~ 30, is.na(Age) & Pclass==3 ~ 25, TRUE~Age ))
Let’s have a look at the Age, Pclass and the New_Column that we created.
df%>%select(Age, Pclass, New_Column) Age Pclass New_Column 1 22.00 3 22.00 2 38.00 1 38.00 3 26.00 3 26.00 4 35.00 1 35.00 5 35.00 3 35.00 6 NA 3 25.00
As we can see we get the expected results
To leave a comment for the author, please follow the link and comment on their blog: R – Predictive Hacks.
R-bloggers.com offers daily e-mail updates about R news and tutorials about learning R and many other topics. Click here if you're looking to post or find an R/data-science job.
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.