我能够在XML :: Twig模块的帮助下合并两个XML文件数据,但在某些情况下,在这两种情况下,两个XML文件中都可能出现相同的标记,我需要保留第一个文件中的数据完整并从第二个删除它。有人可以通过XML::Twig
告诉我如何实现它吗?
以下是我用来合并两个XML数据的代码
第一个XML数据
<config>
<tag1>A1</tag1>
<tag2>A2</tag2>
</config>
第二个XML数据
<config>
<tag2>A2</tag2>
<tag3>A1</tag3>
<opt>
<user login="grep" fullname="BOB" />
<user login="stty" fullname="TOM" />
</opt>
</config>
<tag2>
数据出现在两个文件中。我需要从第二个文件中删除重复数据。
代码
use XML::Twig;
use Data::Dumper;
use XML::Simple;
print add(
'C:\Users\chidori\Desktop\inputfile1.xml',
'C:\Users\chidori\Desktop\inputfile2.xml'
);
sub add {
my $result_twig;
my ( $XML_File1, $XML_File2 ) = @_;
foreach my $file ( $XML_File1, $XML_File2 ) {
my $current_twig = XML::Twig->new(
pretty_print => 'indented',
comments => 'process',
);
$current_twig->parsefile( $file );
if ( !$result_twig ) {
$result_twig = $current_twig;
}
else {
$current_twig->root->move( last_child => $result_twig->root )->erase;
}
}
return $result_twig->sprint;
}
答案 0 :(得分:2)
此解决方案的工作原理是将所有第一级元素的标记名称添加到哈希%tags
。处理第二个文件时,如果其标记名称尚未存在于散列中,则会剪切每个第一级元素并将其粘贴到原始文档中
use strict;
use warnings;
use XML::Twig;
my %tags;
my $twig = XML::Twig->parse('inputfile1.xml');
++$tags{$_->tag} for $twig->findnodes('/config/*');
{
my $twig2 = XML::Twig->parse('inputfile2.xml');
for my $elem ( $twig2->findnodes('/config/*') ) {
unless ( $tags{$elem->tag} ) {
$elem->cut;
$elem->paste(last_child => $twig->root);
}
}
}
$twig->set_pretty_print('indented');
$twig->print;
<强>输出强>
<config>
<tag1>A1</tag1>
<tag2>A2</tag2>
<tag3>A1</tag3>
<opt>
<user fullname="BOB" login="grep"/>
<user fullname="TOM" login="stty"/>
</opt>
</config>