如何将Enum对象添加到Android Bundle中?


当前回答

另一个选择:

public enum DataType implements Parcleable {
    SIMPLE, COMPLEX;

    public static final Parcelable.Creator<DataType> CREATOR = new Creator<DataType>() {

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

        @Override
        public DataType createFromParcel(Parcel source) {
            return DataType.values()[source.readInt()];
        }
    };

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

    @Override
    public void writeToParcel(Parcel dest, int flags) {
        dest.writeInt(this.ordinal());
    }
}

其他回答

最好从myEnumValue.name()中将其作为字符串传递,并从yourenum . valueof (s)中恢复,否则必须保留枚举的顺序!

更详细的解释:从枚举序数转换为枚举类型

为了完整起见,这是一个完整的示例,说明如何从bundle中放入和返回enum。

给定以下enum:

enum EnumType{
    ENUM_VALUE_1,
    ENUM_VALUE_2
}

你可以把枚举放到一个bundle中:

bundle.putSerializable("enum_key", EnumType.ENUM_VALUE_1);

并返回enum:

EnumType enumType = (EnumType)bundle.getSerializable("enum_key");

我知道这是一个老问题,但我也遇到了同样的问题,我想分享一下我是如何解决它的。关键是Miguel所说的:枚举是可序列化的。

给定以下enum:

enum YourEnumType {
    ENUM_KEY_1, 
    ENUM_KEY_2
}

Put:

Bundle args = new Bundle();
args.putSerializable("arg", YourEnumType.ENUM_KEY_1);

这对我来说很容易:

enum class MyEnum {
    FOO,
    BAR
}


val bundle = Bundle()
bundle.putAll(bundleOf("myKey", MyEnum.FOO))

// to read
val myEnum = bundle.get("myKey") as MyEnumClass

注意,如果你从onCreate得到这个,你会想使用as?防止任何空异常。

有一点需要注意,如果你使用bundle。将一个Bundle添加到通知中,你可能会遇到以下问题:

*** Uncaught remote exception!  (Exceptions are not yet supported across processes.)
    java.lang.RuntimeException: Parcelable encountered ClassNotFoundException reading a Serializable object.

...

要解决这个问题,你可以做以下事情:

public enum MyEnum {
    TYPE_0(0),
    TYPE_1(1),
    TYPE_2(2);

    private final int code;

    private MyEnum(int code) {
        this.code = navigationOptionLabelResId;
    }

    public int getCode() {
        return code;
    }

    public static MyEnum fromCode(int code) {
        switch(code) {
            case 0:
                return TYPE_0;
            case 1:
                return TYPE_1;
            case 2:
                return TYPE_2;
            default:
                throw new RuntimeException(
                    "Illegal TYPE_0: " + code);
        }
    }
}

然后可以这样使用:

// Put
Bundle bundle = new Bundle();
bundle.putInt("key", MyEnum.TYPE_0.getCode());

// Get 
MyEnum myEnum = MyEnum.fromCode(bundle.getInt("key"));