PHP SOAP复杂类型

I have a working XML request body, which I'm trying to send via PHP to a SOAP server:

<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<SOAP-ENV:Envelope xmlns:SOAP-ENV="http://schemas.xmlsoap.org/soap/envelope/" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:tns="urn:servicewsdl" xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/" xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/" xmlns:SOAP-ENC="http://schemas.xmlsoap.org/soap/encoding/">
<SOAP-ENV:Body>
    <mns:getQuote xmlns:mns="urn:getquoteswsdl" SOAP-ENV:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/">
    <authorisation xsi:type="tns:Authorisation">
        <username xsi:type="xsd:string">****</username>
        <password xsi:type="xsd:string">****</password>
    </authorisation>
    <symbol xsi:type="xsd:string">****</symbol>
    </mns:getQuote>
</SOAP-ENV:Body>
</SOAP-ENV:Envelope>

I tried passing the params in an array like so:

$result = $client->getQuote(array('username' => '****', 'password' => '****'), array('symbol' => '****'));

but it returns me an error:

SOAP-ERROR: Encoding: object has no 'username' property

you probably need to put the username/password array inside authorisation like:

$result = $client->getQuote(array('authorisation'=>array('username' => '****', 'password' => '****')), array('symbol' => '****'));

or, maybe you should send it an object instead:

$params = new stdClass();
$params->authorisation = new stdClass();
$params->authorisation->username = '****';
$params->authorisation->password = '****';
$params->symbol = '****';
$result = $client->getQuote($params);

EDIT: From the comments, in the end, getQuote was accessed via PHP in this method:

$auth = new stdClass();
$auth->username = '****';
$auth->password = '****';
$symbol = '****';
$result = $client->getQuote($auth, $symbol);

I had a heck of a time working with PHP and SOAP as well. I seem to recall a similar situation where I used the standard PHP class (new stdClass()) to help build the object with params. Here's the questions/answer page.

How can I add Attributes to a PHP SoapVar Object?

I hope it helps.