将序列舍入到最接近的15分钟



我有一个时间代表,我想将其四舍五入到最近的15分钟。例如,8h 40m最多可舍入8h 45m,8h 50m将舍入至8H 45m。

实现这一目标的最佳方法是什么?

我最终创建了自己的解决方案,因为我找不到另一种方式

def round_timedelta(td, period):
    """
    Rounds the given timedelta by the given timedelta period
    :param td: `timedelta` to round
    :param period: `timedelta` period to round by.
    """
    period_seconds = period.total_seconds()
    half_period_seconds = period_seconds / 2
    remainder = td.total_seconds() % period_seconds
    if remainder >= half_period_seconds:
        return timedelta(seconds=td.total_seconds() + (period_seconds - remainder))
    else:
        return timedelta(seconds=td.total_seconds() - remainder)

在ipython中使用:

In [4]: print round_timedelta(timedelta(hours=1, minutes=27), timedelta(minutes=15))
1:30:00
In [5]: print round_timedelta(timedelta(hours=1, minutes=30), timedelta(minutes=15))
1:30:00
In [6]: print round_timedelta(timedelta(hours=1, minutes=31), timedelta(minutes=15))
1:30:00
In [7]: print round_timedelta(timedelta(hours=1, minutes=37), timedelta(minutes=15))
1:30:00
In [8]: print round_timedelta(timedelta(hours=1, minutes=38), timedelta(minutes=15))
1:45:00

最新更新