在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仅由一个名称元素组成,则它被视为空路径
empty
.使用empty path is equivalent to accessing the default directory
文件系统访问文件.
为何Paths.get("").toAbsolutePath()
有效
当空字符串传递给它时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
Paths#get(String first, String... more)
状态,
将路径字符串或从路径字符串连接时的字符串序列转换为
Path
....
如果first是空字符串且more不包含任何非空字符串,则返回
Path
表示空路径的A.
要获取当前用户目录,您只需使用即可System.getProperty("user.dir")
.
Path path = Paths.get(System.getProperty("user.dir"), "abc.txt"); System.out.println(path);
此外,get
方法使用可变长度的参数的String
,其将被用于提供后续的路径串.所以,要创建Path
为/test/inside/abc.txt
您必须在接下来的方式来使用它,
Path path = Paths.get("/test", "inside", "abc.txt");
不是一个具体的方法.
如果您使用java 8或更高版本,则有2个选项:
a)使用java.util.StringJoiner
StringJoiner joiner = new StringJoiner(File.pathSeparator); //Separator joiner.add("path1").add("path2"); String joinedString = joiner.toString();
b)使用 String.join(File.pathSeparator, "path1", "path2");
如果使用java 7或更低版本,则可以使用apache commons中的commons-lang库.StringUtils类有一个使用分隔符连接字符串的方法.
C) StringUtils.join(new Object[] {"path1", "path2"}, File.pathSeparator);
旁注:你可以使用linux pathseparator"/"作为windows(请记住,绝对路径类似于"/ C:/ mydir1/mydir2".如果使用诸如file://之类的协议,则使用always"/"非常有用.
最基本的方法是:
Path filepath = Paths.get("foo", "bar");
你永远不应该写Paths.get("")
.我很惊讶这一切都很有效.如果要显式引用当前目录,请使用Paths.get(System.getProperty("user.dir"))
.如果您需要用户的主目录,请使用Paths.get(System.getProperty("user.home"))
.
您还可以结合使用方法:
Path filepath = Paths.get( System.getProperty("user.home"), "data", "foo.txt");