《Android 高性能编程》—— @IntDef 注解,减缓枚举的使用
程序员文章站
2022-03-23 23:17:27
...
在Android开发中官网不推荐使用枚举enums。
为什么呢?
占用内存多(Enums often require more than twice as much memory as static constants.)。 Android中当你的App启动后系统会给App单独分配一块内存,App的DEX code、Heap以及运行时的内存分配都会在这块内存中。
例如:
public class CustomColor {
public enum ColorType { RED, GREEN, BLUE }
}
enum类型继承java.lang.Enum,上边的代码会产生一个900字节的.class文件(CustomColor$ColorType.class)。在它被首次调用时,这个类会调用初始化方法来准备每个枚举变量。每个枚举项都会被声明成一个静态变量,并被赋值。然后将这些静态变量放在一个名为"$VALUES"的静态数组变量中,则会引起对静态变量的引用。
除了使用接口或者静态常亮的替代方案之外,可以使用@IntDef @Retention注解。
使用示例:
1、在moduel下的build.gradle中添加依赖
dependencies {
compile 'com.android.support:support-annotations:25.1.0'
}
2、在Activity中使用
public class MainActivity extends Activity {
@IntDef(value = {
QueryType.custom_month,
QueryType.custom_year,
QueryType.this_year,
QueryType.recent_year,
QueryType.all,
QueryType.this_month
})
@Retention(RetentionPolicy.SOURCE)
public @interface QueryType {
int custom_month = 1;
int custom_year = 2;
int this_year = 3;
int recent_year = 4;
int all = 5;
int this_month = 6;
}
//先定义 常量
public static final int RED = 0;
public static final int GREEN = 1;
public static final int BLUE = 2;
//用 @IntDef "包住" 常量,这里使用@IntDef来代替Enum枚举,也可以使用@StringDef。它会像Enum枚举一样在编译时期检查变量的赋值情况!
@IntDef({RED, GREEN, BLUE})
// @Retention 定义策略,是默认注解
@Retention(RetentionPolicy.SOURCE)
//接口定义
public @interface ColorTypes {}
@ColorTypes int mColor = RED ;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
setColorType(GREEN);
//声明变量,使用时需要设置一个标记
@ColorTypes int colorType = getColorType();
switch (colorType){
case RED:
break;
case GREEN:
break;
case BLUE:
break;
default:
break;
}
}
public void setColorType(@ColorTypes int color) {
this.mColor = color;
}
@ColorTypes
public int getColorType() {
return mColor;
}
}