将数据发送到互联网
大多数应用程序都需要将数据发送到互联网。http
包可以满足这一需求。
此食谱使用以下步骤
- 添加
http
包。 - 使用
http
包将数据发送到服务器。 - 将响应转换为自定义 Dart 对象。
- 从用户输入获取
title
。 - 在屏幕上显示响应。
1. 添加 http
包
#要将 http
包添加为依赖项,请运行 flutter pub add
flutter pub add http
导入 http
包。
import 'package:http/http.dart' as http;
如果您为 Android 开发,请在位于 android/app/src/main
的 AndroidManifest.xml
文件中的 manifest 标签内添加以下权限。
<uses-permission android:name="android.permission.INTERNET"/>
2. 向服务器发送数据
#此食谱介绍了如何使用 http.post()
方法将专辑标题发送到 JSONPlaceholder 来创建 Album
。
导入 dart:convert
以访问 jsonEncode
来编码数据
import 'dart:convert';
使用 http.post()
方法发送编码后的数据
Future<http.Response> createAlbum(String title) {
return http.post(
Uri.parse('https://jsonplaceholder.typicode.com/albums'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
}
http.post()
方法返回一个包含 Response
的 Future
。
Future
是一个用于处理异步操作的核心 Dart 类。Future 对象表示将来某个时间点可用的潜在值或错误。http.Response
类包含从成功 http 调用接收到的数据。createAlbum()
方法接受一个名为title
的参数,该参数被发送到服务器以创建Album
。
3. 将 http.Response
转换为自定义 Dart 对象
#虽然发出网络请求很容易,但使用原始 Future<http.Response>
并不方便。为了让您的生活更轻松,将 http.Response
转换为 Dart 对象。
创建 Album 类
#首先,创建一个包含网络请求数据的 Album
类。它包含一个从 JSON 创建 Album
的工厂构造函数。
使用 模式匹配 转换 JSON 只是一个选项。有关更多信息,请参阅有关 JSON 和序列化 的完整文章。
class Album {
final int id;
final String title;
const Album({required this.id, required this.title});
factory Album.fromJson(Map<String, dynamic> json) {
return switch (json) {
{
'id': int id,
'title': String title,
} =>
Album(
id: id,
title: title,
),
_ => throw const FormatException('Failed to load album.'),
};
}
}
将 http.Response
转换为 Album
#使用以下步骤更新 createAlbum()
函数以返回 Future<Album>
- 使用
dart:convert
包将响应主体转换为 JSONMap
。 - 如果服务器返回状态代码为 201 的
CREATED
响应,则使用fromJson()
工厂方法将 JSONMap
转换为Album
。 - 如果服务器没有返回状态代码为 201 的
CREATED
响应,则抛出异常。(即使在“404 未找到”服务器响应的情况下,也抛出异常。不要返回null
。这在检查snapshot
中的数据时很重要,如下所示。)
Future<Album> createAlbum(String title) async {
final response = await http.post(
Uri.parse('https://jsonplaceholder.typicode.com/albums'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
if (response.statusCode == 201) {
// If the server did return a 201 CREATED response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 201 CREATED response,
// then throw an exception.
throw Exception('Failed to create album.');
}
}
太棒了!现在你已经拥有了一个将标题发送到服务器以创建相册的功能。
4. 从用户输入获取标题
#接下来,创建一个TextField
用于输入标题,以及一个ElevatedButton
用于将数据发送到服务器。还要定义一个TextEditingController
来从TextField
读取用户输入。
当按下ElevatedButton
时,_futureAlbum
将设置为createAlbum()
方法返回的值。
Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
TextField(
controller: _controller,
decoration: const InputDecoration(hintText: 'Enter Title'),
),
ElevatedButton(
onPressed: () {
setState(() {
_futureAlbum = createAlbum(_controller.text);
});
},
child: const Text('Create Data'),
),
],
)
按下“创建数据”按钮时,将进行网络请求,该请求将TextField
中的数据作为POST
请求发送到服务器。_futureAlbum
这个Future将在下一步使用。
5. 在屏幕上显示响应
#要将数据显示在屏幕上,请使用FutureBuilder
小部件。FutureBuilder
小部件随Flutter一起提供,可以轻松处理异步数据源。您必须提供两个参数
- 您要使用的
Future
。在本例中,是createAlbum()
函数返回的Future。 - 一个
builder
函数,它告诉Flutter根据Future
的状态(加载、成功或错误)渲染什么内容。
请注意,snapshot.hasData
仅在快照包含非空数据值时才返回true
。这就是为什么即使在“404 Not Found”服务器响应的情况下,createAlbum()
函数也应该抛出异常的原因。如果createAlbum()
返回null
,那么CircularProgressIndicator
将无限期地显示。
FutureBuilder<Album>(
future: _futureAlbum,
builder: (context, snapshot) {
if (snapshot.hasData) {
return Text(snapshot.data!.title);
} else if (snapshot.hasError) {
return Text('${snapshot.error}');
}
return const CircularProgressIndicator();
},
)
完整示例
#import 'dart:async';
import 'dart:convert';
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
Future<Album> createAlbum(String title) async {
final response = await http.post(
Uri.parse('https://jsonplaceholder.typicode.com/albums'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
if (response.statusCode == 201) {
// If the server did return a 201 CREATED response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 201 CREATED response,
// then throw an exception.
throw Exception('Failed to create album.');
}
}
class Album {
final int id;
final String title;
const Album({required this.id, required this.title});
factory Album.fromJson(Map<String, dynamic> json) {
return switch (json) {
{
'id': int id,
'title': String title,
} =>
Album(
id: id,
title: title,
),
_ => throw const FormatException('Failed to load album.'),
};
}
}
void main() {
runApp(const MyApp());
}
class MyApp extends StatefulWidget {
const MyApp({super.key});
@override
State<MyApp> createState() {
return _MyAppState();
}
}
class _MyAppState extends State<MyApp> {
final TextEditingController _controller = TextEditingController();
Future<Album>? _futureAlbum;
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Create Data Example',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: Scaffold(
appBar: AppBar(
title: const Text('Create Data Example'),
),
body: Container(
alignment: Alignment.center,
padding: const EdgeInsets.all(8),
child: (_futureAlbum == null) ? buildColumn() : buildFutureBuilder(),
),
),
);
}
Column buildColumn() {
return Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
TextField(
controller: _controller,
decoration: const InputDecoration(hintText: 'Enter Title'),
),
ElevatedButton(
onPressed: () {
setState(() {
_futureAlbum = createAlbum(_controller.text);
});
},
child: const Text('Create Data'),
),
],
);
}
FutureBuilder<Album> buildFutureBuilder() {
return FutureBuilder<Album>(
future: _futureAlbum,
builder: (context, snapshot) {
if (snapshot.hasData) {
return Text(snapshot.data!.title);
} else if (snapshot.hasError) {
return Text('${snapshot.error}');
}
return const CircularProgressIndicator();
},
);
}
}