0

我在后端数据库中有一个名为“路径”的字段,它存储特定资源的路径。我的想法是让用户以特定字符作为文件分隔符(独立于操作系统)输入路径,而不是为 Windows 路径存储大量反斜杠(转义)路径。

例如:

原路径:

\\\\server\\share\\

在 db 中使用转义路径:

\\\\\\\\server\\\\share\\\\

相反,我想要:

%%server%share%

后来我想用java替换那些File.separator真正的东西。对于这项工作,我发现最快的解决方案是使用 java.regex 模式匹配器。

我对这项工作的职能是:

private String convertToRealPathFromDB(String pth) {
    String patternStr = "%";
    String replaceStr = File.separator;
    String convertedpath;


    //Compile regular expression
    Pattern pattern = Pattern.compile(patternStr); //pattern to look for

    //replace all occurance of percentage character to file separator
    Matcher matcher = pattern.matcher(pth);
    convertedpath = matcher.replaceAll(replaceStr);

    System.out.println(convertedpath);

    return convertedpath;
}

但是应该挽救生命的同一个 File.separator 正在制造麻烦

java.lang.StringIndexOutOfBoundsException:字符串索引超出范围:1

我已经用其他字符进行了测试(例如:用 'q' 替换 '%'),这个函数工作正常,但是File.separator替换"\\\\"字符串不起作用。

我想知道它有解决方法。或者更好、更简单、更优雅的解决方案。

4

2 回答 2

3

我认为您应该将 URI 存储在数据库中,因为它们与平台无关。

例如,在Windows中:

File f = new File("C:\\temp\\file.txt");
System.out.println(f.toURI());

印刷

file:/C:/temp/file.txt

Unix上:

File f = new File("/path/to/file.txt");
System.out.println(f.toURI());

印刷

file:/path/to/file.txt

要将 URI 转换为文件:

File f = new File(new URI("file:/C:/temp/file.txt"));
于 2011-01-22T11:30:38.323 回答
0
 String str = " \\server\\share\\";
 String result = str.replaceAll("\\\\", "%%");
 System.out.println(result);

输出

 %%server%%share%%

然后回来

String path=null;
if (File.separator.equals("\\")) {
    path = result.replaceAll("%%", "\\\\");
} else {
    path = result.replaceAll("%%", "//");
}
于 2011-01-22T11:14:53.987 回答