如何在Android上打开应用程序上的代码?
我的Android应用程序需要用户创建一个帐户才能使用该应用程序。 帐户信息存储在SQLite数据库中。 当应用程序启动时,我检查用户是否有帐户,如果没有,则显示用户的注册活动。
现在我收到用户的报告,他们有时会参加注册活动,即使他们已经创建了一个帐户。 当他们关闭应用程序并重新打开它时会发生这种情况。
这是我正在使用的代码,我需要弄清楚问题可能是什么:
//MyApplication.java
public class MyApplication extends Application {
private DataBaseUtility dbu;
public boolean hasAccount;
@Override
public void onCreate() {
super.onCreate();
//Init sqlite database
this.dbu = new DataBaseUtility(this);
//This loads the account data from the database and returns true if the user has already created an account
this.hasAccount = loadAccount();
}
public boolean loadAccount() {
boolean loadedData = false;
String query = "SELECT data FROM tblaccount WHERE tblaccount.deleted=0";
Cursor cursor = this.dbu.getCursor(query);
if (cursor != null) {
while (cursor.moveToNext()) {
loadedData = true;
}
cursor.close();
}
return loadedData;
}
}
//MainActivity.java
public class MainActivity extends TabActivity {
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
MyApplication application = (MyApplication)getApplication();
if (!application.hasAccount) {
//Take the user to the sign up activity
}
}
我的想法是,有时MainActivity.onCreate()
可能会在MyApplication.onCreate()
之前运行。 情况会是这样吗?
在application
的onCreate
,您正在检查用户是否拥有帐户并设置布尔值。
如果用户通过application
的布尔值拥有一个帐户,那么您正在检查MainActivity
的onCreate
。
application
的onCreate()
执行前MainActivity
的onCreate()
总是这样! 对于不同的执行路径是不可能发生的,因为application
的onCreate()
没有Runnable
所以它是100%的图像。
请确保你的DataBaseUtility
没有任何Runnables。
无论如何, 仍然有几种方法来重现错误! 我现在不会说这些,但是当你看到时你可以知道它们:
解
MainActivity
您忘记了在成功注册后更新application.hasAccount
public class MainActivity extends TabActivity {
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.main);
MyApplication application = (MyApplication)getApplication();
if (!application.hasAccount) {
//Take the user to the sign up activity
//if(successful) application.hasAccount = true
}
}
避免数据库异常
我使用这个:
备注为数据库使用更强大的持久状态保存会更好 - 如SharedPreferences
boolean isOpened = false;
//When I need to open
if(!isOpened){
//open
isOpened = true;
}
//When I need to close
if(isOpened){
//close
isOpened = false;
}
onDestroy() { //every onDestroy
if(isOpened){
//close
}
}
链接地址: http://www.djcxy.com/p/8745.html