• 【开箱即用】开发了一个基于环信IM聊天室的Vue3插件,从而快速实现仿直播间聊天窗功能


    前言

    由于看到有部分的需求为在页面层,快速的引入一个包,并且以简单的配置,就可以快速实现一个聊天窗口,因此尝试以 Vue3 插件的形式开发一个轻量的聊天窗口。

    这次简单分享一下此插件的实现思路,以及实现过程,并描述一下本次插件发布 npm 的过程。

    技术栈

    • Vue3
    • pnpm
    • Typescript
    • Vite

    插件核心目录设计

    📦 emchat-chatroom-widget
    ┣ 📂 build // 插件打包输出的目录
    ┣ 📂 demo // 验证插件demo相关目录
    ┣ 📂 scripts // 打包脚本目录
    ┣ 📂 src // 插件源代码
    ┃   ┣ 📂 components // 组件目录
    ┃   ┣ 📂 container // 容器组件目录
    ┃   ┣ 📂 EaseIM // 环信IM相关目录
    ┃   ┣ 📂 utils // 工具相关目录
    ┃   ┣ 📜 index.ts // 插件入口文件
    ┃   ┗ 📜 install.ts // 插件初始化文件
    ┣ 📜 package.json // 项目配置文件
    ┣ 📜 vite.config.ts // vite配置文件
    ┗ 📜 README.md // 项目说明文档
    ...
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15

    实现过程

    确认功能范围

    首先确认本次插件实现的功能范围,从而围绕要实现的功能着手进行开发准备。

    1. Vue3 框架使用
    2. 轻量配置、仅配置少量参数即可立即使用聊天功能
    3. 页面大小自适应,给定容器宽高,插件内部宽高自适应。
    4. 仅聊天室类型消息支持基础文本,表情,图片。
      暂时第一期仅支持这些功能范围。

    着手开发

    1、创建空白项目
    pnpm create vite emchat-chatroom-widget --template vue-ts
    
    • 1
    2、配置eslint pretter 等代码校验、以及代码风格工具。
    pnpm i eslint eslint-plugin-vue @typescript-eslint/eslint-plugin @typescript-eslint/parser -D
    
    • 1
    pnpm i prettier eslint-config-prettier eslint-plugin-prettier -D
    
    • 1

    同时也不要忘了创建对应的 .eslintrc.cjs.prettierrc.cjs

    这里遇到了一个问题:

    这几个文件以 cjs 结尾是因为 package.json 创建时设置了"type": "module" 后你的所有 js 文件默认使用 ESM 模块规范,不支持 commonjs 规范,所以必须显式的声明成 xxx.cjs 才能标识这个是用 commonjs 规范的,把你的配置都改成.cjs 后缀。

    3、配置 scripts 打包脚本

    目录下新建一个文件夹命名为scripts,新加一个 build.js 或者为.ts 文件。

    在该文件中引入vite进行打包时的配置。由于本次插件编写时使用了jsx语法进行编写,因此 vite 打包时也需要引入 jsx 打包插件。
    安装@vitejs/plugin-vue-jsx插件。

    const BASE_VITE_CONFIG = defineConfig({
      publicDir: false, //暂不需要打包静态资源到public文件夹
      plugins: [
        vue(),
        vueJSX(),
        // visualizer({
        //   emitFile: true,
        //   filename: "stats.html"
        // }),
        dts({
          outputDir: './build/types',
          insertTypesEntry: true, // 插入TS 入口
          copyDtsFiles: true, // 是否将源码里的 .d.ts 文件复制到 outputDir
        }),
      ],
    });
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16

    package.json中增加 build 脚本执行命令,

      "scripts": {
        "dev": "vite",
        "build": "vue-tsc && vite build",
        "preview": "vite preview",
        "lint": "eslint src --fix",
        "build:widget": "node ./scripts/build.js"
      },
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7

    整体 build.js 代码由于篇幅关系,可以后面查看文末的源码地址。

    4、 编写 Vue3 插件入口函数
    import type { App } from 'vue';
    import EasemobChatroom from './container';
    import { initEMClient } from './EaseIM';
    export interface IEeasemobOptions {
      appKey: string;
    }
    
    export default {
      install: (app: App, options: IEeasemobOptions) => {
        // 在这里编写插件代码
        console.log(app);
        console.log('options', options);
        if (options && options?.appKey) {
          initEMClient(options.appKey);
        } else {
          throw console.error('appKey不能为空');
        }
        app.component(EasemobChatroom.name, EasemobChatroom);
      },
    };
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    5、聊天插件入口代码

    聊天插件入口组件主要用来接收插件使用者所传递进来的一些必要参数,比如登录用户 id、密码、token、聊天室 id,以及针对初始化插件的初始状态。

    import { defineComponent, onMounted } from "vue"
    import { EMClient } from "../EaseIM"
    import { useManageChatroom } from "../EaseIM/mangeChatroom"
    import { manageEasemobApis } from "../EaseIM/imApis"
    import "./style/index.css"
    /* components */
    import MessageContainer from "./message"
    import InputBarContainer from "./inputbar"
    console.log("EMClient", EMClient)
    export default defineComponent({
      name: "EasemobChatroom",
      props: {
        username: {
          type: String,
          default: "",
          required: true
        },
        password: {
          type: String,
          default: ""
        },
        accessToken: {
          type: String,
          default: ""
        },
        chatroomId: {
          type: String,
          default: "",
          required: true
        }
      },
      setup(props) {
        const { setCurrentChatroomId } = useManageChatroom()
        const { loginIMWithPassword, loginIMWithAccessToken } = manageEasemobApis()
        const loginIM = async (): Promise<void> => {
          if (!EMClient) return
          try {
            if (props.accessToken) {
              await loginIMWithAccessToken(props.username, props.accessToken)
            } else {
              await loginIMWithPassword(props.username, props.password)
            }
          } catch (error: any) {
            throw `${error.data.message}`
          }
        }
        const closeIM = async (): Promise<void> => {
          console.log(">>>>>断开连接")
          //   EMClient.close()
        }
        onMounted(() => {
          loginIM()
          if (props.chatroomId) {
            setCurrentChatroomId(props.chatroomId)
          }
        })
        return {
          loginIM,
          closeIM
        }
      },
      render() {
        return (
          <>
            <div class={"easemob_chatroom_container"}>
              <MessageContainer />
              <InputBarContainer />
            </div>
          </>
        )
      }
    })
    
    
    • 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
    6、输入框组件代码

    主要处理插件输入框功能,实现消息文本内容,图片内容的发送。

    import { defineComponent, ref } from "vue"
    import { EasemobChat } from "easemob-websdk"
    import { EMClient } from "../EaseIM"
    import { useManageChatroom } from "../EaseIM/mangeChatroom"
    /* compoents */
    import InputEmojiComponent from "../components/InputEmojiComponent"
    import UploadImageComponent from "../components/UploadImageComponent"
    import "./style/inputbar.css"
    export enum PLACE_HOLDER_TEXT {
      TEXT = "Enter 发送输入的内容..."
    }
    export default defineComponent({
      name: "InputBarContainer",
      setup() {
        //基础文本发送
        const inputContent = ref("")
        const setInputContent = (event: Event) => {
          inputContent.value = (event.target as HTMLInputElement).value
        }
        const { currentChatroomId, loginUserInfo, sendDisplayMessage } =
          useManageChatroom()
        const sendMessage = async (event: KeyboardEvent) => {
          if (inputContent.value.match(/^\s*$/)) return
          if (event.code === "Enter" && !event.shiftKey) {
            event.preventDefault()
            console.log(">>>>>>调用发送方法")
            const param: EasemobChat.CreateTextMsgParameters = {
              chatType: "chatRoom",
              type: "txt",
              to: currentChatroomId.value,
              msg: inputContent.value,
              from: EMClient.user,
              ext: {
                nickname: loginUserInfo.nickname
              }
            }
            try {
              await sendDisplayMessage(param)
              inputContent.value = ""
            } catch (error) {
              console.log(">>>>>消息发送失败", error)
            }
          }
        }
        const appendEmojitoInput = (emoji: string) => {
          inputContent.value = inputContent.value + emoji
        }
        return () => (
          <>
            <div class={"input_bar_container"}>
              <div class={"control_strip_container"}>
                <InputEmojiComponent onAppendEmojitoInput={appendEmojitoInput} />
                <UploadImageComponent />
              </div>
    
              <div class={"message_content_input_box"}>
                <input
                  class={"message_content_input"}
                  type="text"
                  value={inputContent.value}
                  onInput={setInputContent}
                  placeholder={PLACE_HOLDER_TEXT.TEXT}
                  onKeyup={sendMessage}
                />
              </div>
            </div>
          </>
        )
      }
    })
    
    
    • 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
    7、消息列表组件代码

    渲染聊天室内收发的消息代码,以及列表滚动。

    import { defineComponent, nextTick, watch } from 'vue';
    import { useManageChatroom } from '../EaseIM/mangeChatroom';
    import { scrollBottom } from '../utils';
    import './style/message.css';
    import { EasemobChat } from 'easemob-websdk';
    const { messageCollect } = useManageChatroom();
    
    const MessageList = () => {
      const downloadSourceImage = (message: EasemobChat.MessageBody) => {
        if (message.type === 'img') {
          window.open(message.url);
        }
      };
      return (
        <>
          {messageCollect.length > 0 &&
            messageCollect.map((msgItem) => {
              return (
                <div class={'message_item_box'} key={msgItem.id}>
                  <div class={'message_item_nickname'}>
                    {msgItem?.ext?.nickname || msgItem.from}
                  </div>
                  {msgItem.type === 'txt' && (
                    <p class={'message_item_textmsg'}>{msgItem.msg}</p>
                  )}
                  {msgItem.type === 'img' && (
                    <img
                      style={'cursor: pointer;'}
                      onClick={() => {
                        downloadSourceImage(msgItem);
                      }}
                      src={msgItem.thumb}
                    />
                  )}
                </div>
              );
            })}
        </>
      );
    };
    export default defineComponent({
      name: 'MessageContainer',
      setup() {
        watch(messageCollect, () => {
          console.log('>>>>>>监听到消息列表改变');
          nextTick(() => {
            const messageContainer = document.querySelector('.message_container');
            setTimeout(() => {
              messageContainer && scrollBottom(messageContainer);
            }, 300);
          });
        });
    
        return () => {
          return (
            <>
              <div class='message_container'>
                <MessageList />
              </div>
            </>
          );
        };
      },
    });
    
    • 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
    8、聊天室内核心方法

    聊天室内部分状态管理

    import { EasemobChat } from "easemob-websdk"
    import { reactive, ref } from "vue"
    import { DisplayMessageType, ILoginUserInfo } from "../types/index"
    import { manageEasemobApis } from "../imApis/"
    const messageCollect = reactive<DisplayMessageType[]>([])
    const loginUserInfo: ILoginUserInfo = {
      loginUserId: "",
      nickname: ""
    }
    const currentChatroomId = ref("")
    export const useManageChatroom = () => {
      const setCurrentChatroomId = (roomId: string) => {
        currentChatroomId.value = roomId
      }
      const setLoginUserInfo = async (loginUserId: string) => {
        const { fetchLoginUserNickname } = manageEasemobApis()
        loginUserInfo.loginUserId = loginUserId
        try {
          const res = await fetchLoginUserNickname(loginUserId)
          loginUserInfo.nickname = res[loginUserId].nickname
          console.log(">>>>>>获取到用户属性", loginUserInfo.nickname)
        } catch (error) {
          console.log(">>>>>>获取失败")
        }
      }
      const pushMessageToList = (message: DisplayMessageType) => {
        messageCollect.push(message)
      }
      const sendDisplayMessage = async (payload: EasemobChat.CreateMsgType) => {
        const { sendTextMessage, sendImageMessage } = manageEasemobApis()
        return new Promise((resolve, reject) => {
          if (payload.type === "txt") {
            sendTextMessage(payload)
              .then(res => {
                messageCollect.push(res as unknown as EasemobChat.TextMsgBody)
                resolve(res)
              })
              .catch(err => {
                reject(err)
              })
          }
          if (payload.type === "img") {
            sendImageMessage(payload)
              .then(res => {
                messageCollect.push(res as unknown as EasemobChat.ImgMsgBody)
                resolve(res)
              })
              .catch(err => {
                reject(err)
              })
          }
        })
      }
    
      return {
        messageCollect,
        currentChatroomId,
        loginUserInfo,
        setCurrentChatroomId,
        sendDisplayMessage,
        pushMessageToList,
        setLoginUserInfo
      }
    }
    
    
    • 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

    实例化 IM SDK

    import EaseSDK, { EasemobChat } from "easemob-websdk"
    import { mountEaseIMListener } from "./listener"
    export let EMClient = {} as EasemobChat.Connection
    export const EMCreateMessage = EaseSDK.message.create
    export const initEMClient = (appKey: string) => {
      EMClient = new EaseSDK.connection({
        appKey: appKey
      })
      mountEaseIMListener(EMClient)
      return EMClient
    }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11

    挂载聊天室相关监听监听

    import { EasemobChat } from 'easemob-websdk';
    import { useManageChatroom } from '../mangeChatroom';
    import { manageEasemobApis } from '../imApis';
    export const mountEaseIMListener = (EMClient: EasemobChat.Connection) => {
      const { pushMessageToList, setLoginUserInfo, currentChatroomId } =
        useManageChatroom();
      const { joinChatroom } = manageEasemobApis();
      console.log('>>>mountEaseIMListener');
      EMClient.addEventHandler('connection', {
        onConnected: () => {
          console.log('>>>>>onConnected');
          joinChatroom();
          setLoginUserInfo(EMClient.user);
        },
        onDisconnected: () => {
          console.log('>>>>>Disconnected');
        },
        onError: (error: any) => {
          console.log('>>>>>>Error', error);
        },
      });
      EMClient.addEventHandler('message', {
        onTextMessage(msg) {
          if (msg.chatType === 'chatRoom' && msg.to === currentChatroomId.value) {
            pushMessageToList(msg);
          }
        },
        onImageMessage(msg) {
          if (msg.chatType === 'chatRoom' && msg.to === currentChatroomId.value) {
            pushMessageToList(msg);
          }
        },
      });
      EMClient.addEventHandler('chatroomEvent', {
        onChatroomEvent(eventData) {
          console.log('>>>>chatroomEvent', eventData);
        },
      });
    };
    
    • 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

    使用方式

    npm install emchat-chatroom-widget
    
    • 1
    import EMChatroom from "emchat-chatroom-widget/emchat-chatroom-widget.esm.js"
    //引入插件内部样式
    import "emchat-chatroom-widget/style.css"
    //appKey 需从环信申请
    createApp(App)
      .use(EMChatroom, {
        appKey: "easemob#XXX"
      })
      .mount("#app")
    
      //模版组件内使用
      /**
       * @param {username} string
       * @param {password} string
       * @param {accessToken} string
       * @param {chatroomId} string
       */
        <EasemobChatroom
          :username="'hfp'"
          :password="'1'"
          :chatroomId="'208712152186885'"
        >
        </EasemobChatroom>
    
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24

    最终效果

    image.png

    相关代码

    Github 源码地址

    npm 相关包地址

    参考资料

    注册环信

    环信官方 Web 端相关文档

    【前端工程化-组件库】从 0-1 构建 Vue3 组件库(组件开发)

    使用 TSX 编写 Vue3 组件

  • 相关阅读:
    Qt之延时总结
    基于FTP的载荷投递
    springboot集成elasticsearch
    小程序开发.uniapp.生命周期
    牛客NC221 集合的所有子集(二)【中等 深度优先,子集,排列组合 C++/Java/Go/PHP】
    java计算机毕业设计二手车商城MyBatis+系统+LW文档+源码+调试部署
    Java版分布式微服务云开发架构 Spring Cloud+Spring Boot+Mybatis 电子招标采购系统功能清单
    Java实现SQL分页
    基于RSSI的室内wifi定位系统 计算机竞赛
    iMazing 2.17.10官方中文版含2023最新激活许可证码
  • 原文地址:https://blog.csdn.net/huan132456765/article/details/132811241