在我的程序中,组将共享指向主题的指针;主题对他们的组的指示力很弱。我希望该组具有一个join()函数,该函数将Subject的弱指针分配给它自己。以下是我尝试过的最小代码。如何修复join()函数?
#include <iostream>
#include <string>
#include <memory>
class Party;
class Subject
{
public:
std::weak_ptr<Party> MyParty;
};
class Party
{
public:
std::string Name;
void join(std::shared_ptr<Subject> subject)
{
subject->MyParty = std::make_shared<Party>(*this); // <---- PROBLEM
}
};
int main()
{
auto& BlueParty = std::make_shared<Party>();
BlueParty->Name = "Blue Party";
auto& Jane = std::make_shared<Subject>();
BlueParty->join(Jane);
if (auto ptr = Jane->MyParty.lock())
{
std::cout << "I am in " << ptr->Name << std::endl;
}
else { std::cout << "I have no party." << std::endl; }
return 0;
}
Run Code Online (Sandbox Code Playgroud)
该程序将打印出“我没有聚会”。如果分配成功,则应该打印出“我在蓝党中”。
The line subject->MyParty = std::make_shared<Party>(*this); creates a new Party object that is a copy of *this and is managed by a temporary std::shared_ptr. subject->MyParty gets assigned from that temporary shared_ptr, but weak_ptrs don't keep the objects they point to alive. As soon as that statement completes, the temporary shared_ptr returned by make_shared is destroyed and takes the Party object it was managing with it. subject->MyParty now doesn't point to anything.
The solution is to use std::enable_shared_from_this:
class Party : public std::enable_shared_from_this<Party>
{
public:
std::string Name;
void join(std::shared_ptr<Subject> subject)
{
subject->MyParty = shared_from_this();
}
};
Run Code Online (Sandbox Code Playgroud)
To use shared_from_this, the object must be owned by a std::shared_ptr. It's generally a good idea, in such a case, to mark the class's constructors private and use a factory function that returns a shared_ptr to a new instance so that objects of that type that aren't managed by a shared_ptr can't be accidentally created:
class Party : public std::enable_shared_from_this<Party>
{
public:
std::string Name;
static std::shared_ptr<Party> create()
{
return std::shared_ptr<Party>{new Party()};
}
void join(std::shared_ptr<Subject> subject)
{
subject->MyParty = shared_from_this();
}
private:
Party() = default;
Party(const Party&) = delete;
};
Run Code Online (Sandbox Code Playgroud)
Sadly, this makes std::make_shared harder to use. For a bit more info on that issue see this question.
| 归档时间: |
|
| 查看次数: |
81 次 |
| 最近记录: |