项目创建 cd
前端文件夹,通过vite
创建前端react
项目
1 2 cd frontend npm create vite@latest
根据需求选择创建react
项目
依赖安装 安装如下依赖
1 npm i react react-dom react-router-dom axios zustand lucide-react react-hot-toast daisyui tailwindcss postcss autoprefixer
依赖简介
react/react-dom
:不用多说,用于使用react
框架,react-dom
进一步提供一些方法
react-router-dom
:用于创建react
路由
axios
:封装发送前端请求,不用使用fetch api
zustand
:react
的状态管理库,用于集中处理一些方法
lucide-react
:提供一系列即插即用的图标
react-hot-toast
:用于创建弹窗式通知
tailwindcss
:高度定制的css
框架
daisyui
:基于tailwindcss
的组件库
Postcss
:css
代码转译器
autoprefixer
:用于css
兼容不同浏览器厂商
全局配置 样式库配置 CSS样式库 所谓样式库,也就是在项目中导入tailwind css
以及daisyui
,在这里daisyui
被作为tailwindcss
的插件使用 配置过程如下:
首先确保安装了tailwind
和daisyui
的依赖
使用npx tailwindcss init
命令初始化项目结构,此时项目中应该有tailwind.config.js
配置文件
修改配置文件如下,即顺便直接配置了daisyui
1 2 3 4 5 6 7 8 9 10 11 12 13 14 import daisyui from "daisyui" ;export default { content : ["./index.html" , "./src/**/*.{js,ts,jsx,tsx}" ], theme : { extend : {}, }, plugins : [daisyui], daisyui : { themes : true , }, };
最后在index.css
中添加如下引用并在main.jsx
中导入即可全局使用tailwindcss
以及daisyui
1 2 3 @tailwind base; @tailwind components; @tailwind utilities;
以上配置方法仅使用与tailwindcss@3
以及daisyui@4
,自2025-2
后taiwind
也更新到了@5
版本,配置方法也有所变化,需按照官方配置
tailwindcss 官网 daisyui 官网
通知组件 通知组件即react-hot-toast
其作用是提供一种更加优美的通知框
用法为在全局中配置组件 在APP.jsx
末尾加入<Toaster />
组件
随后便可以使用toast.xxx()
函数使用想要的通知了 在对失败及成功消息的提示方面,该组件效果相当不错,项目中就大量用到了其通知功能
全局路由配置 使用react-router-dom
进行路由配置,需要注意的是使用router
前需确保安装了react
和react-dom
依赖
首先使用<BrowserRouter></BrowserRouter>
确定路由类型,在main.jsx
中包裹主体部分
1 2 3 4 5 6 7 8 9 10 11 12 13 14 import { StrictMode } from "react" ;import { createRoot } from "react-dom/client" ;import "./index.css" ;import App from "./App.jsx" ;import { BrowserRouter } from "react-router-dom" ;createRoot (document .getElementById ("root" )).render ( <StrictMode > <BrowserRouter > <App /> </BrowserRouter > </StrictMode > );
创建路由实例以及配置路由页面 创建如下所示的路由实例,将应用分为如下几个页面
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 return ( <div data-theme ={theme} > <NavBar /> <Routes > <Route path ="/" element ={authUser ? <HomePage /> : <Navigate to ="/login" /> } /> <Route path ="/signup" element ={!authUser ? <SignUpPage /> : <Navigate to ="/" /> } /> <Route path ="/login" element ={!authUser ? <LoginPage /> : <Navigate to ="/" /> } /> <Route path ="/settings" element ={ <SettingPage /> } /> <Route path ="/profile" element ={authUser ? <ProfilePage /> : <Navigate to ="/login" /> } /> {/* <Route path ="*" element ={ <Navigate to ="/" /> } /> */} </Routes > <Toaster /> </div > );
可以看到在上述样例中,通过对用户身份authUser
的验证进行了路由跳转的重定向,而不是直接定向到对应界面,这使得路由跳转更加符合逻辑
随后对<NavBar>
中的导航添加点击事件,使用<Link>
即可进行路由页面的跳转<NavBar>
组件内部结构如下,同样根据用户身份验证变化
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 import React from "react" ;import { useAuthStore } from "../store/useAuthStore" ;import { LogOut , MessageSquare , Settings , User } from "lucide-react" ;import { Link } from "react-router-dom" ;const NavBar = ( ) => { const { logout, authUser } = useAuthStore (); return ( <header className ="bg-base-100 border-b border-base-300 fixed w-full top-0 z-40 backdrop-blur-lg bg-base-100/80" > <div className ="container mx-auto px-4 h-16" > <div className ="flex items-center justify-between h-full" > <div className ="flex items-center gap-8" > <Link to ="/" className ="flex items-center gap-2.5 hover:opacity-80 transition-all" > <div className ="size-9 rounded-lg bg-primary/10 flex items-center justify-center" > <MessageSquare className ="w-5 h-5 text-primary" /> </div > <h1 className ="text-lg font-bold" > Chatty</h1 > </Link > </div > <div className ="flex items-center gap-2" > <Link to ={ "/settings "} className ={ ` btn btn-sm gap-2 transition-colors `} > <Settings className ="w-4 h-4" /> <span className ="hidden sm:inline" > Settings</span > </Link > {authUser && ( <> <Link to ={ "/profile "} className ={ `btn btn-sm gap-2 `}> <User className ="size-5" /> <span className ="hidden sm:inline" > Profile</span > </Link > <button className ="flex gap-2 items-center" onClick ={logout} > <LogOut className ="size-5" /> <span className ="hidden sm:inline" > Logout</span > </button > </> )} </div > </div > </div > </header> ); }; export default NavBar ;
外部工具配置 在src/lib
文件夹中配置的工具 配置单独的axios
请求库 创建axios.js
文件,创建axiosInstance
实例,进行如下基本配置
1 2 3 4 5 6 import axios from "axios" ;export const axiosInstance = axios.create ({ baseURL : "http://localhost:5001/api/" , withCredentials : true , });
配置可能会用到的工具插件 创建utils.js
,提供一个格式化时间的函数
1 2 3 4 5 6 7 export function formatMessageTime (date ) { return new Date (date).toLocaleTimeString ("en-US" , { hour : "2-digit" , minute : "2-digit" , hour12 : false , }); }
全局状态管理库 该项目使用zustand
进行状态管理zustand 官方教程 项目的全局状态管理库用来提供一些跨组件共享的状态,从而避免反复使用{props}
进行状态传递
通过全局状态库对不同类别的共享状态的存放,可以有效关系系统层次结构,比如,在该项目中,就区分出了用户层面和消息层面两个区块,分别创建store/useAuthStore.js
和store/useChatStore.js
两个文件夹进行关系,下面将依次介绍两者的功能
用户层面状态管理 用户层面的状态管理分别存储如下信息:
登录用户身份
用户操作状态,如(登陆中、注册中)等
提供在线用户的状态
提供管理状态,特别是用户身份的一系列方法
下面就对以上部分进行进行讲解 首先创建一个zustand
状态管理库,以及调取所需的依赖
1 2 3 4 5 6 7 import {create} from 'zustand' import { axiosInstance } from '../lib/axios.js' import toast from 'react-hot-toast' export const useAuthStore = create ((set ) => ({ ... }))
然后添加一些用户层面的状态量,分别存储用户信息,操作状态和在线用户信息
1 2 3 4 5 6 7 8 authUser : null ,isSigningUp : false ,isLoggingIn : false ,isUpdatingProfile : false ,isCheckingAuth : true ,onlineUsers : [],
最后添加状态管理方法:
checkAuth
:根据jwt token
检验用户是否存在
signup
:用户注册完后,设置用户状态
login
:用户登陆后设置用户状态
logout
:用户退出后清除用户状态
updateProfile
:用户修改个人信息后更改用户状态
通过用户操作,在异步请求过程中设置ing
进行时,从而展示用户操作状态 具体代码如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 checkAuth : async () => { try { const response = await axiosInstance.get ('/auth/check' ) set ({ authUser : response.data , isCheckingAuth : false }) } catch (error) { console .log ("error in check auth" , error); set ({ authUser : null , isCheckingAuth : false }) } }, signup : async (data) => { set ({isSigningUp :true }) try { const res = await axiosInstance.post ('/auth/signup' ,data) set ({authUser : res.data }) toast.success ('Accound created successfully' ) } catch (error) { toast.error (error.response .data .message ) console .log (error) } finally { set ({isSigningUp :false }) } }, login : async (data) => { set ({isLoggingIn :true }) try { const res = await axiosInstance.post ('/auth/login' ,data) set ({authUser : res.data }) toast.success ('Logged in successfully' ) } catch (error) { toast.error (error.response .data .message ) } finally { set ({isLoggingIn :false }) } }, logout : async (data) => { try { await axiosInstance.post ('/auth/logout' ) set ({authUser : null }) toast.success ('Logged out successfully' ) } catch (error) { toast.error (error.response .data .message ) console .log (error) } }, updateProfile : async (data) =>{ set ({isUpdatingProfile :true }) try { const res = await axiosInstance.put ('/auth/update-profile' ,data) set ({authUser : res.data }) toast.success ('Profile updated successfully' ) } catch (error) { toast.error (error.response ?.data .message || 'upload error' ) console .log (error) } finally { set ({isUpdatingProfile :false }) } }
消息层面状态管理 消息层面状态管理存储信息如下:
用户列表
选定的聊天用户
与选定用户的消息列表
用户与消息的加载中状态
提供更改上述状态的一系列方法
用相同的方法创建zustand
状态管理库
1 2 3 4 5 6 7 8 import { create } from "zustand" ;import toast from "react-hot-toast" ;import { axiosInstance } from "../lib/axios.js" ;export const useChatStore = create ((set, get ) => ({ ... }))
两个状态管理库存在细微差别,即第二个库中导入了get
参数,以在库内部获取状态
其中维护的状态如下,分别存储用户列表,选定用户,沟通消息,异步加载状态
1 2 3 4 5 6 messages : [],users : [],selectedUser : null ,isUserLoading : false ,isMessageLoading : false ,
最后添加消息层面的状态管理方法
getUser
:根据登录用户信息获取用户列表
getMessage
:根据对方的id
作为参数获取与其沟通的消息,获取消息列表
sendMessage
:根据选定用户的id
发送消息并更新消息列表
setSelectedUser
:更新选定用户信息
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 getUser : async () => { set ({ isUserLoading : true }); try { const response = await axiosInstance.get ("/message/users" ); set ({ users : response.data }); } catch (error) { console .log (error); toast.error (error.response .data .message ); } finally { set ({ isUserLoading : false }); } }, getMessages : async (userId) => { set ({ isMessageLoading : true }); try { const res = await axiosInstance.get (`/message/${userId} ` ); set ({ messages : res.data }); } catch (error) { console .log (error); toast.error (error.response .data .message ); } finally { set ({ isMessageLoading : false }); } }, sendMessage : async (messageData) => { const { selectedUser, messages } = get (); try { const res = await axiosInstance.post ( `/message/send/${selectedUser._id} ` , messageData ); set ({ messages : [...messages, res.data ] }); } catch (error) { toast.error (error.response .data .message ); } }, setSelectedUser : (user ) => set ({ selectedUser : user }),
页面逻辑 注册页 SignUpPage 该页面提供如下功能:
维护一张用户信息表单,包含fullName
、email
、password
提供密码显隐功能
提供注册功能,异步处理注册时禁用按钮
提供表单验证方法
和登录页之间的跳转功能
页面局部状态,分别维护表单以及密码显示隐藏1 2 3 4 5 6 const [showPassword, setShowPassword] = useState (false );const [formData, setFormData] = useState ({ fullName : "" , email : "" , password : "" , });
页面局部方法,分别用作表单验证和表单提交1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 const { signup, isSigningUp } = useAuthStore ();const validateForm = ( ) => { if (!formData.fullName .trim ()) { return toast.error ("fullName is required" ); } if (!formData.email .trim ()) { return toast.error ("email is required" ); } if (!/\S+@\S+\.\S+/ .test (formData.email )) return toast.error ("Invalid email format" ); if (!formData.password .trim ()) { return toast.error ("password is required" ); } if (formData.password .length < 6 ) return toast.error ("Password must be at least 6 characters" ); return true }; const handleSubmit = (e ) => { e.preventDefault (); const success = validateForm () if (success === true ) { signup (formData); } };
完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 import React , { useState } from "react" ;import { useAuthStore } from "../store/useAuthStore.js" ;import { Eye , EyeOff , Loader2 , Lock , Mail , MessageSquare , User , } from "lucide-react" ; import { Link } from "react-router-dom" ;import AuthImagePattern from "../components/AuthImagePattern.jsx" ;import {toast} from "react-hot-toast" ;const SignUpPage = ( ) => { const [showPassword, setShowPassword] = useState (false ); const [formData, setFormData] = useState ({ fullName : "" , email : "" , password : "" , }); const { signup, isSigningUp } = useAuthStore (); const validateForm = ( ) => { if (!formData.fullName .trim ()) { return toast.error ("fullName is required" ); } if (!formData.email .trim ()) { return toast.error ("email is required" ); } if (!/\S+@\S+\.\S+/ .test (formData.email )) return toast.error ("Invalid email format" ); if (!formData.password .trim ()) { return toast.error ("password is required" ); } if (formData.password .length < 6 ) return toast.error ("Password must be at least 6 characters" ); return true }; const handleSubmit = (e ) => { e.preventDefault (); const success = validateForm () if (success === true ) { signup (formData); } }; return ( <div className ="min-h-screen grid lg:grid-cols-2 pt-12" > <div className ="flex flex-col justify-center items-center p-6 sm:p-12 bg-base-100" > <div className ="w-full max-w-full space-y-8" > {/* logo */} <div className ="text-center mb-8" > <div className ="flex flex-col items-center gap-2 group" > <div className ="size-12 rounded-xl bg-primary/10 flex items-center justify-center group-hover:bg-primary/20 transition-colors" > <MessageSquare className ="size-6 text-primary" /> </div > <h1 className ="text-2xl font-bold mt-2" > Create Your Account</h1 > <p className ="text-base-content/60" > Get Start With Your Account{" "} </p > </div > </div > {/* form controller */} <form onSubmit ={handleSubmit} className ="space-y-6" > <div className ="form-control" > <label className ="label" > <span className ="label-text font-medium" > Full Name</span > </label > <div className ="relative" > <div className ="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none" > <User className ="size-5 text-base-content/40" /> </div > <input type ="text" className ={ `input input-bordered w-full pl-10 `} placeholder ="John Doe" value ={formData.fullName} onChange ={(e) => setFormData({ ...formData, fullName: e.target.value }) } /> </div > </div > <div className ="form-control" > <label className ="label" > <span className ="label-text font-medium" > Email</span > </label > <div className ="relative" > <div className ="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none" > <Mail className ="size-5 text-base-content/40" /> </div > <input type ="email" className ={ `input input-bordered w-full pl-10 `} placeholder ="you@example.com" value ={formData.email} onChange ={(e) => setFormData({ ...formData, email: e.target.value }) } /> </div > </div > <div className ="form-control" > <label className ="label" > <span className ="label-text font-medium" > Password</span > </label > <div className ="relative" > <div className ="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none" > <Lock className ="size-5 text-base-content/40" /> </div > <input type ={showPassword ? "text " : "password "} className ={ `input input-bordered w-full pl-10 `} placeholder ="••••••••" value ={formData.password} onChange ={(e) => setFormData({ ...formData, password: e.target.value }) } /> <button type ="button" className ="absolute inset-y-0 right-0 pr-3 flex items-center" onClick ={() => setShowPassword(!showPassword)} > {showPassword ? ( <EyeOff className ="size-5 text-base-content/40" /> ) : ( <Eye className ="size-5 text-base-content/40" /> )} </button > </div > </div > <button type ="submit" className ="btn btn-primary w-full" disabled ={isSigningUp} > {isSigningUp ? ( <> <Loader2 className ="size-5 animate-spin" /> Loading... </> ) : ( "Create Account" )} </button > </form > <div className ="text-center" > <p className ="text-base-content/60" > Already have an account?{" "} <Link to ="/login" className ="link link-primary" > Sign in </Link > </p > </div > </div > </div > <AuthImagePattern title ="Join our community" subtitle ="Connect with friends, share moments, and stay in touch with your loved ones." /> </div> ); }; export default SignUpPage ;
登录页 LoginPage 登录页功能和注册页类似,分别提供如下功能
维护登录表单
控制密码显隐
处理登录逻辑
与注册页相互跳转
页面局部状态和方法1 2 3 4 5 6 7 8 9 10 11 12 const { login, isLoggingIn } = useAuthStore ();const [showPassword, setShowPassword] = useState (false );const [formData, setFormData] = useState ({ email : "" , password : "" , }); const handleSubmit = async (e ) => { e.preventDefault (); login (formData); };
完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 import { useState } from "react" ;import { useAuthStore } from "../store/useAuthStore" ;import AuthImagePattern from "../components/AuthImagePattern" ;import { Link } from "react-router-dom" ;import { Eye , EyeOff , Loader2 , Lock , Mail , MessageSquare } from "lucide-react" ;const LoginPage = ( ) => { const { login, isLoggingIn } = useAuthStore (); const [showPassword, setShowPassword] = useState (false ); const [formData, setFormData] = useState ({ email : "" , password : "" , }); const handleSubmit = async (e ) => { e.preventDefault (); login (formData); }; return ( <div className ="h-screen grid lg:grid-cols-2 pt-12" > {/* Left Side - Form */} <div className ="flex flex-col justify-center items-center p-6 sm:p-12 bg-base-100" > <div className ="w-full max-w-md space-y-8" > {/* Logo */} <div className ="text-center mb-8" > <div className ="flex flex-col items-center gap-2 group" > <div className ="w-12 h-12 rounded-xl bg-primary/10 flex items-center justify-center group-hover:bg-primary/20 transition-colors" > <MessageSquare className ="w-6 h-6 text-primary" /> </div > <h1 className ="text-2xl font-bold mt-2" > Welcome Back</h1 > <p className ="text-base-content/60" > Sign in to your account</p > </div > </div > {/* Form */} <form onSubmit ={handleSubmit} className ="space-y-6" > <div className ="form-control" > <label className ="label" > <span className ="label-text font-medium" > Email</span > </label > <div className ="relative" > <div className ="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none" > <Mail className ="h-5 w-5 text-base-content/40" /> </div > <input type ="email" className ={ `input input-bordered w-full pl-10 `} placeholder ="you@example.com" value ={formData.email} onChange ={(e) => setFormData({ ...formData, email: e.target.value }) } /> </div > </div > <div className ="form-control" > <label className ="label" > <span className ="label-text font-medium" > Password</span > </label > <div className ="relative" > <div className ="absolute inset-y-0 left-0 pl-3 flex items-center pointer-events-none" > <Lock className ="h-5 w-5 text-base-content/40" /> </div > <input type ={showPassword ? "text " : "password "} className ={ `input input-bordered w-full pl-10 `} placeholder ="••••••••" value ={formData.password} onChange ={(e) => setFormData({ ...formData, password: e.target.value }) } /> <button type ="button" className ="absolute inset-y-0 right-0 pr-3 flex items-center" onClick ={() => setShowPassword(!showPassword)} > {showPassword ? ( <EyeOff className ="h-5 w-5 text-base-content/40" /> ) : ( <Eye className ="h-5 w-5 text-base-content/40" /> )} </button > </div > </div > <button type ="submit" className ="btn btn-primary w-full" disabled ={isLoggingIn} > {isLoggingIn ? ( <> <Loader2 className ="h-5 w-5 animate-spin" /> Loading... </> ) : ( "Sign in" )} </button > </form > <div className ="text-center" > <p className ="text-base-content/60" > Don' t have an account?{" "} <Link to ="/signup" className ="link link-primary" > Create account </Link > </p > </div > </div > </div > {} <AuthImagePattern title={"Welcome back!" } subtitle={ "Sign in to continue your conversations and catch up with your messages." } /> </div> ); }; export default LoginPage ;
个人资料页 ProfilePage 该页面提供页面逻辑如下
显示用户信息
读取本地图片
更新图片信息
首先显示用户个人信息部分,直接调用状态管理库中的用户数据即可1 const { authUser, isUpdatingProfile, updateProfile } = useAuthStore ();
读取本地图片即读取本地文件,需要用到fileReader()
文件读取器 通过如下方式将图片读取为DataURL
数据流,再作为参数传入updateProfile()
方法中更改图片1 2 3 4 5 6 7 8 9 10 11 12 13 14 const handleImageUpload = async (e ) => { const file = e.target .files [0 ]; if (!file) return ; const reader = new FileReader (); reader.readAsDataURL (file); reader.onload = async () => { const base64Image = reader.result setSelectedImg (base64Image); await updateProfile ({profileImage :base64Image}); }; };
完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 import React from "react" ;import { useAuthStore } from "../store/useAuthStore.js" ;import { Camera , Mail , User } from "lucide-react" ;const ProfilePage = ( ) => { const { authUser, isUpdatingProfile, updateProfile } = useAuthStore (); const [selectedImg, setSelectedImg] = React .useState (null ); const handleImageUpload = async (e ) => { const file = e.target .files [0 ]; if (!file) return ; const reader = new FileReader (); reader.readAsDataURL (file); reader.onload = async () => { const base64Image = reader.result setSelectedImg (base64Image); await updateProfile ({profileImage :base64Image}); }; }; return ( <div className ="h-full pt-20" > <div className ="max-w-2xl mx-auto p-4 py-8" > <div className ="bg-base-300 rounded-xl p-6 space-y-8" > <div className ="text-center" > <h1 className ="text-2xl font-semibold " > Profile</h1 > <p className ="mt-2" > Your profile information</p > </div > {/* avatar upload section */} <div className ="flex flex-col items-center gap-4" > <div className ="relative" > <img src ={selectedImg || authUser.profileImage || "/avatar.png "} alt ="Profile" className ="size-32 rounded-full object-cover border-4 " /> <label htmlFor ="avatar-upload" className ={ ` absolute bottom-0 right-0 bg-base-content hover:scale-105 p-2 rounded-full cursor-pointer transition-all duration-200 ${isUpdatingProfile ? "animate-pulse pointer-events-none " : ""} `} > <Camera className ="w-5 h-5 text-base-200" /> <input type ="file" id ="avatar-upload" className ="hidden" accept ="image/*" onChange ={handleImageUpload} disabled ={isUpdatingProfile} /> </label > </div > <p className ="text-sm text-zinc-400" > {isUpdatingProfile ? "Uploading..." : "Click the camera icon to update your photo"} </p > </div > <div className ="space-y-6" > <div className ="space-y-1.5" > <div className ="text-sm text-zinc-400 flex items-center gap-2" > <User className ="w-4 h-4" /> Full Name </div > <p className ="px-4 py-2.5 bg-base-200 rounded-lg border" > {authUser?.fullName} </p > </div > <div className ="space-y-1.5" > <div className ="text-sm text-zinc-400 flex items-center gap-2" > <Mail className ="w-4 h-4" /> Email Address </div > <p className ="px-4 py-2.5 bg-base-200 rounded-lg border" > {authUser?.email} </p > </div > </div > <div className ="mt-6 bg-base-300 rounded-xl p-6" > <h2 className ="text-lg font-medium mb-4" > Account Information</h2 > <div className ="space-y-3 text-sm" > <div className ="flex items-center justify-between py-2 border-b border-zinc-700" > <span > Member Since</span > <span > {authUser.createdAt?.split("T")[0]}</span > </div > <div className ="flex items-center justify-between py-2" > <span > Account Status</span > <span className ="text-green-500" > Active</span > </div > </div > </div > </div > </div > </div > ); }; export default ProfilePage ;
设置页 SettingPage 设置页的工作即提供主题切换功能,包括:
主题预览
主题切换
项目中应用的主体功能为daisyui
中提供的主题功能,其使用方法为在组件根元素中设置data-theme = { themeName }
来修改ui
主题,因此我们只需要在全局对主题进行动态配置,即引入一个全局状态theme
即可 在store/useThemeStore.js
中添加关于主题的状态仓库1 2 3 4 5 6 7 8 9 import { create } from "zustand" ;export const useThemeStore = create ((set ) => ({ theme : localStorage .getItem ("chat-theme" ) || "coffee" , setTheme : (theme ) => { localStorage .setItem ("chat-theme" , theme); set ({ theme }); }, }));
其他部分就不必多说了,在外层组件调取theme
并动态绑定即可
Setting Page
中的主题预览功能则是通过循环渲染实现,其循环列表则作为常量被保存在常量文件夹中 详细代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 import React from "react" ;import { THEMES } from "../constants" ;import { useThemeStore } from "../store/useThemeStore" ;import { Send } from "lucide-react" ;const PREVIEW_MESSAGES = [ { id : 1 , content : "Hey! How's it going?" , isSent : false }, { id : 2 , content : "I'm doing great! Just working on some new features." , isSent : true , }, ]; const SettingPage = ( ) => { const { theme, setTheme } = useThemeStore (); return ( <div className ="space-y-6 pt-20 p-12" > <div className ="flex flex-col gap-1" > <h2 className ="text-lg font-semibold" > Theme</h2 > <p className ="text-sm text-base-content/70" > Choose a theme for your chat interface </p > </div > <div className ="grid grid-cols-4 sm:grid-cols-6 md:grid-cols-8 gap-2" > {THEMES.map((t) => ( <button key ={t} className ={ ` group flex flex-col items-center gap-1.5 p-2 rounded-lg transition-colors ${theme === t ? "bg-base-200 " : "hover:bg-base-200 /50 "} `} onClick ={() => setTheme(t)} > <div className ="relative h-8 w-full rounded-md overflow-hidden" data-theme ={t} > <div className ="absolute inset-0 grid grid-cols-4 gap-px p-1" > <div className ="rounded bg-primary" > </div > <div className ="rounded bg-secondary" > </div > <div className ="rounded bg-accent" > </div > <div className ="rounded bg-neutral" > </div > </div > </div > <span className ="text-[11px] font-medium truncate w-full text-center" > {t.charAt(0).toUpperCase() + t.slice(1)} </span > </button > ))} </div > {/* Preview Section */} <h3 className ="text-lg font-semibold mb-3" > Preview</h3 > <div className ="rounded-xl border border-base-300 overflow-hidden bg-base-100 shadow-lg" > <div className ="p-4 bg-base-200" > <div className ="max-w-lg mx-auto" > {/* Mock Chat UI */} <div className ="bg-base-100 rounded-xl shadow-sm overflow-hidden" > {/* Chat Header */} <div className ="px-4 py-3 border-b border-base-300 bg-base-100" > <div className ="flex items-center gap-3" > <div className ="w-8 h-8 rounded-full bg-primary flex items-center justify-center text-primary-content font-medium" > J </div > <div > <h3 className ="font-medium text-sm" > John Doe</h3 > <p className ="text-xs text-base-content/70" > Online</p > </div > </div > </div > {/* Chat Messages */} <div className ="p-4 space-y-4 min-h-[200px] max-h-[200px] overflow-y-auto bg-base-100" > {PREVIEW_MESSAGES.map((message) => ( <div key ={message.id} className ={ `flex ${ message.isSent ? "justify-end " : "justify-start " }`} > <div className ={ ` max-w- [80 %] rounded-xl p-3 shadow-sm ${ message.isSent ? "bg-primary text-primary-content " : "bg-base-200 " } `} > <p className ="text-sm" > {message.content}</p > <p className ={ ` text- [10px ] mt-1.5 ${ message.isSent ? "text-primary-content /70 " : "text-base-content /70 " } `} > 12:00 PM </p > </div > </div > ))} </div > {/* Chat Input */} <div className ="p-4 border-t border-base-300 bg-base-100" > <div className ="flex gap-2" > <input type ="text" className ="input input-bordered flex-1 text-sm h-10" placeholder ="Type a message..." value ="This is a preview" readOnly /> <button className ="btn btn-primary h-10 min-h-0" > <Send size ={18} /> </button > </div > </div > </div > </div > </div > </div > </div > ); }; export default SettingPage ;
主页 HomePage 主页可分为两个部分,分别是侧边栏SideBar
和聊天区ChatContainer
其中,侧边栏部分实现的功能逻辑如下:
设置用户列表
设置选择用户
设置是否只查看在线用户
局部状态和方法如下:1 2 3 4 5 6 7 8 9 10 11 12 13 14 const { users, getUser, selectedUser, setSelectedUser, isUserLoading } = useChatStore (); const [showOnlineOnly, setShowOnlineOnly] = useState (false );const { onlineUsers } = useAuthStore ();const filteredUsers = showOnlineOnly ? users.filter ((user ) => onlineUsers.includes (user._id )) : users; useEffect (() => { getUser (); }, [getUser]);
首先触发一次getUser
函数获取用户列表,随后根据用户列表循环渲染,再通过点击选定用户设置选定用户 完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 import React , { useEffect, useState } from "react" ;import { useChatStore } from "../store/useChatStore" ;import { useAuthStore } from "../store/useAuthStore" ;import SidebarSkeleton from "./skeletons/sidebarSkeleton" ;import { Users } from "lucide-react" ;const SideBar = ( ) => { const { users, getUser, selectedUser, setSelectedUser, isUserLoading } = useChatStore (); const [showOnlineOnly, setShowOnlineOnly] = useState (false ); const { onlineUsers } = useAuthStore (); const filteredUsers = showOnlineOnly ? users.filter ((user ) => onlineUsers.includes (user._id )) : users; useEffect (() => { getUser (); }, [getUser]); if (isUserLoading) return <SidebarSkeleton /> ; return ( <aside className ="h-full w-20 lg:w-72 border-r border-base-300 flex flex-col transition-all duration-200" > <div className ="border-b border-base-300 w-full p-5" > <div className ="flex items-center gap-2" > <Users className ="size-6" /> <span className ="font-medium hidden lg:block" > Contacts</span > </div > {/* TODO: Online filter toggle */} <div className ="mt-3 hidden lg:flex items-center gap-2" > <label className ="cursor-pointer flex items-center gap-2" > <input type ="checkbox" checked ={showOnlineOnly} onChange ={(e) => setShowOnlineOnly(e.target.checked)} className="checkbox checkbox-sm" /> <span className ="text-sm" > Show online only</span > </label > <span className ="text-xs text-zinc-500" > ({onlineUsers.length - 1} online) </span > </div > </div > <div className ="overflow-y-auto w-full py-3" > {filteredUsers.map((user) => ( <button key ={user._id} onClick ={() => setSelectedUser(user)} className={` w-full p-3 flex items-center gap-3 hover:bg-base-300 transition-colors ${ selectedUser?._id === user._id ? "bg-base-300 ring-1 ring-base-300" : "" } `} > <div className ="relative mx-auto lg:mx-0" > <img src ={user.profileImage || "/avatar.png "} alt ={user.name} className ="size-12 object-cover rounded-full" /> {onlineUsers.includes(user._id) && ( <span className ="absolute bottom-0 right-0 size-3 bg-green-500 rounded-full ring-2 ring-zinc-900" /> )} </div > {/* User info - only visible on larger screens */} <div className ="hidden lg:block text-left min-w-0" > <div className ="font-medium truncate" > {user.fullName}</div > <div className ="text-sm text-zinc-400" > {onlineUsers.includes(user._id) ? "Online" : "Offline"} </div > </div > </button > ))} {filteredUsers.length === 0 && ( <div className ="text-center text-zinc-500 py-4" > No online users</div > )} </div > </aside > ); }; export default SideBar ;
聊天区的主要功能逻辑还可分为两部分,分别是消息列表以及消息发送部分 其中,消息列表的功能逻辑如下:
根据选定用户的切换获取不同的消息列表
根据发送者和接收者在两边展示消息
消息列表根据选定用户变化的功能通过useEffect
钩子监听发送对象完成1 2 3 useEffect (() => { getMessages (selectedUser._id ); }, [getMessages, selectedUser._id ]);
确定发送者还是接收者则由authUser
和senderID
的对比完成,ui
使用daisyui
的对话框组件1 className={`chat ${message.senderID === authUser._id ? "chat-end" : "chat-start" } ` }
完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 import React , { useEffect } from "react" ;import { useChatStore } from "../store/useChatStore" ;import MessageSkeleton from "./skeletons/MessageSkeleton" ;import ChatHeader from "./ChatHeader" ;import MessageInput from "./MessageInput" ;import { useAuthStore } from "../store/useAuthStore" ;import { formatMessageTime } from "../lib/utils" ;const ChatContainer = ( ) => { const { messages, getMessages, isMessageLoading, selectedUser } = useChatStore (); const { authUser } = useAuthStore (); useEffect (() => { getMessages (selectedUser._id ); }, [getMessages, selectedUser._id ]); if (isMessageLoading) return ( <div className ="flex-1 flex flex-col overflow-auto" > <ChatHeader /> <MessageSkeleton /> <MessageInput /> </div > ); return ( <div className ="flex-1 flex flex-col overflow-auto" > <ChatHeader /> <div className ="flex-1 overflow-y-auto p-4 space-y-4" > {messages.map((message) => ( <div key ={message._id} className ={ `chat ${message.senderID === authUser._id ? "chat-end " : "chat-start "}`} > <div className ="chat-image avatar" > <div className ="size-10 rounded-full border" > <img src ={ message.senderID === authUser._id ? authUser.profileImage || "/avatar.png " : selectedUser.profileImage || "/avatar.png " } alt ="profile pic" /> </div > </div > <div className ="chat-header mb-1" > <time className ="text-xs opacity-50 ml-1" > {formatMessageTime(message.createdAt)} </time > </div > <div className ="chat-bubble flex flex-col" > {message.image && ( <img src ={message.image} alt ="Attachment" className ="sm:max-w-[200px] rounded-md mb-2" /> )} {message.text && <p > {message.text}</p > } </div > </div > ))} </div > <MessageInput /> </div > ); }; export default ChatContainer ;
消息发送部分则需要完成
普通消息发送
如果有图片需要发送图片
其对于图片的发送和profile
中图片的修改类似,都是设置FileReader
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 const handleImageChange = (e ) => { const file = e.target .files [0 ]; if (!file.type .startsWith ("image/" )) { toast.error ("Please select an image file" ); return ; } const reader = new FileReader (); reader.readAsDataURL (file); reader.onload = () => { setImagePreview (reader.result ); }; };
发送消息时根据文字和图片状态,有其一便调取api
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 const handleSendMessage = async (e ) => { e.preventDefault (); if (!text.trim () && !imagePreview) return try { await sendMessage ({text :text.trim (), image :imagePreview}) setText ("" ) setImagePreview (null ) if (fileInputRef.current ) { fileInputRef.current .value = "" ; }; } catch (error) { console .log ("fail to send message" , error); toast.error ("fail to send message" ) } };
完整代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 import React from "react" ;import { useState, useRef } from "react" ;import { useChatStore } from "../store/useChatStore.js" ;import { Send , Image , X } from "lucide-react" ;import toast from "react-hot-toast" ;const MessageInput = ( ) => { const [text, setText] = useState ("" ); const [imagePreview, setImagePreview] = useState (null ); const fileInputRef = useRef (null ); const { sendMessage } = useChatStore (); const handleImageChange = (e ) => { const file = e.target .files [0 ]; if (!file.type .startsWith ("image/" )) { toast.error ("Please select an image file" ); return ; } const reader = new FileReader (); reader.readAsDataURL (file); reader.onload = () => { setImagePreview (reader.result ); }; }; const removeImage = ( ) => { setImagePreview (null ); if (fileInputRef.current ) { fileInputRef.current .value = "" ; }; }; const handleSendMessage = async (e ) => { e.preventDefault (); if (!text.trim () && !imagePreview) return try { await sendMessage ({text :text.trim (), image :imagePreview}) setText ("" ) setImagePreview (null ) if (fileInputRef.current ) { fileInputRef.current .value = "" ; }; } catch (error) { console .log ("fail to send message" , error); toast.error ("fail to send message" ) } }; return ( <div className ="p-4 w-full" > {imagePreview && ( <div className ="mb-3 flex items-center gap-2" > <div className ="relative" > <img src ={imagePreview} alt ="Preview" className ="w-20 h-20 object-cover rounded-lg border border-zinc-700" /> <button onClick ={removeImage} className ="absolute -top-1.5 -right-1.5 w-5 h-5 rounded-full bg-base-300 flex items-center justify-center" type ="button" > <X className ="size-3" /> </button > </div > </div > )} <form onSubmit ={handleSendMessage} className ="flex items-center gap-2" > <div className ="flex-1 flex gap-2" > <input type ="text" className ="w-full input input-bordered rounded-lg input-sm sm:input-md" placeholder ="Type a message..." value ={text} onChange ={(e) => setText(e.target.value)} /> <input type ="file" accept ="image/*" className ="hidden" ref ={fileInputRef} onChange ={handleImageChange} /> <button type ="button" className ={ `hidden sm:flex btn btn-circle ${imagePreview ? "text-emerald-500 " : "text-zinc-400 "}`} onClick ={() => fileInputRef.current?.click()} > <Image size ={20} /> </button > </div > <button type ="submit" className ="btn btn-sm btn-circle" disabled ={!text.trim() && !imagePreview } > <Send size ={22} /> </button > </form > </div > ); }; export default MessageInput ;