C++中关系运算符(==)和std string compare()的区别
关系运算符与 std::string::compare()
有什么区别?
- 返回值:关系运算符返回布尔值,而
compare()
返回无符号整数。 - 参数:关系运算符只需要两个字符串来执行比较,一个用于比较,另一个用于参考,而
compare()
可以接受不同的参数来相应地执行某些任务。 - 比较方法:关系运算符根据当前字符特征按字典顺序比较字符,而
compare()
可以为每个字符串处理多个参数,以便您可以通过索引和长度指定子字符串。 - 操作:可以使用
compare()
直接在字符串的一部分中进行比较,否则对于关系运算符来说这是一个相当长的过程。 - 示例:
*
比较str1
的第3
个位置的3
个字符与str2
的第4
个位置的3
个字符。- str1 = “geekdocs”\n* str2 = “HelloWorld!”\n
使用 compare() 示例代码:
// CPP code to perform comparison using compare()
#include <iostream>
using namespace std;
void usingCompare(string str1, string str2)
{
// Direct Comparison
if (str1.compare(2, 3, str2, 3, 3) == 0)
cout << "Both are same";
else
cout << "Not equal";
}
// Main function
int main()
{
string s1("geekdocs");
string s2("HelloWorld !");
usingCompare(s1, s2);
return 0;
}
运行结果:
Not equal
使用关系运算符示例:
// CPP code for comparison using relational operator
#include <iostream>
using namespace std;
void relational_operation(string s1, string s2)
{
int i, j;
// Lexicographic comparison
for (i = 2, j = 3; i <= 5 && j <= 6; i++, j++) {
if (s1[i] != s2[j])
break;
}
if (i == 6 && j == 7)
cout << "Equal";
else
cout << "Not equal";
}
// Main function
int main()
{
string s1("geekdocs");
string s2("HelloWorld !");
relational_operation(s1, s2);
return 0;
}
运行结果:
Not equal
我们可以清楚地观察到在使用关系运算符时需要经过的额外处理。