Arduino/c++在另一个类中使用SoftwareSerial类



我正在尝试构建一些类,我已经很久没有做OOP了,而且大多数情况下我已经忘记了所有;)

正在尝试在我从SoftwareSerial中读取的内容中构建类,并在以后使用它做一些事情。

我编写了以下代码:

    #include <SoftwareSerial.h>
void setup() {
  // put your setup code here, to run once:
}
void loop() {
  // put your main code here, to run repeatedly:
}
class pH
{
  int Stable;
  unsigned long previousMillis;
  long Gap;
  //SoftwareSerial pHrs(100,100);
  //SoftwareSerial portOne(100, 100);
  //SoftwareSerial pHrs = new SoftwareSerial(90,90);
  SoftwareSerial SerialPort;
  // Constructor - creates a pH
  // and initializes the member variables and state
  public: pH(uint8_t tx, uint8_t rx, long pHgap)
  {
    Gap = pHgap;
    //SerialPort(rx, tx);
  }
};

但是得到这个:

    /home/san/Projekty/pHmetr/rs8/rs8.ino: In constructor 'pH::pH(uint8_t, uint8_t, long int)':
rs8:26: error: no matching function for call to 'SoftwareSerial::SoftwareSerial()'
   {
   ^
/home/san/Projekty/pHmetr/rs8/rs8.ino:26:3: note: candidates are:
In file included from /home/san/Projekty/pHmetr/rs8/rs8.ino:1:0:
/home/san/.local/share/umake/ide/arduino/hardware/arduino/avr/libraries/SoftwareSerial/SoftwareSerial.h:89:3: note: SoftwareSerial::SoftwareSerial(uint8_t, uint8_t, bool)
   SoftwareSerial(uint8_t receivePin, uint8_t transmitPin, bool inverse_logic = false);
   ^
/home/san/.local/share/umake/ide/arduino/hardware/arduino/avr/libraries/SoftwareSerial/SoftwareSerial.h:89:3: note:   candidate expects 3 arguments, 0 provided
/home/san/.local/share/umake/ide/arduino/hardware/arduino/avr/libraries/SoftwareSerial/SoftwareSerial.h:47:7: note: constexpr SoftwareSerial::SoftwareSerial(const SoftwareSerial&)
 class SoftwareSerial : public Stream
       ^
/home/san/.local/share/umake/ide/arduino/hardware/arduino/avr/libraries/SoftwareSerial/SoftwareSerial.h:47:7: note:   candidate expects 1 argument, 0 provided
exit status 1
no matching function for call to 'SoftwareSerial::SoftwareSerial()'

我试图自己找到解决方案,但不知何故我迷路了......

最好的摄政者!

class pH
{
  int Stable;
  unsigned long previousMillis;
  long Gap;
  //SoftwareSerial pHrs(100,100);
  //SoftwareSerial portOne(100, 100);
  //SoftwareSerial pHrs = new SoftwareSerial(90,90);
  SoftwareSerial SerialPort;
  // Constructor - creates a pH
  // and initializes the member variables and state
  public: 
    pH(uint8_t tx, uint8_t rx, long pHgap)
      : SoftwareSerial(/* You should initalize your base class */) // <---
    {
      Gap = pHgap;
      //SerialPort(rx, tx);
    }
};

您应该在构造函数中初始化基类。

您应该通过初始值设定项列表调用SoftwareSerial的构造函数。

pH 的构造函数应该是这样的:

public: pH(uint8_t tx, uint8_t rx, long pHgap)
  : SerialPort(rx, tx) // this is initializer list
{
  Gap = pHgap;
}

这两个建议都是正确的。

public: pH(uint8_t tx, uint8_t rx, long pHgap)
  : SerialPort(rx, tx) // this is initializer list
{
  Gap = pHgap;
}

是我需要的。谢谢。

最新更新