Come unire più frame di dati utilizzando dplyr
Spesso potresti essere interessato a unire più frame di dati in R. Fortunatamente, questo è facile da fare utilizzando la funzione left_join() del pacchetto dplyr .
library(dplyr)
Ad esempio, supponiamo di avere i seguenti tre frame di dati:
#create data frame
df1 <- data.frame(a = c('a', 'b', 'c', 'd', 'e', 'f'),
b = c(12, 14, 14, 18, 22, 23))
df2 <- data.frame(a = c('a', 'a', 'a', 'b', 'b', 'b'),
c = c(23, 24, 33, 34, 37, 41))
df3 <- data.frame(a = c('d', 'e', 'f', 'g', 'h', 'i'),
d = c(23, 24, 33, 34, 37, 41))
Per unire insieme i tre frame di dati possiamo semplicemente eseguire due left join, uno dopo l’altro:
#join the three data frames df1 %>% left_join (df2, by='a') %>% left_join (df3, by='a') abcd 1 to 12 23 NA 2 to 12 24 NA 3 to 12 33 NA 4 b 14 34 NA 5 b 14 37 NA 6 b 14 41 NA 7 c 14 NA NA 8 d 18 NA 23 9th 22 NA 24 10 f 23 NA 33
Tieni presente che puoi anche salvare il risultato di questo join come frame di dati:
#join the three data frames and save result as new data frame named all_data all_data <- df1 %>% left_join (df2, by='a') %>% left_join (df3, by='a') #view summary of resulting data frame glimpse(all_data) Comments: 10 Variables: 4 $ a <chr> "a", "a", "a", "b", "b", "b", "c", "d", "e", "f" $b<dbl> 12, 12, 12, 14, 14, 14, 14, 18, 22, 23 $ c <dbl> 23, 24, 33, 34, 37, 41, NA, NA, NA, NA $ d <dbl> NA, NA, NA, NA, NA, NA, NA, 23, 24, 33
Risorse addizionali
Come filtrare le righe in R
Come rimuovere le righe duplicate in R
Come raggruppare e riassumere i dati in R