Unchecked cast java.io.Serializable to java.util.ArrayList

2022-09-03 05:53:06

请帮忙,我得到以下消息,在我拥有的以下代码中:

listaFinal = (ArrayList<PuntoNota>) getIntent().getSerializableExtra("miLista");

AdapterDatos adapter = new AdapterDatos(this, listaFinal);

蓬托诺塔.java

public class PuntoNota implements Serializable{
private String punto;
private String nota;

public PuntoNota (String punto, String nota){
    this.punto = punto;
    this.nota = nota;
}

public String getPunto(){
    return punto;
}


public String getNota(){
    return nota;
}

}

AdapterDatos:

public AdapterDatos(Context context, ArrayList<PuntoNota> puntoNotaList) {
    this.context = context;
    this.puntoNotaList = puntoNotaList;
}

应用程序运行良好,但我收到以下消息:

Unchecked cast: 'java.io.Serializable' to 'java.util.ArrayList ' less ...(Ctrl + F1)。
关于这个代码: (ArrayList ) getIntent ().getSerializableExtra (“myList”);建议删除或隐藏此消息吗?


答案 1

根源:这是来自 IDE 的警告,请返回 a ,并且您正在尝试转换为 。如果程序无法将其强制转换为预期的类型,则它可能会在运行时抛出 ClassCastExceptiongetSerializableExtraSerializableArrayList<PuntoNota>

溶液:在 android 中,要传递用户定义的对象,您的类应该实现而不是接口。ParcelableSerializable

class PuntoNota implements Parcelable {
    private String punto;
    private String nota;

    public PuntoNota(String punto, String nota) {
        this.punto = punto;
        this.nota = nota;
    }

    protected PuntoNota(Parcel in) {
        punto = in.readString();
        nota = in.readString();
    }

    public String getPunto() {
        return punto;
    }

    public String getNota() {
        return nota;
    }

    @Override
    public int describeContents() {
        return 0;
    }

    @Override
    public void writeToParcel(Parcel dest, int flags) {
        dest.writeString(punto);
        dest.writeString(nota);
    }

    public static final Creator<PuntoNota> CREATOR = new Creator<PuntoNota>() {
        @Override
        public PuntoNota createFromParcel(Parcel in) {
            return new PuntoNota(in);
        }

        @Override
        public PuntoNota[] newArray(int size) {
            return new PuntoNota[size];
        }
    };
}

在发件人端

ArrayList<PuntoNota> myList = new ArrayList<>();
// Fill data to myList here
...
Intent intent = new Intent();
intent.putParcelableArrayListExtra("miLista", myList);

在接收器侧

ArrayList<? extends PuntoNota> listaFinal = getIntent().getParcelableArrayListExtra("miLista");

答案 2

您可以设置警告抑制注释。@SuppressWarnings

例:

@SuppressWarnings("unchecked")
listaFinal = (ArrayList<PuntoNota>) getIntent().getSerializableExtra("miLista");

它是一个注释,用于禁止显示有关未经检查的一般操作(不是异常)(如强制转换)的编译警告。它基本上意味着程序员不希望在编译特定代码时被告知他已经知道的这些。

您可以在此处阅读有关此特定注释的更多信息:

抑制警告

此外,Oracle 还提供了一些关于注释用法的教程文档:

附注

正如他们所说,

“当与泛型出现之前编写的遗留代码交互时,可能会发生'未选中'警告(在标题为泛型的课程中讨论过)。


推荐