定义
注释使用@interface关键字定义,并且与接口相似。 它具有定义类似于接口方法的属性。 属性可以具有默认值。 让我们定义一个名为“ Page”的注释,它定义应用程序的UI页面:
public @interface Page {int id();String url();String icon() default "[none]";String name(); default "[none]";
}
用法
批注广泛用于通知编译器或编译时/运行时/部署时处理。
注释的使用更为简单:
@Page(id=1, url=”studentView”, icon=“icons/student.png”, name=”Students”)
public class StudentWindow extends Window { … }
还可以为方法和属性定义注释:
@AnAnnotation
public String getElementName() {…}@AnAnnotation(type=”manager”, score=3)
public int income;
例子
1)反射/代码生成:
具有特定注释的方法可以在运行时进行处理:
public @interface MyAnnotation { ... }
public class TestClass {@MyAnnotationpublic static method1() { ... }@MyAnnotationpublic static method2() { ... }@MyAnnotationpublic static method3() { ... }
}public static void main(String[] args) {for (Method method : Class.forName("TestClass").getMethods()) {if (method.isAnnotationPresent(MyAnnotation.class)) {// do what you want}}
}
2) Spring bean配置(本节需要Spring bean配置知识):
让我们再次使用“页面”注释:
package com.cmp.annotation;
public @interface Page {int id();String url();String icon() default "[none]";String name(); default "[none]";
}
假设我们在包中有一些带有@Page注释的类:
@Page(id=1, url=”studentView”, icon=“icons/student.png”, name=”Students”)
public class StudentWindow extends Window { … }
如果我们在Spring application-context.xml文件中按如下所示定义bean配置,则Spring将创建类实例“在给定包中放置了@Page注释”。
<context:component-scan base-package="com.cmp.ui" annotation-config="true">
<context:include-filter type="annotation" expression="com.cmp.annotation.Page"/>
</context:component-scan>
因此,我们被强制Spring在运行时仅实例化某些类。
有关注释的更多详细信息,请参阅:
http://docs.oracle.com/javase/1.5.0/docs/guide/language/annotations.html
http://docs.oracle.com/javase/tutorial/java/javaOO/annotations.html
参考:来自 Java注释和我们的JCG合作伙伴 Cagdas Basaraner的真实世界Spring示例 ,位于CodeBalance博客上。
相关文章 :
- 克隆可序列化和不可序列化的Java对象
- Java递归基础
- 有益的CountDownLatch和棘手的Java死锁
- Java Secret:加载和卸载静态字段
- 使用java.util.prefs.Preferences代替java.util.Properties
翻译自: https://www.javacodegeeks.com/2012/01/java-annotations-real-world-spring.html