我发现了很多关于sqlite的例子。我没有使用这种语言的经验,但是android建议使用这个数据库在本地保存东西。我就是解决不了这个问题。我有以下(改编自一个例子):
import android.content.ContentValues;
import android.content.Context;
import android.database.sqlite.SQLiteDatabase;
import android.database.sqlite.SQLiteOpenHelper;
public class DatabaseHelper extends SQLiteOpenHelper
{
public static final String DATABASE_NAME = "highscores";
public DatabaseHelper(Context context)
{
super(context, DATABASE_NAME, null, 1);
} // I don't even need this, do I? ...
@Override
public void onCreate(SQLiteDatabase db)
{
String sql = "CREATE TABLE IF NOT EXISTS scoretable (" +
"_id INTEGER PRIMARY KEY AUTOINCREMENT, " +
"Curscore INTEGER, " +
"Curmode INTEGER, " +
"Curdiff INTEGER, " +
"Curdate STRING);";
db.execSQL(sql);
}
@Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion)
{
//Not used
}
}
在我(主要)的活动中,我有:
protected SQLiteDatabase db;
@Override
public void onCreate(Bundle savedInstanceState)
{
super.onCreate(savedInstanceState);
// Other code
db = (new DatabaseHelper(this)).getWritableDatabase();
}
要插入我使用的数据:
String dateFormat = "dd/MM";
Calendar cal = Calendar.getInstance();
SimpleDateFormat sdf = new SimpleDateFormat(dateFormat);
String date = sdf.format(cal.getTime());
ContentValues values = new ContentValues();
values.put("Curscore", score); // score is a public integer
values.put("Curmode", gamemode); // gamemode is a public integer
values.put("Curdiff", difficulty); // difficulty is a public integer
values.put("Curdate", date);
db.insert("scoretable", null, values);
问题:我现在唯一想要的是一个从“scoretable”中检索所有数据的函数。然后我将操作它(我比较分数并插入新的分数,如果它足够高,我将能够自己处理)。之后,我想用新的操作数据覆盖旧数据。(10-1)为什么我当前的代码不能工作?
提前谢谢!啊!
最佳答案
您所描述的方法没有在现实生活中使用有几个原因,其中一个原因是,随着数据库越来越大,您将占用太多的内存空间。
如果我很好地理解您的问题,您甚至不需要检索数据,只需要在update方法中传递right where子句。
如果当前高分低于playerid 5的那一行,下面的代码只是将高分更改为500的一种方法。
int highscore = 500;
int playerId = 5;
ContentValues cv=new ContentValues();
cv.put("highscore", highscore);
String where = "id=? AND highscore<?";
String[] whereArgs = {Integer.toString(playerId), Integer.toString(minimalScore};
db.update("scoretable", cv, where , whereArgs);
如果确实需要对数据库中的数据进行计算,则需要首先使用db.query()查询它。您将得到一个可以在其上迭代的游标。此游标读取该数据库,但不存储所有值。您可以从中检索所需的所有信息,然后可以执行适当的update语句。
例如,要删除100以下的所有分数,可以执行以下操作。
int lowestAllowableScore = 100;
db.delete("scoretable", "score<?", new String[] {Integer.toString(lowestAllowableScore)});
编辑//
您可以使用android insert方法:
注意,我没有用大写字母来开始变量。
ContentValues value=new ContentValues();
value.put("score", curscore); // We want to put curscore in the new row in the score column
value.put("mode", curmode);
value.put("diff", curdiff);
value.put("date", curdate);
db.insert("scoretable",null,value);
您应该看看insert语句的sqlite文档。使用android方法,不需要生成真正的sql代码。