在 R 中为一天中的部分时间创建非周末时间间隔的向量

Create vector of non-weekend time intervals for part of a day in R

我有一个仅在工作日早上 6 点到晚上 9 点之间每隔 5 分钟进行一次观察的原始数据集。这些不带有用于绘图等的日期时间信息,因此我试图创建一个日期时间向量以将其添加到我的数据中。即:

X425 X432 X448 1 0.07994814 0.1513559 0.1293103 2 0.08102852 0.1436480 0.1259074

至此

X425 X432 X448 2010-05-24 06:00 0.07994814 0.1513559 0.1293103 2010-05-24 06:05 0.08102852 0.1436480 0.1259074

我是这样处理的:

# using lubridate and xts
library(xts)
library(lubridate)

# sequence of 5 min intervals from 06:00 to 21:00
sttime <- hms("06:00:00")
intervals <- sttime + c(0:180) * minutes(5)

# sequence of days from 2010-05-24 to 2010-11-05
dayseq <- timeBasedSeq("2010-05-24/2010-11-05/d")

# add intervals to dayseq
dayPlusTime <- function(days, times) {
  dd <- NULL
  for (i in 1:2) {
    dd <- c(dd,(days[i] + times))}
  return(dd)
}

obstime <- dayPlusTime(dayseq, intervals)`

但是 obstime 将以列表的形式出现。 days[1] + times 有效,所以我想这与将 POSIXct 对象连接在一起形成 dd 的方式有关,但我无法弄清楚我做错了什么或下一步该去哪里。

感谢任何帮助

其中一个问题是当分钟数超过 60 时,您的间隔矢量不会更改 hour

这是您可以执行此操作的一种方法:

#create the interval vector
intervals<-c()
for(p in 6:20){
  for(j in seq(0,55,by=5)){
    intervals<-c(intervals,paste(p,j,sep=":"))
  }      
}
intervals<-c(intervals,"21:0")

#get the days
dayseq <- timeBasedSeq("2010-05-24/2010-11-05/d")


#concatenate everything and format to POSIXct at the end
obstime<-strptime(unlist(lapply(dayseq,function(x){paste(x,intervals)})),format="%Y-%m-%d %H:%M", tz="GMT")

一个base备选方案:

# create some dummy dates
dates <- Sys.Date() + 0:14

# select non-weekend days
wd <- dates[as.integer(format(dates, format = "%u")) %in% 1:5]

# create times from 06:00 to 21:00 by 5 min interval
times <- format(seq(from = as.POSIXct("2015-02-18 06:00"),
                    to = as.POSIXct("2015-02-18 21:00"),
                    by = "5 min"),
                format = "%H:%M")

# create all date-time combinations, paste, convert to as.POSIXct and sort 
wd_times <- sort(as.POSIXct(do.call(paste, expand.grid(wd, times))))