我正在尝试在Boost中使用进程间共享跨进程的结构。

我已经定义了映射文件以使用空互斥锁,因为我在锁定它时遇到了问题,而且我不介意自己进行同步。

我遇到的问题是找到对象。

我有以下声明:

typedef boost::interprocess::basic_managed_mapped_file
    < char,
    boost::interprocess::rbtree_best_fit<boost::interprocess::null_mutex_family,boost::interprocess::offset_ptr<void>>,
    boost::interprocess::flat_map_index>
    my_mapped_file;

在过程A中,我这样做:
m_managedMappedFile.reset(new my_mapped_file(bip::open_or_create, filename, filesize));
auto hdr = m_managedMappedFile->find_or_construct<Foo>(bip::unique_instance)();
auto x = m_managedMappedFile->find<Foo>(bip::unique_instance);

如我所料,它可以找到对象。现在,在过程B中:
    m_managedMappedFile.reset(new my_mapped_file(bip::open_only, filename));
    auto ret = m_managedMappedFile->find<Foo>(bip::unique_instance);

由于某种原因,find方法在进程B中返回null。我意识到我必须做些愚蠢的事情,但无法弄清楚。

有人可以帮忙吗?

最佳答案

您不必不必绕过默认bip::managed_mapped_file索引的锁定机制。

查看是否可以成功运行以下命令:

#include <iostream>
#include <boost/interprocess/managed_mapped_file.hpp>

namespace bip = boost::interprocess;

struct X {
    int i;
};

int main()
{
    {
        bip::managed_mapped_file f(bip::open_or_create, "/tmp/mmf.bin", 1ul << 20);

        if (!f.find<X>(bip::unique_instance).first) {
            auto xp = f.find_or_construct<X>(bip::unique_instance)();

            assert(xp);
            xp->i = 42;
        }
    }

    {
        bip::managed_mapped_file f(bip::open_only, "/tmp/mmf.bin");
        auto xp = f.find<X>(bip::unique_instance).first;

        if (xp)
            std::cout << "value: " << xp->i++ << "\n";
    }
}

这应该在第一次运行时(或在重新创建文件之后)打印42,并在以后的每次运行中增加编号。

我将看一下段管理器unique_instance_t*重载背后的实现,但是我怀疑由于互斥量策略为空,它们可能无法工作。目前,这只是预感。

我将重点探讨为什么无法在平台和安装上以默认配置运行Interprocess managed_mapped_file的原因。

关于c++ - boost::interprocess managed_mapped_file查找失败,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28413207/

10-11 22:54