0

我有以下枚举:

public enum Months {
    JAN(31),
    FEB(28),
    MAR(31),
    APR(30),
    MAY(31),
    JUN(30),
    JUL(31),
    AUG(31),
    SEP(30),
    OCT(31),
    NOV(30),
    DEC(31);

    private final byte DAYS; //days in the month

    private Months(byte numberOfDays){
        this.DAYS = numberOfDays;
    }//end constructor

    public byte getDays(){
        return this.Days;
    }//end method getDays
}//end enum Months

尽管我传递了一个有效的字节参数,但它给了我一个错误,上面写着“构造函数 Months(int) 未定义” 。我究竟做错了什么?

4

3 回答 3

9

最简单的解决方案是接受一个int

private Months(int numberOfDays){
    this.DAYS = (byte) numberOfDays;
}

顺便说一句,非静态字段应该camelCase不在UPPER_CASE

FEB 在某些年份也有 29 天。

public static boolean isLeapYear(int year) {
    // assume Gregorian calendar for all time
    return year % 4 == 0 && (year % 100 != 0 || year % 400 == 0);
}

public int getDays(int year) {
    return days + (this == FEB && isLeapYear(year) ? 1 : 0);
} 
于 2013-08-16T08:04:50.340 回答
7

这些数字是int文字。您必须将它们转换为byte

 JAN((byte)31),
于 2013-08-16T08:03:33.497 回答
1

Java 语言规范对词法整数文字说明了以下内容:

文字的类型确定如下:

  • 以 L 或 l 结尾的整数文字(§3.10.1)的类型是 long(§4.2.1)。
  • 任何其他整数文字的类型都是 int(第 4.2.1 节)。

因此,它要求您将此整数文字显式转换为字节。

于 2013-08-16T09:23:06.767 回答