I have an array like this (in seconds)
timebin= [79203 79213 79223 79233 79243 79253 79263..................82783]
and I wish to convert these values to actual time of the day like [22:00:03, 22:00:13,.........22:59:43]
I have the following code but it doesn’t convert an entire array to time array in one go and only takes single values of timebin
.
JavaScript
x
6
1
timebin1=np.arange(79203,82793,10)
2
print(timebin)
3
import time
4
t= time.strftime('%H:%M:%S', time.gmtime(79203))
5
print(t)
6
output for now is only the first value of the required time series, i.e, 22:00:03
Advertisement
Answer
You’ll want to apply that function to each element in the list.
JavaScript
1
4
1
convert_time = lambda t: time.strftime('%H:%M:%S', time.gmtime(t))
2
3
times = [convert_time(t) for t in timebin1]
4
For slightly faster results and a more convenient API, you can vectorize the operation:
JavaScript
1
5
1
import numpy as np
2
3
vectorized_convert_time = np.vectorize(convert_time)
4
times = vectorized_convert_time(timebin1)
5