C++11 Shared_ptr 和 pthread

标签 c++ pthreads shared-ptr

我有一个带有 API 的库,使用 std::shared_ptr 作为参数。

我想将这些 API 与 pthread 一起使用。

我正在做的是:从shared_ptr获取原始指针,以便将其传递给pthread。 从原始共享指针创建一个新的共享指针,并从另一个线程调用我的 API。 但是,在将原始指针转换回共享指针时,我收到了双重释放或损坏错误。

这是我的代码

#include <memory>
#include <iostream>
#include <thread>
#include <pthread.h>

void* print_task(void* ptr) 
{
    int* val_raw = static_cast<int*>(ptr);
    std::shared_ptr<int> val(val_raw);

    // CALL MY API WHICH TAKES A SHARED_PTR AS ARGUMENT
    std::cout<<"thread job done \n";
}

int main(int argc, char ** argv)
{

   pthread_t thread;

   std::shared_ptr<int> val = std::make_shared<int>(10);
   pthread_create(&thread, nullptr, &print_task, static_cast<void *>(val.get()));

   std::this_thread::sleep_for(std::chrono::seconds(5));

   return 0;
}

我想我在从共享指针到原始指针的所有转换中都做错了,因为使用 std::threads (我可以直接传递共享指针)的相同代码可以工作。 不过,我需要设置线程优先级,因此我尝试使用 pthread 来做到这一点。

您知道如何更改我的代码以便能够传递共享指针并在 pthread 中使用它吗?

最佳答案

正如评论中已经提到的,问题是通过原始 void 指针传递共享指针,所以我现在忽略线程部分:

// this is what we have and what we want to pass to the given function
shared_ptr<some_type> sptr;

// function to somehow pass the shared pointer to
void function(void* ptr);

// As always, when passing anything that doesn't fit into
// the raw pointer, we need to do dynamic allocation:
void* arg = new shared_ptr<some_type>(sptr);

// we can now pass this to the function as intended:
function(arg);

// Note that we give up ownership of the dynamically allocated
// shared pointer instance. Hence, the called function must
// release that object again (it takes ownership). The function
// therefore starts like this:
void function(void* ptr)
{
    // convert the typeless pointer to a typed pointer again
    shared_ptr<some_type>* psptr = static_cast<shared_ptr<some_type>*>(ptr);
    // move the content to a new, local instance
    shared_ptr<some_type> sptr = *psptr;
    // release the dynamically allocated shared pointer again
    delete psptr;
    /// ... code using sptr here ...
}

现在,虽然这保证有效,但在某些情况下这可能不是最佳解决方案:

  • 首先,引用计数器的上升和下降并不是免费的,特别是因为这是以线程安全的原子方式完成的。可以避免在函数内复制共享指针然后删除复制的指针。只需创建为空实例并将其与要复制的指针进行 swap() 即可。假设 swap() 是专门的,这是一个安全的选择,因为它是一个明显的优化,然后归结为交换两个原始指针。这种交换不必是线程安全的,因此速度要快得多。
  • 其次,动态分配的成本很高。您可以通过将原始对象的地址传递给函数来避免这种情况和手动释放,但是您必须保证在函数仍在执行时不会触及该对象。特别是对于线程,需要格外小心。

关于C++11 Shared_ptr 和 pthread,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/53401379/

相关文章:

c - 如何从任意 pthread_t 获取线程 ID?

c++ - 调用删除器时 shared_ptr 是否仍然拥有它的对象?

c++ - 使用 gdb 检查标准容器 (std::map) 内容

c++ - 如何在不阻塞的情况下将所有数据写入QLocalSocket::write?

c++ - 使用 setPaperSize(QPrinter::A4) QPrinter 破坏 PDF 报告布局

c - pthread 数组 - 线程是否仍处于事件状态?

c - Pthread 互斥锁

c++ - LLDB:打印由 shared_ptr 引用的 vector

c++ - boost::python 函数调用中 boost::shared_ptr 的转换

c++ - 用 boost::assign::map_list_of 填充 boost::function 的 std::map