我使用以下方法下载mp3文件: http://online1.tingclass.com/lesson/shi0529/43/32.mp3
但是我收到了以下错误:
java.io.FileNotFoundException:http:\ online1.tingclass.com \ lesson \ shi0529 \ 43 \ 32.mp3(文件名,目录名或卷标语法不正确)
public static void Copy_File(String From_File,String To_File)
{
try
{
FileChannel sourceChannel=new FileInputStream(From_File).getChannel();
FileChannel destinationChannel=new FileOutputStream(To_File).getChannel();
sourceChannel.transferTo(0,sourceChannel.size(),destinationChannel);
// or
// destinationChannel.transferFrom(sourceChannel, 0, sourceChannel.size());
sourceChannel.close();
destinationChannel.close();
}
catch (Exception e) { e.printStackTrace(); }
}
然而,如果我手动从浏览器中执行此操作,文件就在那里,我想知道它为什么不起作用,以及正确的方法是什么?
谢
答案 0 :(得分:14)
使用旧式Java IO,但您可以将其映射到您正在使用的NIO方法。关键是使用URLConnection。
URLConnection conn = new URL("http://online1.tingclass.com/lesson/shi0529/43/32.mp3").openConnection();
InputStream is = conn.getInputStream();
OutputStream outstream = new FileOutputStream(new File("/tmp/file.mp3"));
byte[] buffer = new byte[4096];
int len;
while ((len = is.read(buffer)) > 0) {
outstream.write(buffer, 0, len);
}
outstream.close();
答案 1 :(得分:2)
创建FileInputStream
时,您始终可以访问本地文件系统。相反,您应该使用URLConnection
来访问HTTP上的文件。
指示符是正斜杠/
已变为反斜杠\
。
答案 2 :(得分:1)
FileInputStream仅用于访问本地文件。如果要访问URL的内容,可以设置URLConnection或使用以下内容:
URL myUrl = new URL("http://online1.tingclass.com/lesson/shi0529/43/32.mp3");
InputStream myUrlStream = myUrl.openStream();
ReadableByteChannel myUrlChannel = Channels.newChannel(myUrlStream);
FileChannel destinationChannel=new FileOutputStream(To_File).getChannel();
destinationChannel.transferFrom(myUrlChannel, 0, sizeOf32MP3);
或者更简单地从myUrlStream创建一个BufferedInputStream并循环读/写操作,直到在myUrlStream上找到EOF。
干杯, 安德烈