Ian Collins said:
I guess the use of "do...while(0)" (and function-like macros in
general) is a hang over from 80s and 90s compiler which didn't inline
functions.
Mostly.
In the tree I'm looking at now, I see two uses that don't fall
into that category. The first is where I had a notion that
macros would generate better code, specifically for these macros:
#define HASH_ROT(x, k) (((x) << (k)) | ((x) >> (32 - (k))))
#define HASH_MIX(a, b, c) \
do { \
a -= c; a ^= HASH_ROT(c, 4); c += b; \
b -= a; b ^= HASH_ROT(a, 6); a += c; \
c -= b; c ^= HASH_ROT(b, 8); b += a; \
a -= c; a ^= HASH_ROT(c, 16); c += b; \
b -= a; b ^= HASH_ROT(a, 19); a += c; \
c -= b; c ^= HASH_ROT(b, 4); b += a; \
} while (0)
#define HASH_FINAL(a, b, c) \
do { \
c ^= b; c -= HASH_ROT(b, 14); \
a ^= c; a -= HASH_ROT(c, 11); \
b ^= a; b -= HASH_ROT(a, 25); \
c ^= b; c -= HASH_ROT(b, 16); \
a ^= c; a -= HASH_ROT(c, 4); \
b ^= a; b -= HASH_ROT(a, 14); \
c ^= b; c -= HASH_ROT(b, 24); \
} while (0)
In an attempt to demonstrate that they do generate better code, I
converted them to the following inline functions:
static inline uint32_t
hash_rot(uint32_t x, int k)
{
return (x << k) | (x >> (32 - k));
}
static inline void
hash_mix(uint32_t *a, uint32_t *b, uint32_t *c)
{
*a -= *c; *a ^= hash_rot(*c, 4); *c += *b;
*b -= *a; *b ^= hash_rot(*a, 6); *a += *c;
*c -= *b; *c ^= hash_rot(*b, 8); *b += *a;
*a -= *c; *a ^= hash_rot(*c, 16); *c += *b;
*b -= *a; *b ^= hash_rot(*a, 19); *a += *c;
*c -= *b; *c ^= hash_rot(*b, 4); *b += *a;
}
static inline void
hash_final(uint32_t *a, uint32_t *b, uint32_t *c)
{
*c ^= *b; *c -= hash_rot(*b, 14);
*a ^= *c; *a -= hash_rot(*c, 11);
*b ^= *a; *b -= hash_rot(*a, 25);
*c ^= *b; *c -= hash_rot(*b, 16);
*a ^= *c; *a -= hash_rot(*c, 4);
*b ^= *a; *b -= hash_rot(*a, 14);
*c ^= *b; *c -= hash_rot(*b, 24);
}
(Of course this required some changes to the users also.)
However, when I looked at the generated code, it was completely
identical with GCC 4.4.5. So I've now submitted a patch to
change these to inline functions:
http://openvswitch.org/pipermail/dev/2012-January/014369.html
I ran out of time so I won't be able to describe my other use
case