我想将ArrayList<CustomClass>
- 对象保存到Android存储中的某个位置,以便快速检索并在其中显示数据。
这可能与否?如果是,那么哪种技术适合,SQLite还是外部存储?
答案 0 :(得分:24)
例如
public class MyClass implements Serializable
{
private static final long serialVersionUID = 1L;
public String title;
public String startTime;
public String endTime;
public String day;
public boolean classEnabled;
public MyClass(String title, String startTime, boolean enable) {
this.title = title;
this.startTime = startTime;
this.classEnabled = enable;
}
public boolean saveObject(MyClass obj) {
final File suspend_f=new File(SerializationTest.cacheDir, "test");
FileOutputStream fos = null;
ObjectOutputStream oos = null;
boolean keep = true;
try {
fos = new FileOutputStream(suspend_f);
oos = new ObjectOutputStream(fos);
oos.writeObject(obj);
} catch (Exception e) {
keep = false;
} finally {
try {
if (oos != null) oos.close();
if (fos != null) fos.close();
if (keep == false) suspend_f.delete();
} catch (Exception e) { /* do nothing */ }
}
return keep;
}
public MyClass getObject(Context c) {
final File suspend_f=new File(SerializationTest.cacheDir, "test");
MyClass simpleClass= null;
FileInputStream fis = null;
ObjectInputStream is = null;
try {
fis = new FileInputStream(suspend_f);
is = new ObjectInputStream(fis);
simpleClass = (MyClass) is.readObject();
} catch(Exception e) {
String val= e.getMessage();
} finally {
try {
if (fis != null) fis.close();
if (is != null) is.close();
} catch (Exception e) { }
}
return simpleClass;
}
并从活动中调用
if(android.os.Environment.getExternalStorageState().equals(android.os.Environment.MEDIA_MOUNTED))
cacheDir=new File(android.os.Environment.getExternalStorageDirectory(),"MyCustomObject");
else
cacheDir= getCacheDir();
if(!cacheDir.exists())
cacheDir.mkdirs();
MyClass m = new MyClass("umer", "asif", true);
boolean result = m.saveObject(m);
if(result)
Toast.makeText(this, "Saved object", Toast.LENGTH_LONG).show();
else
Toast.makeText(this, "Error saving object", Toast.LENGTH_LONG).show();
MyClass m = new MyClass();
MyClass c = m.getObject(this);
if(c!= null)
Toast.makeText(this, "Retrieved object", Toast.LENGTH_LONG).show();
else
Toast.makeText(this, "Error retrieving object", Toast.LENGTH_LONG).show();
不要忘记在清单文件中使用write_external_storage权限。
答案 1 :(得分:1)
这个问题并不是特定于Android的问题。我的意思是如果您知道如何通过java.io.Serializable序列化数据或者您有自定义持久性格式,您只需要知道它的存储位置。
您可以通过
在本地设备上获取文件FileOutputStream stream = null;
try{
stream = mContext.openFileOutput("name.data", Context.MODE_PRIVATE);
ObjectOutputStream dout = new ObjectOutputStream(stream);
dout.writeObject(myArrayList);
dout.flush();
stream.getFD().sync();
} catch(IOException e) { //Do something intelligent
} finally {
stream.close();
}
您必须稍后使用openFileInput()来读回数据。
或者您可以获取外部存储空间。这是类似的,但你必须保证它甚至存在。就像外部存储连接,甚至可以写入。由于您在此处编写数据结构,并且外部存储通常是世界可读的,因此我认为这不是您想要的目的(仅限于您目前所做的)。
如果您的数据是结构化的并且将要多次查询,并且总是加载可能相当大,那么请考虑使用属于操作系统一部分的sql lite工具。但是我假设你不需要这个,因为一个简单的列表只是一个线性结构,你可以在一个文件中寻找(假设它小于1MB的数据:)
答案 2 :(得分:-1)