我想用C创建一个程序,该程序以任意数量的任意长度的行作为输入,然后打印以控制台输入的最后一行。例如:
输入:
hi
my name is
david
输出:david
我认为最好的方法是有一个循环,将每一行作为输入并将其存储在char数组中,因此在循环结束时,最后一行最终是存储在char中的内容数组,我们可以打印出来。
到目前为止,我只用C进行过一次讲座,所以我认为我一直在用Java / C ++思维方式设定错误,因为我对这些语言有更多的经验。
这是我到目前为止所拥有的,但是我知道这远远不正确:
#include <stdio.h>
int main()
{
printf("Enter some lines of strings: \n");
char line[50];
for(int i = 0; i < 10; i++){
line = getline(); //I know this is inproper syntax but I want to do something like this
}
printf("%s",line);
}
我在循环中也有i < 10
,因为我不知道如何找到输入中的总行数,这是循环执行此操作的适当时间。另外,输入是从
./program < test.txt
Unix shell中的命令,其中test.txt
是输入。
答案 0 :(得分:4)
使用fgets()
:
while (fgets(line, sizeof line, stdin)) {
// don't need to do anything here
}
printf("%s", line);
您不需要限制迭代次数。在文件末尾,fgets()
返回NULL
并且不修改缓冲区,因此line
仍将保留读取的最后一行。
答案 1 :(得分:2)
我假设您知道输入线的最大长度。
这肯定会为您完成工作
static char *getLine( char * const b , size_t bsz ) {
return fgets(b, bsz, stdin) );
}
但是请记住,fgets还会在缓冲区的末尾放置一个'\n'
字符,所以也许像这样
static char *getLine( char * const b , size_t bsz ) {
if( fgets(b, bsz, stdin) ){
/* Optional code to strip NextLine */
size_t size = strlen(b);
if( size > 0 && b[size-1] == '\n' ) {
b[--size] = '\0';
}
/* End of Optional Code */
return b;
}
return NULL;
}
,调用getline时,您的代码需要稍作修改
#define BUF_SIZE 256
char line[BUF_SIZE];
for(int i = 0; i < 10; i++){
if( getLine(line, BUF_SIZE ) ) {
fprintf(stdout, "line : '%s'\n", line);
}
}
现在,完全有可能创建类似的功能
char *getLine();
,但是接下来需要定义该函数的行为,例如,如果函数getLine()
动态分配内存,那么您可能需要使用free
来解除分配{{1}返回的指针}
在这种情况下,功能可能看起来像
getLine()
根据您的函数有多小,您可以考虑将其制作成char *getLine( size_t bsz ) {
char *b = malloc( bsz );
if( b && fgets(b, bsz, stdin) ){
return b;
}
return NULL;
}
的想法,也许这现在还不算什么。
答案 2 :(得分:0)
为了具有动态长度的动态输入数量,当输入长度较大时,必须继续重新分配缓冲区。为了存储最后一行,您必须使用另一个指针来跟踪它并停止来自终端的输入,您必须按EOF键(ctrl + k)。这应该可以完成您的工作。
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
char *get_last_line(FILE* fp, size_t size){
//The size is extended by the input with the value of the provisional
char *str, *last_str = NULL;
int ch;
size_t len = 0, last_len = 0;
str = realloc(NULL, sizeof(char)*size);//size is start size
if(!str)return str;
while(ch=fgetc(fp)){
if(ch == EOF){
break;
}
if(ch == '\n'){
str[len]='\0';
last_len = len;
last_str = realloc(last_str,sizeof(char)*last_len);
last_str[last_len]='\0';
//storing the last line
memcpy(last_str,str,sizeof(char)*last_len);
str = realloc(NULL, sizeof(char)*size);//size is start size
len = 0;
}
else {
str[len++]=ch;
if(len==size){
str = realloc(str, sizeof(char)*(size+=16));
if(!str)return str;
}
}
}
free(str);
return last_str;
}
int main(void){
char *m;
printf("input strings : ");
m = get_last_line(stdin, 10);
printf("last string :");
printf("%s\n", m);
free(m);
return 0;
}