我使用ObjectOutputStream保存对象,但是当我使用.writeObject(this)将其保存为文件时,无法保存材质。我定义的类已可序列化。
public class LanguageModel implements Serializable {
private static LanguageModel lm_;
/* ******************************* */
//word -> count(w)
public static Dictionary unigramDict = new Dictionary();
//word_pair -> count(wi,wi+1)
public static Dictionary bigramDict = new Dictionary();
private static int wordIdCounter = 0;
/* ***************************** */
// Do not call constructor directly since this is a Singleton
private LanguageModel(String corpusFilePath) throws Exception {
constructDictionaries(corpusFilePath);
}
public void constructDictionaries(String corpusFilePath)
throws Exception {
...
}
// Saves the object (and all associated data) to disk
public void save() throws Exception{
FileOutputStream saveFile = new FileOutputStream(Config.languageModelFile);
ObjectOutputStream save = new ObjectOutputStream(saveFile);
save.writeObject(this);
save.close();
}
// Creates a new lm object from a corpus
public static LanguageModel create(String corpusFilePath) throws Exception {
if(lm_ == null ){
lm_ = new LanguageModel(corpusFilePath);
}
return lm_;
}
}
我定义的类如下:
import java.io.Serializable;
import java.util.HashMap;
public class Dictionary implements Serializable {
private int termCount;
private HashMap<String, Integer> map;
public int termCount() {
return termCount;
}
public Dictionary() {
termCount = 0;
map = new HashMap<String, Integer>();
}
...
}
当我尝试
save.writeObject(unigramDict)
时,它可以正确保存此变量。由于它是一个大变量,因此我可以简单地检查文件的大小。 5MB。当我切换到save.writeObject(this)
时,文件的大小仅为53字节。 最佳答案
我认为您在使用save.writeObject(this)
无法保存的静态字段时遇到了麻烦。
从ObjectOutputStream
javadoc:
对象的默认序列化机制写入
对象,类签名以及所有非瞬态值
和非静态字段。
您只需将unigramDict
和bigramDict
设置为非静态字段,然后使用LangugageModel.lm_.unigramDict
对其进行访问。
也许您可以查看singleton pattern而不是将所有字段都设置为static
。