阅读可变参数函数时,我发现了一个sum
函数,它接受任意数量的任何数字类型并计算它们的总和。
有了这个函数的模板性质,我希望它接受string
对象,因为运算符+
是为字符串定义的。
#include <iostream>
#include <string>
#include <type_traits>
#include <utility>
using namespace std;
template <typename T> T sum(T && x)
{
return std::forward<T>(x);
}
template <typename T, typename ...Args>
typename std::common_type<T, Args...>::type sum(T && x, Args &&... args)
{
return std::forward<T>(x) + sum(std::forward<Args>(args)...);
}
int main()
{
auto y = sum(1, 2, 4.5); // OK
cout << y << endl;
auto x = sum("Hello!", "World"); // Makes error
cout << x << endl;
return 0;
}
错误:
'const char [7]' 和 'const char [6]' 类型的无效操作数到二进制 'operator+'
我预计它会连接 Hello!
并World
打印出来Hello!World
。问题是什么?