5

我的机器上有一个 C/Python 设置,我正在对串行通信进行一些测试,出于某种原因,我从不读取超过 1 个字节。

我的设置:我有一台 Windows 7 机器,在虚拟机中运行 OpenSUSE。我有 2 个 USB-RS232 转换器和它们之间的适配器(所以它是从一个 USB 端口到另一个的循环)。

在 Windows 端,我能够让它们通过 Python 到 Python 和 C 到 Python 相互通信。一旦我使用 Linux VM,我就可以从 C (Linux) 到 Python (Windows) 获取数据,但是当我反过来做时,我只能得到 1 个字节。我认为我打开文件或在 Linux C 代码上执行读取的方式有问题,但我不确定可能是什么问题。

Python 代码(使用 PySerial):

>>> import serial
>>> ser = serial.Serial(3)
>>> ser
Serial<id=0x2491780, open=True>(port='COM4', baudrate=9600, bytesize=8, 
parity='N', stopbits=1, timeout=None, xonxoff=False, rtscts=False, dsrdtr=False)
>>> ser.read(5)
'Hello'
>>> ser.write("hi you")
6L

C代码:

#include <stdio.h>
#include <string.h>
#include <unistd.h>
#include <fcntl.h>
#include <errno.h>
#include <termios.h>

int open_port()
{
    int fd;
    fd = open("/dev/ttyUSB0", O_RDWR | O_NOCTTY | O_NDELAY);
    if(fd < 0)
      perror("open_port: Unable to open /dev/ttyUSB0 - ");
    else
      fcntl(fd, F_SETFL, 0);
    return fd;
}

int swrite(int fd, char * str)
{
    int n;
    n = write(fd, str, strlen(str));
    if (n<0)
        printf("write() of %d bytes failed\n", strlen(str));
    return n;
}

int main()
{
    int fd, databytes;
    char buf[100] = {0};
    struct termios options;

    fd = open_port();

    //Set the baud rate to 9600 to match
    tcgetattr(fd, &options);
    cfsetispeed(&options, B9600);
    cfsetospeed(&options, B9600);
    tcsetattr(fd, TCSANOW, &options);
    tcgetattr(fd, &options);

    databytes = swrite(fd, "Hello");
    if(databytes > 0)
      printf("Wrote %d bytes\n", databytes);

    databytes = read(fd, buf, 100);
    if(databytes < 0)
      printf("Error! No bytes read\n");
    else
      printf("We read %d bytes, message: %s\n", databytes, buf);

    close(fd);

    return 0;
}

我回来了:

mike@linux-4puc:~> gcc serial_com.c
mike@linux-4puc:~> ./a.out 
Wrote 5 bytes
We read 1 bytes, message: h

所以 Linux->Windows 写入工作正常,python 显示正确的“Hello”字符串,但由于某种原因,我在 Windows->Linux 方面只得到一个字节。

有人看出有什么不对吗?

编辑:
根据我得到的反馈,我尝试了对代码的两个调整。听起来我不能保证所有数据都在那里,所以我试过了:

1) 睡觉

    if(databytes > 0)
      printf("Wrote %d bytes\n", databytes);
    sleep(15);                 // Hack one to get the data there in time, worked
    databytes = read(fd, buf, 100);

2)一个while循环

while(1){  // Hack two to catch the data that wasn't read the first time. Failed
           // this only saw 'h' like before then sat waiting on the read()
  databytes = read(fd, buf, 100);
  if(databytes < 0)
    printf("Error! No bytes read\n");
  else
    printf("We read %d bytes, message: %s\n", databytes, buf);
}

似乎循环不起作用,所以未读取的数据会被丢弃吗? /编辑

4

4 回答 4

7

来自read(2) 手册

成功时,返回读取的字节数(零表示文件结束),文件位置提前该数字。如果此数字小于请求的字节数,则不是错误;例如,这可能会发生,因为现在实际可用的字节数较少(可能是因为我们接近文件结尾,或者因为我们正在从管道或终端读取)

换句话说,由于您在写入后立即从套接字读取并且您的计算机比串行端口快得多,因此很可能只有一个字符可供读取并且read(2)仅返回该字符。

于 2012-10-05T13:45:12.173 回答
4

阅读的手册页说

...尝试读取最多 count 个字节...

您的代码看起来假设完整的缓冲区将始终由单个read;返回。它对通过多次调用返回的数据有效。

检查read返回 -1errno == EINTR并在此之后重试也是一个好习惯(TEMP_FAILURE_RETRY如果在 GNU 系统上运行,则使用)。 read如果被信号中断,可能会返回瞬态错误。

于 2012-10-05T13:44:47.847 回答
4

正如其他人所回答的那样,C read() 函数通过仅返回一个字节来履行其合同。

C read() 和 Python read() 函数完全不同。

PySerial 说,关于 read(),

从串口读取 size 字节。如果设置了超时,它可能会根据请求返回更少的字符。如果没有超时,它将阻塞,直到读取请求的字节数。

虽然 C API 没有做出这样的保证。它将返回缓冲区中可用的任何字符(即使是 0,如果那里还没有任何字符)。

如果您希望 C 端的行为与 Python 端一样,则需要使用不同的函数。像这样的东西:

int read_exact_chars(int fildes, char *buf, size_t nbyte)
{
    ssize_t chars_read;
    int chars_left = nbyte;
    while (chars_left) {
        chars_read = read(fildes, buf, chars_left)
        if (chars_read == -1) {
            /* An error occurred; bail out early. The caller will see that
               we read fewer bytes than requested, and can check errno
             */
            break;
        } else {
            buf += chars_read;
            chars_left -= chars_read;
        }
    }
    /* return the actual number of characters read */
    return nbyte - chars_left;
}
于 2012-10-05T14:06:59.553 回答
3

得到了一些好的答案并对此进行了煽动(周围都是+1!),虽然所有答案都得出了正确的结论(关于阅读没有得到数据),但没有一个输入实际上“解决”了我遇到的问题。

这是我最终如何让它工作的方法:

结构中的设置要了termios我的命。当我设置一些标志时,我并没有设置所有标志。所以这:

tcgetattr(fd, &options);
cfsetispeed(&options, B9600);
cfsetospeed(&options, B9600);
tcsetattr(fd, TCSANOW, &options); 

改为:

tcgetattr(fd, &options);
cfsetispeed(&options, B19200);
cfsetospeed(&options, B19200);
options.c_iflag = 0; // Disable Input flags
options.c_lflag = 0; // Disable Local mode flags
options.c_oflag = 0; // Disable Output flags
options.c_cflag = (options.c_cflag & ~CSIZE) | CS8; //Data bits per character (8)
options.c_cc[VMIN] = 50;  // Wait for 50 characters or
options.c_cc[VTIME] = 50; // Wait for 5 seconds
options.c_cflag |= (CLOCAL | CREAD | HUPCL);   // Ignore modem status lines, 
                                               // enable receiver, 
                                               // and hang up on last close
options.c_cflag &= ~(PARENB | PARODD); //Clearing even and odd parity
options.c_cflag &= ~CSTOPB;            //Clear double stop bits
tcsetattr(fd, TCSANOW, &options);

通过这些更改,我现在可以在我用 Python 编写的 C Linux 代码中获取数据。

我使用这两个来源获得了很多关于termios结构选项的“事实”:

  1. 标志说明
  2. 快速概览
于 2012-10-17T20:12:08.420 回答