If you look at the way ifelse
is written, it has a section of code that looks like this:
ans <- test
ok <- !(nas <- is.na(test))
if (any(test[ok]))
ans[test & ok] <- rep(yes, length.out = length(ans))[test & ok]
Note that the answer starts off as a logical vector, the same as test. The elements that have test == TRUE
then get assigned to the value of yes
.
The issue here then is with what happens with assignment of an element or elements of a logical vector to be a date of class POSIX.ct. You can see what happens if you do this:
x <- c(TRUE, FALSE)
class(x)
# logical
x[1] <- Sys.time()
class(x)
# numeric
You could get around this by writing:
timestamp <- timestamp + 30
timestamp[is.na(timestamp)] <- fixedDate
You could also do this:
fixedDate = as.POSIXct(strptime("2000-01-01 12:00:00.000000", formatString))
unlist(ifelse(is.na(timestamp), as.list(fixedDate), as.list(timestamp+30)))
This takes advantage of the way the replacement operator [<-
handles a list on the right hand side.
You can also just re-add the class attribute like this:
x <- ifelse(is.na(timestamp), fixedDate, timestamp+30)
class(x) <- c("POSIXct", "POSIXt")
or if you were desperate to do it in one line like this:
`class<-`(ifelse(is.na(timestamp), fixedDate, timestamp+30), c("POSIXct", "POSIXt"))
or by copying the attributes of fixedDate
:
x <- ifelse(is.na(timestamp), fixedDate, timestamp+30)
attributes(x) <- attributes(fixedDate)
This last version has the advantage of copying the tzone
attribute as well.
As of dplyr 0.5.0, you can also use dplyr::if_else
which preserves class in the output and also enforces the same class for the true and false arguments.