C第一个大写字母忽略第一个单词



我试图将每个第一个单词都设为大写,但它忽略了第一个单词并跳到了第二个单词。"苹果macbook"应该是"苹果macbook",但它给了我"苹果macbook"。如果我在for循环之前添加printf(" %c", toupper(string[0]));,在for循环中更改p=1,它会给出正确的结果,但如果字符串以空格开头,那么它将失败。这是代码:

#include <stdio.h>
#include <string.h>
#include <ctype.h>
int main()
{
    char string[] = "apple macbook";
    int p;
    for(p = 0; p<strlen(string); p++)
    {
        if(string[p] == ' ')
        {
            printf(" %c", toupper(string[p+1]));
            p++;
        }
        else
        {
            printf("%c", string[p]);
        }
    }
    return 0;
}

一个简单的解决方法如下:

 for(p = 0; p<strlen(string); p++)
    {
        if(p == 0 || string[p - 1] == ' ')
        {
            printf("%c", toupper(string[p]));
        }
        else
        {
            printf("%c", string[p]);
        }
    }

更改此项:

char string[] = "apple macbook";

到此:

char string[] = " apple macbook";

你就会得到你想要的。

原因是在你的循环中,你会搜索一个空间来更改字母。


然而,niyasc的答案更好,因为它不会改变输入字符串,而是改变程序的逻辑。

我这样做主要是为了利用你遇到的行为的原因,这样你就被敦促自己改变逻辑。:)

相关内容

  • 没有找到相关文章

最新更新