如何在文件路径中处理〜

时间:2011-08-23 15:16:36

标签: java

我正在编写一个简单的命令行Java实用程序。我希望用户能够使用~运算符传递相对于其主目录的文件路径。像~/Documents/...

这样的东西

我的问题是有没有办法让Java自动解决这种类型的路径?或者我是否需要扫描~运算符的文件路径?

似乎应该将这种类型的功能烘焙到File对象中。但它似乎不是。

5 个答案:

答案 0 :(得分:66)

从用户那里得到一个简单的path = path.replaceFirst("^~", System.getProperty("user.home"));(在使用File之前)应该足以在大多数情况下工作 - 因为代字号仅扩展到主目录它是路径的目录部分中的第一个字符。

答案 1 :(得分:28)

这是特定于shell的扩展,因此您需要在行的开头替换它(如果存在):

String path = "~/xyz";
...
if (path.startsWith("~" + File.separator)) {
    path = System.getProperty("user.home") + path.substring(1);
} else if (path.startsWith("~")) {
    // here you can implement reading homedir of other users if you care
    throw new UnsupportedOperationException("Home dir expansion not implemented for explicit usernames");
}

File f = new File(path);
...

答案 2 :(得分:10)

正如Edwin Buck在评论中指出的另一个答案,~otheruser / Documents也应该正确扩展。这是一个对我有用的功能:

public String expandPath(String path) {
    try {
        String command = "ls -d " + path;
        Process shellExec = Runtime.getRuntime().exec(
            new String[]{"bash", "-c", command});

        BufferedReader reader = new BufferedReader(
            new InputStreamReader(shellExec.getInputStream()));
        String expandedPath = reader.readLine();

        // Only return a new value if expansion worked.
        // We're reading from stdin. If there was a problem, it was written
        // to stderr and our result will be null.
        if (expandedPath != null) {
            path = expandedPath;
        }
    } catch (java.io.IOException ex) {
        // Just consider it unexpandable and return original path.
    }

    return path;
}

答案 3 :(得分:4)

一个相当简化的答案,适用于包含实际〜字符的路径:

String path = "~/Documents";
path.replaceFirst("^~", System.getProperty("user.home"));

答案 4 :(得分:0)

当用户主目录包含“ \”或其他特殊字符时,前面提到的解决方案不能按预期方式运行。这对我有用:

path = path.replaceFirst("^~", Matcher.quoteReplacement(System.getProperty("user.home")));