Nic*_*ick 5 r dplyr purrr tidyverse
我想创建一个升级版本,当我们尝试组合的 dfs 中存在因子列(也可能有非因子列)时,dplyr::bind_rows可以避免出现警告。Unequal factor levels: coercing to character这是一个例子:
df1 <- dplyr::data_frame(age = 1:3, gender = factor(c("male", "female", "female")), district = factor(c("north", "south", "west")))
df2 <- dplyr::data_frame(age = 4:6, gender = factor(c("male", "neutral", "neutral")), district = factor(c("central", "north", "east")))
Run Code Online (Sandbox Code Playgroud)
然后bind_rows_with_factor_columns(df1, df2)返回(没有警告):
dplyr::data_frame(
age = 1:6,
gender = factor(c("male", "female", "female", "male", "neutral", "neutral")),
district = factor(c("north", "south", "west", "central", "north", "east"))
)
Run Code Online (Sandbox Code Playgroud)
这是我到目前为止所拥有的:
bind_rows_with_factor_columns <- function(...) {
factor_columns <- purrr::map(..., function(df) {
colnames(dplyr::select_if(df, is.factor))
})
if (length(unique(factor_columns)) > 1) {
stop("All factor columns in dfs must have the same column names")
}
df_list <- purrr::map(..., function (df) {
purrr::map_if(df, is.factor, as.character) %>% dplyr::as_data_frame()
})
dplyr::bind_rows(df_list) %>%
purrr::map_at(factor_columns[[1]], as.factor) %>%
dplyr::as_data_frame()
}
Run Code Online (Sandbox Code Playgroud)
我想知道是否有人对如何合并该forcats包有任何想法,以避免将因素强制到角色,或者是否有人有任何一般建议来提高其性能,同时保持相同的功能(我想遵守tidyverse语法)。谢谢!
根据朋友的一个很好的解决方案来回答我自己的问题:
bind_rows_with_factor_columns <- function(...) {
purrr::pmap_df(list(...), function(...) {
cols_to_bind <- list(...)
if (all(purrr::map_lgl(cols_to_bind, is.factor))) {
forcats::fct_c(cols_to_bind)
} else {
unlist(cols_to_bind)
}
})
}
Run Code Online (Sandbox Code Playgroud)