Generating 15 minute time interval array in python

Looking at the data file, you should use the built in python date-time objects. followed by strftime to format your dates.

Broadly you can modify the code below to however many date-times you would like First create a starting date.

Today= datetime.datetime.today()

Replace 100 with whatever number of time intervals you want.

date_list = [Today + datetime.timedelta(minutes=15*x) for x in range(0, 100)]

Finally, format the list in the way that you would like, using code like that below.

datetext=[x.strftime('%Y-%m-%d T%H:%M Z') for x in date_list]

Here's a generic datetime_range for you to use.

Code

from datetime import datetime, timedelta

def datetime_range(start, end, delta):
    current = start
    while current < end:
        yield current
        current += delta

dts = [dt.strftime('%Y-%m-%d T%H:%M Z') for dt in 
       datetime_range(datetime(2016, 9, 1, 7), datetime(2016, 9, 1, 9+12), 
       timedelta(minutes=15))]

print(dts)

Output

['2016-09-01 T07:00 Z', '2016-09-01 T07:15 Z', '2016-09-01 T07:30 Z', '2016-09-01 T07:45 Z', '2016-09-01 T08:00 Z', '2016-09-01 T08:15 Z', '2016-09-01 T08:30 Z', '2016-09-01 T08:45 Z', '2016-09-01 T09:00 Z', '2016-09-01 T09:15 Z', '2016-09-01 T09:30 Z', '2016-09-01 T09:45 Z' ... ]