本关任务:在一串隐藏着一个或多个数值的字符中,选出字符串中的所有数字字符,并将选出的数字字符重新组成新字符串。如果在第一个数字字符之前有负号,则保留该负号,有多个负号时只保留一个。 例如:输入的字符串为“a-1-2-4sd5 s6”,抽取数字后得到的新字符串为“-12456”。用C++语言
时间: 2024-03-17 16:46:13 浏览: 114
c代码-9、有5个字符串,首先将它们按照字符串中的字符个数由小到大排列, 再分别取出每个字符串的第三个字母合并成一个新的字符串输出(若少于三个字符的输出空格)。要求:利用字符串指针和指针数组实现。
可以使用C++中的字符串和循环结构来实现此任务,示例代码如下:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
string s = "a-1-2-4sd5 s6";
string res = "";
bool has_negative = false; // 标记是否已有负号
for (int i = 0; i < s.size(); i++) {
if (s[i] >= '0' && s[i] <= '9') { // 如果当前字符是数字字符,则加入结果字符串
res += s[i];
} else if (s[i] == '-') { // 如果当前字符是负号
if (!has_negative && i == 0) { // 如果是第一个字符,则加入结果字符串
res += s[i];
has_negative = true;
} else if (s[i - 1] == '-') { // 如果前一个字符也是负号,则不加入结果字符串
continue;
} else { // 否则加入结果字符串
res += s[i];
has_negative = true;
}
}
}
cout << res << endl;
return 0;
}
```
输出结果为:-12456
阅读全文