我正在使用仅以非标准波特率625000运行的硬件设备。
我需要通过USB端口连接到该设备并从中读取和写入数据。因此,我一直在尝试开发一个小C程序,这将允许我这样做。但是,此代码需要在Linux环境中工作(Debian / Raspian),不幸的是我的Linux技能只是初步的。
因此,我希望有人可以用最简单的术语向我解释(代码示例会很棒!)我如何在Linux上设置625000的非标准波特率,连接到我的硬件设备(ttyUSB0),并将一个比特流写入设备(0x02 0x01)并从中读取它返回的7个字节。
我已经查看了以下Stack Overflow问题:
还有其他人......
然而,我的Linux知识漏洞对我来说太大了,无法建立必要的连接。我该怎么办?
答案 0 :(得分:8)
所以经过多次搜索后,我偶然发现了以下代码:
https://jim.sh/ftx/files/linux-custom-baudrate.c
下面是上面代码的副本,为了我的目的,我已经愚蠢了,但现在应该很容易实现。
#include<string.h>
#include<stdlib.h>
#include<stdio.h>
#include<errno.h>
#include<unistd.h>
#include<fcntl.h>
#include<termio.h>
#include <linux/serial.h>
static int rate_to_constant(int baudrate) {
#define B(x) case x: return B##x
switch(baudrate) {
B(50); B(75); B(110); B(134); B(150);
B(200); B(300); B(600); B(1200); B(1800);
B(2400); B(4800); B(9600); B(19200); B(38400);
B(57600); B(115200); B(230400); B(460800); B(500000);
B(576000); B(921600); B(1000000);B(1152000);B(1500000);
default: return 0;
}
#undef B
}
int main() {
struct termios options;
struct serial_struct serinfo;
int fd;
int speed = 0;
int rate = 625000;
/* Open and configure serial port */
if ((fd = open("/dev/ttyUSB0",O_RDWR|O_NOCTTY)) == -1)
{
return -1;
}
// if you've entered a standard baud the function below will return it
speed = rate_to_constant(rate);
if (speed == 0) {
/* Custom divisor */
serinfo.reserved_char[0] = 0;
if (ioctl(fd, TIOCGSERIAL, &serinfo) < 0)
return -1;
serinfo.flags &= ~ASYNC_SPD_MASK;
serinfo.flags |= ASYNC_SPD_CUST;
serinfo.custom_divisor = (serinfo.baud_base + (rate / 2)) / rate;
if (serinfo.custom_divisor < 1)
serinfo.custom_divisor = 1;
if (ioctl(fd, TIOCSSERIAL, &serinfo) < 0)
return -1;
if (ioctl(fd, TIOCGSERIAL, &serinfo) < 0)
return -1;
if (serinfo.custom_divisor * rate != serinfo.baud_base) {
warnx("actual baudrate is %d / %d = %f",
serinfo.baud_base, serinfo.custom_divisor,
(float)serinfo.baud_base / serinfo.custom_divisor);
}
}
fcntl(fd, F_SETFL, 0);
tcgetattr(fd, &options);
cfsetispeed(&options, speed ?: B38400);
cfsetospeed(&options, speed ?: B38400);
cfmakeraw(&options);
options.c_cflag |= (CLOCAL | CREAD);
options.c_cflag &= ~CRTSCTS;
if (tcsetattr(fd, TCSANOW, &options) != 0)
{
//return -1;
}
//return fd;
char ping_cmd[] = {2,1};
char ping_rec[7];
write(fd,&ping_cmd,sizeof(ping_cmd));
read(fd,&ping_rec,sizeof(ping_rec));
int i;
for (i = 0; i < sizeof(ping_rec); i++)
{
printf("%d ",ping_rec[i]);
}
close(fd);
return 0;
}
由于那些更精明的编码员会注意到,因为我把这个代码拉到了我的主要部分,所有那些“返回-1”的存在几乎肯定是糟糕的编程习惯,但是,我不知道我应该如何清理它起来因此我很想听听你的建议 - 我会按照建议进行编辑。
与此同时,如果你面对类似的问题,上面应该做得很好。