当前位置:   article > 正文

WebSocket 来单提醒和客户催单功能

WebSocket 来单提醒和客户催单功能

一:WebSocket

WebSocket 是基于 TCP 的一种新的网络协议。它实现了浏览器与服务器全双工通信——浏览器和服务器只需要完成一次握手,两者之间就可以创建持久性的连接, 并进行双向数据传输。

 

HTTP协议和WebSocket协议对比:

  • HTTP是短连接 WebSocket是长连接
  • HTTP通信是单向的,基于请求响应模式
  • WebSocket支持双向通信
  • HTTP和WebSocket底层都是TCP连接 

 应用场景:

  • 视频弹幕
  • 网页聊天
  • 体育实况更新
  • 股票基金报价实时更新

二: WebSocket的使用步骤(入门小程序):

  • 1:先准备一个html页面
  • websocket是一个客户端和服务端前后交互的页面,所以要编写入门小程序肯定要有一个前端。
  • 2:导入maven坐标
  • 3:编写WebSocketServer类
  • 这有点像我们处理http请求时候编写的Controll类
  • 4:导入配置类WebSocketConfiguration,注册WebSocket的服务端组件
  • 5:导入定时任务类WebSocketTask,定时向客户端推送数据(这是一个测试方法)

前端页面代码:

  1. <!DOCTYPE HTML>
  2. <html>
  3. <head>
  4. <meta charset="UTF-8">
  5. <title>WebSocket Demo</title>
  6. </head>
  7. <body>
  8. <input id="text" type="text" />
  9. <button onclick="send()">发送消息</button>
  10. <button onclick="closeWebSocket()">关闭连接</button>
  11. <div id="message">
  12. </div>
  13. </body>
  14. <script type="text/javascript">
  15. var websocket = null;
  16. var clientId = Math.random().toString(36).substr(2);
  17. //判断当前浏览器是否支持WebSocket
  18. if('WebSocket' in window){
  19. //连接WebSocket节点
  20. websocket = new WebSocket("ws://localhost:8080/ws/"+clientId);
  21. }
  22. else{
  23. alert('Not support websocket')
  24. }
  25. //连接发生错误的回调方法
  26. websocket.onerror = function(){
  27. setMessageInnerHTML("error");
  28. };
  29. //连接成功建立的回调方法
  30. websocket.onopen = function(){
  31. setMessageInnerHTML("连接成功");
  32. }
  33. //接收到消息的回调方法
  34. websocket.onmessage = function(event){
  35. setMessageInnerHTML(event.data);
  36. }
  37. //连接关闭的回调方法
  38. websocket.onclose = function(){
  39. setMessageInnerHTML("close");
  40. }
  41. //监听窗口关闭事件,当窗口关闭时,主动去关闭websocket连接,防止连接还没断开就关闭窗口,server端会抛异常。
  42. window.onbeforeunload = function(){
  43. websocket.close();
  44. }
  45. //将消息显示在网页上
  46. function setMessageInnerHTML(innerHTML){
  47. document.getElementById('message').innerHTML += innerHTML + '<br/>';
  48. }
  49. //发送消息
  50. function send(){
  51. var message = document.getElementById('text').value;
  52. websocket.send(message);
  53. }
  54. //关闭连接
  55. function closeWebSocket() {
  56. websocket.close();
  57. }
  58. </script>
  59. </html>

WebSocketServer类:

  1. package com.sky.websocket;
  2. import org.springframework.stereotype.Component;
  3. import javax.websocket.OnClose;
  4. import javax.websocket.OnMessage;
  5. import javax.websocket.OnOpen;
  6. import javax.websocket.Session;
  7. import javax.websocket.server.PathParam;
  8. import javax.websocket.server.ServerEndpoint;
  9. import java.util.Collection;
  10. import java.util.HashMap;
  11. import java.util.Map;
  12. /**
  13. * WebSocket服务
  14. */
  15. @Component
  16. @ServerEndpoint("/ws/{sid}")
  17. public class WebSocketServer {
  18. //存放会话对象
  19. private static Map<String, Session> sessionMap = new HashMap();
  20. /**
  21. * 连接建立成功调用的方法
  22. */
  23. @OnOpen
  24. public void onOpen(Session session, @PathParam("sid") String sid) {
  25. System.out.println("客户端:" + sid + "建立连接");
  26. sessionMap.put(sid, session);
  27. }
  28. /**
  29. * 收到客户端消息后调用的方法
  30. *
  31. * @param message 客户端发送过来的消息
  32. */
  33. @OnMessage
  34. public void onMessage(String message, @PathParam("sid") String sid) {
  35. System.out.println("收到来自客户端:" + sid + "的信息:" + message);
  36. }
  37. /**
  38. * 连接关闭调用的方法
  39. *
  40. * @param sid
  41. */
  42. @OnClose
  43. public void onClose(@PathParam("sid") String sid) {
  44. System.out.println("连接断开:" + sid);
  45. sessionMap.remove(sid);
  46. }
  47. /**
  48. * 群发
  49. *
  50. * @param message
  51. */
  52. public void sendToAllClient(String message) {
  53. Collection<Session> sessions = sessionMap.values();
  54. for (Session session : sessions) {
  55. try {
  56. //服务器向客户端发送消息
  57. session.getBasicRemote().sendText(message);
  58. } catch (Exception e) {
  59. e.printStackTrace();
  60. }
  61. }
  62. }
  63. }

 WebSocket配置类:

  1. package com.sky.config;
  2. import org.springframework.context.annotation.Bean;
  3. import org.springframework.context.annotation.Configuration;
  4. import org.springframework.web.socket.server.standard.ServerEndpointExporter;
  5. /**
  6. * WebSocket配置类,用于注册WebSocket的Bean
  7. */
  8. @Configuration
  9. public class WebSocketConfiguration {
  10. @Bean
  11. public ServerEndpointExporter serverEndpointExporter() {
  12. return new ServerEndpointExporter();
  13. }
  14. }

 WebSocketTask

这个类和websocket技术没什么关系,只是用来测试。

  1. package com.sky.task;
  2. import com.sky.websocket.WebSocketServer;
  3. import org.springframework.beans.factory.annotation.Autowired;
  4. import org.springframework.scheduling.annotation.Scheduled;
  5. import org.springframework.stereotype.Component;
  6. import java.time.LocalDateTime;
  7. import java.time.format.DateTimeFormatter;
  8. @Component
  9. public class WebSocketTask {
  10. @Autowired
  11. private WebSocketServer webSocketServer;
  12. /**
  13. * 通过WebSocket每隔5秒向客户端发送消息
  14. */
  15. @Scheduled(cron = "0/5 * * * * ?")
  16. public void sendMessageToClient() {
  17. webSocketServer.sendToAllClient
  18. ("这是来自服务端的消息:" + DateTimeFormatter.ofPattern("HH:mm:ss").format(LocalDateTime.now()));
  19. }
  20. }

结果展示:

客户端:

服务端: 

WebSocket缺点:

  • 服务器长期维护长连接需要一定的成本
  • 各个浏览器支持程度不一
  • WebSocket 是长连接,受网络限制比较大,需要处理好重连

三:来单提醒实现:

需求分析:

用户下单并且支付成功后,需要第一时间通知外卖商家。通知的形式有如下两种:

  1. 语音播报
  2. 弹出提示框

 设计:

  • 通过WebSocket实现管理端页面和服务端保持长连接状态
  • 当客户支付后,调用WebSocket的相关API实现服务端向客户端推送消息
  • 客户端浏览器解析服务端推送的消息,判断是来单提醒还是客户催单,进行相应的消息提示和语音播报
  • 约定服务端发送给客户端浏览器的数据格式为JSON,字段包括:type,orderId,content 

        type 为消息类型:1为来单提醒   2为客户催单

        orderId 为订单id

        content 为消息内容

最后一步:服务端发送给客户端浏览器的数据这一步的发送的东西其实是依照这个业务来制定的。

具体代码实现:

在OrderServiceImpl中先自动导入WebSocketServer

 在serviceOrderServiceImpl的payment方法中写入如下代码:

  1. //用户支付成功之后,通过websocket给客户端浏览器
  2. //封装数据
  3. Map map = new HashMap();
  4. map.put("type",1);
  5. map.put("orderId",this.orders.getId());
  6. map.put("content","订单号"+this.orders.getNumber());
  7. //将map数据转成json
  8. String json = JSON.toJSONString(map);
  9. webSocketServer.sendToAllClient(json);

视频中教的是在paySuccess中写这段代码

不过我们因为支付功能的不能使用,默认都是直接支付成功,这样就跳过了在paySuccess中更改订单状态的步骤,我们直接在payment方法中做,

所以我们的来单提醒的操作也需要放在payment方法中。

最后还有一个点就是这个语音播报我一开始播不出来,这个不是代码的问题,是我的浏览器设置阻止了语音 

这里直接改成允许就行

还有一个需要把WebSocketTask这个类中的每五秒播报一次注释掉。

 

 四:客户催单:

        需求分析:

用户在小程序中点击催单按钮后,需要第一时间通知外卖商家。

通知的形式有如下两种:

  • 语音播报
  • 弹出提示框

 

 设计:

这里的设计其实和上面的来单提醒功能很相似

  • 通过WebSocket实现管理端页面和服务端保持长连接状态
  • 当客户支付后,调用WebSocket的相关API实现服务端向客户端推送消息
  • 客户端浏览器解析服务端推送的消息,判断是来单提醒还是客户催单,进行相应的消息提示和语音播报
  • 约定服务端发送给客户端浏览器的数据格式为JSON,字段包括:type,orderId,content 

        type 为消息类型:1为来单提醒   2为客户催单

        orderId 为订单id

        content 为消息内容

接口设计:

具体代码实现:

Controll层:
  1. /**
  2. * 用户催单
  3. * @param orderId
  4. * @return
  5. */
  6. @GetMapping("/reminder/{id}")
  7. @ApiOperation("用户催单")
  8. public Result reminder(@PathVariable("id") Long orderId){
  9. orderService.reminder(orderId);
  10. return Result.success();
  11. }
Service层:
  1. /**
  2. * 用户催单
  3. * @param orderId
  4. * @return
  5. */
  6. @Override
  7. public void reminder(Long orderId) {
  8. //根据订单id查询订单
  9. Orders ordersDB = orderMapper.getByNumber(String.valueOf(orderId));
  10. if(ordersDB == null){
  11. throw new OrderBusinessException(MessageConstant.ORDER_STATUS_ERROR);
  12. }
  13. //用户支付成功之后,通过websocket给客户端浏览器
  14. //封装数据
  15. Map map = new HashMap();
  16. map.put("type",1);
  17. map.put("orderId",this.orders.getId());
  18. map.put("content","订单号"+this.orders.getNumber());
  19. //将map数据转成json
  20. String json = JSON.toJSONString(map);
  21. webSocketServer.sendToAllClient(json);
  22. }

整体的思路就和刚刚的来单提醒差不多。

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/小丑西瓜9/article/detail/580960
推荐阅读
相关标签
  

闽ICP备14008679号