0

我有以下通过套接字传输文件的代码。如何发送文件名?

Socket socket = new Socket("localhost", port);//machine name, port number
File file = new File(fileName);
// Get the size of the file
long length = file.length();
if (length > Integer.MAX_VALUE) 
{
    System.out.println("File is too large.");
}
byte[] bytes = new byte[(int) length];
FileInputStream fis = new FileInputStream(file);
BufferedInputStream bis = new BufferedInputStream(fis);
BufferedOutputStream out = new BufferedOutputStream(socket.getOutputStream());

int count;

while ((count = bis.read(bytes)) > 0) 
{
    out.write(bytes, 0, count);
}

out.flush();
out.close();
fis.close();
bis.close();
socket.close();
4

3 回答 3

6

您可以为您的套接字发明自己的协议。如果您只需要文件名和数据,DataOutputStream.writeUTF 是最简单的:

BufferedOutputStream out = new BufferedOutputStream(socket.getOutputStream());
try (DataOutputStream d = new DataOutputStream(out)) {
    d.writeUTF(fileName);
    Files.copy(file.toPath(), d);
}

对等方必须使用相同的协议,当然:

BufferedInputStream in = new BufferedInputStream(socket.getInputStream());
try (DataInputStream d = new DataInputStream(in)) {
    String fileName = d.readUTF();
    Files.copy(d, Paths.get(fileName));
}
于 2013-03-27T02:29:39.137 回答
2

使用一个永远不会出现在文件名中的字符 - 例如空值(0x00, \0,无论你想怎么称呼它)。然后发送一个 64 位整数,指示文件的长度(以字节为单位)(确保您不会遇到缓冲区溢出、小端/大端问题等......只需测试所有边缘情况)。然后发送文件数据。然后结束套接字会知道哪个部分是文件名,文件长度和文件数据,如果你想发送另一个文件名,甚至会准备好下一个文件名。

(如果文件名可以是任意字符,包括控制字符,哎哟!也许发送一个64位整数长度的文件名,文件名,一个64位整数长度的文件数据,文件数据,无限重复?)

编辑:要通过套接字发送 64 位整数,请按特定顺序发送其组成字节,并确保发送方和接收方同意该顺序。如何执行此操作的一个示例是如何将 Java Long 转换为 Cassandra 的 byte[]?

于 2013-03-27T00:41:29.957 回答
1

我试图包装一个导致 MalfctionUTF 的缓冲区并将其放在 try-with 资源上关闭下划线套接字流并导致连接重置异常
以下代码对我有用

客户

DataOutputStream d = new DataOutputStream(out);
        d.writeUTF(filename);
        d.writeLong(length);

服务器

DataInputStream d = new DataInputStream(in);
filename = d.readUTF();
fileLength = d.readLong();
于 2017-04-02T05:53:35.317 回答