优化这段代码#include <iostream> #include <vector> #include <string> using namespace std; int main() { string s; s.reserve(100); char c; while (cin >> c) { s.push_back(c); } cout << "s===" << s << endl; return 0; }
时间: 2024-03-05 16:52:36 浏览: 167
#include <iostream>
这段代码的主要问题在于使用了大量的string操作,如果输入的数据量很大,会导致效率较低。可以使用字符数组来代替string,同时减少vector的使用,代码如下:
```c++
#include <iostream>
#include <cstring>
using namespace std;
int main() {
char s[100];
int len = 0;
char c;
while (cin >> c) {
s[len++] = c;
}
s[len] = '\0';
cout << "s===" << s << endl;
return 0;
}
```
这里使用了字符数组s来存储输入的字符,同时使用一个变量len来记录当前字符数组中已经存储的字符数。当输入一个字符时,将其存入字符数组s中,并将len加1。最后,将字符数组s的最后一个字符设置为'\0',以便输出时正确显示字符串。这样可以避免使用string的大量操作,从而提高了效率。
阅读全文