c++ string a=“123” string b="123" 如何判断是否内容一样
时间: 2024-01-24 09:16:51 浏览: 138
可以使用 `operator==` 运算符来比较两个 `std::string` 对象是否相等,例如:
```c++
#include <iostream>
#include <string>
int main() {
std::string a = "123";
std::string b = "123";
if (a == b) {
std::cout << "a and b are equal." << std::endl;
} else {
std::cout << "a and b are not equal." << std::endl;
}
return 0;
}
```
输出结果为:
```
a and b are equal.
```
相关问题
c++定义string str=“123Aab”,如何分割成单个的字符
可以使用std::string的成员函数和STL算法来实现字符串分割,具体实现方法如下:
```c++
#include <iostream>
#include <string>
#include <algorithm>
int main() {
std::string str = "123Aab";
std::for_each(str.begin(), str.end(), [](char c){
std::cout << c << std::endl;
});
return 0;
}
```
运行结果为:
```
1
2
3
A
a
b
```
在这个例子中,我们使用了std::for_each算法遍历字符串的每个字符,并且使用了一个lambda表达式打印出每个字符。
c++定义string str=“123Aab”,如何分割成单个的字符并放到容器里
可以使用STL中的容器`vector<char>`来存储分割后的字符。具体实现如下:
```c++
#include <iostream>
#include <string>
#include <vector>
using namespace std;
int main() {
string str = "123Aab";
vector<char> vec;
// 将字符串中的字符逐个加入vector中
for (int i = 0; i < str.size(); i++) {
vec.push_back(str[i]);
}
// 输出vector中的字符
for (int i = 0; i < vec.size(); i++) {
cout << vec[i] << " ";
}
return 0;
}
```
输出结果为:
```
1 2 3 A a b
```
注意,这种方法会将字符串中的所有字符都逐个存储到vector中,包括数字、字母和其他特殊字符。如果需要过滤掉不需要的字符,可以在加入vector前进行判断或过滤。
阅读全文