SoapClient 클래스를 사용하여 PHP SOAP 호출을 만드는 방법


130

PHP 코드 작성에 익숙하지만 종종 객체 지향 코딩을 사용하지 않습니다. 이제 SOAP (클라이언트)와 상호 작용해야하며 구문을 제대로 얻을 수 없습니다. SoapClient 클래스를 사용하여 새 연결을 올바르게 설정할 수있는 WSDL 파일이 있습니다. 그러나 실제로 올바른 전화를 걸고 데이터를 가져올 수는 없습니다. 다음 (간체 화 된) 데이터를 보내야합니다.

  • 연락 ID
  • 담당자 이름
  • 일반적인 설명

WSDL 문서에는 두 개의 함수가 정의되어 있지만 하나만 필요합니다 (아래 "FirstFunction"). 사용 가능한 기능 및 유형에 대한 정보를 얻기 위해 실행하는 스크립트는 다음과 같습니다.

$client = new SoapClient("http://example.com/webservices?wsdl");
var_dump($client->__getFunctions()); 
var_dump($client->__getTypes()); 

그리고 여기에 생성되는 출력이 있습니다 :

array(
  [0] => "FirstFunction Function1(FirstFunction $parameters)",
  [1] => "SecondFunction Function2(SecondFunction $parameters)",
);

array(
  [0] => struct Contact {
    id id;
    name name;
  }
  [1] => string "string description"
  [2] => string "int amount"
}

데이터로 FirstFunction을 호출하고 싶다고 가정 해보십시오.

  • 연락 ID : 100
  • 담당자 이름 : John
  • 일반 설명 : 오일 배럴
  • 금액 : 500

올바른 구문은 무엇입니까? 나는 모든 종류의 옵션을 시도했지만 비누 구조가 상당히 유연 해 보이기 때문에 많은 방법이 있습니다. 매뉴얼에서도 알아낼 수 없었습니다 ...


업데이트 1 : MMK에서 시도한 샘플 :

$client = new SoapClient("http://example.com/webservices?wsdl");

$params = array(
  "id" => 100,
  "name" => "John",
  "description" => "Barrel of Oil",
  "amount" => 500,
);
$response = $client->__soapCall("Function1", array($params));

그러나 나는이 응답을 얻는다 : Object has no 'Contact' property. 당신의 출력에서 볼 수 있듯이 getTypes(), 거기입니다 struct라는 Contact내가 어떻게 든 내 매개 변수는 연락처 데이터를 포함 취소해야 같아요, 그래서,하지만 질문은 : 어떻게?

업데이트 2 :이 구조를 시도했지만 동일한 오류가 발생했습니다.

$params = array(
  array(
    "id" => 100,
    "name" => "John",
  ),
  "Barrel of Oil",
  500,
);

만큼 잘:

$params = array(
  "Contact" => array(
    "id" => 100,
    "name" => "John",
  ),
  "description" => "Barrel of Oil",
  "amount" => 500,
);

두 경우 모두 오류 : 개체에 '연락처'속성이 없습니다`

php  soap 

답변:


178

이것이 당신이해야 할 일입니다.

상황을 재현하려고했습니다 ...


  • 이 예를 들어, 나는이와 .NET 샘플 WebService에 (WS) 창조 WebMethod라는 Function1다음 PARAMS 기대를 :

Function1 (연락처, 문자열 설명, int 금액)

  • 귀하의 경우 와 마찬가지로 Contactgetter 및 setter가있는 모델은 어디에 있습니까 ?idname

  • 다음에서 .NET 샘플 WS를 다운로드 할 수 있습니다.

https://www.dropbox.com/s/6pz1w94a52o5xah/11593623.zip


코드.

이것은 PHP 측에서해야 할 일입니다.

(테스트 및 작동)

<?php
// Create Contact class
class Contact {
    public function __construct($id, $name) 
    {
        $this->id = $id;
        $this->name = $name;
    }
}

// Initialize WS with the WSDL
$client = new SoapClient("http://localhost:10139/Service1.asmx?wsdl");

// Create Contact obj
$contact = new Contact(100, "John");

// Set request params
$params = array(
  "Contact" => $contact,
  "description" => "Barrel of Oil",
  "amount" => 500,
);

// Invoke WS method (Function1) with the request params 
$response = $client->__soapCall("Function1", array($params));

// Print WS response
var_dump($response);

?>

모든 것을 테스트합니다.

  • 당신이 경우에 print_r($params)당신의 WS가 기대하는 것처럼 당신은 다음과 같은 출력이 표시됩니다 :

배열 ([Contact] => Contact Object ([id] => 100 [name] => John) [description] => 오일 배럴 [amount] => 500)

  • .NET 샘플 WS를 디버깅 할 때 다음을 얻었습니다.

여기에 이미지 설명을 입력하십시오

(보시다시피, Contact객체 null도 다른 매개 변수도 아닙니다. 요청이 PHP 측에서 성공적으로 완료되었음을 의미합니다)

  • .NET 샘플 WS의 응답은 예상 한 것이며 PHP 측에서 얻은 것입니다.

object (stdClass) [3] public 'Function1Result'=> string '요청에 대한 자세한 정보! id : 100, 이름 : John, 설명 : 오일 배럴, 양 : 500 '(길이 = 98)


행복한 코딩!


3
완전한! 나는 실제로했던 것보다 SOAP 서비스에 대해 조금 더 알고있는 것처럼 행동했으며 이것이 내가 필요한 곳에 도착했습니다.
chapman84

1
나는 그 질문을하지 않았다. 그렇지 않으면 나는 가질 것이다. 질문 과이 답변은 나에게서 찬성했습니다.
chapman84

4
@ 사용자는 그것을 받아 들여야합니다 :) BTW, 매우 좋은 답변, 완전하고 매우 명확합니다. +1
Yann39

감사합니다! SOAP 구조를 이해하기위한 Lil '향상.
EatCodePlaySleep

69

이 방법으로 SOAP 서비스를 사용할 수도 있습니다.

<?php 
//Create the client object
$soapclient = new SoapClient('http://www.webservicex.net/globalweather.asmx?WSDL');

//Use the functions of the client, the params of the function are in 
//the associative array
$params = array('CountryName' => 'Spain', 'CityName' => 'Alicante');
$response = $soapclient->getWeather($params);

var_dump($response);

// Get the Cities By Country
$param = array('CountryName' => 'Spain');
$response = $soapclient->getCitiesByCountry($param);

var_dump($response);

이것은 실제 서비스의 예이며 작동합니다.

도움이 되었기를 바랍니다.


다음과 같은 오류가 발생합니다. object (stdClass) # 70 (1) {[ "GetWeatherResult"] => string (14) "Data Not Found"} 아이디어가 있습니까?
Ilker Baltaci

그들이 도시의 끈을 바꾼 것 같습니다. 방금 제공 한 다른 서비스에 대한 다른 호출로 예제를 업데이트했으며 작동합니다. 도시로 반환하는 문자열을 사용하려고 시도했지만 제대로 작동하지 않는 것 같습니다. 어쨌든 getCitiesByCountry () 함수는 호출 방법에 대한 예제로 사용됩니다.
Salvador P.

30

먼저 웹 서비스를 초기화하십시오.

$client = new SoapClient("http://example.com/webservices?wsdl");

그런 다음 매개 변수를 설정하고 전달하십시오.

$params = array (
    "arg0" => $contactid,
    "arg1" => $desc,
    "arg2" => $contactname
);

$response = $client->__soapCall('methodname', array($params));

메소드 이름은 WSDL에서 조작 이름으로 사용 가능합니다. 예를 들면 다음과 같습니다.

<operation name="methodname">

감사! 시도했지만 "개체에 '연락처'속성이 없습니다"라는 오류가 발생합니다. 내 질문을 자세한 내용으로 업데이트하겠습니다. 어떤 아이디어?

@ user16441 서비스의 WSDL 및 스키마를 게시 할 수 있습니까? 나는 일반적으로 서비스가 기대하는 XML을 파악한 다음 WireShark를 사용하여 클라이언트가 실제로 보내는 것을 파악하는 것으로 시작합니다.
davidfmatheson

21

내 웹 서비스의 구조가 왜 같은지 모르겠지만 매개 변수에 클래스가 필요하지 않고 배열입니다.

예를 들면 다음과 같습니다.-내 WSDL :

<soapenv:Envelope xmlns:soapenv="http://schemas.xmlsoap.org/soap/envelope/"
                  xmlns:ns="http://www.kiala.com/schemas/psws/1.0">
    <soapenv:Header/>
    <soapenv:Body>
        <ns:createOrder reference="260778">
            <identification>
                <sender>5390a7006cee11e0ae3e0800200c9a66</sender>
                <hash>831f8c1ad25e1dc89cf2d8f23d2af...fa85155f5c67627</hash>
                <originator>VITS-STAELENS</originator>
            </identification>
            <delivery>
                <from country="ES" node=””/>
                <to country="ES" node="0299"/>
            </delivery>
            <parcel>
                <description>Zoethout thee</description>
                <weight>0.100</weight>
                <orderNumber>10K24</orderNumber>
                <orderDate>2012-12-31</orderDate>
            </parcel>
            <receiver>
                <firstName>Gladys</firstName>
                <surname>Roldan de Moras</surname>
                <address>
                    <line1>Calle General Oraá 26</line1>
                    <line2>(4º izda)</line2>
                    <postalCode>28006</postalCode>
                    <city>Madrid</city>
                    <country>ES</country>
                </address>
                <email>gverbruggen@kiala.com</email>
                <language>es</language>
            </receiver>
        </ns:createOrder>
    </soapenv:Body>
</soapenv:Envelope>

나는 var_dump :

var_dump($client->getFunctions());
var_dump($client->getTypes());

결과는 다음과 같습니다.

array
  0 => string 'OrderConfirmation createOrder(OrderRequest $createOrder)' (length=56)

array
  0 => string 'struct OrderRequest {
 Identification identification;
 Delivery delivery;
 Parcel parcel;
 Receiver receiver;
 string reference;
}' (length=130)
  1 => string 'struct Identification {
 string sender;
 string hash;
 string originator;
}' (length=75)
  2 => string 'struct Delivery {
 Node from;
 Node to;
}' (length=41)
  3 => string 'struct Node {
 string country;
 string node;
}' (length=46)
  4 => string 'struct Parcel {
 string description;
 decimal weight;
 string orderNumber;
 date orderDate;
}' (length=93)
  5 => string 'struct Receiver {
 string firstName;
 string surname;
 Address address;
 string email;
 string language;
}' (length=106)
  6 => string 'struct Address {
 string line1;
 string line2;
 string postalCode;
 string city;
 string country;
}' (length=99)
  7 => string 'struct OrderConfirmation {
 string trackingNumber;
 string reference;
}' (length=71)
  8 => string 'struct OrderServiceException {
 string code;
 OrderServiceException faultInfo;
 string message;
}' (length=97)

내 코드에서 :

    $client  = new SoapClient('http://packandship-ws.kiala.com/psws/order?wsdl');

    $params = array(
        'reference' => $orderId,
        'identification' => array(
            'sender' => param('kiala', 'sender_id'),
            'hash' => hash('sha512', $orderId . param('kiala', 'sender_id') . param('kiala', 'password')),
            'originator' => null,
        ),
        'delivery' => array(
            'from' => array(
                'country' => 'es',
                'node' => '',
            ),
            'to' => array(
                'country' => 'es',
                'node' => '0299'
            ),
        ),
        'parcel' => array(
            'description' => 'Description',
            'weight' => 0.200,
            'orderNumber' => $orderId,
            'orderDate' => date('Y-m-d')
        ),
        'receiver' => array(
            'firstName' => 'Customer First Name',
            'surname' => 'Customer Sur Name',
            'address' => array(
                'line1' => 'Line 1 Adress',
                'line2' => 'Line 2 Adress',
                'postalCode' => 28006,
                'city' => 'Madrid',
                'country' => 'es',
                ),
            'email' => 'test.ceres@yahoo.com',
            'language' => 'es'
        )
    );
    $result = $client->createOrder($params);
    var_dump($result);

그러나 성공적으로!


1
당신의 예는 좀 더 도움이됩니다. 왜냐하면 구조
의존성을

3

이것을 읽으십시오;-

http://php.net/manual/en/soapclient.call.php

또는

SOAP 함수 "__call"에 대한 좋은 예입니다. 그러나 더 이상 사용되지 않습니다.

<?php
    $wsdl = "http://webservices.tekever.eu/ctt/?wsdl";
    $int_zona = 5;
    $int_peso = 1001;
    $cliente = new SoapClient($wsdl);
    print "<p>Envio Internacional: ";
    $vem = $cliente->__call('CustoEMSInternacional',array($int_zona, $int_peso));
    print $vem;
    print "</p>";
?>

3

먼저 SoapUI 를 사용하여 wsdl에서 soap 프로젝트를 작성하십시오. wsdl의 조작에 대한 재생 요청을 보내십시오. xml 요청이 데이터 필드를 구성하는 방법을 관찰하십시오.

그런 다음 SoapClient가 원하는대로 작동하는 데 문제가 있으면 여기에 디버깅 방법이 있습니다. __getLastRequest () 함수 를 사용할 수 있도록 옵션 추적을 설정하십시오 .

$soapClient = new SoapClient('http://yourwdsdlurl.com?wsdl', ['trace' => true]);
$params = ['user' => 'Hey', 'account' => '12345'];
$response = $soapClient->__soapCall('<operation>', $params);
$xml = $soapClient->__getLastRequest();

그런 다음 $ xml 변수에는 SoapClient가 요청을 위해 작성하는 xml이 포함됩니다. 이 xml을 SoapUI에서 생성 된 xml과 비교하십시오.

나를 위해 SoapClient는 연관 배열 $ params 의 키를 무시하고 색인 배열로 해석하여 XML에 잘못된 매개 변수 데이터를 발생시키는 것으로 보입니다 . 즉, $ params 의 데이터를 재정렬 하면 $ response 는 완전히 다릅니다.

$params = ['account' => '12345', 'user' => 'Hey'];
$response = $soapClient->__soapCall('<operation>', $params);

3

SoapParam의 개체를 만들면 문제가 해결됩니다. 클래스를 작성하고 WebService에서 제공 한 오브젝트 유형으로 맵핑 한 후 값을 초기화하고 요청을 전송하십시오. 아래 샘플을 참조하십시오.

struct Contact {

    function Contact ($pid, $pname)
    {
      id = $pid;
      name = $pname;
  }
}

$struct = new Contact(100,"John");

$soapstruct = new SoapVar($struct, SOAP_ENC_OBJECT, "Contact","http://soapinterop.org/xsd");

$ContactParam = new SoapParam($soapstruct, "Contact")

$response = $client->Function1($ContactParam);

1

나는 같은 문제가 있었지만 방금 이와 같은 주장을 감쌌다.

    $args = array();
    $args['Header'] = array(
        'CustomerCode' => 'dsadsad',
        'Language' => 'fdsfasdf'
    );
    $args['RequestObject'] = $whatever;

    // this was the catch, double array with "Request"
    $response = $this->client->__soapCall($name, array(array( 'Request' => $args )));

이 기능 사용하기 :

 print_r($this->client->__getLastRequest());

요청 XML이 인수에 따라 변경되는지 여부를 확인할 수 있습니다.

SoapClient 옵션에서 [trace = 1, exceptions = 0]을 사용하십시오.


0

클래스 계약을 선언해야합니다

class Contract {
  public $id;
  public $name;
}

$contract = new Contract();
$contract->id = 100;
$contract->name = "John";

$params = array(
  "Contact" => $contract,
  "description" => "Barrel of Oil",
  "amount" => 500,
);

또는

$params = array(
  $contract,
  "description" => "Barrel of Oil",
  "amount" => 500,
);

그때

$response = $client->__soapCall("Function1", array("FirstFunction" => $params));

또는

$response = $client->__soapCall("Function1", $params);

0

다차원 배열이 필요합니다. 다음을 시도해보십시오.

$params = array(
   array(
      "id" => 100,
      "name" => "John",
   ),
   "Barrel of Oil",
   500
);

PHP에서 배열은 구조이며 매우 유연합니다. 일반적으로 SOAP 호출에서는 XML 래퍼를 사용하므로 작동하는지 확실하지 않습니다.

편집하다:

시도 할 수있는 것은 json 쿼리를 보내거나 사용하여 XML 구매를 작성 하여이 페이지에있는 것입니다 : http://onwebdev.blogspot.com/2011/08/php-converting-rss- to-json.html


고맙지 만 작동하지 않았습니다. XML 래퍼를 정확히 어떻게 사용 하는가? 아마도 이것보다 사용하기 쉽다.

먼저 WSDL이 XML 랩퍼를 처리 할 수 ​​있는지 확인해야합니다. 그러나 비슷합니다. XML로 요청을 작성하고 대부분의 경우 curl을 사용합니다. 은행과의 거래를 처리하기 위해 SOAP을 XML과 함께 사용했습니다. 이것들을 시작점으로 확인할 수 있습니다. forums.digitalpoint.com/showthread.php?t=424619#post4004636 w3schools.com/soap/soap_intro.asp
James Williams

0

WsdlInterpreter 클래스를 사용하여 php5 객체를 생성하는 옵션이 있습니다. 여기 더보십시오 : https://github.com/gkwelding/WSDLInterpreter를

예를 들면 다음과 같습니다.

require_once 'WSDLInterpreter-v1.0.0/WSDLInterpreter.php';
$wsdlLocation = '<your wsdl url>?wsdl';
$wsdlInterpreter = new WSDLInterpreter($wsdlLocation);
$wsdlInterpreter->savePHP('.');

0

getLastRequest () :

이 메소드는 추적 옵션을 TRUE로 설정하여 SoapClient 오브젝트를 작성한 경우에만 작동합니다.

이 경우 TRUE는 1로 표시됩니다.

$wsdl = storage_path('app/mywsdl.wsdl');
try{

  $options = array(
               // 'soap_version'=>SOAP_1_1,
               'trace'=>1,
               'exceptions'=>1,

                'cache_wsdl'=>WSDL_CACHE_NONE,
             //   'stream_context' => stream_context_create($arrContextOptions)
        );
           // $client = new \SoapClient($wsdl, array('cache_wsdl' => WSDL_CACHE_NONE) );
        $client = new \SoapClient($wsdl, array('cache_wsdl' => WSDL_CACHE_NONE));
        $client     = new \SoapClient($wsdl,$options); 

나를 위해 일했다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.