web-dev-qa-db-ja.com

投稿方法SOAP Request from PHP

SOAP PHPからのリクエストを投稿するにはどうすればよいですか?

48
Jin Yong

私の経験では、それほど単純ではありません。組み込みの PHP SOAP client は、使用する必要がある.NETベースのSOAPサーバーでは動作しませんでした。無効なスキーマ定義について不平を言いました。NETクライアントはそのサーバーでうまく動作しましたが。ところで、SOAP相互運用性は神話だと主張しましょう。

次のステップは NuSOAP でした。これはかなり長い間機能しました。ところで、神のために、WSDLをキャッシュすることを忘れないでください!しかし、WSDLのキャッシュされたユーザーでさえ、いまいましいことが遅いと不平を言っていました。

次に、次のように、要求をアセンブルし、SimpleXMLElemntを使用して応答を読み取る、HTTPをそのまま使用することにしました。

$request_info = array();

$full_response = @http_post_data(
    'http://example.com/OTA_WS.asmx',
    $REQUEST_BODY,
    array(
        'headers' => array(
            'Content-Type' => 'text/xml; charset=UTF-8',
            'SOAPAction'   => 'HotelAvail',
        ),
        'timeout' => 60,

    ),
    $request_info
);

$response_xml = new SimpleXMLElement(strstr($full_response, '<?xml'));

foreach ($response_xml->xpath('//@HotelName') as $HotelName) {
    echo strval($HotelName) . "\n";
}

PHP 5.2では、pecl_httpが必要です。ただし、(surprise-surpise!)にはHTTPクライアントは組み込まれていません。

裸のHTTPに行くと、SOAPリクエスト時間で30%以上になりました。その後、すべてのパフォーマンスをリダイレクトしますサーバーに不満を言う。

最後に、パフォーマンスのためではなく、この後者のアプローチをお勧めします。一般に、PHP)のような動的言語では、すべてのWSDL/type-から利益がないと思いますコントロール。XMLの読み書きに派手なライブラリは必要ありません。すべてのスタブ生成と動的プロキシがあります。あなたの言語は既に動的であり、SimpleXMLElementはうまく機能し、とても使いやすいです。 less codeがありますが、これは常に良いことです。

44
Ivan Krechetov

PHPはSOAPをサポートしています。

$client = new SoapClient($url);

soapServerに接続すると、関数のリストを取得して、次の操作を行うだけで関数を呼び出すことができます...

$client->__getTypes();      
$client->__getFunctions();  

$result = $client->functionName();  

詳細 http://www.php.net/manual/en/soapclient.soapclient.php

27
Sharj

多くの非常に単純なXMLリクエストを行う必要があり、SOAPの高速ヒットに関する@Ivan Krechetovのコメントを読んだ後、彼のコードを試し、http_post_data()がPHP 5.2。それをインストールしたいので、私はすべてのサーバーにあるcURLを試しました。cURLがSOAPと比較される速度はわかりませんが、必要なことを簡単に実行できることは確かでした。

$xml_data = '<?xml version="1.0" encoding="UTF-8" ?>
<priceRequest><customerNo>123</customerNo><password>abc</password><skuList><SKU>99999</SKU><lineNumber>1</lineNumber></skuList></priceRequest>';
$URL = "https://test.testserver.com/PriceAvailability";

$ch = curl_init($URL);
curl_setopt($ch, CURLOPT_HTTPHEADER, array('Content-Type: text/xml'));
curl_setopt($ch, CURLOPT_POST, 1);
curl_setopt($ch, CURLOPT_POSTFIELDS, "$xml_data");
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
$output = curl_exec($ch);
curl_close($ch);


print_r($output);
7
Tim Duncklee

PHP cURLライブラリを使用して、単純なHTTP POSTリクエストを生成できます。次の例は、cURLを使用して簡単なSOAP要求を作成する方法を示しています。

SOAPリクエストをwebフォルダーのsoap-request.xmlに書き込むsoap-server.phpを作成します。

We can use the PHP cURL library to generate simple HTTP POST request. The following example shows you how to create a simple SOAP request using cURL.

Create the soap-server.php which write the SOAP request into soap-request.xml in web folder.


<?php
  $HTTP_RAW_POST_DATA = isset($HTTP_RAW_POST_DATA) ? $HTTP_RAW_POST_DATA : '';
  $f = fopen("./soap-request.xml", "w");
  fwrite($f, $HTTP_RAW_POST_DATA);
  fclose($f);
?>


The next step is creating the soap-client.php which generate the SOAP request using the cURL library and send it to the soap-server.php URL.

<?php
  $soap_request  = "<?xml version=\"1.0\"?>\n";
  $soap_request .= "<soap:Envelope xmlns:soap=\"http://www.w3.org/2001/12/soap-envelope\" soap:encodingStyle=\"http://www.w3.org/2001/12/soap-encoding\">\n";
  $soap_request .= "  <soap:Body xmlns:m=\"http://www.example.org/stock\">\n";
  $soap_request .= "    <m:GetStockPrice>\n";
  $soap_request .= "      <m:StockName>IBM</m:StockName>\n";
  $soap_request .= "    </m:GetStockPrice>\n";
  $soap_request .= "  </soap:Body>\n";
  $soap_request .= "</soap:Envelope>";

  $header = array(
    "Content-type: text/xml;charset=\"utf-8\"",
    "Accept: text/xml",
    "Cache-Control: no-cache",
    "Pragma: no-cache",
    "SOAPAction: \"run\"",
    "Content-length: ".strlen($soap_request),
  );

  $soap_do = curl_init();
  curl_setopt($soap_do, CURLOPT_URL, "http://localhost/php-soap-curl/soap-server.php" );
  curl_setopt($soap_do, CURLOPT_CONNECTTIMEOUT, 10);
  curl_setopt($soap_do, CURLOPT_TIMEOUT,        10);
  curl_setopt($soap_do, CURLOPT_RETURNTRANSFER, true );
  curl_setopt($soap_do, CURLOPT_SSL_VERIFYPEER, false);
  curl_setopt($soap_do, CURLOPT_SSL_VERIFYHOST, false);
  curl_setopt($soap_do, CURLOPT_POST,           true );
  curl_setopt($soap_do, CURLOPT_POSTFIELDS,     $soap_request);
  curl_setopt($soap_do, CURLOPT_HTTPHEADER,     $header);

  if(curl_exec($soap_do) === false) {
    $err = 'Curl error: ' . curl_error($soap_do);
    curl_close($soap_do);
    print $err;
  } else {
    curl_close($soap_do);
    print 'Operation completed without any errors';
  }
?>


Enter the soap-client.php URL in browser to send the SOAP message. If success, Operation completed without any errors will be shown and the soap-request.xml will be created.

<?xml version="1.0"?>
<soap:Envelope xmlns:soap="http://www.w3.org/2001/12/soap-envelope" soap:encodingStyle="http://www.w3.org/2001/12/soap-encoding">
  <soap:Body xmlns:m="http://www.example.org/stock">
    <m:GetStockPrice>
      <m:StockName>IBM</m:StockName>
    </m:GetStockPrice>
  </soap:Body>
</soap:Envelope>


Original - http://eureka.ykyuen.info/2011/05/05/php-send-a-soap-request-by-curl/
4
senanqerib

here および here にしたいと思うかもしれません。

最初のリンクからの小さなコード例:

<?php
// include the SOAP classes
require_once('nusoap.php');
// define parameter array (ISBN number)
$param = array('isbn'=>'0385503954');
// define path to server application
$serverpath ='http://services.xmethods.net:80/soap/servlet/rpcrouter';
//define method namespace
$namespace="urn:xmethods-BNPriceCheck";
// create client object
$client = new soapclient($serverpath);
// make the call
$price = $client->call('getPrice',$param,$namespace);
// if a fault occurred, output error info
if (isset($fault)) {
        print "Error: ". $fault;
        }
else if ($price == -1) {
        print "The book is not in the database.";
} else {
        // otherwise output the result
        print "The price of book number ". $param[isbn] ." is $". $price;
        }
// kill object
unset($client);
?>
3
Filip Ekberg

以下は、これを行う方法の簡単な例です(これは問題を最もよく説明してくれました)。これは、本質的に このWebサイト で見つかりました。このWebサイトのリンクは、SOAPサービスを操作するために重要なWSDLについても説明しています。

ただし、以下の例で使用していたAPIアドレスはまだ機能するとは思わないので、自分で選択したいずれかに切り替えるだけです。

$wsdl = 'http://terraservice.net/TerraService.asmx?WSDL';

$trace = true;
$exceptions = false;

$xml_array['placeName'] = 'Pomona';
$xml_array['MaxItems'] = 3;
$xml_array['imagePresence'] = true;

$client = new SoapClient($wsdl, array('trace' => $trace, 'exceptions' => $exceptions));
$response = $client->GetPlaceList($xml_array);

var_dump($response);
2
Cato Minor

XMLに異なるレベルで同じ名前のIDがある場合、解決策があります。生のXMLを送信する必要はありません(これはPHP SOAPオブジェクトはRAW XMLの送信を許可しません)。したがって、常に翻訳する必要があります。次の例のように、XMLを配列に追加します。

$originalXML = "
<xml>
  <firstClient>
      <name>someone</name>
      <adress>R. 1001</adress>
  </firstClient>
  <secondClient>
      <name>another one</name>
      <adress></adress>
  </secondClient>
</xml>"

//Translate the XML above in a array, like PHP SOAP function requires
$myParams = array('firstClient' => array('name' => 'someone',
                                  'adress' => 'R. 1001'),
            'secondClient' => array('name' => 'another one',
                                  'adress' => ''));

$webService = new SoapClient($someURL);
$result = $webService->someWebServiceFunction($myParams);

または

$soapUrl = "http://privpakservices.schenker.nu/package/package_1.3/packageservices.asmx?op=SearchCollectionPoint";

$xml_post_string = '<?xml version="1.0" encoding="utf-8"?><soap12:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soap12="http://www.w3.org/2003/05/soap-envelope"><soap12:Body><SearchCollectionPoint xmlns="http://privpakservices.schenker.nu/"><customerID>XXX</customerID><key>XXXXXX-XXXXXX</key><serviceID></serviceID><paramID>0</paramID><address>RiksvŠgen 5</address><postcode>59018</postcode><city>Mantorp</city><maxhits>10</maxhits></SearchCollectionPoint></soap12:Body></soap12:Envelope>';

$headers = array(
"POST /package/package_1.3/packageservices.asmx HTTP/1.1",
"Host: privpakservices.schenker.nu",
"Content-Type: application/soap+xml; charset=utf-8",
"Content-Length: ".strlen($xml_post_string)
); 

$url = $soapUrl;

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_POST, true);
curl_setopt($ch, CURLOPT_POSTFIELDS, $xml_post_string);
curl_setopt($ch, CURLOPT_HTTPHEADER, $headers);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);

$response = curl_exec($ch); 
curl_close($ch);

$response1 = str_replace("<soap:Body>","",$response);
$response2 = str_replace("</soap:Body>","",$response1);

$parser = simplexml_load_string($response2);
1
Saber Daagi