我正在尝试将一些数据写入串行端口,我将从screen
同一台计算机中读取这些数据。我尝试过查看这个答案如何将数据发送到串行端口并查看任何答案
我已将我的用户添加到组中dialout
并运行chmod o+rw /dev/ttyS1
然后在 python 中我喜欢这样做,并收到以下错误:
>>> import serial
>>> ser = serial.Serial("/dev/ttyS1",4800)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/home/el3/Envs/serial/lib/python2.7/site-packages/serial/serialutil.py", line 236, in __init__
self.open()
File "/home/el3/Envs/serial/lib/python2.7/site-packages/serial/serialposix.py", line 272, in open
self._reconfigure_port(force_update=True)
File "/home/el3/Envs/serial/lib/python2.7/site-packages/serial/serialposix.py", line 315, in _reconfigure_port
raise SerialException("Could not configure port: {}".format(msg))
serial.serialutil.SerialException: Could not configure port: (5, 'Input/output error')
所以问题是,我在这里做错了什么?
或者我应该寻找不同的方法。
问题是,我收到了一些可以在 python 中接收的 udp 消息,我需要将其发送到只能看到串行端口的软件。
也许有不同的方法?
在这种情况下,有什么好的方法呢?
答案1
如果您需要连接两个程序,其中一个程序坚持使用 tty 设备(串行端口就是一个例子),您可以使用伪终端一对。
您可以使用标准的 Python 来完成此操作pty模块,或者您使用一个小的 C 程序来创建该对,然后从 shell、Python 程序或任何像普通文件一样访问它。
你的建议评论中使用了一个内核模块,这是矫枉过正且不那么可移植的。
这是我在类似情况下使用的一个示例 C 程序,它不是很精致,需要某种方式来传达所使用的名称。
/* ptycat (ptypipe? ptypair?)
*
* create a pair of pseudo-terminal slaves connected to each other
*
* Link with -lutil
*/
#include <stdlib.h>
#include <stdio.h>
#include <stdint.h>
#include <errno.h>
#include <termios.h>
#include <unistd.h>
#include <pty.h>
#undef max
#define max(x,y) ((x) > (y) ? (x) : (y))
/*
(void)ioctl(STDIN_FILENO, TIOCGWINSZ, &win);
*/
/* TODO: make symlinks, unlink on atexit */
static uint8_t buf[BUFSIZ]; /* BUFSIZ from stdio.h, at least 256 */
static char *log_dir = NULL;
void logdata (char *dir, uint8_t *data, int n) {
if (dir != log_dir) fprintf (stdout, "\n%s", dir);
log_dir = dir;
for (; n > 0; n--, data++) fprintf (stdout, " %02x", *data);
fflush (stdout);
}
int main (int argc, char* argv[])
{
char name[256]; /* max namelen = 255 for most fs. */
fd_set rfd;
struct termios tt;
struct winsize ws;
int master[2], slave[2];
int n, nfds, cc;
if (tcgetattr (STDIN_FILENO, &tt) < 0)
{
perror("Cannot get terminal attributes of stdin");
exit(1);
}
cfmakeraw (&tt);
for (int i = 0; i < 2; i++)
{
if (openpty (&master[i], &slave[i], name, &tt, NULL /*ws*/) < 0)
{
perror("Cannot open pty");
exit(1);
}
puts(name);
}
for (;;) {
FD_ZERO(&rfd);
FD_SET(master[0], &rfd);
FD_SET(master[1], &rfd);
nfds = max(master[0], master[1]) + 1;
n = select(nfds, &rfd, 0, 0, NULL);
if (n > 0 || errno == EINTR)
{
if (FD_ISSET(master[0], &rfd))
{
if ((cc = read(master[0], buf, sizeof(buf))) > 0)
{
(void) write(master[1], buf, cc);
logdata (">>>", buf, cc);
}
}
if (FD_ISSET(master[1], &rfd))
{
if ((cc = read(master[1], buf, sizeof(buf))) > 0)
{
(void) write(master[0], buf, cc);
logdata ("<<<", buf, cc);
}
}
}
}
/* This never reached */
return 0;
}