- Java 编程示例
- 示例 - 首页
- 示例 - 环境
- 示例 - 字符串
- 示例 - 数组
- 示例 - 日期和时间
- 示例 - 方法
- 示例 - 文件
- 示例 - 目录
- 示例 - 异常
- 示例 - 数据结构
- 示例 - 集合
- 示例 - 网络
- 示例 - 线程
- 示例 - 小程序
- 示例 - 简单图形用户界面
- 示例 - JDBC
- 示例 - 正则表达式
- 示例 - Apache PDF Box
- 示例 - Apache POI PPT
- 示例 - Apache POI Excel
- 示例 - Apache POI Word
- 示例 - OpenCV
- 示例 - Apache Tika
- 示例 - iText
- Java 教程
- Java - 教程
- Java 实用资源
- Java - 快速指南
- Java - 实用资源
如何在 Java 中将一个文件复制到另一个文件?
问题描述
如何将一个文件复制到另一个文件?
解决方案
此示例展示了如何使用 BufferedWriter 类中的 read 和 write 方法将一个文件的内容复制到另一个文件中。
import java.io.*; public class Main { public static void main(String[] args) throws Exception { BufferedWriter out1 = new BufferedWriter(new FileWriter("srcfile")); out1.write("string to be copied\n"); out1.close(); InputStream in = new FileInputStream(new File("srcfile")); OutputStream out = new FileOutputStream(new File("destnfile")); byte[] buf = new byte[1024]; int len; while ((len = in.read(buf)) > 0) { out.write(buf, 0, len); } in.close(); out.close(); BufferedReader in1 = new BufferedReader(new FileReader("destnfile")); String str; while ((str = in1.readLine()) != null) { System.out.println(str); } in.close(); } }
结果
上述代码示例将生成以下结果。
string to be copied
以下是在 Java 中将一个文件复制到另一个文件的另一个示例
import java.io.File; import java.io.FileInputStream; import java.io.FileOutputStream; import java.io.IOException; public class CopyExample { public static void main(String[] args) { FileInputStream ins = null; FileOutputStream outs = null; try { File infile = new File("C:\\Users\\TutorialsPoint7\\Desktop\\abc.txt"); File outfile = new File("C:\\Users\\TutorialsPoint7\\Desktop\\bbc.txt"); ins = new FileInputStream(infile); outs = new FileOutputStream(outfile); byte[] buffer = new byte[1024]; int length; while ((length = ins.read(buffer)) > 0) { outs.write(buffer, 0, length); } ins.close(); outs.close(); System.out.println("File copied successfully!!"); } catch(IOException ioe) { ioe.printStackTrace(); } } }
上述代码示例将生成以下结果。
File copied successfully!!
java_files.htm
广告