所以我正在开发一款针对Android的游戏,而且我目前仍然停留在主菜单中的“加载存档”按钮。 此按钮调用从数据库读取数据的方法,并将其写入资源类,从中访问此数据。
问题是:如果表中没有行,我想禁用加载按钮,这意味着不存在任何存档游戏。
为此,我使用了以下方法:
public boolean checkForTables(){
boolean hasTables;
String[] column = new String[1];
column[0] = "Position";
Cursor cursor;
cursor = db.query("itemtable", column, null, null, null, null, null);
if(cursor.isNull(0) == true){
hasTables=false;
}else{
hasTables=true;
}
return hasTables;
正如您所看到的,它启动了对其中一个数据库表的查询,并检查0列(该列中唯一应该位于此列中的列)是否为空。 ATM我无法检查此调用的logcat结果,因为我似乎遇到了一些问题,但似乎查询引发异常,因为该表为空。
想知道检查表的行吗?
_ __ _ __ _ __ _ __ _ 的__ _ __ _ _EDIT_ _ __ _ __ _ __ _ __ _
注意:我检查了数据库,确实是空的
好的我在表上使用了rawQuery但是使用count-statement的方法产生了一个错误,所以我正在使用
public boolean checkForTables(){
boolean hasTables;
Cursor cursor = db.rawQuery("SELECT * FROM playertable", null);
if(cursor.getCount() == 0){
hasTables=false;
if(cursor.getCount() > 0){
hasTables=true;
}
cursor.close();
return hasTables;
}
我正在使用此方法来决定是否禁用看起来像这样的loadGame按钮:
loadGame = (ImageButton) findViewById(R.id.loadButton);
loadGame.setEnabled(databaseAccess.checkForTables());
loadGame.setOnClickListener(new OnClickListener() {
@Override
public void onClick(View v) {
databaseAccess.loadPlayer();
databaseAccess.loadItems();
databaseAccess.dropTables();
}
});
因此,如果checkForTables得到一个!= 0的行数,它将返回true,因此启用Button,或者如果rowcount = 0则禁用它
有趣的是,尽管表是空的,但checkForTables()返回true,因为getCount()似乎返回了一个!= 0的值 - 我只是没有得到它。
答案 0 :(得分:16)
执行select count(*) from itemtable
等查询。此查询将生成一个整数结果,其中包含该表中的行数。
例如:
Cursor cursor = db.rawQuery("SELECT count(*) FROM itemtable");
if (cursor.getInt(0) > 0) ... // there are rows in the table
请注意,@ PareshDudhat尝试了以下编辑,但被评论者拒绝了。自从这个答案发布以来,我没有跟上Android的步伐,但是一个非常简短的研究表明编辑(至少改变了rawQuery()
如何调用,我没有检查moveToFirst()
但是@ k2col的评论表明它现在也是必需的)具有优点。
Cursor cursor = db.rawQuery("SELECT count(*) FROM itemtable",null);
cursor.moveToFirst();
if (cursor.getInt(0) > 0) ... // there are rows in the table
答案 1 :(得分:3)
说什么可行。您可以在当前函数中使用的另一种方法是:
hasTables = cursor.moveToFirst());
请注意,如果您计划使用查询结果hasTables
实际上是真的,那么这种方法可能更好。
另外,完成后请不要忘记关闭光标!
修改强>
我不知道这是不是你的问题,但是在你的编辑中,你正在查询来自playerTable的所有项目,而不是像在预编辑中那样查询itemTable。那是你的问题吗?
答案 2 :(得分:3)
cursor.getCount()
返回数据库表中的行数。
然后尝试
Toast.makeText(this,""+cursor.getCount(),Toast.LENGTHLONG).show();
并且它不会在数据库表中提供任何行
答案 3 :(得分:0)
接受的答案让我走上正轨,但没有编译,因为rawQuery的方法签名已经改变,并且光标在读取之前没有前进到第一行。
这是我的解决方案,其中包括错误处理并关闭游标:
public static boolean isEmpty() {
boolean isEmpty;
Cursor cursor = null;
try {
cursor = db.rawQuery("SELECT count(*) FROM itemtable", null);
if (cursor.moveToFirst()) {
isEmpty = cursor.getInt(0) == 0;
} else {
// Error handling here
}
} catch (SQLException e) {
// Error handling here
} finally {
cursor.close();
}
return isEmpty;
}