Netty+SpringBoot写一个基于Http协议的文件服务器
本文参考《Netty权威指南》 NettyApplication
package com.xh.netty; import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication; @SpringBootApplication
public class NettyApplication { public static void main(String[] args) { SpringApplication.run(NettyApplication.class, args); String[] argList =args;
System.out.println("+++++++++++++Simple Netty HttpFileServer+++++++++++++++");
System.out.println("+ VERSION 1.0.1 +");
System.out.println("+ AUTHER:XH +");
System.out.println("+++++++++++++++++++++++++++++++++++++++++++++++++++++++");
if (args.length==0){
System.out.println("Usage: java -var thisPackageName.jar [-options][args...]");
System.out.println("Use -h for more infomation");
System.out.println("default port is 8080 , webRoot is /root ");
}else {
for (int i=0;i<argList.length;i++){
if (argList[i].equalsIgnoreCase("-h")){
System.out.println("-p your Listern port");
System.out.println("-f your webRoot path");
System.out.println("Example:java -jar netty-0.0.1-SNAPSHOT.jar -p 80 -f /root");
return;
}else {
if (argList[i].equalsIgnoreCase("-p")){
try{
HttpFileServer.PORT=Integer.valueOf(argList[i+1]);
}catch (NumberFormatException e){
System.out.println("wrong number for you port");
System.out.println("Use -h for more infomation");
e.printStackTrace();
return;
}
}
if (argList[i].equalsIgnoreCase("-f")){
try{
HttpFileServer.WEBROOT=argList[i+1];
}catch (Exception e){
System.out.println("wrong path for you webRoot");
System.out.println("Use -h for more infomation");
e.printStackTrace();
return;
}
}
}
}
} try {
HttpFileServer.main();
} catch (InterruptedException e) {
e.printStackTrace();
} }
}
HttpFileServer
package com.xh.netty; 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; /**
* Created by root on 8/14/17.
*/
public class HttpFileServer { public static String WEBROOT = "/root";
public static int PORT = 8080; public void run(final int port , final String url) throws InterruptedException {
EventLoopGroup bossGroup=new NioEventLoopGroup();
EventLoopGroup workerGroup=new NioEventLoopGroup();
try{
ServerBootstrap bootstrap=new ServerBootstrap();
bootstrap.group(bossGroup,workerGroup)
.channel(NioServerSocketChannel.class)
.childHandler(new ChannelInitializer<SocketChannel>() {
protected void initChannel(SocketChannel socketChannel) throws Exception {
socketChannel.pipeline().addLast("http-decoder",new HttpRequestDecoder());
socketChannel.pipeline().addLast("http-aggregator",new HttpObjectAggregator(65536));
socketChannel.pipeline().addLast("http-encoder",new HttpResponseEncoder());
socketChannel.pipeline().addLast("http-chunked",new ChunkedWriteHandler());
socketChannel.pipeline().addLast("fileServerHandler",new HttpFileServerHandler(url)); }
});
ChannelFuture future = bootstrap.bind("127.0.0.1",port).sync();
System.out.println("服务器已启动>>网址:"+"127.0.0.1:"+port+url);
future.channel().closeFuture().sync();
}catch (Exception e){
e.printStackTrace();
}finally {
bossGroup.shutdownGracefully();
workerGroup.shutdownGracefully();
} } public static void main() throws InterruptedException { new HttpFileServer().run(PORT,WEBROOT);
}
}
HttpFileServerHandler
package com.xh.netty; import io.netty.buffer.ByteBuf;
import io.netty.buffer.Unpooled;
import io.netty.channel.*;
import io.netty.handler.codec.http.*;
import io.netty.handler.codec.http.HttpResponseStatus;
import io.netty.handler.stream.ChunkedFile;
import io.netty.util.CharsetUtil; import javax.activation.MimetypesFileTypeMap;
import java.io.File;
import java.io.FileNotFoundException;
import java.io.RandomAccessFile;
import java.net.URLDecoder;
import java.util.regex.Pattern; import static io.netty.handler.codec.http.HttpHeaderNames.*;
import static io.netty.handler.codec.http.HttpHeaderUtil.isKeepAlive;
import static io.netty.handler.codec.http.HttpHeaderUtil.setContentLength;
import static io.netty.handler.codec.http.HttpHeaderValues.KEEP_ALIVE;
import static io.netty.handler.codec.http.HttpResponseStatus.*;
import static io.netty.handler.codec.http.HttpVersion.HTTP_1_1; /**
* Created by root on 8/14/17.
*/
public class HttpFileServerHandler extends SimpleChannelInboundHandler<FullHttpRequest>{ private final String url;
String WEBROOT = HttpFileServer.WEBROOT;
public HttpFileServerHandler(String url) {
this.url = url;
} protected void messageReceived(ChannelHandlerContext channelHandlerContext, FullHttpRequest fullHttpRequest) throws Exception {
if (!fullHttpRequest.decoderResult().isSuccess()){
sendError(channelHandlerContext, HttpResponseStatus.BAD_REQUEST);
return;
} if (fullHttpRequest.method()!= HttpMethod.GET){
sendError(channelHandlerContext,HttpResponseStatus.METHOD_NOT_ALLOWED);
return;
} String uri=fullHttpRequest.uri();
if (uri==null||uri.trim().equalsIgnoreCase("")){
uri="/";
}
if (uri.trim().equalsIgnoreCase("/")){
uri= WEBROOT;
}
if(!uri.startsWith(WEBROOT)){
uri= WEBROOT +uri;
}
final String path=sanitizeUri(uri);
if (path==null){
sendError(channelHandlerContext,HttpResponseStatus.FORBIDDEN);
return;
} File file=new File(path);
if (file.isHidden()||!file.exists()){
sendError(channelHandlerContext,HttpResponseStatus.NOT_FOUND);
return;
} if (file.isDirectory()){
if (uri.endsWith("/")){
senfListing(channelHandlerContext,file); }else {
sendRedirect(channelHandlerContext,uri+"/");
} return;
} if (!file.isFile()){
sendError(channelHandlerContext,HttpResponseStatus.FORBIDDEN);
return;
} RandomAccessFile randomAccessFile=null;
try{
randomAccessFile=new RandomAccessFile(file,"r");
}catch (FileNotFoundException e){
e.printStackTrace();
sendError(channelHandlerContext,HttpResponseStatus.NOT_FOUND);
return;
} Long fileLength=randomAccessFile.length();
HttpResponse httpResponse=new DefaultHttpResponse(HTTP_1_1,OK);
setContentLength(httpResponse,fileLength);
setContentTypeHeader(httpResponse,file); if (isKeepAlive(fullHttpRequest)){
httpResponse.headers().set(CONNECTION,KEEP_ALIVE);
} channelHandlerContext.writeAndFlush(httpResponse);
ChannelFuture sendFileFuture = channelHandlerContext.write(
new ChunkedFile(randomAccessFile,0,fileLength,8192),channelHandlerContext.newProgressivePromise()); sendFileFuture.addListener(new ChannelProgressiveFutureListener() {
public void operationProgressed(ChannelProgressiveFuture future, long progress, long total) {
if (total<0){
System.err.println("progress:"+progress);
}else {
System.err.println("progress:"+progress+"/"+total);
}
} public void operationComplete(ChannelProgressiveFuture future) {
System.err.println("complete");
}
}); ChannelFuture lastChannelFuture=channelHandlerContext.writeAndFlush(LastHttpContent.EMPTY_LAST_CONTENT);
if (!isKeepAlive(fullHttpRequest)){
lastChannelFuture.addListener(ChannelFutureListener.CLOSE ); } } @Override
public void exceptionCaught(ChannelHandlerContext ctx, Throwable cause) throws Exception {
cause.printStackTrace();
if (ctx.channel().isActive()){
sendError(ctx,INTERNAL_SERVER_ERROR);
}
} private static final Pattern INSECURE_URI=Pattern.compile(".*[<>&\"].*"); public String sanitizeUri(String uri){
try{
uri= URLDecoder.decode(uri,"UTF-8");
}catch (Exception e){
try{
uri= URLDecoder.decode(uri,"ISO-8859-1");
}catch (Exception ew){
ew.printStackTrace();
}
} if (!uri.startsWith(url)){
return null; } if (!uri.startsWith("/")){
return null; } uri=uri.replace('/',File.separatorChar);
if (uri.contains(File.separator+'.')||uri.startsWith(".")||uri.endsWith(".")||INSECURE_URI.matcher(uri).matches()){
return null;
} return uri;//System.getProperty("user.dir")+uri } private static final Pattern ALLOWED_FILE_NAME=Pattern.compile("[a-zA-Z0-9\\.]*");
private void senfListing(ChannelHandlerContext channelHandlerContext, File dir) {
FullHttpResponse response=new DefaultFullHttpResponse(HTTP_1_1,OK);
response.headers().set(CONTENT_TYPE,"text/html;charset=UTF-8");
StringBuilder builder =new StringBuilder();
String dirPath=dir.getPath();
builder.append("<!DOCTYPE html> \r\n");
builder.append("<html><head><title>");
builder.append(dirPath);
builder.append("目录:");
builder.append("</title></head><body>\r\n");
builder.append("<h3>");
builder.append(dirPath).append("目录:");
builder.append("</h3>\r\n");
builder.append("<ul>");
builder.append("<li>链接:<a href=\"../\">..</a></li>\r\n");
for (File f:dir.listFiles()){
if (f.isHidden()||!f.canRead()){
continue;
}
String fname=f.getName();
if (!ALLOWED_FILE_NAME.matcher(fname).matches()){
continue;
}
builder.append("<li>链接:<a href=\" ");
builder.append(fname);
builder.append("\" >");
builder.append(fname);
builder.append("</a></li>\r\n");
}
builder.append("</ul></body></html>\r\n"); ByteBuf byteBuf= Unpooled.copiedBuffer(builder, CharsetUtil.UTF_8);
response.content().writeBytes(byteBuf);
byteBuf.release();
channelHandlerContext.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } private void sendRedirect(ChannelHandlerContext channelHandlerContext, String newUri) {
FullHttpResponse response=new DefaultFullHttpResponse(HTTP_1_1,FOUND);
response.headers().set(LOCATION,newUri);
channelHandlerContext.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE);
} private void sendError(ChannelHandlerContext channelHandlerContext, 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");
channelHandlerContext.writeAndFlush(response).addListener(ChannelFutureListener.CLOSE); } private void setContentTypeHeader(HttpResponse httpResponse, File file) { MimetypesFileTypeMap mimetypesFileTypeMap=new MimetypesFileTypeMap();
httpResponse.headers().set(CONTENT_TYPE,mimetypesFileTypeMap.getContentType(file.getPath()));
} }
打包发布:
cd 到项目target同级目录
mvn clean package
然后 cd target/
java -jar netty-0.0.1-SNAPSHOT.jar -h运行
Netty+SpringBoot写一个基于Http协议的文件服务器的更多相关文章
- 教你如何使用Java手写一个基于链表的队列
在上一篇博客[教你如何使用Java手写一个基于数组的队列]中已经介绍了队列,以及Java语言中对队列的实现,对队列不是很了解的可以我上一篇文章.那么,现在就直接进入主题吧. 这篇博客主要讲解的是如何使 ...
- 使用springboot写一个简单的测试用例
使用springboot写一个简单的测试用例 目录结构 pom <?xml version="1.0" encoding="UTF-8"?> < ...
- 写一个基于TCP协议套接字,服务端实现接收客户端的连接并发
''' 写一个基于TCP协议套接字,服务端实现接收客户端的连接并发 ''' client import socket import time client = socket.socket() clie ...
- 闲来无事,写个基于UDP协议的Socket通讯Demo
项目一期已经做完,二期需求还没定稿,所以最近比较闲. 上一篇写的是TCP协议,今天写一下UDP协议.TCP是有连接协议,所以发送和接收消息前客户端和服务端需要建立连接:UDP是无连接协议,所以发送消息 ...
- [PHP]用PHP自己写一个基于zoomeye的api(偷懒必备quq)
0x01 起因 因为手速慢,漏洞刷不过别人,一个个手补确实慢,所以想自己写一个api,一键抓取zoomeye的20页,然后就可以打批量了 ovo(真是太妙了!) 0x02 动工 1.抓包做 ...
- 网络编程—【自己动手】用C语言写一个基于服务器和客户端(TCP)!
如果想要自己写一个服务器和客户端,我们需要掌握一定的网络编程技术,个人认为,网络编程中最关键的就是这个东西--socket(套接字). socket(套接字):简单来讲,socket就是用于描述IP地 ...
- 转:【专题十一】实现一个基于FTP协议的程序——文件上传下载器
引言: 在这个专题将为大家揭开下FTP这个协议的面纱,其实学习知识和生活中的例子都是很相通的,就拿这个专题来说,要了解FTP协议然后根据FTP协议实现一个文件下载器,就和和追MM是差不多的过程的,相信 ...
- 专题十一:实现一个基于FTP协议的程序——文件上传下载器
引言: 在这个专题将为大家揭开下FTP这个协议的面纱,其实学习知识和生活中的例子都是很相通的,就拿这个专题来说,要了解FTP协议然后根据FTP协议实现一个文件下载器,就和和追MM是差不多的过程的,相信 ...
- SpringBoot写一个登陆注册功能,和期间走的坑
文章目录 前言 1. 首先介绍项目的相关技术和工具: 2. 首先创建项目 3. 项目的结构 3.1实体类: 3.2 Mapper.xml 3.3 mapper.inteface 3.4 Service ...
随机推荐
- webapi Get Post
转载:http://www.cnblogs.com/Juvy/p/3903974.html 在WebAPI中,请求主体(HttpContent)只能被读取一次,不被缓存,只能向前读取的流. 举例子说明 ...
- MT【231】棋子方法数
设有5枚无区别的棋子放在如图$5*5$的棋盘的小方格中,放棋子的规则是每行每列放且仅放一个棋子,同时,不允许放在黑方格内,则共有______ 方法. 答案:5的错排数44.第一行的数不放第二列(相当于 ...
- Linux 系统免密码登陆远程服务器
在当前Linux生成公钥私钥ssh-keygen公钥私钥存放路径为:~/root/.ssh/id_rsa id_rsa.pub 登陆被远程主机,进入目录~/root/.ssh/是否存在authoriz ...
- Java编程,打印昨天的当前时刻
public class Demo { /* * Java编程,打印昨天的当前时刻 */ public static void main(String[] args){ Calendar ca ...
- 洛谷 P1120 小木棍 [数据加强版]解题报告
P1120 小木棍 [数据加强版] 题目描述 乔治有一些同样长的小木棍,他把这些木棍随意砍成几段,直到每段的长都不超过50. 现在,他想把小木棍拼接成原来的样子,但是却忘记了自己开始时有多少根木棍和它 ...
- bzoj4361 isn (dp+树状数组+容斥)
我们先设f[i][j]表示长度为i,以j结尾的不降子序列个数,$f[i][j]=\sum{f[i-1][k]},A[k]<=A[j],k<j$,用树状数组优化一下可以$O(n^2logn) ...
- bzoj1494 生成树计数 (dp+矩阵快速幂)
题面欺诈系列... 因为一个点最多只能连到前k个点,所以只有当前的连续k个点的连通情况是对接下来的求解有用的 那么就可以计算k个点的所有连通情况,dfs以下发现k=5的时候有52种. 我们把它们用类似 ...
- 最小割求法&&可行边和必须边
最小割的可行边与必须边 就是在残量网络上跑tarjan 可行边: 满流并且残量网络上不能存在入点到出点的路径 必须边: 满流并且残量网络上入点能从源点到达,出点能到汇点. 任意一种最小割求法: 跑一边 ...
- 【LOJ#6280】数列分块4
题目大意:维护一个长度为 N 的序列,支持两种操作:区间修改.区间求和.N <= 50000 题解:在维护分块的同时,维护每个区间的和,保证在 \(O(1)\) 的时间查询答案. 代码如下 #i ...
- eclipse --- 新建JSP页面默认模版设置
设置 在eclipse中新建 jsp时是这样的: 有时候我们不想字符集是ISO_8859-1,想字符集是UTF-8,一个个修改会很麻烦,那么我们可以修改jsp模版的设置: window>Pref ...