当我遍历我的数组时,问题是检测'\ n'。它工作一次 在评论中显示,但它之后无效。该程序的目标是从终端获取输入并将其放入数组中。该数组不应包含任何'\ n'。感谢任何帮助,谢谢
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
// 1. Function must take input and place in array whilst making sure it does not overflow
// 2. Must return null if end of stdi is reached
// 3. Must ensure that it does not contain delimeter \n
// Tests:
// a) empty string
// b) string longer than buffer
// c) what happens when you press ctrl-d
char read_line(char *buf, size_t sz) {
while(fgets(buf + strlen(buf), sz, stdin)){
if (strlen(buf) < sz) {
if(buf[strlen(buf)-1] == '\n' ){
// IT GET'S DETECTED HERE WHEN THE ENTER
// BUTTON
// IS PRESSED BUT ...
break;
}
}
}
// WHEN I LOOP THROUGH THE ARRAY IT GETS DETECTED AS SINGLE CHARS; '\'
// AND 'n' DISTINCTLY
for(int i = 0; i < strlen(buf)-1; ++i){
if(buf[i] == '\n'){
printf("present");
} else {
printf("x");
}
}
return NULL;
}
int main(int argc, char *argv[]){
char arra[20];
size_t sz = sizeof(arra);
memset(arra, 0, sz);
printf("Enter command: \n");
read_line(arra, sz);
// Print elements in array
printf("Printing out array: \n");
for(int i = 0; i < strlen(arra); ++i){
char c = arra[i];
printf("%c", c);
}
}
答案 0 :(得分:1)
您似乎正在输入类似按键 h e l l o \ 名词 输入
两个不同字符\
和n
的条目正好,即两个不同的字符。这与在源中表示为\n
的单个换行符完全不同。
就缓冲区将保留的内容而言,它将是字符串"hello\\n\n"
,其中\\
是\
字符,n
是n
},\n
是换行符。
如果您的意图是检测字符串中的换行符,则需要处理字符串中的每个字符。循环:
for (int i = 0; i < strlen(buf) - 1; ++i) ...
基本上会跳过最后一个字符,如果它存在则忽略尾随换行符,但如果要检测它,则需要:
for (int i = 0; i < strlen(buf); ++i) ...
答案 1 :(得分:0)
建议更换:
for(int i = 0; i < strlen(buf)-1; ++i){
if(buf[i] == '\n'){
printf("present");
} else {
printf("x");
}
使用:
if( strchr( buf, '\n' ) )
{
puts( "present" );
}
else
{
puts( "x" );
}