-1

那是一个 Arduino 项目,它有一个模式按钮。该按钮将当前应用程序变量更改为播放器/收音机/导航/电话。所有应用程序都继承自“App”。

如果我运行“apps[0]->volume_up();”,它会告诉我应用程序中没有方法 volume_up。如果我将它添加到 App,它会在 App 中而不是在 Player 中执行 volume_up。

我究竟做错了什么?

int index = 0;
App *apps[4];

void setup(){
    Player *player = new Player();
    Radio *radio = new Radio();
    Navigation *navigation = new Navigation();
    Phone *phone = new Phone();
    apps[0] = player;
    apps[1] = radio;
    apps[2] = navigation;
    apps[3] = phone;
}

void loop(){
    int sensorValue = analogRead(A0);

    if (sensorValue == 156 || sensorValue == 157){ // Mode button
        index = (index + 1) % (sizeof(apps)/sizeof(apps[0]));
        delay(300);
    }

    if (sensorValue == 24 || sensorValue == 23){ // Volume button
        apps[index]->volume_up();
        delay(100);
    }
}

编辑

#ifndef App_H
#define App_H

#include "Arduino.h"

class App {
    public:
        void volume_up();
    };

#endif


#include "App.h"

void App::volume_up(){
    Serial.println("VOLUME_UP");
}
4

1 回答 1

0

如果要从父类调用该方法,App::volume_up()请在子类的方法中使用。或将方法标记virtual

virtual void App::volume_up(){ }

你可以在子类中调用它。

你需要App在你的类中继承类Phone,等等。

class Phone : public App {

};

然后要么

 void Phone::volume_up() { App::volume_up(); }

如果您不使用虚拟方法,或者

 void Phone::volume_up() { //Phone implementation }

如果您使用虚拟方法。

要使用运行时多态性,您需要像以前一样创建指针!

查看维基百科文章Virtual function and Stack Overflow question Call a C++ base class method automatically

于 2013-03-09T13:02:45.577 回答