fm17750的串口初始化和通讯c程序
时间: 2024-03-23 16:35:58 浏览: 134
以下是一个基本的串口初始化和通讯的C程序,其中使用了Linux系统下的串口编程API:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <fcntl.h>
#include <termios.h>
int main(int argc, char *argv[])
{
int fd;
struct termios options;
// 打开串口
fd = open("/dev/ttyUSB0", O_RDWR | O_NOCTTY | O_NDELAY);
if (fd == -1) {
perror("open_port: Unable to open /dev/ttyUSB0 - ");
return 1;
}
// 配置串口
tcgetattr(fd, &options);
cfsetispeed(&options, B9600);
cfsetospeed(&options, B9600);
options.c_cflag &= ~PARENB;
options.c_cflag &= ~CSTOPB;
options.c_cflag &= ~CSIZE;
options.c_cflag |= CS8;
options.c_cflag &= ~CRTSCTS;
options.c_cflag |= CREAD | CLOCAL;
options.c_iflag &= ~(IXON | IXOFF | IXANY);
options.c_iflag &= ~(ICANON | ECHO | ECHOE | ISIG);
options.c_oflag &= ~OPOST;
options.c_lflag &= ~(ICANON | ECHO | ECHOE | ISIG);
options.c_cc[VMIN] = 1;
options.c_cc[VTIME] = 0;
tcsetattr(fd, TCSANOW, &options);
// 读取串口数据
char buf[255];
int n = 0;
while (1) {
n = read(fd, buf, sizeof(buf));
if (n > 0) {
buf[n] = '\0';
printf("%s", buf);
}
}
// 关闭串口
close(fd);
return 0;
}
```
以上程序中,串口设备文件为`/dev/ttyUSB0`,波特率为9600,数据位为8,无校验,无流控制。程序会不断读取串口数据并输出。你需要根据自己的实际需求修改设备文件和串口配置参数。
阅读全文