Range-based for loop: Difference between revisions

From vegard.wiki
Jump to navigation Jump to search
Content added Content deleted
(add category)
(fix bug)
Line 5: Line 5:
<source lang="C">
<source lang="C">
#define RANGE(var, low, high) \
#define RANGE(var, low, high) \
(typeof(0 ? (low) : (high)) var = (low), _end = (high); var < _end; ++var)
(typeof(0 ? (low) : (high)) var = (low), _end = (high); var < _end; ++var)


// https://stackoverflow.com/a/5458283
// https://stackoverflow.com/a/5458283
#define REVERSE_RANGE(var, high, low) \
#define REVERSE_RANGE(var, high, low) \
(typeof(0 ? (low) : (high)) var = (high), _end = (low); var-- > _end; )
(typeof(0 ? (low) : (high)) var = (high), _end = (low); var-- > _end; )
</source>
</source>


This automatically deduces the type of the index variable, so that e.g. <tt>RANGE(i, -1, 1)</tt> will use <tt>int</tt>, while <tt>RANGE(i, 0U, 1U)</tt> will use <tt>unsigned long</tt>. Note that <tt>typeof</tt> is a GNU/gcc extension, so this will not work on e.g. MSVC.
This automatically deduces the type of the index variable, so that e.g. <tt>RANGE(i, -1, 1)</tt> will use <tt>int</tt>, while <tt>RANGE(i, 0UL, 1UL)</tt> will use <tt>unsigned long</tt>. Note that <tt>typeof</tt> is a GNU/gcc extension, so this will not work on e.g. MSVC.


=== Usage ===
=== Usage ===
Line 18: Line 18:
<source lang="C">
<source lang="C">
for RANGE(i, -1, 5) {
for RANGE(i, -1, 5) {
printf("%d\n", i);
printf("%d\n", i);
}
}
</source>
</source>

Revision as of 09:02, 10 March 2020

One of my pet peeves is the regular counting for loop in C where you have to repeat the variable name 3 times. This is error-prone in the case of nested loops, since the compiler has no way to know that you meant to increment j and not i. To prevent this kind of error, you can use a few helper macros that iterate over a range (forwards or backwards).

Definitions

#define RANGE(var, low, high) \
    (typeof(0 ? (low) : (high)) var = (low), _end = (high); var < _end; ++var)

// https://stackoverflow.com/a/5458283
#define REVERSE_RANGE(var, high, low) \
    (typeof(0 ? (low) : (high)) var = (high), _end = (low); var-- > _end; )

This automatically deduces the type of the index variable, so that e.g. RANGE(i, -1, 1) will use int, while RANGE(i, 0UL, 1UL) will use unsigned long. Note that typeof is a GNU/gcc extension, so this will not work on e.g. MSVC.

Usage

for RANGE(i, -1, 5) {
    printf("%d\n", i);
}