Last Updated on 2021-03-16 by Clay
data:image/s3,"s3://crabby-images/41cbc/41cbc5c7be199cab7eea0ec98fbd6d526aae5049" alt=""
Introduction
When we developing an App, sometimes we need many page to switch to do many different works. An App with only one page is relatively rare.
So, today I will record how to navigate another page.
Navigator
Let's take a look at a simple sample code.
import 'package:flutter/material.dart';
void main() => runApp(Page01());
class Page01 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
appBar: AppBar(
title: Text('Page01'),
),
body: _Page01()
),
);
}
}
class _Page01 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return RaisedButton(
child: Text('Go to Page02'),
onPressed: () {Navigator.push(context, MaterialPageRoute(builder: (context) => Page02()));},
);
}
}
class Page02 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text('Page02'),
),
body: _Page02(),
);
}
}
class _Page02 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return Center(
child: Text('Page02'),
);
}
}
Output:
data:image/s3,"s3://crabby-images/7d922/7d9221c854938c700e0441f8a45c50188679cb8b" alt=""
Click the "Go to Page02" button.
data:image/s3,"s3://crabby-images/e8a2d/e8a2dc8f2255e20af19a5242063a26a36f07a436" alt=""
And then we come to the Page02! now if you click the back button, you will return back to the Page01.
data:image/s3,"s3://crabby-images/7e429/7e42975de1ca8d84fbe9c5043e0adeb5e08dbcb5" alt=""
Of course, different pages can also be implemented in this way.
Code explanation
import 'package:flutter/material.dart';
void main() => runApp(Page01());
To import the package or module you need, and set the entry point of our program.
class Page01 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
appBar: AppBar(
title: Text('Page01'),
),
body: _Page01()
),
);
}
}
- AppBar (You can pass it)
- body: _Page01()
class _Page01 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return RaisedButton(
child: Text('Go to Page02'),
onPressed: () {Navigator.push(context, MaterialPageRoute(builder: (context) => Page02()));},
);
}
}
We define a button and write the page that Navigator will go to in onPress().
class Page02 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text('Page02'),
),
body: _Page02(),
);
}
}
We define Page02().
class _Page02 extends StatelessWidget{
@override
Widget build(BuildContext context) {
return Center(
child: Text('Page02'),
);
}
}
_Page02() actually only defines a Text object, which is placed in the center of the screen and displays "Page02".
References
- https://flutter.dev/docs/reference/tutorials
- https://flutter.dev/docs/cookbook/navigation/navigation-basics