org.apache.sshd.common.util.io.IoUtils Maven / Gradle / Ivy
The newest version!
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
package org.apache.sshd.common.util.io;
import java.io.BufferedReader;
import java.io.ByteArrayOutputStream;
import java.io.Closeable;
import java.io.EOFException;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.io.InputStreamReader;
import java.io.OutputStream;
import java.io.Reader;
import java.net.URL;
import java.nio.charset.StandardCharsets;
import java.nio.file.CopyOption;
import java.nio.file.FileSystem;
import java.nio.file.Files;
import java.nio.file.LinkOption;
import java.nio.file.NoSuchFileException;
import java.nio.file.OpenOption;
import java.nio.file.Path;
import java.nio.file.StandardOpenOption;
import java.nio.file.attribute.BasicFileAttributes;
import java.nio.file.attribute.FileAttribute;
import java.nio.file.attribute.PosixFilePermission;
import java.nio.file.attribute.UserPrincipal;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collection;
import java.util.Collections;
import java.util.EnumSet;
import java.util.Iterator;
import java.util.List;
import java.util.Objects;
import java.util.Set;
import org.apache.sshd.common.util.ExceptionUtils;
import org.apache.sshd.common.util.GenericUtils;
import org.apache.sshd.common.util.OsUtils;
/**
* TODO Add javadoc
*
* @author Apache MINA SSHD Project
*/
public final class IoUtils {
public static final OpenOption[] EMPTY_OPEN_OPTIONS = new OpenOption[0];
public static final CopyOption[] EMPTY_COPY_OPTIONS = new CopyOption[0];
public static final LinkOption[] EMPTY_LINK_OPTIONS = new LinkOption[0];
public static final FileAttribute>[] EMPTY_FILE_ATTRIBUTES = new FileAttribute>[0];
public static final List WINDOWS_EXECUTABLE_EXTENSIONS
= Collections.unmodifiableList(Arrays.asList(".bat", ".exe", ".cmd"));
/* File view attributes names */
public static final String REGFILE_VIEW_ATTR = "isRegularFile";
public static final String DIRECTORY_VIEW_ATTR = "isDirectory";
public static final String SYMLINK_VIEW_ATTR = "isSymbolicLink";
public static final String NUMLINKS_VIEW_ATTR = "nlink";
public static final String OTHERFILE_VIEW_ATTR = "isOther";
public static final String EXECUTABLE_VIEW_ATTR = "isExecutable";
public static final String SIZE_VIEW_ATTR = "size";
public static final String OWNER_VIEW_ATTR = "owner";
public static final String GROUP_VIEW_ATTR = "group";
public static final String USERID_VIEW_ATTR = "uid";
public static final String GROUPID_VIEW_ATTR = "gid";
public static final String PERMISSIONS_VIEW_ATTR = "permissions";
public static final String ACL_VIEW_ATTR = "acl";
public static final String FILEKEY_VIEW_ATTR = "fileKey";
public static final String CREATE_TIME_VIEW_ATTR = "creationTime";
public static final String LASTMOD_TIME_VIEW_ATTR = "lastModifiedTime";
public static final String LASTACC_TIME_VIEW_ATTR = "lastAccessTime";
public static final String EXTENDED_VIEW_ATTR = "extended";
/**
* Size of preferred work buffer when reading / writing data to / from streams
*/
public static final int DEFAULT_COPY_SIZE = 8192;
/**
* The local O/S line separator
*/
public static final String EOL = System.lineSeparator();
/**
* A {@link Set} of {@link StandardOpenOption}-s that indicate an intent to create/modify a file
*/
public static final Set WRITEABLE_OPEN_OPTIONS = Collections.unmodifiableSet(
EnumSet.of(
StandardOpenOption.APPEND, StandardOpenOption.CREATE,
StandardOpenOption.CREATE_NEW, StandardOpenOption.DELETE_ON_CLOSE,
StandardOpenOption.DSYNC, StandardOpenOption.SYNC,
StandardOpenOption.TRUNCATE_EXISTING, StandardOpenOption.WRITE));
private static final byte[] EOL_BYTES = EOL.getBytes(StandardCharsets.UTF_8);
private static final LinkOption[] NO_FOLLOW_OPTIONS = new LinkOption[] { LinkOption.NOFOLLOW_LINKS };
/**
* Private Constructor
*/
private IoUtils() {
throw new UnsupportedOperationException("No instance allowed");
}
/**
* @return The local platform line separator bytes as UTF-8. Note: each call returns a new instance in
* order to avoid inadvertent changes in shared objects
* @see #EOL
*/
public static byte[] getEOLBytes() {
return EOL_BYTES.clone();
}
public static LinkOption[] getLinkOptions(boolean followLinks) {
if (followLinks) {
return EMPTY_LINK_OPTIONS;
} else { // return a clone that modifications to the array will not affect others
return NO_FOLLOW_OPTIONS.clone();
}
}
public static long copy(InputStream source, OutputStream sink) throws IOException {
return copy(source, sink, DEFAULT_COPY_SIZE);
}
public static long copy(InputStream source, OutputStream sink, int bufferSize) throws IOException {
long nread = 0L;
byte[] buf = new byte[bufferSize];
for (int n = source.read(buf); n > 0; n = source.read(buf)) {
sink.write(buf, 0, n);
nread += n;
}
return nread;
}
/**
* Closes a bunch of resources suppressing any {@link IOException}s their {@link Closeable#close()} method may have
* thrown
*
* @param closeables The {@link Closeable}s to close
* @return The first {@link IOException} that occurred during closing of a resource - {@code null}
* if not exception. If more than one exception occurred, they are added as suppressed exceptions
* to the first one
* @see Throwable#getSuppressed()
*/
@SuppressWarnings("ThrowableResultOfMethodCallIgnored")
public static IOException closeQuietly(Closeable... closeables) {
return closeQuietly(GenericUtils.isEmpty(closeables)
? Collections.emptyList()
: Arrays.asList(closeables));
}
/**
* Closes the specified {@link Closeable} resource
*
* @param c The resource to close - ignored if {@code null}
* @return The thrown {@link IOException} when {@code close()} was called - {@code null} if no exception was
* thrown (or no resource to close to begin with)
*/
@SuppressWarnings("ThrowableResultOfMethodCallIgnored")
public static IOException closeQuietly(Closeable c) {
if (c != null) {
try {
c.close();
} catch (IOException e) {
return e;
}
}
return null;
}
/**
* Closes a bunch of resources suppressing any {@link IOException}s their {@link Closeable#close()} method may have
* thrown
*
* @param closeables The {@link Closeable}s to close
* @return The first {@link IOException} that occurred during closing of a resource - {@code null}
* if not exception. If more than one exception occurred, they are added as suppressed exceptions
* to the first one
* @see Throwable#getSuppressed()
*/
@SuppressWarnings("ThrowableResultOfMethodCallIgnored")
public static IOException closeQuietly(Collection extends Closeable> closeables) {
if (GenericUtils.isEmpty(closeables)) {
return null;
}
IOException err = null;
for (Closeable c : closeables) {
try {
if (c != null) {
c.close();
}
} catch (IOException e) {
err = ExceptionUtils.accumulateException(err, e);
}
}
return err;
}
/**
* @param fileName The file name to be evaluated - ignored if {@code null}/empty
* @return {@code true} if the file ends in one of the {@link #WINDOWS_EXECUTABLE_EXTENSIONS}
*/
public static boolean isWindowsExecutable(String fileName) {
if ((fileName == null) || (fileName.length() <= 0)) {
return false;
}
for (String suffix : WINDOWS_EXECUTABLE_EXTENSIONS) {
if (fileName.endsWith(suffix)) {
return true;
}
}
return false;
}
/**
* If the "posix" view is supported, then it returns
* {@link Files#getPosixFilePermissions(Path, LinkOption...)}, otherwise uses the
* {@link #getPermissionsFromFile(File)} method
*
* @param path The {@link Path}
* @param options The {@link LinkOption}s to use when querying the permissions
* @return A {@link Set} of {@link PosixFilePermission}
* @throws IOException If failed to access the file system in order to retrieve the permissions
*/
public static Set getPermissions(Path path, LinkOption... options) throws IOException {
FileSystem fs = path.getFileSystem();
Collection views = fs.supportedFileAttributeViews();
if (views.contains("posix")) {
return Files.getPosixFilePermissions(path, options);
} else {
return getPermissionsFromFile(path.toFile());
}
}
/**
* @param f The {@link File} to be checked
* @return A {@link Set} of {@link PosixFilePermission}s based on whether the file is
* readable/writable/executable. If so, then all the relevant permissions are set (i.e., owner,
* group and others)
*/
public static Set getPermissionsFromFile(File f) {
Set perms = EnumSet.noneOf(PosixFilePermission.class);
if (f.canRead()) {
perms.add(PosixFilePermission.OWNER_READ);
perms.add(PosixFilePermission.GROUP_READ);
perms.add(PosixFilePermission.OTHERS_READ);
}
if (f.canWrite()) {
perms.add(PosixFilePermission.OWNER_WRITE);
perms.add(PosixFilePermission.GROUP_WRITE);
perms.add(PosixFilePermission.OTHERS_WRITE);
}
if (isExecutable(f)) {
perms.add(PosixFilePermission.OWNER_EXECUTE);
perms.add(PosixFilePermission.GROUP_EXECUTE);
perms.add(PosixFilePermission.OTHERS_EXECUTE);
}
return perms;
}
public static boolean isExecutable(File f) {
if (f == null) {
return false;
}
if (OsUtils.isWin32()) {
return isWindowsExecutable(f.getName());
} else {
return f.canExecute();
}
}
/**
* If the "posix" view is supported, then it invokes {@link Files#setPosixFilePermissions(Path, Set)},
* otherwise uses the {@link #setPermissionsToFile(File, Collection)} method
*
* @param path The {@link Path}
* @param perms The {@link Set} of {@link PosixFilePermission}s
* @throws IOException If failed to access the file system
*/
public static void setPermissions(Path path, Set perms) throws IOException {
FileSystem fs = path.getFileSystem();
Collection views = fs.supportedFileAttributeViews();
if (views.contains("posix")) {
Files.setPosixFilePermissions(path, perms);
} else {
setPermissionsToFile(path.toFile(), perms);
}
}
/**
* @param f The {@link File}
* @param perms A {@link Collection} of {@link PosixFilePermission}s to set on it. Note: the file is set to
* readable/writable/executable not only by the owner if any of relevant the owner/group/others
* permission is set
*/
public static void setPermissionsToFile(File f, Collection perms) {
boolean havePermissions = GenericUtils.isNotEmpty(perms);
boolean readable = havePermissions
&& (perms.contains(PosixFilePermission.OWNER_READ)
|| perms.contains(PosixFilePermission.GROUP_READ)
|| perms.contains(PosixFilePermission.OTHERS_READ));
f.setReadable(readable, false);
boolean writable = havePermissions
&& (perms.contains(PosixFilePermission.OWNER_WRITE)
|| perms.contains(PosixFilePermission.GROUP_WRITE)
|| perms.contains(PosixFilePermission.OTHERS_WRITE));
f.setWritable(writable, false);
boolean executable = havePermissions
&& (perms.contains(PosixFilePermission.OWNER_EXECUTE)
|| perms.contains(PosixFilePermission.GROUP_EXECUTE)
|| perms.contains(PosixFilePermission.OTHERS_EXECUTE));
f.setExecutable(executable, false);
}
/**
*
* Get file owner.
*
*
* @param path The {@link Path}
* @param options The {@link LinkOption}s to use when querying the owner
* @return Owner of the file or null if unsupported. Note: for Windows it strips any
* prepended domain or group name
* @throws IOException If failed to access the file system
* @see Files#getOwner(Path, LinkOption...)
*/
public static String getFileOwner(Path path, LinkOption... options) throws IOException {
try {
UserPrincipal principal = Files.getOwner(path, options);
String owner = (principal == null) ? null : principal.getName();
return OsUtils.getCanonicalUser(owner);
} catch (UnsupportedOperationException e) {
return null;
}
}
/**
*
* Checks if a file exists - Note: according to the
* Java tutorial - Checking a File or
* Directory:
*
*
*
* The methods in the Path class are syntactic, meaning that they operate
* on the Path instance. But eventually you must access the file system
* to verify that a particular Path exists, or does not exist. You can do
* so with the exists(Path, LinkOption...) and the notExists(Path, LinkOption...)
* methods. Note that !Files.exists(path) is not equivalent to Files.notExists(path).
* When you are testing a file's existence, three results are possible:
*
* - The file is verified to exist.
* - The file is verified to not exist.
* - The file's status is unknown.
*
* This result can occur when the program does not have access to the file.
* If both exists and notExists return false, the existence of the file cannot
* be verified.
*
*
* @param path The {@link Path} to be tested
* @param options The {@link LinkOption}s to use
* @return {@link Boolean#TRUE}/{@link Boolean#FALSE} or {@code null} according to the file status as
* explained above
*/
public static Boolean checkFileExists(Path path, LinkOption... options) {
boolean followLinks = followLinks(options);
try {
if (followLinks) {
path.getFileSystem().provider().checkAccess(path);
} else {
Files.readAttributes(path, BasicFileAttributes.class, options);
}
return Boolean.TRUE;
} catch (NoSuchFileException e) {
return Boolean.FALSE;
} catch (IOException e) {
return null;
}
}
/**
* Checks that a file exists with or without following any symlinks.
*
* @param path the path to check
* @param neverFollowSymlinks whether to follow symlinks
* @return true if the file exists with the symlink semantics, false if it doesn't exist, null
* if symlinks were found, or it is unknown if whether the file exists
*/
public static Boolean checkFileExistsAnySymlinks(Path path, boolean neverFollowSymlinks) {
try {
if (!neverFollowSymlinks) {
path.getFileSystem().provider().checkAccess(path);
} else {
// this is a bad fix because this leaves a nasty race condition - the directory may turn into a symlink
// between this check and the call to open()
for (int i = 1; i <= path.getNameCount(); i++) {
Path checkForSymLink = getFirstPartsOfPath(path, i);
BasicFileAttributes basicFileAttributes
= Files.readAttributes(checkForSymLink, BasicFileAttributes.class, LinkOption.NOFOLLOW_LINKS);
if (basicFileAttributes.isSymbolicLink()) {
return false;
}
}
}
return true;
} catch (NoSuchFileException e) {
return false;
} catch (IOException e) {
return null;
}
}
/**
* Extracts the first n parts of the path. For example
* ("/home/test/test12", 1) returns "/home",
* ("/home/test", 1) returns "/home/test"
* etc.
*
* @param path the path to extract parts of
* @param partsToExtract the number of parts to extract
* @return the extracted path
*/
public static Path getFirstPartsOfPath(Path path, int partsToExtract) {
String firstName = path.getName(0).toString();
String[] names = new String[partsToExtract - 1];
for (int j = 1; j < partsToExtract; j++) {
names[j - 1] = path.getName(j).toString();
}
Path checkForSymLink = path.getFileSystem().getPath(firstName, names);
// the root is not counted as a directory part so we must resolve the result relative to it.
Path root = path.getRoot();
if (root != null) {
checkForSymLink = root.resolve(checkForSymLink);
}
return checkForSymLink;
}
/**
* Read the requested number of bytes or fail if there are not enough left.
*
* @param input where to read input from
* @param buffer destination
* @throws IOException if there is a problem reading the file
* @throws EOFException if the number of bytes read was incorrect
*/
public static void readFully(InputStream input, byte[] buffer) throws IOException {
readFully(input, buffer, 0, buffer.length);
}
/**
* Read the requested number of bytes or fail if there are not enough left.
*
* @param input where to read input from
* @param buffer destination
* @param offset initial offset into buffer
* @param length length to read, must be ≥ 0
* @throws IOException if there is a problem reading the file
* @throws EOFException if the number of bytes read was incorrect
*/
public static void readFully(
InputStream input, byte[] buffer, int offset, int length)
throws IOException {
int actual = read(input, buffer, offset, length);
if (actual != length) {
throw new EOFException("Premature EOF - expected=" + length + ", actual=" + actual);
}
}
/**
* Read as many bytes as possible until EOF or achieved required length
*
* @param input where to read input from
* @param buffer destination
* @return actual length read; may be less than requested if EOF was reached
* @throws IOException if a read error occurs
*/
public static int read(InputStream input, byte[] buffer) throws IOException {
return read(input, buffer, 0, buffer.length);
}
/**
* Read as many bytes as possible until EOF or achieved required length
*
* @param input where to read input from
* @param buffer destination
* @param offset initial offset into buffer
* @param length length to read - ignored if non-positive
* @return actual length read; may be less than requested if EOF was reached
* @throws IOException if a read error occurs
*/
public static int read(
InputStream input, byte[] buffer, int offset, int length)
throws IOException {
for (int remaining = length, curOffset = offset; remaining > 0;) {
int count = input.read(buffer, curOffset, remaining);
if (count == -1) { // EOF before achieved required length
return curOffset - offset;
}
remaining -= count;
curOffset += count;
}
return length;
}
/**
* @param perms The current {@link PosixFilePermission}s - ignored if {@code null}/empty
* @param excluded The permissions not allowed to exist - ignored if {@code null}/empty
* @return The violating {@link PosixFilePermission} - {@code null} if no violating permission found
*/
public static PosixFilePermission validateExcludedPermissions(
Collection perms, Collection excluded) {
if (GenericUtils.isEmpty(perms) || GenericUtils.isEmpty(excluded)) {
return null;
}
for (PosixFilePermission p : excluded) {
if (perms.contains(p)) {
return p;
}
}
return null;
}
/**
* @param path The {@link Path} to check
* @param options The {@link LinkOption}s to use when checking if path is a directory
* @return The same input path if it is a directory
* @throws UnsupportedOperationException if input path not a directory
*/
public static Path ensureDirectory(Path path, LinkOption... options) {
if (!Files.isDirectory(path, options)) {
throw new UnsupportedOperationException("Not a directory: " + path);
}
return path;
}
/**
* @param options The {@link LinkOption}s - OK if {@code null}/empty
* @return {@code true} if the link options are {@code null}/empty or do not contain
* {@link LinkOption#NOFOLLOW_LINKS}, {@code false} otherwise (i.e., the array is not empty and
* contains the special value)
*/
public static boolean followLinks(LinkOption... options) {
if (GenericUtils.isEmpty(options)) {
return true;
}
for (LinkOption localLinkOption : options) {
if (localLinkOption == LinkOption.NOFOLLOW_LINKS) {
return false;
}
}
return true;
}
public static String appendPathComponent(String prefix, String component) {
if (GenericUtils.isEmpty(prefix)) {
return component;
}
if (GenericUtils.isEmpty(component)) {
return prefix;
}
StringBuilder sb = new StringBuilder(
prefix.length() + component.length() + File.separator.length())
.append(prefix);
if (sb.charAt(prefix.length() - 1) == File.separatorChar) {
if (component.charAt(0) == File.separatorChar) {
sb.append(component.substring(1));
} else {
sb.append(component);
}
} else {
if (component.charAt(0) != File.separatorChar) {
sb.append(File.separatorChar);
}
sb.append(component);
}
return sb.toString();
}
public static byte[] toByteArray(InputStream inStream) throws IOException {
try (ByteArrayOutputStream baos = new ByteArrayOutputStream(DEFAULT_COPY_SIZE)) {
copy(inStream, baos);
return baos.toByteArray();
}
}
/**
* Reads all lines until no more available
*
* @param url The {@link URL} to read from
* @return The {@link List} of lines in the same order as it was read
* @throws IOException If failed to read the lines
* @see #readAllLines(InputStream)
*/
public static List readAllLines(URL url) throws IOException {
try (InputStream stream = Objects.requireNonNull(url, "No URL").openStream()) {
return readAllLines(stream);
}
}
/**
* Reads all lines until no more available
*
* @param stream The {@link InputStream} - Note: assumed to contain {@code UTF-8} encoded data
* @return The {@link List} of lines in the same order as it was read
* @throws IOException If failed to read the lines
* @see #readAllLines(Reader)
*/
public static List readAllLines(InputStream stream) throws IOException {
try (Reader reader = new InputStreamReader(
Objects.requireNonNull(stream, "No stream instance"), StandardCharsets.UTF_8)) {
return readAllLines(reader);
}
}
public static List readAllLines(Reader reader) throws IOException {
try (BufferedReader br = new BufferedReader(
Objects.requireNonNull(reader, "No reader instance"), DEFAULT_COPY_SIZE)) {
return readAllLines(br);
}
}
/**
* Reads all lines until no more available
*
* @param reader The {@link BufferedReader} to read all lines
* @return The {@link List} of lines in the same order as it was read
* @throws IOException If failed to read the lines
* @see #readAllLines(BufferedReader, int)
*/
public static List readAllLines(BufferedReader reader) throws IOException {
return readAllLines(reader, -1);
}
/**
* Reads all lines until no more available
*
* @param reader The {@link BufferedReader} to read all lines
* @param lineCountHint A hint as to the expected number of lines - non-positive means unknown - in which case some
* initial default value will be used to initialize the list used to accumulate the lines.
* @return The {@link List} of lines in the same order as it was read
* @throws IOException If failed to read the lines
*/
public static List readAllLines(BufferedReader reader, int lineCountHint) throws IOException {
List result = new ArrayList<>(Math.max(lineCountHint, Short.SIZE));
for (String line = reader.readLine(); line != null; line = reader.readLine()) {
result.add(line);
}
return result;
}
/**
* Chroot a path under the new root
*
* @param newRoot the new root
* @param toSanitize the path to sanitize and chroot
* @return the chrooted path under the newRoot filesystem
*/
public static Path chroot(Path newRoot, Path toSanitize) {
Objects.requireNonNull(newRoot);
Objects.requireNonNull(toSanitize);
List sanitized = removeExtraCdUps(toSanitize);
return buildPath(newRoot, newRoot.getFileSystem(), sanitized);
}
/**
* Remove any extra directory ups from the Path
*
* @param toSanitize the path to sanitize
* @return the sanitized path
*/
public static Path removeCdUpAboveRoot(Path toSanitize) {
List sanitized = removeExtraCdUps(toSanitize);
return buildPath(toSanitize.getRoot(), toSanitize.getFileSystem(), sanitized);
}
private static List removeExtraCdUps(Path toResolve) {
List newNames = new ArrayList<>(toResolve.getNameCount());
int numCdUps = 0;
int numDirParts = 0;
for (int i = 0; i < toResolve.getNameCount(); i++) {
String name = toResolve.getName(i).toString();
if ("..".equals(name)) {
// If we have more cdups than dir parts, so we ignore the ".." to avoid jail escapes
if (numDirParts > numCdUps) {
++numCdUps;
newNames.add(name);
}
} else {
// if the current directory is a part of the name, don't increment number of dir parts, as it doesn't
// add to the number of ".."s that can be present before the root
if (!".".equals(name)) {
++numDirParts;
}
newNames.add(name);
}
}
return newNames;
}
/**
* Build a path from the list of path parts
*
* @param root the root path
* @param fs the filesystem
* @param namesList the parts of the path to build
* @return the built path
*/
public static Path buildPath(Path root, FileSystem fs, List namesList) {
Objects.requireNonNull(fs);
if (namesList == null) {
return null;
}
if (GenericUtils.isEmpty(namesList)) {
return root == null ? fs.getPath(".") : root;
}
Path cleanedPathToResolve = buildRelativePath(fs, namesList);
return root == null ? cleanedPathToResolve : root.resolve(cleanedPathToResolve);
}
/**
* Build a relative path on the filesystem fs from the path parts in the namesList
*
* @param fs the filesystem for the path
* @param namesList the names list
* @return the built path
*/
public static Path buildRelativePath(FileSystem fs, List namesList) {
String[] names = new String[namesList.size() - 1];
Iterator it = namesList.iterator();
String rootName = it.next();
for (int i = 0; it.hasNext(); i++) {
names[i] = it.next();
}
Path cleanedPathToResolve = fs.getPath(rootName, names);
return cleanedPathToResolve;
}
}