What does #x inside a C macro mean?

CMacros

C Problem Overview


For example I have a macro:

#define PRINT(int) printf(#int "%d\n",int)

I kinda know what is the result. But how come #int repersent the whole thing?

I kinda forget this detail. Can anybody kindely give me a hint?

Thanks!

C Solutions


Solution 1 - C

In this context (applied to a parameter reference in a macro definition), the pound sign means to expand this parameter to the literal text of the argument that was passed to the macro.

In this case, if you call PRINT(5) the macro expansion will be printf("5" "%d\n", 5); which will print 5 5; not very useful; however if you call PRINT(5+5) the macro expansion will be printf("5+5" "%d\n", 5+5); which will print 5+5 10, a little less trivial.

This very example is explained in this tutorial on the C preprocessor (which, incidentally, is the first Google hit for c macro pound sign).

Solution 2 - C

"#" can show the name of a variable, it's better to define the macro as this:

#define PRINT(i) printf(#i " = %d\n", i)

and use it like this:

int i = 5;
PRINT(i);

Result shown:

i = 5

Solution 3 - C

That is a bad choice of name for the macro parameter, but harmless (thanks dreamlax).

Basically if i write like so

PRINT(5);

It will be replaced as

printf("5" "%d\n",5);

or

printf("5 %d\n",5);

It is a process called Stringification, #int is replaced with a string consisting of its content, 5 -> "5"

Solution 4 - C

'#' is called a stringize operator. Stringize operator puts quotes around the parameter passed and returns a string. It is only used in a marco statements that take the arguments.

#include<stdio.h> 

#define stringLiteral(sl) #sl

int main()
{
   char StringizeOpreator = 'a'; 
   printf(stringLiteral(StringizeOpreator));
   return 0;
}

Here the stringLiteral marco takes the formal argument sl and returns #sl. Actual argument passed is StringizeOpreator variable. The return statement #sl has # operator, that puts quotes around the argument like "StringizeOpreator" and returns a string.

So the output of the above program is the name of the actual parameter 'StringizeOpreator' rather than the value stored in the actual parameter passed.

output :
StringizeOperator
...
exitcode 0

To learn more visit this link: Stringize Operator

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionAnders LindView Question on Stackoverflow
Solution 1 - CmetamattView Answer on Stackoverflow
Solution 2 - CJack PekingView Answer on Stackoverflow
Solution 3 - CKarthik TView Answer on Stackoverflow
Solution 4 - CAagam ShethView Answer on Stackoverflow