从服务asp.net解析XML响应

时间:2019-05-31 12:42:54

标签: c# asp.net xml-parsing xmlhttprequest

我正在尝试将Web服务与我的项目集成。该Web服务返回XML响应:

<?xml version="1.0" encoding="UTF-8"?>
<SOAP-ENV:Envelope xmlns:SOAP-ENV="http://schemas.xmlsoap.org/soap/envelope/" 
                   xmlns:ns1="http://www.tpg.ua/" 
                   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/" 
                   SOAP-ENV:encodingStyle="http://schemas.xmlsoap.org/soap/encoding/">
    <SOAP-ENV:Body>
        <ns1:getCitiesResponse>
            <return xsi:type="xsd:string">
                [
                    {
                        "cityTitle": "Тирана",
                        "countryId": "7",
                        "cityId": "2493",
                        "IATA": "TIA"
                    },
                    {
                        "cityTitle": "Ла-Романа",
                        "countryId": "48",
                        "cityId": "1280",
                        "IATA": "LRM"
                    },
                    {
                        "cityTitle": "Херсон",
                        "countryId": "145",
                        "cityId": "2719",
                        "IATA": "KHE"
                    },
                    {
                        "cityTitle": "Шарм",
                        "countryId": "49",
                        "cityId": "2851",
                        "IATA": "SSH"
                    }
                ]
            </return>
        </ns1:getCitiesResponse>
    </SOAP-ENV:Body>
</SOAP-ENV:Envelope>

我正在尝试解析该回复。我想获取cityIdcountryId

XmlDocument listXML = new XmlDocument();
listXML.LoadXml(response);

string baseNode = @"return/";

XmlNode item1 = listXML.SelectSingleNode(baseNode + "countryId"); 
XmlNode item2 = listXML.SelectSingleNode(baseNode + "cityId");

string s = item1.InnerText.ToString();
string s1 = item2.InnerText.ToString();

但是它是null;我该怎么办?

1 个答案:

答案 0 :(得分:2)

SOAP响应的return元素包含一个JSON字符串,因此您不能使用XmlDocument和XPath查询从中提取数据。

您需要使用JSON解串器查询JSON数据,例如,在此示例中,我使用了JSON.NET-您可以通过安装NuGet包Newtonsoft.Json将其添加到项目中。

这里有两个步骤-首先从XML响应中提取return元素的内容。我使用XDocument而不是您使用的XmlDocument,因为XDocument是一种更现代的API,并且在诸如Linq之类的现代语言功能中发挥了更好的作用。

第二步是反序列化JSON内容,然后将内容提取到变量中。

var xDoc = XDocument.Parse(response);
var returnJson = xDoc.Descendants("return")
    .Single()
    .Value;

var cities = JArray.Parse(returnJson);
foreach (var city in cities)
{
    var cityId = city["cityId"].Value<string>();
    var countryId = city["countryId"].Value<string>();
}