作为@assylias 回答的补充:
如果您使用 Java 7,请File
完全放弃。你想要的是Path
相反。
要获得Path
与文件系统上的路径匹配的对象,请执行以下操作:
Paths.get("path/to/file"); // argument may also be absolute
很快就习惯了。请注意,如果您仍然使用需要的 API File
,Path
则有一个.toFile()
方法。
请注意,如果您不幸使用了返回File
对象的 API,您可以随时执行以下操作:
theFileObject.toPath()
但是在你的代码中,使用Path
. 系统地。不假思索。
编辑使用 1.6 使用 NIO 将文件复制到另一个文件可以这样做;请注意,该Closer
课程是由Guava启发的:
public final class Closer
implements Closeable
{
private final List<Closeable> closeables = new ArrayList<Closeable>();
// @Nullable is a JSR 305 annotation
public <T extends Closeable> T add(@Nullable final T closeable)
{
closeables.add(closeable);
return closeable;
}
public void closeQuietly()
{
try {
close();
} catch (IOException ignored) {
}
}
@Override
public void close()
throws IOException
{
IOException toThrow = null;
final List<Closeable> l = new ArrayList<Closeable>(closeables);
Collections.reverse(l);
for (final Closeable closeable: l) {
if (closeable == null)
continue;
try {
closeable.close();
} catch (IOException e) {
if (toThrow == null)
toThrow = e;
}
}
if (toThrow != null)
throw toThrow;
}
}
// Copy one file to another using NIO
public static void doCopy(final File source, final File destination)
throws IOException
{
final Closer closer = new Closer();
final RandomAccessFile src, dst;
final FileChannel in, out;
try {
src = closer.add(new RandomAccessFile(source.getCanonicalFile(), "r");
dst = closer.add(new RandomAccessFile(destination.getCanonicalFile(), "rw");
in = closer.add(src.getChannel());
out = closer.add(dst.getChannel());
in.transferTo(0L, in.size(), out);
out.force(false);
} finally {
closer.close();
}
}