在Linux下进行串口编程,主要涉及以下步骤:
查看串口设备
使用`ls /dev/ttyS*`命令查看系统中存在的串口设备。例如,`/dev/ttyS0`或`/dev/ttyS1`。
配置串口参数
使用`stty`命令配置串口参数,包括波特率、数据位、校验位和停止位等。例如:
```bash
stty -F /dev/ttyS0 9600 cs8 -cstopb -parenb
```
打开串口设备
使用`open`函数打开串口设备文件。例如:
```c
int fd = open("/dev/ttyS0", O_RDWR | O_NOCTTY | O_NONBLOCK);
if (fd < 0) {
perror("Open serial port failed!");
return -1;
}
```
串口初始化
使用`tcgetattr`和`tcsetattr`函数来获取和设置串口参数。例如:
```c
struct termios tty;
if (tcgetattr(fd, &tty) != 0) {
perror("tcgetattr failed!");
return -1;
}
cfsetispeed(&tty, B9600);
cfsetospeed(&tty, B9600);
tty.c_cflag &= ~PARENB; // 关闭校验
tty.c_cflag &= ~CSTOPB; // 1个停止位
tty.c_cflag &= ~CSIZE;
tty.c_cflag |= CS8; // 8位数据位
if (tcsetattr(fd, TCSANOW, &tty) != 0) {
perror("tcsetattr failed!");
return -1;
}
```
读串口或写串口
使用`read`和`write`函数进行串口数据的读写。例如:
```c
char buffer;
ssize_t n = read(fd, buffer, sizeof(buffer) - 1);
if (n < 0) {
perror("Read serial port failed!");
return -1;
}
buffer[n] = '\0';
printf("Received: %s", buffer);
const char *message = "Hello, World!";
n = write(fd, message, strlen(message));
if (n < 0) {
perror("Write serial port failed!");
return -1;
}
```
关闭串口设备
在程序结束前,使用`close`函数关闭串口设备文件。例如:
```c
close(fd);
```
示例代码