netty学习-简单Socket(一)

package com.xin;

/**
 * 〈一句话功能简述〉
* 〈〉 * * @author xinGuiYuan * @create 2019-01-09 22:48 * @since 1.0.0 */ public class ServerBoot { private static final int PORT = 8000; public static void main(String[] args){ Server server = new Server(PORT); server.start(); } }

==================================================

package com.xin;

import java.io.IOException;
import java.net.ServerSocket;
import java.net.Socket;

/**
 * 〈一句话功能简述〉
* 〈〉 * * @author xinGuiYuan * @create 2019-01-09 22:53 * @since 1.0.0 */ public class Server { private ServerSocket serverSocket; public Server(int port){ try { this.serverSocket = new ServerSocket(port); System.out.println("服务端启动成功,端口:" + port); } catch (IOException e) { System.out.println("服务端启动失败。"); } } //创建新线程避免主线程阻塞 public void start() { new Thread(() -> doStart()).start(); } private void doStart() { while (true) { try { Socket client = serverSocket.accept();//accept阻塞的方法 new ClientHandler(client).start(); } catch (IOException e) { System.out.println("服务端异常"); } } } }

==================================================

package com.xin;

import java.io.IOException;
import java.io.InputStream;
import java.net.Socket;

/**
 * 〈一句话功能简述〉
* 〈〉 * * @author xinGuiYuan * @create 2019-01-09 23:06 * @since 1.0.0 */ public class ClientHandler { public static final int MAX_DATA_LEN = 1024; private final Socket socket; public ClientHandler(Socket socket){ this.socket = socket; } //避免读写阻塞 public void start() { System.out.println("新客户端接入"); new Thread(() -> { doStart(); }).start(); } private void doStart() { try { InputStream inputStream = socket.getInputStream(); while (true) { byte[] data = new byte[MAX_DATA_LEN]; int len; while ((len = inputStream.read(data)) != -1) { String message = new String(data, 0, len); System.out.println("客户端传来消息:" + message); socket.getOutputStream().write(data); } } } catch (IOException e) { e.printStackTrace(); } } }

==================================================

package com.xin;

import java.io.IOException;
import java.net.Socket;

/**
 * 〈一句话功能简述〉
* 〈客户端〉 * * @author xinGuiYuan * @create 2019-01-09 23:39 * @since 1.0.0 */ public class Client { private static final String HOST = "127.0.0.1"; private static final int PORT = 8000; private static final int SLEEP_TIME = 5000; public static void main(String[] args) throws IOException { final Socket socket = new Socket(HOST, PORT); new Thread(()-> { System.out.println("客户端启动成功!"); while (true) { try { String message = "hello world"; System.out.println("客户端发送数据:" + message); socket.getOutputStream().write(message.getBytes()); } catch (IOException e) { System.out.println("写数据出错"); } sleep(); } }).start(); } private static void sleep() { try { Thread.sleep(SLEEP_TIME); } catch (InterruptedException e) { e.printStackTrace(); } } }

 

 

你可能感兴趣的:(netty)