<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
TabBarView 是 Material 元件庫中提供了 Tab 佈局元件,通常和 TabBar 配合使用。
TabBarView 封裝了 PageView,它的構造方法:
TabBarView({ Key? key, required this.children, // tab 頁 this.controller, // TabController this.physics, this.dragStartBehavior = DragStartBehavior.start, })
TabController 用於監聽和控制 TabBarView 的頁面切換,通常和 TabBar 聯動。如果沒有指定,則會在元件樹中向上查詢並使用最近的一個 DefaultTabController
。
TabBar 為 TabBarView 的導航標題,如下圖所示
TabBar 有很多設定引數,通過這些引數我們可以定義 TabBar 的樣式,很多屬性都是在設定 indicator 和 label,拿上圖來舉例,Label 是每個Tab 的文字,indicator 指 “新聞” 下面的白色下劃線。
const TabBar({ Key? key, required this.tabs, // 具體的 Tabs,需要我們建立 this.controller, this.isScrollable = false, // 是否可以滑動 this.padding, this.indicatorColor,// 指示器顏色,預設是高度為2的一條下劃線 this.automaticIndicatorColorAdjustment = true, this.indicatorWeight = 2.0,// 指示器高度 this.indicatorPadding = EdgeInsets.zero, //指示器padding this.indicator, // 指示器 this.indicatorSize, // 指示器長度,有兩個可選值,一個tab的長度,一個是label長度 this.labelColor, this.labelStyle, this.labelPadding, this.unselectedLabelColor, this.unselectedLabelStyle, this.mouseCursor, this.onTap, ... })
TabBar
通常位於 AppBar
的底部,它也可以接收一個 TabController
,如果需要和 TabBarView
聯動, TabBar
和 TabBarView
使用同一個 TabController
即可,注意,聯動時 TabBar
和 TabBarView
的孩子數量需要一致。如果沒有指定 controller
,則會在元件樹中向上查詢並使用最近的一個 DefaultTabController
。另外我們需要建立需要的 tab 並通過 tabs 傳給 TabBar
, tab 可以是任何 Widget,不過Material 元件庫中已經實現了一個 Tab 元件,我們一般都會直接使用它:
const Tab({ Key? key, this.text, //文字 this.icon, // 圖示 this.iconMargin = const EdgeInsets.only(bottom: 10.0), this.height, this.child, // 自定義 widget })
注意,text
和 child
是互斥的,不能同時制定。
全部程式碼:
import 'package:flutter/material.dart'; /// @Author wywinstonwy /// @Date 2022/1/18 9:09 上午 /// @Description: class MyTabbarView1 extends StatefulWidget { const MyTabbarView1({Key? key}) : super(key: key); @override _MyTabbarView1State createState() => _MyTabbarView1State(); } class _MyTabbarView1State extends State<MyTabbarView1>with SingleTickerProviderStateMixin { List<String> tabs =['頭條','新車','導購','小視訊','改裝賽事']; late TabController tabController; @override void initState() { // TODO: implement initState super.initState(); tabController = TabController(length: tabs.length, vsync: this); } @override void dispose() { tabController.dispose(); super.dispose(); } @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: Text('TabbarView',textAlign: TextAlign.center,), bottom:TabBar( unselectedLabelColor: Colors.white.withOpacity(0.5), labelColor: Colors.white, // indicatorSize:TabBarIndicatorSize.label, indicator:const UnderlineTabIndicator(), controller: tabController, tabs: tabs.map((e){ return Tab(text: e,); }).toList()) , ), body: Column( children: [ Expanded( flex: 1, child: TabBarView( controller: tabController, children: tabs.map((e){ return Center(child: Text(e,style: TextStyle(fontSize: 50),),); }).toList()),) ],), ); } }
執行效果:
滑動頁面時頂部的 Tab 也會跟著動,點選頂部 Tab 時頁面也會跟著切換。為了實現 TabBar 和 TabBarView 的聯動,我們顯式建立了一個 TabController,由於 TabController 又需要一個 TickerProvider (vsync 引數), 我們又混入了 SingleTickerProviderStateMixin;
由於 TabController 中會執行動畫,持有一些資源,所以我們在頁面銷燬時必須得釋放資源(dispose)。綜上,我們發現建立 TabController 的過程還是比較複雜,實戰中,如果需要 TabBar 和 TabBarView 聯動,通常會建立一個 DefaultTabController 作為它們共同的父級元件,這樣它們在執行時就會從元件樹向上查詢,都會使用我們指定的這個 DefaultTabController。
我們修改後的實現如下:
class TabViewRoute2 extends StatelessWidget { @override Widget build(BuildContext context) { List tabs = ["新聞", "歷史", "圖片"]; return DefaultTabController( length: tabs.length, child: Scaffold( appBar: AppBar( title: Text("App Name"), bottom: TabBar( tabs: tabs.map((e) => Tab(text: e)).toList(), ), ), body: TabBarView( //構建 children: tabs.map((e) { return KeepAliveWrapper( child: Container( alignment: Alignment.center, child: Text(e, textScaleFactor: 5), ), ); }).toList(), ), ), ); } }
可以看到我們無需去手動管理 Controller 的生命週期,也不需要提供 SingleTickerProviderStateMixin,同時也沒有其它的狀態需要管理,也就不需要用 StatefulWidget 了,這樣簡單很多。
實現導航資訊流切換效果並快取前面資料:
import 'package:flutter/material.dart'; import 'package:qctt_flutter/constant/colors_definition.dart'; enum SearchBarType { home, normal, homeLight } class SearchBar extends StatefulWidget { final SearchBarType searchBarType; final String hint; final String defaultText; final void Function()? inputBoxClick; final void Function()? cancelClick; final ValueChanged<String>? onChanged; SearchBar( {this.searchBarType = SearchBarType.normal, this.hint = '搜一搜你感興趣的內容', this.defaultText = '', this.inputBoxClick, this.cancelClick, this.onChanged}); @override _SearchBarState createState() => _SearchBarState(); } class _SearchBarState extends State<SearchBar> { @override Widget build(BuildContext context) { return Container( color: Colors.white, height: 74, child: searchBarView, ); } Widget get searchBarView { if (widget.searchBarType == SearchBarType.normal) { return _genNormalSearch; } return _homeSearchBar; } Widget get _genNormalSearch { return Container( color: Colors.white, padding: EdgeInsets.only(top: 40, left: 20, right: 60, bottom: 5), child: Container( height: 30, decoration: BoxDecoration( borderRadius: BorderRadius.circular(6), color: Colors.grey.withOpacity(0.5)), padding: EdgeInsets.only(left: 5, right: 5), child: Row( children: [ const Icon( Icons.search, color: Colors.grey, size: 24, ), Container(child: _inputBox), const Icon( Icons.clear, color: Colors.grey, size: 24, ) ], ), ),); } //可編輯輸入框 Widget get _homeSearchBar{ return Container( padding: EdgeInsets.only(top: 40, left: 20, right: 40, bottom: 5), decoration: BoxDecoration(gradient: LinearGradient( colors: [mainColor,mainColor.withOpacity(0.2)], begin:Alignment.topCenter, end: Alignment.bottomCenter )), child: Container( height: 30, decoration: BoxDecoration( borderRadius: BorderRadius.circular(6), color: Colors.grey.withOpacity(0.5)), padding: EdgeInsets.only(left: 5, right: 5), child: Row( children: [ const Icon( Icons.search, color: Colors.grey, size: 24, ), Container(child: _inputBox), ], ), ),); } //構建文字輸入框 Widget get _inputBox { return Expanded( child: TextField( style: const TextStyle( fontSize: 18.0, color: Colors.black, fontWeight: FontWeight.w300), decoration: InputDecoration( // contentPadding: EdgeInsets.fromLTRB(1, 3, 1, 3), // contentPadding: EdgeInsets.only(bottom: 0), contentPadding: const EdgeInsets.symmetric(vertical: 0, horizontal: 12), border: InputBorder.none, hintText: widget.hint, hintStyle: TextStyle(fontSize: 15), enabledBorder: const OutlineInputBorder( // borderSide: BorderSide(color: Color(0xFFDCDFE6)), borderSide: BorderSide(color: Colors.transparent), borderRadius: BorderRadius.all(Radius.circular(4.0)), ), focusedBorder: const OutlineInputBorder( borderRadius: BorderRadius.all(Radius.circular(8)), borderSide: BorderSide(color: Colors.transparent))), ), ); ; } }
通常一個應該會出現多出輸入框,但是每個地方的輸入框樣式和按鈕功能型別會有一定的區別,可以通過初始化傳參的方式進行區分。如上面事例中enum SearchBarType { home, normal, homeLight }
列舉每個功能頁面出現SearchBar的樣式和響應事件。
//導航tabar 關注 頭條 新車 ,,。 _buildTabBar() { return TabBar( controller: _controller, isScrollable: true,//是否可捲動 labelColor: Colors.black,//文字顏色 labelPadding: const EdgeInsets.fromLTRB(20, 0, 10, 5), //下劃線樣式設定 indicator: const UnderlineTabIndicator( borderSide: BorderSide(color: Color(0xff2fcfbb), width: 3), insets: EdgeInsets.fromLTRB(0, 0, 0, 10), ), tabs: tabs.map<Tab>((HomeChannelModel model) { return Tab( text: model.name, ); }).toList()); }
因為Tabbar需要和TabBarView
進行聯動,需要定義一個TabController
進行繫結
//TabBarView容器 資訊流列表 _buildTabBarPageView() { return KeepAliveWrapper(child:Expanded( flex: 1, child: Container( color: Colors.grey.withOpacity(0.3), child: TabBarView( controller: _controller, children: _buildItems(), ), ))); }
底部內容結構包含輪播圖左右切換,資訊流上下捲動,下拉重新整理,上拉載入更多、重新整理元件用到SmartRefresher
,輪播圖和資訊流需要拼接,需要用CustomScrollView
。
程式碼如下:
_buildRefreshView() { //重新整理元件 return SmartRefresher( controller: _refreshController, enablePullDown: true, enablePullUp: true, onLoading: () async { page++; print('onLoading $page'); //載入頻道資料 widget.homeChannelModel.termId == 0 ? _getTTHomeNews() : _getHomeNews(); }, onRefresh: () async { page = 1; print('onRefresh $page'); //載入頻道資料 widget.homeChannelModel.termId == 0 ? _getTTHomeNews() : _getHomeNews(); }, //下拉頭部UI樣式 header: const WaterDropHeader( idleIcon: Icon( Icons.car_repair, color: Colors.blue, size: 30, ), ), //上拉底部UI樣式 footer: CustomFooter( builder: (BuildContext context, LoadStatus? mode) { Widget body; if (mode == LoadStatus.idle) { body = const Text("pull up load"); } else if (mode == LoadStatus.loading) { body = const CupertinoActivityIndicator(); } else if (mode == LoadStatus.failed) { body = const Text("Load Failed!Click retry!"); } else if (mode == LoadStatus.canLoading) { body = const Text("release to load more"); } else { body = const Text("No more Data"); } return Container( height: 55.0, child: Center(child: body), ); }, ), //customScrollview拼接輪播圖和資訊流。 child: CustomScrollView( slivers: [ SliverToBoxAdapter( child: _buildFutureScroll() ), SliverList( delegate: SliverChildBuilderDelegate((content, index) { NewsModel newsModel = newsList[index]; return _buildChannelItems(newsModel); }, childCount: newsList.length), ) ], ), ); }
輪播圖單獨封裝SwiperView小元件
//首頁焦點輪播圖資料獲取 _buildFutureScroll(){ return FutureBuilder( future: _getHomeFocus(), builder: (BuildContext context, AsyncSnapshot<FocusDataModel> snapshot){ print('輪播圖資料載入 ${snapshot.connectionState} 對應資料:${snapshot.data}'); Container widget; switch(snapshot.connectionState){ case ConnectionState.done: if(snapshot.data != null){ widget = snapshot.data!.focusList!.isNotEmpty?Container( height: 200, width: MediaQuery.of(context).size.width, child: SwiperView(snapshot.data!.focusList!, MediaQuery.of(context).size.width), ):Container(); }else{ widget = Container(); } break; case ConnectionState.waiting: widget = Container(); break; case ConnectionState.none: widget = Container(); break; default : widget = Container(); break; } return widget; }); }
輪播圖元件封裝,整體基於第三方flutter_swiper_tv
import "package:flutter/material.dart"; import 'package:flutter_swiper_tv/flutter_swiper.dart'; import 'package:qctt_flutter/http/api.dart'; import 'package:qctt_flutter/models/home_channel.dart'; import 'package:qctt_flutter/models/home_focus_model.dart'; class SwiperView extends StatelessWidget { // const SwiperView({Key? key}) : super(key: key); final double width; final List<FocusItemModel> items; const SwiperView(this.items,this.width,{Key? key}) : super(key: key); @override Widget build(BuildContext context) { return Swiper( itemCount: items.length, itemWidth: width, containerWidth: width, itemBuilder: (BuildContext context,int index){ FocusItemModel focusItemModel = items[index]; return Stack(children: [ Container(child:Image.network(focusItemModel.picUrlList![0],fit: BoxFit.fitWidth,width: width,)) ], ); }, pagination: const SwiperPagination(), // control: const SwiperControl(), ); } }
資訊流比較多,每條資訊流樣式各一,具體要根據伺服器端返回的資料進行判定。如本專案不至於22種樣式,
_buildChannelItems(NewsModel model) { //0,無圖,1單張小圖 3、三張小圖 4.大圖推廣 5.小圖推廣 6.專題(統一大圖) // 8.視訊小圖,9.視訊大圖 ,,11.banner廣告,12.車展, // 14、視訊直播 15、直播回放 16、微頭條無圖 17、微頭條一圖 // 18、微頭條二圖以上 19分組小視訊 20單個小視訊 22 文章摺疊卡片(關注頻道) switch (model.style) { case '1': return GestureDetector( child: OnePicArticleView(model), onTap: ()=>_jumpToPage(model), ); case '3': return GestureDetector( child: ThreePicArticleView(model), onTap: ()=>_jumpToPage(model), ); case '4': return GestureDetector( child: AdBigPicView(newsModel: model,), onTap: ()=>_jumpToPage(model),) ; case '9': return GestureDetector( child: Container( padding: const EdgeInsets.only(left: 10, right: 10), child: VideoBigPicView(model), ), onTap: ()=>_jumpToPage(model), ); case '15': return GestureDetector( child: Container( width: double.infinity, padding: const EdgeInsets.only(left: 10, right: 10), child: LiveItemView(model), ), onTap: ()=>_jumpToPage(model), ); case '16'://16、微頭條無圖 return GestureDetector( child: Container( width: double.infinity, padding: const EdgeInsets.only(left: 10, right: 10), child: WTTImageView(model), ), onTap: ()=>_jumpToPage(model), ); case '17'://17、微頭條一圖 return GestureDetector( child: Container( width: double.infinity, padding: const EdgeInsets.only(left: 10, right: 10), child: WTTImageView(model), ), onTap:()=> _jumpToPage(model), ); case '18'://18、微頭條二圖以上 //18、微頭條二圖以上 return GestureDetector( child: Container( width: double.infinity, padding: const EdgeInsets.only(left: 10, right: 10), child: WTTImageView(model), ), onTap: ()=>_jumpToPage(model), ); case '19': //19分組小視訊 return Container( width: double.infinity, padding: const EdgeInsets.only(left: 10, right: 10), child: SmallVideoGroupView(model.videoList), ); case '20': //20小視訊 左上方帶有藍色小視訊標記 return Container( padding: const EdgeInsets.only(left: 10, right: 10), child: VideoBigPicView(model), ); default: return Container( height: 20, color: Colors.blue, ); } }
每種樣式需要單獨封裝Cell元件檢視。
通過_buildChannelItems(NewsModel model)
方法返回的是單獨的Cell檢視,需要提交給對應的list進行組裝:
SliverList( delegate: SliverChildBuilderDelegate((content, index) { NewsModel newsModel = newsList[index]; return _buildChannelItems(newsModel); }, childCount: newsList.length), )
這樣整個App首頁的大體結構就完成了,包含App頂部搜尋,基於Tabbar的頭部頻道導航。TabbarView頭部導航聯動。CustomScrollView
對輪播圖資訊流進行拼接,等。網路資料是基於Dio進行了簡單封裝,具體不在這裡細說。具體介面涉及隱私,不展示。
至於底部BottomNavigationBar
會在後續元件介紹的時候詳細介紹到。
本章主要介紹了TabBarView的基本用法以及實際複雜專案中TabBarView的組合使用場景,更多關於Flutter TabBarView元件的資料請關注it145.com其它相關文章!
相關文章
<em>Mac</em>Book项目 2009年学校开始实施<em>Mac</em>Book项目,所有师生配备一本<em>Mac</em>Book,并同步更新了校园无线网络。学校每周进行电脑技术更新,每月发送技术支持资料,极大改变了教学及学习方式。因此2011
2021-06-01 09:32:01
综合看Anker超能充系列的性价比很高,并且与不仅和iPhone12/苹果<em>Mac</em>Book很配,而且适合多设备充电需求的日常使用或差旅场景,不管是安卓还是Switch同样也能用得上它,希望这次分享能给准备购入充电器的小伙伴们有所
2021-06-01 09:31:42
除了L4WUDU与吴亦凡已经多次共事,成为了明面上的厂牌成员,吴亦凡还曾带领20XXCLUB全队参加2020年的一场音乐节,这也是20XXCLUB首次全员合照,王嗣尧Turbo、陈彦希Regi、<em>Mac</em> Ova Seas、林渝植等人全部出场。然而让
2021-06-01 09:31:34
目前应用IPFS的机构:1 谷歌<em>浏览器</em>支持IPFS分布式协议 2 万维网 (历史档案博物馆)数据库 3 火狐<em>浏览器</em>支持 IPFS分布式协议 4 EOS 等数字货币数据存储 5 美国国会图书馆,历史资料永久保存在 IPFS 6 加
2021-06-01 09:31:24
开拓者的车机是兼容苹果和<em>安卓</em>,虽然我不怎么用,但确实兼顾了我家人的很多需求:副驾的门板还配有解锁开关,有的时候老婆开车,下车的时候偶尔会忘记解锁,我在副驾驶可以自己开门:第二排设计很好,不仅配置了一个很大的
2021-06-01 09:30:48
不仅是<em>安卓</em>手机,苹果手机的降价力度也是前所未有了,iPhone12也“跳水价”了,发布价是6799元,如今已经跌至5308元,降价幅度超过1400元,最新定价确认了。iPhone12是苹果首款5G手机,同时也是全球首款5nm芯片的智能机,它
2021-06-01 09:30:45