Flutter聊天室|dart+flutter仿微信App界面|flutter聊天實例

来源:https://www.cnblogs.com/xiaoyan2017/archive/2020/05/12/12879705.html
-Advertisement-
Play Games

一、項目概述 flutter-chatroom是採用基於flutter+dart+chewie+image_picker+photo_view等技術跨端開發仿微信app界面聊天室項目。實現了消息發送/動態gif表情、彈窗、圖片預覽、紅包/朋友圈/小視頻號等功能。 二、技術框架 編碼/技術:Vscod ...


一、項目概述

flutter-chatroom是採用基於flutter+dart+chewie+image_picker+photo_view等技術跨端開發仿微信app界面聊天室項目。實現了消息發送/動態gif表情、彈窗、圖片預覽、紅包/朋友圈/小視頻號等功能。

二、技術框架

  • 編碼/技術:Vscode + Flutter 1.12.13/Dart 2.7.0
  • 視頻組件:chewie: ^0.9.7
  • 圖片/拍照:image_picker: ^0.6.6+1
  • 圖片預覽組件:photo_view: ^0.9.2
  • 彈窗組件:SimpleDialog/showModalBottomSheet/AlertDialog/SnackBar(flutter封裝自定義)
  • 本地存儲:shared_preferences: ^0.5.7+1
  • 字體圖標:阿裡iconfont字體圖標庫

由於flutter基於dart語言,需要先安裝Dart Sdk / Flutter Sdk,如何搭建開發環境,不作過多介紹,可以去官網查閱文檔資料

https://flutter.cn/

https://flutterchina.club/

https://pub.flutter-io.cn/

https://www.dartcn.com/

如果使用vscode編輯器開發,可先安裝Dart 、Flutter 、Flutter widget snippets等擴展插件

◆ flutter沉浸式狀態欄/底部tabbar導航

在flutter中如何實現沉浸式透明狀態欄(去掉狀態欄黑色半透明背景),去掉右上角banner提示,可以去看這篇文章

https://www.cnblogs.com/xiaoyan2017/p/12784076.html

 

◆ flutter中使用字體圖標 (阿裡iconfont圖標)

  • 方法1: 使用系統圖標組件: Icon(Icons.search) 
  • 方法2: 使用IconData方式: Icon(IconData(0xe60e, fontFamily: 'iconfont'), size: 24.0)

方法2 需要先下載阿裡圖標庫字體文件,然後在pubspec.yaml中申明字體

 

通過IconData調用簡單封裝: GStyle.iconfont(0xe635, color: Colors.red, size: 14.0) 

class GStyle {
    // __ 自定義圖標
    static iconfont(int codePoint, {double size = 16.0, Color color}) {
        return Icon(
            IconData(codePoint, fontFamily: 'iconfont', matchTextDirection: true),
            size: size,
            color: color,
        );
    }
}

 

◆ flutter中紅點/圓點提示

在flutter中沒有上圖這個紅點提示組件,如是簡單封裝個badge組件

 GStyle.badge(0, isdot: true) 

 GStyle.badge(13, color: Colors.green, height: 12.0, width: 12.0) 

class GStyle {
    // 消息紅點
    static badge(int count, {Color color = Colors.red, bool isdot = false, double height = 18.0, double width = 18.0}) {
        final _num = count > 99 ? '···' : count;
        return Container(
            alignment: Alignment.center, height: !isdot ? height : height/2, width: !isdot ? width : width/2,
            decoration: BoxDecoration(color: color, borderRadius: BorderRadius.circular(100.0)),
            child: !isdot ? Text('$_num', style: TextStyle(color: Colors.white, fontSize: 12.0)) : null
        );
    }
}

 

◆ flutter主入口頁面main.dart

/**
 * @tpl Flutter入口頁面 | Q:282310962
 */

import 'package:flutter/material.dart';

// 引入公共樣式
import 'styles/common.dart';

// 引入底部Tabbar頁面導航
import 'components/tabbar.dart';

// 引入地址路由
import 'router/routes.dart';

void main() => runApp(MyApp());

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      title: 'Flutter App',
      debugShowCheckedModeBanner: false,
      theme: ThemeData(
        primaryColor: GStyle.appbarColor,
      ),
      home: TabBarPage(),
      onGenerateRoute: onGenerateRoute,
    );
  }
}

 

◆ flutter自定義彈窗實現

長按獲取點坐標,通過Positioned組件left top屬性實現定位,width控制彈窗寬度

InkWell(
    splashColor: Colors.grey[200],
    child: Container(...),
    onTapDown: (TapDownDetails details) {
        _globalPositionX = details.globalPosition.dx;
        _globalPositionY = details.globalPosition.dy;
    },
    onLongPress: () {
        _showPopupMenu(context);
    },
),
// 長按彈窗
double _globalPositionX = 0.0; //長按位置的橫坐標
double _globalPositionY = 0.0; //長按位置的縱坐標
void _showPopupMenu(BuildContext context) {
    // 確定點擊位置在左側還是右側
    bool isLeft = _globalPositionX > MediaQuery.of(context).size.width/2 ? false : true;
    // 確定點擊位置在上半屏幕還是下半屏幕
    bool isTop = _globalPositionY > MediaQuery.of(context).size.height/2 ? false : true;

    showDialog(
      context: context,
      builder: (context) {
        return Stack(
          children: <Widget>[
            Positioned(
              top: isTop ? _globalPositionY : _globalPositionY - 200.0,
              left: isLeft ? _globalPositionX : _globalPositionX - 120.0,
              width: 120.0,
              child: Material(
                ...
              ),
            )
          ],
        );
      }
    );
}

flutter中可否去掉彈窗寬高限制?通過SizedBox組件設置寬度,外層包裹佈局無限制容器UnconstrainedBox組件

void _showCardPopup(BuildContext context) {
    showDialog(
      context: context,
      builder: (context) {
        return UnconstrainedBox(
          constrainedAxis: Axis.vertical,
          child: SizedBox(
            width: 260,
            child: AlertDialog(
              content: Container(
                ...
              ),
              elevation: 0,
              contentPadding: EdgeInsets.symmetric(horizontal: 10.0, vertical: 20.0),
            ),
          ),
        );
      }
    );
}

 

◆ flutter/dart登錄、註冊表單驗證

TextField文本框,右側清空文本框按鈕通過Visibility組件控制

TextField(
  keyboardType: TextInputType.phone,
  controller: TextEditingController.fromValue(TextEditingValue(
    text: formObj['tel'],
    selection: new TextSelection.fromPosition(TextPosition(affinity: TextAffinity.downstream, offset: formObj['tel'].length))
  )),
  decoration: InputDecoration(
    hintText: "請輸入手機號",
    isDense: true,
    hintStyle: TextStyle(fontSize: 14.0),
    suffixIcon: Visibility(
      visible: formObj['tel'].isNotEmpty,
      child: InkWell(
        child: GStyle.iconfont(0xe69f, color: Colors.grey, size: 14.0), onTap: () {
          setState(() { formObj['tel'] = ''; });
        }
      ),
    ),
    border: OutlineInputBorder(borderSide: BorderSide.none)
  ),
  onChanged: (val) {
    setState(() { formObj['tel'] = val; });
  },
)
// SnackBar提示
final _scaffoldkey = new GlobalKey<ScaffoldState>();
void _snackbar(String title, {Color color}) {
    _scaffoldkey.currentState.showSnackBar(SnackBar(
      backgroundColor: color ?? Colors.redAccent,
      content: Text(title),
      duration: Duration(seconds: 1),
    ));
}

本地存儲使用的是 shared_preferences

https://pub.flutter-io.cn/packages/shared_preferences

void handleSubmit() async {
    if(formObj['tel'] == '') {
      _snackbar('手機號不能為空');
    }else if(!Util.checkTel(formObj['tel'])) {
      _snackbar('手機號格式有誤');
    }else if(formObj['pwd'] == '') {
      _snackbar('密碼不能為空');
    }else {
      // ...介面數據

      // 設置存儲信息
      final prefs = await SharedPreferences.getInstance();
      prefs.setBool('hasLogin', true);
      prefs.setInt('user', int.parse(formObj['tel']));
      prefs.setString('token', Util.setToken());

      _snackbar('恭喜你,登錄成功', color: Colors.greenAccent[400]);
      Timer(Duration(seconds: 2), (){
        Navigator.pushNamedAndRemoveUntil(context, '/tabbarpage', (route) => route == null);
      });
    }
}

flutter中獲取驗證碼60s倒計時,使用Timer.periodic實現

// 60s倒計時
void handleVcode() {
    if(formObj['tel'] == '') {
      _snackbar('手機號不能為空');
    }else if(!Util.checkTel(formObj['tel'])) {
      _snackbar('手機號格式有誤');
    }else {
      _countDown();
    }
}
_countDown() {
    if(_validTimer != null) return;
    
    _validTimer = Timer.periodic(Duration(seconds: 1), (t) {
      setState(() {
        if(formObj['time'] > 0) {
          formObj['disabled'] = true;
          formObj['vcodeText'] = '獲取驗證碼(${formObj["time"]--})';
        }else {
          formObj['time'] = 60;
          formObj['vcodeText'] = '獲取驗證碼';
          formObj['disabled'] = false;
          
          _validTimer.cancel();
          _validTimer = null;
        }
      });
    });
}

 

◆ flutter聊天頁面解析

flutter中如何實現TextField換行文本框(類似微信聊天編輯框),設置  maxLines 屬性就能實現多行文本。

不過設置maxLines,文本框有一定高度,這時只需設置maxLines: null及keyboardType併在外層加個容器限制最小高度即可。

Container(
    margin: GStyle.margin(10.0),
    decoration: BoxDecoration(color: Colors.white, borderRadius: BorderRadius.circular(3.0)),
    constraints: BoxConstraints(minHeight: 30.0, maxHeight: 150.0),
    child: TextField(
        maxLines: null,
        keyboardType: TextInputType.multiline,
        decoration: InputDecoration(
          hintStyle: TextStyle(fontSize: 14.0),
          isDense: true,
          contentPadding: EdgeInsets.all(5.0),
          border: OutlineInputBorder(borderSide: BorderSide.none)
        ),
        controller: _textEditingController,
        focusNode: _focusNode,
        onChanged: (val) {
          setState(() {
            editorLastCursor = _textEditingController.selection.baseOffset;
          });
        },
        onTap: () {handleEditorTaped();},
    ),
),

另外通過文本框focusNode屬性可以實現隱藏鍵盤

FocusNode _focusNode = FocusNode();
...
void clickMsgPanel() {
    // 隱藏鍵盤
    _focusNode.unfocus();
    setState(() { showFootToolbar = false; });
}

flutter中如何實現滾動聊天信息至底部?

通過ListView里controller的獲取最大滾動距離,並通過jumpTo方法滾動。

ScrollController _msgController = new ScrollController();
...
ListView(
    controller: _msgController,
    padding: EdgeInsets.all(10.0),
    children: renderMsgTpl(),
)
// 滾動消息至聊天底部
void scrollMsgBottom() {
    timer = Timer(Duration(milliseconds: 100), () => _msgController.jumpTo(_msgController.position.maxScrollExtent));
}

ok,基於flutter+dart跨平臺開發仿微信聊天實例項目就分享到這裡,希望大家能喜歡!

您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 原文地址:https://mysqlserverteam.com/mysql-8-0-innodb-now-supports-instant-add-column/ 長期以來,即時DDL一直是最受歡迎的InnoDB功能之一。對於越來越大且快速增長的數據集,任何網路規模資料庫中必須具備立即執行DDL的 ...
  • 在SparkSQL中Spark為我們提供了兩個新的抽象,分別是DataFrame和DataSet。他們和RDD有什麼區別呢?首先從版本的產生上來看:RDD (Spark1.0) —> Dataframe(Spark1.3) —> Dataset(Spark1.6) 如果同樣的數據都給到這三個數據結構 ...
  • 1.版本選取 訪問mongodb的鏡像倉庫地址:https://hub.docker.com/_/mongo?tab=tags&page=1 這裡選取最新版本進行安裝,如果想安裝其他的可用版本,可以使用命令“docker search mongo”來查看 2.拉取最新版本鏡像 這裡執行命令"sudo ...
  • https://www.cnblogs.com/aspirant/p/9214485.html 一步步分析為什麼B+樹適合作為索引的結構 以及索引原理 mysql的B+樹索引 查找使用了二分查找,redis 跳錶也使用了二分查找法,kafka查詢消息日誌也使用了二分查找法,二分查找法時間複雜度O(l ...
  • 表結構 student(StuId,StuName,StuAge,StuSex) 學生表 teacher(TId,Tname) 教師表 course(CId,Cname,C_TId) 課程表 sc(SId,S_CId,Score) 成績表 問題十:查詢沒有學全所有課的同學的學號、姓名 SELECT ...
  • Redis Cluster是Redis在3.0版本正式推出的專用集群方案,有效地解決了Redis分散式方面的需求,讓我們一起快速搭建出分散式高可用的Redis集群吧! ...
  • Redis的字典使用哈希表作為底層實現,一個哈希表中可以有多個哈希表節點,而每個哈希節點就保存在字典中的一個鍵值對。 redis字典所用的哈希表由disht結構定義。 typedef struct dictht{ dictEntry **table;//哈希表數組 unsigned long siz ...
  • 一、動態規劃界面的大小 1.我們在res的文件夾裡面創建一個新的文件夾large_fragment用來,然後寫一個界面,activity_main.xml文件,用於存儲平板電腦等一些解析度高的界面。也就是說小屏幕使用正常activity_main文件、大屏幕就使用large_fragment文件夾里 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...