Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

simplexml_load_string() will not read soap response with "soap:" in the tags [duplicate]

I know this may be a newbie question, but please humor me. When reading an xml string with "soap:" in the tags, simplexml_load_string() will not read in the xml.

given this script:

#!/usr/bin/php
<?php

$s='
    <soap:Envelope xmlns:soap="http://www.w3.org/2003/05/soap-envelope">
        <soap:Header>
        <context xmlns="urn:zimbra"/>
        </soap:Header>
        <soap:Body>
            <AuthResponse xmlns="urn:zimbraAdmin">
                <authToken>somevalue</authToken>
                <lifetime>123124123</lifetime>
                <a n="zimbraIsDomainAdminAccount">false</a>
            </AuthResponse>
        </soap:Body>
    </soap:Envelope>';


print_r(simplexml_load_string($s));
echo "\n\n";
print_r(simplexml_load_string(str_ireplace("soap:", "", $s)));
?>

I get this output:

jesse@jesse-debian:~/code/zmsoap$ ./xmltest.php 
SimpleXMLElement Object
(
)

SimpleXMLElement Object
(
    [Header] => SimpleXMLElement Object
        (
            [context] => SimpleXMLElement Object
                (
                )

        )

    [Body] => SimpleXMLElement Object
        (
            [AuthResponse] => SimpleXMLElement Object
                (
                    [authToken] => somevalue
                    [lifetime] => 123124123
                    [a] => false
                )

        )

)
jesse@jesse-debian:~/code/zmsoap$

I'm just curious why this is happening, and if there is a more proper way to remedy the problem as opposed to doing a string replace.

like image 889
jesse_galley Avatar asked Sep 18 '12 21:09

jesse_galley


2 Answers

simplest:

$xml='<?xml version="1.0" encoding="utf-8"?><soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"><soap:Body><AddOrderResult>1</AddOrderResult></soap:Body></soap:Envelope>';
var_export(json_decode(json_encode(simplexml_load_string(strtr($xml, array(' xmlns:'=>' ')))), 1));

output:

array (
  '@attributes' => 
  array (
    'soap' => 'http://schemas.xmlsoap.org/soap/envelope/',
  ),
  'soap:Body' => 
  array (
    'AddOrderResult' => '1',
  ),
)
like image 87
diyism Avatar answered Sep 19 '22 16:09

diyism


A tag name with a colon in indicates the tag is in a non-default namespace. SimpleXML only looks at one namespace at a time, so you need to specifically select the namespace using the ->children() method.

In this case $xml->children('http://www.w3.org/2003/05/soap-envelope')->Body or $xml->children('soap', true)->Body should both work.

For this and other reasons, it's not advisable to use print_r to debug SimpleXML objects. Try this dedicated function instead.

like image 38
IMSoP Avatar answered Sep 16 '22 16:09

IMSoP