c – 组合字符串文字和整数常量
作者:互联网
给定一个编译时常量整数(一个对象,而不是一个宏),我可以在编译时将它与字符串文字结合起来,可能还有预处理器吗?
例如,我可以通过将它们放在彼此相邻的位置来连接字符串文字:
bool do_stuff(std::string s);
//...
do_stuff("This error code is ridiculously long so I am going to split it onto "
"two lines!");
大!但是如果我在混合中添加整数常量怎么办:
const unsigned int BAD_EOF = 1;
const unsigned int BAD_FORMAT = 2;
const unsigned int FILE_END = 3;
是否可以使用预处理器以某种方式将其与字符串文字连接?
do_stuff("My error code is #" BAD_EOF "! I encountered an unexpected EOF!\n"
"This error code is ridiculously long so I am going to split it onto "
"three lines!");
如果那是不可能的,我可以将常量字符串与字符串文字混合使用吗?即如果我的错误代码是字符串,而不是unsigneds?
如果两者都不可能,那么将这种字符串文字和数字错误代码组合在一起的最短,最干净的方法是什么?
解决方法:
如果BAD_EOF是一个宏,你可以stringize它:
#define STRINGIZE_DETAIL_(v) #v
#define STRINGIZE(v) STRINGIZE_DETAIL_(v)
"My error code is #" STRINGIZE(BAD_EOF) "!"
但它不是(这只是一件好事),所以你需要format the string:
stringf("My error code is #%d!", BAD_EOF)
stringstream ss; ss << "My error code is #" << BAD_EOF << "!";
ss.str()
如果这对你来说是一个巨大的问题(它不应该,绝对不是一开始),请为每个常量使用一个单独的专用字符串:
unsigned const BAD_EOF = 1;
#define BAD_EOF_STR "1"
这有一个宏的所有缺点加上螺丝钉维持一点点的性能,大多数应用程序可能won’t matter.但是,如果您决定这种权衡,它必须是一个宏,因为预处理器无法访问值,即使它们是常量.
标签:c,concatenation,string-literals,c-preprocessor,stringification 来源: https://codeday.me/bug/20190723/1517884.html