#web-services #soap #dart #flutter #asmx
#веб-сервисы #soap #dart #флаттер #asmx
Вопрос:
Я пытаюсь понять, как Flutter и Dart используют веб-службы soap asmx. Для этого я создал очень простой проект и использовал онлайн-веб-сервис soap asmx для тестирования.
Использование http://www.dneonline.com/calculator.asmx?op=Add Я успешно создаю свой конверт в Flutter.
В тесте я использую часть SOAP 1.1.
Сначала мне не удалось запустить приложение, но, к счастью, я обнаружил ошибку в «Content-Length: длина«. Итак, я удалил его, и все работало очень хорошо.
Это базовая функциональность калькулятора (добавления). Сначала я не знаю, как добавить целое число внутри конверта, поэтому я использую статические жестко закодированные значения.
В теле ответа я нашел строку < AddResult > 9 < / AddResult >, в которой есть мой ответ из вызова soap.
Во-вторых (это мой вопрос) Я получаю тело ответа, но я не знаю, как получить значение из тела.
Как получить значение из вызова веб-служб Flutter / Dart Soap asmx?
Это мой полный код Flutter.
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: MyHomePage(title: 'Flutter Demo Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
int _firstInteger = 5;
int _secondInteger = 4;
var envelope =
"<?xml version="1.0" encoding="utf-8"?><soap:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"> <soap:Body> <Add xmlns="http://tempuri.org/"> <intA>5</intA> <intB>4</intB></Add></soap:Body></soap:Envelope>";
var _testValue = "";
bool _add = true;
@override
void initState() {
// TODO: implement initState
super.initState();
_add = true;
}
Future _getCalculator() async {
http.Response response =
await http.post('http://www.dneonline.com/calculator.asmx',
headers: {
"Content-Type": "text/xml; charset=utf-8",
"SOAPAction": "http://tempuri.org/Add",
"Host": "www.dneonline.com"
},
body: envelope);
setState(() {
_testValue = response.body;
_add = true;
});
print(response.body);
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: new Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
_add == true
? new Text(
"Answer: $_testValue",
style: new TextStyle(
fontSize: 18.0,
fontWeight: FontWeight.bold,
color: Colors.red[800]),
)
: new CircularProgressIndicator(),
new RaisedButton(
onPressed: () {
setState(() {
_add = false;
});
_getCalculator();
},
child: new Text("Calculate"),
)
],
)),
);
}
}
И это ответ.вывод тела:
I/flutter ( 6414): <?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><AddResponse xmlns="http://tempuri.org/"><AddResult>9</AddResult></AddResponse></soap:Body></soap:Envelope>
Ответ №1:
Полный рабочий код здесь:
Из Flutter вызовите веб-службы soap asmx и проанализируйте его с помощью dart xml. 🙂
Надеюсь, мы сможем получить какой-нибудь конвертер XML-конвертов Dart, чтобы нам не приходилось создавать каждый конверт вручную.
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
import 'package:xml/xml.dart' as xml;
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: MyHomePage(title: 'Flutter Demo Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
int _firstInteger = 5;
int _secondInteger = 4;
var envelope =
"<?xml version="1.0" encoding="utf-8"?><soap:Envelope xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"> <soap:Body> <Add xmlns="http://tempuri.org/"> <intA>5</intA> <intB>4</intB></Add></soap:Body></soap:Envelope>";
var _testValue = "";
bool _add = true;
List<dynamic> itemsList = List();
@override
void initState() {
// TODO: implement initState
super.initState();
_add = true;
}
Future _getCalculator() async {
http.Response response =
await http.post('http://www.dneonline.com/calculator.asmx',
headers: {
"Content-Type": "text/xml; charset=utf-8",
"SOAPAction": "http://tempuri.org/Add",
"Host": "www.dneonline.com"
},
body: envelope);
var _response = response.body;
await _parsing(_response);
}
Future _parsing(var _response) async {
var _document = xml.parse(_response);
Iterable<xml.XmlElement> items = _document.findAllElements('AddResponse');
items.map((xml.XmlElement item) {
var _addResult = _getValue(item.findElements("AddResult"));
itemsList.add(_addResult);
}).toList();
print("itemsList: $itemsList");
setState(() {
_testValue = itemsList[0].toString();
_add = true;
});
}
_getValue(Iterable<xml.XmlElement> items) {
var textValue;
items.map((xml.XmlElement node) {
textValue = node.text;
}).toList();
return textValue;
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: new Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
_add == true
? new Text(
"Answer: $_testValue",
style: new TextStyle(
fontSize: 18.0,
fontWeight: FontWeight.bold,
color: Colors.red[800]),
)
: new CircularProgressIndicator(),
new RaisedButton(
onPressed: () {
setState(() {
_add = false;
});
_getCalculator();
},
child: new Text("Calculate"),
)
],
)),
);
}
}