如何在R中使用两种不同类型的日期格式将字符转换为日期?
我有一个巨大的数据集,其中超过200万个OBS,所有专栏的类都是字符类型。我需要将其中一种转换为迄今为止的格式DD/mm/yyyy,但是日期是这样写的:
dates <- c("2022-04-08", "26/01/2021", "14/07/2021", "2021-12-27")
我已经尝试了在其他帖子中发现的一些解释,但它们似乎都不适合我。一组日期总是变成NA。
I have a huge dataset with over 2 million obs and all column's classes are character type. I need to convert one of them to date format dd/mm/yyyy, but the dates are written like this:
dates <- c("2022-04-08", "26/01/2021", "14/07/2021", "2021-12-27")
I've already tried some explanations I found in other posts but none of them seemed to work for me. One groupe of dates always turns into NA.
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
data:image/s3,"s3://crabby-images/d5906/d59060df4059a6cc364216c4d63ceec29ef7fe66" alt="扫码二维码加入Web技术交流群"
发布评论
评论(4)
1) Base R 使用 as.Date 并显示格式向量。没有使用任何包。
as.Date(dates, format = ifelse(grepl("/", dates), "%d/%m/%Y", "%Y-%m-%d"))
## [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
2) Base R - 2 另一种方法是将 dd/mm/yyyy 转换为 yyyy-mm-dd,然后仅使用 as.Date。没有使用任何包。
as.Date(sub("(..)/(..)/(....)", "\\3-\\2-\\1", dates))
## [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
3) Base R - 3 这个使用 tryFormats=
参数。
do.call("c", lapply(dates, as.Date, tryFormats = c("%d/%m/%Y", "%Y-%m-%d")))
## [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
4) lubridate 使用 lubridate 使用 parse_date_time ,然后将其转换为 Date 类。
library(lubridate)
as.Date(parse_date_time(dates, c("ymd", "dmy")))
## [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
5)coalesce 我们可以在dplyr中使用coalesce。它采用它找到的第一个非 NA。
library(dplyr)
coalesce(as.Date(dates), as.Date(dates, "%d/%m/%Y"))
## [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
添加更新
(3)。
使用时钟包,您可以向date_parse()
提供多种格式
,它会按顺序尝试它们。对于像这样格式截然不同的情况来说,这很好。
library(clock)
dates <- c("2022-04-08", "26/01/2021", "14/07/2021", "2021-12-27")
# Tries each `format` in order. Stops on first success.
date_parse(
dates,
format = c("%Y-%m-%d", "%d/%m/%Y")
)
#> [1] "2022-04-08" "2021-01-26" "2021-07-14" "2021-12-27"
由 reprex 包 (v2.0.1) 创建于 2022 年 4 月 12 日
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
您可以做类似的事情:
You can do something like: