Android - 可以将@IntDef值放入@interface中吗?
我正在尝试在Android开发中实现注释。@IntDef
第一种方法:在类中分离定义时看起来很棒:Constant.java
public class Constant {
@IntDef(value={SORT_PRICE, SORT_TIME, SORT_DURATION})
@Retention(RetentionPolicy.SOURCE)
public @interface SortType{}
public static final int SORT_PRICE = 0;
public static final int SORT_TIME = 1;
public static final int SORT_DURATION = 2;
}
用法:
@Constant.SortType int sortType = Constant.SORT_PRICE;
但是,当一个文件中有多个定义(例如UserType,StoreType等)时,事情会变得更加混乱。
第二种方法:所以我想出了这样的东西来区分定义之间的值:
public class Constant {
@IntDef(value={SortType.SORT_PRICE, SortType.SORT_TIME, SortType.SORT_DURATION})
@Retention(RetentionPolicy.SOURCE)
public @interface SortTypeDef{}
public static class SortType{
public static final int PRICE = 0;
public static final int TIME = 1;
public static final int DURATION = 2;
}
}
用法:
@Constant.SortTypeDef int sortType = Constant.SortType.PRICE;
但正如你所看到的,我为它创建了两个不同的名称:和SortTypeDef
SortType
第三种方法:我试图将可能值的列表移动到内部:@interface
public class Constant {
@IntDef(value={SortType.SORT_PRICE, SortType.SORT_TIME, SortType.SORT_DURATION})
@Retention(RetentionPolicy.SOURCE)
public @interface SortType{
int PRICE = 0;
int TIME = 1;
int DURATION = 2;
}
}
用法
@Constant.SortType int sortType = Constant.SortType.PRICE;
虽然它确实有效,但我不知道缺点是什么。可以把 的可能值放进去吗?上述三种方法之间是否存在任何性能差异?@IntDef
@interface