关于C++字符串的问题

Questions regarding C++ string

phrase.erase(remove_if (phrase.begin(), phrase.end(), ::isdigit), phrase.end());

在上面的代码中,为什么我使用了using namespace std却要使用::

#include "Palindrome.h"
#include <iostream>
#include <string.h>
#include <algorithm>

using namespace std;

Palindrome::Palindrome (string Phrase){
    phrase=Phrase;
}

void Palindrome::removeNonLetters()
{
    phrase.erase(remove_if (phrase.begin(), phrase.end(), ::isdigit), phrase.end());

    phrase.erase(remove_if (phrase.begin(), phrase.end(), ::ispunct), phrase.end());

    phrase.erase(remove_if (phrase.begin(), phrase.end(), ::isspace), phrase.end());
}

void Palindrome::lowerCase()
{
    for (int i=0; i<phrase.length(); i++)
    {
        phrase[i] = tolower(phrase[i]); 
    }
}

bool Palindrome::isPalindrome()
{
    int length=phrase.length(); 
    int a=0;    
    for (int i=0;i<length/2;i++)
    { 
        if(phrase[i] != phrase[length-a-1])
        {
            return false;
            break;
        }
        a++;
    }
    return true;
}

以上代码是检查字符串是否为回文。我不明白为什么我需要使用第一部分

Palindrome::Palindrome (string Phrase){
    phrase=Phrase;
}

如果我删除了上面的部分,我将永远得到"yes"。

main中的测试代码为

if(test.Palindrome::isPalindrome() == 1){
    cout<<"Yes"<<endl;
}
else {
    cout<<"No"<<endl;
}

还有一个问题。我试图改变上面代码的小写,我得到了错误。有谁知道它会发生什么?新代码来自 https://www.geeksforgeeks.org/conversion-whole-string-uppercase-lowercase-using-stl-c/

之前

 void Palindrome::lowerCase()
{
    for (int i=0; i<phrase.length(); i++)
    {
        phrase[i] = tolower(phrase[i]); 
    }
}

之后

void Palindrome::lowerCase(){

transform(phrase.begin(), phrase.end(), phrase.begin, ::tolower);

}

谁能给我解释一下?非常感谢!

:: 表示您正在使用 isdigit 和全局命名空间中的其他名称。 isdigit 是其他头文件的一部分,例如 <ctype.h>.

有多个 isdigitispunctisspace 函数 - 一个在 <ctype.h> header 的全局命名空间中,还有几个在std 命名空间在 <cctype><clocale> header 中。在它们前面加上 :: 表示您想使用来自全局命名空间的那些。

您需要使用 <string> 而不是 <string.h> 才能使用 std::string class.

假设 testPalindrome object,那么 test.Palindrome::isPalindrome() 应该只是 test.isPalindrome().

如果省略 Palindrome 构造函数,则 phrase 成员保持空白,而 isPalindrome() 实现 returns true 为空白 phraselength 为 0),因为 for 循环没有要检查的内容。这在技术上是正确的 - 空白字符串是回文。