为什么 putchar 在我的选取框程序中创建一个新行?

Why is putchar creating a new line in my marquee program?

这是我的代码:

#include <stdio.h>
#include <string.h>

void ignoreRestOfLine(FILE* fp)
{
   int c;
   while ( (c = fgetc(fp)) != EOF && c != '\n');
}


int main( void )
{
    int num_times, count =0;
    int length;
    scanf("%d ", &num_times);
    char s[100];
  for(count=0 ;count<num_times;count++){

    if ( fgets(s, sizeof(s), stdin) == NULL )
    {
       // Deal with error.
    }

    if ( scanf("%d", &length) != 1 )
    {
       // Deal with error.
    }

    ignoreRestOfLine(stdin);

    size_t n = strlen( s );
    size_t m = 5;
    int i,j;
    for (  i = 0; i < strlen(s)+1; i++ ){
        putchar( '[' );
        for (  j = 0; j < m; j++ )
        {
            char c = s[(i + j) % ( n + 1 )];
            if ( !c )
                c = ' ';
            putchar( c );
        }
        printf( "]\n" );
    }


    }
}

第一行表示我要输入的符号个数。第二行是我输入我希望符号输出的字符串的地方。第三行是跑马灯内的空格数。例如:

Input:
1
Hello World!
5

Output:
[Hello]
[ello ]
[llo W]
[lo Wo]
[o Wor]
[ Worl]
[World]
[orld!]
[rld! ]
[ld!  ]
[d!  H]
[!  He]
[Hel ]
[ Hell]

但这是我的代码实际做的:

Input: 
1
Hello World!
5

Output:
[Hello]
[ello ]
[llo W]
[lo Wo]
[o Wor]
[ Worl]
[World]
[orld!]
[rld!
]
[ld!
 ]
[d!
 H]
[!
 He]
[
 Hel]
[ Hell]

我该如何解决这个简单的错误?

这是因为您正在从 stdin 读取换行符。您在输入的次数上忽略了换行符,但在字符串输入上没有。您需要从 s 中删除换行符。 removing-trailing-newline-character-from-fgets-input

这是因为 fgets 函数读取整行直到文件结尾或换行 (\n) 字符。如果到达 \n,它将在返回之前将其附加到字符串的末尾。如果你不想在你的字符串中换行(在这种情况下你不想),你会想用这样的东西把它去掉:

if (s[strlen(s)-1] == '\n')
  s[strlen(s)-1] = '[=10=]';

这会将换行符替换为 NULL 字节,将字符串正好缩短一个字符,并应使您的代码按预期方式工作。