linux串口读写程序
时间: 2023-09-02 18:14:51 浏览: 89
以下是一个简单的Linux串口读写程序的示例:
```c
#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <termios.h>
#include <unistd.h>
#include <string.h>
int main(int argc, char *argv[]) {
int fd;
struct termios options;
char buffer[255];
// 打开串口
fd = open("/dev/ttyS0", O_RDWR | O_NOCTTY | O_NDELAY);
if (fd == -1) {
perror("open");
exit(1);
}
// 配置串口
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;
options.c_iflag &= ~(IXON | IXOFF | IXANY);
options.c_lflag &= ~(ICANON | ECHO | ECHOE | ISIG);
options.c_oflag &= ~OPOST;
tcsetattr(fd, TCSANOW, &options);
// 写入数据
char *message = "Hello, world!";
write(fd, message, strlen(message));
// 读取数据
memset(buffer, 0, sizeof(buffer));
int n = read(fd, buffer, sizeof(buffer));
if (n > 0) {
printf("Received message: %s\n", buffer);
}
// 关闭串口
close(fd);
return 0;
}
```
该程序首先打开了 `/dev/ttyS0` 设备文件,然后配置了串口的波特率、数据位、校验位、停止位等参数。接着,程序向串口写入了一条消息,然后读取了串口返回的数据。最后关闭了串口。注意,程序中的错误处理非常简单,实际应用中应该根据具体需求进行完善。
阅读全文