用 java.nio 包的类写一个服务端和一个客户端,客户端发送D盘文件 1.jpg给服务端,服务端接收文件,返回字符串“文件已接收”,并把文件保存为D盘的2.jpg 代码加上注释
时间: 2023-06-13 13:02:10 浏览: 114
以下是使用 java.nio 包的代码实现服务端和客户端:
**服务端:**
```java
import java.io.FileOutputStream;
import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.ServerSocketChannel;
import java.nio.channels.SocketChannel;
public class Server {
public static void main(String[] args) throws IOException {
ServerSocketChannel serverSocketChannel = ServerSocketChannel.open();
serverSocketChannel.socket().bind(new InetSocketAddress(8888));
System.out.println("Server started, waiting for client to connect...");
SocketChannel socketChannel = serverSocketChannel.accept();
System.out.println("Client connected.");
ByteBuffer buffer = ByteBuffer.allocate(1024);
FileOutputStream fileOutputStream = new FileOutputStream("D:\\2.jpg");
int bytesRead = 0;
while ((bytesRead = socketChannel.read(buffer)) != -1) {
buffer.flip();
fileOutputStream.getChannel().write(buffer);
buffer.clear();
}
fileOutputStream.close();
socketChannel.close();
serverSocketChannel.close();
System.out.println("File received and saved as D:\\2.jpg");
}
}
```
首先创建了一个 ServerSocketChannel 实例,绑定在本机的 8888 端口上。然后等待客户端连接,并打印出“Client connected.”。接下来创建一个 ByteBuffer 实例,用于从 SocketChannel 中读取数据。同时创建一个 FileOutputStream 实例,用于将接收到的文件保存为 D 盘的 2.jpg。通过 while 循环不断地从 SocketChannel 中读取数据,并将其写入到 ByteBuffer 中。每次写入后,通过 flip() 将 ByteBuffer 切换为读模式,然后将其写入到 FileOutputStream 中,并通过 clear() 将 ByteBuffer 切换为写模式。当读取完毕时,关闭 FileOutputStream 和 SocketChannel,并打印出“File received and saved as D:\\2.jpg”。
**客户端:**
```java
import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.SocketChannel;
import java.nio.file.Files;
import java.nio.file.Paths;
public class Client {
public static void main(String[] args) throws IOException {
SocketChannel socketChannel = SocketChannel.open();
socketChannel.connect(new InetSocketAddress("localhost", 8888));
System.out.println("Connected to server.");
byte[] fileBytes = Files.readAllBytes(Paths.get("D:\\1.jpg"));
ByteBuffer buffer = ByteBuffer.wrap(fileBytes);
socketChannel.write(buffer);
System.out.println("File sent to server.");
buffer.clear();
int bytesRead = socketChannel.read(buffer);
System.out.println(new String(buffer.array(), 0, bytesRead));
socketChannel.close();
}
}
```
首先创建了一个 SocketChannel 实例,并连接到本机的 8888 端口上。然后读取 D 盘的 1.jpg 文件,并将其保存为一个 byte 数组。接着创建了一个 ByteBuffer 实例,并将 byte 数组包装在其中。通过 SocketChannel 的 write() 方法将 ByteBuffer 中的数据发送给服务端,并打印出“File sent to server.”。接下来创建一个新的 ByteBuffer 实例,并通过 SocketChannel 的 read() 方法读取服务端返回的数据。将 ByteBuffer 中的数据转换为字符串,并打印出来。最后关闭 SocketChannel。
阅读全文