DeduciveR
DeduciveR

Reputation: 1702

R - Next highest value in a time series

A relatively simple question, but one I can't seem to find any examples.

I have simple forex price data which is in a 2 column xts object called subx1:

Datetime, Price   
2016-09-01 00:00:01, 1.11563  
2016-09-01 00:00:01, 1.11564  
2016-09-01 00:00:02, 1.11564  
2016-09-01 00:00:03, 1.11565

... and so forth.

I'm trying to find the first time after 2pm when the price goes higher than the pre-2pm high which is held in another object's column called daypeakxts$before2.High and

Where a sample of daypeakxts is:

Date, before2.High  
2016-09-01, 1.11567    
2016-09-02, 1.11987

This is a bad example of what I'm trying to do:

subxresult <- index(subx1, subx1$datetime > daypeakxts$before2.High)

... so I'm looking to discover a datetime for a price using a conditional statement with a day's value in another xts object.

Upvotes: 0

Views: 476

Answers (1)

Joshua Ulrich
Joshua Ulrich

Reputation: 176648

You didn't provide enough data for a reproducible example, so I'm going to use some daily data that comes with the xts package.

library(xts)
data(sample_matrix)
x <- as.xts(sample_matrix, dateForamt = "Date")

# Aggregate and find the high for each week
Week.High <- apply.weekly(x, function(x) max(x$High))

# Finding the pre-2pm high would be something like:
# Pre.2pm.High <- apply.daily(x["T00:00/T14:00"], function(x) max(x$High))

# Merge the period high with the original data, and
# fill NA with the last observation carried forward
y <- merge(x, Week.High, fill = na.locf)

# Lag the period high, so it aligns with the following period
y$Week.High <- lag(y$Week.High)

# Find the first instance where the next period's high
# is higher than the previous period's high
y$First.Higher <- apply.weekly(y, function(x) which(x$High > x$Week.High)[1])

Upvotes: 2

Related Questions