`
cyhcheng
  • 浏览: 60313 次
  • 性别: Icon_minigender_1
  • 来自: 北京
社区版块
存档分类
最新评论

Web Socket入门

    博客分类:
  • web
 
阅读更多

最近对html5产生了兴趣,所以花了点心思在这方面,基于JBoss Netty写了个简单的web socket应用,主要拷贝了Netty的官方范例代码,如果想深入了解的话,最好还是好好看看Java NIO及Netty。

服务器端代码:
1、创建一个简单的管道实现:

package org.penguin.study.nettty.http.websocket;

import static org.jboss.netty.channel.Channels.pipeline;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ChannelPipelineFactory;
import org.jboss.netty.handler.codec.http.HttpChunkAggregator;
import org.jboss.netty.handler.codec.http.HttpRequestDecoder;
import org.jboss.netty.handler.codec.http.HttpResponseEncoder;

public class WebSocketServerPipelineFactory implements ChannelPipelineFactory {
	public ChannelPipeline getPipeline() throws Exception {
		// Create a default pipeline implementation.
		ChannelPipeline pipeline = pipeline();
		pipeline.addLast("decoder", new HttpRequestDecoder());
		pipeline.addLast("aggregator", new HttpChunkAggregator(65536));
		pipeline.addLast("encoder", new HttpResponseEncoder());
		pipeline.addLast("handler", new WebSocketServerHandler());
		return pipeline;
	}
}

 2、 请求处理,可是最重要的一部分,核心代码尽在于此:

package org.penguin.study.nettty.http.websocket;

import static org.jboss.netty.handler.codec.http.HttpHeaders.*;
import static org.jboss.netty.handler.codec.http.HttpHeaders.Names.*;
import static org.jboss.netty.handler.codec.http.HttpHeaders.Values.*;
import static org.jboss.netty.handler.codec.http.HttpMethod.*;
import static org.jboss.netty.handler.codec.http.HttpResponseStatus.*;
import static org.jboss.netty.handler.codec.http.HttpVersion.*;

import java.security.MessageDigest;

import org.jboss.netty.buffer.ChannelBuffer;
import org.jboss.netty.buffer.ChannelBuffers;
import org.jboss.netty.channel.ChannelFuture;
import org.jboss.netty.channel.ChannelFutureListener;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ExceptionEvent;
import org.jboss.netty.channel.MessageEvent;
import org.jboss.netty.channel.SimpleChannelUpstreamHandler;
import org.jboss.netty.handler.codec.http.DefaultHttpResponse;
import org.jboss.netty.handler.codec.http.HttpHeaders;
import org.jboss.netty.handler.codec.http.HttpRequest;
import org.jboss.netty.handler.codec.http.HttpResponse;
import org.jboss.netty.handler.codec.http.HttpResponseStatus;
import org.jboss.netty.handler.codec.http.HttpHeaders.Names;
import org.jboss.netty.handler.codec.http.HttpHeaders.Values;
import org.jboss.netty.handler.codec.http.websocket.DefaultWebSocketFrame;
import org.jboss.netty.handler.codec.http.websocket.WebSocketFrame;
import org.jboss.netty.handler.codec.http.websocket.WebSocketFrameDecoder;
import org.jboss.netty.handler.codec.http.websocket.WebSocketFrameEncoder;
import org.jboss.netty.util.CharsetUtil;

public class WebSocketServerHandler extends SimpleChannelUpstreamHandler {

	private static final String WEBSOCKET_PATH = "/websocket";

	@Override
	public void messageReceived(ChannelHandlerContext ctx, MessageEvent e) throws Exception {
		Object msg = e.getMessage();
		if (msg instanceof HttpRequest) {
			handleHttpRequest(ctx, (HttpRequest) msg);
		} else if (msg instanceof WebSocketFrame) {
			handleWebSocketFrame(ctx, (WebSocketFrame) msg);
		}
	}

	private void handleHttpRequest(ChannelHandlerContext ctx, HttpRequest req) throws Exception {
		// Serve the WebSocket handshake request.
		if (req.getUri().equals(WEBSOCKET_PATH) && Values.UPGRADE.equalsIgnoreCase(req.getHeader(CONNECTION))
				&& WEBSOCKET.equalsIgnoreCase(req.getHeader(Names.UPGRADE))) {

			// Create the WebSocket handshake response.
			HttpResponse res = new DefaultHttpResponse(HTTP_1_1, new HttpResponseStatus(101, "Web Socket Protocol Handshake"));
			res.addHeader(Names.UPGRADE, WEBSOCKET);
			res.addHeader(CONNECTION, Values.UPGRADE);

			// Fill in the headers and contents depending on handshake method.
			if (req.containsHeader(SEC_WEBSOCKET_KEY1) && req.containsHeader(SEC_WEBSOCKET_KEY2)) {
				// New handshake method with a challenge:
				res.addHeader(SEC_WEBSOCKET_ORIGIN, req.getHeader(ORIGIN));
				res.addHeader(SEC_WEBSOCKET_LOCATION, getWebSocketLocation(req));
				String protocol = req.getHeader(SEC_WEBSOCKET_PROTOCOL);
				if (protocol != null) {
					res.addHeader(SEC_WEBSOCKET_PROTOCOL, protocol);
				}

				// Calculate the answer of the challenge.
				String key1 = req.getHeader(SEC_WEBSOCKET_KEY1);
				String key2 = req.getHeader(SEC_WEBSOCKET_KEY2);
				int a = (int) (Long.parseLong(key1.replaceAll("[^0-9]", "")) / key1.replaceAll("[^ ]", "").length());
				int b = (int) (Long.parseLong(key2.replaceAll("[^0-9]", "")) / key2.replaceAll("[^ ]", "").length());
				long c = req.getContent().readLong();
				ChannelBuffer input = ChannelBuffers.buffer(16);
				input.writeInt(a);
				input.writeInt(b);
				input.writeLong(c);
				
				ChannelBuffer output = ChannelBuffers.wrappedBuffer(MessageDigest.getInstance("MD5").digest(	input.array()));
				res.setContent(output);
			} else {				
				res.addHeader(WEBSOCKET_ORIGIN, req.getHeader(ORIGIN));
				res.addHeader(WEBSOCKET_LOCATION, getWebSocketLocation(req));
				String protocol = req.getHeader(WEBSOCKET_PROTOCOL);
				if (protocol != null) {
					res.addHeader(WEBSOCKET_PROTOCOL, protocol);
				}
			}

			// Upgrade the connection and send the handshake response.
			ChannelPipeline p = ctx.getChannel().getPipeline();
			p.remove("aggregator");
			p.replace("decoder", "wsdecoder", new WebSocketFrameDecoder());

			ctx.getChannel().write(res);

			p.replace("encoder", "wsencoder", new WebSocketFrameEncoder());
			return;
		}

		// Send an error page otherwise.
		sendHttpResponse(ctx, req, new DefaultHttpResponse(HTTP_1_1, FORBIDDEN));
	}
	private void handleWebSocketFrame(ChannelHandlerContext ctx, WebSocketFrame frame) {
		// 发送消息回执
                                ctx.getChannel().write(new DefaultWebSocketFrame("动拐动拐,我是动爻,消息已收到:" + frame.getTextData()));
	}

	private void sendHttpResponse(ChannelHandlerContext ctx, HttpRequest req, HttpResponse res) {
		// Generate an error page if response status code is not OK (200).
		if (res.getStatus().getCode() != 200) {
			res.setContent(ChannelBuffers.copiedBuffer(res.getStatus().toString(), CharsetUtil.UTF_8));
			setContentLength(res, res.getContent().readableBytes());
		}
		// Send the response and close the connection if necessary.
		ChannelFuture f = ctx.getChannel().write(res);
		if (!isKeepAlive(req) || res.getStatus().getCode() != 200) {
			f.addListener(ChannelFutureListener.CLOSE);
		}
	}

	@Override
	public void exceptionCaught(ChannelHandlerContext ctx, ExceptionEvent e) throws Exception {
		System.err.println("出现错误:" + e.getCause().getMessage());
		e.getChannel().close();
	}

	private String getWebSocketLocation(HttpRequest req) {
		return "ws://" + req.getHeader(HttpHeaders.Names.HOST) + WEBSOCKET_PATH;
	}
}

 3、服务器代码:

package org.penguin.study.nettty.http.websocket;

import java.net.InetSocketAddress;
import java.util.concurrent.Executors;

import org.jboss.netty.bootstrap.ServerBootstrap;
import org.jboss.netty.channel.socket.nio.NioServerSocketChannelFactory;

public class WebSocketServer {
	public static void main(String[] args) {
		// Configure the server.
		ServerBootstrap bootstrap = new ServerBootstrap(new NioServerSocketChannelFactory(
				Executors.newCachedThreadPool(), Executors.newCachedThreadPool()));

		// Set up the event pipeline factory.
		bootstrap.setPipelineFactory(new WebSocketServerPipelineFactory());

		// Bind and start to accept incoming connections.
		bootstrap.bind(new InetSocketAddress(8888));
	}
}

 4、测试的浏览器代码,在Google Chrome下测试正常运行,IE、Firefox、360目前不支持Web Socket。

写道
<!DOCTYPE HTML>
<html>
<head>
<meta charset="utf-8">
<title>Web Socket范例</title>
<script type="text/javascript">
var socket;
if (window.WebSocket) {
socket = new WebSocket("ws://WebSocket服务器地址:8888/websocket");
socket.onmessage = function(event) { alert(event.data); };
socket.onopen = function(event) { alert("Web Socket成功链接!"); };
socket.onclose = function(event) { alert("Web Socket已被关闭!"); };
} else {
alert("对不起,您的浏览器不支持Web Socket,目前建议使用新版的Chrome浏览器!");
}

function send(message) {
if (!window.WebSocket) { return; }
if (socket.readyState == WebSocket.OPEN) {
socket.send(message);
} else {
alert("没有打开Socket,请检查网络及服务器是否正常运行!");
}
}
</script>

</head>

<body>
<form onsubmit="return false;">
<input type="text" name="message" value="动爻动爻,我是动拐"/><input type="button" value="发送" onclick="send(this.form.message.value)" />
</form>

</body>
</html>

 

分享到:
评论
1 楼 穷土包 2011-12-21  
CONNECTION是那个类里的常量啊?

相关推荐

    socket编程入门(经典版

    ### Socket编程入门(经典版) #### 1. 预备知识 在开始学习socket编程之前,我们需要了解一些基础知识,这些知识对于理解socket的工作原理至关重要。 ##### 1.1 网络字节序 在计算机网络通信中,数据是以流的形式...

    BSD socket简易入门

    BSD Socket 简易入门教程旨在为初学者提供关于Linux下Socket编程的基础知识。Socket编程是一种在不同进程间实现通信的技术,特别是在Unix和类Unix系统中广泛应用。在本教程中,我们将通过类比电话的方式,逐步解析...

    Socket入门编程

    Socket入门编程是网络编程的基础,它允许两个网络应用程序通过TCP/IP协议进行通信。在这个主题中,我们将深入理解Socket的工作原理,以及如何使用它来构建一个简单的服务器和客户端应用。 首先,Socket是网络通信中...

    SOCKET编程的入门知识精华

    本资源包中的"Socket编程"涵盖了SOCKET编程的基础知识,是初学者入门的绝佳材料。以下将详细介绍Socket编程的一些核心概念和操作步骤。 1. **什么是Socket?** Socket,又称为“套接字”,是网络通信中的一个抽象...

    Linuxsocket编程入门[参照].pdf

    Linux Socket 编程入门 Linux Socket 编程入门是指在 Linux 操作系统中使用 Socket 编程技术来实现网络通信的过程。Socket 编程是网络编程的基础,是实现网络通信的核心技术。本教程将从基础开始,详细介绍 Linux ...

    Socket入门代码

    Socket入门代码是网络编程的基础,尤其在Windows平台上。Socket编程主要涉及TCP(传输控制协议)和UDP(用户数据报协议)这两种主要的网络通信协议。本文将深入探讨这两个协议,以及如何在Windows环境下使用Socket...

    网络编程和Web开发入门:使用Python构建应用程序.docx

    这只是网络编程和 Web 开发的入门,可以进一步探索更多高级的主题和技术,构建更复杂的应用程序。 5. Python 在网络编程和 Web 开发中的应用 Python 是一个非常适合网络编程和 Web 开发的语言。它提供了许多库和...

    socket编程入门:1天玩转socket通信技术(非常详细)1

    在Web服务器和浏览器的场景中,Socket起到了关键作用:浏览器通过Socket向服务器发送请求,服务器响应并返回数据,最终呈现给用户。 在UNIX/Linux系统中,Socket被视作一种文件,具有文件描述符。文件描述符是一个...

    java NIO socket聊天室

    可以作为NIO socket入门的例子,Reactor模式,重点理解key.attach, jar文件里包含了源代码 1,运行server.bat启动服务器,可以打开编辑,修改端口号 2,运行client.bat启动客户端,可以打开编辑,ip,和端口号 3...

    C# SuperSocket 手把手教你入门 傻瓜教程-2(服务器和客户端双向通信).zip

    让不懂SuperSOCKET的初学人员可以快速(只花几分钟的功夫)搭建自己的简易服务器。先从大方向讲解要做哪些基础工作(下载哪些组件,组件该如何配置),然后叙述要编写哪几步逻辑等等,方便初学者掌握大方向该如何...

    web_socket

    web_socket 一个新的Flutter应用程序。入门该项目是Flutter应用程序的起点。 如果这是您的第一个Flutter项目,那么有一些资源可以帮助您入门:要获得Flutter入门方面的帮助,请查看我们的,其中提供了教程,示例,...

    WEB安全漏洞入门.pdf

    WEB安全漏洞入门知识分享: WEB安全是网络安全中至关重要的一环,涵盖了各种不同类型的攻击,其中SQL注入是最常见也是最危险的安全漏洞之一。SQL注入攻击利用了应用程序对用户输入数据的不严格过滤,将恶意的SQL...

    nodeJS+socket.io做一个简单的聊天室

    这是一个非常实用的项目,适合初学者入门,同时也是对这两种技术的绝佳实践。 Node.js是一种基于Chrome V8引擎的JavaScript运行环境,它允许开发者在服务器端使用JavaScript进行编程。其非阻塞I/O模型和事件驱动...

    socket简单教材

    【描述】:这是一份关于Socket编程的入门教材,内容浅显易懂,适合初学者快速上手。 【标签】:Socket 【正文】: Socket编程是计算机网络通信的核心技术之一,尤其在构建客户端-服务器应用中扮演着重要角色。...

    C#入门经典(第7版)

    8. Web开发:解释如何利用***技术开发动态网站和Web应用程序,以及使用MVC(Model-View-Controller)模式进行Web开发。 9. 异常处理和调试:学习如何在C#中处理程序中的异常情况,并利用Visual Studio提供的调试...

    python的socket编程入门

    Python的socket编程入门知识点总结: 1. socket简介: Socket是网络编程的一种方式,它提供了不同的计算机上的程序进行通信的能力。在Python中,通过socket模块,我们可以创建客户端和服务器端程序。服务器端程序...

    Linux Socket编程.doc

    总的来说,Linux Socket编程涉及网络协议、数据传输、错误处理等多个方面,学习这一主题将为开发者提供网络编程的基础,使得他们能够构建各种网络应用,如Web服务器、聊天程序、文件传输服务等。掌握Socket编程不仅...

    Web引擎----简单到掉渣

    【描述】"简单到掉渣的Web引擎,我就不相信你看不懂"这句话表明了这个Web引擎的实现非常基础,适合初学者入门学习。它可能涵盖了基础的网络通信、HTTP协议以及如何处理HTML文件等内容。通过Java与HTML的结合,我们...

    (完整word版)HTML5+CSS3从入门到精通自测练习.doc

    11. Web Socket: Web Socket是HTML5中一种实时通信机制,可以实现实时数据传输和推送。 12. CSS3选择器: CSS3选择器可以选择HTML文档中的元素,可以选择id、class、tag、attribute等。 13. CSS3样式: CSS3...

Global site tag (gtag.js) - Google Analytics