1. 程式人生 > >JAVA高階基礎(50)---阻塞式的IO網路通訊

JAVA高階基礎(50)---阻塞式的IO網路通訊

網路通訊的三要素

  1. IP地址:可以唯一的定位到一臺計算機
  2. 埠號:可以唯一的定位到一個程式
  3. 通訊協議:TCP/IP  UDP

阻塞式

客戶端

  1. 獲取通道
  2. 分配指定大小的緩衝區
  3. 讀取本地檔案,併發送到服務端
  4. 關閉通道

服務端

  1. 獲取通道
  2. 繫結連線
  3. 獲取客戶端連線的通道
  4. 分配指定大小的緩衝區
  5. 接收客戶端的資料,並儲存到本地
  6.  關閉通道
package org.lanqiao.blocking.demo;

import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;
import java.nio.channels.SocketChannel;
import java.nio.file.Paths;
import java.nio.file.StandardOpenOption;

/*
 *	1. 獲取通道
	2. 分配指定大小的緩衝區
	3. 讀取本地檔案,併發送到服務端
	4. 關閉通道 
 */
public class Client {
	public static void main(String[] args) throws IOException {
		System.out.println("客戶端啟動....");
		//1 獲取通道
		SocketChannel sChannel  = SocketChannel.open(new InetSocketAddress("127.0.0.1", 9898));
		//2 分配指定大小的緩衝區
		ByteBuffer  buf = ByteBuffer.allocate(1024);
		//3 讀取本地檔案,併發送到服務端
		FileChannel fChannel = FileChannel.open(Paths.get("aa.jpg"), StandardOpenOption.READ);
		while((fChannel.read(buf)) != -1) {
			buf.flip();
			sChannel.write(buf);
			buf.clear();
		}
		//4 關閉通道
		fChannel.close();
		sChannel.close();
	}
}
package org.lanqiao.blocking.demo;

import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;
import java.nio.channels.ServerSocketChannel;
import java.nio.channels.SocketChannel;
import java.nio.file.Paths;
import java.nio.file.StandardOpenOption;

/**服務端:
	1. 獲取通道
	2. 繫結連線
	3. 獲取客戶端連線的通道
	4. 分配指定大小的緩衝區
	5. 接收客戶端的資料,並儲存到本地
	6. 關閉通道
*/
public class Server {
	public static void main(String[] args) throws IOException {
		System.out.println("服務端啟動...");
		//1 獲取通道
		ServerSocketChannel ssChannel  = ServerSocketChannel.open();
		//2 繫結連結
		ssChannel.bind(new InetSocketAddress( 9898));
		// 3 獲取客戶端的通道
		SocketChannel sChannel = ssChannel.accept();
		//4分配指定大小的緩衝區
		ByteBuffer buf  = ByteBuffer.allocate(1024);
		//5 接收客戶端的資料, 並儲存到本地
		FileChannel fChannel = FileChannel.open(Paths.get("aaCopy.jpg"), StandardOpenOption.WRITE,StandardOpenOption.CREATE);
		
		while((sChannel.read(buf)) != -1) {
			buf.flip();
			fChannel.write(buf);
			buf.clear();
			
		}
		//6 關閉通道
		ssChannel.close();
		fChannel.close();
		sChannel.close();
	}
}