听起来您需要研究非缓冲输入。该站点建议使用 termios 函数禁用规范(缓冲)输入。这是我使用他们提供的示例代码编写的内容。这将允许用户输入文本,直到读取 Ctrl-D 信号 (0x40),此时它将输出读取的字节数。
#include <unistd.h>
#include <termios.h>
void print_int(int num);
int main()
{
struct termios old_tio, new_tio;
unsigned char c;
/* get the terminal settings for stdin */
tcgetattr(STDIN_FILENO, &old_tio);
/* we want to keep the old setting to restore them a the end */
new_tio = old_tio;
/* disable canonical mode (buffered i/o) and local echo */
new_tio.c_lflag &=(~ICANON & ~ECHOCTL);
/* set the new settings immediately */
tcsetattr(STDIN_FILENO, TCSANOW, &new_tio);
char buf[128] = {0};
int curr = read(STDIN_FILENO, buf, 128);
int nbyte = curr;
while (curr && buf[0] != 0x04) {
curr = read(STDIN_FILENO, buf, 128);
nbyte += curr;
}
/* restore the former settings */
tcsetattr(STDIN_FILENO, TCSANOW, &old_tio);
write(STDOUT_FILENO, "Total bytes: ", 13);
print_int(nbyte);
write(STDOUT_FILENO, "\n", 1);
return 0;
}
void print_int(int num) {
char temp[16];
int i = 0, max;
while (num > 0) {
temp[i++] = '0'+(num % 10);
num /= 10;
}
max = i;
for (i=(max-1); i>=0; i--) {
write(STDOUT_FILENO, &temp[i], 1);
}
}
请注意,在他们的示例代码中,他们使用~ECHO
,但我假设您希望在键入时看到输入,因此~ECHOCTL
只会禁用回显控制字符(例如,输入末尾的 ^D)。