java 实现websocket的两种方式
简单说明
1.两种方式,一种使用tomcat的websocket实现,一种使用spring的websocket
2.tomcat的方式需要tomcat 7.x,JEE7的支持。
3.spring与websocket整合需要spring 4.x,并且使用了socketjs,对不支持websocket的浏览器可以模拟websocket使用
方式一:tomcat
使用这种方式无需别的任何配置,只需服务端一个处理类,
服务器端代码
- package com.Socket;
- import java.io.IOException;
- import java.util.Map;
- import java.util.concurrent.ConcurrentHashMap;
- import javax.websocket.*;
- import javax.websocket.server.PathParam;
- import javax.websocket.server.ServerEndpoint;
- import net.sf.json.JSONObject;
- @ServerEndpoint("/websocket/{username}")
- public class WebSocket {
- private static int onlineCount = 0;
- private static Map<String, WebSocket> clients = new ConcurrentHashMap<String, WebSocket>();
- private Session session;
- private String username;
- @OnOpen
- public void onOpen(@PathParam("username") String username, Session session) throws IOException {
- this.username = username;
- this.session = session;
- addOnlineCount();
- clients.put(username, this);
- System.out.println("已连接");
- }
- @OnClose
- public void onClose() throws IOException {
- clients.remove(username);
- subOnlineCount();
- }
- @OnMessage
- public void onMessage(String message) throws IOException {
- JSONObject jsonTo = JSONObject.fromObject(message);
- if (!jsonTo.get("To").equals("All")){
- sendMessageTo("给一个人", jsonTo.get("To").toString());
- }else{
- sendMessageAll("给所有人");
- }
- }
- @OnError
- public void onError(Session session, Throwable error) {
- error.printStackTrace();
- }
- public void sendMessageTo(String message, String To) throws IOException {
- // session.getBasicRemote().sendText(message);
- //session.getAsyncRemote().sendText(message);
- for (WebSocket item : clients.values()) {
- if (item.username.equals(To) )
- item.session.getAsyncRemote().sendText(message);
- }
- }
- public void sendMessageAll(String message) throws IOException {
- for (WebSocket item : clients.values()) {
- item.session.getAsyncRemote().sendText(message);
- }
- }
- public static synchronized int getOnlineCount() {
- return onlineCount;
- }
- public static synchronized void addOnlineCount() {
- WebSocket.onlineCount++;
- }
- public static synchronized void subOnlineCount() {
- WebSocket.onlineCount--;
- }
- public static synchronized Map<String, WebSocket> getClients() {
- return clients;
- }
- }
客户端js
- var websocket = null;
- var username = localStorage.getItem("name");
- //判断当前浏览器是否支持WebSocket
- if ('WebSocket' in window) {
- websocket = new WebSocket("ws://" + document.location.host + "/WebChat/websocket/" + username + "/"+ _img);
- } else {
- alert('当前浏览器 Not support websocket')
- }
- //连接发生错误的回调方法
- websocket.onerror = function() {
- setMessageInnerHTML("WebSocket连接发生错误");
- };
- //连接成功建立的回调方法
- websocket.onopen = function() {
- setMessageInnerHTML("WebSocket连接成功");
- }
- //接收到消息的回调方法
- websocket.onmessage = function(event) {
- setMessageInnerHTML(event.data);
- }
- //连接关闭的回调方法
- websocket.onclose = function() {
- setMessageInnerHTML("WebSocket连接关闭");
- }
- //监听窗口关闭事件,当窗口关闭时,主动去关闭websocket连接,防止连接还没断开就关闭窗口,server端会抛异常。
- window.onbeforeunload = function() {
- closeWebSocket();
- }
- //关闭WebSocket连接
- function closeWebSocket() {
- websocket.close();
- }
发送消息只需要使用websocket.send("发送消息"),就可以触发服务端的onMessage()方法,当连接时,触发服务器端onOpen()方法,此时也可以调用发送消息的方法去发送消息。关闭websocket时,触发服务器端onclose()方法,此时也可以发送消息,但是不能发送给自己,因为自己的已经关闭了连接,但是可以发送给其他人。
方法二:spring整合
此方式基于spring mvc框架,相关配置可以看我的相关博客文章
WebSocketConfig.java
这个类是配置类,所以需要在spring mvc配置文件中加入对这个类的扫描,第一个addHandler是对正常连接的配置,第二个是如果浏览器不支持websocket,使用socketjs模拟websocket的连接。
- package com.websocket;
- import org.springframework.context.annotation.Bean;
- import org.springframework.context.annotation.Configuration;
- 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.handler.TextWebSocketHandler;
- @Configuration
- @EnableWebSocket
- public class WebSocketConfig implements WebSocketConfigurer {
- @Override
- public void registerWebSocketHandlers(WebSocketHandlerRegistry registry) {
- registry.addHandler(chatMessageHandler(),"/webSocketServer").addInterceptors(new ChatHandshakeInterceptor());
- registry.addHandler(chatMessageHandler(), "/sockjs/webSocketServer").addInterceptors(new ChatHandshakeInterceptor()).withSockJS();
- }
- @Bean
- public TextWebSocketHandler chatMessageHandler(){
- return new ChatMessageHandler();
- }
- }
ChatHandshakeInterceptor.java
这个类的作用就是在连接成功前和成功后增加一些额外的功能,Constants.java类是一个工具类,两个常量。
- package com.websocket;
- import java.util.Map;
- import org.apache.shiro.SecurityUtils;
- import org.springframework.http.server.ServerHttpRequest;
- import org.springframework.http.server.ServerHttpResponse;
- import org.springframework.web.socket.WebSocketHandler;
- import org.springframework.web.socket.server.support.HttpSessionHandshakeInterceptor;
- public class ChatHandshakeInterceptor extends HttpSessionHandshakeInterceptor {
- @Override
- public boolean beforeHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler,
- Map<String, Object> attributes) throws Exception {
- System.out.println("Before Handshake");
- /*
- * if (request instanceof ServletServerHttpRequest) {
- * ServletServerHttpRequest servletRequest = (ServletServerHttpRequest)
- * request; HttpSession session =
- * servletRequest.getServletRequest().getSession(false); if (session !=
- * null) { //使用userName区分WebSocketHandler,以便定向发送消息 String userName =
- * (String) session.getAttribute(Constants.SESSION_USERNAME); if
- * (userName==null) { userName="default-system"; }
- * attributes.put(Constants.WEBSOCKET_USERNAME,userName);
- *
- * } }
- */
- //使用userName区分WebSocketHandler,以便定向发送消息(使用shiro获取session,或是使用上面的方式)
- String userName = (String) SecurityUtils.getSubject().getSession().getAttribute(Constants.SESSION_USERNAME);
- if (userName == null) {
- userName = "default-system";
- }
- attributes.put(Constants.WEBSOCKET_USERNAME, userName);
- return super.beforeHandshake(request, response, wsHandler, attributes);
- }
- @Override
- public void afterHandshake(ServerHttpRequest request, ServerHttpResponse response, WebSocketHandler wsHandler,
- Exception ex) {
- System.out.println("After Handshake");
- super.afterHandshake(request, response, wsHandler, ex);
- }
- }
ChatMessageHandler.java
这个类是对消息的一些处理,比如是发给一个人,还是发给所有人,并且前端连接时触发的一些动作
- package com.websocket;
- import java.io.IOException;
- import java.util.ArrayList;
- import org.apache.log4j.Logger;
- import org.springframework.web.socket.CloseStatus;
- import org.springframework.web.socket.TextMessage;
- import org.springframework.web.socket.WebSocketSession;
- import org.springframework.web.socket.handler.TextWebSocketHandler;
- public class ChatMessageHandler extends TextWebSocketHandler {
- private static final ArrayList<WebSocketSession> users;// 这个会出现性能问题,最好用Map来存储,key用userid
- private static Logger logger = Logger.getLogger(ChatMessageHandler.class);
- static {
- users = new ArrayList<WebSocketSession>();
- }
- /**
- * 连接成功时候,会触发UI上onopen方法
- */
- @Override
- public void afterConnectionEstablished(WebSocketSession session) throws Exception {
- System.out.println("connect to the websocket success......");
- users.add(session);
- // 这块会实现自己业务,比如,当用户登录后,会把离线消息推送给用户
- // TextMessage returnMessage = new TextMessage("你将收到的离线");
- // session.sendMessage(returnMessage);
- }
- /**
- * 在UI在用js调用websocket.send()时候,会调用该方法
- */
- @Override
- protected void handleTextMessage(WebSocketSession session, TextMessage message) throws Exception {
- sendMessageToUsers(message);
- //super.handleTextMessage(session, message);
- }
- /**
- * 给某个用户发送消息
- *
- * @param userName
- * @param message
- */
- public void sendMessageToUser(String userName, TextMessage message) {
- for (WebSocketSession user : users) {
- if (user.getAttributes().get(Constants.WEBSOCKET_USERNAME).equals(userName)) {
- try {
- if (user.isOpen()) {
- user.sendMessage(message);
- }
- } catch (IOException e) {
- e.printStackTrace();
- }
- break;
- }
- }
- }
- /**
- * 给所有在线用户发送消息
- *
- * @param message
- */
- public void sendMessageToUsers(TextMessage message) {
- for (WebSocketSession user : users) {
- try {
- if (user.isOpen()) {
- user.sendMessage(message);
- }
- } catch (IOException e) {
- e.printStackTrace();
- }
- }
- }
- @Override
- public void handleTransportError(WebSocketSession session, Throwable exception) throws Exception {
- if (session.isOpen()) {
- session.close();
- }
- logger.debug("websocket connection closed......");
- users.remove(session);
- }
- @Override
- public void afterConnectionClosed(WebSocketSession session, CloseStatus closeStatus) throws Exception {
- logger.debug("websocket connection closed......");
- users.remove(session);
- }
- @Override
- public boolean supportsPartialMessages() {
- return false;
- }
- }
spring-mvc.xml
正常的配置文件,同时需要增加对WebSocketConfig.java类的扫描,并且增加
- xmlns:websocket="http://www.springframework.org/schema/websocket"
- http://www.springframework.org/schema/websocket
- <a target="_blank" href="http://www.springframework.org/schema/websocket/spring-websocket-4.1.xsd">http://www.springframework.org/schema/websocket/spring-websocket-4.1.xsd</a>
客户端
- <script type="text/javascript"
- src="http://localhost:8080/Bank/js/sockjs-0.3.min.js"></script>
- <script>
- var websocket;
- if ('WebSocket' in window) {
- websocket = new WebSocket("ws://" + document.location.host + "/Bank/webSocketServer");
- } else if ('MozWebSocket' in window) {
- websocket = new MozWebSocket("ws://" + document.location.host + "/Bank/webSocketServer");
- } else {
- websocket = new SockJS("http://" + document.location.host + "/Bank/sockjs/webSocketServer");
- }
- websocket.onopen = function(evnt) {};
- websocket.onmessage = function(evnt) {
- $("#test").html("(<font color='red'>" + evnt.data + "</font>)")
- };
- websocket.onerror = function(evnt) {};
- websocket.onclose = function(evnt) {}
- $('#btn').on('click', function() {
- if (websocket.readyState == websocket.OPEN) {
- var msg = $('#id').val();
- //调用后台handleTextMessage方法
- websocket.send(msg);
- } else {
- alert("连接失败!");
- }
- });
- </script>
注意导入socketjs时要使用地址全称,并且连接使用的是http而不是websocket的ws
java 实现websocket的两种方式的更多相关文章
- WebSocket实践——Java实现WebSocket的两种方式
什么是 WebSocket? 随着互联网的发展,传统的HTTP协议已经很难满足Web应用日益复杂的需求了.近年来,随着HTML5的诞生,WebSocket协议被提出,它实现了浏览器与服务器的全双工通信 ...
- Java搭建WebSocket的两种方式
下面分别介绍搭建方法:一.直接使用Java EE的api进行搭建.一共3个步骤:1.添加依赖<dependency> <groupId>javax</groupId ...
- java 实现websocket的三种方式
Java中实现websocket常见有以下三种方式: 使用tomcat的websocket实现,需要tomcat 7.x,JEE7的支持. 使用spring的websocket,spring与webs ...
- 对Java代码加密的两种方式,防止反编译
使用Virbox Protector对Java项目加密有两种方式,一种是对War包加密,一种是对Jar包加密.Virbox Protector支持这两种文件格式加密,可以加密用于解析class文件的j ...
- Java新建线程的两种方式
Java新建线程有两种方式,一种是通过继承Thread类,一种是实现Runnable接口,下面是新建线程的两种方式. 我们假设有个竞赛,有一个选手A做俯卧撑,一个选手B做仰卧起坐.分别为两个线程: p ...
- Java实现多线程的两种方式
实现多线程的两种方式: 方式1: 继承Thread类 A: 自定义MyThread类继承Thread类 B: 在MyThread类中重写run() C: 创建MyThread类的对象 D: 启动线程对 ...
- [Java] HashMap遍历的两种方式
Java中HashMap遍历的两种方式原文地址: http://www.javaweb.cc/language/java/032291.shtml第一种: Map map = new HashMap( ...
- Java实现深克隆的两种方式
序列化和依次克隆各个可变的引用类型都可以实现深克隆,但是序列化的效率并不理想 下面是两种实现深克隆的实例,并且测试类对两种方法进行了对比: 1.重写clone方法使用父类中的clone()方法实现深克 ...
- java文件读写的两种方式
今天搞了下java文件的读写,自己也总结了一下,但是不全,只有两种方式,先直接看代码: public static void main(String[] args) throws IOExceptio ...
随机推荐
- Spark算子--flatMapValues
转载请标明出处http://www.cnblogs.com/haozhengfei/p/e7a46cecc65720997392516d553d9891.html flatMapValues--Tra ...
- TP5使用phpmailer实现邮件发送
1.从github下载PHPMailer,在vendor目录中新建文件夹phpmailer,将压缩包中的class.phpmailer.php和class.smtp.php复制到phpmailer中, ...
- HTML 5 <embed> 标签
定义和用法 <embed> 标签定义嵌入的内容,比如插件. 实例 <embed src="helloworld.swf" />
- python基础6之迭代器&生成器、json&pickle数据序列化
内容概要: 一.生成器 二.迭代器 三.json&pickle数据序列化 一.生成器generator 在学习生成器之前我们先了解下列表生成式,现在生产一个这样的列表[0,2,4,6,8,10 ...
- IIS命令行管理工具使用
AppCmd.exe工具所在目录 C:\windows\sytstem32\inetsrv\目录下 一条命令批量添加应用程序 c:\Windows\System32\inetsrv>for /d ...
- 如何将阿里云mysql RDS备份文件恢复到自建数据库
参考地址:https://help.aliyun.com/knowledge_detail/41817.html PS:目前恢复只支持 Linux 下进行.Linux下恢复的数据文件,无论 Windo ...
- js == 和 ===
1.对于string,number等基础类型,==和===是有区别的 1)不同类型间比较,==之比较"转化成同一类型后的值"看"值"是否相等,===如果类型不同 ...
- node.js核心模块
全局对象 global 是全局变量的宿主 全局变量 在最外层定义的 全局对象的属性 隐士定义的变量(未定义直接赋值的变量) 当定义一个全局变量时 这个变量同时也会成为全局对象的属性 反之亦然 注意: ...
- junit4X系列--Rule
原文出处:http://www.blogjava.net/DLevin/archive/2012/05/12/377955.html.感谢作者的无私分享. 初次用文字的方式记录读源码的过程,不知道怎么 ...
- Cannot create an instance of OLE DB provider “OraOLEDB.Oracle” for linked server "xxxxxxx".
在SQL SERVER 2008 R2下用Windows 身份认证的登录名创建了一个访问ORACLE数据库的链接服务器xxxxx,测试成功,木有问题,但是其它登录名使用该链接服务器时,报如下错误: 消 ...