package bhz.netty.httpfile; import io.netty.bootstrap.ServerBootstrap; import io.netty.channel.ChannelFuture; import io.netty.channel.ChannelInitializer; import io.netty.channel.EventLoopGroup; import io.netty.channel.nio.NioEventLoopGroup; import io.netty.channel.socket.SocketChannel; import io.netty.channel.socket.nio.NioServerSocketChannel; import io.netty.handler.codec.http.HttpObjectAggregator; import io.netty.handler.codec.http.HttpRequestDecoder; import io.netty.handler.codec.http.HttpResponseEncoder; import io.netty.handler.stream.ChunkedWriteHandler; /** * @author Administrator *访问路径:http://localhost:8765/sources/ */ public class HttpFileServer { private static final String DEFAULT_URL = "/sources/"; public void run(final int port, final String url) throws Exception { EventLoopGroup bossGroup = new NioEventLoopGroup(); EventLoopGroup workerGroup = new NioEventLoopGroup(); try { ServerBootstrap b = new ServerBootstrap(); b.group(bossGroup, workerGroup) .channel(NioServerSocketChannel.class) .childHandler(new ChannelInitializer<SocketChannel>() { @Override protected void initChannel(SocketChannel ch) throws Exception { // 加入http的解码器 ch.pipeline().addLast("http-decoder", new HttpRequestDecoder()); // 加入ObjectAggregator解码器,作用是他会把多个消息转换为单一的FullHttpRequest或者FullHttpResponse ch.pipeline().addLast("http-aggregator", new HttpObjectAggregator(65536)); // 加入http的编码器 ch.pipeline().addLast("http-encoder", new HttpResponseEncoder()); // 加入chunked 主要作用是支持异步发送的码流(大文件传输),但不专用过多的内存,防止java内存溢出 ch.pipeline().addLast("http-chunked", new ChunkedWriteHandler()); // 加入自定义处理文件服务器的业务逻辑handler ch.pipeline().addLast("fileServerHandler", new HttpFileServerHandler(url)); } }); ChannelFuture future = b.bind("127.0.0.1", port).sync(); System.out.println("HTTP文件目录服务器启动,网址是 : " + "http://localhost:" + port + url); future.channel().closeFuture().sync(); } finally { bossGroup.shutdownGracefully(); workerGroup.shutdownGracefully(); } } public static void main(String[] args) throws Exception { int port = 8765; String url = DEFAULT_URL; new HttpFileServer().run(port, url); } }
package bhz.netty.httpfile; import java.io.File; import java.io.FileOutputStream; import java.util.HashMap; import java.util.Map; import bhz.utils.HttpCallerUtils; import bhz.utils.HttpProxy; public class Test { public static void main(String[] args) throws Exception{ Map<String, String> params = new HashMap<String, String>(); byte[] ret = HttpCallerUtils.getStream("http://127.0.0.1:8765/sources/a.doc", params); //byte[] ret = HttpProxy.get("http://192.168.1.111:8765/images/006.jpg"); //写出文件 String writePath = System.getProperty("user.dir") + File.separatorChar + "receive" + File.separatorChar + "a.doc"; FileOutputStream fos = new FileOutputStream(writePath); fos.write(ret); fos.close(); } }
package bhz.netty.httpfile; import static io.netty.handler.codec.http.HttpHeaderNames.*; import static io.netty.handler.codec.http.HttpMethod.*; import static io.netty.handler.codec.http.HttpResponseStatus.*; import static io.netty.handler.codec.http.HttpVersion.*; import static io.netty.handler.codec.http.HttpMethod.GET; import static io.netty.handler.codec.http.HttpResponseStatus.BAD_REQUEST; import static io.netty.handler.codec.http.HttpResponseStatus.FORBIDDEN; import static io.netty.handler.codec.http.HttpResponseStatus.FOUND; import static io.netty.handler.codec.http.HttpResponseStatus.INTERNAL_SERVER_ERROR; import static io.netty.handler.codec.http.HttpResponseStatus.METHOD_NOT_ALLOWED; import static io.netty.handler.codec.http.HttpResponseStatus.NOT_FOUND; import static io.netty.handler.codec.http.HttpResponseStatus.OK; import static io.netty.handler.codec.http.HttpVersion.HTTP_1_1; import io.netty.buffer.ByteBuf; import io.netty.buffer.Unpooled; import io.netty.channel.ChannelFuture; import io.netty.channel.ChannelFutureListener; import io.netty.channel.ChannelHandlerContext; import io.netty.channel.ChannelProgressiveFuture; import io.netty.channel.ChannelProgressiveFutureListener; import io.netty.channel.SimpleChannelInboundHandler; import io.netty.handler.codec.http.DefaultFullHttpResponse; import io.netty.handler.codec.http.DefaultHttpResponse; import io.netty.handler.codec.http.FullHttpRequest; import io.netty.handler.codec.http.FullHttpResponse; import io.netty.handler.codec.http.HttpHeaderUtil; import io.netty.handler.codec.http.HttpHeaderValues; import io.netty.handler.codec.http.HttpHeaders; import io.netty.handler.codec.http.HttpResponse; import io.netty.handler.codec.http.HttpResponseStatus; import io.netty.handler.codec.http.LastHttpContent; import io.netty.handler.stream.ChunkedFile; import io.netty.util.CharsetUtil; import java.io.File; import java.io.FileNotFoundException; import java.io.RandomAccessFile; import java.io.UnsupportedEncodingException; import java.net.URLDecoder; import java.util.regex.Pattern; import javax.activation.MimetypesFileTypeMap; public class HttpFileServerHandler extends SimpleChannelInboundHandler<FullHttpRequest> { private final String url; public HttpFileServerHandler(String url) { this.url = url; } @Override public void messageReceived(ChannelHandlerContext ctx, FullHttpRequest request) throws Exception { //对请求的解码结果进行判断: if (!request.decoderResult().isSuccess()) { // 400 sendError(ctx, BAD_REQUEST); return; } //对请求方式进行判断:如果不是get方式(如post方式)则返回异常 if (request.method() != GET) { // 405 sendError(ctx, METHOD_NOT_ALLOWED); return; } //获取请求uri路径 final String uri = request.uri(); //对url进行分析,返回本地系统 final String path = sanitizeUri(uri); //如果 路径构造不合法,则path为null if (path == null) { //403 sendError(ctx, FORBIDDEN); return; } // 创建file对象 File file = new File(path); // 判断文件是否为隐藏或者不存在 if (file.isHidden() || !file.exists()) { // 404 sendError(ctx, NOT_FOUND); return; } // 如果为文件夹 if (file.isDirectory()) { if (uri.endsWith("/")) { //如果以正常"/"结束 说明是访问的一个文件目录:则进行展示文件列表(web服务端则可以跳转一个Controller,遍历文件并跳转到一个页面) sendListing(ctx, file); } else { //如果非"/"结束 则重定向,补全"/" 再次请求 sendRedirect(ctx, uri + '/'); } return; } // 如果所创建的file对象不是文件类型 if (!file.isFile()) { // 403 sendError(ctx, FORBIDDEN); return; } //随机文件读写类 RandomAccessFile randomAccessFile = null; try { randomAccessFile = new RandomAccessFile(file, "r");// 以只读的方式打开文件 } catch (FileNotFoundException fnfe) { // 404 sendError(ctx, NOT_FOUND); return; } //获取文件长度 long fileLength = randomAccessFile.length(); //建立响应对象 HttpResponse response = new DefaultHttpResponse(HTTP_1_1, OK); //设置响应信息 HttpHeaderUtil.setContentLength(response, fileLength); //设置响应头 setContentTypeHeader(response, file); //如果一直保持连接则设置响应头信息为:HttpHeaders.Values.KEEP_ALIVE if (HttpHeaderUtil.isKeepAlive(request)) { response.headers().set(CONNECTION, HttpHeaderValues.KEEP_ALIVE); } //进行写出 ctx.write(response); //构造发送文件线程,将文件写入到Chunked缓冲区中 ChannelFuture sendFileFuture; //写出ChunkedFile sendFileFuture = ctx.write(new ChunkedFile(randomAccessFile, 0, fileLength, 8192), ctx.newProgressivePromise()); //添加传输监听 sendFileFuture.addListener(new ChannelProgressiveFutureListener() { @Override public void operationProgressed(ChannelProgressiveFuture future, long progress, long total) { if (total < 0) { // total unknown System.err.println("Transfer progress: " + progress); } else { System.err.println("Transfer progress: " + progress + " / " + total); } } @Override public void operationComplete(ChannelProgressiveFuture future) throws Exception { System.out.println("Transfer complete."); } }); //如果使用Chunked编码,最后则需要发送一个编码结束的看空消息体,进行标记,表示所有消息体已经成功发送完成。 ChannelFuture lastContentFuture = ctx.writeAndFlush(LastHttpContent.EMPTY_LAST_CONTENT); //如果当前连接请求非Keep-Alive ,最后一包消息发送完成后 服务器主动关闭连接 if (!HttpHeaderUtil.isKeepAlive(request)) { lastContentFuture.addListener(ChannelFutureListener.CLOSE); } } @Override public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception { //cause.printStackTrace(); if (ctx.channel().isActive()) { sendError(ctx, INTERNAL_SERVER_ERROR); ctx.close(); } } //非法URI正则 private static final Pattern INSECURE_URI = Pattern.compile(".*[<>&\"].*"); /** * <B>方法名称:</B>解析URI<BR> * <B>概要说明:</B>对URI进行分析<BR> * @param uri netty包装后的字符串对象 * @return path 解析结果 */ private String sanitizeUri(String uri) { try { //使用UTF-8字符集 uri = URLDecoder.decode(uri, "UTF-8"); } catch (UnsupportedEncodingException e) { try { //尝试ISO-8859-1 uri = URLDecoder.decode(uri, "ISO-8859-1"); } catch (UnsupportedEncodingException e1) { //抛出预想外异常信息 throw new Error(); } } // 对uri进行细粒度判断:4步验证操作 // step 1 基础验证 if (!uri.startsWith(url)) { return null; } // step 2 基础验证 if (!uri.startsWith("/")) { return null; } // step 3 将文件分隔符替换为本地操作系统的文件路径分隔符 uri = uri.replace('/', File.separatorChar); // step 4 二次验证合法性 if (uri.contains(File.separator + '.') || uri.contains('.' + File.separator) || uri.startsWith(".") || uri.endsWith(".") || INSECURE_URI.matcher(uri).matches()) { return null; } //当前工程所在目录 + URI构造绝对路径进行返回 return System.getProperty("user.dir") + File.separator + uri; } //文件是否被允许访问下载验证 private static final Pattern ALLOWED_FILE_NAME = Pattern.compile("[A-Za-z0-9][-_A-Za-z0-9\\.]*"); private static void sendListing(ChannelHandlerContext ctx, File dir) { // 设置响应对象 FullHttpResponse response = new DefaultFullHttpResponse(HTTP_1_1, OK); // 响应头 response.headers().set(CONTENT_TYPE, "text/html; charset=UTF-8"); // 追加文本内容 StringBuilder ret = new StringBuilder(); String dirPath = dir.getPath(); ret.append("<!DOCTYPE html>\r\n"); ret.append("<html><head><title>"); ret.append(dirPath); ret.append(" 目录:"); ret.append("</title></head><body>\r\n"); ret.append("<h3>"); ret.append(dirPath).append(" 目录:"); ret.append("</h3>\r\n"); ret.append("<ul>"); ret.append("<li>链接:<a href=\"../\">..</a></li>\r\n"); // 遍历文件 添加超链接 for (File f : dir.listFiles()) { //step 1: 跳过隐藏或不可读文件 if (f.isHidden() || !f.canRead()) { continue; } String name = f.getName(); //step 2: 如果不被允许,则跳过此文件 if (!ALLOWED_FILE_NAME.matcher(name).matches()) { continue; } //拼接超链接即可 ret.append("<li>链接:<a href=\""); ret.append(name); ret.append("\">"); ret.append(name); ret.append("</a></li>\r\n"); } ret.append("</ul></body></html>\r\n"); //构造结构,写入缓冲区 ByteBuf buffer = Unpooled.copiedBuffer(ret, CharsetUtil.UTF_8); //进行写出操作 response.content().writeBytes(buffer); //重置写出区域 buffer.release(); //使用ctx对象写出并且刷新到SocketChannel中去 并主动关闭连接(这里是指关闭处理发送数据的线程连接) ctx.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } //重定向操作 private static void sendRedirect(ChannelHandlerContext ctx, String newUri) { //建立响应对象 FullHttpResponse response = new DefaultFullHttpResponse(HTTP_1_1, FOUND); //设置新的请求地址放入响应对象中去 response.headers().set(LOCATION, newUri); //使用ctx对象写出并且刷新到SocketChannel中去 并主动关闭连接(这里是指关闭处理发送数据的线程连接) ctx.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } //错误信息 private static void sendError(ChannelHandlerContext ctx, HttpResponseStatus status) { //建立响应对象 FullHttpResponse response = new DefaultFullHttpResponse(HTTP_1_1, status, Unpooled.copiedBuffer("Failure: " + status.toString()+ "\r\n", CharsetUtil.UTF_8)); //设置响应头信息 response.headers().set(CONTENT_TYPE, "text/plain; charset=UTF-8"); //使用ctx对象写出并且刷新到SocketChannel中去 并主动关闭连接(这里是指关闭处理发送数据的线程连接) ctx.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } private static void setContentTypeHeader(HttpResponse response, File file) { //使用mime对象获取文件类型 MimetypesFileTypeMap mimeTypesMap = new MimetypesFileTypeMap(); response.headers().set(CONTENT_TYPE, mimeTypesMap.getContentType(file.getPath())); } }
相关推荐
4. **零拷贝技术**:通过内存映射文件和直接内存分配,减少数据在内核空间和用户空间之间的复制,提高性能。 5. **ChannelHandlerContext**:上下文对象,用于在Pipeline中的Handler之间传递信息和触发事件。 6. *...
这个压缩包包含的是Netty 4.0.0.CR3版本的相关资源,包括源码、示例以及API文档,对于学习和理解Netty的工作原理以及如何在实际项目中应用Netty非常有帮助。 首先,让我们来详细探讨一下Netty的核心特性: 1. **...
在 Maven 项目中,你需要在 `pom.xml` 文件中添加 Netty 相关的依赖。例如: ```xml <groupId>io.netty <artifactId>netty-all <version>4.x.y.z ``` 编写 `BankGateWay` 类时,你需要继承自 Netty 的 `...
这个压缩包文件"java Netty 框架例子源码.rar"很可能包含了一系列示例代码,帮助我们了解和学习如何在实际项目中使用 Netty。 Netty 的核心组件包括: 1. **Channel**:是 Netty 中的基本概念,代表一个打开的连接...
在本“Netty 聊天例子”中,我们将深入探讨如何利用 Netty 构建一个简单的聊天应用,这对于初学者来说是一个很好的起点。 **Netty 基础** Netty 的核心组件包括 Channel、Bootstrap、Pipeline 和 EventLoopGroup。...
这个压缩包“netty各种例子(基于netty各种例子。).zip”显然是一个包含Netty示例代码的资源包,可以帮助开发者更好地理解和使用Netty框架。 在Java世界中,Netty因其高效、易用和丰富的特性而被广泛应用于多种场景...
压缩包中的 "netty-final" 文件可能是示例代码的最终版本,包含了完成的 Netty 应用程序。你可以通过阅读这些代码来进一步理解 Netty 的实际使用。在源码中,你会看到如何配置 Bootstrap,设置 ChannelPipeline,...
每个例子都会包含完整的源代码、配置文件以及运行说明。通过阅读和运行这些示例,你可以深入理解Netty的工作原理,以及如何根据项目需求定制网络应用。同时,这些例子也适用于初学者入门,帮助他们快速上手Netty框架...
在"ChatNetty"项目中,Maven 的 pom.xml 文件将列出所有必要的依赖项,包括 Netty、Spring 和其他可能的第三方库。 通过以上步骤,我们可以构建出一个基于 Netty 的简单聊天应用。这只是一个入门级的实例,实际应用...
这个“netty入门例子”旨在帮助初学者理解Netty的基本用法和特性,而不是简单地翻译官方文档,它提供了几个开发模板,以便于深入理解Netty中的消息异步通信机制和TCP通信的封装。 首先,Netty的核心是它的异步模型...
- 通过 `FileRegion` 类可以方便地将文件内容发送出去,它是 Netty 提供的用于高效传输大文件的数据结构。 6. **性能优化** - Netty 支持零拷贝技术,通过 ByteBuf 和 FileRegion 可以避免数据在用户空间和内核...
标题“Netty和Protocolbuf的通讯例子”表明我们将探讨如何结合这两个工具进行网络通信。在实际应用中,Netty常被用于实现TCP、UDP等传输层协议,而protobuf则作为应用层的数据交换格式,提供了高效的数据编码和解码...
在 `pom.xml` 文件中,你需要添加 Netty 4 的依赖项,如下所示: ```xml <groupId>io.netty <artifactId>netty-all <version>4.x.y.z ``` 这里的 `4.x.y.z` 应替换为实际的 Netty 版本号。 3. **基本...
在pom.xml文件中添加如下依赖: ```xml <groupId>io.netty <artifactId>netty-all <version>4.x.x</version> <!-- 替换为当前最新版本 --> ``` 接着,我们可以编写服务端代码。创建一个`ServerBootstrap`...
在本文中,我们将深入探讨如何利用 Netty 和 WebSocket 技术实现通信,以及 `callServer` 文件可能包含的内容。 WebSocket 是一种在单个 TCP 连接上进行全双工通信的协议,它为 Web 应用程序提供了低延迟、双向通信...
在压缩包中的"Netty和SSL-TLS例子"文件中,你可以找到具体实现这些功能的源代码。通过阅读和分析这些代码,你可以深入理解Netty如何与SSL/TLS结合,以及如何在实际项目中实现安全的网络通信。代码中可能包括了如`...
2. **src/main/resources**: 可能包含配置文件,如 Netty 的 ServerBootstrap 配置,定义了服务器启动时的参数,如绑定的端口、使用的 EventLoopGroup 和 Channel 类型等。 3. **pom.xml**: Maven 构建文件,列出了...
这个“netty-3.7.0官方API所有jar包”提供了Netty 3.7.0版本的完整API文档、所有相关的jar包以及示例代码,帮助开发者更深入地理解和使用Netty。 1. **Netty API 文档**: Netty的API文档是开发者了解其内部机制的...
在解压后的文件列表中,“netty5.0.0”可能是整个 Netty 5.0 发行版的打包文件,包括源码、构建脚本、文档以及示例项目等。 Netty 5.0 的关键特性可能包括: 1. **异步非阻塞 I/O**:Netty 使用 NIO(非阻塞 I/O)...
Channel 是 Netty 中处理 I/O 操作的基本单元,它可以是 TCP 连接、UDP 数据报或者文件描述符等。EventLoop 是 Netty 的事件循环,负责监听和处理 Channel 上的事件。通过多线程和事件驱动模型,Netty 能够高效地...