我正在尝试使用带有Java的Linux下的Apache Compress库来解压缩tar.gz文件。
如何在取消归档tar.gz时使用Apache Compress库保留文件权限?
public void run(ByteTransferCallback callback) throws IOException
{
this.entries = new HashSet<>();
try (TarArchiveInputStream tarArchiveInputStream = new TarArchiveInputStream(
new GzipCompressorInputStream(new BufferedInputStream(new FileInputStream(this.tarGZipFile)))))
{
TarArchiveEntry entry = null;
while ((entry = tarArchiveInputStream.getNextTarEntry()) != null)
{
if (entry.getName().startsWith(this.tarGZipPath))
{
boolean cancelled = !unarchiveEntry(tarArchiveInputStream, entry, callback);
if (cancelled) break;
}
}
}
}
protected boolean unarchiveEntry(TarArchiveInputStream tar, TarArchiveEntry
entry, ByteTransferCallback callback) throws IOException
{
File entryDestination = new File(this.destination,
entry.getName().replaceFirst(this.tarGZipPath, ""));
entryDestination.getParentFile().mkdirs();
this.entries.add(entryDestination);
boolean result = false;
if (entry.isDirectory())
{
entryDestination.mkdirs();
result = true;
}
else
{
result = unarchiveFileEntry(tar, entry, entryDestination, callback);
}
return result;
}
protected boolean unarchiveFileEntry(TarArchiveInputStream tar,
TarArchiveEntry entry, File destination, ByteTransferCallback callback)
throws IOException
{
try(OutputStream out = new FileOutputStream(destination))
{
return copy(tar, out, callback);
}
}
protected boolean copy(InputStream in, OutputStream out,
ByteTransferCallback callback) throws IOException
{
int numBytes = 0;
byte[] buffer = new byte[DEFAULT_BUFFER_SIZE];
boolean cancelled = false;
while (EOF != (numBytes = in.read(buffer)) && !cancelled)
{
out.write(buffer, 0, numBytes);
cancelled = !callback.onBytesTransferred(numBytes);
}
return !cancelled;
}
从每个条目中,我可以使用TarArchiveEntry.getMode()获得Unix格式的权限,但是如何将其设置为每个未归档的文件?
答案 0 :(得分:1)
在Linux / Unix下,普通用户无法将文件系统对象的所有权转移给其他用户。只有root
(UID 0)才可以。
在这种情况下,您的程序需要以root
运行,并且您需要使用系统调用chown()
并且相关(请参阅man 2 chown
)。
对于文件权限,时间和日期,您需要使用系统调用utime()
及相关的调用(请参阅man 2 utime
)。
您可以使用java.io.File
中提供的方法(例如setExecutable
,setReadable
和setWritable
从Java执行此操作。
有关详细信息,请参阅the official documentation。