我正在开发一个解析2个xml文件的函数。它逐节点地比较它们,然后如果节点不同,则该函数应返回其中一个节点。但它没有返回任何东西。
$xml = simplexml_load_file("file1.xml");
$xml2 = simplexml_load_file("file2.xml");
$result = parseNode($xml, $xml2);
print_r($result);
echo $result;
function parseNode($node1, $node2) {
for ($i = 0; $i < count($node1->children()); $i++) {
$child1 = $node1->children();
$child2 = $node2->children();
if ($child1[$i]->getName() != $child2[$i]->getName()) {
return $child1[$i];
} else {
parseNode($child1[$i], $child2[$i]);
}
}
}
答案 0 :(得分:3)
return parseNode($child1[$i], $child2[$i]);
答案 1 :(得分:1)
嗯,你可以用一个简单的条件语句来做...
$xml = simplexml_load_file("file1.xml");
$xml2 = simplexml_load_file("file2.xml");
$result = parseNode($xml, $xml2);
print_r($result);
echo $result;
function parseNode($node1, $node2) {
$child1 = $node1->children();
$child2 = $node2->children();
$numChildren = count($child1);
for ($i = 0; $i < $numChildren; $i++) {
if ($child1[$i]->getName() != $child2[$i]->getName()) {
return $child1[$i];
} else {
$test = parseNode($child1[$i], $child2[$i]);
if ($test) return $test;
}
}
return false;
}
答案 2 :(得分:1)
您还可以使用递归迭代器遍历XML结构,以简化parseNodes()
函数。
$xml = simplexml_load_string("<root><foo/><bar><baz/></bar></root>", "SimpleXMLIterator");
$xml2 = simplexml_load_string("<root><foo/><bar><baz/></bar><bat/></root>", "SimpleXMLIterator");
$result = parseNode($xml, $xml2);
echo $result;
function parseNode($a, $b) {
$mit = new MultipleIterator(MultipleIterator::MIT_NEED_ANY|MultipleIterator::MIT_KEYS_NUMERIC);
$mit->attachIterator(new RecursiveIteratorIterator($a, RecursiveIteratorIterator::SELF_FIRST));
$mit->attachIterator(new RecursiveIteratorIterator($b, RecursiveIteratorIterator::SELF_FIRST));
foreach ($mit as $node) {
// One has more nodes than another!
if ( ! isset($node[0], $node[1])) {
return 'Curse your sudden but inevitable betrayal!';
}
// Nodes have different names
if ($node[0]->getName() !== $node[1]->getName()) {
return $node[0];
}
}
// No differences in names and order
return FALSE;
}
设置MultipleIterator
非常详细(主要是由于超长的类名),但逻辑很简单。
答案 3 :(得分:0)
递归调用中没有return
。因此,没有结果。
编辑不要向上投票。 ircmaxell 是对的。我删除了答案的例外部分。