Я пишу это мыло веб-сервис в PHP, используя библиотеку NuSOAPКак я могу разобрать ответ SOAP, который содержит complextype в iOS, с Swift?
require_once "nusoap/lib/nusoap.php";
$userBookServer = new nusoap_server();
$userBookServer->configureWSDL('recuperaLibri', 'urn:retrieveBooks');
$userBookServer->soap_defencoding = 'utf-8';
$userBookServer->wsdl->addComplexType(
'Book',
'complexType',
'struct',
'all',
'',
array(
'Titolo' => array('name' => 'Titolo', 'type' => 'xsd:string'),
'Autore'=> array('name' => 'Autore', 'type' => 'xsd:string')
)
);
$userBookServer->wsdl->addComplexType(
'userBook',
'complexType',
'array',
'',
'SOAP-ENC:Array',
array(),
array(
array('ref' => 'SOAP-ENC:arrayType', 'wsdl:arrayType' => 'tns:Book[]')
),
'tns:Book'
);
$userBookServer->register("recuperaLibri", array('id_unico' => 'xsd:string'),
array('return' => 'tns:userBook'),'urn:recuperaLibri', 'urn:retrieveBooks#recuperaLibri','rpc','encoded');
/**
* @param $uid
*/
function recuperaLibri($uid){
require_once "DataStorage_utilities/DataManager.php";
$response = array();
//$response['userBook'] = array();
$db = new DataManager();
$userBooks = $db->getUserBook($uid);
while($userBook = $userBooks->fetch_assoc()){
//crea un array temporaneo
$tmp = array();
$tmp[0]['Titolo'] = $userBook[0]['Titolo'];
$tmp[0]['Autore'] = $userBook[0]['Autore'];
//inserisce l'array temporaneo nell'array response
//array_push($response['userBook'], $tmp);
array_push($response, $tmp);
}
//return json_encode($response);
return $response;
}
$userBookServer->service(file_get_contents('php://input'));
exit();
Функция recuperaLibri
возвращает массив, содержащий книги пользователя. Этот массив должен отображаться в UITableView. Что-то вроде этого:
Это SOAP ответ:
<SOAP-ENV:Envelope SOAP- ENV:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/" 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:SOAP-ENC="http://schemas.xmlsoap.org/soap/encoding/" xmlns:tns="urn:retrieveBooks">
<SOAP-ENV:Body>
<ns1:recuperaLibriResponse xmlns:ns1="urn:recuperaLibri">
<return xsi:type="SOAP-ENC:Array" SOAP-ENC:arrayType="tns:Book[0]"/>
</ns1:recuperaLibriResponse>
</SOAP-ENV:Body>
</SOAP-ENV:Envelope>
Я пишу клиент службы в Swift 3 с использованием SOAPEngine.
import UIKit
//class LibriTableViewController: UITableViewController, XMLParserDelegate{
class LibriTableViewController: UITableViewController{
var elements: NSArray = NSArray()
override func viewDidLoad() {
super.viewDidLoad()
let userID = UserDefaults.standard.string(forKey: "userID")
let soapMessageRequest = "<soapenv:Envelope xmlns:xsi='http://www.w3.org/2001/XMLSchema-instance' xmlns:xsd='http://www.w3.org/2001/XMLSchema' xmlns:soapenv='http://schemas.xmlsoap.org/soap/envelope/' xmlns:urn='urn:recuperaLibri'><soapenv:Header/><soapenv:Body><urn:recuperaLibri soapenv:encodingStyle='http://schemas.xmlsoap.org/soap/encoding/'><id_unico xsi:type='xsd:string'>userID</id_unico></urn:recuperaLibri></soapenv:Body></soapenv:Envelope>"
let soap = SOAPEngine()
soap.actionNamespaceSlash = true
soap.envelope = soapMessageRequest
soap.setValue("\(userID)", forKey: "userID")
soap.requestWSDL("http://localhost:8090/StudentPORT_WS/LibriUtenteService.php?wsdl", operation: "recuperaLibri" ,
completeWithDictionary: {(statusCode: Int?, dict: [AnyHashable: Any]?) -> Void in
let book:NSDictionary = dict! as NSDictionary
self.elements = book["Book"] as! NSArray
self.tableView?.reloadData()
}) { (error:Error?) -> Void in
print(error)
}
}
override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
return self.elements.count
}
override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
var cell:LibriUtenteTableViewCell = (tableView.dequeueReusableCell(withIdentifier: "cellBookId", for: indexPath) as? LibriUtenteTableViewCell)!
if cell == nil {
cell = UITableViewCell(style: UITableViewCellStyle.subtitle, reuseIdentifier: "cellBookId") as! LibriUtenteTableViewCell
}
let bookRow:NSDictionary = self.elements[indexPath.row] as! NSDictionary
let titolo:String = bookRow["Titolo"] as! String
let autore:String = bookRow["Autore"] as! String
cell.titoloLabel.text = String(format: "%@", titolo)
cell.autoreLabel.text = String(format: "%@", autore)
return cell
}
}
Но когда приложение работает, и я стараюсь, чтобы увидеть таблицу, я нашел это сообщение в XCode:
2017-02-08 22:49:30.421 StudentPORT[2818:382651] Initializing SOAPEngine v.1.31
2017-02-08 22:49:30.517 StudentPORT[2818:382651] SOAPEngine Server response: (null)
Optional(Error Domain=NSOSStatusErrorDomain Code=0 "(null)")
Как я могу получить массив из ответа SOAP и отобразить его должным образом ??
, вероятно, вам необходимо использовать IP-адрес машины, на которой работает служба вместо localhost. В этом контексте Localhost - это iPhone. –
Эта служба работает в localhost, а не в другой машине. –
Да, но ваш iPhone или симулятор - это еще одна машина. Если вы используете localhost, предполагается, что служба работает на iPhone. Ваша служба работает на iPhone? –