c++判断两个string是否相等
时间: 2023-09-14 11:11:28 浏览: 100
在 C 语言中,我们可以使用 `strcmp()` 函数来判断两个字符串是否相等。该函数的定义在 `string.h` 头文件中,其用法如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
if (strcmp(str1, str2) == 0) {
printf("The strings are equal.\n");
} else {
printf("The strings are not equal.\n");
}
return 0;
}
```
`strcmp()` 函数会比较两个字符串的每个字符,直到遇到不同的字符。如果两个字符串完全相同,则返回值为 0。如果两个字符串不同,则返回值为非 0。
相关问题
C++ 判断两个string相同内容
在C++中,可以使用`==`运算符来判断两个`string`对象是否相等,例如:
```cpp
#include <iostream>
#include <string>
using namespace std;
int main() {
string s1 = "hello";
string s2 = "world";
string s3 = "hello";
if (s1 == s2) {
cout << "s1 and s2 are equal" << endl;
} else {
cout << "s1 and s2 are not equal" << endl;
}
if (s1 == s3) {
cout << "s1 and s3 are equal" << endl;
} else {
cout << "s1 and s3 are not equal" << endl;
}
return 0;
}
```
输出结果为:
```
s1 and s2 are not equal
s1 and s3 are equal
```
在上面的代码中,我们定义了三个`string`对象`s1`、`s2`和`s3`,并使用`==`运算符来比较它们的内容是否相等。当`s1`和`s2`的内容不同时,输出`s1 and s2 are not equal`,当`s1`和`s3`的内容相同时,输出`s1 and s3 are equal`。
c++判断两个string的数据类型是否相等
可以使用strcmp()函数来比较两个字符串的数据类型是否相等。strcmp()函数的原型如下:
```c
int strcmp(const char *s1, const char *s2);
```
该函数接受两个参数,即要比较的两个字符串,返回值为整型。如果返回值为0,则表示两个字符串相等;如果返回值大于0,则表示第一个字符串大于第二个字符串;如果返回值小于0,则表示第一个字符串小于第二个字符串。
示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello";
char str2[] = "world";
char str3[] = "hello";
if(strcmp(str1, str2) == 0) {
printf("str1 and str2 are equal.\n");
} else {
printf("str1 and str2 are not equal.\n");
}
if(strcmp(str1, str3) == 0) {
printf("str1 and str3 are equal.\n");
} else {
printf("str1 and str3 are not equal.\n");
}
return 0;
}
```
输出结果为:
```
str1 and str2 are not equal.
str1 and str3 are equal.
```
在本例中,我们使用了strcmp()函数来比较三个字符串。由于str1和str2的数据类型不同,所以strcmp()函数返回值不为0,因此第一个if语句输出了"str1 and str2 are not equal.";而str1和str3的数据类型相同,所以strcmp()函数返回值为0,因此第二个if语句输出了"str1 and str3 are equal."。
阅读全文