Android数据存储的三种方式:SharePreferences , file , SQLite

(1)SharePreferences:

存入:  SharedPreferences setter = this.getSharedPreferences("spfile", 0);
            SharedPreferences.Editor editor = setter.edit();
            editor.putString("name", et.getText().toString());
            editor.putInt("age", 18);
            editor.putFloat("ID", 374892323);
            editor.commit();

读取: SharedPreferences getter = this.getSharedPreferences("spfile", 0);
           String st = getter.getString("name", "unknow");

SharePreferences方式在数据存储的格式上是采用的XML文件。

 

(2)FileInputStream and FileOutputStream:

采用的就是基础的Java.io方式读写文件。但是需要注意的是文件路径的写法。在Android上就不要再用 "///mnt/sdcard/data/a.txt"这种写法了。

最好是利用Environment类进行字符串的拼接。拼成完整的路径:

   String sdcardPath = null;
        String filePath = "jerei";
        String fileName="saveFile.txt";
        if( ! Environment.getExternalStorageState().equals(Environment.MEDIA_REMOVED)){
            sdcardPath = Environment.getExternalStorageDirectory().toString();
            filePath = sdcardPath+File.separator +filePath ;
            FileOutputStream fos = null;
            File fileDir = new File(filePath);
            if( ! fileDir.exists() ){
                fileDir.mkdirs();
            }

  fin = new FileInputStream(new File(filePath, fileName));

 

(3)SQLite 数据库:

对于SQLite数据库的操作主要依靠两个类:SQLiteDatabase 和 SQLiteOpenHelper

其中后者是一个抽象类,需要自己实现。

private class MySQLiteOpenHelper extends SQLiteOpenHelper {
        
        public MySQLiteOpenHelper(Context context, String name,
                CursorFactory factory, int version) {
            super(context, name, factory, version);
            // TODO Auto-generated constructor stub
        }
        public MySQLiteOpenHelper(Context context){
            this(context, DB_NAME, null, DB_VERSION);
        }

        private static final String DB_NAME = "mydb.db";
        private static final int DB_VERSION = 1;
        public static final String NEWS_TAB="news";

        

        @Override
        public void onCreate(SQLiteDatabase db) {
            // TODO Auto-generated method stub
            StringBuilder sb = new StringBuilder();
            sb.append("create table ");
            sb.append(NEWS_TAB);
            sb.append(" ( ");
            sb.append(" id integer primary key autoincrement ,  ");
            sb.append(" title varchar(100) , ");
            sb.append(" author varchar(100) ");
            sb.append(" ) ");
            db.execSQL(sb.toString());
        }

        @Override
        public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
            // TODO Auto-generated method stub

        }

    }

而 SQLiteDataBase 则代表了一个数据库实例,可以通过自己实现 的sqliteOpenHelper类的 getWritableDatabase()方法和 getReadableDatabase()方法获得。

它包含操作数据库的具体方法。如:execSQL , delete ,query(返回一个Cursor类的对象) , update 等。

另外可以实现一个Dao来负责SQLite数据库的具体操作。

你可能感兴趣的:(preferences)