问题
I have a datatable with timestamps in column 1 and events in column 2. The timestamps have the format Y-m-d H:M:OS3
(e.g. "2019-09-26 07:29:22,778"
).
I would like to add a new column with time-span values of the difference between timestamp 2 to timestamp 1, then 3 to 1 etc. E.g.:
timestamp event diff in sec
2019-09-26 07:29:22,778 X
2019-09-26 07:29:23,918 Y 1.140
2019-09-26 07:29:25,118 Z 2.340
.
.
回答1:
In base
:
dt1$timediff <- cumsum(c(0, difftime(tail(dt1$timestamp,-1), head(dt1$timestamp,-1))))
or using data.table
:
library(data.table)
dt1[ , timediff := cumsum(c(0, diff(as.numeric(timestamp))))][]
#> timestamp event timediff
#> 1: 2019-09-26 07:29:22.778 X 0.00
#> 2: 2019-09-26 07:29:23.917 Y 1.14
#> 3: 2019-09-26 07:29:25.118 Z 2.34
Another dplyr
solution base off of akrun's answer:
library(dplyr)
dt1 %>%
mutate(difftime = difftime(timestamp, timestamp[1], unit = 'sec'))
Data:
N.B: I am using data.table
to read the data.
fread(text="date time event
2019-09-26 07:29:22.778 X
2019-09-26 07:29:23.918 Y
2019-09-26 07:29:25.118 Z") -> dt1
dt1$timestamp <- as.POSIXct(paste(dt1$date, dt1$time), format="%Y-%m-%d %H:%M:%OS")
dt1 <- dt1[,4:3]
回答2:
We can use difftime
library(dplyr)
library(lubridate)
df1 %>%
mutate(timestamp = ymd_hms(timestamp),
diffinsec = cumsum(as.numeric(difftime(timestamp,
lag(timestamp, default = timestamp[1]), unit = 'sec'))))
回答3:
Here a solution with dplyr
. I assumed that you want the time difference from the first event. Otherwise @akrun's answer with lag()
is the correct one.
library(dplyr)
df %>%
mutate(start = min(timestamp)) %>%
mutate(diff = timestamp - start)
#> timestamp event start diff
#> 1 2019-09-26 07:29:22 X 2019-09-26 07:29:22 0.00 secs
#> 2 2019-09-26 07:29:23 Y 2019-09-26 07:29:22 1.14 secs
#> 3 2019-09-26 07:29:25 Z 2019-09-26 07:29:22 2.34 secs
data
df <- structure(list(timestamp = structure(c(1569479362.778, 1569479363.918,
1569479365.118), class = c("POSIXct", "POSIXt"), tzone = ""),
event = c("X", "Y", "Z")), row.names = c(NA,
-3L), class = "data.frame")
来源:https://stackoverflow.com/questions/58238951/how-to-make-a-timespan-column-based-on-a-time-stamp-column