0

我正在尝试创建一个抽象类,其他一些类可以作为 arduino 项目的基础。但是,每当我调用基础中的虚拟方法时,它只会调用基础实现。代码如下。谁能看到我做错了什么?

#define RTCBASE 0
class RTC_Base {
public:
  virtual uint8_t begin(void){ return 0; };
  virtual void adjust(const DateTime& dt){};
  virtual DateTime now(){ return DateTime(); };
  virtual int Type(){ return RTCBASE; };
};
////////////////////////////////////////////////////////////////////////////////
// RTC based on the DS1307 chip connected via I2C and the Wire library
#define DS1307 1
class RTC_DS1307 : public RTC_Base 
{
public:
  virtual int Type(){ 
    return DS1307; 
  }
  uint8_t begin(void);
  void adjust(const DateTime& dt);
  uint8_t isrunning(void);
  DateTime now();
  uint8_t readMemory(uint8_t offset, uint8_t* data, uint8_t length);
  uint8_t writeMemory(uint8_t offset, uint8_t* data, uint8_t length);


};

///In Code
RTC_Base RTC = RTC_DS1307();
DateTime dt = RTC.now();
//The above call just returns a blank DateTime();
4

1 回答 1

2

你有代码:

RTC_Base RTC = RTC_DS1307();
DateTime dt = RTC.now(); //The above call just returns a blank DateTime();

那是对象切片(正如@chris 最初猜测的那样)。为了使多态性起作用,您必须假装派生类是基类,将指针或引用视为基类,而实际上它是派生类的地址。(因为 Derived 实际上包含其中的 Base)。

Derived myDerived;
Base &myBaseRef = myDerived;

myBaseRef.myVirtualFunction();

否则,您将创建一个 Derived,并尝试将字节强制转换为 Base,并丢失所有 Derived 的字节。这样不好!=)

关键是,您实际上不应该Derived 转换为 Base,而只是像访问 Base 一样访问 Derived。如果将其转换为基础,则它基础。并且您的 Base 类返回一个空的 DateTime。

要使用动态分配的内存执行此操作,您可以执行以下操作:

Base *myBase = nullptr; //Or 'NULL' if you aren't using C++11
myBase = new Derived;

myBase->myVirtualFunction(); //Dereference the myBase pointer and call the function.

delete myBase; //Free the memory when you are finished.

如果您使用的是 C++11,您可以让std::unique_ptr为您处理对象的生命周期,因此您不必记住调用“删除”:

std::unique_ptr<Base> myBase;

//Later...
myBase = new Derived;
myBase->myVirtualFunction();

//Automatically freed when the myBase smart pointer goes out of scope...
于 2013-03-12T04:15:52.640 回答