你好,我是C ++的新手。今天,当我测试代码项目时,遇到了一个使我感到困惑的问题。
我想在解析JSON的项目中使用智能指针,因此我将一行字符串传递给类:json_content
,并且我想要json_content
,json_value
的成员得到的字符串。编译器没有给我任何警告或错误,但是当我运行a.out文件时,它告诉我segmentation fault
。我在Google中搜索了很多内容,但是没有找到解决此问题的任何方法。有人可以帮我吗?非常感谢! :)
顺便说一句,我的操作系统是MacOSX x86_64-apple-darwin18.2.0
,编译器是Apple LLVM version 10.0.0 (clang-1000.10.44.4)
代码如下:
#include <string>
#include <iostream>
#include <memory>
#include <typeinfo>
using namespace std;
class json_content {
public:
string json_value;
};
int main()
{
shared_ptr<json_content> c;
shared_ptr<string> p2(new string("this is good"));
// segmentation fault
c->json_value = *p2;
// this is also bad line!
c->json_value = "not good, too!";
return 0;
}
答案 0 :(得分:4)
默认情况下,shared_ptr
是nullptr
(请参阅API)。您无法取消引用nullptr
。您需要先初始化c
:
#include <string>
#include <iostream>
#include <memory>
#include <typeinfo>
using namespace std;
class JsonContent {
public:
string json_value;
};
int main() {
shared_ptr<JsonContent> c = std::make_shared<JsonContent>();
shared_ptr<string> p2 = std::make_shared<string>("This is good.");
c->json_value = *p2;
c->json_value = "This is also good!";
cout << c->json_value << endl;
return 0;
}