如何在C程序的字符串中首字母大写和最后一个单词大写?

时间:2018-10-28 14:29:13

标签: c string

我正在编写一个有关字符串的c程序。我想利用字符串中的第一个单词和最后一个单词时遇到麻烦。任何人都可以帮助我。非常感谢。这是我的代码:

#include <stdio.h> 
void fun(int tc, char []);
int main() {
        int tc;
        char string[100];
        printf("Enter tc: ");
        scanf("%d", &tc);
        fflush(stdin);
        printf("Enter a string:\n");
        gets(string);
        printf("\nThe original string: \n%s", string);
        fun(tc, string);
        printf("\n\nThe string after processing: \n%s", string);
        printf("\n\nOutput: \n%s", string);
        return 0;
} 
void fun(int tc ,char s[]) {
        int c = 0;
        int spaceCounter = 0; //First word not to be capitalized
        while (s[c] != '\0')
        {
                if(tc == 1){
                        if ((spaceCounter  == 0) && s[c] >= 'a' && s[c] <= 'z')
                        {
                                s[c] = s[c] - 32; // You can use toupper function for the same.
                        }
                        else if(s[c] == ' ')
                        {
                                spaceCounter++; //Reached the next word
                        }
                        c++;
                }
        }
}

1 个答案:

答案 0 :(得分:0)

假设您的字符串为s。您可以从头开始大写,直到到达空格为止,这意味着第一个单词结束。然后,您可以找到字符串的结尾并开始向后处理它,直到找到一个空格,这意味着最后一个单词结束了。

void capitalize(char *s) 
{
    // capitalize first word
    while (!isspace(*s))
    {
        *s = toupper(*s);
        s++;
    }

    // reach end of s
    while(*s++);

    // capitalize last word
    s--;
    while (!isspace(*s))
    {
        *s = toupper(*s);
        s--;
    }
}

编辑:如果字符串至少包含两个单词,则该代码将起作用。在每个循环中添加对空终止符的检查,以确保安全。