我想编写一个运行无限循环的小型C程序,直到用户按下键盘上的一个键(即:stdin缓冲区中有一个char)。我遇到了打破用户输入循环的麻烦。我尝试过使用fgetc
,但行为不符合预期。 下面的代码等待用户输入,而不是运行直到用户输入。
示例C代码:
while((c=fgetc(stdin) == EOF) {
/* Does stuff for infinite loop here */
printf("Example work in the loop\n");
}
printf("Out of the loop!\n");
如何编写一个在用户干预之前执行的循环?按任意键或特定键可能是干预触发器。
注1:我正在为Unix控制台编写此代码,以解决特定于平台的解决方案
注2:不建议Ctrl + C/X/Z
作为用户干预触发器
答案 0 :(得分:4)
这似乎对我有用:
#include <fcntl.h>
#include <stdio.h>
#include <sys/types.h>
#include <sys/uio.h>
#include <unistd.h>
static void set_non_blocking(int fd)
{
int flags = fcntl(fd, F_GETFL, 0 );
flags |= O_NONBLOCK;
flags = fcntl(fd, F_SETFL, flags);
}
int main(int argc, char ** argv)
{
int fd = fileno(stdin);
char buf[10];
set_non_blocking(fd);
while (read(fd, buf, sizeof buf) < 0) {
perror("read");
sleep(1);
}
return 0;
}
或者您可以使用select
:
int main(int argc, char ** argv)
{
int fd = fileno(stdin);
struct timeval tv = {0,0};
fd_set fdset;
int s;
do {
sleep(1);
FD_ZERO(&fdset);
FD_SET(fd, &fdset);
} while ((s = select(fd+1, &fdset, NULL, NULL, &tv)) == 0);
if (s < 0) {
perror("select");
}
return 0;
}
民意调查也有效: - )
int main(int argc, char ** argv)
{
struct pollfd pfd;
int s;
pfd.fd = fileno(stdin);
pfd.events = POLLRDNORM;
while ((s = poll(&pfd, 1, 0)) == 0) {
perror("polling");
sleep(1);
}
if (s < 0) {
perror("poll");
}
return 0;
}
最后一种方法是将终端设置为“原始”模式。请注意,这会在\ n之后将输出置于终端(至少在我的OS-X上),因为\ r是必要的。另请注意,它需要在结尾处撤消(终止tcsetattr
调用)。这是唯一一个不需要\ n(即任何按键都可以)
#include <poll.h>
#include <stdio.h>
#include <fcntl.h>
#include <stdlib.h>
#include <unistd.h>
#include <termios.h>
static void set_non_blocking(int fd)
{
int flags = fcntl(fd, F_GETFL, 0) | O_NONBLOCK;
if (fcntl(fd, F_SETFL, flags) < 0) {
perror("fcntl");
exit(EXIT_FAILURE);
}
}
int main(int argc, char ** argv)
{
struct termios params;
struct termios params_orig;
char buf[10];
int fd = fileno(stdin);
if (tcgetattr(fd, ¶ms) < 0) {
perror("tcgetattr");
exit(EXIT_FAILURE);
}
params_orig = params;
cfmakeraw(¶ms);
if (tcsetattr(fd, TCSANOW, ¶ms) < 0) {
perror("tcsetattr");
exit(EXIT_FAILURE);
}
set_non_blocking(fd);
while (read(fd, buf, sizeof buf) < 0) {
perror("\rread");
sleep(1);
}
(void) tcsetattr(fd, TCSANOW, ¶ms_orig);
return 0;
}