반응형
질문 제목:
Flutter 앱 화면에서 서버의 응답을 표시하는 방법은 무엇입니까?
질문 내용:
저는 Flutter를 처음 사용하며 서버의 응답을 화면에 표시하려고 합니다. 서버에서 주문 내역을 가져와서 내역 화면에 표시하려고 합니다. 어떻게 해야 합니까?
void getAllHistory() async {
http
.post(
Uri.parse(
'https://myurlblahblah'),
body: "{\"token\":\"admin_token\"}",
headers: headers)
.then((response) {
print('Response status: ${response.statusCode}');
print('Response body: ${response.body}');
}).catchError((error) {
print("Error: $error");
});
}
}
서버에 요청한 경험이 없어서 "인쇄" 외에는 표시하는 방법을 모르겠습니다.
class HistoryScreen extends StatelessWidget {
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: buildAppBar(),
body: BodyLayout(),
);
}
AppBar buildAppBar() {
return AppBar(
automaticallyImplyLeading: false,
title: Row(
children: [
BackButton(),
SizedBox(width: 15),
Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
"Orders history",
style: TextStyle(fontSize: 16),
),
],
)
],
),
);
}
}
PS "BodyLayout"은 목록 보기일 뿐인데 여기에 내 응답 코드를 붙여야 합니까? "History Screen"으로 전환할 때 모든 주문 내역을 받고 싶습니다. 코드 예제를 정말 고맙게 생각합니다.
해결 답변:
아래 코드를 시도해야 합니다.API 호출 기능
Future<Album> fetchPost() async {
String url =
'https://jsonplaceholder.typicode.com/albums/1';
var response = await http.get(Uri.parse(url), headers: {
'Content-Type': 'application/json',
'Accept': 'application/json',
});
if (response.statusCode == 200) {
// If the call to the server was successful, parse the JSON
return Album.fromJson(json
.decode(response.body));
} else {
// If that call was not successful, throw an error.
throw Exception('Failed to load post');
}
}
클래스 선언
class Album {
final int userId;
final int id;
final String title;
Album({
this.userId,
this.id,
this.title,
});
factory Album.fromJson(Map<String, dynamic> json) {
return Album(
userId: json['userId'],
id: json['id'],
title: json['title'],
);
}
}
아래와 같이 위젯을 선언합니다.
Center(
child: Padding(
padding: const EdgeInsets.all(16.0),
child: FutureBuilder<Album>(
future: fetchPost(),
builder: (context, snapshot) {
if (snapshot.hasData) {
return Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
ListTile(
leading: Icon(Icons.person_outlined),
title: Text(snapshot.data.title),
),
ListTile(
leading: Icon(Icons.email),
title: Text(snapshot.data.userId.toString()),
),
ListTile(
leading: Icon(Icons.phone),
title: Text(snapshot.data.id.toString()),
),
],
);
} else if (snapshot.hasError) {
return Text("${snapshot.error}");
}
return CircularProgressIndicator();
},
),
),
),
반응형
'expert' 카테고리의 다른 글
정의되지 않은 클래스 'FirebaseUser' (0) | 2023.01.24 |
---|---|
Dart null-safety로 마이그레이션한 후 "수신자가 null일 수 있기 때문에 연산자를 무조건적으로 호출할 수 없습니다" 오류 (0) | 2023.01.24 |
NoSuchMethod 오류란 무엇이며 어떻게 수정합니까? (0) | 2023.01.24 |
Flutter를 사용하여 서버 API의 데이터가 Listview에 표시되지 않습니다. (0) | 2023.01.24 |
원치 않는 위젯 빌드를 처리하는 방법은 무엇입니까? (0) | 2023.01.24 |
댓글