-2

我有一个这样的数组,我通过 SQL 查询得到它

Array
(
    [0] => Array
        (
            [iId] => 1
            [sName] => Tom
        )

    [1] => Array
        (
            [iId] => 2
            [sName] => Jhon
        )
)

然后通过这个数组,我正在创建 POST 请求,并返回 XML 对象

SimpleXMLElement Object
(
    [@attributes] => Array
        (
            [method] => userstats_xml
            [version] => 2.0
        )

    [userstats] => SimpleXMLElement Object
        (
            [type] => Array
                (
                    [0] => SimpleXMLElement Object
                        (
                            [@attributes] => Array
                                (
                                    [id] => 2
                                )

                            [test] => SimpleXMLElement Object
                                (
                                    [output] => 1280
                                )

                        )

                    [1] => SimpleXMLElement Object
                        (
                            [@attributes] => Array
                                (
                                    [id] => 1
                                )

                            [test] => SimpleXMLElement Object
                                (
                                    [output] => 6112
                                )

                        )
                )
        )
)

现在我正在尝试获取下面列出的数组,因为我可以分别从第一个数组和 xml 对象输出数据,但我需要在一行中完成,例如

<a href="sId">sName - volume</a> 

数组形式:

Array
(
    [0] => Array
        (
            [iId] => 1
            [sName] => Tom
            [volume] => 6112
        )

    [1] => Array
        (
            [iId] => 2
            [sName] => Jhon
            [volume] => 1280
        )
)
4

2 回答 2

1

您必须遍历 XML 响应并构建一个以 iId 作为键和来自 xml 的卷/输出作为值的单维数组。

$xmlOutput = 
Array
( 
  [1] => 6112
  [2] = > 1280
)

然后您可以使用上面的数组向您从 SQL 获取的数组中添加一个新元素。看下面的代码片段

 $sqlOutput =  
Array
    (
        [0] => Array
            (
                [iId] => 1
                [sName] => Tom
            )

        [1] => Array
            (
                [iId] => 2
                [sName] => Jhon
            )
    )
    foreach($sqlOutput as $entry)
    {
      $entry['volume'] = $xmlOutput[$entry['iId']];
    }
于 2012-11-18T16:10:28.027 回答
1

遍历数组并使用 ID 通过 XPath 查询 XML 以获得“输出”值

foreach ($peopleArray as $i => $person) {
    $xpathQuery = sprintf('//type[@id="%s"]/test/output', $person['iID']);
    $result = $xml->xpath($xpathQuery);
    if (isset($result[0])) {
        $peopleArray[$i]['volume'] = (string) $result[0];
    }
}

该代码将获取数组中的每个 ID 并从中构造一个 XPath 查询。该查询在文档中查找所有输出元素,这些元素是测试元素的子元素,该元素必须是具有 SQL 数组中 ID 属性的 type 元素的子元素。如果找到结果,则将输出元素的值添加到当前迭代位置的 SQL 数组中。

请参阅http://schlitt.info/opensource/blog/0704_xpath.html以获得良好的 XPath 教程。

于 2012-11-18T16:17:40.420 回答