STM32两个按键控制LeD亮灭程序
时间: 2023-12-14 11:40:06 浏览: 73
以下是基于STM32F1系列的两个按键控制LED亮灭的程序,其中PA0和PA1分别连接到按键,PA8连接到LED灯。
```c
#include "stm32f10x.h"
void GPIO_Configuration(void);
void delay(uint32_t count);
int main(void)
{
GPIO_Configuration();
while(1)
{
if(GPIO_ReadInputDataBit(GPIOA, GPIO_Pin_0) == RESET) //按下第一个按键
{
GPIO_SetBits(GPIOA, GPIO_Pin_8); //LED灯亮
}
else if(GPIO_ReadInputDataBit(GPIOA, GPIO_Pin_1) == RESET) //按下第二个按键
{
GPIO_ResetBits(GPIOA, GPIO_Pin_8); //LED灯灭
}
}
}
void GPIO_Configuration(void)
{
GPIO_InitTypeDef GPIO_InitStructure;
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA, ENABLE);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_8;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_Out_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_0 | GPIO_Pin_1;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IPU;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
}
void delay(uint32_t count)
{
for(uint32_t i = 0; i < count; i++);
}
```
在该程序中,我们使用了GPIO_InitTypeDef结构体对GPIO进行初始化配置,PA0和PA1配置为输入上拉模式,PA8配置为推挽输出模式。在主函数中,我们通过GPIO_ReadInputDataBit函数读取PA0和PA1的状态,如果按下了其中一个按键,则分别判断是按下了哪一个按键,然后控制LED灯的亮灭。
需要注意的是,我们在主函数中没有使用延时函数来消抖,这可能会导致按键的误触发。建议在实际应用中添加相应的消抖程序。
阅读全文