stm32串口通信利用上位机控制led灯亮灭代码
时间: 2023-08-13 10:05:43 浏览: 507
STM32串口通信,LED控制
下面是一个示例代码,使用STM32的串口通信实现通过上位机控制LED灯的亮灭。
首先,需要配置USART(串口)模块的参数,如波特率、数据位、停止位等。这里假设使用的是USART2。
```c
#include "stm32f10x.h"
void USART2_Init(void)
{
// 使能USART2对应的GPIO时钟
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOA, ENABLE);
// 使能USART2对应的USART时钟
RCC_APB1PeriphClockCmd(RCC_APB1Periph_USART2, ENABLE);
GPIO_InitTypeDef GPIO_InitStructure;
USART_InitTypeDef USART_InitStructure;
// 配置USART2对应的GPIO引脚
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_2; // USART2_TX
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_AF_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOA, &GPIO_InitStructure);
GPIO_InitStructure.GPIO_Pin = GPIO_Pin_3; // USART2_RX
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_IN_FLOATING;
GPIO_Init(GPIOA, &GPIO_InitStructure);
// 配置USART2
USART_InitStructure.USART_BaudRate = 9600;
USART_InitStructure.USART_WordLength = USART_WordLength_8b;
USART_InitStructure.USART_StopBits = USART_StopBits_1;
USART_InitStructure.USART_Parity = USART_Parity_No;
USART_InitStructure.USART_HardwareFlowControl = USART_HardwareFlowControl_None;
USART_InitStructure.USART_Mode = USART_Mode_Rx | USART_Mode_Tx;
USART_Init(USART2, &USART_InitStructure);
// 使能USART2
USART_Cmd(USART2, ENABLE);
}
void USART2_SendChar(uint8_t ch)
{
// 等待USART2发送缓冲区为空
while (USART_GetFlagStatus(USART2, USART_FLAG_TXE) == RESET)
;
// 发送一个字节的数据
USART_SendData(USART2, ch);
// 等待发送完成
while (USART_GetFlagStatus(USART2, USART_FLAG_TC) == RESET)
;
}
uint8_t USART2_ReceiveChar(void)
{
// 等待接收到一个字节的数据
while (USART_GetFlagStatus(USART2, USART_FLAG_RXNE) == RESET)
;
// 读取接收到的数据
return USART_ReceiveData(USART2);
}
```
接下来,编写控制LED灯的代码。
```c
#include "stm32f10x.h"
#define LED_PIN GPIO_Pin_13
void LED_Init(void)
{
// 使能LED对应的GPIO时钟
RCC_APB2PeriphClockCmd(RCC_APB2Periph_GPIOC, ENABLE);
GPIO_InitTypeDef GPIO_InitStructure;
GPIO_InitStructure.GPIO_Pin = LED_PIN;
GPIO_InitStructure.GPIO_Mode = GPIO_Mode_Out_PP;
GPIO_InitStructure.GPIO_Speed = GPIO_Speed_50MHz;
GPIO_Init(GPIOC, &GPIO_InitStructure);
}
void LED_On(void)
{
GPIO_SetBits(GPIOC, LED_PIN);
}
void LED_Off(void)
{
GPIO_ResetBits(GPIOC, LED_PIN);
}
```
最后,在主函数中实现串口通信接收上位机指令并控制LED灯。
```c
#include "stm32f10x.h"
int main(void)
{
USART2_Init();
LED_Init();
uint8_t receivedData;
while (1)
{
// 接收一个字节的数据
receivedData = USART2_ReceiveChar();
// 根据接收到的数据控制LED灯
if (receivedData == '1')
LED_On();
else if (receivedData == '0')
LED_Off();
// 发送接收到的数据
USART2_SendChar(receivedData);
}
}
```
这样,当上位机发送字符'1'时,LED灯会亮起;发送字符'0'时,LED灯会熄灭。你可以在上位机软件中通过串口发送这些字符来控制LED灯的状态。
阅读全文