怎么用C語(yǔ)言讀取串口數(shù)據(jù)

小億
338
2023-11-21 21:43:37

要使用C語(yǔ)言讀取串口數(shù)據(jù),可以使用以下步驟:

  1. 引入頭文件
#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>
  1. 打開(kāi)串口
int serial_fd = open("/dev/ttyS0", O_RDWR);
if (serial_fd == -1) {
    perror("無(wú)法打開(kāi)串口");
    exit(1);
}

這里的/dev/ttyS0是串口設(shè)備的路徑,對(duì)于Linux系統(tǒng),通常是/dev/ttyS0/dev/ttyUSB0。需要根據(jù)實(shí)際情況修改。

  1. 配置串口
struct termios options;
tcgetattr(serial_fd, &options);
cfsetispeed(&options, B9600);  // 設(shè)置波特率為9600
cfsetospeed(&options, B9600);
options.c_cflag |= (CLOCAL | CREAD);  // 啟用接收和本地模式
options.c_cflag &= ~PARENB;  // 無(wú)校驗(yàn)位
options.c_cflag &= ~CSTOPB;  // 1個(gè)停止位
options.c_cflag &= ~CSIZE;  // 數(shù)據(jù)位掩碼
options.c_cflag |= CS8;  // 8個(gè)數(shù)據(jù)位
tcsetattr(serial_fd, TCSANOW, &options);

這里的配置是設(shè)置波特率為9600,無(wú)校驗(yàn)位,1個(gè)停止位,8個(gè)數(shù)據(jù)位。根據(jù)需要修改配置。

  1. 讀取數(shù)據(jù)
char buffer[255];
int length = read(serial_fd, buffer, sizeof(buffer));
if (length > 0) {
    printf("讀取到了%d個(gè)字節(jié)的數(shù)據(jù):%s\n", length, buffer);
}

這里使用read函數(shù)從串口讀取數(shù)據(jù),將數(shù)據(jù)存儲(chǔ)在buffer中,并返回讀取的字節(jié)數(shù)。可以根據(jù)實(shí)際情況修改緩沖區(qū)大小。

  1. 關(guān)閉串口
close(serial_fd);

完整的示例代碼如下:

#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>
#include <termios.h>

int main() {
    int serial_fd = open("/dev/ttyS0", O_RDWR);
    if (serial_fd == -1) {
        perror("無(wú)法打開(kāi)串口");
        exit(1);
    }

    struct termios options;
    tcgetattr(serial_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(serial_fd, TCSANOW, &options);

    char buffer[255];
    int length = read(serial_fd, buffer, sizeof(buffer));
    if (length > 0) {
        printf("讀取到了%d個(gè)字節(jié)的數(shù)據(jù):%s\n", length, buffer);
    }

    close(serial_fd);

    return 0;
}

請(qǐng)注意,以上示例代碼只是一個(gè)簡(jiǎn)單的示例,實(shí)際應(yīng)用中需要根據(jù)需求進(jìn)行適當(dāng)?shù)男薷暮湾e(cuò)誤處理。

0