帮我写一个基于蓝桥杯单片机的串口收发字符串的C语言代码
时间: 2023-08-28 21:18:24 浏览: 250
单片机串口发送接收C代码
4星 · 用户满意度95%
好的,以下是一份基于蓝桥杯单片机的串口收发字符串的C语言代码:
```c
#include "STC15F2K60S2.h"
#include "UART.h"
#include <string.h>
#define FOSC 18432000UL
#define BAUD 9600
#define MAX_LEN 50
void init_uart()
{
SCON = 0x50; // 8位数据位,可变波特率
TMOD &= 0x0F; // 外设定时器1为模式1
TMOD |= 0x20;
TH1 = TL1 = -(FOSC/12/32/BAUD); // 波特率计算
ET1 = 0; // 禁止定时器1中断
TR1 = 1; // 启动定时器1
ES = 1; // 允许串口中断
EA = 1; // 打开总中断
}
void send_string(char *str)
{
int len = strlen(str);
int i;
for(i = 0; i < len; i++)
{
SBUF = str[i];
while(TI == 0); // 等待发送完成
TI = 0;
}
}
char recv_char()
{
char c;
while(RI == 0); // 等待接收完成
c = SBUF;
RI = 0;
return c;
}
void recv_string(char *str)
{
int i = 0;
char c;
while(1)
{
c = recv_char();
if(c == '\n' || c == '\r') // 遇到换行或回车结束接收
{
str[i] = '\0';
break;
}
str[i] = c;
i++;
if(i == MAX_LEN-1) // 防止缓冲区溢出
{
str[i] = '\0';
break;
}
}
}
void main()
{
char recv_buf[MAX_LEN];
init_uart(); // 初始化串口
while(1)
{
send_string("Please input a string:\r\n");
recv_string(recv_buf); // 接收字符串
send_string("You input: ");
send_string(recv_buf); // 发送收到的字符串
send_string("\r\n");
}
}
```
这里我们使用了 STC15F2K60S2 单片机,使用了其内置的串口模块来实现收发字符串。在初始化串口时,我们需要设置串口模式、波特率、中断等,具体实现可以参考代码中的注释。在收发字符串时,我们使用了缓冲区来存储接收到的字符,当遇到换行或回车时结束接收,并使用串口发送收到的字符串。需要注意的是,在接收字符串时我们需要进行缓冲区溢出的防护,即当接收到的字符串长度超过缓冲区大小时,应及时结束接收。
阅读全文