其他分享
首页 > 其他分享> > C数据结构,用于存储两组唯一元素之间的多个关系

C数据结构,用于存储两组唯一元素之间的多个关系

作者:互联网

我正在开发一个项目,我有两个独特的元素集.一组中的任何元素可以与另一组中的任何元素相关.

例:

第1集:{A,B,C}

第2集:{1,2,3,4}

允许的关系:

(A,1)(A,3)

(B,1)(B,4)

(C,1)(C,3)(C,4)

单个关系表示为一对括号内的两个集合元素.

在我的特定项目中,两个集合的元素都是对象,我希望对存储的所有对象的所有引用都解析为一个对象(例如,包含A的所有关系都将引用相同的对象A,同样适用于关系另一边的其他集合的引用).

我正在考虑使用Boost bimap来解决这个问题.我正在研究用于bimap的左半部分和右半部分的潜在类型的集合以及两组之间的关系,并且一直试图确定哪些是正确的.

对于bimap的左半部分和右半部分,我认为set_of CollectionType是正确的,因为我的两组对象都是集合,并且我不希望我的bimap中的任何元素的重复副本.

但是,当我在实践中尝试这一点时,我在插入关系(A,1)后最终无法插入关系(B,1),因为插入必须在左侧都有效以及它的正确观点.为了解决这个问题,我将两半的CollectionType更改为multiset_of.所有值都已正确插入,但是,这是否意味着我的bimap现在具有原始集元素的重复副本?

为了尝试纠正这个问题,我开始考虑改变bimap两半之间关系的集合类型.由于关系类型的集合类型默认为bimap的左半部分,我认为multiset_of不正确,并将其指定为set_of.但是,我不确定这是否解决了原始问题,即从原始集合中复制了多个对象.

我真正需要的是查看Set 2中与Set 1中的元素相关的所有对象.Boost bimap是否适合我?我选择的集合和关系类型是否正确?顺便说一句,我正在尝试自定义我的地图以便快速搜索时间,而不用担心插入时间(删除和修改将永远不会发生,地图已初始化,之后仅用于查找).我应该只编写自定义数据结构吗?

解决方法:

我完全同意杰瑞的回答.如果您尝试对图形建模,请考虑使用邻接列表,边列表或矩阵表示.

保罗的答案有点手工波动,所以,这里有一个使用Boost Multi Index的样本:

Live On Coliru

#include <iostream>
#include <boost/multi_index_container.hpp>
#include <boost/multi_index/mem_fun.hpp>
#include <boost/multi_index/composite_key.hpp>
#include <boost/multi_index/ordered_index.hpp>

struct T1 {
    std::string name;
    bool operator<(T1 const& o) const { return name < o.name; }
};
struct T2 {
    int id;   
    bool operator<(T2 const& o) const { return id < o.id; }
};

namespace bmi = boost::multi_index;

struct Relation {
    T1 const* key1;
    T2 const* key2;

    std::string const& name() const { return key1->name; }
    int                id  () const { return key2->id;   }

    friend std::ostream& operator<<(std::ostream& os, Relation const& r) {
        return os << "(" << r.name() << ", " << r.id() << ")";
    }
};

using RelationTable = bmi::multi_index_container<Relation,
      bmi::indexed_by<
        bmi::ordered_unique<bmi::tag<struct by_composite>, 
            bmi::composite_key<Relation, 
                bmi::const_mem_fun<Relation, std::string const&, &Relation::name>,
                bmi::const_mem_fun<Relation, int, &Relation::id>
            >
        >
    > >;

#include <set>

int main() {
    using namespace std;
    set<T1> set1 { {"A"}, {"B"}, {"C"} };
    set<T2> set2 { {1}, {2}, {3}, {4} };

    // convenient data entry helpers
    auto lookup1 = [&set1](auto key) { return &*set1.find(T1{key}); }; // TODO error check?
    auto lookup2 = [&set2](auto key) { return &*set2.find(T2{key}); };
    auto relate  = [=](auto name, auto id) { return Relation { lookup1(name), lookup2(id) }; };
    // end helpers

    RelationTable relations {
        relate("A", 1), relate("A", 3),
        relate("B", 1), relate("B", 4),
        relate("C", 1), relate("C", 3), relate("C", 4),
    };

    for (auto& rel : relations)
        std::cout << rel << " ";
}

打印

(A, 1) (A, 3) (B, 1) (B, 4) (C, 1) (C, 3) (C, 4) 

标签:c,dictionary,boost,bimap,boost-bimap
来源: https://codeday.me/bug/20190824/1706791.html