我在这里阅读了所有相关问题,但是没有找到解决方案。
我正在尝试从串行端口读取一个字节。
当我处于无限循环中并检查某些字节是否可用时,它总是可以正常工作并显示我发送给它的内容。
但是,当我检查无限循环之外时,它仅捕获一个字节,将其显示出来,然后关闭串行端口。
这是我的代码
// Checks if 1 data byte is available in the RX buffer at the moment
int serialHasChar(int fd)
{
struct pollfd fds;
fds.fd = fd;
fds.events = (POLLIN | POLLPRI); // POLLIN : There is data to read, POLLPRI: There is urgent data to read
if(poll(&fds, 1, 0) > 0)
{
return 1;
}
else
{
return 0;
}
}
int serialOpen(const char *port, const uint baud)
{
int fd = -1;
fd = open(port, O_RDWR | O_NOCTTY | O_NDELAY);
if (fd == -1)
{
printf("[ERROR] Couldn't open port \"%s\": %s\n", port, strerror(errno));
return -1;
}
else
{
printf("Serial port %s successfully opened\n", port);
}
struct termios options;
tcgetattr(fd, &options); // Get the current attributes of the Serial port
options.c_iflag = IGNPAR;
options.c_oflag = 0;
options.c_lflag = 0;
options.c_cflag = B115200 | CS8 | CLOCAL | CREAD;
tcflush(fd, TCIFLUSH);
tcsetattr(fd, TCSANOW, &options);
return fd;
}
void serialClose(int fd)
{
tcflush(fd, TCIOFLUSH);
close(fd);
printf("Serial port successfully closed\n");
}
// Receive one byte
uint8_t serialReadChar(int fd)
{
uint8_t ch;
//tcflow(fd, TCOON);
read(fd, &ch, 1);
//tcflow(fd, TCOOFF);
printf("One byte received : 0x%.2x\n", ch);
return ch;
}
int main()
{
uint8_t bytes = 0;
uint8_t ch = 0;
// Open serial port
int fd = serialOpen("/dev/ttyAMA0", 115200);
// This works
while(1)
{
if (serialHasChar(fd)) {
ch = serialReadChar(fd);
}
}
/* This doesn't work
while(serialHasChar(fd) == 0);
while(serialHasChar(fd))
{
ch = serialReadChar(fd);
bytes++;
//bytes = serialNumOfAvailableBytes(fd);
}
*/
serialClose(fd);
return 0;
}
我不明白为什么会这样!有人可以帮我吗?
谢谢
更新:
我在上面的代码中添加了serialHasChar()函数的定义
最佳答案
有效的代码与无效的代码不太一样。
在这里,只要serialHasChar
返回非nul值,就调用serialReadChar
。
while(1)
{
if (serialHasChar(fd)) {
ch = serialReadChar(fd);
}
}
但是在下面的代码(无效的代码)中则有所不同:您调用
serialHasChar
直到它返回非nul值。但是然后您第二次调用serialHasChar
,而不是像有效的代码段中那样调用serialReadChar
。while(serialHasChar(fd) == 0);
while(serialHasChar(fd))
{
ch = serialReadChar(fd);
}
您可能需要这个:
while(serialHasChar(fd) == 0);
do
{
ch = serialReadChar(fd);
} while(serialHasChar(fd));