 Yan's Website
                Yan's Website
            
                        
            
            
            
            
                
                        Steadier chrono::steady_clock in C++
                        
                        New
                        
                        Saturday 29 March 2025
                    
                    In C (on sensible OSes) we have access to a number of different clock
identities (accessed via clock_gettime()) with significantly different
characteristics. Three important ones are:
CLOCK_REALTIME
This is often the most suitable clock for general applications programming. The operating system tries to keep this clock in sync with UTC time.
Assuming that the system has NTP running, this will normally be within a few milliseconds from "true" UTC time and leap seconds will be accounted for (typically by smearing). It should not be affected by whatever time zone the machine happens to be in.
If you want to write some code which displays or records a time in a way that is relevant for humans and the most important thing is that each absolute date/time recorded or displayed is as close as possible to the true "wall-clock time", then this is the best clock to use.
Importantly, if you are writing code which performs scheduling (on a finer timescale than i.e. minutes) or otherwise relies on time values increasing monotonically or at a steady rate, this clock is problematic. Even though the OS and/or NTP implementation typically try to make adjustments to the clock by making frequency adjustments (and therefore gradually dragging the clock back into alignment) rather than making step changes, the calculations that implement this are susceptible to rounding errors, meaning that step changes in the order of microseconds (in either direction) can often be observed whenever NTP updates occur (commonly every 30 minutes or so).
So, despite the name, this clock is probably the least useful for what we might call "realtime programming".
In C++, the std::chrono::system_clock provides access to something with the
behaviour described above (although whether it is derived from CLOCK_REALTIME
is dependent on the standard library implementation and OS; it may be based
on a similar but lower-resolution clock).
CLOCK_MONOTONIC
This is usually the most suitable clock for programming that involves either measuring durations or scheduling events with sub-second precision, or in any other case where the code relies on the assumption that the reported time can never "go backwards" from one call to the next.
The system does not attempt to ensure that the absolute value of this clock has any connection to UTC time (or any other "wall clock" time). The "epoch" for this clock is unspecified (however, in practice, on Linux it starts counting from zero when the machine boots). It is primarily intended for measuring durations, so the absolute value at any point in time shouldn't matter.
In C++, the std::chrono::steady_clock is intended to provide something with
the behaviour of CLOCK_MONOTONIC. On Linux, with recent c++ standard library
implementations, it is implemented on top of CLOCK_MONOTONIC.
So far, this sounds promising and it seems like CLOCK_MONOTONIC or
steady_clock should be exactly what we want for "realtime programming". There
are, however, a couple of pitfalls. For historical reasons, CLOCK_MONOTONIC
is implemented on top of CLOCK_REALTIME (in Linux). i.e., the monotonic value
is found by taking something like the realtime value (or a pre-cursor to it)
and subtracting an offset. Whenever something like NTP updates the realtime
clock, the offset for the monotonic clock has to be updated at the same time to
maintain the illusion of monotonicity. There are two problems with this:
- The above is clearly prone to bugs and indeed there have been bugs in this
area over the years. Even on relatively recent kernel versions I have seen
occasions when CLOCK_MONOTONICappeared to jump near the time of an NTP update.
- This means that the rate or frequency of CLOCK_MONOTONICis still tied to the rate ofCLOCK_REALTIME(and is therefore adjusted in response to NTP updates).
As a result, there are some (albeit uncommon) situations where CLOCK_MONOTONIC
still doesn't cut it. Those situations are:
- If it's absolutely crucial that a piece of code has code has access to a clock that never jumps backwards or forwards by an irregular amount even on the scale of nanoseconds or smaller.
- If it's critical that the rate of the clock varies gradually rather than sharply (i.e. if the rate of change of the rate of change is small).
For these cases, since Linux 2.6.28, we have CLOCK_MONOTONIC_RAW.
CLOCK_MONOTONIC_RAW
In the context of C/C++/POSIX, CLOCK_MONOTONIC_RAW is the new and exotic
option, but from an embedded/systems/hardware perspective it is actually the
simplest to explain. This provides access to a clock which is derived as
directly as possible from whatever hardware counter is available, which should
be totally immune to any influence from software trying to correct or
synchronise the time.
This solves the problems described above for CLOCK_MONOTONIC in certain
uncommon use cases. CLOCK_MONOTONIC_RAW will not have a constant frequency,
but its frequency is very likely to be proportional to the temperature of some
crystal within the machine, and the thermal mass connected to that crystal is
likely to result in the clock frequency changing much more gradually than the
sharp changes in frequency seen on CLOCK_MONOTONIC due to NTP disciplining.
Of course, nothing is free. The down-sides of CLOCK_MONOTONIC_RAW are
(A) potential slower access times and (B) potential coarser precision. Both
are consequences of the clock being derived directly from hardware, and
therefore may vary from one machine to another for the same code and OS.
Nonetheless, CLOCK_MONOTONIC_RAW is a very useful option to have and I have
found it to be the least bad option for writing code which is itself
implementing some sort of clock synchronisation routine (e.g. synchronising
with a particular piece of hardware with its own clock over a network).
There are debates to be had about the definitions of "monotonic", "steady" etc
and whether C++'s steady_clock should really be based on CLOCK_MONOTONIC_RAW
rather than CLOCK_MONOTONIC on Linux, but for the time being if you find
yourself needing a steadier steady clock in C++ and want to take advantage
of std::chrono's algebraic approach to time units then you'll need this:
#include <chrono>
#include <ctime>
class RawClock
{
  public:
    using duration = std::chrono::nanoseconds;
    using rep = duration::rep;
    using period = duration::period;
    using time_point = std::chrono::time_point<RawClock>;
    // Whether RawClock should be steady is uncertain. It probably meets the
    // definition (as much as steady_clock does) but it also probably makes
    // sense to have only one of them declared as steady.
    static constexpr bool is_steady = false;
    static time_point now() noexcept
    {
        struct timespec ts;
        clock_gettime(CLOCK_MONOTONIC_RAW, &ts);
        duration sec = std::chrono::seconds{ts.tv_sec};
        duration nsec = std::chrono::nanoseconds{ts.tv_nsec};
        return time_point{sec + nsec};
    }
};
                        Context Managers in C
                        
                        Monday  1 January 2024
                    
                    Python's with statement syntax (and the associated "Context Manager" protocol)
is a significant development in programming language design.
Like a try...finally block, the with syntax provides "automatic" invocation
of clean-up actions in a way that respects the lexical structure of the program
and is ambivalent to the "reason for leaving" each lexical scope. i.e.: in
Python, once a with block has been entered, the corresponding context
manager's __exit__() function will be called when control leaves that block
regardless of whether a return/break/continue/ statement has been
reached, an exception has been raised, or whether the end of the block has been
reached "naturally".
Unlike a try...finally block, the with statement pattern allows the
clean-up routine to be defined once (alongside the definitions of other types
and functions relating to the resource) and then used repeatedly. By making the
context manager's __enter__() function the only way of acquiring the
resource, this absolves the "caller" of the responsibility for arranging the
clean-up actions properly.
Equivalent behaviours and a similar level of source code modularity can be
achieved in C++ using the RAII pattern (i.e. using destructors and objects with
automatic storage duration appearing at the appropriate scope). The unique
benefits of the with statement are that the presence of clean-up logic of
some sort is declared explicitly at the call site, the point at which the
clean-up will happen is explicitly demarcated using the mandatory lexical
block and the order in which nested contexts will be unwound is also explicitly
declared by way of the lexical structure of the source code. In other words, it
is the "structured programming" approach to resource clean-up.
Moreover, since the context manager pattern is realised by way of a special language construct and a convention for entry and exit function signatures (a "protocol" in Python terminology) it is possible to imagine a congruent C extension, even in the absence of any syntax-level object orientation.
What follows is a "toy" implementation of the context manager pattern in
(non-standard) C. This is based around GCC's __cleanup__ attribute which, in
combination with a plain scope block, provides the essential semantics. A simple
variadic macro provides the with syntax (just about) and the rest is in the
eye of the beholder.
#define with(type, name, args, ...) \
{ \
    type name __attribute__ ((__cleanup__(type ## _exit))) = type ## _enter args; \
    __VA_ARGS__ \
}General Usage
Note that the "underlying resource" type may be a handle or a pointer.
typedef <underlying resource type> foo_context_t;
foo_context_t foo_context_t_enter(<entry params>)
{
    // Do some init
    return <underlying handle>;
}
void foo_context_t_exit(foo_context_t *self)
{
    // Do some clean-up
}
int main()
{
    with(foo_context_t, foo, (<entry args>),
    {
        // Make use of 'foo'
    })
}Wrapping a resource with distinct open/close functions
typedef FILE *file_context_t;
static file_context_t file_context_t_enter(const char *fname)
{
    printf("Opened file\n");
    return fopen(fname, "r");
}
static void file_context_t_exit(file_context_t *self)
{
    fclose(*self);
    printf("Closed file\n");
}Wrapping a resource with dynamically allocated memory
typedef char *str_context_t;
static str_context_t str_context_t_enter(const char *contents)
{
    str_context_t result = strdup(contents);
    printf("Allocated %p\n", result);
    return result;
}
static void str_context_t_exit(str_context_t *self)
{
    printf("Freed %p\n", *self);
    free(*self);
}Bringing it all together
int main()
{
    with(str_context_t, hello_ctx, ("Hello"),
    {
        with(file_context_t, f, ("/dev/urandom"),
        {
            with(str_context_t, world_ctx, ("World"),
            {
                printf("%s %s!\n", hello_ctx, world_ctx);
                char n = getc(f);
                printf("A random number is: %d\n", n);
                if (n % 2)
                {
                    printf("Early return\n");
                    return 1;
                }
            })
        })
    })
    return 0;
}The above code includes a branch on a random value in order to demonstrate the point that the cleanup actions are performed regardless of whether the function returns "early" or at its natural end. Here is the output from the program on an occasion when the early return was triggered:
Allocated 0x564853b8a2a0
Opened file
Allocated 0x564853b8a8b0
Hello World!
A random number is: 21
Early return
Freed 0x564853b8a8b0
Closed file
Freed 0x564853b8a2a0Here is the output from an occasion when the early return was skipped:
Allocated 0x5642d9dd82a0
Opened file
Allocated 0x5642d9dd88b0
Hello World!
A random number is: 112
Freed 0x5642d9dd88b0
Closed file
Freed 0x5642d9dd82a0