触摸中断单机和长按
- esp32 arduino 可以监听触摸的中断
- 我们可以利用这一机制去实现单机和长按的模拟
- 下面是代码示例
#define PRESSED 1 // 按下的标识
#define NOT_PRESSED 0 // 松开的标识
const unsigned long SHORT_PRESS = 100; // 单机的时间间隔
const unsigned long LONG_PRESS = 3000; // 长按的时间间隔
/**
定义一个按钮的结构体
*/
typedef struct Buttons
{
unsigned long counter = 0; // 计时器
bool prevState = NOT_PRESSED; // 前一状态
bool currentState; // 当前状态
} Button;
// 该函数判断GPIO按下的状态
int getState()
{
// TO 是某一个pin
// 具体的触摸pin 可以去这里看https://github.com/espressif/arduino-esp32#esp32dev-board-pinmap
if (touchRead(T0) > 50)
{
return NOT_PRESSED;
}
else
{
return PRESSED;
}
}
Button button;
// touch中断函数
void gotTouch()
{
button.currentState = getState();
if (button.currentState != button.prevState)
{
if (button.currentState == PRESSED)
{
button.counter = millis();
}
else
{
unsigned long diff = millis() - button.counter;
if (diff >= SHORT_PRESS && diff < LONG_PRESS)
{
// 单机
Serial.println("pressed");
}
else if (diff >= LONG_PRESS)
{
// 长按
Serial.println("long pressed");
}
}
button.prevState = button.currentState;
}
}
void setup()
{
// 初始化触摸中断
touchAttachInterrupt(T0, gotTouch, 80);
}
void loop()
{
}