如何在Java中结合path?

System.IO.Path.Combine()在C#/ .NET中有相当于Java的Java吗? 或者任何代码来完成这个?

这个静态方法将一个或多个string组合到一个path中。

而不是保留所有基于string的内容,您应该使用一个旨在表示文件系统path的类。

如果您使用Java 7或Java 8,则应该强烈考虑使用java.nio.file.Path ; Path.resolve可以用来组合一个path与另一个path,或者一个string。 Paths辅助类也是有用的。 例如:

 Path path = Paths.get("foo", "bar", "baz.txt"); 

如果您需要迎合Java-7之前的环境,可以使用java.io.File ,如下所示:

 File baseDirectory = new File("foo"); File subDirectory = new File(baseDirectory, "bar"); File fileInDirectory = new File(subDirectory, "baz.txt"); 

如果您稍后希望将其作为string,则可以调用getPath() 。 事实上,如果你真的想模仿Path.Combine ,你可以写一些像:

 public static String combine(String path1, String path2) { File file1 = new File(path1); File file2 = new File(file1, path2); return file2.getPath(); } 

在Java 7中,您应该使用resolve

 Path newPath = path.resolve(childPath); 

虽然NIO2 Path类对于File而言可能看起来有点冗余,但是实际上却有一些不尽相同的API,实际上它更加优雅和健壮。

请注意, Paths.get() (如其他人所build议的)没有重载Path ,做Paths.get(path.toString(), childPath)resolve()不是一回事。 resolve()更智能。 从Paths.get()文档 :

请注意,虽然此方法非常方便,但使用它将暗示对默认文件系统的假定引用,并限制调用代码的效用。 因此,它不应该用于灵活重用的库代码。 更灵活的select是将现有的Path实例用作锚点,例如:

 Path dir = ... Path path = dir.resolve("file"); 

姊妹function的resolve是优秀的relativize

 Path childPath = path.relativize(newPath); 

主要答案是使用File对象。 然而, Commons IO确实有一个类FilenameUtils可以做这种事情,比如concat()方法。

从Jon的原始答复中我知道了很长一段时间,但是我对OP有类似的要求。

通过延伸乔恩的解决scheme,我想出了以下内容,这将需要一个或多个path段占用尽可能多的path段,你可以扔在它。

用法

 Path.combine("/Users/beardtwizzle/"); Path.combine("/", "Users", "beardtwizzle"); Path.combine(new String[] { "/", "Users", "beardtwizzle", "arrayUsage" }); 

在这里为其他人提供类似的问题代码

 public class Path { public static String combine(String... paths) { File file = new File(paths[0]); for (int i = 1; i < paths.length ; i++) { file = new File(file, paths[i]); } return file.getPath(); } } 

为了提高JodaStephen的答案,Apache Commons IO有FilenameUtils来做到这一点。 示例(在Linux上):

 assert org.apache.commons.io.FilenameUtils.concat("/home/bob", "work\\stuff.log") == "/home/bob/work/stuff.log" 

它独立于平台,可以生成你系统需要的任何分离器。

平台无关的方法(使用File.separator,即将工作取决于运行代码的操作系统:

 java.nio.file.Paths.get(".", "path", "to", "file.txt") // relative unix path: ./path/to/file.txt // relative windows path: .\path\to\filee.txt java.nio.file.Paths.get("/", "path", "to", "file.txt") // absolute unix path: /path/to/filee.txt // windows network drive path: \\path\to\file.txt java.nio.file.Paths.get("C:", "path", "to", "file.txt") // absolute windows path: C:\path\to\file.txt 

这是一个处理多个path部分和边缘条件的解决scheme:

 public static String combinePaths(String ... paths) { if ( paths.length == 0) { return ""; } File combined = new File(paths[0]); int i = 1; while ( i < paths.length) { combined = new File(combined, paths[i]); ++i; } return combined.getPath(); } 

如果您不需要超过string,则可以使用com.google.common.io.Files

 Files.simplifyPath("some/prefix/with//extra///slashes" + "file//name") 

要得到

 "some/prefix/with/extra/slashes/file/name"