2

Google MapAPIV3から返されたXMLを解析しています。返される典型的なXMLは次のとおりです。

<?xml version="1.0" encoding="UTF-8" ?>
<kml xmlns="http://earth.google.com/kml/2.0"><Response>
  <name>40.74445606,-73.97495072</name>
  <Status>
    <code>200</code>
    <request>geocode</request>
  </Status>
  <Placemark id="p1">
    <address>317 E 34th St, New York, NY 10016, USA</address>
    <AddressDetails Accuracy="8" xmlns="urn:oasis:names:tc:ciq:xsdschema:xAL:2.0"><Country><CountryNameCode>US</CountryNameCode><CountryName>USA</CountryName><AdministrativeArea><AdministrativeAreaName>NY</AdministrativeAreaName><Locality><LocalityName>New York</LocalityName><Thoroughfare><ThoroughfareName>317 E 34th St</ThoroughfareName></Thoroughfare><PostalCode><PostalCodeNumber>10016</PostalCodeNumber></PostalCode></Locality></AdministrativeArea></Country></AddressDetails>
    <ExtendedData>
      <LatLonBox north="40.7458050" south="40.7431070" east="-73.9736017" west="-73.9762997" />
    </ExtendedData>
    <Point><coordinates>-73.9749507,40.7444560,0</coordinates></Point>
  </Placemark>
</Response></kml>

これが私がそれを解析するために使用しているPHPコードの断片です:

$xml = new SimpleXMLElement($url, null, true);
$xml->registerXPathNamespace('http', 'http://earth.google.com/kml/2.0');
$LatLonBox_result = $xml->xpath('//http:LatLonBox');

echo "North: " . $LatLonBox_result[0]["north"] . "\n";
echo "South: " . $LatLonBox_result[0]["south"] . "\n";
echo "East: " . $LatLonBox_result[0]["east"] . "\n";
echo "West: " . $LatLonBox_result[0]["west"] . "\n";

var_dump($LatLonBox_result);

編集された出力は次のとおりです。

North: 40.7458050
South: 40.7431070
East: -73.9736017
West: -73.9762997
array(1) {
  [0]=>
  object(SimpleXMLElement)#10 (1) {
    ["@attributes"]=>
    array(4) {
      ["north"]=>
      string(10) "40.7458050"
      ["south"]=>
      string(10) "40.7431070"
      ["east"]=>
      string(11) "-73.9736017"
      ["west"]=>
      string(11) "-73.9762997"
    }
  }
}

$ LatLonBox_result [0] ["north"]を使用することは、私には醜いようです。これは、xpathを使用するときの状況ですか?おそらく$LatLonBox_result["north"]のような戻り値を期待していて、配列の最初の次元がありませんでした。それとも、このアプローチは間違っていますか?これを行うためのより良い方法があれば、親切に私に教えてください。ありがとう!

4

1 に答える 1

2

SimpleXMLElement::xpath常に配列(実際にはその最初の要素を取得しています)を返し、結果が見つかった場合(1つ以上であるかどうかに関係なく)、またはFALSEエラーの場合に返します。

あまり堅牢ではないことを除けば、あなたのコードは問題ないと思います。empty($result)他のことをする前に、で結果を確認することをお勧めします。

$LatLonBox_result = $xml->xpath('//http:LatLonBox');

if (!empty($LatLonBox_result)) {
    echo "North: " . $LatLonBox_result[0]["north"] . "\n";
    echo "South: " . $LatLonBox_result[0]["south"] . "\n";
    echo "East: " . $LatLonBox_result[0]["east"] . "\n";
    echo "West: " . $LatLonBox_result[0]["west"] . "\n";
}
于 2012-10-17T19:41:36.943 に答える