我有一些代码想放入使用另一个库SoftwareSerial的库中。现在,我将SoftwareSerial.h和SoftwareSerial.cpp文件添加到与正在创建的库相同的文件夹中。

我的头文件看起来像这样:

#ifndef MyLibrary_h
#define MyLibrary_h

#include "Arduino.h"
#include "SoftwareSerial.h"

#define MyLibrary_VERSION       1       // software version of this library


//DEFINE ALL CLASS VARIABLES

#define DATA_BUFFER_SIZE 50  //soft serial has 63 byte buffer.

class MyLibrary
{
    public:
        MyLibrary(uint8_t port_in, uint8_t port_out);
        float getSomeValue(uint8_t some_index);
    private:
        SoftwareSerial _serial;
                //Not sure if I should add the constructors below to the above declaration.
                //(uint8_t in_pin=4, uint8_t out_pin=5, bool logic_reversed = false);
        float convertSomeValue(byte upperbyte, byte lowerbyte);
        void flushSerialBuffer();
};

#endif

我的.cpp文件如下所示:

#include "Arduino.h"
#include "MyLibrary.h"
#include "SoftwareSerial.h"


MyLibrary::MyLibrary(uint8_t in_pin, uint8_t out_pin)
{

    bool logic_reversed = false;
    this->_serial(in_pin*, out_pin*, logic_reversed);
        //I tried the declaration below as well.
    //SoftwareSerial _serial(in_pin*, out_pin*, logic_reversed);
}

float MyLibrary::getSomeValue(uint8_t sensor_index) {
    float someValue = 1.1;
    return someValue;
}

float MyLibrary::convertSome(byte upperbyte, byte lowerbyte) {
    float someValue = 0.9;
    return someValue;
}

void MyLibrary::flushSerialBuffer() {
    //Flush serial buffer
    while(_serial.available())
        char c = _serial.read();
}

我希望SoftwareSerial是MyLibrary中的私有(private)字段(最好是静态的,但不是必需的),但是我尝试过很多声明它,但似乎无济于事的方法。我不断收到no matching function for call to 'SoftwareSerial::SoftwareSerial()invalid use of qualified-name 'MyLibrary::_serial'之类的错误。

通过在.h文件中声明static SoftwareSerial _serial;,并在.cpp文件顶部声明SoftwareSerial MyLibrary::_serial(4,5,false);,可以使它编译一次。问题是,我想在MyLibrary的构造函数中设置_serial的端口(以便我可以创建一个对SoftwareSerial使用特定输入/输出引脚的MyLibrary),而不必在.cpp文件顶部显式声明它们。

我对C编码和Arduino不太熟悉,因此如果有人可以向我解释如何在.h文件中正确声明它们并使用MyLibrary构造函数或MyLibrary.begin中的正确端口实例化它们,将对我有很大的帮助。 ()函数(或类似的东西)。

预先感谢您的有用的评论。

最佳答案

您需要使构造函数进行如下初始化:

class MyLibrary{
public:
   MyLibrary(uint8_t, uint8_t);
   //...
private:
   SoftwareSerial _serial;
   //...
};

MyLibrary::MyLibrary(uint8_t in, uint8_t out)
   : _serial(in, out)
{
   //do initialization
}

起初,这种语法可能看起来很奇怪,但是尽管它不那么漂亮,但它显然将变量的初始化与变量的操作区分开来,这使初始化放在构造函数的主体中可能会使模糊。通常,除非使用此语法来初始化成员变量,否则C++将调用默认构造函数,如果成员没有可调用的默认构造函数,则将导致编译错误。

关于c++ - 为Arduino创建一个库,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13169714/

10-11 23:16