我试图让每个第一个单词字母大写,但它忽略第一个单词并跳到第二个单词。
" apple macbook"应该是" Apple Macbook",但它给了我" apple 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;
}
答案 0 :(得分:5)
一个简单的解决方法如下:
for(p = 0; p<strlen(string); p++)
{
if(p == 0 || string[p - 1] == ' ')
{
printf("%c", toupper(string[p]));
}
else
{
printf("%c", string[p]);
}
}
答案 1 :(得分:0)
改变这个:
char string[] = "apple macbook";
到此:
char string[] = " apple macbook";
你会得到你想要的东西。
原因是在你的循环中,你会搜索一个空格来改变之后的字母。
但是,niyasc的答案更好,因为它不会改变输入字符串而是改变程序的逻辑。
我主要是为了利用您获得所遇到的行为的原因,因此敦促您自己改变逻辑。 :)