用Annotation来代替Properties

(现在感觉只是一知半解,以后如果清楚了,就再补充。)

Annotation基本操作

在Class类中提供有一个取得全部Annotation的操作方法:
public Annotation[ ] getAnnotations()

范例:取得Annotation

@SuppressWarnings("serial")
@Deprecated
class Student implements Serializable{  
}
public class TestAnnotation {
    public static void main(String[] args) {
        Class cls = Student.class;
        Annotation an [] = cls.getAnnotations();
        for (int i = 0; i < an.length; i++) {
            System.out.println(an[i]);
        }
    }
}

最终发现只取得了一个Annotation.这是因为它的作用范围是有定义的。只有@Deprecated 是在程序运行时起作用的。

Annotation作用范围的种类,可以查询一个枚举类:Java.lang.annotation.RetentionPolicy,这个类中定义了三种Annotation的范围:
1.CLASS:保存在类中的
2.RUNTIME:运行时起作用
3.SOURCE:在源代码中起作用

我们学习定义一个Annotation,并获取它的值。

@Retention(value = RetentionPolicy.RUNTIME)  //将这个Annotation定义为在运行时起作用
@interface MyFactory{
    public String name() default "mldn";   //有两个值,name的值默认为mldn
    public String val();
}

@MyFactory(val = "hello")  //给value赋值,这值是针对Student类的。
class Student implements Serializable{
    
}

public class TestAnnotation {
    public static void main(String[] args) {
        Class cls = Student.class;
        MyFactory an = cls.getAnnotation(MyFactory.class);
        System.out.println(an.name());
        System.out.println(an.val());
        }
    }

输出结果:

mldn
hello
代替Properties

因为大部分时候,我们是不愿意去修改配置文件的。通过这种方法,我们能够把配置写回程序中,又能有效地与程序分离。这里参考的是servlet的开发经验。

@Retention(value = RetentionPolicy.RUNTIME)
@interface MyFactoryClass{
    public String className();//需要设置包的名称
}

interface Message {
    public void print(String str);
}

class Email implements Message {
    @Override
    public void print(String str) { 
         System.out.println("eMail 内容" + str);
    }
}

class News implements Message {
    @Override
    public void print(String str) {
        System.out.println("news 内容" + str);
    }
}

class factory {
    public static Message getInstance(String str) {
        try {
            return (Message) Class.forName(str).newInstance();
        } catch (Exception e) {
            e.printStackTrace();
        }
        return null;
    }
}

@MyFactoryClass (className ="cn.mldn.demo.Email")
public class TestDemo {
    public static void main(String[] args) throws Exception{
        Class cls = TestDemo.class;
        MyFactoryClass an = cls.getAnnotation(MyFactoryClass.class);
        String name = an.className();
        Message mes = (Message)factory.getInstance(name) ;
        mes.print("今天是五月四号");   }
}

你可能感兴趣的:(用Annotation来代替Properties)