问题描述
我想做这样的事情:
template<int N>
char* foo() {
// return a compile-time string containing N, equivalent to doing
// ostringstream ostr;
// ostr << N;
// return ostr.str().c_str();
}
似乎 boost MPL 库可能允许这样做,但我无法真正弄清楚如何使用它来完成此操作.这可能吗?
It seems like the boost MPL library might allow this but I couldn't really figure out how to use it to accomplish this. Is this possible?
推荐答案
首先,如果您通常在运行时知道数字,您就可以轻松构建相同的字符串.也就是说,如果你的程序中有 12
,你也可以有 "12"
.
First of all, if usually you know the number at run time, you can as easily build the same string. That is, if you have 12
in your program, you can have also "12"
.
预处理器宏还可以为参数添加引号,因此您可以编写:
Preprocessor macros can add also quotes to arguments, so you can write:
#define STRINGIFICATOR(X) #X
这个,每当你写STRINGIFICATOR(2)
时,它都会产生2".
This, whenever you write STRINGIFICATOR(2)
, it will produce "2".
然而,它实际上可以在没有宏的情况下完成(使用编译时元编程).这并不简单,所以我不能给出确切的代码,但我可以给你一些关于如何去做的想法:
However, it actually can be done without macros (using compile-time metaprogramming). It is not straightforward, so I cannot give the exact code, but I can give you ideas on how to do it:
- 使用要转换的数字编写递归模板.模板将递归到基本情况,即数量小于 10.
- 在每次迭代中,您可以将 N%10 位数字转换为 T.E.D.建议,和使用
mpl::string
来构建附加该字符的编译时字符串. - 您最终将构建一个
mpl::string
,它具有一个静态的value()
字符串.
- Write a recursive template using the number to be converted. The template will recurse till the base case, that is, the number is less than 10.
- In each iteration, you can have the N%10 digit to be converted into a character as T.E.D. suggests, and using
mpl::string
to build the compile-time string that appends that character. - You'll end up building a
mpl::string
, that has a staticvalue()
string.
我花时间将其作为个人练习来实施.最后还不错:
I took the time to implement it as a personal exercise. Not bad at the end:
#include <iostream>
#include <boost/mpl/string.hpp>
using namespace boost;
// Recursive case
template <bool b, unsigned N>
struct int_to_string2
{
typedef typename mpl::push_back<
typename int_to_string2< N < 10, N/10>::type
, mpl::char_<'0' + N%10>
>::type type;
};
// Base case
template <>
struct int_to_string2<true,0>
{
typedef mpl::string<> type;
};
template <unsigned N>
struct int_to_string
{
typedef typename mpl::c_str<typename int_to_string2< N < 10 , N>::type>::type type;
};
int
main (void)
{
std::cout << int_to_string<1099>::type::value << std::endl;
return 0;
}
这篇关于C++在编译时将整数转换为字符串的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持跟版网!