通过互联网更新数据
大多数应用程序都需要更新互联网上的数据。http
包可以满足您的需求!
此食谱使用以下步骤
- 添加
http
包。 - 使用
http
包更新互联网上的数据。 - 将响应转换为自定义 Dart 对象。
- 从互联网获取数据。
- 从用户输入更新现有
title
。 - 更新并在屏幕上显示响应。
1. 添加 http
包
#要将 http
包添加为依赖项,请运行 flutter pub add
flutter pub add http
导入 http
包。
import 'package:http/http.dart' as http;
2. 使用 http
包更新互联网上的数据
#本食谱介绍如何使用 JSONPlaceholder 的 http.put()
方法更新专辑标题。
Future<http.Response> updateAlbum(String title) {
return http.put(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
}
http.put()
方法返回一个包含 Response
的 Future
。
Future
是 Dart 用于处理异步操作的核心类。Future
对象表示未来某个时间点可用的潜在值或错误。http.Response
类包含从成功 HTTP 调用接收到的数据。updateAlbum()
方法接受一个参数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
#现在,使用以下步骤更新 updateAlbum()
函数以返回 Future<Album>
- 使用
dart:convert
包将响应主体转换为 JSONMap
。 - 如果服务器返回状态码为 200 的
UPDATED
响应,则使用fromJson()
工厂方法将 JSONMap
转换为Album
。 - 如果服务器没有返回状态码为 200 的
UPDATED
响应,则抛出异常。(即使在“404 未找到”服务器响应的情况下,也要抛出异常。不要返回null
。这在检查snapshot
中的数据时很重要,如下所示。)
Future<Album> updateAlbum(String title) async {
final response = await http.put(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 200 OK response,
// then throw an exception.
throw Exception('Failed to update album.');
}
}
太棒了!现在你已经拥有了一个更新专辑标题的函数。
4. 从互联网获取数据
#在更新数据之前,需要从互联网获取数据。有关完整示例,请参阅 获取数据 食谱。
Future<Album> fetchAlbum() async {
final response = await http.get(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 200 OK response,
// then throw an exception.
throw Exception('Failed to load album');
}
}
理想情况下,你将在 initState
中使用此方法设置 _futureAlbum
,以从互联网获取数据。
5. 从用户输入更新现有标题
#创建一个 TextField
用于输入标题,创建一个 ElevatedButton
用于更新服务器上的数据。还要定义一个 TextEditingController
用于从 TextField
读取用户输入。
按下 ElevatedButton
时,_futureAlbum
将设置为 updateAlbum()
方法返回的值。
Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Padding(
padding: const EdgeInsets.all(8),
child: TextField(
controller: _controller,
decoration: const InputDecoration(hintText: 'Enter Title'),
),
),
ElevatedButton(
onPressed: () {
setState(() {
_futureAlbum = updateAlbum(_controller.text);
});
},
child: const Text('Update Data'),
),
],
);
按下“更新数据”按钮时,网络请求会将 TextField
中的数据作为 PUT
请求发送到服务器。_futureAlbum
变量将在下一步中使用。
5. 在屏幕上显示响应
#要将数据显示在屏幕上,请使用 FutureBuilder
小部件。FutureBuilder
小部件随 Flutter 提供,可以轻松处理异步数据源。你必须提供两个参数
- 您想要使用的
Future
。在本例中,是updateAlbum()
函数返回的未来。 - 一个
builder
函数,它告诉 Flutter 根据Future
的状态渲染什么:加载、成功或错误。
请注意,snapshot.hasData
仅在快照包含非空数据值时才返回 true
。这就是为什么即使在“404 未找到”服务器响应的情况下,updateAlbum
函数也应该抛出异常。如果 updateAlbum
返回 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> fetchAlbum() async {
final response = await http.get(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 200 OK response,
// then throw an exception.
throw Exception('Failed to load album');
}
}
Future<Album> updateAlbum(String title) async {
final response = await http.put(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 200 OK response,
// then throw an exception.
throw Exception('Failed to update 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();
late Future<Album> _futureAlbum;
@override
void initState() {
super.initState();
_futureAlbum = fetchAlbum();
}
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Update Data Example',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: Scaffold(
appBar: AppBar(
title: const Text('Update Data Example'),
),
body: Container(
alignment: Alignment.center,
padding: const EdgeInsets.all(8),
child: FutureBuilder<Album>(
future: _futureAlbum,
builder: (context, snapshot) {
if (snapshot.connectionState == ConnectionState.done) {
if (snapshot.hasData) {
return Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(snapshot.data!.title),
TextField(
controller: _controller,
decoration: const InputDecoration(
hintText: 'Enter Title',
),
),
ElevatedButton(
onPressed: () {
setState(() {
_futureAlbum = updateAlbum(_controller.text);
});
},
child: const Text('Update Data'),
),
],
);
} else if (snapshot.hasError) {
return Text('${snapshot.error}');
}
}
return const CircularProgressIndicator();
},
),
),
),
);
}
}