我正在使用该tsort
算法对库列表及其依赖项进行排序。在依赖项不禁止它的情况下,我希望排序顺序保持不变。此库列表不会发生这种情况:
- 这个
- 那
- 其他[那个]
- 事情[那个]
依赖项在括号中指定。this
并且that
没有依赖关系。other
取决于that
和thing
取决于that
和this
。申请后tsort
,我希望将列表输出为:
- 这个
- 那
- 其他
- 事物
订单没有变化。我得到的是:
- 那
- 其他
- 这个
- 事物
这在依赖解析方面是正确的,但未能保留原始顺序。
这是我的代码的简化版本:
#!/usr/bin/perl -w
use v5.10;
sub sortem {
my %pairs; # all pairs ($l, $r)
my %npred; # number of predecessors
my %succ; # list of successors
for my $lib (@_) {
my $name = $lib->[0];
$pairs{$name} = {};
$npred{$name} += 0;
for my $dep (@{ $lib->[1] }) {
next if exists $pairs{$name}{$dep};
$pairs{$name}{$dep}++;
$npred{$dep}++;
push @{ $succ{$name} } => $dep;
}
}
# create a list of nodes without predecessors
my @list = grep {!$npred{$_}} keys %npred;
my @ret;
while (@list) {
my $lib = pop @list;
unshift @ret => $lib;
foreach my $child (@{$succ{$lib}}) {
push @list, $child unless --$npred{$child};
}
}
if ( my @cycles = grep { $npred{$_} } @_ ) {
die "Cycle detected between changes @cycles\n";
}
return @ret;
}
say for sortem(
['this', []],
['that', []],
['other', [qw(that)]],
['thing', [qw(that this)]],
);
如何修改它以尽可能地保留原始顺序?
对于那些不了解 Perl 但只是想在工作中看到它的人,请将这些行粘贴到文件中并将文件提供tsort
给以获取相同的、不保留顺序的输出:
that thing
this thing
that other
that this