其他分享
首页 > 其他分享> > c – 使用std :: sort进行拓扑排序

c – 使用std :: sort进行拓扑排序

作者:互联网

注意:在写这个问题时,我想我已经找到了答案.随意修改或附加更好的版本.我认为记录我的问题可能会很好.编辑我错了,我的aswer不正确.

考虑一个整数对列表:我想根据部分排序对它们进行拓扑排序.这类似于Is partial-order, in contrast to total-order, enough to build a heap?,但我想使用std :: sort而不是std :: priority_queue.

为此,我写了这段代码:

#include <iostream>
#include <vector>
#include <algorithm>


struct pair {
    int a, b;
    pair(int a, int b) : a(a), b(b) {}

    std::ostream &print(std::ostream &out) const {
        return (out << "(" << a << ", " << b << ")");
    }
};

std::ostream &operator<<(std::ostream &out, const pair &p) { return p.print(out); }

struct topological_pair_comparator {
    bool operator()(const pair &p, const pair &q) const { return p.a<q.a && p.b<q.b; }
} tpc;

std::vector<pair> pairs = {
    pair(1,1),
    pair(1,2),
    pair(2,1),
    pair(3,1),
    pair(1,3),
    pair(5,5),
    pair(2,2),
    pair(4,0)
};

int main() {
    std::sort(pairs.begin(), pairs.end(), tpc);
    for(const pair &p : pairs) std::cout << p << " ";
    std::cout << std::endl;
    return 0;
}

资料来源:http://ideone.com/CxOVO0

导致:

(1, 1) (1, 2) (2, 1) (3, 1) (1, 3) (2, 2) (4, 0) (5, 5) 

这几乎是拓扑排序的(通过示例证明;).

但是,部分排序根据tpc创建了!((1,2)<(2,1))和!((1,2)>(2,1)),因此可以得出结论(1) ,2)==(2,1).但是,C标准第25.4.3段(2012年1月的工作草案)规定:

For all algorithms that take Compare, there is a version that uses operator< instead. That is, comp(*i,
*j) != false defaults to *i < *j != false. For algorithms other than those described in 25.4.3 to work
correctly, comp has to induce a strict weak ordering on the values.

编辑:根据ecatmur的有效答案:
部分排序不一定是严格的弱排序;它打破了不可比性的传递性.所以我想放弃我的推理,即部分排序总是严格的弱排序和相关的问题,并添加问题:我注定要编写自己的拓扑排序算法或使用boost实现,这需要我构建图形?

解决方案:一个关于ecatmur的聪明建议:

struct topological_pair_comparator {
    bool operator()(const pair &p, const pair &q) const { return (p.a + p.b) < (q.a + q.b); }
} tpc;

资料来源:http://ideone.com/uoOXNC

请注意,有关堆的SO没有明确提到std :: sort在拓扑上排序;除了一条评论,没有论证支持.

解决方法:

考虑价值观

pair
    x{0, 1},
    y{2, 0},
    z{1, 2};

这里,

!tpc(x, y) && !tpc(y, x);
!tpc(y, z) && !tpc(z, y);

然而,

tpc(x, z);

因此,您的比较器不会强制执行严格的弱排序,如果您将其与std :: sort一起使用,或者在需要严格弱排序的任何其他角色中,则行为未定义.

一个严格弱的比较器,是比较器的改进,它将是:

struct refined_comparator {
    bool operator()(const pair &p, const pair &q) const { return p.a + p.b < q.a + q.b; }
} rc;

标签:c,c11,sorting,topological-sort
来源: https://codeday.me/bug/20190825/1714953.html