通过智能指针调用另一个 class` 成员函数

Calling another class` member functions via smart pointers

在我正在编写的程序中,我有一个 class 创建和处理一些线程。构造完成后,this 的实例将被赋予另一个 class 的对象,线程将能够调用其成员函数。

我已经将它与原始指针一起使用(只需替换智能指针),但由于我可以访问智能指针,所以我尝试改用它们。虽然进展不大.

一些搜索让我使用 shared_ptrs,所以这就是我正在尝试做的事情:

Obj.hpp:

#pragma once

#include "Caller.hpp"

class Caller;

class Obj : std::enable_shared_from_this<Obj> {
public:
    Obj(Caller &c);

    void dothing();
};

Caller.hpp:

#pragma once

#include <memory>

#include "Obj.hpp"

class Obj;

class Caller {
public:
    void set_obj(std::shared_ptr<Obj> o);

    std::shared_ptr<Obj> o;
};

main.cpp:

#include <iostream>
#include <memory>

#include "Caller.hpp"
#include "Obj.hpp"

void Caller::set_obj(std::shared_ptr<Obj> o)
{
    this->o = o;
}

Obj::Obj(Caller &c)
{
    c.set_obj(shared_from_this());
}

void Obj::dothing()
{
    std::cout << "Success!\n";
}

int main()
{
    Caller c;
    auto obj = std::make_shared<Obj>(c);

    c.o->dothing();
}

运行 此代码导致抛出 std::bad_weak_ptr,但我不明白为什么。由于 objshared_ptr,因此对 shared_from_this() 的调用不应该有效吗?

g++ main.cppgcc 7.1.1 编译。

shared_from_this 仅在 包裹在共享指针中后有效

在构建的时候,还没有指向你的共享指针。所以在你的构造函数完成之前你不能shared_from_this

解决这个问题的方法是老 "virtual constructor" 技巧。1

class Obj : std::enable_shared_from_this<Obj> {
  struct token {private: token(int){} friend class Obj;};
public:
  static std::shared_ptr<Obj> create( Caller& c );
  Obj(token) {}
};

inline std::shared_ptr<Obj> Obj::create( Caller& c ) {
  auto r = std::make_shared<Obj>(token{0});
  c.set_obj(r);
  return r;
}

然后在测试代码中:

Caller c;
auto obj = Obj::create(c);

c.o->dothing();

live example.


1虚构造函数既不是虚函数也不是构造函数