Android SQLite Database not fully commiting? Changes until Activity ends? - java

Sorry for the long description, it's hard to describe my problem without giving you some background.
Okay so I have an app that uses one SQLite database and has two tables in it Table 1 and Table 2. I have a main activity with fragment with a button that starts my Log activity with fragment. The Log activity has a tabbed viewpager and in each view of the viewpager is a listview (Tab 1 listview and Tab 2 listview) with data from the corresponding tables (Table 1 and Table 2) in the database.
So when I'm in my Log Activity with Fragment I can click on the Tab 1 and it will populate the Tab 1 listview with the data from the Table 1 in my database. When I click on Tab 2 it'll populate the Tab 2 listview with the data from my Table 2 in my database. Each tab has it's own fragment. Tab 1 fragment and Tab 2 fragment.
So to explain my issue I'll just focus on my Tab 1, because both tabs are doing the same time.
WHAT WORKS:
Let me explain first though that if I add Data X into my Tab 1, Table 1, it will populate Listview 1 with Data X and add the Data X into my Table 1 just fine. I can Log.d my Table 1 and see it got entered just fine. If I press back on the phone to go back to my Main Activity with Fragment and then decide to go back into my Log Activity with Fragment it will populate the Listview 1 just fine with Data X and Data X is still in my Table 1, because again I can Log.d my Table 1 and see the data has been entered just fine. If I delete Data X now after having gone to the Main Activity and back into the Log Activity the Data X will delete from my Table 1 just fine and it will be removed from my Listview 1. I can log.d my Table 1 after deleting and see it has been deleted from my Table 1.
WHAT DOESN'T WORK:
So my actual issue is when I add lets say Data X and Data Y into my Tab 1, Table 1 of my database. The Listview 1 will populate with Data X and Data Y and insert Data X and Data Y into the database just fine because I can Log.d the table and see Data X and Data Y have been entered into my table.... But now lets say I decide to instantly delete the Data Y (While have never left the Log Activity this time) it will not delete from the Table 1 but it will delete Data Y from my Listview 1. So now when I Log.d my Table 1 I see that I still have Data X and Data Y in my Table 1, but my Listview 1 shows only Data X. If I now press the back button and go back to my Main Activity, and then again go back into my Log Activity it will populate my Tab 1 Listview 1 with Data X and Data Y because Data Y was not actually removed from my Table 1.
It seems as if I can't Delete or Edit freshly entered Data into my Tables without first leaving my Log Activity and going back into it to "Commit/Finalize" the data entered into the Table 1. My Insert, Update, and Delete functions work just fine after I have left the Logs Activity after adding fresh data and then going back into my Logs Activity. But My Delete and Update functions do not work properly if I add fresh data and then instantly try to alter that data. My Listview is updating and populating correctly though.
WHAT I'VE RESEARCHED AND TRIED:
I've made sure I have one instance of my SQLiteOpenHelper and my SQLiteDatabase variables. I have also tried to open the database before every insert, edit, or delete and then close it after I inserted, editted, or deleted. It didn't seem to have any effect. Currently i have the datasource get closed onPause() and opens again on onResume(). And finally I have tried setting up a setTransactionSuccessful() and then endTransaction() after beginTransaction() for each Insert, Update, or Delete.
CURRENT IDEAS:
I'm thinking it might have to do with my id's of my entries in my Tables... I believe it should auto increment the id when a new entry is added to the table. They might not be what I'm expecting them to be when the data is added and then instantly try to alter the data. The id's shouldn't change though when I back out of the Log activity and go back in though so I'm not too sure.
CODE:
Here is code for one of my Tab fragments I stripped out a lot of stuff due to size of the file.
public class LogOilTabFragment extends Fragment implements View.OnClickListener{
#Override
public View onCreateView(LayoutInflater inflater, #Nullable ViewGroup container, #Nullable Bundle savedInstanceState) {
mContext = getActivity();
DataSource.getInstance(mContext).open();
mListView = (ListView) view.findViewById(R.id.oil_list);
arrayOfLogs = new ArrayList<Log>();
arrayOfLogs = DataSource.getInstance(mContext).getAllLogs(LogsContract.OilTable.TAG);
mAdapter = new LogAdapter(getActivity(), arrayOfLogs);
mListView.setAdapter(mAdapter);
}
}
#Override
public void onResume() {
DataSource.getInstance(mContext).open();
super.onResume();
}
#Override
public void onPause() {
DataSource.getInstance(mContext).close();
super.onPause();
}
private void addLog() {
LayoutInflater factory = LayoutInflater.from(getActivity());
final View view = factory.inflate(R.layout.add_edit_log, null);
AlertDialog.Builder alert = new AlertDialog.Builder(getActivity());
alert.setView(view);
alert.setPositiveButton("ADD LOG", new DialogInterface.OnClickListener(){
public void onClick(DialogInterface dialog, int whichButton) {
String date = dateInput.getText().toString();
String amount = amountInput.getText().toString();
String miles = milesInput.getText().toString();
if (error_count == 0) {
Log log = new Log();
log.setmDate(date);
log.setmAmount(amount);
log.setmMiles(miles);
DataSource.getInstance(mContext).insert(date, amount, miles, OilTable.TAG);
mAdapter.add(log);
mAdapter.notifyDataSetChanged();
mListView.smoothScrollToPosition(mPosition);
}
}
});
alert.setNegativeButton("CANCEL", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
}
});
alert.show();
}
private void editLog() {
LayoutInflater factory = LayoutInflater.from(getActivity());
final View view = factory.inflate(R.layout.add_edit_log, null);
AlertDialog.Builder alert = new AlertDialog.Builder(getActivity());
alert.setView(view);
Log log = null;
//Pre fill in the edit text views with the data already in the database
if (mAdapter.getCount() > 0 && mPosition >= 0) {
log = (Log) mAdapter.getItem(mPosition);
dateInput.setText(log.getmDate());
amountInput.setText(log.getmAmount());
milesInput.setText(log.getmMiles());
}
alert.setPositiveButton("EDIT LOG", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
String date = dateInput.getText().toString();
String amount = amountInput.getText().toString();
String miles = milesInput.getText().toString();
if (error_count == 0) {
Log log = (Log) mAdapter.getItem(mPosition);
DataSource.getInstance(mContext).edit(log.getmId(), date, amount, miles, OilTable.TAG);
mAdapter.clear();
arrayOfLogs = new ArrayList<Log>();
arrayOfLogs = DataSource.getInstance(mContext).getAllLogs(OilTable.TAG);
mAdapter.addAll(arrayOfLogs);
mAdapter.notifyDataSetChanged();
}
}
});
alert.setNegativeButton("CANCEL", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
//Do Nothing
}
});
alert.show();
}
private void deleteLog() {
LayoutInflater factory = LayoutInflater.from(getActivity());
final View view = factory.inflate(R.layout.delete_log, null);
AlertDialog.Builder alert = new AlertDialog.Builder(getActivity());
alert.setView(view);
alert.setPositiveButton("DELETE LOG", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
Log log = null;
if (mAdapter.getCount() > 0) {
log = (Log) mAdapter.getItem(mPosition);
DataSource.getInstance(mContext).delete(log, OilTable.TAG);
mAdapter.remove(log);
mAdapter.notifyDataSetChanged();
}
}
});
alert.setNegativeButton("CANCEL", new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int whichButton) {
//Do Nothing
}
});
alert.show();
}
Here is my class that has my Insert, Update, and Delete code from my DataSource
public class DataSource {
public static DataSource dataSource;
private SQLiteDatabase mSQLiteDatabase;
private LogsDBHelper mLogsDBHelper; //LogsDBHelper Extends SQLiteOpenHelper
}
//String of column names for the oil sqlite database.
private String[] mAllOilColumns = {
OilTable.COLUMN_ID,
OilTable.COLUMN_DATE,
OilTable.COLUMN_AMOUNT,
OilTable.COLUMN_MILES};
//String of column names for the coolant sqlite database.
private String[] mAllCoolantColumns = {
OilTable.COLUMN_ID,
OilTable.COLUMN_DATE,
OilTable.COLUMN_AMOUNT,
OilTable.COLUMN_MILES};
public static synchronized DataSource getInstance(Context context) {
if (dataSource == null) {
dataSource = new DataSource(context.getApplicationContext());
}
return dataSource;
}
private DataSource(Context context) {
mLogsDBHelper = new LogsDBHelper(context); //LogsDBHelper Extends SQLiteOpenHelper
}
public void open() throws SQLiteException {
mSQLiteDatabase = mLogsDBHelper.getWritableDatabase();
}
public void close() {
mLogsDBHelper.close();
// mSQLiteDatabase.close();
}
//Method takes a string and depending on the string creates a query from the correct
//database table and returns the amount of items in the table
public int getLength(String tag){
Cursor cursor;
switch (tag) {
case OilTable.TAG:
cursor = mSQLiteDatabase.query(OilTable.TABLE_NAME,
mAllOilColumns, null, null, null, null, null);
return cursor.getCount();
case CoolantTable.TAG:
cursor = mSQLiteDatabase.query(CoolantTable.TABLE_NAME,
mAllCoolantColumns, null, null, null, null, null);
return cursor.getCount();
}
return 0;
}
//Inserts a log into the correct sqlite table with the passed values
public void insert(String date, String amount, String miles, String tag) {
ContentValues values = new ContentValues();
switch (tag) {
case OilTable.TAG:
values.put(OilTable.COLUMN_DATE, date);
values.put(OilTable.COLUMN_AMOUNT, amount);
values.put(OilTable.COLUMN_MILES, miles);
mSQLiteDatabase.insert(OilTable.TABLE_NAME, null, values);
break;
case CoolantTable.TAG:
values.put(CoolantTable.COLUMN_DATE, date);
values.put(CoolantTable.COLUMN_AMOUNT, amount);
values.put(CoolantTable.COLUMN_MILES, miles);
mSQLiteDatabase.insert(CoolantTable.TABLE_NAME, null, values);
break;
}
}
//Edits/Updates a log into the correct sqlite table with the passed values
public void edit(Long id, String date, String amount, String miles, String tag){
ContentValues values = new ContentValues();
switch (tag) {
case OilTable.TAG:
values.put(OilTable.COLUMN_DATE, date);
values.put(OilTable.COLUMN_AMOUNT, amount);
values.put(OilTable.COLUMN_MILES, miles);
mSQLiteDatabase.update(OilTable.TABLE_NAME, values, "_id=" + id, null);
break;
case CoolantTable.TAG:
values.put(CoolantTable.COLUMN_DATE, date);
values.put(CoolantTable.COLUMN_AMOUNT, amount);
values.put(CoolantTable.COLUMN_MILES, miles);
mSQLiteDatabase.update(CoolantTable.TABLE_NAME, values, "_id=" + id, null);
break;
}
}
//Deletes a log into the correct sqlite table based on the log id.
public void delete(Log log, String tag) {
long id = log.getmId();
switch(tag) {
case OilTable.TAG:
mSQLiteDatabase.delete(OilTable.TABLE_NAME,
OilTable.COLUMN_ID + " = " + id, null);
break;
case CoolantTable.TAG:
mSQLiteDatabase.delete(CoolantTable.TABLE_NAME,
CoolantTable.COLUMN_ID + " = " + id, null);
break;
}
}
//Returns an Arraylist of all of the logs from the table specified from the passed in value.
public ArrayList getAllLogs(String tag){
ArrayList logs = new ArrayList();
Cursor cursor;
Log log;
switch(tag) {
case OilTable.TAG:
cursor = mSQLiteDatabase.query(OilTable.TABLE_NAME,
mAllOilColumns, null, null, null, null, null);
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
log = cursorToLog(cursor);
logs.add(log);
cursor.moveToNext();
}
cursor.close();
break;
case CoolantTable.TAG:
cursor = mSQLiteDatabase.query(CoolantTable.TABLE_NAME,
mAllCoolantColumns, null, null, null, null, null);
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
log = cursorToLog(cursor);
logs.add(log);
cursor.moveToNext();
}
cursor.close();
break;
}
return logs;
}
//Used in local method getAllLogs()
private Log cursorToLog(Cursor cursor) {
Log log = new Log();
log.setmId(cursor.getLong(0));
log.setmDate(cursor.getString(1));
log.setmAmount(cursor.getString(2));
log.setmMiles(cursor.getString(3));
return log;
}
//Used to get all of the dates from the specified database in the call.
public String[] getAllDates(String tag){
Cursor cursor;
int index;
String[] dates = new String[0];
int i = 0;
switch(tag) {
case OilTable.TAG:
cursor = mSQLiteDatabase.query(OilTable.TABLE_NAME, mAllOilColumns, null, null, null, null, null);
index = cursor.getColumnIndex(OilTable.COLUMN_DATE);
dates = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
dates[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
case CoolantTable.TAG:
cursor = mSQLiteDatabase.query(CoolantTable.TABLE_NAME, mAllCoolantColumns, null, null, null, null, null);
index = cursor.getColumnIndex(CoolantTable.COLUMN_DATE);
dates = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
dates[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
}
return dates;
}
//Used to get all of the amounts from the specified database in the call.
public String[] getAllAmounts(String tag){
Cursor cursor;
int index;
String[] amounts = new String[0];
int i = 0;
switch(tag) {
case OilTable.TAG:
cursor = mSQLiteDatabase.query(OilTable.TABLE_NAME, mAllOilColumns, null, null, null, null, null);
index = cursor.getColumnIndex(OilTable.COLUMN_AMOUNT);
amounts = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
amounts[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
case CoolantTable.TAG:
cursor = mSQLiteDatabase.query(CoolantTable.TABLE_NAME, mAllCoolantColumns, null, null, null, null, null);
index = cursor.getColumnIndex(CoolantTable.COLUMN_AMOUNT);
amounts = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
amounts[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
}
return amounts;
}
//Used to get all of the miles from the specified database in the call.
public String[] getAllMiles(String tag){
Cursor cursor;
int index;
String[] miles = new String[0];
int i = 0;
switch(tag) {
case OilTable.TAG:
cursor = mSQLiteDatabase.query(OilTable.TABLE_NAME, mAllOilColumns, null, null, null, null, null);
index = cursor.getColumnIndex(OilTable.COLUMN_MILES);
miles = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
miles[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
case CoolantTable.TAG:
cursor = mSQLiteDatabase.query(CoolantTable.TABLE_NAME, mAllCoolantColumns, null, null, null, null, null);
index = cursor.getColumnIndex(CoolantTable.COLUMN_MILES);
miles = new String[cursor.getCount()];
cursor.moveToFirst();
while (!cursor.isAfterLast()) {
miles[i] = cursor.getString(index);
i++;
cursor.moveToNext();
}
cursor.close();
break;
}
return miles;
}
}
LogDBHelper Code
public class LogsDBHelper extends SQLiteOpenHelper {
//Application database name and version
private static final String DATABASE_NAME = "logs.db";
private static final int DATABASE_VERSION = 1;
public LogsDBHelper(Context context) {
super(context, DATABASE_NAME, null, DATABASE_VERSION);
}
#Override
public void onCreate(SQLiteDatabase db) {
// Database creation sql statement for oil table
final String SQL_CREATE_OIL_TABLE = "CREATE TABLE "
+ OilTable.TABLE_NAME + "( "
+ OilTable.COLUMN_ID + " INTEGER PRIMARY KEY AUTOINCREMENT, "
+ OilTable.COLUMN_DATE + " TEXT NOT NULL,"
+ OilTable.COLUMN_AMOUNT + " REAL NOT NULL,"
+ OilTable.COLUMN_MILES + " INTEGER NOT NULL);";
// Database creation sql statement for coolant table
final String SQL_CREATE_COOLANT_TABLE = "CREATE TABLE "
+ CoolantTable.TABLE_NAME + "( "
+ CoolantTable.COLUMN_ID + " INTEGER PRIMARY KEY AUTOINCREMENT, "
+ CoolantTable.COLUMN_DATE + " TEXT NOT NULL,"
+ CoolantTable.COLUMN_AMOUNT + " REAL NOT NULL,"
+ CoolantTable.COLUMN_MILES + " INTEGER NOT NULL);";
//Create the tables in the database
db.execSQL(SQL_CREATE_OIL_TABLE);
db.execSQL(SQL_CREATE_COOLANT_TABLE);
}
#Override
public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) {
db.execSQL("DROP TABLE IF EXISTS "+ OilTable.TABLE_NAME);
db.execSQL("DROP TABLE IF EXISTS "+ CoolantTable.TABLE_NAME);
onCreate(db);
}
}
UPDATE #1:
What I've found out after messing around and debugging for a few hours is that when I add a new data item to my table and then try to delete that freshly added item it thinks it's ID is 0... But it should not.
Example:
I have 1 data item in my table. It's data row looks like
ID: 1, Data: "Example Data 1"
Now if I add another data item to that table I'll have,
ID: 1, Data: "Example Data 1"
ID: 2, Data: "Example Data 2"
If I want to delete data item two right now after JUST inserting it. My delete query thinks I'm looking for ID: 0 so it doesn't find it and doesn't delete it. Makes sense.... But if I had my original
ID: 1, Data: "Example Data 1"
And then added a second data item so it now looks like this
ID: 1, Data: "Example Data 1"
ID: 2, Data: "Example Data 2"
And then press the back button to go back to my Main Activity... Then go back into my Log Activity to try and delete data item 2 the delete query will find the ID = 2 and delete the right data item
It's like my ID auto incremented id number isn't being committed unless I back out and go back in and then it finds it.
UPDATE #2:
Solved it,
Problem was in my Add method of my Tab Fragment... I was never updating the Log object with it's new ID after inserting the data into the table...
Log log = new Log();
Needed to set ID before adding it to mAdapter
log.setmDate(date);
log.setmAmount(amount);
log.setmMiles(miles);
mDataSource.insert(date, amount, miles, OilTable.TAG);
log.setmId(mDataSource.getLastLogID(OilTable.TAG));
mAdapter.add(log);

Solved it,
Problem was in my Add method of my Tab Fragment... I was never updating the Log object with it's new ID after inserting the data into the table...
Log log = new Log();
Needed to set ID before adding it to mAdapter
log.setmDate(date);
log.setmAmount(amount);
log.setmMiles(miles);
mDataSource.insert(date, amount, miles, OilTable.TAG);
log.setmId(mDataSource.getLastLogID(OilTable.TAG));
mAdapter.add(log);
Without it any recently added data would not be accessible by an ID in a query because I was referencing my ListView of Logs to get the Log information to edit and delete. It would work fine once i went out and loaded back into the Log Activity because my ListAdapter would populate with the full data including the IDs.

Related

When I added new data , I want to view top of the List . How can I do it?

I'm creating new app with using sqlite in android . When I added new data , I wanna view top of the List on RecyclerView. I have DatabaseHelper class. I have showData function in DatabaseHelper class.
Cursor showData() {
String query = "SELECT *FROM " + TABLE_NAME;
SQLiteDatabase db = this.getReadableDatabase();
Cursor c = null;
if (db != null) {
c = db.rawQuery(query, null);
}
return c;
}
and I have DisplayData function in MainActivity.
void DisplayData(){
Cursor c = db.showData();
if(c.getCount() == 0){
Toast.makeText(this, "Data Not Found.", Toast.LENGTH_SHORT).show();
imageView.setVisibility(View.VISIBLE);
noData.setVisibility(View.VISIBLE);
} else {
while (c.moveToNext()) {
lessonId.add(c.getString(0));
lessonName.add(c.getString(1));
lessonSubject.add(c.getString(2));
solvedProblemCount.add(c.getString(3));
}
imageView.setVisibility(View.GONE);
noData.setVisibility(View.GONE);
}
}
How can i do it ?
The best way to do this to get list from DB in a sorted order. You can add a field in the table called lastUpdated and apply desc sort to that field.
If you are using an ArrayList, use this before displaying data...
Collections.reverse(lessonId);
Collections.reverse(lessonName);
Collections.reverse(lessonSubject);
Collections.reverse(solvedProblemCount);
Note: Try to use an Object including all the fields(like lessonId,lessonName,lessonSubject,solvedProblemCount) and use an ArrayList for them...
I changed DisplayData in MainActivity.class this way
void DisplayData(){
Cursor c = db.showData();
if(c.getCount() == 0){
Toast.makeText(this, "Data Not Found.", Toast.LENGTH_SHORT).show();
imageView.setVisibility(View.VISIBLE);
noData.setVisibility(View.VISIBLE);
} else {
c.moveToLast();
c.moveToNext();
while (c.moveToPrevious()) {
lessonId.add(c.getString(0));
lessonName.add(c.getString(1));
lessonSubject.add(c.getString(2));
solvedProblemCount.add(c.getString(3));
}
imageView.setVisibility(View.GONE);
noData.setVisibility(View.GONE);
}
}
and solved it. Thank you

Error querying sqlite database in android studio

I have a problem in my application, to see if there is someone who can help me.
It turns out that in my application I have made a database with SQLite that has two tables, one for players and one for results.
#Override
public void onCreate(SQLiteDatabase BaseDeDades) {
BaseDeDades.execSQL("create table jugadors(codi int primary key, nom text, cognoms text, data date, club text, categoria text)");
BaseDeDades.execSQL("create table resultats(codipuntuacio int primary key, codijugador int,codiexercici text, puntuacio text, temps long, data date)");
}
To consult the first of the tables (players) that shows a list of all the players entered in the database, I did it as follows.
#Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_llistajug);
Llistajugadors();
}
public void Llistajugadors(){
AdminSQLiteOpenHelper admin = new AdminSQLiteOpenHelper(this,"administracio",null,1);
SQLiteDatabase BaseDeDades = admin.getWritableDatabase();
if(BaseDeDades!=null){
Cursor c= BaseDeDades.rawQuery("select * from jugadors",null);
int quantitat = c.getCount();
int i=0;
String[] array = new String[quantitat];
if (c.moveToFirst()){
do{
String linia = c.getInt(0)+"-"+c.getString(1);
array[i] = linia;
i++;
}while(c.moveToNext());
}
ArrayAdapter<String>adapter = new ArrayAdapter<String>(this, android.R.layout.simple_list_item_1,array);
final ListView llista = (ListView)findViewById(R.id.llista);
llista.setAdapter(adapter);
llista.setOnItemClickListener(new AdapterView.OnItemClickListener() {
#Override
public void onItemClick(AdapterView<?> parent, View view, int position, long id) {
Intent intent = getIntent();
intent.putExtra("dato2", llista.getItemAtPosition(position).toString());
setResult(RESULT_OK,intent);
finish();
}
});
}
}
}
The problem has arisen when trying to consult the data of the other table (results) since I have tried to do it the same way
#Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_llistajug);
jugador = getIntent().getStringExtra("name");
exercici = getIntent().getStringExtra("exercise");
nom = jugador.split("-")[1];
codi = Integer.parseInt(jugador.split("-")[0]);
Resultats();
}
public void Resultats() {
AdminSQLiteOpenHelper admin = new AdminSQLiteOpenHelper(this, "administracio", null, 1);
SQLiteDatabase BaseDeDades = admin.getWritableDatabase();
if (BaseDeDades != null) {
Cursor c2 = BaseDeDades.rawQuery("select * from resultats",null);
int quantitat2 = c2.getCount();
int i2 = 0;
String[] array2 = new String[quantitat2];
if (c2.moveToFirst()) {
do {
String linia2 = c2.getInt(0) + "-" + c2.getString(1);
array2[i2] = linia2;
i2++;
} while (c2.moveToNext());
}
ArrayAdapter<String> adapter = new ArrayAdapter<String>(this, android.R.layout.simple_list_item_1, array2);
final ListView llista2 = (ListView) findViewById(R.id.llista2);
llista2.setAdapter(adapter);
}
}
}
But when executing this activity, in this case the application stops.
Does anyone know why if I have done it the same way? Thank you
This is the error that appears in Logcat when executing the activity:
Logcat error
Thanks, the bug was fixed. But now I have another problem with the query. How can I make the query for a string?
codijugador i codi are integers and it works correctly but adding another parameter codiexercici = exerici which are strings gives me an error, are they not done the same way?
Thanks, the bug was fixed. But now I have another problem with the query. How can I make the query for a string?
Thanks, the bug was fixed. But now I have another problem with the query. How can I make the query for a string?
co-player i codi are integers and it works correctly but adding another parameter codiexercici = exerici which are strings gives me an error, are they not done the same way?
Cursor c = BaseDeDades.rawQuery("select * from resultats where codijugador = "+codi+" and codiexercici="+exercici, null);
String must be enclosed inside single quotes, but this is something that you should not do by concatenating the parameters and the single quotes.
Use ? placeholders for the parameters and the 2nd argument of rawQuery() to pass them:
Cursor c = BaseDeDades.rawQuery(
"select * from resultats where codijugador = ? and codiexercici = ?",
new String[] {String.valueOf(codi), exercici}
);

Nullpointer Exception after deleting entry from SQL database

I'm working on an app for a robot where the user can define punch combinations which the robot will later fetch from the device. To allow the user to store these trainings I have defined a class "Trainings" which holds the id, the name and the punch combination of the training. This training is later saved in a database, for which I have written a DatabaseHandler class. Adding and displaying the data works fine, but whenever I want to delete an entry with the method below:
public void deleteTraining(Training training) {
SQLiteDatabase db = this.getWritableDatabase();
db.delete(TABLE_TRAININGS, KEY_ID + " = ?",
new String[] { String.valueOf(training.getID()) });
db.close();
}
and later try to populate my GridView again ( handled by a GridAdapter class), I get a Nullpointer Exception
java.lang.NullPointerException: Attempt to read from field 'java.lang.String com.noeth.tobi.mcrobektrainingsplaner.Training._name' on a null object reference
at com.noeth.tobi.mcrobektrainingsplaner.GridAdapter.getView(GridAdapter.java:50)
the getView method of the GridAdapter:
public View getView(int position, View convertView, ViewGroup parent) {
if (convertView == null) {
// if it's not recycled, initialize some attributes
btn = new Button(context);
btn.setLayoutParams(new GridView.LayoutParams(370, 350));
btn.setPadding(2,100,2,100);
btn.setOnClickListener(new CustomOnClickListener(position, context));
btn.setOnLongClickListener(new CustomOnLongClickListener(position, context, btn));
}
else {
btn = (Button) convertView;
}
btn.setText(db.getTraining(position)._name); //Here the programm throws a Nullpointer Exception AFTER deleting an entry from the database
btn.setTextColor(Color.WHITE);
btn.setBackgroundResource(R.drawable.button_border);
btn.setTag("not_activated");
btn.setId(position);
return btn;
}
I figured that it must have something to do with the id of the deleted training, as the loop simply goes through all ids so I wrote a method recalcIDs which recalculates the id of every item coming after the deleted training:
recalcIDs
public void recalcIDs(){
int k = 1;
int subtract = 1;
int id;
Training training;
for(int i = deleted.get(0)+1; i < db.getTrainingCount(); i++){
if(deleted.size() > 1){
if(i < deleted.get(k)){
training = db.getTraining(i);
id = training.getID();
training.setID(id-subtract);
}
else{
k+=1;
subtract+=1;
}
}
else{
training = db.getTraining(i);
id = training.getID();
training.setID(id-subtract);
}
}
}
However this does not fix it.
When reinstalling the app and starting with a completely new database everythings works again.
Does anybody have an idea what I've done wrong?
P.S.: Here's the getTraining method where it can't find the name:
Training getTraining(int id) {
SQLiteDatabase db = this.getReadableDatabase();
Training training;
Cursor cursor = db.query(TABLE_TRAININGS, new String[] { KEY_ID,
KEY_NAME, KEY_SK}, KEY_ID + "=?",
new String[] { String.valueOf(id) }, null, null, null, null);
if (cursor != null && cursor.moveToFirst()){
training = new Training(Integer.parseInt(cursor.getString(0)),
cursor.getString(1), cursor.getLong(2));
cursor.close();
}
else{
training = null;
Toast.makeText(con,"Couldn't find any training sessions!", Toast.LENGTH_LONG).show();
}
// return training
return training;
}
I'm assuming your the Training.setId method doesn't call the database.
You shouldn't change the id of your training because they get managed by the underlaying database. If you only change the ids in you application logic both datasets (application and database) will differ.
I would recommend to reload all the trainings from the database after a user decided to delete one and call the Gridview.notifyDatasetChanged afterwards.

Android - Wanting to alternate icon images in a listview using cursorLoader

I have an application that displays a listView of contacts sorted by Last, then first names. Beside each contact is an image (icon). There are 3 kinds of contacts for which I'd like to display 3 different images (customers/suppliers/other) I have a default image now that is set to customer. I'm wondering if there's a way using the cusorLoader shown below to alternate images on the fly, or whether it would just be best to add a method involving a cursor in my onResume. (onResume is called each time I need to display the images). I believe simpleCursorAdapter can only take textViews as args, so if it's possible, maybe a compound textview/image would work. My icons are not stored in the database, just in the drawables.
Thanks in advance for any replies.
#Override
protected void onResume() {
super.onResume();
//Starts a new or restarts an existing Loader in this manager
getLoaderManager().restartLoader(0, null, this);
}
/*
* The fillData method binds the simpleCursorAadapter to the listView.
*/
private void fillData() {
String[] from = new String[] { ContactsDB.COLUMN_LAST_NAME, ContactsDB.COLUMN_FIRST_NAME };
//The XML views that the data will be bound to:
int[] to = new int[] {R.id.label2, R.id.label};
getLoaderManager().initLoader(0, null, this);
adapter = new SimpleCursorAdapter(this, R.layout.contact_row, null, from,
to, 0);
setListAdapter(adapter);
}
// Sort the names by last name, then by first name
String orderBy = ContactsDB.COLUMN_LAST_NAME + " COLLATE NOCASE ASC"
+ "," + ContactsDB.COLUMN_FIRST_NAME + " COLLATE NOCASE ASC" ;
// Creates a new loader after the initLoader () call
#Override
public Loader<Cursor> onCreateLoader(int id, Bundle args) {
String[] projection = { ContactsDB.ROW_ID, ContactsDB.COLUMN_LAST_NAME, ContactsDB.COLUMN_FIRST_NAME };
CursorLoader cursorLoader = new CursorLoader(this,
SomeContentProvider.CONTENT_URI, projection, null, null, orderBy);
return cursorLoader;
}
#Override
public void onLoadFinished(Loader<Cursor> loader, Cursor data) {
// Swap the new cursor in.
// (The framework will take care of closing the old cursor once we return.)
adapter.swapCursor(data); //Call requires Min API 11
}
#Override
public void onLoaderReset(Loader<Cursor> loader) {
// This is called when the last Cursor provided to onLoadFinished()
// above is about to be closed.
// Data is no longer available, delete the reference
adapter.swapCursor(null);
}
}
Here is the code I use to dynamically show a drawable on a ListView, you have to use the function setViewBinder on your adapter:
mAdapter.setViewBinder(new ViewBinder() {
public boolean setViewValue(View aView, Cursor aCursor, int aColumnIndex) {
//Modification of the icon to display in the list
if (aColumnIndex == aCursor.getColumnIndex(DatabaseHandler.RATE_EMOTION)) {
int emotionID = aCursor.getInt(aColumnIndex);
Drawable emotionDrawable = resources.getDrawable(R.drawable.ic_unknown_rate);
//if emotion is set
if(emotionID > 0){
String emotionDrawablePath = "ic_smi" + emotionID;
int emotionDrawableID = resources.getIdentifier(emotionDrawablePath,"drawable", getPackageName());
//if a drawable is found
if(emotionDrawableID > 0){
emotionDrawable = resources.getDrawable(emotionDrawableID);
}
}
ImageView emotionImage = (ImageView) aView;
emotionImage.setImageDrawable(emotionDrawable);
return true;
}
return false;
}
});
You can see in this example that I change the drawable according to the data I get from the cursor for every row.

Android changing XML layout Changes data fields

Here's a head scratcher...(at least for me)
I have a contact list that displays a list of contacts from my Db. When a user clicks on one of the contacts an edit activity comes up. It all works perfectly as laid out currently, but I need to have the edit activity display the last name entry before the first name. Thinking that all the fields should have a one to one relationship, I went ahead and moved the editText(XML) for the last name above the first name in the edit activity thinking that this should be referenced by the id of the EditText. After doing so, the program is now displaying the first name in the last name field and vise-versa. I have tried wiping the user data on the emulator with no difference. I already realize this is probably one of those UH-DUH! type questions, but if anyone can point out the obvious for me, it would be appreciated. All the code shown is in the now-working state:
I've removed some chunks that would have nothing to do with my issue.
Thanks to anyone having a look at this for me!
Ken
XML:
<EditText
android:id="#+id/contact_edit_first_name"
android:inputType="textPersonName"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_weight="1"
android:hint="#string/contact_edit_first_name"
android:imeOptions="actionNext"
android:background="#color/warn" >
</EditText>
<EditText
android:id="#+id/contact_edit_last_name"
android:inputType="textPersonName"
android:layout_width="fill_parent"
android:layout_height="wrap_content"
android:layout_weight="1"
android:gravity="top"
android:hint="#string/contact_edit_last_name"
android:imeOptions="actionNext"
android:background="#color/warn" >
</EditText>
This is the contact activity that displays the listView rows, and calls
createContact which sends an intent to add, edit or delete rows.
public class ContactsActivity extends ListActivity implements
LoaderManager.LoaderCallbacks<Cursor> {
private SimpleCursorAdapter adapter;
/** Called when the activity is first created. */
#Override
public void onCreate //DO THE ON CREATE STUFF -removed
fillData();
registerForContextMenu(getListView());
Button add_contact = (Button) findViewById(R.id.add_contact_button);
add_contact.setOnClickListener(new View.OnClickListener() {
public void onClick(View view) {
createContact();
}
});
}
// Create the options menu to INSERT from the XML file
// removed - not relevant
// return true for the menu to be displayed
}
// When the insert menu item is selected, call CreateContact
//Removed
createContact();
return true;
}
return super.onOptionsItemSelected(item);
}
private void createContact() {
Intent i = new Intent(this, ContactEditActivity.class);
startActivity(i);
}
//The onListItemClick sends a URI which flags the contactEditActivity
//that this is an edit rather than a new insert.
#Override
protected void onResume() {
super.onResume();
//Starts a new or restarts an existing Loader in this manager
getLoaderManager().restartLoader(0, null, this);
}
//The fillData method binds the simpleCursorAadapter to the listView.
private void fillData() {
//The desired columns to be bound:
String[] from = new String[] { ContactsDB.COLUMN_LAST_NAME, ContactsDB.COLUMN_FIRST_NAME };
//The XML views that the data will be bound to:
int[] to = new int[] {R.id.label2, R.id.label};
// The creation of a loader using the initLoader method call.
getLoaderManager().initLoader(0, null, this);
adapter = new SimpleCursorAdapter(this, R.layout.contact_row, null, from,
to, 0);
setListAdapter(adapter);
}
// Sort the names by last name, then by first name
String orderBy = ContactsDB.COLUMN_LAST_NAME + " COLLATE NOCASE ASC"
+ "," + ContactsDB.COLUMN_FIRST_NAME + " COLLATE NOCASE ASC" ;
// Creates a new loader after the initLoader () call
#Override
public Loader<Cursor> onCreateLoader(int id, Bundle args) {
//ETC
}
#Override
public void onLoadFinished(Loader<Cursor> loader, Cursor data) {
adapter.swapCursor(data); //Call requires Min API 11
}
#Override
public void onLoaderReset(Loader<Cursor> loader) {
// swap the cursor adapter
}
And Finally, this is the contact edit code that is likely the source of my grief...maybe not. Could be the save state doesn't map to the id's?
#Override
protected void onCreate(Bundle bundle) {
super.onCreate(bundle);
setContentView(R.layout.activity_contact_edit);
Log.i(TAG, "INSIDE ONCREATE");
mCategory = (Spinner) findViewById(R.id.category);
mLastName = (EditText) findViewById(R.id.contact_edit_last_name);
mFirstName = (EditText) findViewById(R.id.contact_edit_first_name);
mHomePhone = (EditText) findViewById(R.id.contact_edit_home_phone);
mCellPhone = (EditText) findViewById(R.id.contact_edit_cell_phone);
//****************ECT. ETC.
//DECLARE THE BUTTONS AND SET THE DELETE ENABLED FALSE - REMOVED - NOT PERTINANT
Bundle extras = getIntent().getExtras();
// Check if the URI is from a new instance or a saved record
}
// Set the save button to check the required fields, save the contact and finish
saveButton.setOnClickListener(new View.OnClickListener() {
public void onClick(View view) {
if (TextUtils.isEmpty(mLastName.getText().toString()) ||
TextUtils.isEmpty(mFirstName.getText().toString())) {
makeToast();
} else {
setResult(RESULT_OK);
finish();
}
}
});
// Set the delete button to delete the contact and finish - REMOVED - NOT PERTINANT
private void fillData(Uri uri) {
// QUERY PARAMETER projection - A list of which columns to return.
// Passing null will return all columns, which is inefficient (but used now!)
// null, null and null are: selection, selection args, and sort order for specific items
Cursor cursor = getContentResolver().query(uri, null, null, null, null);
if (cursor != null) {
cursor.moveToFirst();
String category = cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_CATEGORY));
for (int i = 0; i < mCategory.getCount(); i++) {
String s = (String) mCategory.getItemAtPosition(i);
Log.i("CATEGORY", s); ////////////////////////////////////////////
if (s.equalsIgnoreCase(category)) {
mCategory.setSelection(i);
}
};
mLastName.setText(cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_LAST_NAME)));
mFirstName.setText(cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_FIRST_NAME)));
mHomePhone.setText(cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_PHONE_NUMBER)));
mCellPhone.setText(cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_CELL_NUMBER)));
mWorkPhone.setText(cursor.getString(cursor
.getColumnIndexOrThrow(ContactsDB.COLUMN_WORK_NUMBER)));
mFax.setText(cursor.getString(cursor
//****************ECT. ETC.
//close the cursor
}
}
protected void onSaveInstanceState(Bundle outState) {
super.onSaveInstanceState(outState);
saveState();
outState.putParcelable(whateverContentProvider.CONTENT_ITEM_TYPE, contactUri);
}
#Override
protected void onPause() {
super.onPause();
saveState();
}
private void saveState() {
String category = (String) mCategory.getSelectedItem();
String someLAST = mLastName.getText().toString().valueOf(findViewById(R.id.contact_edit_last_name));
String lastName = mLastName.getText().toString();
String firstName = mFirstName.getText().toString();
String someFIRST = mFirstName.getText().toString().valueOf(findViewById(R.id.contact_edit_first_name));
String homePhone = mHomePhone.getText().toString();
String somePhone = mHomePhone.getText().toString().valueOf(findViewById(R.id.contact_edit_home_phone));
String cellPhone = mCellPhone.getText().toString();
String workPhone = mWorkPhone.getText().toString();
//****************ECT. ETC.
//Some logging I used to show that the first name field still came up first
//after changing the order of the editTexts.
Log.i("LAST NAME", lastName);
Log.i("SOME LAST", someLAST);
Log.i("FIRST NAME", firstName);
Log.i("SOME FIRST", someFIRST);
Log.i("Home Phone", homePhone);
Log.i("SOME PHONE", somePhone);
// Save if first name and last name are entered
// The program will save only last name when a user presses back button with text in last name
if (lastName.length() == 0 || firstName.length() == 0) {
return;
}
// ContentValues class is used to store a set of values that the contentResolver can process.
ContentValues values = new ContentValues();
values.put(ContactsDB.COLUMN_CATEGORY, category);
values.put(ContactsDB.COLUMN_LAST_NAME, lastName);//ANNIE
values.put(ContactsDB.COLUMN_FIRST_NAME, firstName);
values.put(ContactsDB.COLUMN_PHONE_NUMBER, homePhone);
//****************ECT. ETC.
if (contactUri == null) {
// Create a new contact
contactUri = getContentResolver().insert(whateverContentProvider.CONTENT_URI, values);
} else {
// Update an existing contact
getContentResolver().update(contactUri, values, null, null);
}
}
//MAKE A TOAST DOWN HERE - REMOVED - NOT PERTINANT
}
Have you tried cleaning the project (regenerating de R).
Also, try restarting your IDE.
This may seem stupid but actually can solve the issue...
try cleaning your project. Weird things happen sometimes within Eclipse.

Categories