我需要从用户那里读取一些文字,然后打印出相同的文字,开头是"
,字符串末尾是"
。我使用getline
来读取整行(也有空格)。
示例(我应该得到的):
用户写道:hello
我需要打印:"hello"
示例(我得到的):
用户写道:hello
我的应用打印:"hello
"
我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void fun(int times)
{
int i = 0, j = 255;
char *str = malloc(sizeof(char) * j);
char *mod = malloc(sizeof(char) * j);
for(i=0; i<j; i++)
mod[i] = 0;
i = 0;
while(i<times)
{
printf("\n> ");
getline(&str, &j, stdin);
strcpy(mod, "\"");
strcat(mod, str);
strcat(mod, "\"");
printf("%s\n", mod);
i ++;
}
free(mod);
mod = NULL;
free(str);
str = NULL;
}
int main(int argc, char **argv)
{
fun(4);
return 0;
}
解决:
哈,这很容易..但它可以做得更容易吗?
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void fun(int times)
{
int i = 0, j = 255;
char *str = malloc(sizeof(char) * j);
char *mod = malloc(sizeof(char) * j);
for(i=0; i<j; i++)
mod[i] = 0;
i = 0;
while(i<times)
{
printf("\n> ");
getline(&str, &j, stdin);
int s = strlen(str);
strcpy(mod, "\"");
strcat(mod, str);
mod[s] = 0;
strcat(mod, "\"");
printf("%s\n", mod);
i ++;
}
free(mod);
mod = NULL;
free(str);
str = NULL;
}
int main(int argc, char **argv)
{
fun(4);
return 0;
}
答案 0 :(得分:1)
这是因为getline
正在使用输入中输入的换行符。您需要先将换行符从str
移除,然后再将其连接到mod
。
使用strlen
获取输入的长度,并使用'\0'
代替'\n'
,然后将其添加到mod
。
答案 1 :(得分:1)
使用getline()
返回值,字符分配和memcpy()
。
// Not neeeded
// for(i=0; i<j; i++) mod[i] = 0;
ssize_t len = getline(&str, &j, stdin);
if (len == -1) Handle_Error();
if (len > 0 && str[len - 1] == '\n') {
str[--len] = '\0';
}
mod[0] = '\"';
memcpy(&mod[1], str, len);
mod[len + 1] = '\"';
mod[len + 2] = '\0';
printf("%s\n", mod);
注意:确定mod
后,realloc()
确保len
足够大。