[置顶] WEBSOKET服务器搭建
简单介绍一下tomcat的webSocketAPI使用:
在这里啰嗦几句:【
很多朋友听说webSocket不知道是什么。知道是什么不知道怎么用,知道怎么用不知道具体实现。其实我当初也是这样。
实际上webSocket可以简单的理解为用浏览器与服务器简历socket连接,但是用了一个特殊的协议,偶收协议,它与http协议发送的报头不一样。
websocket需要服务器和浏览器支持,浏览器不支持,也就无法使用这个技术。服务器可以自己实现协议连接,但是我们不准备自己实现(其实看需求,至少对我来说不需要),当然目前javaEE官方不支持这个实现,没有规范(据说jsr356准备支持,期待来年【2013】javaEE7吧)
目前实现的java服务端第三方webSocketAPI不算少,比如jetty就是一种(多的我也举例不了,我只知道,没研究过有多少实现。)tomcat也自带了实现API
webSocket想要手动实现比较麻烦,可以看下tomcat实现过程,大致都一样。
总之一句话,webSocket是一种客户端与服务端连接socket的技术,实现即时消息,取代comet但是并没广泛只用,因为大多需要浏览器的支持,相对comet有很多优点,此处不举例说明。可以自己google一下。
】
tomcat7.027如何实现webSocket程序:
总的来说,实现webSocket的servlet要继承WebSocketServlet这个类。这个类是tomcat自己包装的servlet。
所有的入口都在protected StreamInbound createWebSocketInbound(String subProtocol) {}这个方法。 也就是说,我们实现这个方法,就可以实现握手协议了。
注意看这个方法。 要求返回StreamInbound类型。这个类型我们需要继承自己实现。打开源码观看这个类
有如下方法
- /**
- * Intended to be overridden by sub-classes that wish to be notified
- * when the outbound connection is established. The default implementation
- * is a NO-OP.
- *
- * @param outbound The outbound WebSocket connection.
- */
- protected void onOpen(WsOutbound outbound) {
- // NO-OP
- }
- /**
- * Intended to be overridden by sub-classes that wish to be notified
- * when the outbound connection is closed. The default implementation
- * is a NO-OP.
- *
- * @param status The status code of the close reason.
- */
- protected void onClose(int status) {
- // NO-OP
- }
- /**
- * This method is called when there is a binary WebSocket message available
- * to process. The message is presented via a stream and may be formed from
- * one or more frames. The number of frames used to transmit the message is
- * not made visible to the application.
- *
- * @param is The WebSocket message
- *
- * @throws IOException If a problem occurs processing the message. Any
- * exception will trigger the closing of the WebSocket
- * connection.
- */
- protected abstract void onBinaryData(InputStream is) throws IOException;
- /**
- * This method is called when there is a textual WebSocket message available
- * to process. The message is presented via a reader and may be formed from
- * one or more frames. The number of frames used to transmit the message is
- * not made visible to the application.
- *
- * @param r The WebSocket message
- *
- * @throws IOException If a problem occurs processing the message. Any
- * exception will trigger the closing of the WebSocket
- * connection.
- */
- protected abstract void onTextData(Reader r) throws IOException;
上面的方法都是要我们自己实现的。tomcat没有给我们实现。
仔细看都是onXxx格式,类似事件监听。其实也差不多。只是tomcat在得到消息或者链接发生变化的时候会去调用这些方法,实现方法“自动”触发。
仔细看源码还有很多函数可以使用,这里不一一介绍。感兴趣可以打开源码看看。
其实仔细看官方的例子,chat那个例子也能得到这个结论(tomcat的webSocket例子需要tomcat7.027才带有)
我们定义一个servlet
- @WebServlet(urlPatterns = { "/chatWebSocket" })
- public class ChatWebSocketServlet extends WebSocketServlet {
- private static final long serialVersionUID = 1L;
- OnLineUser theUser;
- @Override
- protected void doGet(HttpServletRequest req, HttpServletResponse resp)
- throws ServletException, IOException {
- theUser = (OnLineUser) req.getSession().getAttribute("loginUser");
- super.doGet(req, resp);
- }
- @Override
- protected StreamInbound createWebSocketInbound(String subProtocol) {
- return new ChatMessageInbound(theUser);
- }
- }
doget不用说,是连接的开始,然后取出登录的用户,这个是为了管理连接使用的,你在看这个例子的时候不需要doget方法和theUser声明,只要有createWebSocketInbound方法就行。上面说了。这个方法是webSocket的入口。其实也是WebSocketServlet这个类写好的doget,我们看WebSocketServlet的doget是如何写的
- @Override
- protected void doGet(HttpServletRequest req, HttpServletResponse resp)
- throws ServletException, IOException {
- // Information required to send the server handshake message
- String key;
- String subProtocol = null;
- List<String> extensions = Collections.emptyList();
- if (!headerContainsToken(req, "upgrade", "websocket")) {
- resp.sendError(HttpServletResponse.SC_BAD_REQUEST);
- return;
- }
- if (!headerContainsToken(req, "connection", "upgrade")) {
- resp.sendError(HttpServletResponse.SC_BAD_REQUEST);
- return;
- }
- if (!headerContainsToken(req, "sec-websocket-version", "13")) {
- );
- resp.setHeader("Sec-WebSocket-Version", "13");
- return;
- }
- key = req.getHeader("Sec-WebSocket-Key");
- if (key == null) {
- resp.sendError(HttpServletResponse.SC_BAD_REQUEST);
- return;
- }
- String origin = req.getHeader("Origin");
- if (!verifyOrigin(origin)) {
- resp.sendError(HttpServletResponse.SC_FORBIDDEN);
- return;
- }
- List<String> subProtocols = getTokensFromHeader(req,
- "Sec-WebSocket-Protocol-Client");
- if (!subProtocols.isEmpty()) {
- subProtocol = selectSubProtocol(subProtocols);
- }
- // TODO Read client handshake - Sec-WebSocket-Extensions
- // TODO Extensions require the ability to specify something (API TBD)
- // that can be passed to the Tomcat internals and process extension
- // data present when the frame is fragmented.
- // If we got this far, all is good. Accept the connection.
- resp.setHeader("upgrade", "websocket");
- resp.setHeader("connection", "upgrade");
- resp.setHeader("Sec-WebSocket-Accept", getWebSocketAccept(key));
- if (subProtocol != null) {
- resp.setHeader("Sec-WebSocket-Protocol", subProtocol);
- }
- if (!extensions.isEmpty()) {
- // TODO
- }
- // Small hack until the Servlet API provides a way to do this.
- StreamInbound inbound = createWebSocketInbound(subProtocol);
- ((RequestFacade) req).doUpgrade(inbound);
- }
注意倒数第三行,调用了createWebSocketInbound方法,我们重写这个方法。
- @Override
- protected StreamInbound createWebSocketInbound(String subProtocol) {
- return new ChatMessageInbound(theUser);
- }
上面的ChatMessageInbound是我自己定义的继承类。
- public final class ChatMessageInbound extends MessageInbound {
- public ChatMessageInbound(OnLineUser theUser) {
- this.theUser = theUser;
- }
- @Override
- protected void onOpen(WsOutbound outbound) {
- // 添加链接到容器
- ChatMessageInbound theBound = this;
- ChatContainer.addInbound(theBound.theUser, theBound);
- // 向每个在线用户发送消息
- ChatContainer.eachAllBound(new ContainerCallBack() {
- @Override
- public void eachCallBack(ChatMessageInbound theBound, OnLineUser theUser) {
- ListUserMsg listUserMsg = new ListUserMsg(ChatContainer.getUserList());
- WriteTookit.writeToBound(theBound, listUserMsg.toMsg());
- }
- });
- }
- @Override
- protected void onClose(int status) {
- ChatContainer.removeInbound(theUser);
- }
- @Override
- protected void onBinaryMessage(ByteBuffer message) throws IOException {
- }
- @Override
- protected void onTextMessage(CharBuffer message) throws IOException {
- // CHAT_MODEL.setMessage(message.toString());
- // ChatContainer.eachAllBound(new ContainerCallBack() {
- // @Override
- // public void eachCallBack(ChatMessageInbound theBound, OnLineUser theUser) {
- // WriteTookit.writeToBound(theBound, CHAT_MODEL.getSayMsg());
- // }
- // });
- }
- // 变量区域
- private OnLineUser theUser;
- }
这里只是简单实现了一下,注释部分只是处理这个方法的部分,那里是一个容器,存档所有在线用户。并且提供遍历插入以及删除等方法,在自己实现的时候完全不需要这么写。
下面是容器代码
- public final class ChatContainer {
- /**
- * 保存服务器连接的用户的容器
- */
- private static final Map<OnLineUser, ChatMessageInbound> CHAT_MAP = new HashMap<OnLineUser, ChatMessageInbound>();
- /**
- * 取出用户的连接
- */
- public static ChatMessageInbound getInbound(OnLineUser theUser) {
- return CHAT_MAP.get(theUser);
- }
- /**
- * 放入一个连接
- */
- public static void addInbound(OnLineUser theUser,
- ChatMessageInbound outbound) {
- CHAT_MAP.put(theUser, outbound);
- System.out.println(CHAT_MAP.size());
- }
- /**
- * 移除一个连接
- *
- * @param theUser
- * @return
- */
- public static ChatMessageInbound removeInbound(OnLineUser theUser) {
- return CHAT_MAP.remove(theUser);
- }
- /**
- * 遍历所有连接
- */
- public static void eachAllBound(ContainerCallBack callBackInter) {
- Iterator<OnLineUser> keyIter = CHAT_MAP.keySet().iterator();
- while (keyIter.hasNext()) {
- OnLineUser theUser = keyIter.next();
- callBackInter.eachCallBack(CHAT_MAP.get(theUser), theUser);
- }
- }
- /**
- * 回调函数的接口
- *
- * @author WangZhenChong
- */
- public interface ContainerCallBack {
- void eachCallBack(ChatMessageInbound theBound, OnLineUser theUser);
- }
- }
我定义了一种数据交约定,使用json 字符串,MsgType表示消息类型,类似windows的消息机制
- /**
- * 前台和后台交互的信息类型常量
- *
- * @author WangZhenChong
- *
- */
- public final class MsgTypeConstants {
- ;// 在线所有用户信息交互
- ;// 对一个用户发送消息
- ;// 对所有用户发送消息
- ;// 发送系统消息
- }
余下的msgContent就是消息内容,比如列出现在用户这个内容就是[...,...,...,...]发送消息就是消息模型的内容。
这样解决单通道多操作的方法。
下面列出前台js核心内容。
使用jquery
- $(document).ready(function() {
- $("#connBtn").bind('click', function() {
- $.ajax({
- url : "/tomcatWebSocket/Login#?asdasdasd",
- type : "POST",
- processData : false,
- data : $.param({
- username : document.getElementById("usernameField").value
- }),
- success : function(msg, status) {
- initChat();
- initUserList();
- $("#sendBtn").removeAttr("disabled");
- $("#connBtn").attr("disabled", "disabled");
- $("#usernameField").attr("disabled", "disabled");
- },
- error : function(jqXHR, textStatus, errorThrown) {
- alert("服务器内部错误");
- }
- });
- });
- var Chat = {};
- Chat.socket = null;
- function initChat() {
- var wsURL = 'ws://' + window.location.host
- + '/tomcatWebSocket/chatWebSocket';
- if ('WebSocket' in window) {
- Chat.socket = new WebSocket(wsURL);
- } else if ('MozWebSocket' in window) {
- Chat.socket = new MozWebSocket(wsURL);
- } else {
- alert("浏览器不支持");
- return false;
- }
- Chat.socket.onopen = function() {
- };
- Chat.socket.onclose = function() {
- Chat.writeToConsole("断开连接了 ");
- initChat();
- };
- Chat.socket.onmessage = function(message) {
- if (typeof message.data == "string") {// 如果发送的是字符串信息.
- var msgObj = eval("(" + message.data + ")");
- switch (msgObj.MsgType) {
- case MsgTypeConstants.GET_USER_LIST :// 所有用户信息
- Chat.preUserList(msgObj.userList);
- break;
- case MsgTypeConstants.SEND_ONE_TO_ALL :
- Chat.writeToConsole(msgObj.msgContext);
- break;
- default :
- alert("未知错误,请刷新页面");
- }
- }
- };
- Chat.sendMessage = function() {
- Chat.socket.send(ueditor.getContentTxt());
- };
- }
- Chat.writeToConsole = function(message) {
- <span style="white-space: pre;"> </span>//往控制台打印得到的聊天消息
- };
- /**
- * 处理刷新用户信息的方法。
- */
- Chat.preUserList = function(userList) {
- //用户信息列表
- };
这些代码只是参考内容,实际上不可能拷贝下来直接运行,
[置顶] WEBSOKET服务器搭建的更多相关文章
- [置顶] SVN服务器搭建和使用
		Subversion是优秀的版本控制工具,其具体的的优点和详细介绍,这里就不再多说. 首先来下载和搭建SVN服务器. 现在Subversion已经迁移到apache网站上了,下载地址: http:// ... 
- [置顶] 两主机搭建MySQL主从复制后,show slave status显示:Last_IO_Error: error connecting to master ……
		两台主机A.B搭建mysql主从复制关系(A为master,B为slave)后,在slave上执行show slave status,结果中显示Last_IO_Error: error connect ... 
- Windows下基于http的git服务器搭建-gitstack
		版权声明:若无来源注明,Techie亮博客文章均为原创. 转载请以链接形式标明本文标题和地址: 本文标题:Windows下基于http的git服务器搭建-gitstack 本文地址:http: ... 
- [置顶] IIS应用程序池多工作进程设置及Session共享
		[置顶] IIS应用程序池多工作进程设置及Session共享 在调优iis的时候,朋友分享给我一个特别棒的设置方法步骤,感谢好朋友的分享. IIS应用程序池多工作进程设置及Session共享 1 ... 
- Git本地服务器搭建及使用详解
		Git本地服务器搭建及使用 Git是一款免费.开源的分布式版本控制系统.众所周知的Github便是基于Git的开源代码库以及版本控制系统,由于其远程托管服务仅对开源免费,所以搭建本地Git服务器也是个 ... 
- Linux下dns服务器搭建
		Linux下dns服务器搭建1-环境Red Hat Enterprise Linux Server release 6.7 (Santiago)2-配置本地yum源安装dns相关包yum -y ins ... 
- [置顶]Win2012R2的一个Bug安装群集后可能引发的软件崩溃问题及相应补丁
		[置顶]Win2012R2的一个Bug安装群集后可能引发的软件崩溃问题及相应补丁 如标题,笔者查阅资料发现微软声称安装故障转角色后就可能发生上述描述问题,但不止于SSMS崩溃.建议使用win2012R ... 
- IIS6.0服务器搭建网站无法访问解决方法
		IIS6.0服务器搭建网站无法访问解决方法 IIS6.0服务器搭建网站无法访问解决方法很多朋友在用IIS6架网站的时候遇到不少问题,而这些问题有些在过去的IIS5里面就遇到过,有些是新出来的, ... 
- Linux下SVN服务器搭建配置
		Linux下SVN服务器搭建配置 1.SVN服务安装 yum install subversion 2.创建SVN代码仓库 mkdir /data/svn svnadmin create /data/ ... 
随机推荐
- VC++学习之网络编程中的套接字
			VC++学习之网络编程中的套接字 套接字,简单的说就是通信双方的一种约定,用套接字中的相关函数来完成通信过程.应用层通过传输层进行数据通信时,TCP和UDP会遇到同时为多个应用程序进程提供并发服务的问 ... 
- Do not go gentle into that good night
			Do not go gentle into that good night By:Dylan Thomas Do not go gentle into that good night,Old ag ... 
- expect交互式自动化脚本
			一 什么是expect 1 Expect is a tool for automating interactive applications such as telnet, ftp, passwd, ... 
- hdu 4493 Tutor
			题目:http://acm.hdu.edu.cn/showproblem.php?pid=4493 给你十二个月的工资,算平均数,保留两位,去除末尾的0 使用暴力解决,嘻嘻,但是这题主要是在进位这个地 ... 
- 射频识别技术漫谈(29)——射频接口芯片TRF7960
			TRF7960系列是TI推出的载波为13.56MHz.支持ISO15693.ISO14443A/B和FeliCa协议的射频接口芯片.许多人更关心它能不能读写MF1卡片,就我的理解及实际验证,由于MF1 ... 
- css em
			em与px换算 任意浏览器的默认字体高度16px(16像素).所有未经调整的浏览器都符合: 1em=16px.那么,12px=0.75em,10px=0.625em.为了简化font-size的换算, ... 
- chrome extensions
			chrome web store AppsGamesExtensionsThemes CATEGORIES All FEATURESClear Runs Offline By ... 
- 自己动手写RTP服务器——用RTP协议传输TS流
			上一篇文章我们介绍了关于RTP协议的知识,那么我们现在就自己写一个简单的传输TS流媒体的RTP服务器吧. 预备知识 关于TS流的格式:TS流封装的具体格式请参考文档ISO/IEC 13818-1.这里 ... 
- POJ 1700 经典过河问题(贪心)
			POJ题目链接:http://poj.org/problem?id=1700 N个人过河,船每次最多只能坐两个人,船载每个人过河的所需时间不同,问最快的过河时间. 思路: 当n=1,2,3时所需要的最 ... 
- opencv 简单、常用的图像处理函数(2)
			opencv的项目以来配置和环境变量的配置都很简单,对于我这个没有c++基础的来说,复杂的是opencv的api和一些大部分来自国外没有翻译的资料,以及一些常见的编码问题. 资料 opencv 中文a ... 
