Как преобразовать локальный файл xml в org.ksoap2.serialization.SoapObject?

Я разрабатываю веб-приложение для Android, которому необходимо подключиться к веб-сервису для ответа.

Я использую kSOAP для процесса вызова веб-службы. [kSOAP - это клиентская библиотека веб-сервиса SOAP для ограниченных сред Java, таких как апплеты или приложения J2ME.]

Если я сохраню, что ответил xml в локальный каталог, , например. /mnt/sdcard/appData/config.xml, а затем, когда я спрашиваю запрос о веб-сервисе, сначала он проверяет, есть ли локальный файл, затем рассмотрите этот файл как ответный файл, иначе подключитесь к серверу.

Этот процесс сокращает время отклика и повышает эффективность применения.

Можно ли преобразовать его ('config.xml') в объект SOAP? И как?

Рассмотрим мой локальный файл xml:

config.xml

<?xml version="1.0" encoding="utf-8"?>
<soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/" 

xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 

xmlns:xsd="http://www.w3.org/2001/XMLSchema">
<soap:Body>
<Response xmlns="http://testuser.com/webservices/response">
<Result>
<SName>Test User</SName>
<UnitDesc>SAMPLE Test </UnitDesc> <RefreshRate>60</RefreshRate>
<Out>
<Definition>
<Code>ABC</Code>
<Description>(Specific)</Description>
<Action>true</Action>
<Despatch>false</Despatch>
</Definition>
<Definition>
<Code>CDE</Code><Description>(Specific)</Description>
<ActionDate>true</ActionDate>
</Definition>
</Out>
<SampleText>
<string>Test XML Parsing</string>
<string>Check how to convert it to SOAP response</string>
<string>Try if you know</string>
</SampleText>
<GeneralData>
<Pair>
<Name>AllowRefresh</Name>
<Value>Y</Value>
</Pair>
<Pair>
<Name>ListOrder</Name>
<Value>ACCENDING</Value>
</Pair>
</GeneralData>
</Result>
</Response>
</soap:Body>
</soap:Envelope>

Текущий код показан ниже:

final String CONFIGURATION_FILE="config.xml";
File demoDataFile = new File("/mnt/sdcard/appData");
boolean fileAvailable=false;
File[] dataFiles=demoDataFile.listFiles(new FilenameFilter() {
@Override
    public boolean accept(File dir, String filename) {
        return filename.endsWith(".xml");
    }
});


for (File file : dataFiles) {

 if(file.getName().equals(CONFIGURATION_FILE))
 {
    fileAvailable=true;
 }


 }

if(fileAvailable)
    {
        //**What to do?**
    }
else
{

   //Create the envelope
   SoapSerializationEnvelope envelope = new SoapSerializationEnvelope(SoapEnvelope.VER11);

    //Put request object into the envelope
    envelope.setOutputSoapObject(request);

    //Set other properties
    envelope.encodingStyle = SoapSerializationEnvelope.XSD;
    envelope.dotNet = true;
    String method="test";

        synchronized (transportLockObject)
        {
            String soapAction = "http://testuser.com/webservices/response/"+method;

            try {
                transport.call(soapAction, envelope);
            } catch (SSLHandshakeException she) {
                she.printStackTrace();
                SecurityService.initSSLSocketFactory(ctx);
                transport.call(soapAction, envelope);             
            }
        }

        //Get the response
        Object response = envelope.getResponse();

        //Check if response is available... if yes parse the response
        if (response != null)
        {
            if (sampleResponse != null)
            {
                sampleResponse.parse(response);
            }
        }
        else 
        {
            // Throw no response exception
            throw new NoResponseException("No response received for " + method + " operation");
        }

}

Ответ 1

Вы можете расширить класс HttpTransportSE и переопределить метод call следующим образом:

public void call(String soapAction, SoapEnvelope envelope) throws IOException, XmlPullParserException
{
    if(localFileAvailable)
    {
        InputStream is = new FileInputStream(fileWithXml);
        parseResponse(envelope, is);
        is.close();
    }
    else
    {
        super.call(soapAction, envelope);
    }
}

Ответ 2

Вопрос заключался в том, как преобразовать xml файл в SoapObject. Итак, как получить ваш конверт xml ввода в вызов ksoap2.

Способ сделать это действительно доступен в классе HttpTransportSE, даже если это не предназначено для использования!

Существует метод parseResponse, который принимает конверт и входной поток (ваш XML файл) и обновляет заголовок и тело ввода конверта. Но умнее всего то, что вы можете скопировать их в поля outHeader и outBody, а затем вся тяжелая работа полей отображения уходит.

        @Override
public void call(String soapAction, SoapEnvelope envelope) throws IOException, XmlPullParserException {
    if ( getFileInputStream() != null ){

        parseResponse(envelope, getFileInputStream());
        envelope.bodyOut = envelope.bodyIn;
        envelope.headerOut = envelope.headerIn;
        getFileInputStream().close();
    }

    super.call(soapAction,envelope);

}