我有一个非模板抽象基类,用于能够引用基类型,因为非专用模板类型不能用作方法参数。
#ifndef RPCPP_ICALLBACKBASE_H
#define RPCPP_ICALLBACKBASE_H
#include <string>
namespace rpcpp
{
class ICallbackBase
{
public:
virtual ~ICallbackBase() {};
virtual void OnSuccess(void result) = 0;
virtual void OnError(std::string error) = 0;
};
}
#endif // RPCPP_ICALLBACKBASE_H
抽象模板类ICallback继承自ICallback基础,如下所示:
#ifndef RPCPP_ICALLBACK_H
#define RPCPP_ICALLBACK_H
#include "ICallbackBase.h"
namespace rpcpp
{
template <class T>
class ICallback : public ICallbackBase
{
public:
virtual ~ICallback() {};
virtual void OnSuccess(T result) = 0;
virtual void OnError(std::string error) = 0;
};
}
#endif // RPCPP_ICALLBACK_H
最后,可以通过继承ICallback来创建具体类型:
#ifndef RPCPP_SAMPLE_CALLBACK_H
#define RPCPP_SAMPLE_CALLBACK_H
#include "ICallback.h"
#include <iostream>
namespace rpcpp
{
class SampleCallback : public ICallback<double>
{
public:
~SampleCallback() {};
virtual void OnSuccess(double result)
{
std::cout << "Successfully executed a remote procedure, A + B = " << result << "\r\n\r\n";
}
virtual void OnError(std::string error)
{
std::cout << "Error while executing a remote procedure: " << error << "\r\n\r\n";
}
};
}
#endif // RPCPP_SAMPLE_CALLBACK_H
所有这些编译都很好,但是当我尝试使用它时,就像这样:
rpcpp::SampleCallback sc;
sic.CalculateMean(15, 28, &sc); // Third argument of this method is expected to be ICallbackBase&.
它产生以下两个错误:
“无法在第1行中实例化抽象类”。 “无法将参数3从SampleCallback&amp;转换为ICallbackBase&amp;”第2行
我做错了什么?
答案 0 :(得分:1)
virtual void OnSuccess(void result) = 0;
永远不会被定义。
答案 1 :(得分:1)
你没有实现每一个抽象方法:
virtual void OnSuccess(void result)= 0;
什么是CalculateMean的定义?
答案 2 :(得分:1)
以下是解决实际问题的方法:
从OnSuccess中删除参数:
virtual void OnSuccess()=0;
向ICallback添加构造函数参数:
template<class T> class ICallBack
{
public:
ICallBack(T &result) : result(result) { }
protected:
T &result;
};
添加新方法以允许非模板代码访问T内部表示:
virtual void *Address() const=0;
virtual size_t Size() const=0;
virtual type_info Type() const=0;
在ICallBack<T>
中实施这些方法:
void *Address() const { return &result; }
size_t Size() const { return sizeof(T); }
type_info Type() const { return typeid(T); }