Nerdy Bunz
Nerdy Bunz

Reputation: 7437

Unsafe or unchecked operations warning

In an app I am using SharedPrefernces to save/load (serialize/deserialize) some objects.

This is the deserialization code:

private void loadData() {

    String str = sharedPreferences.getString(PREF_TAG, null);

    byte[] bytes = Base64.decode(str, Base64.DEFAULT);

    try {
        ByteArrayInputStream bais = new ByteArrayInputStream(bytes);
        ObjectInputStream input = new ObjectInputStream(bais);
        arrayOfObjects = (ArrayList<MyObject>) input.readObject();
    } catch (Exception e) {
        Log.i("BUG", "error decoding serialized objects: " + e.toString());
    }

    if (arrayOfObjects == null) {
        Log.i("BUG", "serious problem!");
    }

}

But whenever I compile this project, the line:

arrayOfObjects = (ArrayList<MyObject>) input.readObject();

causes a warning that the class containing this method "uses unchecked or unsafe operations."

How can I get rid of this warning or change my code to be more safe?

Upvotes: 4

Views: 39447

Answers (4)

rates336
rates336

Reputation: 21

To everyone who gave answer earlier. If you write

@SuppressWarnings("unchecked")

You tell to java: "Please not check what is under the command." This is not solution this error. If you want to the solve the problem you must don't use interface and select some name class.

Upvotes: 1

Sana Ebadi
Sana Ebadi

Reputation: 7220

I solved this problem with add :

@SuppressWarnings("unchecked")
public class CommLockInfoManager {

Upvotes: 0

Jhakiz
Jhakiz

Reputation: 1609

I had the same problem and solved it by adding :

@SuppressWarnings("unchecked")
public class className extends AppCompatActivity {
...
}

I hope this will help

Upvotes: 5

Oldskultxo
Oldskultxo

Reputation: 965

In this case that warinig is shown because you are parsing directly the result of

input.readObject();

That returns an Object of type Object, (that is so generic), into an ArrayList, and the compiler tries to say you that, it could be any other type of objects.

In my opinion its not an important warning if that instruction in your code is always returning ArrayList, so i would add to your method definition.

@SuppressWarnings("unchecked")

Upvotes: 14

Related Questions