2

I'm following a tutorial about content providers and, in a specific code, they inserted some data using a bulkInsert method. They also used a Vector variable (cVVector) to store all the ContentValues.

Code that was mentioned:

if (cVVector.size() > 0) {
   ContentValues[] cvArray = new ContentValues[cVVector.size()];
   cVVector.toArray(cvArray);
   mContext.getContentResolver().bulkInsert(WeatherEntry.CONTENT_URI, cvArray);
}

Then, I tried to reduce the code by casting cVVector.toArray() to ContentValues[], but I'm getting an error.

Code edited by me:

if (cVVector.size() > 0) {
   mContext.getContentResolver().bulkInsert(WeatherEntry.CONTENT_URI, (ContentValues[]) cVVector.toArray());
}

Error that I'm getting:

FATAL EXCEPTION: AsyncTask #1
Process: com.example.thiago.sunshine, PID: 9848
java.lang.RuntimeException: An error occured while executing doInBackground()
...
Caused by: java.lang.ClassCastException: java.lang.Object[] cannot be cast to android.content.ContentValues[]

Finally, my question is: Why I can't do a casting between an Object[] and a ContentValues[] ?

Obs.: English is not my mother tongue, please excuse any errors.

L. Swifter
  • 3,179
  • 28
  • 52

1 Answers1

3

You can't cast Object[] to ContentValues[], because there is no relationship between these two types. They are different array types.

Just like you can cast an Object to a String like this :

Object a = "aa";
String b = (String) a;

because String is a subclass of Object.

But you can't do this :

Object[] ar = new Object[]{"aa", "bb"};
String[] br = (String[]) ar;

You will find this is OK in compile time, but will not work in runtime. The forced type conversion in JAVA may only work for single object not array.

You can replace your code with:

if (cVVector.size() > 0) {
   mContext.getContentResolver().bulkInsert(WeatherEntry.CONTENT_URI, (ContentValues[]) cVVector.toArray(new ContentValues[1]));
}

Hope this can help you.

L. Swifter
  • 3,179
  • 28
  • 52
  • It helped a lot. I got confused, because I thought that the casting would run the array automatically, casting each object into the new array. But, as you said, `Object[]` and `ContentValues[]` are different array types, so the casting that I did will never work properly. Thank you again! – Thiago Ferrao Aug 08 '16 at 00:53