html5客服系统源码(客服系统源码)

h5效果图 h5页面聊天 vue效果图 vue页面聊天 功能实现 springboot+webSocket实现官方地址https://docs.spring.io/spring-framework/docs/5.0.8.RELEASE/spring-framework-reference/web.html#websocket maven配置文件 <dependencies> <d…

h5效果图

spring boot vue实现H5聊天室客服功能

h5页面聊天

vue效果图

spring boot vue实现H5聊天室客服功能

vue页面聊天

功能完成

  • spring boot webSocket 实现
  • 官方网详细地址 https://docs.spring.io/spring-framework/docs/5.0.8.RELEASE/spring-framework-reference/web.html#websocket

maven 环境变量

    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-thymeleaf</artifactId>
        </dependency>
        <dependency>
            <groupId>com.alibaba</groupId>
            <artifactId>fastjson</artifactId>
            <version>1.2.78</version>
        </dependency>

        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-websocket</artifactId>
        </dependency>
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
    </dependencies>

webSocket 配备

package com.example.webchat.config;

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.socket.WebSocketHandler;
import org.springframework.web.socket.config.annotation.EnableWebSocket;
import org.springframework.web.socket.config.annotation.WebSocketConfigurer;
import org.springframework.web.socket.config.annotation.WebSocketHandlerRegistry;
import org.springframework.web.socket.server.standard.ServletServerContainerFactoryBean;

/**
 * @author Mr.Fang
 * @title: WebSocketConfig
 * @Description: web socket 配备
 * @date 2021/11/14 13:12
 */
@Configuration
@EnableWebSocket
public class WebSocketConfig implements WebSocketConfigurer {

    @Override
    public void registerWebSocketHandlers(WebSocketHandlerRegistry registry) {
        registry.addHandler(myHandler(), \"myHandler/\") // 浏览途径
                .addInterceptors(new WebSocketHandlerInterceptor())  // 配备回调函数
                .setAllowedOrigins(\"*\"); // 跨域请求
    }
    @Bean
    public ServletServerContainerFactoryBean createWebSocketContainer() {
        ServletServerContainerFactoryBean container = new ServletServerContainerFactoryBean();
        container.setMaxTextMessageBufferSize(8192);  // 例如信息缓冲区域尺寸、空余请求超时等
        container.setMaxBinaryMessageBufferSize(8192);
        return container;
    }
    @Bean
    public WebSocketHandler myHandler() {
        return new MyHandler();
    }

}

信息解决类

package com.example.webchat.config;

import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.JSONObject;
import com.example.webchat.pojo.DataVo;
import org.springframework.web.socket.CloseStatus;
import org.springframework.web.socket.TextMessage;
import org.springframework.web.socket.WebSocketSession;
import org.springframework.web.socket.handler.AbstractWebSocketHandler;

import java.io.IOException;
import java.util.*;
import java.util.concurrent.ConcurrentHashMap;

/**
 * @author Mr.Fang
 * @title: MyHandler
 * @Description: 信息解决类
 * @date 2021/11/14 13:12
 */
public class MyHandler extends AbstractWebSocketHandler {
    private static int onlineCount = 0;
    //    线程安全
    private static Map<String, WebSocketSession> userMap = new ConcurrentHashMap<>(); // 客户
    private static Map<String, WebSocketSession> adminMap = new ConcurrentHashMap<>(); // 客服

    /**
     * @Description: 联接取得成功以后
     * @param session
     * @return void
     * @Author Mr.Fang
     * @date 2021/11/14 13:15
     */
    @Override
    public void afterConnectionEstablished(WebSocketSession session) throws IOException {
        addOnlineCount(); // 现阶段客户加 1
        System.out.println(session.getId());
        Map<String, Object> map = session.getAttributes();
        Object token = map.get(\"token\");
        Object admin = map.get(\"admin\");
        DataVo dataVo = new DataVo();
        dataVo.setCode(9001).setMsg(\"连接取得成功\");
        if (Objects.nonNull(admin)) {
            adminMap.put(session.getId(), session); // 添加客服
        } else  {
            //        分配客服
            userMap.put(session.getId(), session); // 添加现阶段用户
            distribution(dataVo);
        }
        dataVo.setId(session.getId());
        System.out.println(\"用户连接取得成功:\"   admin);
        System.out.println(\"用户连接成功:\"   token);
        System.out.println(\"线上用户:\"   getOnlineCount());
        this.sendMsg(session, JSONObject.toJSONString(dataVo));
    }

    /**
     * @param vo
     * @return void
     * @Description: 分配客服
     * @Author Mr.Fang
     * @date 2021/11/14 13:13
     */
    private void distribution(DataVo vo) {
        if (adminMap.size() != 0) {
            Random random = new Random();
            int x = random.nextInt(adminMap.size());
            Set<String> values = adminMap.keySet();
            int j = 0;
            for (String str : values) {
                if (j == x) {
                    vo.setRecId(str);
                    System.out.println(\"分配ID:\"   str);
                    break;
                }
                j  ;
            }
        }
    }

    /**
     * @param session
     * @param message
     * @return void
     * @Description: 收取和发送信息
     * @Author Mr.Fang
     * @date 2021/11/14 13:13
     */
    @Override
    protected void handleTextMessage(WebSocketSession session, TextMessage message) throws Exception {

        System.out.print(\"用户ID:\"   session.getId());
        String payload = message.getPayload();
        System.out.println(\"接纳到的数据信息:\"   payload);
        DataVo dataVo = JSON.toJavaObject(JSON.parseObject(payload), DataVo.class); // json 转目标

        if (Objects.isNull(dataVo.getRecId()) || dataVo.getRecId().equals(\"\")) { // 用户客服为空 分配客服
            WebSocketSession socketSession = adminMap.get(session.getId());
            if (Objects.isNull(socketSession)) {
                this.distribution(dataVo);
            }
        }
        if (dataVo.getCode() == 9002) {
            if (Objects.nonNull(dataVo.getRecId())) { // user -> admin
                WebSocketSession socketSession = adminMap.get(dataVo.getRecId());
                dataVo.setSelfId(session.getId()).setRecId(\"\");
                this.sendMsg(socketSession, JSONObject.toJSONString(dataVo));
            } else if (Objects.nonNull(dataVo.getSelfId())) { // admin ->user
                WebSocketSession socketSession = userMap.get(dataVo.getSelfId());
                dataVo.setRecId(session.getId()).setSelfId(\"\");
                this.sendMsg(socketSession, JSONObject.toJSONString(dataVo));
            }
        }
    }

    /**
     * @param session
     * @param msg
     * @return void
     * @Description: 推送信息
     * @Author Mr.Fang
     * @date 2021/11/14 13:14
     */
    private void sendMsg(WebSocketSession session, String msg) throws IOException {
        session.sendMessage(new TextMessage(msg));
    }

    /**
     * @Description: 断掉连接以后
     * @param session
     * @param status
     * @return void
     * @Author Mr.Fang
     * @date 2021/11/14 13:14
     */
    @Override
    public void afterConnectionClosed(WebSocketSession session, CloseStatus status) {
        subOnlineCount(); // 现阶段用户加 1
        adminMap.remove(session.getId());
        userMap.remove(session.getId());
        System.out.println(\"用户断掉连接token:\"   session.getId());
        System.out.println(\"用户断开连接admin:\"   session.getId());
        System.out.println(\"线上用户:\"   getOnlineCount());

    }

    public static synchronized int getOnlineCount() {
        return onlineCount;
    }

    /**
     * @Description: 在线用户  1
     * @return void
     * @Author Mr.Fang
     * @date 2021/11/14 13:16
     */
    public static synchronized void addOnlineCount() {

        MyHandler.onlineCount  ;
    }

    /**
     * @Description: 线上用户 -1
     * @return void
     * @Author Mr.Fang
     * @date 2021/11/14 13:16
     */
    public static synchronized void subOnlineCount() {
        MyHandler.onlineCount--;
    }
}

配备回调函数

package com.example.webchat.config;

import org.springframework.http.server.ServerHttpRequest;
import org.springframework.http.server.ServerHttpResponse;
import org.springframework.http.server.ServletServerHttpRequest;
import org.springframework.web.socket.WebSocketHandler;
import org.springframework.web.socket.server.support.HttpSessionHandshakeInterceptor;

import javax.servlet.http.HttpServletRequest;
import java.util.Map;
import java.util.Objects;

/**
 * @author Mr.Fang
 * @title: WebSocketHandlerInterceptor
 * @Description: 拦截器
 * @date 2021/11/14 13:12
 */
public class WebSocketHandlerInterceptor extends HttpSessionHandshakeInterceptor {

    /**
     * @param request
     * @param response
     * @param wsHandler
     * @param attributes
     * @return boolean
     * @Description: 握手以前
     * @Author Mr.Fang
     * @date 2021/11/14 13:18
     */
    @Override
    public boolean beforeHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler, Map<String, Object> attributes) throws Exception {

        ServletServerHttpRequest servletRequest = (ServletServerHttpRequest) request;
        HttpServletRequest re = servletRequest.getServletRequest();
        Object token = re.getParameter(\"token\");
        Object admin = re.getParameter(\"admin\");
        if (Objects.isNull(token)) {
            return false;
        }
        re.getSession().setAttribute(\"admin\", admin);
        re.getSession().setAttribute(\"token\", token);
        return super.beforeHandshake(request, response, wsHandler, attributes);
    }

    /**
     * @param request
     * @param response
     * @param wsHandler
     * @param ex
     * @return boolean
     * @Description: 握手以后
     * @Author Mr.Fang
     * @date 2021/11/14 13:18
     */
    @Override
    public void afterHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler, Exception ex) {
        super.afterHandshake(request, response, wsHandler, ex);
    }
}

h5服务器端

<!DOCTYPE html>
<html>
	<head>
		<meta charset=\"utf-8\">
		<title>服务端</title>
		<style type=\"text/css\">
			#client {
				margin: 0px auto;
				width: 500px;
			}

			input {
				width: 80%;
				height: 40px;
				border-radius: 5px;
				border-color: #CCCCCC;
				outline: #01FA01;
			}

			#button {
				width: 84px;
				height: 46px;
				background-color: #5af3a5;
				color: #fff;
				font-size: 20px;
				border-radius: 5px;
				border: none;
				box-shadow: 1px 1px 1px 1px #ccc;
				cursor: pointer;
				outline: #01FA01;
			}
		</style>
	</head>
	<body>
		<div id=\"client\">
			<h1 style=\"text-align: center;\">服务器端推送信息</h1>
			<div id=\"content\" contenteditable=true
				style=\"width: 500px;height: 500px;margin: 0px auto;border: 1px solid #000000;padding: 10px;border-radius: 10px;overflow: auto;\">

			</div>
			<div style=\"padding: 5px;0px\">
				<input type=\"\" value=\"\" /> <button id=\"button\" type=\"button\">推送</button>
			</div>
		</div>
		<script src=\"http://code.jquery.com/jquery-2.1.1.min.js\"></script>
		<script type=\"text/javascript\">
			$(() => {
				var pushData = {
					code: 9002,
					msg: \'\',
					selfId: \'\',
				};
				var time = null;
				var path = \'ws://127.0.0.1:8009/myHandler/\';
				if (typeof(WebSocket) === \"undefined\") {
					alert(\'不兼容websocket\')
					return;
				}
				let id = Math.random(); // 随机数字
				// 创建对象socket
				var webSocket = new WebSocket(path   \'?token=\'   id \'&admin=1\');
				// 监视联接
				webSocket.onopen = function(event) {
					console.log(event);
					interval();
				};
				// 监视信息
				webSocket.onmessage = function(event) {
					let data = JSON.parse(event.data);
					 pushData.selfId = data.selfId;
					if (data.code == 9002) {
						$(\'#content\').append(
							`<p style=\"text-align: right;\"><span style=\"color:chocolate;\">${data.msg}</span>:手机客户端</p>`
						)
					} else if (data.code == 9001) {
						$(\'#content\').append(`<p style=\"color:#a09b9b;text-align:center;\" >联接取得成功</p>`);
					}
					console.log(event)
				};
				// 监视不正确
				webSocket.onerror = function(event) {
					console.log(event)
					$(\'#content\').append(`<p style=\"color:#a09b9b;text-align:center;\" >联接不正确</p>`);
					clearInterval();
				};
				// 推送信息
				$(\'#button\').click(() => {
					let v = $(\'input\').val();
					if (v) {
						pushData.code = 9002;
						pushData.msg = v;
						webSocket.send(JSON.stringify(pushData));
						$(\'#content\').append(
							`<p>服务器端:<span style=\"color: blueviolet;\">${v}</span></p>`
						)
						$(\'input\').val(\'\');
					}

				})

				function interval() {
					time = setInterval(() => {
						pushData.code = 9003;
						pushData.msg = \'心率\';
						webSocket.send(JSON.stringify(pushData));
					}, 5000);
				}

				function clearInterval() {
					clearInterval(time);
				}

			})
		</script>
	</body>
</html>

手机客户端

<!DOCTYPE html>
<html>
	<head>
		<meta charset=\"utf-8\">
		<title>客户端</title>
		<style type=\"text/css\">
			#client {
				margin: 0px auto;
				width: 500px;
			}

			input {
				width: 80%;
				height: 40px;
				border-radius: 5px;
				border-color: #CCCCCC;
				outline: #01FA01;
			}

			#button {
				width: 84px;
				height: 46px;
				background-color: #5af3a5;
				color: #fff;
				font-size: 20px;
				border-radius: 5px;
				border: none;
				box-shadow: 1px 1px 1px 1px #ccc;
				cursor: pointer;
				outline: #01FA01;
			}
		</style>
	</head>
	<body>
		<div id=\"client\">
			<h1 style=\"text-align: center;\">手机客户端推送信息</h1>
			<div id=\"content\" contenteditable=true
				style=\"width: 500px;height: 500px;margin: 0px auto;border: 1px solid #000000;padding: 10px;border-radius: 10px;overflow: auto;\">

			</div>
			<div style=\"padding: 5px;0px\">
				<input type=\"\" value=\"\" /> <button id=\"button\" type=\"button\">推送</button>
			</div>
		</div>
		<script src=\"http://code.jquery.com/jquery-2.1.1.min.js\"></script>
		<script type=\"text/javascript\">
			$(() => {
				var pushData = {
					code: 9002,
					msg: \'\',
					recId: \'\',
				};
				var time = null;
				var path = \'ws://127.0.0.1:8009/myHandler/\';
				if (typeof(WebSocket) === \"undefined\") {
					alert(\'不兼容websocket\')
					return;
				}
				let id = Math.random(); // 随机数字
				// 创建对象socket
				var webSocket = new WebSocket(path   \'?token=\'   id);
				// 监视联接
				webSocket.onopen = function(event) {
					console.log(event);
					interval();
				};
				// 监视信息
				webSocket.onmessage = function(event) {
					let data = JSON.parse(event.data);
					if (data.code == 9002) {
						$(\'#content\').append(
							`<p style=\"text-align: right;\"><span style=\"color:chocolate;\">${data.msg}</span>:服务器端</p>`
						)
					} else if (data.code == 9001) {
						$(\'#content\').append(`<p style=\"color:#a09b9b;text-align:center;\" >联接取得成功</p>`);
					}
					console.log(event)
				};
				// 监视不正确
				webSocket.onerror = function(event) {
					console.log(event)
					$(\'#content\').append(`<p style=\"color:#a09b9b;text-align:center;\" >联接不正确</p>`);
					clearInterval();
				};
				// 推送信息
				$(\'#button\').click(() => {
					let v = $(\'input\').val();
					if (v) {
						pushData.code = 9002;
						pushData.msg = v;
						webSocket.send(JSON.stringify(pushData));
						$(\'#content\').append(
							`<p>手机客户端:<span style=\"color: blueviolet;\">${v}</span></p>`
						)
						$(\'input\').val(\'\');
					}

				})

				function interval() {
					time = setInterval(() => {
						pushData.code = 9003;
						pushData.msg = \'心率\';
						webSocket.send(JSON.stringify(pushData));
					}, 5000);
				}

				function clearInterval() {
					clearInterval(time);
				}

			})
		</script>
	</body>
</html>

版权声明:本文内容由互联网用户自发贡献,该文观点仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容, 请发送邮件至 举报,一经查实,本站将立刻删除。

(1)
上一篇 2022年5月7日 下午1:41
下一篇 2022年5月7日 下午1:43

相关推荐

  • 宁王报警背后的投资启示(公安介入)

    被投资者称为“宁王”的宁德时代,再次成为市场焦点。 春节以来,宁德时代各种负面接踵而至,市值蒸发近2400亿元。对于大跌,媒体分析认为,幕后有3大推手。 这个周末,宁德时代出手报案,公安机关迅速介入。对于被制裁、被剔除创业板权重指数、与特斯拉谈崩等种种谣言,宁德时代做出澄清。 连续深跌之后,宁德时代的市盈率仍居114倍高位。另一方面,它的业绩依旧靓丽,同时,绝大多数机构仍然给予了买入或增持评级。 …

    2022年5月12日
    900
  • 优秀的创业文案分享,哪句话深得你心

    刷屏的文案很多,走心的却很少……下面这些句句扎心,有创过业的人多少都感同身受: “因为理想,成了兄弟,因为钱,成了仇敌。” “28岁,头发白了一半。” “感觉自己这次会成功,这种感觉已经是第六次。” “陪聊陪酒赔笑,赔本。” “怕配不上曾经的梦想,也怕辜负了所受的苦难。” “为了想做的事儿,去做不想做的事。” “在车里哭完,笑着走进办公室。” “刚来三天的新同事提离职,理由是他也决定去创业。” “…

    2022年7月11日
    600
  • 阿里巴巴面试流程要多久(阿里巴巴的入职流程图)

    应聘阿里是一个相对较长的流程,涉及岗位选择、简历投递、简历评估、技术面试、HR面试、背景调查、入职材料准备等环节。其中,关于技术面试,网上有很多优秀的攻略,但普遍聚焦于“纯知识点”总结,而阿里的技术面试并非单纯的知识点问答,单从技术层面做准备并不可取,此外,应聘流程中还有很多需要注意的点。 本场Chat将从招聘者和面试官的角度,详细解读应聘阿里全流程,主要内容如下: 岗位选择与简历投递;初见之下:…

    2022年10月19日
    550
  • 矢量素材网站有哪些,矢量图免费下载的网站推荐

    不会抠图怎么办? 不会用PS怎么办? 别担心, 对于不会抠图的小白来说 与其抠图, 不如给自己找好看的矢量素材 不是更好吗? 今天想给大家介绍4个实用好看的矢量素材网站,真的太好看啦! 1.阿里巴巴矢量图标库 阿里巴巴矢量图标库,功能比较强大,同时图标的内容非常丰富,可以提供矢量图标下载,还可以进行在线存储、格式转换,是非常好用的矢量素材库。 2.ICONFINDER ICONFINDER是一个专…

    2022年7月12日
    520
  • 现在男生最适合学什么,最吃香的男生八大专业

    填报高考志愿时,男生学什么专业好就业是广大考生和家长朋友们十分关心的问题,一般对于男生来说计算机类、电气类、机械类、土木类、经管类等都是就业不错的,甚至某些女生超多的文科专业男生更有竞争力,比如会计、医学、播音主持等专业,以下为大家推荐了8大类,几十个适合男生而且就业还不错的专业供选择。 一、经管类 推荐专业:经济学、金融学、投资学、国际经济与贸易、管理学、工程管理、工商管理、市场营销、会计学、财…

    2022年9月22日
    580
  • 手机新flash插件(电脑安装flash步骤)

    <317期>在往期科技来电酷玩地带中,我们介绍了可在安卓6.0上运行的flash软件——新flash游戏播放器,有了它你可以在手机上看flash视频以及玩.swf文件后缀的flash游戏,可有人问了“我能不能把电脑端的.exe文件后缀的flash游戏放在你的那个新flash游戏播放器里玩了?”当然可以,只不过要进行格式转换才行。 我们这里要说的exe转swf的软件不是大家常用的EXE2SWF…

    2022年5月5日
    1310
  • 练键盘指法的软件有哪些(新手学电脑步骤)

    在零基础的情况下,迅速通过自学键盘打字还需要下一定的功夫,首先,可以肯定的是,有许多按钮在键盘上,键盘有很多功能,划分为不同的区域,最常见的使用是主要的键盘区域,和打字在电脑上使用最是主键盘区26个英语字母是关键。因此,让我们从26种使用字母键进行输入的方法开始 首先,掌握从A到Z的26个英文字母,这是最基本的,最基本的知识,我相信很多人从小就知道。其次,掌握键盘上的顺序,因为它不是按字母顺序排列…

    2022年5月12日
    1090
  • 苹果se什么时候上市,苹果se刚上市的价格

    今晚,苹果官网正式上架了传闻已久的2020款iPhoneSE,搭载A13处理器,3299元起售。 新款 iPhoneSE外观依旧沿用iPhone8的设计,正面为4.7英寸LCD屏幕,1334×750像素分辨率,326 ppi;后置单摄,采用玻璃后盖以及金属边框设计,配备指纹ID模块;iPhoneSE具备IP67抗水性能,最多可在1米水深停留 30分钟;支持Wi-Fi6,重量为148克。 iPhon…

    2022年8月10日
    910
  • 网络营销培训班哪个比较靠谱,网络营销课程速成班

    学互联网营销哪儿好?如何挑选1个技术专业的网络营销培训组织?它是全部愿意从业互联网营销的人都关注的难题,互联网营销是现如今时期最关键的营销方法,能够说,一切公司都务必做互联网营销,不然等候它的只能衰落。 要弄清楚学互联网营销哪儿好的难题,人们最先得弄清楚互联网营销应当怎去做?它实际包括哪一方面的专业知识的难题,随之互联网营销的强盛,各种各样网络营销培训组织也五花八门,想学习网络营销的人务必挑选好的…

    2022年6月24日
    510
  • 自助建网站平台哪个好,免费自助建站排名

    在建立电子商务商店时,Shoppingcarts(自建站工具和渠道)的选择是你要做的重要决定之一。出于对你的需求、能力和未来计划的仔细考虑,你应该选择一个和你一起成长的平台。 什么是Shoppingcarts? Shoppingcarts是在线卖家必备的电商工具。它支持购买、接受付款并将订单信息传递给卖家和付款处理程序。它是你在线业务的基石,必须可靠、安全、快速并与你的网站无缝集成。 Shoppi…

    2022年6月23日
    690

发表回复

登录后才能评论

联系我们

400-800-8888

在线咨询: QQ交谈

邮件:admin@example.com

工作时间:周一至周五,9:30-18:30,节假日休息

关注微信