java中提供了文件的读写功能,通过io包中的File、inputStream、outPutStream配合操作,便可以操作本地文件,文件的获取主要通过File的构造函数,new File(path)来构造。
如果文件不在本地,该如何获得这个资源呢?java.net提供了网络编程工具类,可以通过URL类来访问网络资源。
下面分别提供了本地资源访问和网络资源访问的实现。
/**
* 下载本地文件
* @author 柳松
* @date 2015-12-30 下午3:27:02
* @throws Exception
*/
private static void downLoadLocalFile() throws Exception{
File file = new File("D:/file/1.txt");
FileInputStream in = new FileInputStream(file);
//定义输出的路径
File saveDir = new File("D:/file/fileCopy");
if (!saveDir.exists()) {
saveDir.mkdirs();//创建多重目录
}
FileOutputStream os = new FileOutputStream(saveDir+"/"+file.getName());
//创建缓冲区
byte buffer[] = new byte[1024];
int len = 0;
// 循环将输入流中的内容读取到缓冲区当中
while ((len = in.read(buffer)) > 0) {
os.write(buffer, 0, len);
}
in.close();
os.close();
}
通过urlconnection下载
/**
* 下载网络文件
* @author 柳松
* @date 2015-12-30 下午3:27:19
* @throws Exception
*/
private static void downLoadRemoteFile() throws Exception{
URL url = new URL("https://ss0.bdstatic.com/5aV1bjqh_Q23odCf/static/superman/img/logo/bd_logo1_31bdc765.png");
InputStream in = url.openStream();
//定义输出的路径
File saveDir = new File("D:/file/fileCopy");
if (!saveDir.exists()) {
saveDir.mkdirs();//创建多重目录
}
FileOutputStream os = new FileOutputStream(saveDir+"/"+"downLoad.jpg");
//创建缓冲区
byte buffer[] = new byte[1024];
int len = 0;
// 循环将输入流中的内容读取到缓冲区当中
while ((len = in.read(buffer)) > 0) {
os.write(buffer, 0, len);
}
in.close();
os.close();
}
通过httpclient下载
public static void main(String[] args) {
HttpClient client = new HttpClient();
GetMethod get = new GetMethod("https://ss0.bdstatic.com/5aV1bjqh_Q23odCf/static/superman/img/logo/bd_logo1_31bdc765.png");
client.executeMethod(get);
File storeFile = new File("D:/file/fileCopy");
FileOutputStream output = new FileOutputStream(storeFile);
//得到网络资源的字节数组,并写入文件
output.write(get.getResponseBody());
output.close();
}