2017-08-13 15:59:14 +00:00
|
|
|
# -*- coding: utf-8 -*-
|
2020-10-26 03:06:21 +00:00
|
|
|
from django.utils import timesince, timezone
|
2019-11-09 21:36:29 +00:00
|
|
|
from django.utils.translation import ngettext
|
2017-08-18 05:53:48 +00:00
|
|
|
|
2017-08-13 15:59:14 +00:00
|
|
|
|
2020-10-26 03:06:21 +00:00
|
|
|
def child_age_string(duration):
|
|
|
|
"""Monkey patch timesince function to day precision only.
|
|
|
|
"""
|
2021-01-04 03:08:11 +00:00
|
|
|
default_timesine_chunks = timesince.TIMESINCE_CHUNKS
|
2020-10-26 03:06:21 +00:00
|
|
|
timesince.TIMESINCE_CHUNKS = (
|
|
|
|
(60 * 60 * 24 * 365, 'year'),
|
|
|
|
(60 * 60 * 24 * 30, 'month'),
|
|
|
|
(60 * 60 * 24 * 7, 'week'),
|
|
|
|
(60 * 60 * 24, 'day'),
|
|
|
|
)
|
2021-01-04 03:08:11 +00:00
|
|
|
ts = timesince.timesince(duration)
|
|
|
|
timesince.TIMESINCE_CHUNKS = default_timesine_chunks
|
|
|
|
return ts
|
2020-10-26 03:06:21 +00:00
|
|
|
|
|
|
|
|
2017-10-30 18:26:49 +00:00
|
|
|
def duration_string(duration, precision='s'):
|
2017-09-13 18:07:51 +00:00
|
|
|
"""Format hours, minutes and seconds as a human-friendly string (e.g. "2
|
2017-10-30 18:26:49 +00:00
|
|
|
hours, 25 minutes, 31 seconds") with precision to h = hours, m = minutes or
|
|
|
|
s = seconds.
|
|
|
|
"""
|
2017-08-25 20:33:14 +00:00
|
|
|
h, m, s = duration_parts(duration)
|
|
|
|
|
|
|
|
duration = ''
|
|
|
|
if h > 0:
|
2019-11-09 21:36:29 +00:00
|
|
|
duration = ngettext('%(hours)s hour', '%(hours)s hours', h) % {
|
|
|
|
'hours': h
|
|
|
|
}
|
2017-10-30 18:26:49 +00:00
|
|
|
if m > 0 and precision != 'h':
|
2019-11-09 21:36:29 +00:00
|
|
|
if duration != '':
|
|
|
|
duration += ', '
|
2019-11-09 23:21:54 +00:00
|
|
|
duration += ngettext(
|
|
|
|
'%(minutes)s minute',
|
|
|
|
'%(minutes)s minutes',
|
|
|
|
m
|
|
|
|
) % {'minutes': m}
|
2017-10-30 18:26:49 +00:00
|
|
|
if s > 0 and precision != 'h' and precision != 'm':
|
2019-11-09 21:36:29 +00:00
|
|
|
if duration != '':
|
|
|
|
duration += ', '
|
2019-11-09 23:21:54 +00:00
|
|
|
duration += ngettext(
|
|
|
|
'%(seconds)s second',
|
|
|
|
'%(seconds)s seconds',
|
|
|
|
s
|
|
|
|
) % {'seconds': s}
|
2017-08-25 20:33:14 +00:00
|
|
|
|
|
|
|
return duration
|
|
|
|
|
|
|
|
|
|
|
|
def duration_parts(duration):
|
2017-10-30 18:26:49 +00:00
|
|
|
"""Get hours, minutes and seconds from a timedelta.
|
|
|
|
"""
|
2017-08-25 20:33:14 +00:00
|
|
|
if not isinstance(duration, timezone.timedelta):
|
|
|
|
raise TypeError('Duration provided must be a timedetla')
|
|
|
|
h, remainder = divmod(duration.seconds, 3600)
|
|
|
|
h += duration.days * 24
|
|
|
|
m, s = divmod(remainder, 60)
|
2017-09-25 15:39:08 +00:00
|
|
|
return h, m, s
|