因此,linuxtop
命令具有带有控制台输出的实时循环(没什么花哨的),但它使用非阻塞控制台输入,不会在命令行中显示键入的字符。它是怎么做的?有没有它的库,他们使用线程吗?我需要编写一个具有相同风格的 linux 应用程序(通过 ssh 使用),但我不知道如何输入(单独线程中的 cin 不是解决方案,top
使用其他东西)。
问问题
1535 次
2 回答
7
一种解决方案是使用curses的实现。
我不知道top
它是怎么做的。
于 2013-01-14T16:32:59.323 回答
3
另一种选择,不使用诅咒:
#include <stdio.h>
//#include <unistd.h>
#include <termios.h>
//#include <sys/ioctl.h>
//#include <sys/time.h>
//#include <sys/types.h>
#include <fcntl.h>
//------------------------------------------------------------------------------
// getkey() returns the next char in the stdin buffer if available, otherwise
// it returns -1 immediately.
//
int getkey(void)
{
char ch;
int error;
struct termios oldAttr, newAttr;
int oldFlags, newFlags;
struct timeval tv;
int fd = fileno(stdin);
tcgetattr(fd, &oldAttr);
newAttr = oldAttr;
oldFlags = fcntl(fd, F_GETFL, 0);
newAttr.c_iflag = 0; /* input mode */
newAttr.c_oflag = 0; /* output mode */
newAttr.c_lflag &= ~ICANON; /* line settings */
newAttr.c_cc[VMIN] = 1; /* minimum chars to wait for */
newAttr.c_cc[VTIME] = 1; /* minimum wait time */
// Set stdin to nonblocking, noncanonical input
fcntl(fd, F_SETFL, O_NONBLOCK);
error=tcsetattr(fd, TCSANOW, &newAttr);
tv.tv_sec = 0;
tv.tv_usec = 10000; // small 0.01 msec delay
select(1, NULL, NULL, NULL, &tv);
if (error == 0)
error=(read(fd, &ch, 1) != 1); // get char from stdin
// Restore original settings
error |= tcsetattr(fd, TCSANOW, &oldAttr);
fcntl(fd, F_SETFL, oldFlags);
return (error ? -1 : (int) ch);
}
int main()
{
int c,n=0;
printf("Hello, world!\nPress any key to exit. I'll wait for 4 keypresses.\n\n");
while (n<4)
{
//printf("."); // uncomment this to print a dot on each loop iteration
c = getkey();
if (c >= 0)
{
printf("You pressed '%c'\n", c);
++n;
}
}
}
很抱歉,我不能完全相信这一点,因为很多年前我就把它从网上撤下了。我想我已经对其进行了一些调整,但与我得到它的地方相比,它几乎没有变化。不幸的是,我没有添加说明我在哪里找到它的评论。
于 2013-01-14T17:18:50.267 回答