c++ vector<char*> 不会出现任何潜在问题的示例
时间: 2023-08-07 07:03:43 浏览: 103
C++容器vector
为了避免 `std::vector<char*>` 存在的潜在问题,可以使用智能指针 `std::unique_ptr` 或 `std::shared_ptr` 来管理指针所指向的内存,从而避免内存泄漏问题。同时,可以使用 `std::vector<std::string>` 来存储字符串,避免指针失效和字符串拷贝问题。下面是一个使用 `std::vector<std::string>` 存储字符串的示例:
```cpp
#include <iostream>
#include <vector>
#include <string>
int main() {
std::vector<std::string> str_vec;
std::string str1 = "hello";
std::string str2 = "world";
std::string str3 = "vector";
str_vec.push_back(str1);
str_vec.push_back(str2);
str_vec.push_back(str3);
for (std::vector<std::string>::iterator it = str_vec.begin(); it != str_vec.end(); ++it) {
std::cout << *it << std::endl;
}
return 0;
}
```
该示例中,首先定义了一个 `std::vector<std::string>` 类型的变量 `str_vec`,并使用 `push_back` 方法将三个字符串分别添加到向量中。在输出时,使用迭代器遍历向量,输出每个字符串。由于使用了 `std::string` 存储字符串,因此不需要手动管理内存,避免了 `std::vector<char*>` 中存在的潜在问题。
需要注意的是,在使用 `std::vector<std::string>` 时,需要包含头文件 `<string>`。
阅读全文