昨天在做一个项目时,用到了从服务器上下载文件并保存到本地的知识,以前也没有接触过,昨天搞了一天,这个小功能实现了,下面就简单的说一下实现过程;
1.基础知识
当我们想要下载网站上的某个资源时,我们会获取一个url,它是服务器定位资源的一个描述,下载的过程有如下几步:
(1)客户端发起一个url请求,获取连接对象。
(2)服务器解析url,并且将指定的资源返回一个输入流给客户。
(3)建立存储的目录以及保存的文件名。
(4)输出了写数据。
(5)关闭输入流和输出流。
2.实现代码的方法
java" id="highlighter_366236">
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
|
/**
* @功能 下载临时素材接口
* @param filePath 文件将要保存的目录
* @param method 请求方法,包括POST和GET
* @param url 请求的路径
* @return
*/
public static File saveUrlAs(String url,String filePath,String method){
//System.out.println("fileName---->"+filePath);
//创建不同的文件夹目录
File file= new File(filePath);
//判断文件夹是否存在
if (!file.exists())
{
//如果文件夹不存在,则创建新的的文件夹
file.mkdirs();
}
FileOutputStream fileOut = null ;
HttpURLConnection conn = null ;
InputStream inputStream = null ;
try
{
// 建立链接
URL httpUrl= new URL(url);
conn=(HttpURLConnection) httpUrl.openConnection();
//以Post方式提交表单,默认get方式
conn.setRequestMethod(method);
conn.setDoInput( true );
conn.setDoOutput( true );
// post方式不能使用缓存
conn.setUseCaches( false );
//连接指定的资源
conn.connect();
//获取网络输入流
inputStream=conn.getInputStream();
BufferedInputStream bis = new BufferedInputStream(inputStream);
//判断文件的保存路径后面是否以/结尾
if (!filePath.endsWith( "/" )) {
filePath += "/" ;
}
//写入到文件(注意文件保存路径的后面一定要加上文件的名称)
fileOut = new FileOutputStream(filePath+ "123.png" );
BufferedOutputStream bos = new BufferedOutputStream(fileOut);
byte [] buf = new byte [ 4096 ];
int length = bis.read(buf);
//保存文件
while (length != - 1 )
{
bos.write(buf, 0 , length);
length = bis.read(buf);
}
bos.close();
bis.close();
conn.disconnect();
} catch (Exception e)
{
e.printStackTrace();
System.out.println( "抛出异常!!" );
}
return file;
}
|
3.代码测试类(主函数)
1
2
3
4
5
6
7
8
9
10
11
12
13
|
/**
* @param args
*/
public static void main(String[] args)
{
String photoUrl = "https://ss0.bdstatic.com/5aV1bjqh_Q23odCf/static/superman/img/logo/bd_logo1_31bdc765.png" ;
String fileName = photoUrl.substring(photoUrl.lastIndexOf( "/" ));
//System.out.println("fileName---->"+fileName);
String filePath = "d:" ;
File file = saveUrlAs(photoUrl, filePath + fileName, "GET" );
System.out.println( "Run ok!/n<BR>Get URL file " + file);
}
|
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:http://blog.csdn.net/you18131371836/article/details/72790202