我正在尝试在另一个库中使用键盘库。但是,我收到了“无效使用非静态错误成员函数”错误。我以为将功能更改为静态类型可以解决该错误,但是键盘库中的功能不是静态的,并且会导致更多错误。
这是没有将功能更改为静态void的错误
sketch\latch.cpp: In member function 'void latch::begin(int)':
latch.cpp:10:38: error: invalid use of non-static member function
keypad.addEventListener(keypadEvent);
^
exit status 1
invalid use of non-static member function
------------ main.ino --------------
#include "latch.h"
latch doorlatch;
void setup(){
doorlatch.begin(9600);
}
void loop(){
doorlatch.main();
}
----------- cpp.h文件------------
#include "latch.h"
#include "Arduino.h"
latch::latch():keypad( makeKeymap(keys), rowPins, colPins, Rows, Cols ) {
}
void latch::begin(int baudrate){
Serial.begin(baudrate);
Serial.println("Latch library created");
keypad.addEventListener(keypadEvent);
}
void latch::main(){
keypad.getKey();
}
void latch::keypadEvent(KeypadEvent input){
switch (keypad.getState()){
case PRESSED:
Serial.print("Enter: ");
Serial.println(input);
delay(10);
}
}
------------ h文件-------------
#include <Keypad.h>
#ifndef _latch_
#define _latch_
#if ARDUINO >= 100
#include "Arduino.h"
#else
#include "WProgram.h"
#endif
class latch {
public:
latch();
void keypadEvent(KeypadEvent input);
void begin(int baudrate);
void main();
Keypad keypad;
private:
const byte Rows = 4;
const byte Cols = 4;
char keys[4][4] = {
{'1', '2', '3', 'A'},
{'4', '5', '6', 'B'},
{'7', '8', '9', 'C'},
{'*', '0', '#', 'D'}
};
byte rowPins[4] = {7, 6, 5, 4};
byte colPins[4] = { 11, 10, 9, 8 };
};
#endif
答案 0 :(得分:0)
功能
class latch {
...
void keypadEvent(KeypadEvent input);
...
};
实际上是成员函数,这意味着它被隐式分配了latch *this
作为附加参数。
为了解决此问题,请将函数设为静态:
class latch {
...
static void keypadEvent(KeypadEvent input);
...
};
或将其声明为latch
类的朋友:
class latch {
...
friend:
void keypadEvent(KeypadEvent input);
};
void keypadEvent(KeypadEvent input)
{
}
我邀请您参考有关这两个功能的大量在线文档,以了解哪种方法更适合您的用例。
在任何一种情况下,如果latch
包含一些需要由keypadEvent()
进行更改的状态信息,那么您可能想使用singleton pattern。