嵌入式Linux如何用C读写uart
时间: 2024-05-07 12:16:14 浏览: 144
在嵌入式Linux中,可以使用C语言来读写UART串口。以下是一个基本的读写UART的代码示例:
```c
#include <stdio.h>
#include <fcntl.h>
#include <termios.h>
int main()
{
int fd;
struct termios options;
// 打开串口
fd = open("/dev/ttyS0", O_RDWR | O_NOCTTY | O_NDELAY);
// 设置串口属性
tcgetattr(fd, &options);
cfsetispeed(&options, B9600);
cfsetospeed(&options, B9600);
options.c_cflag |= (CLOCAL | CREAD);
options.c_cflag &= ~PARENB;
options.c_cflag &= ~CSTOPB;
options.c_cflag &= ~CSIZE;
options.c_cflag |= CS8;
tcsetattr(fd, TCSANOW, &options);
// 写入数据
char msg[] = "Hello, UART!";
write(fd, msg, sizeof(msg));
// 读取数据
char buf[255];
int n = read(fd, buf, sizeof(buf));
if (n > 0) {
printf("Received data: %s\n", buf);
}
// 关闭串口
close(fd);
return 0;
}
```
在上面的代码中,首先通过`open()`函数打开了`/dev/ttyS0`串口设备文件,并设置了串口的属性,包括波特率、数据位、停止位、校验位等。然后使用`write()`函数向串口写入数据,使用`read()`函数从串口读取数据。最后使用`close()`函数关闭串口。
阅读全文