c++中删除string里的空格
时间: 2024-12-06 13:22:20 浏览: 20
在C++中,如果你想要删除字符串中的所有空格,你可以使用`std::remove`和`std::replace`函数,这两个函数都属于 `<algorithm>` 库。首先,你需要创建一个迭代器范围,表示要删除的字符位置,然后用一个新的`std::string`来替换原始字符串,并移除指定字符。这里是一个示例:
```cpp
#include <algorithm>
#include <string>
// 原始字符串
std::string str = "Hello World with spaces";
// 创建一个新的迭代器范围,指向所有的空格字符
auto it = std::find_if(str.begin(), str.end(), [](char c) { return std::isspace(c); });
// 如果找到至少一个空格
if (it != str.end()) {
// 找到第一个非空格字符的位置
auto end = std::remove(it, str.end(), ' ');
// 移动结束位置到新的字符串长度
str.erase(end, str.end());
// 如果原字符串中有连续的空格,可以再次查找并移除
while (std::isspace(*str.rbegin())) {
str.pop_back();
}
}
// 输出处理后的字符串
cout << str << '\n';
```
这个示例会将空格从`str`中删除,但不会保留相邻空格。如果你想完全去除所有连续的空格,可以在循环里继续检查。
阅读全文