是的,所以我一直致力于通过标头进行基本身份验证,并通过HTTP Post传递一些变量。这是一个终端应用程序。
这就是我的代码:
import 'package:http/http.dart' as http;
import 'dart:io';
void main() {
var url = "http://httpbin.org/post";
var client = new http.Client();
var request = new http.Request('POST', Uri.parse(url));
var body = {'content':'this is a test', 'email':'john@doe.com', 'number':'441276300056'};
request.headers[HttpHeaders.CONTENT_TYPE] = 'application/json; charset=utf-8';
request.headers[HttpHeaders.AUTHORIZATION] = 'Basic 021215421fbe4b0d27f:e74b71bbce';
request.body = body;
var future = client.send(request).then((response) => response.stream.bytesToString().then((value) => print(value.toString()))).catchError((error) => print(error.toString()));
}
我使用httpbin作为回音服务器,所以它告诉我我传入的是什么。如果我没有通过身体,或者如果我传递一个字符串,我的代码可以正常工作身体。
显然是因为http.Request中的body属性只接受字符串,我试图将地图传递给它。
我可以将其转换为字符串,它可能会有效,但我仍然认为我的代码可以改进。不是从语法的角度,也不是从处理未来的方式来看,但我不确定使用http.dart是正确的做法。
有人能指出我正确的方向吗?
提前致谢。
答案 0 :(得分:10)
JSON 是一个字符串。您需要将地图编码为JSON并将其作为String传递。
您可以使用bodyFields
代替body
来传递地图
这样,您的content-type
就会固定为"application/x-www-form-urlencoded"
。
post
的DartDoc说:
/// If [body] is a Map, it's encoded as form fields using [encoding]. The
/// content-type of the request will be set to
/// `"application/x-www-form-urlencoded"`; this cannot be overridden.
我之前能够以这种方式发送JSON数据
return new http.Client()
.post(url, headers: {'Content-type': 'application/json'},
body: JSON.encoder.convert({"distinct": "users","key": "account","query": {"active":true}}))
.then((http.Response r) => r.body)
.whenComplete(() => print('completed'));
修改强>
import 'package:http/http.dart' as http;
import 'dart:io';
void main() {
var url = "http://httpbin.org/post";
var client = new http.Client();
var request = new http.Request('POST', Uri.parse(url));
var body = {'content':'this is a test', 'email':'john@doe.com', 'number':'441276300056'};
// request.headers[HttpHeaders.CONTENT_TYPE] = 'application/json; charset=utf-8';
request.headers[HttpHeaders.AUTHORIZATION] = 'Basic 021215421fbe4b0d27f:e74b71bbce';
request.bodyFields = body;
var future = client.send(request).then((response)
=> response.stream.bytesToString().then((value)
=> print(value.toString()))).catchError((error) => print(error.toString()));
}
生成
{
"args": {},
"data": "",
"files": {},
"form": {
"content": "this is a test",
"email": "john@doe.com",
"number": "441276300056"
},
"headers": {
"Accept-Encoding": "gzip",
"Authorization": "Basic 021215421fbe4b0d27f:e74b71bbce",
"Connection": "close",
"Content-Length": "63",
"Content-Type": "application/x-www-form-urlencoded; charset=utf-8",
"Host": "httpbin.org",
"User-Agent": "Dart/1.5 (dart:io)",
"X-Request-Id": "b108713b-d746-49de-b9c2-61823a93f629"
},
"json": null,
"origin": "91.118.62.43",
"url": "http://httpbin.org/post"
}