C++ 去除string 类型里的空格
时间: 2023-09-30 13:07:26 浏览: 826
可以使用C++标准库中的算法库和字符串库来去除string类型中的空格。具体方法如下:
1. 使用`std::remove_if`算法删除空格
```cpp
#include <algorithm>
#include <string>
std::string str = " Hello, world! ";
str.erase(std::remove_if(str.begin(), str.end(), ::isspace), str.end());
// str现在的值为"Hello,world!"
```
这里使用了`std::isspace`函数来判断字符是否为空格,`::`是用来限定作用域的。
2. 使用循环删除空格
```cpp
#include <string>
std::string str = " Hello, world! ";
for (auto it = str.begin(); it != str.end(); ) {
if (::isspace(*it)) {
it = str.erase(it);
} else {
++it;
}
}
// str现在的值为"Hello,world!"
```
这个方法使用了一个循环来遍历字符串,如果遇到空格就删除它。
两种方法的效果是相同的,只是实现方式不同。
相关问题
c++中使用正则表达式去除string 类型中的空格
可以使用C++11中的正则表达式库`<regex>`来去除string类型中的空格,具体代码如下:
```c++
#include <iostream>
#include <string>
#include <regex>
int main()
{
std::string str = "hello world";
std::regex pattern("\\s+"); // 匹配一个或多个空格
std::string result = std::regex_replace(str, pattern, "");
std::cout << "原字符串:" << str << std::endl;
std::cout << "去除空格后的字符串:" << result << std::endl;
return 0;
}
```
运行结果:
```
原字符串:hello world
去除空格后的字符串:helloworld
```
使用c++代码实习去除string中的空格
在 C++ 中,你可以使用 `std::remove` 和 `std::replace` 函数来去除字符串中的空格。这两个函数来自 `<algorithm>` 头文件,它们分别用于删除序列中的某个元素并将剩余元素向前移动。以下是去除字符串中所有空格的一个简单示例:
```cpp
#include <algorithm>
#include <string>
std::string removeSpaces(const std::string& str) {
// 定义一个新的 string,用于存储处理后的结果
std::string result;
// 使用迭代器和 remove 子范围移除操作符
std::copy_if(str.begin(), str.end(), std::back_inserter(result), [](char c) { return c != ' '; });
// replace 会将原始的字符串范围内的空格替换为结束标志'\0'
std::replace(result.begin(), result.end(), '\0', '\0');
return result; // 返回新字符串,不含空格
}
int main() {
std::string str = "Hello World! This is a test.";
std::string result = removeSpaces(str);
std::cout << "Original string: " << str << "\n";
std::cout << "String without spaces: " << result << "\n";
return 0;
}
```
运行这段代码后,输入的字符串 "Hello World! This is a test." 将变为 "HelloWorld!Thisisatest."。
阅读全文