将cstring转换为camelcase

时间:2016-04-05 19:19:47

标签: c++ c-strings camelcasing toupper tolower

所以我的任务是填写我的函数来使用测试驱动程序,在每次运行期间为它提供一个随机字符串。对于这个函数,我必须将每个单词的第一个字符转换为大写字母,其他一切必须更低。

它主要起作用,但我对我的代码的问题在于它不会将第一个字符大写,如果在该字之前有一段时间:

  

.word

' w'在这种情况下会保持较低。

这是我的来源:

void camelCase(char line[])
{
    int index = 0;
    bool lineStart = true;

    for (index;line[index]!='\0';index++)
    {
        if (lineStart)
        {
            line[index] = toupper(line[index]);
            lineStart = false;
        }

        if (line[index] == ' ')
        {
            if (ispunct(line[index]))
            {
                index++;
                line[index] = toupper(line[index]);
            }
            else
            {
                index++;
                line[index] = toupper(line[index]);
            }
        }else
            line[index] = tolower(line[index]);
    }
    lineStart = false;

}

1 个答案:

答案 0 :(得分:0)

这是一个应该有效的解决方案,在我看来并不那么复杂:

#include <iostream>
#include <cctype>

void camelCase(char line[])  {
    bool active = true;

    for(int i = 0; line[i] != '\0'; i++) {
        if(std::isalpha(line[i])) {
            if(active) {
                line[i] = std::toupper(line[i]);
                active = false;
            } else {
                line[i] = std::tolower(line[i]);
            }
        } else if(line[i] == ' ') {
            active = true;
        }
    }
}

int main() {
    char arr[] = "hELLO, wORLD!";       // Hello, World!
    camelCase(arr);
    std::cout << arr << '\n';
}

变量active跟踪下一个字母是否应转换为大写字母。一旦我们将一个字母转换为大写形式,active就变为假,程序开始将字母转换为小写形式。如果有空格,active设置为true,整个过程重新开始。