6

我需要我的 android 应用程序将 xml 文件保存到外部缓存中,文件名包含空格。

DOMSource source = new DOMSource(doc);
StreamResult result = new StreamResult(new File(activity
                    .getExternalCacheDir().getAbsolutePath()
                    + "/Local storage.xml"));

transformer.transform(source, result);

当我手动浏览到我的文件目录时,我找到了这个文件:“Local%20storage.xml”。

所以当我尝试阅读它之后

File localStorageXmlFile = new File(activity.getExternalCacheDir()
                .getAbsolutePath()
                + "/Local storage.xml");

但我有一个 FileNotFoundException,因为在我的设备上找不到文件“Local storage.xml”。

有什么想法可以解决这个问题吗?塞布

4

3 回答 3

6

很难确定这个问题的根源,但它来自 StreamResult,它将文件名中的空格替换为 %20。这里有一个关于这个问题的错误报告。

这是解决方案:

TransformerFactory transformerFactory = TransformerFactory.newInstance();
Transformer transformer = transformerFactory.newTransformer();
DOMSource source = new DOMSource(doc);

FileOutputStream fos = null;
try {
    fos = new FileOutputStream(new File(activity
                .getExternalCacheDir().getAbsolutePath()
                + "/" + "Local storage" + ".xml"));
    Result fileResult = new StreamResult(fos);
    transformer.transform(source, fileResult);
} catch (FileNotFoundException e) {
    e.printStackTrace();
} finally {
    if (fos != null) {
        fos.close();
    }
}

再次感谢你们两位尝试解决我的问题。

于 2012-04-25T08:34:46.230 回答
4

这对我有用,只是额外的一行代码

String fileName = "name with spaces" + ".xml";                  
fileName.replace(" ", "\\ ");
于 2013-05-12T15:46:46.310 回答
1

尝试使用基本的 URL 编码:

File localStorageXmlFile = new File(activity.getExternalCacheDir()
                .getAbsolutePath()
                + "/Local%20storage.xml");

这个mgiht帮助你:URL编码表

此外,在处理文件时,请确保您为操作系统使用了正确的文件分隔符(在您的情况下,硬编码 / 应该可以工作,因为 Android 是基于 linux 的,但只是为了确保。这可能是另一种选择:

File localStorageXmlFile = new File(activity.getExternalCacheDir()
                .getAbsolutePath() + File.separator 
                + "Local storage.xml");

最后的选择是尝试腾出空间。尝试将“”替换为“\”。

于 2012-04-24T16:10:01.387 回答