0

我正在阅读 C 语言书,我坚持使用以下代码......正如我展示的 C 代码一样,我正在使用 for() 循环来获取字符。我使用 for 循环在屏幕上打印字符的方式相同...如果用户按下 enter 循环将退出,另一个用于在屏幕上打印的 for() 循环将使用 i 变量的值。但是屏幕上的结果是相反的。我能得到你的意见,我该如何解决?

#include <string.h>
#include <stdio.h>
int main()
{
int i;
char msg[25];
printf_s("Type up to 25 characters then press Enter..\n");
for (i = 0; i < 25; i++)
{
    msg[i] = getchar();// Gets a character at a time
    if (msg[i] == '\n'){
        i--;
        break;// quits if users presses the Enter
    }
}putchar('\n');
for (; i >= 0 ; i--)
{
    putchar(msg[i]);// Prints a character at a time 

}putchar('\n');/*There is something wrong because it revers the input */

getchar();
return 0;
4

2 回答 2

1

输入后,变量i保存 中的确切字符数msg。这就是为什么有一个i--声明,这样当你输入时ab<enter>你会得到 i==2 而不是 i==3。

第二个循环倒数到 0,这不是你想要的。i相反,您需要从 0 数到数。现在你不能数到 i 使用 i。您需要两个变量:一个用于保持最大值,另一个用于实际计数。

我将由你来决定如何准确地做到这一点,因为这是学习的一部分。

于 2015-04-02T21:34:02.103 回答
0

使用 排序qsort编写如下。

#include <stdio.h>
#include <stdlib.h>

int cmp(const void *, const void *);

int main(void){
    int i, n;
    char msg[25];

    printf_s("Type up to 25 characters then press Enter..\n");
    for (i = 0; i < 25; i++){
        int ch = getchar();
        if(ch == '\n' || ch == EOF)
            break;//if (msg[i] == '\n'){i--; <<- this cannot be 25 character input.
        else
            msg[i] = ch;
    }
    putchar('\n');

    n = i;
    qsort(msg, n, sizeof(char), cmp);//sizeof(char) : 1

    for (i = 0; i < n ; ++i){
        putchar(msg[i]);
    }
    putchar('\n');

    getchar();
    return 0;
}

int cmp(const void *a, const void *b){
    unsigned char x = *(const char *)a;
    unsigned char y = *(const char *)b;
    return (x < y) ? -1 : (x > y);//Ascending order
}
于 2015-04-02T22:32:11.187 回答