| | import asyncio |
| | from time import monotonic |
| |
|
| |
|
| | """ |
| | A module that serves as the single source of truth for everything time-related in a Textual app. |
| | Having this logic centralised makes it easier to simulate time in integration tests, |
| | by mocking the few functions exposed by this module. |
| | """ |
| |
|
| |
|
| | |
| | |
| | |
| | class _Clock: |
| | async def get_time(self) -> float: |
| | return self.get_time_no_wait() |
| |
|
| | def get_time_no_wait(self) -> float: |
| | return monotonic() |
| |
|
| | async def sleep(self, seconds: float) -> None: |
| | await asyncio.sleep(seconds) |
| |
|
| |
|
| | |
| | _clock = _Clock() |
| |
|
| |
|
| | def get_time_no_wait() -> float: |
| | """ |
| | Get the current wall clock time. |
| | |
| | Returns: |
| | float: the value (in fractional seconds) of a monotonic clock, i.e. a clock that cannot go backwards. |
| | """ |
| | return _clock.get_time_no_wait() |
| |
|
| |
|
| | async def get_time() -> float: |
| | """ |
| | Asynchronous version of `get_time`. Useful in situations where we want asyncio to be |
| | able to "do things" elsewhere right before we fetch the time. |
| | |
| | Returns: |
| | float: the value (in fractional seconds) of a monotonic clock, i.e. a clock that cannot go backwards. |
| | """ |
| | return await _clock.get_time() |
| |
|
| |
|
| | async def sleep(seconds: float) -> None: |
| | """ |
| | Coroutine that completes after a given time (in seconds). |
| | |
| | Args: |
| | seconds (float): the duration we should wait for before unblocking the awaiter |
| | """ |
| | return await _clock.sleep(seconds) |
| |
|