Home > Mobile >  "Unpacking" macro arguments
"Unpacking" macro arguments

Time:10-29

I have the following macro:

#define HEX 0x00,0x00,0x00,0x00,0x00,0x00,0x00,0x00

#define BITS 0x01

#define ADD_FLAGS(a, b, c, d, e, f, g, h) \
        a, b | BITS, c, d, e, f, g, h

I use this somewhere to create a byte array {ADD_FLAGS(HEX)}. This doesn't work. HEX is interpreted as a single argument to ADD_FLAGS and I get errors that there are too few arguments.

I have also tried the following variants, but no success:

#define EXPAND(x) x
#define ADD_FL(a, b, c, d, e, f, g, h) \
        a, b | BITS, c, d, e, f, g, h
#define ADD_FLAGS(...) ADD_FL EXPAND((__VA_ARGS__))

##################### other variant
#define ADD_FLAGS(...) EXPAND(ADD_FL (__VA_ARGS__))

CodePudding user response:

Obligatory "avoid macros" aside, you just need to wrap ADD_FLAGS in another macro.

Rename it to something else, e.g. ADD_FLAGS_, and add

#define ADD_FLAGS(...) ADD_FLAGS_(__VA_ARGS__)

This works in GCC and Clang. In MSVC this works with the new preprocessor only (/Zc:preprocessor flag).

Not sure how to do it with the old MSVC preprocessor, but since it's notoriously buggy, I'd avoid supporting it if possible.

CodePudding user response:

I would suggest that you use macros sparingly. Here's an example snippet which does exactly what the macro is doing but it's a bit more reasonable in my opinion.

template<typename ... Ts>
constexpr auto add_flags(Ts && ... args){
     std::array flags{std::forward<Ts>(args)...};
     constexpr int bits = 0x01;
     // flags[some_idx] |= bits;
     return flags;
}
  •  Tags:  
  • c
  • Related