我试图通过使用预定义的函数foo
检查字符串isalpha()
中的每个字符来计算字符串中的字母数
#include <iostream>
#include <string>
#include <cstdlib>
using namespace std;
int main()
{
string foo = "aaaaaaa1";
int count=0;
for (int i=0;i<foo.length();i++)
{
if ( isalpha(foo[i]) == true)
{
count++;
}
}
cout<<count;
system("PAUSE");
}
预期产量:
电流输出
错误是
function isalpha is not returning true for alphabetic
,有人可以向我解释为什么以及如何解决该问题,以检查给定字符是否为字母
最佳答案
isalpha
的返回类型是int
,而不是bool
(它来自C)。如果检查失败,则返回0,如果成功,则返回非零值。请注意,在这种情况下,它不必返回1。
比较int
和true
会将true
提升为整数1。然后,对于1以外的整数,比较将失败。
您永远不要通过与true
或false
进行比较来检查逻辑值-而是依赖于值或隐式转换:
if ( isalpha(foo[i]) )
{
count++;
}
Live example