如何读取 tty 直到 EOT 或 bash 中的其他字符?

如何读取 tty 直到 EOT 或 bash 中的其他字符?

我正在尝试从微控制器发送和接收一些字符串数据,并在 Linux 机器上使用 bash。

此时我的微控制器上的代码如下所示:

void UART_help_cmd_handler() 
{
    printf("Available commands:\n");
    printf("search - starts search and returns device addresses\n");
    printf("help - prints this help\n");

    // these characters can't stop cat
    EUSART2_Write(0);
    EUSART2_Write(0x03);
    EUSART2_Write(0x04);
}

这是Linux端:

#!/bin/bash
echo -ne '\x02help\x03' > /dev/ttyUSB0; cat /dev/ttyUSB0;

我也尝试过:

echo -ne '\x02help\x03' > /dev/ttyUSB0; stdbuf -i 0 -o 0 cat /dev/ttyUSB0

问题是我无法cat从微控制器端停止。

我尝试-1过从微控制器发送字符,我尝试过使用 0x03。

答案1

好吧,我想通了。为了获得所需的行为(uart 和 bash 之间的命令->响应),我写了这样的内容:

微控制器端:

void UART_help_cmd_handler() 
{
    // this delay prevents buffer overflow on linux side if bash is too slow
    // see "However" section below
    __delay_ms(100); 


    printf("Available commands:\n");
    printf("search - starts search and returns device addresses\n");
    printf("help - prints this help\n");

    // second newline to mark end of transmission
    // that cat command can read
    printf("\n");  
}

** 猛击面 **

#!/bin/bash

# send-command-read-response.sh

# send command 
# (in my case microcontroller needs 0x02 byte to find start of command 
$ and 0x03 byte for end of command

echo -ne "\x02${1}\x03" > /dev/ttyUSB0;

# read lines one by one until "" (empty line)
file="/dev/ttyUSB0"
terminator=""
while IFS= read line
do
    if [ "$line" = "$terminator" ]; then
        break
    else
        echo "$line"
    fi
done <"$file"

然而:

  • 当微控制器响应速度很快时 - 有时 bash 无法足够快地运行“读取”命令以在硬件 uart 缓冲区满之前耗尽它,所以我不得不添加脏延迟
  • 如果我可以使用硬件流控制,也许“快速微控制器响应”问题可以解决,但我不确定

  • 我找不到在 bash 中以某种方式处理超时的方法(如果微控制器由于某些原因没有响应)。

最后

  • 正如 @mosvy 在我的问题下的评论中所写 - bash 不是串行通信的正确工具
  • 我认为如果可以进行硬件流控制,则可以在 bash 中处理双向串行通信。超时可以设置stty,但我认为要实现这个需要付出太多的努力。
  • 我编写了简单的应用程序,它可以处理超时和其他错误。

我试图避免 C/C++ 应用程序,因为我需要在一些接受 bash 脚本的大型 Web 应用程序中替换 bash 脚本,但额外的二进制文件“不受欢迎”。

相关内容