java WebSocket的实现以及Spring WebSocket

开始学习WebSocket,准备用它来实现一个在页面实时输出log4j的日志以及控制台的日志。

首先知道一些基础信息:

  1. java7 开始支持WebSocket,并且只是做了定义,并未实现
  2. tomcat7及以上,jetty 9.1及以上实现了WebSocket,其他容器没有研究
  3. spring 4.0及以上增加了WebSocket的支持
  4. spring 支持STOMP协议的WebSocket通信
  5. WebSocket 作为java的一个扩展,它属于javax包目录下,通常需要手工引入该jar,以tomcat为例,可以在 tomcat/lib 目录下找到 websocket-api.jar

开始实现

先写一个普通的WebSocket客户端,直接引入tomcat目录下的jar,主要的jar有:websocket-api.jar、tomcat7-websocket.jar

 1     public static void f1() {
 2         try {
 3             WebSocketContainer container = ContainerProvider.getWebSocketContainer(); // 获取WebSocket连接器,其中具体实现可以参照websocket-api.jar的源码,Class.forName("org.apache.tomcat.websocket.WsWebSocketContainer");
 4             String uri = "ws://localhost:8081/log/log";
 5             Session session = container.connectToServer(Client.class, new URI(uri)); // 连接会话
 6             session.getBasicRemote().sendText("123132132131"); // 发送文本消息
 7             session.getBasicRemote().sendText("4564546");
 8         } catch (Exception e) {
 9             e.printStackTrace();
10         }
11     }

其中的URL格式必须是ws开头,后面接注册的WebSocket地址

Client.java 是用于收发消息

@ClientEndpoint
public class Client {

    @OnOpen
    public void onOpen(Session session) {
        System.out.println("Connected to endpoint: " + session.getBasicRemote());
    }

    @OnMessage
    public void onMessage(String message) {
        System.out.println(message);
    }

    @OnError
    public void onError(Throwable t) {
        t.printStackTrace();
    }
}

到这一步,客户端的收发消息已经完成,现在开始编写服务端代码,用Spring 4.0,其中pom.xml太长就不贴出来了,会用到jackson,spring-websocket,spring-message

 1 import org.springframework.beans.factory.annotation.Autowired;
 2 import org.springframework.context.annotation.Bean;
 3 import org.springframework.context.annotation.Configuration;
 4 import org.springframework.context.annotation.Lazy;
 5 import org.springframework.messaging.simp.SimpMessagingTemplate;
 6 import org.springframework.web.servlet.config.annotation.EnableWebMvc;
 7 import org.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;
 8 import org.springframework.web.socket.WebSocketHandler;
 9 import org.springframework.web.socket.config.annotation.EnableWebSocket;
10 import org.springframework.web.socket.config.annotation.WebSocketConfigurer;
11 import org.springframework.web.socket.config.annotation.WebSocketHandlerRegistry;
12
13 import com.gionee.log.client.LogWebSocketHandler;
14
15 /**
16  * 注册普通WebScoket
17  * @author PengBin
18  * @date 2016年6月21日 下午5:29:00
19  */
20 @Configuration
21 @EnableWebMvc
22 @EnableWebSocket
23 public class WebSocketConfig extends WebMvcConfigurerAdapter implements WebSocketConfigurer {
24
25     @Autowired
26     @Lazy
27     private SimpMessagingTemplate template;
28
29     /** {@inheritDoc} */
30     @Override
31     public void registerWebSocketHandlers(WebSocketHandlerRegistry registry) {
32         registry.addHandler(logWebSocketHandler(), "/log"); // 此处与客户端的 URL 相对应
33     }
34
35     @Bean
36     public WebSocketHandler logWebSocketHandler() {
37         return new LogWebSocketHandler(template);
38     }
39
40 }
 1 import org.springframework.messaging.simp.SimpMessagingTemplate;
 2 import org.springframework.web.socket.TextMessage;
 3 import org.springframework.web.socket.WebSocketSession;
 4 import org.springframework.web.socket.handler.TextWebSocketHandler;
 5
 6 /**
 7  *
 8  * @author PengBin
 9  * @date 2016年6月24日 下午6:04:39
10  */
11 public class LogWebSocketHandler extends TextWebSocketHandler {
12
13     private SimpMessagingTemplate template;
14
15     public LogWebSocketHandler(SimpMessagingTemplate template) {
16         this.template = template;
17         System.out.println("初始化 handler");
18     }
19
20     @Override
21     protected void handleTextMessage(WebSocketSession session, TextMessage message) throws Exception {
22         String text = message.getPayload(); // 获取提交过来的消息
23         System.out.println("handMessage:" + text);
24         // template.convertAndSend("/topic/getLog", text); // 这里用于广播
25         session.sendMessage(message);
26     }
27 }

这样,一个普通的WebSocket就完成了,自己还可以集成安全控制等等

Spring还支持一种注解的方式,可以实现订阅和广播,采用STOMP格式协议,类似MQ,其实应该就是用的MQ的消息格式,下面是实现

同样客户端:

 1     public static void main(String[] args) {
 2         try {
 3             WebSocketContainer container = ContainerProvider.getWebSocketContainer();
 4             String uri = "ws://localhost:8081/log/hello/hello/websocket";
 5             Session session = container.connectToServer(Client.class, new URI(uri));
 6             char lf = 10; // 这个是换行
 7             char nl = 0; // 这个是消息结尾的标记,一定要
 8             StringBuilder sb = new StringBuilder();
 9             sb.append("SEND").append(lf); // 请求的命令策略
10             sb.append("destination:/app/hello").append(lf); // 请求的资源
11             sb.append("content-length:14").append(lf).append(lf); // 消息体的长度
12             sb.append("{\"name\":\"123\"}").append(nl); // 消息体
13
14             session.getBasicRemote().sendText(sb.toString()); // 发送消息
15             Thread.sleep(50000); // 等待一小会
16             session.close(); // 关闭连接
17
18         } catch (Exception e) {
19             e.printStackTrace();
20         }
21     }

这里一定要注意,换行符和结束符号,这个是STOMP协议规定的符号,错了就不能解析到

服务端配置

 1 /**
 2  * 启用STOMP协议WebSocket配置
 3  * @author PengBin
 4  * @date 2016年6月24日 下午5:59:42
 5  */
 6 @Configuration
 7 @EnableWebMvc
 8 @EnableWebSocketMessageBroker
 9 public class WebSocketBrokerConfig extends AbstractWebSocketMessageBrokerConfigurer {
10
11     /** {@inheritDoc} */
12     @Override
13     public void registerStompEndpoints(StompEndpointRegistry registry) {
14         System.out.println("注册");
15         registry.addEndpoint("/hello").withSockJS(); // 注册端点,和普通服务端的/log一样的
16         // withSockJS()表示支持socktJS访问,在浏览器中使用
17     }
18
19     /** {@inheritDoc} */
20     @Override
21     public void configureMessageBroker(MessageBrokerRegistry config) {
22         System.out.println("启动");
23         config.enableSimpleBroker("/topic"); //
24         config.setApplicationDestinationPrefixes("/app"); // 格式前缀
25     }
26
27 }

Controller

 1 @Controller
 2 public class LogController {
 3
 4     private SimpMessagingTemplate template;
 5
 6     @Autowired
 7     public LogController(SimpMessagingTemplate template) {
 8         System.out.println("init");
 9         this.template = template;
10     }
11
12     @MessageMapping("/hello")
13     @SendTo("/topic/greetings") // 订阅
14     public Greeting greeting(HelloMessage message) throws Exception {
15         System.out.println(message.getName());
16         Thread.sleep(3000); // simulated delay
17         return new Greeting("Hello, " + message.getName() + "!");
18     }
19
20 }

到这里就已经全部完成。

template.convertAndSend("/topic/greetings", "通知"); // 这个的意思就是向订阅了/topic/greetings进行广播

对于用socktJS连接的时候会有一个访问 /info 地址的请求

如果在浏览器连接收发送消息,则用sockt.js和stomp.js

  function connect() {
      var socket = new SockJS(‘/log/hello/hello‘);
      stompClient = Stomp.over(socket);
      stompClient.connect({}, function(frame) {
          setConnected(true);
          console.log(‘Connected: ‘ + frame);
          stompClient.subscribe(‘/topic/greetings‘, function(greeting) {
              showGreeting(JSON.parse(greeting.body).content);
          });
      });
  }

  function disconnect() {
      if (stompClient != null) {
          stompClient.disconnect();
      }
      setConnected(false);
      console.log("Disconnected");
  }

  function sendName() {
      var name = document.getElementById(‘name‘).value;
      stompClient.send("/app/hello", {}, JSON.stringify({
          ‘name‘ : name
      }));
  }

在浏览器中可以看到请求返回101状态码,意思就是切换协议

更多信息参考:

  1. STOMP协议  https://stomp.github.io/stomp-specification-1.2.html
  2. Spring官方WebSocket demo  https://github.com/rstoyanchev/spring-websocket-test
  3. 官方文档 http://docs.spring.io/spring/docs/current/spring-framework-reference/html/websocket.html
  4. http://assets.spring.io/wp/WebSocketBlogPost.html
时间: 2024-10-06 09:46:09

java WebSocket的实现以及Spring WebSocket的相关文章

【转】Spring websocket 使用

http://docs.spring.io/spring/docs/current/spring-framework-reference/html/websocket.html https://spring.io/guides/gs/messaging-stomp-websocket/ https://github.com/rstoyanchev/spring-websocket-portfolio 项目中用到了消息的实时推送,查资料后用到了Spring websocket,找了很多资料,还是感

Spring Websocket配置

实现的版本jdk1.7.0_25, tomcat7.0.47.0, Tengine/2.1.1 (nginx/1.6.2), servlet3.0, spring4.2.2 使用maven导入版本3.0+的servlet包: <dependency> <groupId>javax.servlet</groupId> <artifactId>servlet-api</artifactId> <version>3.0-alpha-1<

【spring+websocket的使用】

一.spring配置文件Java代码 <?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:tx="http://www.springfra

Spring WebSocket使用

第一步: 添加Spring WebSocket的依赖jar包 (注:这里使用maven方式添加 手动添加的同学请自行下载相应jar包放到lib目录) <!-- 使用spring websocket依赖的jar包 --> <dependency> <groupId>org.springframework</groupId> <artifactId>spring-websocket</artifactId> <version>

Spring WebSocket初探1 (Spring WebSocket入门教程)&lt;转&gt;

See more: Spring WebSocket reference整个例子属于WiseMenuFrameWork的一部分,可以将整个项目Clone下来,如果朋友们有需求,我可以整理一个独立的demo出来. WebSocket是html5带来的一项重大的特性,使得浏览器与服务端之间真正长连接交互成为了可能,这篇文章会带领大家窥探一下Spring 对WebSocket的支持及使用. 1. 基础环境 快速搭建Spring框架,我们使用Spring boot,这里先不讨论SpringBoot,只知

spring+websocket整合(springMVC+spring+MyBatis即SSM框架)

spring4.0以后加入了对websocket技术的支持,撸主目前的项目用的是SSM(springMVC+spring+MyBatis)框 架,所以肯定要首选spring自带的websocket了,好,现在问题来了,撸主在网上各种狂搜猛找,拼凑了几个自称是 spring websocket的东东,下来一看,废物,其中包括从github上down下来的.举个例子,在搭建过程中有个问题, 撸主上谷歌搜索,总共搜出来三页结果共30条左右,前15条是纯英文的  后15条是韩语和日语,而这30条结果都不

Spring WebSocket教程(二)

实现目标 这一篇文章,就要直接实现聊天的功能,并且,在聊天功能的基础上,再实现缓存一定聊天记录的功能. 第一步:聊天实现原理 首先,需要明确我们的需求.通常,网页上的聊天,都是聊天室的形式,所以,这个例子也就有了一个聊天的空间的概念,只要在这个空间内,就能够一起聊天.其次,每个人都能够发言,并且被其他的人看到,所以,每个人都会将自己所要说的内容发送到后台,后台转发给每一个人. 在客户端,可以用Socket很容易的实现:而在web端,以前都是通过轮询来实现的,但是WebSocket出现之后,就可以

spring+websocket整合(springMVC+spring+MyBatis即SSM框架和websocket技术的整合)

java-websocket的搭建非常之容易,没用框架的童鞋可以在这里下载撸主亲自调教好的java-websocket程序: Apach Tomcat 8.0.3+MyEclipse+maven+JDK1.7 spring4.0以后加入了对websocket技术的支持,撸主目前的项目用的是SSM(springMVC+spring+MyBatis)框架,所 以肯定要首选spring自带的websocket了,好,现在问题来了,撸主在网上各种狂搜猛找,拼凑了几个自称是spring websocket

Spring WebSocket详解

Spring WebSocket详解 作者:chszs,转载需注明.博客主页:http://blog.csdn.net/chszs Spring框架从4.0版开始支持WebSocket,下面我将详述Spring WebSocket库的相关内容.内容包括Spring框架是如何在Web应用中支持WebSocket方式的消息通信,以及如何利用STOMP协议作为应用层的协议--WebSocket的子协议. 1.WebSocket协议介绍 WebSocket协议是RFC-6455规范定义的一个Web领域的