我想将文件从客户端发送到服务器,并且将来能够再次使用。
所以我的客户端连接到服务器并上传文件,好吧 - 它可以工作,但最后会挂起..
所以这是我在客户端的代码,服务器端非常相似。
private void SenderFile(File file) {
try {
FileInputStream fis = new FileInputStream(file);
OutputStream os = socket.getOutputStream();
IoUtil.copy(fis, os);
} catch (Exception ex) {
ex.printStackTrace();
}
}
在堆栈上找到IoUtils:)
public static class IoUtil {
private final static int bufferSize = 8192;
public static void copy(InputStream in, OutputStream out)
throws IOException {
byte[] buffer = new byte[bufferSize];
int read;
while ((read = in.read(buffer, 0, bufferSize)) != -1) {
out.write(buffer, 0, read);
}
out.flush();
}
}
说明:我的客户端有一个连接到服务器的套接字,我发送任何文件给他。 我的服务器下载它但最后挂起,因为他正在倾听更多的信息。 如果我选择其他文件,我的服务器会将新数据下载到现有文件中。
我如何将任何文件上传到服务器,让我的服务器工作并能够正确下载另一个文件?
PS。如果我在函数out.close
的末尾添加到ioutil.copy,我的服务器将继续工作,但连接将丢失。我不知道该怎么做:{
更新后: 客户方:
private void SenderFile(File file) {
try {
FileInputStream fis = new FileInputStream(file);
OutputStream os = socket.getOutputStream();
DataOutputStream wrapper = new DataOutputStream(os);
wrapper.writeLong(file.length());
IoUtil.copy(fis, wrapper);
} catch (Exception ex) {
ex.printStackTrace();
}
}
服务器端(线程侦听来自客户端的任何消息):
public void run() {
String msg;
File newfile;
try {
//Nothing special code here
while ((msg = reader.readLine()) != null) {
String[] message = msg.split("\\|");
if (message[0].equals("file")) {//file|filename|size
String filename = message[1];
//int filesize = Integer.parseInt(message[2]);
newfile = new File("server" + filename);
InputStream is = socket.getInputStream();
OutputStream os = new FileOutputStream(newfile);
DataInputStream wrapper = new DataInputStream(is);
long fileSize = wrapper.readLong();
byte[] fileData = new byte[(int) fileSize];
is.read(fileData, 0, (int) fileSize);
os.write(fileData, 0, (int) fileSize);
System.out.println("Downloaded file");
} else
//Nothing special here too
}
} catch (Exception ex) {
ex.printStackTrace();
}
}
好的,现在我可以下载文件 - 仍然一次,另一个下载但无法读取。例如,第二次我想通过客户端发送file.png。我在服务器上得到它,但是无法查看此文件。 在此先感谢:)
答案 0 :(得分:2)
您需要让服务器能够区分文件。最简单的方法是事先告诉接收端对单个文件应该有多少字节;这样,它知道何时停止阅读并等待另一个。
这就是SenderFile
方法的样子:
private void SenderFile(File file)
{
try
{
FileInputStream fis = new FileInputStream(file);
OutputStream os = socket.getOutputStream();
DataOutputStream wrapper = new DataOutputStream(os);
wrapper.writeLong(file.length());
IoUtil.copy(fis, wrapper);
}
catch (Exception ex)
{
ex.printStackTrace();
}
}
这就是ReceiveFile
方法的样子:
// the signature of the method is complete speculation, adapt it to your needs
private void ReceiveFile(File file)
{
FileOutputStream fos = new File(file);
InputStream is = socket.getInputStream();
DataInputStream wrapper = new DataInputStream(is);
// will not work for very big files, adapt to your needs too
long fileSize = wrapper.readLong();
byte[] fileData = new byte[fileSize];
is.read(fileData, 0, fileSize);
fos.write(fileData, 0, fileSize);
}
然后不要关闭套接字。