所以,我有链接问题。答案可能很轻松,但我想我已经开始了。我定义了一个用于计算带有字符串流的东西的类。
头文件的相关部分:
#include <sstream>
using namespace std;
template<class T>
class Finder {
public:
Finder(istringstream& input) {};
~Finder() {};
template<typename T> Finder(T& input) {};
template<typename T> ~Finder() {};
T check(istringstream&);
template<typename T> friend ostream& operator << (ostream&, Finder<t>&);
};
template<class T>
T Finder<T>::check(istringstream& input)
然后我的驱动程序文件到最后一次调用:
#include <sstream>
#include <string>
#include <iostream>
#include "Finder.h"
using namespace std;
int main(int argc, char** argv) {
Finder<int> thing;
string expression;
getline(cin, expression);
while(expression[0] != 'q') {
try {
int result = thing.check(istringstream(expression));
错误是: 1&gt; driver.obj:错误LNK2019:未解析的外部符号&#34; public:__ thishisall Finder :: Finder(void)&#34;函数_main
中引用了(?? 0?$ Finder @ H @@ QAE @ XZ)1&gt; driver.obj:错误LNK2019:未解析的外部符号&#34; public:__ thishisall Finder ::〜Finder(void)&#34; (?? 1?$ Finder @ H @@ QAE @ XZ)在函数__catch $ _main $ 0中引用
答案 0 :(得分:1)
首先,不要将输入限制为只是字符串流。除非您有充分的理由否则请使用通用std::istream
。您的类将更强大,并且能够从多个源流类型中获取输入,而不仅仅是std::istringstream
(例如文件流或输入控制台)。
其次我几乎可以肯定这是你尝试做的事情:
#include <iostream>
// forward declare class
template<class T>
class Finder;
// forward declare ostream inserter
template<class T>
std::ostream& operator <<(std::ostream&, const Finder<T>&);
// full class decl
template<class T>
class Finder
{
// friend only the inserter that matches this type, as opposed to
// all inserters matching all T for Finder
friend std::ostream& operator<< <>(std::ostream&, const Finder<T>&)
{
// TODO: implement inserter code here
}
public:
Finder()
{
// TODO: default initialization here
};
Finder(const T& value)
{
// TODO: initialize directly from T value here.
}
Finder(std::istream& input)
{
// TODO: initialize from input stream here.
}
~Finder()
{
// TODO: either implement this or remove it outright. so far
// there is no evidence it is even needed.
}
T check(std::istream& input)
{
// TODO: implement check code here. currently just returning a
// value-initialized T. you will change it as-needed
return T();
};
};
示例用法是:
int main()
{
Finder<int> f;
std::istringstream iss("1 2 3");
f.check(iss);
}
请注意,一个 T
,来自类模板本身。如果使用具有不同类型名称的模板成员函数,则需要成员函数(甚至构造函数)的辅助类型,例如:
template<class T>
class Simple
{
public:
// a template member constructor
template<typename U>
Simple(const U& val)
{
}
// a regular template member
template<typename U>
void func(U value)
{
}
};
并像这样调用:
Simple<int> simple(3.1415926); // U will be type double
simple.func("test"); // U will be type const (&char)[5]
注意使用成员函数模板,与所有函数模板一样,类型是推导来自传递的参数,未指定(虽然它们可能是强制特定类型,但我们不在这里)
无论如何,希望它有所帮助。