Comment effectuer HTTP POST à l'aide de l'application console Dart (à l'aide de Dart:io
ou peut-être package:http
bibliothèque. Je fais quelque chose comme ça:
import 'package:http/http.Dart' as http;
import 'Dart:io';
http.post(
url,
headers: {HttpHeaders.CONTENT_TYPE: "application/json"},
body: {"foo": "bar"})
.then((response) {
print("Response status: ${response.statusCode}");
print("Response body: ${response.body}");
}).catchError((err) {
print(err);
});
mais obtenez l'erreur suivante:
Bad state: Cannot set the body fields of a Request with content-type "application/json".
De http.Dart
:
/// [body] sets the body of the request. It can be a [String], a [List<int>] or /// a [Map<String, String>]. If it's a String, it's encoded using [encoding] and /// used as the body of the request. The content-type of the request will /// default to "text/plain".
Générez vous-même le corps JSON (avec JSON.encode
de Dart: convert ).
Ceci est un exemple complet. Vous devez utiliser json.encode(...)
pour convertir le corps de votre requête en JSON.
import 'package:http/http.Dart' as http;
import 'Dart:convert';
import 'Dart:io';
var url = "https://someurl/here";
var body = json.encode({"foo": "bar"});
Map headers = {
'Content-type' : 'application/json',
'Accept': 'application/json',
};
final response =
http.post(url, body: body, headers: headers);
final responseJson = json.decode(response.body);
print(responseJson);
En général, il est conseillé d'utiliser un Future
pour vos demandes afin que vous puissiez essayer quelque chose comme
import 'package:http/http.Dart' as http;
import 'Dart:convert';
import 'Dart:io';
Future<http.Response> requestMethod() async {
var url = "https://someurl/here";
var body = json.encode({"foo": "bar"});
Map<String,String> headers = {
'Content-type' : 'application/json',
'Accept': 'application/json',
};
final response =
await http.post(url, body: body, headers: headers);
final responseJson = json.decode(response.body);
print(responseJson);
return response;
}
La seule différence de syntaxe réside dans les mots clés async
et await
.