我正在编写一个通过 GPIO 线与一些自定义硬件交互的 Linux 程序。它使用一个定期发送的计时器SIGALRM
来管理这些交互的时间,并且在信号处理程序中执行了相当多的工作。该程序提供了一个命令行界面,我很想拥有libreadline提供的行编辑便利。不幸的是,libreadline 似乎不能很好地处理这些周期性信号。我还尝试了libedit的 readline 兼容模式(又名“editline”),但没有成功。
是否有一种简单的方法可以在接收大量SIGALRM
信号的程序中具有 readline 功能?
症状
使用 libreadline 时,如果计时器正在运行,某些键入的字符会随机回显两次。例如,键入“帮助”可能会导致终端上显示“帮助”。这个问题只在回显中很明显:程序确实接收到输入的单词(即“帮助”)。
在 readline 兼容模式下使用 libedit 时,如果计时器正在运行,则在被信号中断时
readline()
返回。NULL
SIGALRM
当计时器停止时,一切都按预期工作,无论是使用 libreadline 还是使用 libedit。
环境
Ubuntu 20.04 带有最新的 apt 软件包 libreadline-dev(版本 8.0-4)和 libedit-dev(3.1-20191231-1)。该程序最终将部署在运行 Raspberry Pi OS 的 Raspberry Pi 上。
示例代码
这是一个最小(ish)的可重现示例的尝试:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <time.h>
#include <signal.h>
#include <sys/time.h>
#ifdef USE_LIBEDIT
# include <editline/readline.h>
#else
# include <readline/readline.h>
#endif
#define PERIOD_US 1000 // 1.0 ms
#define DELAY_NS 700000 // 0.7 ms
/* Timer settings. */
const struct itimerval interval_off = {
.it_value = { .tv_sec = 0, .tv_usec = 0 },
.it_interval = { .tv_sec = 0, .tv_usec = 0 }
};
const struct itimerval interval_1ms = {
.it_value = { .tv_sec = 0, .tv_usec = PERIOD_US },
.it_interval = { .tv_sec = 0, .tv_usec = PERIOD_US }
};
static void sigalrm_callback(int signum)
{
(void) signum;
// Simulate work by busy-wating for DELAY_NS.
struct timespec end, now;
clock_gettime(CLOCK_MONOTONIC, &end);
end.tv_nsec += DELAY_NS;
end.tv_sec += end.tv_nsec / 1000000000;
end.tv_nsec %= 1000000000;
do
clock_gettime(CLOCK_MONOTONIC, &now);
while (now.tv_sec < end.tv_sec
|| (now.tv_sec == end.tv_sec && now.tv_nsec < end.tv_nsec));
}
static int should_quit = 0;
/* Interpret and free line. */
void interpret(char *line)
{
if (!line) {
printf("Got NULL line\n");
} else if (line[0] == '\0') {
/* Ignore empty line. */
} else if (strcmp(line, "help") == 0) {
puts("help print this help\n"
"start start the interval timer at 1 kHz\n"
"stop stop the interval timer\n"
"quit end the program");
} else if (strcmp(line, "start") == 0) {
setitimer(ITIMER_REAL, &interval_1ms, NULL);
printf("Periodic timer started.\n");
} else if (strcmp(line, "stop") == 0) {
setitimer(ITIMER_REAL, &interval_off, NULL);
printf("Periodic timer stopped.\n");
} else if (strcmp(line, "quit") == 0) {
should_quit = 1;
} else {
printf("Unknown command \"%s\".\n", line);
}
free(line);
}
int main(void)
{
/* Catch SIGALRM. */
struct sigaction action;
action.sa_handler = sigalrm_callback;
sigemptyset(&action.sa_mask);
action.sa_flags = 0;
sigaction(SIGALRM, &action, NULL);
/* Process commands. */
while (!should_quit) {
char *line = readline("> ");
interpret(line);
}
return EXIT_SUCCESS;
}
编译要么
gcc -O2 readline-alrm.c -lreadline -o readline-alrm
或者
gcc -O2 -DUSE_LIBEDIT readline-alrm.c -ledit -o readline-alrm
编辑:我将命令解释器移出了main()
.