如何使用php从url读取xml文件

2022-08-30 13:24:31

我必须从 URL 读取 XML 文件

$map_url = "http://maps.google.com/maps/api/directions/xml?origin=".$merchant_address_url."&destination=".$customer_address_url."&sensor=false";

这给了我一个这样的URL:

http://maps.google.com/maps/api/directions/xml?origin=Quentin+Road+Brooklyn%2C+New+York%2C+11234+United+States&destination=550+Madison+Avenue+New+York%2C+New+York%2C+10001+United+States&sensor=false

我正在使用这个函数来读取然后获取数据:

 $response_xml_data = file_get_contents($map_url);
 if($response_xml_data){
     echo "read";
 }

 $data = simplexml_load_string($response_xml_data);
 echo "<pre>"; print_r($data); exit; 

但是没有运气,有什么帮助吗?


答案 1

您可以使用“simplexml_load_file”函数从XML中获取数据。请参考此链接

http://php.net/manual/en/function.simplexml-load-file.php

$url = "http://maps.google.com/maps/api/directions/xml?origin=Quentin+Road+Brooklyn%2C+New+York%2C+11234+United+States&destination=550+Madison+Avenue+New+York%2C+New+York%2C+10001+United+States&sensor=false";
$xml = simplexml_load_file($url);
print_r($xml);

答案 2

你的代码似乎是正确的,检查你是否启用了fopen包装器(在php.ini上)allow_url_fopen = On

此外,正如其他答案所提到的,您应该提供正确编码的URI或使用urlencode()函数对其进行编码。您还应该检查提取 XML 字符串时是否存在任何错误,以及是否存在任何解析错误,您可以使用 libxml_get_errors() 输出这些错误,如下所示:

<?php
if (($response_xml_data = file_get_contents($map_url))===false){
    echo "Error fetching XML\n";
} else {
   libxml_use_internal_errors(true);
   $data = simplexml_load_string($response_xml_data);
   if (!$data) {
       echo "Error loading XML\n";
       foreach(libxml_get_errors() as $error) {
           echo "\t", $error->message;
       }
   } else {
      print_r($data);
   }
}
?>

如果问题是您无法获取XML代码,可能是因为您需要在请求中包含一些自定义标头,请检查如何使用stream_context_create()创建自定义流上下文,以便在调用示例4时使用 http://php.net/manual/en/function.file-get-contents.phpfile_get_contents()


推荐