Stringizing operator (#)
This operator causes the corresponding actual argument to be enclosed in double quotation marks. The # operator, which is generally called the stringize operator, turns the argument it precedes into a quoted string. For more on pre-processor directives – refer this
Examples :
- The following preprocessor turns the line printf(mkstr(geeksforgeeks)); into printf(geeksforgeeks);
// CPP program to illustrate (#) operator
#include <stdio.h>
#define mkstr(s) #s
int
main(
void
)
{
printf
(mkstr(geeksforgeeks));
return
0;
}
Output:
geeksforgeeks
- In this program, value of a is replaced by macro.
// CPP program to illustrate (#) operator
#include <iostream>
using
namespace
std;
#define a 8.3297
int
main()
{
cout <<
"Value of a is "
<< a << endl;
return
0;
}
Output:
Value of a is 8.3297
- This program finds out maximum out of two numbers using macro
// CPP program to illustrate (#) operator
#include <iostream>
using
namespace
std;
#define MAX(i, j) (((i) > (j)) ? i : j)
int
main()
{
int
a, b;
a = 250;
b = 25;
cout <<
"The maximum is "
<< MAX(a, b) << endl;
return
0;
}
Output:
The maximum is 250
Token-pasting operator (##)
Allows tokens used as actual arguments to be concatenated to form other tokens. It is often useful to merge two tokens into one while expanding macros. This is called token pasting or token concatenation. The ‘##’ pre-processing operator performs token pasting. When a macro is expanded, the two tokens on either side of each ‘##’ operator are combined into a single token, which then replaces the ‘##’ and the two original tokens in the macro expansion.
Examples :- The preprocessor transforms printf(“%d”, concat(x, y)); into printf(“%d”, xy);
// CPP program to illustrate (##) operator
#include <stdio.h>
#define concat(a, b) a##b
int
main(
void
)
{
int
xy = 30;
printf
(
"%d"
, concat(x, y));
return
0;
}
Output:
30
Application: The ## provides a way to concatenate actual arguments during macro expansion. If a parameter in the replacement text is adjacent to a ##, the parameter is replaced by the actual argument, the ## and surrounding white space are removed, and the result is re-scanned.
Please write comments if you find anything incorrect, or you want to share more information about the topic discussed above.
This article is attributed to GeeksforGeeks.org
0 0You Might Also Like
Subscribe to Our Newsletter
- The preprocessor transforms printf(“%d”, concat(x, y)); into printf(“%d”, xy);
leave a comment
0 Comments