本关任务:在一串隐藏着一个或多个数值的字符中,选出字符串中的所有数字字符,并将选出的数字字符重新组成新字符串。如果在第一个数字字符之前有负号,则保留该负号,有多个负号时只保留一个。 例如:输入的字符串为“a-1-2-4sd5 s6”,抽取数字后得到的新字符串为“-12456”。用C++语言的指针
时间: 2024-03-17 13:46:15 浏览: 58
python过滤字符串中不属于指定集合中字符的类实例
使用指针来实现与使用字符串的方法类似,示例代码如下:
```c++
#include <iostream>
using namespace std;
int main() {
char* s = "a-1-2-4sd5 s6";
char res[100] = {0}; // 初始化结果字符串
bool has_negative = false; // 标记是否已有负号
int j = 0; // j 用于记录结果字符串的下标
for (int i = 0; s[i]; i++) { // 遍历字符串
if (s[i] >= '0' && s[i] <= '9') { // 如果当前字符是数字字符,则加入结果字符串
res[j++] = s[i];
} else if (s[i] == '-') { // 如果当前字符是负号
if (!has_negative && i == 0) { // 如果是第一个字符,则加入结果字符串
res[j++] = s[i];
has_negative = true;
} else if (s[i - 1] == '-') { // 如果前一个字符也是负号,则不加入结果字符串
continue;
} else { // 否则加入结果字符串
res[j++] = s[i];
has_negative = true;
}
}
}
cout << res << endl;
return 0;
}
```
输出结果为:-12456
阅读全文