ESP8266内置的定时器库--Ticker库
Ticker的功能非常简单,就是规定时间后调用函数
总体上,根据功能可以把方法分为两大类:
定时器管理方法;
定时器启用方法;
detach() 停止定时器
active() 定时器是否工作
返回值 bool
void once(float seconds, callback_function_t callback); xx秒后只执行一次-----不带参数
void once(float seconds, callback_function_t callback,TArg arg); xx秒后只执行一次-----带参数
seconds 秒数
callback 回调函数
arg 是回调函数的参数
void once_ms(float seconds, callback_function_t callback) xx毫秒后只执行一次
void once_ms(float seconds, callback_function_t callback,TArg arg) xx毫秒后只执行一次
void attach(float seconds, callback_function_t callback); 每隔xx秒周期性执行
void attach(float seconds, callback_function_t callback,TArg arg); 每隔xx秒周期性执行
void attach_ms(float seconds, callback_function_t callback); 每隔xx毫秒周期性执行
void attach_ms(float seconds, callback_function_t callback,TArg arg); 每隔xx毫秒周期性执行
注意点:
不建议使用Ticker回调函数来阻塞IO操作(网络、串口、文件);可以在Ticker回调函数中设置一个标记,在loop函数中检测这个标记;
对于arg,必须是 char, short, int, float, void*, char* 之一;
例子一:---不带参数
#include <Ticker.h> //导入定时器库 Ticker flipper; //实例化定时器对象 int count = 0; void flip() { //回调函数 int state = digitalRead(LED_BUILTIN); digitalWrite(LED_BUILTIN, !state); ++count; if (count == 20) { flipper.attach(0.1, flip); //每隔0.1秒执行一次回调函数 } else if (count == 120) { flipper.detach(); } } void setup() { pinMode(LED_BUILTIN, OUTPUT); digitalWrite(LED_BUILTIN, LOW); flipper.attach(0.5, flip);//每隔0.5秒执行一次回调函数 } void loop() { }
例子2-----带参数
#include <Ticker.h> //导入定时器库 Ticker tickerSetHigh; Ticker tickerSetLow; void setPin(int state) { //回调函数--带参数 digitalWrite(LED_BUILTIN, state); } void setup() { pinMode(LED_BUILTIN, OUTPUT); tickerSetLow.attach_ms(25, setPin, 0);//每隔25毫秒调用一次回调函数--带参数 tickerSetHigh.attach_ms(26, setPin, 1); } void loop() { }
天子骄龙