我想模拟一个类中的>>
和<<
运算符,但我还想将它们专门用于字符串,所以我这样做了;
class sql_command
{
public:
sql_command() { }
explicit sql_command(std::string& cmd)
: m_raw(cmd) {
}
inline sql_command& operator<<(const char * arg)
{
m_raw += arg;
return *this;
}
inline sql_command& operator<<(const std::string& arg)
{
m_raw += arg;
return *this;
}
template<typename T>
inline sql_command& operator>>(const T arg)
{
m_raw += boost::lexical_cast<std::string>(arg);
return *this;
}
inline std::string const& command() const {
return m_raw;
}
private:
std::string m_raw;
};
template<>
inline sql_command& operator>> <std::string> (const std::string& arg) {
m_raw += "'";
m_raw += arg;
m_raw += "'";
return *this;
}
template<>
inline sql_command& operator>> <char*>(const char * arg) {
m_raw += "'";
m_raw += arg;
m_raw += "'";
return *this;
}
但是我遇到了一些编译器错误:
1>.\main.cpp(83) : error C2912: explicit specialization; 'sql_command &operator >><std::string>(const std::string &)' is not a specialization of a function template
1>.\main.cpp(83) : error C2805: binary 'operator >>' has too few parameters
我该如何解决这些错误?
答案 0 :(得分:11)
您不需要专门化操作员模板:只需编写一个带有std::string
的重载:
class sql_command {
/* ... */
template<typename T>
sql_command& operator>>(const T& arg) {
/* general purpose implementation */
}
sql_command& operator>>(const std::string& arg) {
/* special std::string implementation */
}
};
功能模板专业化令人讨厌,应尽可能避免。有关更多信息,请参阅Herb Sutter的Why Not Specialize Function Templates?
答案 1 :(得分:2)
您忘记使用班级解析操作员::
template<>
inline sql_command& sql_command::operator>> <std::string> (const std::string& arg)
see this ^^
还可以为其他专业化做这个!
或者更好地关注 James 的建议!