How to use enum with switch statement?

261 Views Asked by At

In my application I have an enum like that:

public enum EAnimals {

    dogs(1, "white", "big"),
    cats(2, "black", "small");

    private Integer animalId;
    private String color;
    private String size;

    EAnimals(Integer animalId, String color, String size) {
        this.animalId = animalId;
        this.color = color;
        this.size = size;
    }

    public Integer getAnimalId() {
        return animalId;
    }
    public String getColor() {
        return color;
    }
    public String getSize() {
        return size;
    }

What I`m trying to achieve here is to get animal ID (1,2,..) from Managed Bean using switch case:

public AnimalsId getDynamicAnimalId() {
    switch (animalId) {
    case EAnimals.dogs.getAnimalId():
        size ="small";
        return size;

    case EAnimals.cats.getAnimalId():
        size = "big";
        return size;
    default:
        return "Error";
    }
}

In switch statement "case EAnimals.dogs.getAnimalId():" doesn't work for me and I can`t figure out how to do it.

EDIT: Corrected few mistakes which I made , when I was rewriting my code from IDE to stackoverflow. I don`t have this errors in my actual code.

1

There are 1 best solutions below

3
On BEST ANSWER

First, I see a few errors in your enum. You need a comma (not a semicolon). Your have two fields that are String(s) but you've declared them to return Integer.

public enum EAnimals {
    dogs(1, "white", "big"), // <-- ,
    cats(2, "black", "small");
    private Integer animalId;
    private String color;
    private String size;

    EAnimals(Integer animalId, String color, String size) {
        this.animalId = animalId;
        this.color = color;
        this.size = size;
    }

    public Integer getAnimalId() {
        return animalId;
    }

    public String getColor() { // <-- String
        return color;
    }

    public String getSize() { // <-- using an enum in a switch.
        switch (this) {
        case dogs:
            return "small";
        case cats:
            return "big";
        default:
            return "Error";
        }
    }
}