使用C ++ shared_ptr用删除程序包装C结构

问题描述 投票:0回答:2

这里是初学者的问题:假设在C中有一个C语言库,其用法如下:

struct c_struct* c_obj = NULL;
func(&c_obj); //mallocs and fills c_struct
free_c_struct(c_obj); //my reponsibility to free it

用C ++ shared_ptr包装它的方式是什么?尝试过这种方式-删除器(free_c_struct)不起作用:

{
    struct c_struct* c_obj = nullptr;
    std::shared_ptr<struct c_struct> ptr (c_obj, free_c_struct);

    //
    // some amount of code
    //

    func(&c_obj);

    //
    // yet some amount of code, could return, or throw
    // so I'm supposing "smart" functionality would do the work to free memory
    //
    //
    //block ends, expect deleter to be called here
}

在块末尾,将nullptr传递给free_c_struct,但我想传递malloc的地址。我是否完全缺少某些东西?

感谢您的关注。

UPDATE:

一些可疑的方式:

void deleter(struct c_struct** o) {
    free_c_struct(*o);
}

{
    struct c_struct* c_obj = nullptr;
    std::shared_ptr<struct c_struct*> c_obj_ptr (&c_obj, deleter);
    //
    // some amount of code
    //
    func(&c_obj);
}

这似乎可以满足我的要求,但是看起来很奇怪,我应该编写自己的删除器(我宁愿不这样做)。

c++ wrapper smart-pointers
2个回答
1
投票

std::shared_ptr<struct c_struct> ptr (c_obj, free_c_struct);创建指向对象c_obj指向的共享指针。由于此时c_obj始终具有值nullptr,因此ptr也将始终使用nullptr进行初始化。对c_obj的进一步更改对ptr没有影响,该地址已被复制。

解决方案是先使用函数初始化c_obj,然后然后使用它初始化共享指针。只需在初始化func(&c_obj);之前放置ptr


1
投票

shared_ptr管理的指针与原始指针不同-它是它的副本。结果,您创建了一个std::shared_ptr对象,该对象管理空指针。

[以后在同一指针的另一个副本上调用func时,更改了原始指针的值,但是由std::shared_ptr管理的指针保持不变,并保持为空。

由于无法更改由shared_ptr管理的指针的值,解决此问题的唯一方法是在将指针传递给std::shared_ptr进行管理之前初始化指针。

© www.soinside.com 2019 - 2024. All rights reserved.