datetime 객체의 분을 반올림하는 방법


102

I have a datetime object produced using strptime ().

>>> tm
datetime.datetime(2010, 6, 10, 3, 56, 23)

내가해야 할 일은 1 분을 가장 가까운 10 분으로 반올림하는 것입니다. 지금까지 내가해온 것은 분 값을 취하고 그것에 round ()를 사용하는 것입니다.

min = round(tm.minute, -1)

그러나 위의 예에서와 같이 분 값이 56보다 크면 잘못된 시간을 제공합니다. 즉 : 3:60

이를 수행하는 더 좋은 방법은 무엇입니까? datetime이것을 지원 합니까 ?

답변:


134

이렇게하면 datetimetm에 저장된 개체 의 '바닥'이 이전 10 분 표시로 반올림됩니다 tm.

tm = tm - datetime.timedelta(minutes=tm.minute % 10,
                             seconds=tm.second,
                             microseconds=tm.microsecond)

10 분 단위로 반올림하려면 다음을 수행하십시오.

discard = datetime.timedelta(minutes=tm.minute % 10,
                             seconds=tm.second,
                             microseconds=tm.microsecond)
tm -= discard
if discard >= datetime.timedelta(minutes=5):
    tm += datetime.timedelta(minutes=10)

아니면 이거:

tm += datetime.timedelta(minutes=5)
tm -= datetime.timedelta(minutes=tm.minute % 10,
                         seconds=tm.second,
                         microseconds=tm.microsecond)

94

초 단위로 시간 경과시 datetime을 반올림하는 일반 함수 :

def roundTime(dt=None, roundTo=60):
   """Round a datetime object to any time lapse in seconds
   dt : datetime.datetime object, default now.
   roundTo : Closest number of seconds to round to, default 1 minute.
   Author: Thierry Husson 2012 - Use it as you want but don't blame me.
   """
   if dt == None : dt = datetime.datetime.now()
   seconds = (dt.replace(tzinfo=None) - dt.min).seconds
   rounding = (seconds+roundTo/2) // roundTo * roundTo
   return dt + datetime.timedelta(0,rounding-seconds,-dt.microsecond)

1 시간 반올림 및 30 분 반올림이있는 샘플 :

print roundTime(datetime.datetime(2012,12,31,23,44,59,1234),roundTo=60*60)
2013-01-01 00:00:00

print roundTime(datetime.datetime(2012,12,31,23,44,59,1234),roundTo=30*60)
2012-12-31 23:30:00

10
불행히도 이것은 tz 인식 datetime에서는 작동하지 않습니다. 하나는 사용해야합니다 dt.replace(hour=0, minute=0, second=0)대신 dt.min.
skoval00

2
@ skoval00 + druska tz 인식 datetime을 지원하기 위해 조언에 따라 편집했습니다. 감사!
Le Droid

감사합니다 @ skoval00 -이 기능은 내 데이터와 함께 작동하지 않는 이유를 알아낼 걸 렸어요
마이크 산토스

1
이것은 오랜 기간 동안 전혀 작동하지 않습니다. 예를 들어, roundTime(datetime.datetime(2012,12,31,23,44,59,1234),roundTo=60*60*24*7)roundTime(datetime.datetime(2012,12,30,23,44,59,1234),roundTo=60*60*24*7)
CPBL

문제를 이해하려면 다음을 참조하십시오.datetime.timedelta(100,1,2,3).seconds == 1
CPBL

15

datetime 객체 만 사용하여 수정 된 버전으로 수정 한 베스트 답변에서 초 단위로 변환 할 필요가없고 호출 코드를 더 읽기 쉽게 만들 수 있습니다.

def roundTime(dt=None, dateDelta=datetime.timedelta(minutes=1)):
    """Round a datetime object to a multiple of a timedelta
    dt : datetime.datetime object, default now.
    dateDelta : timedelta object, we round to a multiple of this, default 1 minute.
    Author: Thierry Husson 2012 - Use it as you want but don't blame me.
            Stijn Nevens 2014 - Changed to use only datetime objects as variables
    """
    roundTo = dateDelta.total_seconds()

    if dt == None : dt = datetime.datetime.now()
    seconds = (dt - dt.min).seconds
    # // is a floor division, not a comment on following line:
    rounding = (seconds+roundTo/2) // roundTo * roundTo
    return dt + datetime.timedelta(0,rounding-seconds,-dt.microsecond)

1 시간 반올림 및 15 분 반올림이있는 샘플 :

print roundTime(datetime.datetime(2012,12,31,23,44,59),datetime.timedelta(hour=1))
2013-01-01 00:00:00

print roundTime(datetime.datetime(2012,12,31,23,44,49),datetime.timedelta(minutes=15))
2012-12-31 23:30:00

1
또한 좋지 않음 : print roundTime(datetime.datetime(2012,12,20,23,44,49),datetime.timedelta(days=15)) 2012-12-20 00:00:00동안print roundTime(datetime.datetime(2012,12,21,23,44,49),datetime.timedelta(days=15)) 2012-12-21 00:00:00
CPBL

3
위의 후속 조치 : 임의의 시간 델타 (예 : 1 일 이상)에는 작동하지 않는다는 점을 지적하십시오. 이 질문은 분 반올림에 관한 것이므로 적절한 제한 사항이지만 코드 작성 방식이 더 명확 할 수 있습니다.
CPBL

15

나는 Stijn Nevens 코드를 사용했고 (Stijn에게 감사합니다) 공유 할 약간의 추가 기능이 있습니다. 반올림, 반올림 및 반올림.

업데이트 2019-03-09 = 주석 Spinxz 통합; 감사합니다.

업데이트 2019-12-27 = Bart 주석 통합; 감사합니다.

"X 시간", "X 분"또는 "X 초"의 date_delta에 대해 테스트되었습니다.

import datetime

def round_time(dt=None, date_delta=datetime.timedelta(minutes=1), to='average'):
    """
    Round a datetime object to a multiple of a timedelta
    dt : datetime.datetime object, default now.
    dateDelta : timedelta object, we round to a multiple of this, default 1 minute.
    from:  http://stackoverflow.com/questions/3463930/how-to-round-the-minute-of-a-datetime-object-python
    """
    round_to = date_delta.total_seconds()
    if dt is None:
        dt = datetime.now()
    seconds = (dt - dt.min).seconds

    if seconds % round_to == 0 and dt.microsecond == 0:
        rounding = (seconds + round_to / 2) // round_to * round_to
    else:
        if to == 'up':
            # // is a floor division, not a comment on following line (like in javascript):
            rounding = (seconds + dt.microsecond/1000000 + round_to) // round_to * round_to
        elif to == 'down':
            rounding = seconds // round_to * round_to
        else:
            rounding = (seconds + round_to / 2) // round_to * round_to

    return dt + datetime.timedelta(0, rounding - seconds, - dt.microsecond)

# test data
print(round_time(datetime.datetime(2019,11,1,14,39,00), date_delta=datetime.timedelta(seconds=30), to='up'))
print(round_time(datetime.datetime(2019,11,2,14,39,00,1), date_delta=datetime.timedelta(seconds=30), to='up'))
print(round_time(datetime.datetime(2019,11,3,14,39,00,776980), date_delta=datetime.timedelta(seconds=30), to='up'))
print(round_time(datetime.datetime(2019,11,4,14,39,29,776980), date_delta=datetime.timedelta(seconds=30), to='up'))
print(round_time(datetime.datetime(2018,11,5,14,39,00,776980), date_delta=datetime.timedelta(seconds=30), to='down'))
print(round_time(datetime.datetime(2018,11,6,14,38,59,776980), date_delta=datetime.timedelta(seconds=30), to='down'))
print(round_time(datetime.datetime(2017,11,7,14,39,15), date_delta=datetime.timedelta(seconds=30), to='average'))
print(round_time(datetime.datetime(2017,11,8,14,39,14,999999), date_delta=datetime.timedelta(seconds=30), to='average'))
print(round_time(datetime.datetime(2019,11,9,14,39,14,999999), date_delta=datetime.timedelta(seconds=30), to='up'))
print(round_time(datetime.datetime(2012,12,10,23,44,59,7769),to='average'))
print(round_time(datetime.datetime(2012,12,11,23,44,59,7769),to='up'))
print(round_time(datetime.datetime(2010,12,12,23,44,59,7769),to='down',date_delta=datetime.timedelta(seconds=1)))
print(round_time(datetime.datetime(2011,12,13,23,44,59,7769),to='up',date_delta=datetime.timedelta(seconds=1)))
print(round_time(datetime.datetime(2012,12,14,23,44,59),date_delta=datetime.timedelta(hours=1),to='down'))
print(round_time(datetime.datetime(2012,12,15,23,44,59),date_delta=datetime.timedelta(hours=1),to='up'))
print(round_time(datetime.datetime(2012,12,16,23,44,59),date_delta=datetime.timedelta(hours=1)))
print(round_time(datetime.datetime(2012,12,17,23,00,00),date_delta=datetime.timedelta(hours=1),to='down'))
print(round_time(datetime.datetime(2012,12,18,23,00,00),date_delta=datetime.timedelta(hours=1),to='up'))
print(round_time(datetime.datetime(2012,12,19,23,00,00),date_delta=datetime.timedelta(hours=1)))

이것은 나를 도왔다. PySpark에서 사용하는 경우 날짜 시간 개체가 아닌 문자열로 날짜 시간을 구문 분석하기 위해 추가하고 싶습니다.
Max

4
'업'반올림은 대부분의 사람들이 기대하는 바를 수행하지 않을 수 있습니다. dt가 반올림이 필요하지 않더라도 다음 date_delta로 반올림합니다. 예를 들어 round_to = 60 인 15 : 30 : 00.000은 15 : 31 : 00.000이됩니다.
spinxz

up이 함수 에서는 반올림이 정확하지 않습니다. 2019-11-07 14:39:00.776980date_delta동일한 30 초 및 예하기 to='up'의 결과 2019-11-07 14:39:00.
Bart

1
감사합니다 !! 하지만 up일반적인 사용 사례를하지 않을 수 있습니다 라운딩이 분 경계에서 시작 응용 프로그램을 처리 할 때, 그것은 필요
라훌 Bharadwaj

5

Pandas에는 날짜 시간 라운드 기능이 있지만 Pandas의 대부분의 기능과 마찬가지로 Series 형식이어야합니다.

>>> ts = pd.Series(pd.date_range(Dt(2019,1,1,1,1),Dt(2019,1,1,1,4),periods=8))
>>> print(ts)
0   2019-01-01 01:01:00.000000000
1   2019-01-01 01:01:25.714285714
2   2019-01-01 01:01:51.428571428
3   2019-01-01 01:02:17.142857142
4   2019-01-01 01:02:42.857142857
5   2019-01-01 01:03:08.571428571
6   2019-01-01 01:03:34.285714285
7   2019-01-01 01:04:00.000000000
dtype: datetime64[ns]

>>> ts.dt.round('1min')
0   2019-01-01 01:01:00
1   2019-01-01 01:01:00
2   2019-01-01 01:02:00
3   2019-01-01 01:02:00
4   2019-01-01 01:03:00
5   2019-01-01 01:03:00
6   2019-01-01 01:04:00
7   2019-01-01 01:04:00
dtype: datetime64[ns]

문서 -필요에 따라 주파수 문자열을 변경합니다.


참고로, Timestamp포함 floorceil뿐만 아니라
poulter7

3

조건을 사용하지 않으려면 modulo연산자 를 사용할 수 있습니다 .

minutes = int(round(tm.minute, -1)) % 60

최신 정보

이런 걸 원 하셨나요?

def timeround10(dt):
    a, b = divmod(round(dt.minute, -1), 60)
    return '%i:%02i' % ((dt.hour + a) % 24, b)

timeround10(datetime.datetime(2010, 1, 1, 0, 56, 0)) # 0:56
# -> 1:00

timeround10(datetime.datetime(2010, 1, 1, 23, 56, 0)) # 23:56
# -> 0:00

.. 결과를 문자열로 원하는 경우. datetime 결과를 얻으려면 timedelta를 사용하는 것이 좋습니다-다른 응답을 참조하십시오.)


아,하지만 여기서 문제는 시간도 늘려야한다는 것입니다
Lucas Manco 2010-08-12

1
@Lucas Manco-내 솔루션도 잘 작동하며 더 합리적이라고 생각합니다.
갖가지 잡다한

2

나는 이것을 사용하고있다. tz 인식 날짜 시간으로 작업하는 이점이 있습니다.

def round_minutes(some_datetime: datetime, step: int):
    """ round up to nearest step-minutes """
    if step > 60:
        raise AttrbuteError("step must be less than 60")

    change = timedelta(
        minutes= some_datetime.minute % step,
        seconds=some_datetime.second,
        microseconds=some_datetime.microsecond
    )

    if change > timedelta():
        change -= timedelta(minutes=step)

    return some_datetime - change

한 시간 미만의 타임 슬라이스에서만 일한다는 단점이 있습니다.


2

다음은 부동 소수점 정밀도 문제 및 외부 라이브러리 종속성이없는 더 간단한 일반화 된 솔루션입니다.

import datetime as dt

def time_mod(time, delta, epoch=None):
    if epoch is None:
        epoch = dt.datetime(1970, 1, 1, tzinfo=time.tzinfo)
    return (time - epoch) % delta

def time_round(time, delta, epoch=None):
    mod = time_mod(time, delta, epoch)
    if mod < (delta / 2):
       return time - mod
    return time + (delta - mod)

귀하의 경우 :

>>> tm
datetime.datetime(2010, 6, 10, 3, 56, 23)
>>> time_round(tm, dt.timedelta(minutes=10))
datetime.datetime(2010, 6, 10, 4, 0)

0
def get_rounded_datetime(self, dt, freq, nearest_type='inf'):

    if freq.lower() == '1h':
        round_to = 3600
    elif freq.lower() == '3h':
        round_to = 3 * 3600
    elif freq.lower() == '6h':
        round_to = 6 * 3600
    else:
        raise NotImplementedError("Freq %s is not handled yet" % freq)

    # // is a floor division, not a comment on following line:
    seconds_from_midnight = dt.hour * 3600 + dt.minute * 60 + dt.second
    if nearest_type == 'inf':
        rounded_sec = int(seconds_from_midnight / round_to) * round_to
    elif nearest_type == 'sup':
        rounded_sec = (int(seconds_from_midnight / round_to) + 1) * round_to
    else:
        raise IllegalArgumentException("nearest_type should be  'inf' or 'sup'")

    dt_midnight = datetime.datetime(dt.year, dt.month, dt.day)

    return dt_midnight + datetime.timedelta(0, rounded_sec)

0

Stijn Nevens를 기반으로하며 Django 용으로 수정되어 현재 시간을 가장 가까운 15 분으로 반올림합니다.

from datetime import date, timedelta, datetime, time

    def roundTime(dt=None, dateDelta=timedelta(minutes=1)):

        roundTo = dateDelta.total_seconds()

        if dt == None : dt = datetime.now()
        seconds = (dt - dt.min).seconds
        # // is a floor division, not a comment on following line:
        rounding = (seconds+roundTo/2) // roundTo * roundTo
        return dt + timedelta(0,rounding-seconds,-dt.microsecond)

    dt = roundTime(datetime.now(),timedelta(minutes=15)).strftime('%H:%M:%S')

 dt = 11:45:00

전체 날짜와 시간이 필요한 경우 .strftime('%H:%M:%S')


0

예외가 잡힐 때 속도면에서 최고는 아니지만 이것은 작동합니다.

def _minute10(dt=datetime.utcnow()):
    try:
        return dt.replace(minute=round(dt.minute, -1))
    except ValueError:
        return dt.replace(minute=0) + timedelta(hours=1)

타이밍

%timeit _minute10(datetime(2016, 12, 31, 23, 55))
100000 loops, best of 3: 5.12 µs per loop

%timeit _minute10(datetime(2016, 12, 31, 23, 31))
100000 loops, best of 3: 2.21 µs per loop

0

datetime객체에 대해 주어진 시간 단위 (여기서는 초)로 반올림하는 직관적 인 두 줄 솔루션 t:

format_str = '%Y-%m-%d %H:%M:%S'
t_rounded = datetime.strptime(datetime.strftime(t, format_str), format_str)

다른 단위로 반올림하려면 간단히 변경하십시오 format_str.

이 접근 방식은 위의 방법과 같이 임의의 시간으로 반올림하지 않지만 주어진 시간, 분 또는 초로 반올림하는 멋진 Python 방식입니다.


0

다른 솔루션 :

def round_time(timestamp=None, lapse=0):
    """
    Round a timestamp to a lapse according to specified minutes

    Usage:

    >>> import datetime, math
    >>> round_time(datetime.datetime(2010, 6, 10, 3, 56, 23), 0)
    datetime.datetime(2010, 6, 10, 3, 56)
    >>> round_time(datetime.datetime(2010, 6, 10, 3, 56, 23), 1)
    datetime.datetime(2010, 6, 10, 3, 57)
    >>> round_time(datetime.datetime(2010, 6, 10, 3, 56, 23), -1)
    datetime.datetime(2010, 6, 10, 3, 55)
    >>> round_time(datetime.datetime(2019, 3, 11, 9, 22, 11), 3)
    datetime.datetime(2019, 3, 11, 9, 24)
    >>> round_time(datetime.datetime(2019, 3, 11, 9, 22, 11), 3*60)
    datetime.datetime(2019, 3, 11, 12, 0)
    >>> round_time(datetime.datetime(2019, 3, 11, 10, 0, 0), 3)
    datetime.datetime(2019, 3, 11, 10, 0)

    :param timestamp: Timestamp to round (default: now)
    :param lapse: Lapse to round in minutes (default: 0)
    """
    t = timestamp or datetime.datetime.now()  # type: Union[datetime, Any]
    surplus = datetime.timedelta(seconds=t.second, microseconds=t.microsecond)
    t -= surplus
    try:
        mod = t.minute % lapse
    except ZeroDivisionError:
        return t
    if mod:  # minutes % lapse != 0
        t += datetime.timedelta(minutes=math.ceil(t.minute / lapse) * lapse - t.minute)
    elif surplus != datetime.timedelta() or lapse < 0:
        t += datetime.timedelta(minutes=(t.minute / lapse + 1) * lapse - t.minute)
    return t

도움이 되었기를 바랍니다!


0

내가 아는 가장 짧은 방법

min = tm.minute // 10 * 10


0

지나치게 복잡해 보입니다.

def round_down_to():
    num = int(datetime.utcnow().replace(second=0, microsecond=0).minute)
    return num - (num%10)

0

간단한 접근 방식 :

def round_time(dt, round_to_seconds=60):
    """Round a datetime object to any number of seconds
    dt: datetime.datetime object
    round_to_seconds: closest number of seconds for rounding, Default 1 minute.
    """
    rounded_epoch = round(dt.timestamp() / round_to_seconds) * round_to_seconds
    rounded_dt = datetime.datetime.fromtimestamp(rounded_epoch).astimezone(dt.tzinfo)
    return rounded_dt

0

예, 데이터가 pandas 시리즈의 DateTime 열에 속하는 경우 기본 제공 pandas.Series.dt.round 함수를 사용하여 반올림 할 수 있습니다. 여기 pandas.Series.dt.round 문서를 참조하십시오 . 10min으로 반올림하는 경우 다음과 같이 Series.dt.round ( '10min') 또는 Series.dt.round ( '600s')가됩니다.

pandas.Series(tm).dt.round('10min')

예제 코드를 추가하려면 편집하십시오.

import datetime
import pandas

tm = datetime.datetime(2010, 6, 10, 3, 56, 23)
tm_rounded = pandas.Series(tm).dt.round('10min')
print(tm_rounded)

>>> 0   2010-06-10 04:00:00
dtype: datetime64[ns]

제안한 것을 사용하는 방법을 보여줄 수 있습니까?
DanielM

이 답변이 새롭거나 유용한 것을 추가하는지 확실하지 않습니다. 이미 같은 내용을 설명하는 답변이있었습니다. stackoverflow.com/a/56010357/7851470
Georgy

네, 이것들을 지적 해주셔서 감사합니다. 내 응답에 샘플 코드를 포함하지 않고 다른 사람들의 응답을 모두 확인하지 않은 것은 내 실수입니다. 이 부분을 개선하려고 노력할 것입니다.
Nguyen Bryan
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.