Netty讀書筆記:netty實現(xiàn)WebSocket服務(web's IM)

目錄

  • [HttpRequsetHandler][1] - 管理HTTP請求和響應
  • TextWebSocketFrameHandler[2] - 處理聊天的WebSocket幀
  • ChatForWebSocketServerInitailizer [3] - 初始化PipelineChannel
  • ChatWebSocketServer[4]-啟動程序
  • 增加SSL- SecurityChatWebSocketServerInitailizer [5]
  • 增加SSL- SecurityChatWebSocketServer[6]

HttpRequsetHandler

import io.netty.channel.*;
import io.netty.handler.codec.http.*;
import io.netty.handler.codec.http.websocketx.TextWebSocketFrame;
import io.netty.handler.ssl.SslHandler;
import io.netty.handler.stream.ChunkedNioFile;
import java.io.File;
import java.io.RandomAccessFile;
import java.net.URISyntaxException;
import java.net.URL;

public class HttpRequsetHandler extends SimpleChannelInboundHandler<FullHttpRequest> {
    private final String wsUri;
    private static File INDEX;
    static{
        URL location = HttpRequsetHandler.class.getProtectionDomain().getCodeSource().getLocation();
        try{
            String path = location.toURI() + "index.html";
            path = !path.contains("file:")?path:path.substring(5);
            INDEX = new File(path);
        }catch (URISyntaxException e){
            e.printStackTrace();;
        }
    }

    public HttpRequsetHandler(String wsUri) {
        this.wsUri = wsUri;
    }

    @Override
    protected void channelRead0(ChannelHandlerContext ctx, FullHttpRequest request) throws Exception {
        if (wsUri.equalsIgnoreCase(request.getUri())){
            //如果請求了websocket協(xié)議升級斗蒋,則增加引用計數(shù)(調用retain()方法),并傳給下一個ChannelInboundHandler
            ctx.fireChannelRead(request.retain());
        }else{
            if (HttpHeaders.is100ContinueExpected(request)){ //讀取is100ContinueExpected請求,符合http1.1版本
                send100Continue(ctx);
            }
            RandomAccessFile file = new RandomAccessFile(INDEX,"r");
            HttpResponse response = new DefaultFullHttpResponse(
                    request.getProtocolVersion(), HttpResponseStatus.OK
            );
            response.headers().set(
                    HttpHeaders.Names.CONTENT_TYPE,"text/html;charset=UTF-8"
            );
            boolean keepAlive = HttpHeaders.isKeepAlive(request);
            if (keepAlive){ //如果請求了keep-alive妇押,則添加所需要的HTTP頭信息
                response.headers().set(
                        HttpHeaders.Names.CONTENT_LENGTH,file.length()
                );
                response.headers().set(
                        HttpHeaders.Names.CONNECTION,HttpHeaders.Values.KEEP_ALIVE
                );
            }
            ctx.write(response);//將httpresponse寫入到客戶端
            if (ctx.pipeline().get(SslHandler.class)==null){//將index.html寫到客戶端
                ctx.write(new DefaultFileRegion(file.getChannel(),0,file.length()));
            }else{
                ctx.write(new ChunkedNioFile(file.getChannel()));
            }

            ChannelFuture future = ctx.writeAndFlush(LastHttpContent.EMPTY_LAST_CONTENT);
            if (!keepAlive){
                future.addListener(
                        ChannelFutureListener.CLOSE
                );
            }
        }
    }

    private void send100Continue(ChannelHandlerContext ctx) {
        FullHttpResponse response = new DefaultFullHttpResponse(
                HttpVersion.HTTP_1_0,HttpResponseStatus.CONTINUE
        );

        ctx.writeAndFlush(response);
    }

    @Override
    public void exceptionCaught(ChannelHandlerContext ctx,Throwable cause){
        cause.printStackTrace();
        ctx.close();
    }
}

TextWebSocketFrameHandler-處理聊天的WebSocket幀


public class TextWebSocketFrameHandler extends SimpleChannelInboundHandler<TextWebSocketFrame> {
    private final ChannelGroup group;
    public TextWebSocketFrameHandler(ChannelGroup group) {
        this.group = group;
    }
    @Override
    public void userEventTriggered(ChannelHandlerContext ctx, Object evt) throws Exception {
        if (evt== WebSocketServerProtocolHandler.ServerHandshakeStateEvent.HANDSHAKE_COMPLETE){
            //握手成功俊马,則從該ChannelPipeline移出HttpRequsetHandler,因為它將接收不到任何消息了
            ctx.pipeline().remove(HttpRequsetHandler.class);//
            //通知所有已連接的WebSocket客戶端解寝,新客戶端已上線
            group.writeAndFlush(new TextWebSocketFrame("CLient "+ctx.channel()) +"joined");
            group.add(ctx.channel());
        }else{
            super.userEventTriggered(ctx,evt);
        }
    }
    @Override
    protected void channelRead0(ChannelHandlerContext ctx, TextWebSocketFrame msg) throws Exception {
        group.writeAndFlush(msg.retain());//增加消息的引用計數(shù)聋伦,并將它寫到ChannelGroup中所有已連接的客戶端
    }
}

初始化PipelineChannel

public class ChatForWebSocketServerInitailizer extends ChannelInitializer<Channel> {
    private final ChannelGroup group;

    public ChatForWebSocketServerInitailizer(ChannelGroup congrouptext) {
        this.group = congrouptext;
    }

    @Override
    protected void initChannel(Channel ch) throws Exception {
        ChannelPipeline pipeline = ch.pipeline();

        pipeline.addLast(
                new HttpServerCodec(), //字節(jié)解碼為httpreqeust,httpcontent,last-httpcontent
                new ChunkedWriteHandler(),//寫入一個文本
                new HttpObjectAggregator(64*1024), //HttpMessage與多個HttpConent聚合
                new HttpRequsetHandler("/ws"), //處理FullJttpRequest——不往/ws上發(fā)的請求
                new WebSocketServerProtocolHandler("/ws"), //處理websocket升級握手嘉抓、PingWebSocketFrame抑片、PongWebSocketFrame、CloseWebSocketFrame
                new TextWebSocketFrameHandler(group), //處理TextWebSocketFrameHandler和握手完成事件,如握手成功敞斋,則所需要的Handler將會被添加到ChannelPipeline植捎,不需要的則會移除              
        );//如果請求端是websocket則升級該握手
    }
}

ChatWebSocketServer-啟動程序

public class ChatWebSocketServer {
    //創(chuàng)建DefaultChannelGroup焰枢,將其保存為所有已經連接的WebSocket Channel
    private final ChannelGroup channelGroup = new DefaultChannelGroup(ImmediateEventExecutor.INSTANCE);

    private final EventLoopGroup group = new NioEventLoopGroup();
    private Channel channel;

    public ChannelFuture start(InetSocketAddress address){
        ServerBootstrap bootstrap = new ServerBootstrap();
        bootstrap.group(group)
                .channel(NioServerSocketChannel.class)
                .childHandler(createInitializer(channelGroup));
        ChannelFuture future = bootstrap.bind(address);
        future.syncUninterruptibly();
        channel = future.channel();
        return future;
    }

    protected ChannelHandler createInitializer(ChannelGroup channelGroup) {
        return new ChatWebSocketServerInitailizer(channelGroup);
    }


    public void destory(){
        if (channel!=null){
            channel.close();
        }
        channelGroup.close();
        group.shutdownGracefully();
    }

    public static void main(String[] args) {
        if (args.length!=1){
            System.out.print("Please give port as argument!");
            System.exit(1);
        }

        int port = Integer.parseInt(args[0]);
        final ChatWebSocketServer endpoint = new ChatWebSocketServer();
        ChannelFuture future = endpoint.start(new InetSocketAddress(port));
        Runtime.getRuntime().addShutdownHook(new Thread(){
            @Override
            public void run(){
                endpoint.destory();
            }
        });

        future.channel().closeFuture().syncUninterruptibly();
    }
}

加密

SecurityChatWebSocketServerInitailizer

public class SecurityChatWebSocketServerInitailizer extends ChatWebSocketServerInitailizer {
    private final SslContext context;
    public SecurityChatWebSocketServerInitailizer(ChannelGroup congrouptext, SslContext context) {
        super(congrouptext);
        this.context = context;
    }

    @Override
    protected  void initChannel(Channel ch) throws Exception{
        super.initChannel(ch);

        SSLEngine engine = context.newEngine(ch.alloc());
        engine.setUseClientMode(false);

        ch.pipeline().addFirst(new SslHandler(engine)); //將SslHandler添加到ChannelPipeline中
    }
}

啟動程序 - SecurityChatWebSocketServer

public class SecurityChatWebSocketServer extends ChatWebSocketServer{
    private final SslContext context;
    public SecurityChatWebSocketServer(SslContext context) {
        this.context = context;
    }

    public ChannelFuture start(InetSocketAddress address){
        ServerBootstrap bootstrap = new ServerBootstrap();
        bootstrap.group(group)
                .channel(NioServerSocketChannel.class)
                .childHandler(createInitializer(channelGroup));
        ChannelFuture future = bootstrap.bind(address);
        future.syncUninterruptibly();
        channel = future.channel();
        return future;
    }

    protected ChannelHandler createInitializer(ChannelGroup channelGroup) {
        //return new ChatWebSocketServerInitailizer(channelGroup);
        return new SecurityChatWebSocketServerInitailizer(channelGroup,context);
    }


    public void destory(){
        if (channel!=null){
            channel.close();
        }
        channelGroup.close();
        group.shutdownGracefully();
    }

    public static void main(String[] args) throws SSLException, CertificateException {
        if (args.length!=1){
            System.out.print("Please give port as argument!");
            System.exit(1);
        }


        int port = Integer.parseInt(args[0]);
        SelfSignedCertificate cert = new SelfSignedCertificate();
        SslContext context = SslContext.newServerContext(cert.certificate(),cert.privateKey());
        final SecurityChatWebSocketServer endpoint = new SecurityChatWebSocketServer(context);
        ChannelFuture future = endpoint.start(new InetSocketAddress(port));
        Runtime.getRuntime().addShutdownHook(new Thread(){
            @Override
            public void run(){
                endpoint.destory();
            }
        });

        future.channel().closeFuture().syncUninterruptibly();
    }
}

  1. ?
  2. ?
  3. ?
  4. ?
  5. ?
  6. ?
最后編輯于
?著作權歸作者所有,轉載或內容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市避消,隨后出現(xiàn)的幾起案子,更是在濱河造成了極大的恐慌恕沫,老刑警劉巖纱意,帶你破解...
    沈念sama閱讀 219,427評論 6 508
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異隶债,居然都是意外死亡跑筝,警方通過查閱死者的電腦和手機,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 93,551評論 3 395
  • 文/潘曉璐 我一進店門赞警,熙熙樓的掌柜王于貴愁眉苦臉地迎上來虏两,“玉大人,你說我怎么就攤上這事笤虫∽尜欤” “怎么了?”我有些...
    開封第一講書人閱讀 165,747評論 0 356
  • 文/不壞的土叔 我叫張陵,是天一觀的道長稠屠。 經常有香客問我权埠,道長,這世上最難降的妖魔是什么弊知? 我笑而不...
    開封第一講書人閱讀 58,939評論 1 295
  • 正文 為了忘掉前任,我火速辦了婚禮事哭,結果婚禮上,老公的妹妹穿的比我還像新娘降盹。我一直安慰自己谤辜,他們只是感情好,可當我...
    茶點故事閱讀 67,955評論 6 392
  • 文/花漫 我一把揭開白布结蟋。 她就那樣靜靜地躺著渔彰,像睡著了一般。 火紅的嫁衣襯著肌膚如雪宝惰。 梳的紋絲不亂的頭發(fā)上尼夺,一...
    開封第一講書人閱讀 51,737評論 1 305
  • 那天汞斧,我揣著相機與錄音什燕,去河邊找鬼。 笑死庙睡,一個胖子當著我的面吹牛技俐,可吹牛的內容都是我干的。 我是一名探鬼主播啡邑,決...
    沈念sama閱讀 40,448評論 3 420
  • 文/蒼蘭香墨 我猛地睜開眼井赌,長吁一口氣:“原來是場噩夢啊……” “哼谤逼!你這毒婦竟也來了流部?” 一聲冷哼從身側響起枝冀,我...
    開封第一講書人閱讀 39,352評論 0 276
  • 序言:老撾萬榮一對情侶失蹤球切,失蹤者是張志新(化名)和其女友劉穎吨凑,沒想到半個月后,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體端盆,經...
    沈念sama閱讀 45,834評論 1 317
  • 正文 獨居荒郊野嶺守林人離奇死亡怀骤,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內容為張勛視角 年9月15日...
    茶點故事閱讀 37,992評論 3 338
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了焕妙。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片蒋伦。...
    茶點故事閱讀 40,133評論 1 351
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖焚鹊,靈堂內的尸體忽然破棺而出痕届,到底是詐尸還是另有隱情,我是刑警寧澤末患,帶...
    沈念sama閱讀 35,815評論 5 346
  • 正文 年R本政府宣布研叫,位于F島的核電站,受9級特大地震影響璧针,放射性物質發(fā)生泄漏嚷炉。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點故事閱讀 41,477評論 3 331
  • 文/蒙蒙 一探橱、第九天 我趴在偏房一處隱蔽的房頂上張望隧膏。 院中可真熱鬧杆煞,春花似錦、人聲如沸瑞驱。這莊子的主人今日做“春日...
    開封第一講書人閱讀 32,022評論 0 22
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至砰盐,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間冀值,已是汗流浹背列疗。 一陣腳步聲響...
    開封第一講書人閱讀 33,147評論 1 272
  • 我被黑心中介騙來泰國打工竭讳, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留洛波,地道東北人缚窿。 一個月前我還...
    沈念sama閱讀 48,398評論 3 373
  • 正文 我出身青樓,卻偏偏與公主長得像蹋嵌,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子腺办,可洞房花燭夜當晚...
    茶點故事閱讀 45,077評論 2 355