我在使用NIO框架在主机和客户端之间通过SocketChannel发送数据时遇到问题。
我从来没有真正费心去学习NIO,但是随着java.nio.files包的介绍和其他各种改进,我想我会尝试一下。
我能够让SocketChannel和ServerSocketChannel连接得很好,但实际的数据传输非常奇怪。它永远不会在客户端正确完成,在最终读取后总是挂断。此外,它有时会读取不正确的数据量(太多或太少),甚至导致Windows资源管理器疯狂并分配所有系统的内存,从而导致计算机崩溃。
这是我现在的代码(它是测试代码):
package bg.jdk7.io;
import static java.nio.file.StandardOpenOption.*;
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.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.nio.file.StandardOpenOption;
public class NetIO {
static volatile long filesize;
public static void main(String[] args) {
new Thread(new Client()).start();
try {
ServerSocketChannel ssc = ServerSocketChannel.open();
ssc.bind(new InetSocketAddress(5555));
SocketChannel sc = ssc.accept();
if(sc.isConnected()) {
ByteBuffer buff = ByteBuffer.allocate(10240);
Path fp = Paths.get(System.getProperty("user.home")+"\\Documents\\clip0025.avi");
if(Files.exists(fp)) {
FileChannel fc = (FileChannel) Files.newByteChannel(fp, StandardOpenOption.READ);
long tot = Files.size(fp);
long run = 0;
int read = 0;
int prog = 0;
while((read = fc.read(buff))>0) {
buff.rewind();
sc.write(buff);
run+=buff.position();
int last = prog;
prog = (int)(((double)run/tot)*100);
if(prog !=last) {
System.out.println(prog + "%");
}
buff.flip();
}
fc.close();
System.out.println("Sending completed");
}
}
} catch (IOException e) {
e.printStackTrace();
}
}
static class Client implements Runnable {
public void run() {
try {
SocketChannel sc = SocketChannel.open();
sc.connect(new InetSocketAddress("localhost",5555));
if(sc.isConnected()) {
Path dpf = Paths.get("\\NIO_TESTING\\");
Path dp = Paths.get(dpf+"\\clip.avi");
Files.createDirectories(dpf);
FileChannel fc = (FileChannel) Files.newByteChannel(dp, CREATE, WRITE, TRUNCATE_EXISTING);
ByteBuffer buff = ByteBuffer.allocate(10240);
int read;
int total = 0;
while((read = sc.read(buff))>0) {
total+=read;
buff.rewind();
fc.write(buff);
System.out.println(fc.size());
buff.flip();
if(total == filesize) System.out.println("File data received successfully...");
}
System.out.println("Completed successfully");
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
答案 0 :(得分:2)
由SocketChannel
生成的ServerSocketChannel.accept()
已连接。没有办法不可能。 isConnected()
测试毫无意义。
您的服务器I / O代码不正确。通道写入必须以buffer.flip()
开头,然后是buffer.compact().
从一个通道复制到另一个通道的规范方法如下(请注意,即使缓冲区中仍有待处理数据,这在EOS上也能正常运行):
while (in.read(buffer) >= 0 || buffer.position() > 0)
{
buffer.flip();
out.write(buffer);
buffer.compact();
}
与我的第一段相似,由SocketChannel
后跟SocketChannel.open()
的SocketChannel.connect()
连接:再次,测试毫无意义。如果未连接,ConnectException
电话上会有connect()
。
您的客户端I / O代码与服务器I / O代码存在同样的问题。
您没有关闭服务器中的SocketChannel
,因此客户端永远不会停止从连接中读取。
您还没有关闭客户端中的SocketChannel
。
File.exists()
测试毫无意义。如果文件不存在,以下行将抛出异常,无论如何你必须处理该异常,那为什么要再次这样做呢?