简易记事本实现与分析(二)辅助类的编写
一、新建工程
在新建的工程中建立三个java文件,NoteEdit.java,Notepadv3.java和NotesDbAdapter.java
NoteEdit.java作为编辑修改记录的Activity
Notepadv3.java作为主界面的Activity
NotesDbAdapter.java作为操作数据库的类
导入资源图片到res/drawable文件夹,这只用到了两张图片,都是.9.png格式的:
二、NotesDbAdapter类编写
首先把后面经常要用到操作数据库的类写好,
1.把记录的标题,内容,主键定义为string常量
public static final String KEY_TITLE = "title";
public static final String KEY_BODY = "body";
public static final String KEY_ROWID = "_id";
2.除此之外,必须有我们继成了SQLiteOpenHelper的类,和SQLiteDatabase
private DatabaseHelper mDbHelper;
private SQLiteDatabase mDb;
3.实现DatabaseHelper继承SQLiteOpenHelper ,重写onCreate()和onUpgrade()方法,在onCreate()里面创建以数据库,onUpgrade()负责数据库升级操作。
public void onCreate(SQLiteDatabase db)
{
db.execSQL(DATABASE_CREATE);
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion)
{
Log.w(TAG, "Upgrading database from version " + oldVersion + " to " + newVersion
+ ", which will destroy all old data");
db.execSQL("DROP TABLE IF EXISTS notes");
onCreate(db);
}
4.新增打开和关闭数据库的方法
public NotesDbAdapter open() throws SQLException{}
public void close(){}
5.创建一条新的记事和删除记事的方法
public long createNote(String title, String body){}
public boolean deleteNote(long rowId){}
6.查询数据库,返回所有记事
public Cursor fetchAllNotes(){}
7.根据id查询特定记事,
public Cursor fetchNote(long rowId) throws SQLException{}
8.可以用来修改一条已有的记事的方法
public boolean updateNote(long rowId, String title, String body){}
以上函数的实现参见源码。
三、NoteEdit类编写
1.获得NotesDbAdapter 的引用,声明几个显示标题,内容的textview
private NotesDbAdapter mDbHelper;
private EditText mTitleText;
private EditText mBodyText;
private Long mRowId;
2.重写onCreate(),onResume(),onPause(),onSaveInstanceState()方法:
onCreate()中要做的是,主要是判断传入参数savedInstanceState的值,将页面内的几个textview赋上相应的值有populateFields()方法实现,为确定按钮添加监听。
实现onCreate()中调用的populateFields()方法,通过已经获得的id值,查询数据库,并将数据显示到页面
if (mRowId != null)
{
Cursor note = mDbHelper.fetchNote(mRowId);
startManagingCursor(note);
mTitleText
.setText(note.getString(note.getColumnIndexOrThrow(NotesDbAdapter.KEY_TITLE)));
mBodyText.setText(note.getString(note.getColumnIndexOrThrow(NotesDbAdapter.KEY_BODY)));
}
还有一个重点,把正条记事的内容保存到数据库当中。在onSave()中实现
private void saveState()
{
String title = mTitleText.getText().toString();
String body = mBodyText.getText().toString();
if (mRowId == null)
{
long id = mDbHelper.createNote(title, body);
if (id > 0)
{
mRowId = id;
}
} else
{
mDbHelper.updateNote(mRowId, title, body);
}
}
上面实现的onSave()要在onSaveInstanceState()和onPause()中调用,以免数据丢失
未完待续。。。