1

我在谷歌搜索,找不到我的问题的真正答案!我的问题和他一样,但他想要 MODE_APPEND,我想要 MODE_PRIVATE 作为我的文件。我该怎么办?

这是我的代码:

public boolean saveCustomButtonInfo (Context context, Vector<DocumentButtonInfo> info) throws Exception{
    String path= context.getFilesDir() + "/" + "Load";
    File file = new File(path);

    if(! file.exists()){
        file.mkdir();
        //Toast.makeText(context,file.getAbsolutePath(),Toast.LENGTH_LONG).show();
     }
    path=path+"/DocumentActivityCustomButtonsInfo.obj";
    try{
        FileOutputStream out=context.openFileOutput(path,Context.MODE_PRIVATE);
        ObjectOutputStream outObject=new ObjectOutputStream(out);
        outObject.writeObject(info);
        outObject.flush();
        out.close();
        outObject.close();
        return true;
    }catch(Exception ex){
        throw ex;

    }
}
4

1 回答 1

3

您不能将带有斜杠 ( /) 的路径与openFileOutput(). 更重要的是,您正在尝试将两者结合起来getFilesDir()openFileOutput()这是不必要的,并且会导致此问题。

将您的代码更改为:

public void saveCustomButtonInfo (Context context, List<DocumentButtonInfo> info) throws Exception {
    File dir = new File(context.getFilesDir(), "Load");

    if(! dir.exists()){
        dir.mkdir();
    }
    File f = new File(dir, "DocumentActivityCustomButtonsInfo.obj");
    FileOutputStream out=new FileOutputStream(f);
    ObjectOutputStream outObject=new ObjectOutputStream(out);
    outObject.writeObject(info);
    outObject.flush();
    out.getFD().sync();
    outObject.close();
}

注意:

  • Vector已经过时了~15年
  • 永远不要使用连接来构建文件系统路径;使用正确的File构造函数
  • 捕获异常只是重新抛出它是没有意义的
  • 返回一个boolean总是true
  • 调用getFD().sync()aFileOutputStream以确认所有字节都写入磁盘
于 2016-12-10T14:35:03.093 回答