我想将一个字符串传递给编译器,例如"亚当先生,我是夏娃"。我想降低该短语的大小写,并使用 (isalpha) 删除所有标点符号和空格,即 - 之后字符串应该是:mradamiameve
,例如,它将存储在另一个名为result
的字符串中。 我需要这方面的帮助。有什么建议吗?
这是我到目前为止所做的,这是行不通的:
#include <iostream>
#include <string>
using namespace std;
int main(int argc, char* argv[])
{
string str = "Mr. Adam, I am Eve";
string result;
for (size_t i = 0; i < str.length(); ++i)
{
if (isalpha(str[i]))
{
result[i] = str[i];
}
}
// here str should be = "mradamiameve" YET it is still "Mr. Adam, I am Eve"
cout << "after using to tolower() and isalpha() str is:" << str << endl;
return 0;
}
如果你使用的是 c++11,你可以使用基于范围的循环:
#include <iostream>
#include <cctype>
#include <string>
int main()
{
std::string result, str = "Mr. Adam, I am Eve";
for (unsigned char c : str)
if (std::isalpha(c))
result += std::tolower(c);
std::cout << result << std::endl;
}
在您的代码中,变量result
从未调整过大小。然后,您尝试访问越界的索引,这是未定义的行为。
相反,您应该使用push_back
方法附加字符的小写(如果是所需的字符 -isalpha
返回 true)。
result.push_back(tolower(str[i]));