Movatterモバイル変換


[0]ホーム

URL:


Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Sign up
Appearance settings

timedelta formatter#8930

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to ourterms of service andprivacy statement. We’ll occasionally send you account related emails.

Already on GitHub?Sign in to your account

Closed
Closed
Show file tree
Hide file tree
Changes fromall commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
115 changes: 113 additions & 2 deletionslib/matplotlib/dates.py
View file
Open in desktop
Original file line numberDiff line numberDiff line change
Expand Up@@ -118,10 +118,10 @@
import time
import math
import datetime
import string

import warnings


from dateutil.rrule import (rrule, MO, TU, WE, TH, FR, SA, SU, YEARLY,
MONTHLY, WEEKLY, DAILY, HOURLY, MINUTELY,
SECONDLY)
Expand All@@ -137,7 +137,7 @@


__all__ = ('date2num', 'num2date', 'drange', 'epoch2num',
'num2epoch', 'mx2num', 'DateFormatter',
'num2epoch', 'mx2num', 'TimedeltaFormatter', 'DateFormatter',
'IndexDateFormatter', 'AutoDateFormatter', 'DateLocator',
'RRuleLocator', 'AutoDateLocator', 'YearLocator',
'MonthLocator', 'WeekdayLocator',
Expand DownExpand Up@@ -217,6 +217,9 @@ def _to_ordinalf(dt):
dt = dt.astimezone(UTC)
tzi = UTC

if isinstance(dt, datetime.timedelta):
return dt.total_seconds() / SEC_PER_DAY

base = float(dt.toordinal())

# If it's sufficiently datetime-like, it will have a `date()` method
Expand DownExpand Up@@ -406,6 +409,38 @@ def num2date(x, tz=None):
return _from_ordinalf_np_vectorized(x, tz).tolist()


def _ordinalf_to_timedelta(x):
return datetime.timedelta(days=x)


_ordinalf_to_timedelta_np_vectorized = np.vectorize(_ordinalf_to_timedelta)


def num2timedelta(x):
"""
Converts number of days to a :class:`timdelta` object.
If *x* is a sequence, a sequence of :class:`timedelta` objects will
be returned.

Parameters
----------
x : float, sequence of floats
Number of days (fraction part represents hours, minutes, seconds)

Returns
-------
:class:`timedelta`

"""
if not cbook.iterable(x):
return _ordinalf_to_timedelta(x)
else:
x = np.asarray(x)
if not x.size:
return x
return _ordinalf_to_timedelta_np_vectorized(x).tolist()


def drange(dstart, dend, delta):
"""
Return a date range as float Gregorian ordinals. *dstart* and
Expand DownExpand Up@@ -573,6 +608,82 @@ def strftime(self, dt, fmt=None):
return self.strftime_pre_1900(dt, fmt)


class TimedeltaFormatter(ticker.Formatter):

def __init__(self, fmt):
r"""
*fmt* is a format string, with accepted format arguments given in the
table below. For more information on format strings see
https://docs.python.org/3/library/string.html#format-string-syntax

.. table:: Accepted format arguments
:widths: auto

======== ============
Argument Meaning
======== ============
{D} Days
{H} Hours
{M} Minutes
{S} Seconds
{f} Microseconds
======== ============

Examples
--------
>>> from datetime import timedelta
>>> from matplotlib.dates import TimedeltaFormatter
>>>
>>> dt = timedelta(hours=1, minutes=0, seconds=3)
>>> fmt = '{H:02}:{M:02}:{S:02}'
>>> formatter = TimedeltaFormatter(fmt)
>>> formatter(dt)
01:00:03
>>>
>>> fmt = '{S}'
>>> formatter = TimedeltaFormatter(fmt)
>>> formatter(dt)
3603
>>>
>>> fmt = '{S}'
>>> dt = timedelta(microseconds=1e5)
>>> formatter(dt)
0.1
"""
self.fmt = fmt

def __call__(self, x):
dt = num2timedelta(x)
return self._strfdelta(dt)

def _strfdelta(self, dt):
# A custom method to format timedelta objects. See above for examples
formatter = string.Formatter()
d = {}
allkeys = ['D', 'H', 'M', 'S', 'f']
secs = [SEC_PER_DAY, SEC_PER_HOUR, SEC_PER_MIN, 1, 1 / 1e6]
# Get list of all keys in the format string
keys = list(map(lambda x: x[1], list(formatter.parse(self.fmt))))

rem = dt.total_seconds()
# Cycle through all keys, and if key present in format calculate value
# of that key
for key, seconds in zip(allkeys, secs):
if key in keys:
d[key] = rem / seconds
_, rem = divmod(rem, seconds)

# Cycle through and round every entry down to an int APART from the
# smallest unit present in format
foundlast = False
for key in allkeys[::-1]:
if key in keys:
if foundlast or key == 'f':
d[key] = int(np.floor(d[key]))
foundlast = True
return formatter.format(self.fmt, **d)


class IndexDateFormatter(ticker.Formatter):
"""
Use with :class:`~matplotlib.ticker.IndexLocator` to cycle format
Expand Down
24 changes: 24 additions & 0 deletionslib/matplotlib/tests/test_dates.py
View file
Open in desktop
Original file line numberDiff line numberDiff line change
Expand Up@@ -457,3 +457,27 @@ def test_DayLocator():
def test_tz_utc():
dt = datetime.datetime(1970, 1, 1, tzinfo=mdates.UTC)
dt.tzname()


@pytest.mark.parametrize("x, tdelta",
[(1, datetime.timedelta(days=1)),
([1, 1.5], [datetime.timedelta(days=1),
datetime.timedelta(days=1.5)])])
def test_num2timedelta(x, tdelta):
dt = mdates.num2timedelta(x)
assert dt == tdelta


@pytest.mark.parametrize('dt, fmt, out',
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others.Learn more.

I think you'd probably want a lot more tests. What happens for a negativetimedelta?

How about('{H:02}:{M:02}', timedelta(days=4, hours=0, minutes=0, seconds=4))?

[(datetime.timedelta(days=8, hours=1, minutes=2,
seconds=3, microseconds=4),
'{D}d {H:02}:{M:02}:{S:02}.{f:06}',
'8d 01:02:03.000004'),
(datetime.timedelta(seconds=1), '{f}', '1000000'),
(datetime.timedelta(microseconds=1e5), '{S}', '0.1'),
])
def test_TimedeltaFormatter(dt, fmt, out):
formatter = mdates.TimedeltaFormatter(fmt)
x = mdates.date2num(dt)
formatted = formatter(x)
assert formatted == out

[8]ページ先頭

©2009-2025 Movatter.jp