Java中的连接路径
在Python
我可以加入两个路径os.path.join
:
os.path.join("foo", "bar") # => "foo/bar"
我想才达到在Java中一样,不用担心,如果OS
是Unix
,Solaris
或Windows
:
public static void main(String[] args) { Path currentRelativePath = Paths.get("");
String current_dir = currentRelativePath.toAbsolutePath().toString();
String filename = "data/foo.txt";
Path filepath = currentRelativePath.resolve(filename);
// "data/foo.txt"
System.out.println(filepath);
}
我期待那Path.resolve(
)会加入我的当前目录/home/user/test
与data/foo.txt
制作/home/user/test/data/foo.txt
。我怎么了?
回答:
即使使用该方法获得当前目录的原始解决方案也是如此empty
String。但是建议将该user.dir
属性用于当前目录和user.home
主目录。
Path currentPath = Paths.get(System.getProperty("user.dir"));Path filePath = Paths.get(currentPath.toString(), "data", "foo.txt");
System.out.println(filePath.toString());
输出:
/Users/user/coding/data/foo.txt
从Java
Path类文档中:
如果Path仅由一个name元素组成,则将其视为空路径
empty
。使用empty path is equivalent to accessing
the default directory的文件系统访问文件。
当将空字符串传递给时Paths.get("")
,返回的Path
对象包含空路径。但是,当我们调用时Path.toAbsolutePath()
,它将检查路径长度是否大于零,否则它将使用user.dir
系统属性并返回当前路径。
这是Unix文件系统实现的代码:UnixPath.toAbsolutePath()
基本上Path
,一旦您解析了当前目录路径,就需要再次创建该实例。
我也建议使用File.separatorChar
平台无关的代码。
Path currentRelativePath = Paths.get("");Path currentDir = currentRelativePath.toAbsolutePath(); // <-- Get the Path and use resolve on it.
String filename = "data" + File.separatorChar + "foo.txt";
Path filepath = currentDir.resolve(filename);
// "data/foo.txt"
System.out.println(filepath);
输出:
/Users/user/coding/data/foo.txt
以上是 Java中的连接路径 的全部内容, 来源链接: utcz.com/qa/401168.html