Fetch data from the internet
Instructions on how to make HTTP requests and parse responses.
Learn the MVVM architecture pattern and how to build HTTP requests with async/await.
What you'll accomplish
Steps
1
Introduction
Introduction
The overarching pattern that this tutorial implements is called Model-View-ViewModel or MVVM. MVVM is an architectural pattern used in client apps that separates your app into three layers:
- Model: Handles data operations.
- View: Displays the UI.
- ViewModel: Manages state and connects the two.
The core tenet of MVVM (and many other patterns) is separation of concerns. Managing state in separate classes (outside your UI widgets) makes your code more testable, reusable, and easier to maintain.
A single feature in your app contains each one of the MVVM components.
In this tutorial, in addition to Flutter widgets,
you'll create ArticleModel, ArticleViewModel, and
ArticleView.
2
Define the Model
Define the Model
The Model is the source-of-truth for your app's data and is responsible for low-level tasks such as making HTTP requests, caching data, or managing system resources such as used by a Flutter plugin. A model doesn't usually need to import Flutter libraries.
Create an empty ArticleModel class in your main.dart file:
class ArticleModel {
// Properties and methods will be added here.
}
3
Build the HTTP request
Build the HTTP request
Wikipedia provides a REST API that returns JSON data about articles. For this app, you'll use the endpoint that returns a random article summary.
https://en.wikipedia.org/api/rest_v1/page/random/summary
Add a method to fetch a random Wikipedia article summary:
class ArticleModel {
Future<Summary> getRandomArticleSummary() async {
final uri = Uri.https(
'en.wikipedia.org',
'/api/rest_v1/page/random/summary',
);
final response = await get(uri);
// TODO: Add error handling and JSON parsing.
}
}
Use the async and await keywords to handle asynchronous operations.
The async keyword marks a method as asynchronous, and
await waits for expressions that return a Future.
The Uri.https constructor safely builds URLs by
handling encoding and formatting.
This approach is more reliable than string concatenation,
especially when dealing with special characters or query parameters.
4
Handle network errors
Handle network errors
Always handle errors when making HTTP requests. A status code of 200 indicates success, while other codes indicate errors. If the status code isn't 200, the model throws an error for the UI to display to users.
class ArticleModel {
Future<Summary> getRandomArticleSummary() async {
final uri = Uri.https(
'en.wikipedia.org',
'/api/rest_v1/page/random/summary',
);
final response = await get(uri);
if (response.statusCode != 200) {
throw HttpException('Failed to update resource');
}
// TODO: Parse JSON and return Summary.
}
}
5
Parse JSON from Wikipedia
Parse JSON from Wikipedia
The Wikipedia API returns JSON
data that
you decode into a Summary class
Complete the getRandomArticleSummary method:
class ArticleModel {
Future<Summary> getRandomArticleSummary() async {
final uri = Uri.https(
'en.wikipedia.org',
'/api/rest_v1/page/random/summary',
);
final response = await get(uri);
if (response.statusCode != 200) {
throw HttpException('Failed to update resource');
}
return Summary.fromJson(jsonDecode(response.body));
}
}
The dartpedia package provides the Summary class.
If you're unfamiliar with JSON parsing,
check out the Getting started with Dart
tutorial.
6
Review
Review
What you accomplished
Here's a summary of what you built and learned in this lesson.Understood the MVVM architecture pattern
MVVM separates your app into Model (data operations), View (user interface), and ViewModel (state management). This separation of concerns makes your code more testable, reusable, and easier to maintain.
Built an HTTP request to fetch Wikipedia data
You created an ArticleModel class with a method that uses async and await
to fetch data from the Wikipedia API. To safely build the URLs for the requests, you used the Uri.https
constructor which handles encoding and special characters for you.
Handled errors and parsed JSON responses
You checked the HTTP status code to detect errors and used jsonDecode to parse the response body. Then to convert the raw JSON into a typed Dart object, you used the
Summary.fromJson named constructor.
7
Test yourself
Test yourself
HTTP Requests Quiz
1 / 2-
They make code run on a separate thread.
Not quite
Dart is single-threaded; async/await handles asynchronous operations without threads.
-
They mark a function as asynchronous and pause execution until a Future completes.
That's right!
The `async` keyword marks a function as asynchronous, and `await` pauses execution until the Future resolves.
-
They automatically cache the results of function calls.
Not quite
Caching requires separate implementation; async/await is for handling asynchronous operations.
-
They convert synchronous code to run in the background.
Not quite
They don't move code to the background; they manage asynchronous execution flow.
-
It makes the code shorter.
Not quite
Code length isn't the main benefit; proper encoding is.
-
It safely handles encoding and formatting, especially for special characters and query parameters.
That's right!
Uri.https properly encodes special characters and formats URLs, preventing common errors.
-
It's required by the http package.
Not quite
You can use strings, but Uri.https is safer and more reliable.
-
It automatically validates that the URL exists.
Not quite
Uri.https builds the URL; it doesn't check if the endpoint exists.
Unless stated otherwise, the documentation on this site reflects Flutter 3.38.6. Page last updated on 2026-1-14. View source or report an issue.