自从我昨天开始在我的项目上编码以来,我也面临着同样的问题,该项目的一部分是从给定的API中获取一些json数据。
我的API链接是:http://alkadhum-col.edu.iq/wp-json/wp/v2/posts?_embed
我正在使用flutter SDK,我很困惑为什么它不能和我一起工作!,我的工作是只获取链接,标题和source_url对象,但我无法获取它。
我在Flutter文档中尝试了以下代码
https://flutter.dev/docs/cookbook/networking/fetch-data和一些修改后,根据我的需要没有得到任何数据.
import 'dart:async';
import 'dart:convert';
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
Future<Post> fetchPost() async {
final response =
await http.get('http://alkadhum-col.edu.iq/wp-json/wp/v2/posts/');
if (response.statusCode == 200) {
// If the call to the server was successful, parse the JSON
return Post.fromJson(json.decode(response.body));
} else {
// If that call was not successful, throw an error.
throw Exception('Failed to load post');
}
}
class Post {
final int id;
String title;
String link;
Post({this.id, this.title, this.link});
factory Post.fromJson(Map<String, dynamic> json) {
return Post(
id: json['id'],
title: json['title'].toString(),
link: json['link'].toString()
);
}
}
void main() => runApp(MyApp(post: fetchPost()));
class MyApp extends StatelessWidget {
final Future<Post> post;
MyApp({Key key, this.post}) : super(key: key);
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Fetch Data Example',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: Scaffold(
appBar: AppBar(
title: Text('Fetch Data Example'),
),
body: Center(
child: FutureBuilder<Post>(
future: post,
builder: (context, snapshot) {
if (snapshot.hasData) {
return Text(snapshot.data.link);
} else if (snapshot.hasError) {
return Text("${snapshot.error}");
}
// By default, show a loading spinner
return CircularProgressIndicator();
},
),
),
),
);
}
}
我只收到下面的留言:
Type List dynamic不是Map String,dynamic类型的子类型
任何帮助将不胜感激。
先谢谢你了。
5条答案
按热度按时间mznpcxlj1#
您的JSON响应类型为
List<dynamic>
,但您正在接收Map String, dynamic
中的响应,但您可以执行以下操作Bean类
jrcvhitl2#
你需要改变你的类。你需要根据JSON响应创建你的类结构。
然后,在你的API方法中。作为响应,你得到的是一个JSON数组。所以,把它放在一个列表中,并把响应转换成你的JSON类。
你可以使用像https://javiercbk.github.io/json_to_dart/这样的工具来从复杂的JSON创建Dart类,这样可以节省很多时间。
cx6n0qe33#
你可以使用Flutter中的http包向API端点发出HTTP GET请求,然后使用dart:convert库的
jsonDecode
函数解析JSON响应。下面是一个例子:w8rqjzmb4#
试试下面的代码:
xfb7svmp5#