flutter模仿boss直聘客户端效果

2023-10-14 03:59

本文主要是介绍flutter模仿boss直聘客户端效果,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

效果图:

WX20200426-183846.png

WX20200426-183920.png

WX20200426-183935.png

WX20200426-183947.png

WX20200426-183956.png

前言:

各位同学大家好 boss直聘APP相信大家都用过吧, 今天给大家带来一个开源项目模仿了boss直聘中的一些经典页面的实现 希望能帮助到各位flutter。原生安卓 iOS 实现都比较的简单我这里就不展开讲,今天主要讲解flutter版本如何实现 废话不多说我正式开始 。

准备工作:

安装flutter环境 如果只是跑安卓设备 win系统就行了 要是同时运行安卓和iOS 就需要mac电脑了 配置环境变量这边就不展开讲了大家可以看我之前的文章
###需要用到的三方库
dio: ^3.0.9 网络请求库
toast: ^0.1.5 toast 库
flutter_swiper: ^1.1.6 轮播图库

具体代码实现

1欢迎页面就做了一个3秒的倒计时然后跳转到首页

import 'dart:async';
import 'package:flutter/material.dart';
import 'routes/Routes.dart';/*** 创建人:xuqing* 创建时间:2020年3月28日20:34:48* * */void main() => runApp(new App());class App extends StatelessWidget {@overrideWidget build(BuildContext context) {return new MaterialApp(onGenerateRoute:onGenerateRoute,theme: new ThemeData(primaryIconTheme: const IconThemeData(color: Colors.white),brightness: Brightness.light,primaryColor: new Color.fromARGB(255, 0, 215, 198),accentColor: Colors.cyan[300],),home: Scaffold(body:   MainPage(),)// home: new MainPage(title: 'Boss直聘'),);}
}class MainPage extends StatefulWidget {MainPage({Key key}) : super(key: key);@override_MainPageState createState() {return _MainPageState();}
}class _MainPageState extends State<MainPage> {@overridevoid initState() {super.initState();int count = 0;const period = const Duration(seconds: 1);print('currentTime='+DateTime.now().toString());Timer.periodic(period, (timer) {//到时回调print('afterTimer='+DateTime.now().toString());count++;if (count >= 3) {//取消定时器,避免无限回调timer.cancel();timer = null;toLoing();}});}@overridevoid dispose() {super.dispose();}void  toLoing()async{//Navigator.pushNamed(context, "/my");Navigator.of(context).pushNamedAndRemoveUntil("/my", ModalRoute.withName("/my"));}@overrideWidget build(BuildContext context) {// TODO: implement buildreturn Container(color: Colors.green,child: Center(child: Text("BOSS 直聘",style: TextStyle(fontSize: 30,color: Colors.white),),),);}}

这里的跳转我们要用

  Navigator.of(context).pushNamedAndRemoveUntil("/my", ModalRoute.withName("/my"));

这种路由跳转来清除所有的 widget 这样我们在回退到主页再次点击返回键就能退出正app

然后是主页的代码的实现

import 'package:flutter/material.dart';
import 'pages/chat_page.dart';
import 'pages/company_page.dart';
import 'pages/mine_page.dart';
import 'pages/job_page.dart';
import 'layout_type.dart';class My extends StatefulWidget {My({Key key, this.title}) : super(key: key);final String title;@override_MyState createState() => new _MyState();
}class _MyState extends State<My> {LayoutType _layoutSelection = LayoutType.job;Color _colorTabMatching({LayoutType layoutSelection}) {return _layoutSelection == layoutSelection ? Colors.cyan[300] : Colors.grey;}BottomNavigationBarItem _buildItem({String icon, LayoutType layoutSelection}) {String text = layoutName(layoutSelection);return BottomNavigationBarItem(icon: new Image.asset(icon,width: 35.0,height: 35.0,),title: Text(text,style: TextStyle(color: _colorTabMatching(layoutSelection: layoutSelection),),),);}Widget _buildButtonNavBar() {return BottomNavigationBar(type: BottomNavigationBarType.fixed,items: [_buildItem(icon: _layoutSelection == LayoutType.job? "images/ic_main_tab_find_pre.png": "images/ic_main_tab_find_nor.png",layoutSelection: LayoutType.job),_buildItem(icon: _layoutSelection == LayoutType.company? "images/ic_main_tab_company_pre.png": "images/ic_main_tab_company_nor.png",layoutSelection: LayoutType.company),_buildItem(icon: _layoutSelection == LayoutType.chat? "images/ic_main_tab_contacts_pre.png": "images/ic_main_tab_contacts_nor.png",layoutSelection: LayoutType.chat),_buildItem(icon: _layoutSelection == LayoutType.mine? "images/ic_main_tab_my_pre.png": "images/ic_main_tab_my_nor.png",layoutSelection: LayoutType.mine),],onTap: _onSelectTab,);}void _onLayoutSelected(LayoutType selection) {setState(() {_layoutSelection = selection;});}void _onSelectTab(int index) {switch (index) {case 0:_onLayoutSelected(LayoutType.job);break;case 1:_onLayoutSelected(LayoutType.company);break;case 2:_onLayoutSelected(LayoutType.chat);break;case 3:_onLayoutSelected(LayoutType.mine);break;}}Widget _buildBody() {LayoutType layoutSelection = _layoutSelection;switch (layoutSelection) {case LayoutType.job:return JobPage();case LayoutType.company:return CompanyPage();case LayoutType.chat:return ChatPage();case LayoutType.mine:return MinePage();}}@overrideWidget build(BuildContext context) {return new Scaffold(body: _buildBody(),bottomNavigationBar: _buildButtonNavBar(),);}
}

我们通过 BottomNavigationBar 来做底部的tab的切换 图片资源存放在assets 下面的images 目录下(没有此目录需要自己创建)
QQ20200428-115512.png

在body组件这里来添加对应的要显示的widget (包括首页 职位 公司 消息 我的 )

  Widget _buildBody() {LayoutType layoutSelection = _layoutSelection;switch (layoutSelection) {case LayoutType.job:return JobPage();case LayoutType.company:return CompanyPage();case LayoutType.chat:return ChatPage();case LayoutType.mine:return MinePage();}}@overrideWidget build(BuildContext context) {return new Scaffold(body: _buildBody(),bottomNavigationBar: _buildButtonNavBar(),);}
}

到此就实现了主要的tab切换 和widget 页面的加载
然后我们对各个页面你的widget 的UI布局和数据获取的的实现进行讲解说明
职位模块 具体代码实现


import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
import '../bean/positioninfo.dart';
import '../network/servicepath.dart';
import '../utils/ToastUtil.dart';
/***
*
* 创建人:xuqing
* 创建时间:2020年3月9日00:40:10
* 类说明:职位
*
*/
class JobPage extends StatefulWidget {JobPage({Key key}) : super(key: key);@override_JobPageState createState() {return _JobPageState();}
}
class _JobPageState extends State<JobPage> {List  _getdata=[];Data  data=null ;@overridevoid initState() {super.initState();getInfo();}@overridevoid dispose() {super.dispose();}void   getInfo() async {getPositionInfo().then((value){setState(() {PositionInfo positionInfo=value;String  msg=positionInfo.msg;int code =positionInfo.code;if(code==200){_getdata=positionInfo.data;print(_getdata);ToastUtil.showinfo(context, msg);}else{ToastUtil.showinfo(context, msg);}});});}@overrideWidget build(BuildContext context) {// TODO: implement buildreturn  Scaffold(appBar: AppBar(title: Text("职位",style:TextStyle(color: Colors.white,fontSize: 20),),centerTitle: true,),body: Container(child: new ListView.builder(itemCount: (_getdata == null) ? 0 : _getdata.length,itemBuilder: (BuildContext context , int position){/* data=_getdata[position];return  JobList(data);*/return getItem(position);//getItem(position);}),),);}Widget  getItem(int index){data=_getdata[index];return  new Padding(padding: EdgeInsets.only(top: 3.0,left: 5.0,right: 5.0,bottom: 3.0),child: new SizedBox(child: Card(elevation: 0.0,child: Row(crossAxisAlignment: CrossAxisAlignment.start,children: <Widget>[new Expanded(child: new Column(crossAxisAlignment: CrossAxisAlignment.start,mainAxisSize: MainAxisSize.min,children: <Widget>[new  Row(children: <Widget>[new Padding(padding: EdgeInsets.only(top: 10.0,left: 10.0,bottom: 5.0),child: new Text(data.name),),new Expanded(child:Column(crossAxisAlignment: CrossAxisAlignment.end,children: <Widget>[new Padding(padding: EdgeInsets.only(right: 10.0),child:  Text(data.salary,style: TextStyle(color: Colors.red),),)],)),],),new Container(child: new Text(data.name+data.size,textAlign: TextAlign.left,style: new TextStyle(fontSize: 20.0,color: Colors.grey),),margin: EdgeInsets.only(top: 5.0,left: 10.0,bottom: 5.0),),new  Divider(),new Row(children: <Widget>[new Padding(padding: EdgeInsets.only(top: 5.0,left: 10.0,right: 5.0,bottom: 15.0,),child: new Text(data.username+"|"+data.title,style: TextStyle(color: new Color.fromARGB(255, 0, 215, 198)),),)],)],)),],),),),);}
}

主要实现就是listview列表组件加载item item里面是嵌套了Card 组件在在外层里面分别人在用Row组件嵌套
Column 组件来实现这个item的布局

网络请求的封装

import 'package:bosszhiping_tab/bean/messageinfo.dart';
import 'package:dio/dio.dart';
import '../config/api.dart';
import '../bean/positioninfo.dart';
import '../bean/companyinfo.dart';
import '../bean/companydetails.dart';
import '../bean/back_info.dart';
/***  获取主页数据***/
Future   getPositionInfo()async{try{Dio  dio=new Dio();Response res= await dio.get(Api.POSITIONINFO);PositionInfo positionInfo=PositionInfo.fromJson(res.data);print(res.data.toString());return positionInfo;}catch(e){return print(e);}
}
/*** 获取消息数据***/
Future getmessageinfo() async{try{Dio dio=new Dio();Response response=await dio.get(Api.MESSAGEINFO);MessageInfo messageInfo=MessageInfo.fromJson(response.data);print(response.data.toString());return messageInfo;}catch(e){return print(e);}
}/**** 获取公司信息数据**/
Future getcompanyInfo()async{try{Dio dio=new Dio();Response response=await dio.get(Api.COMPANY_INFO);Company companyInfo=Company.fromJson(response.data);print(response.data.toString());return companyInfo;}catch(e){return print(e);}
}
/***** 公司详细信息***/
Future  getcomanydetails(var data)async{try{Dio dio=new Dio();Response response=await dio.get(Api.COMPAN_DETAILS,queryParameters: data);print("comdetails  ----- >   "+response.data.toString());Comdetails  comdetails=Comdetails.fromJson(response.data);return comdetails;}catch(e){print(e);}
}/***** 提交职位信息**/
Future  addPositionInfo(var data)async{try{Dio dio=new Dio();Response response=await dio.post(Api.ADD_POSITION_INFO,queryParameters: data);print(response.data);BackInfo  backInfo=BackInfo.fromJson(response.data);return backInfo;}catch(e){print(e);}
}

网络请求方法的调用

void initState() {super.initState();getInfo();}@overridevoid dispose() {super.dispose();}void   getInfo() async {getPositionInfo().then((value){setState(() {PositionInfo positionInfo=value;String  msg=positionInfo.msg;int code =positionInfo.code;if(code==200){_getdata=positionInfo.data;print(_getdata);ToastUtil.showinfo(context, msg);}else{ToastUtil.showinfo(context, msg);}});});}

然后我们刷新数据 显示在listview的item组件里面的就OK了
剩下的一些界面我就把代码贴出来给大家看看篇幅是太长了
公司模块 具体代码实现

import 'package:flutter/material.dart';
import '../bean/companyinfo.dart';
import '../network/servicepath.dart';
import '../utils/ToastUtil.dart';
import 'company/company_details.dart';
/**** 创建人:xuqing* 创建时间:* 类说明:公司信息****/
class CompanyPage extends StatefulWidget {CompanyPage({Key key}) : super(key: key);@override_CompanyPageState createState() {return _CompanyPageState();}
}
class _CompanyPageState extends State<CompanyPage> {List getdata;Data  _data=null;@overridevoid initState() {super.initState();getcompanyinfo();}void   getcompanyinfo(){getcompanyInfo().then((value){setState(() {Company company=value;String  msg=company.msg;int code=company.code;if(code==200){getdata=company.data;ToastUtil.showinfo(context, msg);}else{ToastUtil.showinfo(context, msg);}});});}@overridevoid dispose() {super.dispose();}@overrideWidget build(BuildContext context) {// TODO: implement buildreturn Scaffold(appBar: AppBar(title: Text("公司",style:TextStyle(color: Colors.white,fontSize: 20),),centerTitle: true,),body: Container(child: ListView.builder(//itemCount: 3,itemCount: (getdata==null)?0:getdata.length,itemBuilder: (BuildContext context, int position){return  getItem(position);}),),);}//公司信息 item 布局Widget  getItem(int index){_data =getdata[index];print(_data.hot);return  GestureDetector(child: new Padding(padding: const EdgeInsets.only(top: 3.0,left: 5.0,right: 5.0,bottom: 3.0),child: SizedBox(child: new  Card(elevation: 0.0,child: Row(crossAxisAlignment: CrossAxisAlignment.start,children: <Widget>[new Padding(padding: const EdgeInsets.only(top: 10.0,left: 15.0,right: 15.0,bottom: 0.0),child: Image.network(_data.logo,width: 50.0,height: 100.0,),),Expanded(child:Column(crossAxisAlignment: CrossAxisAlignment.start,mainAxisSize: MainAxisSize.min,children: <Widget>[new Container(child: Text(_data.name,textAlign: TextAlign.left,style: TextStyle(fontSize: 15.0,),),margin: const EdgeInsets.only(top: 10.0,bottom: 5.0),),new Padding(padding: const EdgeInsets.only(top: 5.0,left: 0.0,right: 5.0,bottom: 5.0,),child: Text(_data.location,style: TextStyle(fontSize: 13.0,color: Colors.grey),),),new Padding(padding: const EdgeInsets.only(top: 5.0,left: 0.0,right: 5.0,bottom: 5.0,),child: Text(_data.type+"|"+_data.size+"|"+_data.employee,style: TextStyle(fontSize: 13.0,color: Colors.grey),),),new  Divider(height: 2.0,color: Colors.black54,),Row(children: <Widget>[new Padding(padding: const EdgeInsets.only(top: 5.0,left: 0.0,right: 5.0,bottom: 15.0),child: Text("热招"+_data.hot+"等"+_data.count+"个职位",style: TextStyle(fontSize: 13.0,color: Colors.grey),),),new Expanded(child: Column(crossAxisAlignment: CrossAxisAlignment.end,children: <Widget>[new Padding(padding: const  EdgeInsets.only(bottom: 8.0),child:  const Icon(Icons.keyboard_arrow_right,color: Colors.grey,),)],))],)],)),],),),),),onTap: (){setState(() {onItemclick(index);});},);}void  onItemclick(int  index){_data =getdata[index];print("获取到的头ID"+_data.id.toString());Navigator.of(context).pushNamed("company_details" ,arguments: {"id":_data.id});}
}

消息模块 具体代码实现

import 'package:flutter/material.dart';
import '../network/servicepath.dart';
import '../bean/messageinfo.dart';
import '../utils/ToastUtil.dart';
/**** 创建人:xuqing* 创建时间:2020年3月15日22:55:51* 类说明:消息模块***/
class ChatPage extends StatefulWidget {ChatPage({Key key}) : super(key: key);@override_ChatPageState createState() {return _ChatPageState();}
}class _ChatPageState extends State<ChatPage> {List getdata=[];Data _data=null;@overridevoid initState() {super.initState();getMessageInfo();}void  getMessageInfo()async{getmessageinfo().then((value){setState(() {MessageInfo messageInfo=value;String msg=messageInfo.msg;int code=messageInfo.code;if(code==200){getdata=messageInfo.data;ToastUtil.showinfo(context, msg);}else{ToastUtil.showinfo(context, msg);}});});}@overridevoid dispose() {super.dispose();}@overrideWidget build(BuildContext context) {// TODO: implement buildreturn Scaffold(appBar: AppBar(title: Text("消息",style:TextStyle(color: Colors.white,fontSize: 20),),centerTitle: true,),body: Container(child:new  ListView.builder(itemCount:(getdata == null)?0:getdata.length,itemBuilder: (BuildContext context , int position){return getItem(position);}),),);}Widget  getItem(int index){_data=getdata[index];returnSizedBox(child: Card(elevation: 0.0,child: Column(children: <Widget>[Row(children: <Widget>[Container(padding: EdgeInsets.only(left: 20),child: ClipOval(child: Image.network(_data.headportraiturl,height: 40,width: 40,fit: BoxFit.cover,),),),Expanded(child: Column(crossAxisAlignment: CrossAxisAlignment.start,children: <Widget>[new Container(child: new Text(_data.nickname,textAlign: TextAlign.left,style: new TextStyle(fontSize: 18.0,color: Colors.black),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),new Container(child: new Text(_data.companyname+"|"+_data.jobname,textAlign: TextAlign.left,style: new TextStyle(fontSize: 15.0,color: Colors.grey),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),new Container(child: new Text(_data.msg,textAlign: TextAlign.left,style: new TextStyle(fontSize: 12.0,color: Colors.grey),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),],),)],),new Padding(padding: const EdgeInsets.only(left: 5.0,right: 5.0),child: new Divider(height: 2.0,color: Colors.black54,),)],),),);Container(child: new Padding(padding: EdgeInsets.only(left: 2.0,right: 2.0,),child: SizedBox(child: Column(children: <Widget>[Row(children: <Widget>[Container(padding: EdgeInsets.only(left: 20),child: ClipOval(child: Image.network(_data.headportraiturl,height: 40,width: 40,fit: BoxFit.cover,),),),Expanded(child: Column(crossAxisAlignment: CrossAxisAlignment.start,children: <Widget>[new Container(child: new Text(_data.nickname,textAlign: TextAlign.left,style: new TextStyle(fontSize: 18.0,color: Colors.black),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),new Container(child: new Text(_data.companyname+"|"+_data.jobname,textAlign: TextAlign.left,style: new TextStyle(fontSize: 15.0,color: Colors.grey),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),new Container(child: new Text(_data.msg,textAlign: TextAlign.left,style: new TextStyle(fontSize: 12.0,color: Colors.grey),),margin: EdgeInsets.only(top: 2.0,left: 10.0,bottom: 2.0),),],),)],),new Padding(padding: const EdgeInsets.only(left: 5.0,right: 5.0),child: new Divider(height: 2.0,color: Colors.black54,),)],),/*   child: Card(elevation: 0.0,),*/),));}
}

个人中心(我的模块)具体代码实现

import 'package:flutter/material.dart';
import 'package:bosszhiping_tab/mywiget/menu_item.dart';
import 'package:bosszhiping_tab/mywiget/contact_item.dart';class MinePage extends StatefulWidget {MinePage({Key key}) : super(key: key);@override_MinePageState createState() {return _MinePageState();}
}class _MinePageState extends State<MinePage> {final double _appBarHeight = 180.0;final String _userHead ='https://img.bosszhipin.com/beijin/mcs/useravatar/20171211/4d147d8bb3e2a3478e20b50ad614f4d02062e3aec7ce2519b427d24a3f300d68_s.jpg';@overridevoid initState() {super.initState();}@overridevoid dispose() {super.dispose();}@overrideWidget build(BuildContext context) {// TODO: implement buildreturn new Scaffold(backgroundColor: new Color.fromARGB(255, 242, 242, 245),body: new CustomScrollView(slivers: <Widget>[new SliverAppBar(expandedHeight: _appBarHeight,flexibleSpace: new FlexibleSpaceBar(collapseMode: CollapseMode.parallax,background: new Stack(fit: StackFit.expand,children: <Widget>[const DecoratedBox(decoration: const BoxDecoration(gradient: const LinearGradient(begin: const Alignment(0.0, -1.0),end: const Alignment(0.0, -0.4),colors: const <Color>[const Color(0x00000000),const Color(0x00000000)],),),),new Row(mainAxisAlignment: MainAxisAlignment.start,children: [new Expanded(flex: 3,child: new Column(mainAxisAlignment: MainAxisAlignment.center,crossAxisAlignment: CrossAxisAlignment.start,children: [new Padding(padding: const EdgeInsets.only(top: 30.0,left: 30.0,bottom: 15.0,),child: new Text('Rei Ki',style: new TextStyle(color: Colors.white,fontWeight: FontWeight.bold,fontSize: 35.0),),),new Padding(padding: const EdgeInsets.only(left: 30.0,),child: new Text('在职-不考虑机会',style: new TextStyle(color: Colors.white, fontSize: 15.0),),),],),),new Expanded(flex: 1,child: new Padding(padding: const EdgeInsets.only(top: 40.0,right: 30.0,),child: new CircleAvatar(radius: 35.0,backgroundImage: new NetworkImage(_userHead),),),)],),],),),),new SliverList(delegate: new SliverChildListDelegate(<Widget>[new Container(color: Colors.white,child: new Padding(padding: const EdgeInsets.only(top: 10.0,bottom: 10.0,),child: new Row(mainAxisAlignment: MainAxisAlignment.spaceAround,children: [new ContactItem(count: '696',title: '沟通过',),new ContactItem(count: '0',title: '面试',),new ContactItem(count: '71',title: '已投递',),new ContactItem(count: '53',title: '感兴趣',),],),),),new Container(color: Colors.white,margin: const EdgeInsets.only(top: 10.0,bottom: 20),child: Column(children: <Widget>[new MenuItem(icon: Icons.face,title: '体验新版本',onPressed: (){print("体验新版本  ----   >");},),new MenuItem(icon: Icons.print,title: '我的微简历',),new MenuItem(icon: Icons.archive,title: '附件简历',),new MenuItem(icon: Icons.home,title: '管理求职意向',),new MenuItem(icon: Icons.title,title: '提升简历排名',),new MenuItem(icon: Icons.chat,title: '牛人问答',),new MenuItem(icon: Icons.assessment,title: '关注公司',),new MenuItem(icon: Icons.add_shopping_cart,title: '钱包',onPressed: (){Navigator.of(context).pushNamed("wallet");},),new MenuItem(icon: Icons.security,title: '隐私设置',),new MenuItem(icon: Icons.add,title: '添加职位信息',onPressed: (){Navigator.of(context).pushNamed("addpositioninfo");print("添加职位信息");},),],),),],),)],),);}
}

个人中心模块横向布局分封装

微信截图_20200205195042.png

import 'package:flutter/material.dart';
/****  创建人:xuqing*  创建时间:2020年2月5日18:30:50*  类说明:横向布局的  封装**/class ContactItem extends StatelessWidget {ContactItem({Key key, this.count, this.title, this.onPressed}): super(key: key);final String count;final String title;final VoidCallback onPressed;@overrideWidget build(BuildContext context) {return new GestureDetector(onTap: onPressed,child: new Column(children: [new Padding(padding: const EdgeInsets.only(bottom: 4.0,),child: new Text(count, style: new TextStyle(fontSize: 18.0)),),new Text(title,style: new TextStyle(color: Colors.black54, fontSize: 14.0)),],),);}
}

个人中心纵向布局的封装

微信截图_20200205200815.png

import 'package:flutter/material.dart';/**
* 创建人:xuqing
* 创建时间 :2020年2月4日21:39:42
* 类说明:纵向不布局的封装
*
*/class MenuItem extends StatelessWidget {final IconData icon;final String title;final VoidCallback onPressed;MenuItem({Key key, this.icon, this.title, this.onPressed}) : super(key: key);@overrideWidget build(BuildContext context) {// TODO: implement buildreturn  new GestureDetector(onTap: onPressed,child:  new Column(children: <Widget>[new Padding(padding: EdgeInsets.only(left: 20.0,top: 12.0,right: 20.0,bottom: 10.0,),child: new Row(children: <Widget>[new Padding(padding: const EdgeInsets.only(right: 8.0,),child:new Icon(icon,color: Colors.black54,),),new Expanded(child: new Text(title,style: new TextStyle(color: Colors.black54,fontSize: 16.0),)),new Icon(Icons.chevron_right,color: Colors.grey,)],)),new Padding(padding: const EdgeInsets.only(left: 20.0,right: 20.0),child: new Divider(height: 2.0,color: Colors.black54,),)],),);}
}

还有公司详情页面 代码具体看源代码

最后总结:

整个学习的项目采用了mvc 架构模式去编写,后台接口返回的json数据通过格式化转成数据模型类来处理
对月各个分区模块也做了适当的代码分离使得嵌套多层的布局代码得到简化。我也是一个正在学习flutter框的码农希望我的项目能帮助到各位同学 以后我还会贡献更多有用的代码分享给大家。有兴趣的同学麻烦给关注和star 也可以加我个人QQ/微信(1693891473)
项目地址 (flutter ):https://github.com/xq19930522/flutter_bosstap
服务端地址(springboot): https://github.com/xq19930522/bosstabservice

QQ交流群:

在这里插入图片描述

这篇关于flutter模仿boss直聘客户端效果的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/207985

相关文章

MYSQL查询结果实现发送给客户端

《MYSQL查询结果实现发送给客户端》:本文主要介绍MYSQL查询结果实现发送给客户端方式,具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,望不吝赐教... 目录mysql取数据和发数据的流程(边读边发)Sending to clientSending DataLRU(Least Rec

Python FastMCP构建MCP服务端与客户端的详细步骤

《PythonFastMCP构建MCP服务端与客户端的详细步骤》MCP(Multi-ClientProtocol)是一种用于构建可扩展服务的通信协议框架,本文将使用FastMCP搭建一个支持St... 目录简介环境准备服务端实现(server.py)客户端实现(client.py)运行效果扩展方向常见问题结

Kotlin Compose Button 实现长按监听并实现动画效果(完整代码)

《KotlinComposeButton实现长按监听并实现动画效果(完整代码)》想要实现长按按钮开始录音,松开发送的功能,因此为了实现这些功能就需要自己写一个Button来解决问题,下面小编给大... 目录Button 实现原理1. Surface 的作用(关键)2. InteractionSource3.

C#使用MQTTnet实现服务端与客户端的通讯的示例

《C#使用MQTTnet实现服务端与客户端的通讯的示例》本文主要介绍了C#使用MQTTnet实现服务端与客户端的通讯的示例,包括协议特性、连接管理、QoS机制和安全策略,具有一定的参考价值,感兴趣的可... 目录一、MQTT 协议简介二、MQTT 协议核心特性三、MQTTNET 库的核心功能四、服务端(BR

使用WPF实现窗口抖动动画效果

《使用WPF实现窗口抖动动画效果》在用户界面设计中,适当的动画反馈可以提升用户体验,尤其是在错误提示、操作失败等场景下,窗口抖动作为一种常见且直观的视觉反馈方式,常用于提醒用户注意当前状态,本文将详细... 目录前言实现思路概述核心代码实现1、 获取目标窗口2、初始化基础位置值3、创建抖动动画4、动画完成后

uniapp小程序中实现无缝衔接滚动效果代码示例

《uniapp小程序中实现无缝衔接滚动效果代码示例》:本文主要介绍uniapp小程序中实现无缝衔接滚动效果的相关资料,该方法可以实现滚动内容中字的不同的颜色更改,并且可以根据需要进行艺术化更改和自... 组件滚动通知只能实现简单的滚动效果,不能实现滚动内容中的字进行不同颜色的更改,下面实现一个无缝衔接的滚动

Java实现图片淡入淡出效果

《Java实现图片淡入淡出效果》在现代图形用户界面和游戏开发中,**图片淡入淡出(FadeIn/Out)**是一种常见且实用的视觉过渡效果,它可以用于启动画面、场景切换、轮播图、提示框弹出等场景,通过... 目录1. 项目背景详细介绍2. 项目需求详细介绍2.1 功能需求2.2 非功能需求3. 相关技术详细

使用animation.css库快速实现CSS3旋转动画效果

《使用animation.css库快速实现CSS3旋转动画效果》随着Web技术的不断发展,动画效果已经成为了网页设计中不可或缺的一部分,本文将深入探讨animation.css的工作原理,如何使用以及... 目录1. css3动画技术简介2. animation.css库介绍2.1 animation.cs

SpringBoot快速搭建TCP服务端和客户端全过程

《SpringBoot快速搭建TCP服务端和客户端全过程》:本文主要介绍SpringBoot快速搭建TCP服务端和客户端全过程,具有很好的参考价值,希望对大家有所帮助,如有错误或未考虑完全的地方,... 目录TCPServerTCPClient总结由于工作需要,研究了SpringBoot搭建TCP通信的过程

Flutter实现文字镂空效果的详细步骤

《Flutter实现文字镂空效果的详细步骤》:本文主要介绍如何使用Flutter实现文字镂空效果,包括创建基础应用结构、实现自定义绘制器、构建UI界面以及实现颜色选择按钮等步骤,并详细解析了混合模... 目录引言实现原理开始实现步骤1:创建基础应用结构步骤2:创建主屏幕步骤3:实现自定义绘制器步骤4:构建U