我有一个程序,它接收字符并将它们读入有限大小的缓冲区(在本例中为 64)。如果用户输入的字符超过 64 个,它必须拒绝整个输入字符串,警告用户输入的字符过多,然后重新开始。如果用户点击ctrl-D
文件结尾,程序必须退出。
所以我的设计如下:使实际的底层缓冲区为 65 个字符以容纳换行符。如果最后一个字符不是换行符,则用户点击ctrl-D
,因此程序退出。如果缓冲区被填满(即它包含 65 个字符)并且最后一个不是换行符,则程序假定给定的字符太多,因此它进入一个循环并不断将输入读入缓冲区,直到缓冲区读取in 以换行符结尾(在这种情况下,它会警告用户限制并重新开始),或者它被缩短而不以换行符结尾(在这种情况下程序终止)。
我的问题是,我该如何处理用户输入正好 65 个字符(或 65 的某个整数倍)然后点击的情况ctrl-D
?就目前的程序而言,当缓冲区被填满并且没有以换行符结束时,它假定存在溢出,但在这种情况下,我希望程序终止。如何在收到 65 个字符的标量倍数然后终止程序时终止程序ctrl-D
?
#include <string.h>
#include <unistd.h>
#define BUFSIZE ( 65 )
int main( int argc, char* argv[] ) {
char* prompt = "myshell->";
char* tooMany = "Max characters (64) exceeded.\n";
int numInput;
int done = 0;
char input[ BUFSIZE ];
while( !done ) {
int cont = 0;
write( STDOUT_FILENO, prompt, strlen( prompt ) );
numInput = read( STDIN_FILENO, input, BUFSIZE );
if( input[ numInput - 1 ] == '\n' ) {
cont = 1;
} else {
if( numInput != BUFSIZE ) {
done = 1;
write( STDOUT_FILENO, "\n", strlen( "\n" ) );
} else {
int spill = 1;
while( spill ) {
numInput = read( STDIN_FILENO, input, BUFSIZE );
if( input[ numInput - 1 ] == '\n' ) {
spill = 0;
write( STDOUT_FILENO, tooMany, strlen( tooMany ) );
} else {
if( numInput != BUFSIZE ) {
spill = 0;
done = 1;
write( STDOUT_FILENO, "\n", strlen( "\n" ) );
}
}
}
}
}
/*done ingesting input. Now do something with it...*/
if( cont ) {
write( STDOUT_FILENO, input, numInput );
}
}
return 0;
}
约束:我只能使用read
andwrite
函数,但不能使用<stdio.h>
.