注解的使用非常简单,只需在需要注解的地方标明某个注解即可,例如在方法上注解:
1
2
3
4
5
6
|
public class Test {
@Override
public String tostring() {
return "override it" ;
}
}
|
例如在类上注解:
1
2
3
|
@Deprecated
public class Test {
}
|
所以Java内置的注解直接使用即可,但很多时候我们需要自己定义一些注解,例如常见的spring就用了大量的注解来管理对象之间的依赖关系。下面看看如何定义一个自己的注解,下面实现这样一个注解:通过@Test向某类注入一个字符串,通过@TestMethod向某个方法注入一个字符串。
1.创建Test注解,声明作用于类并保留到运行时,默认值为default。
1
2
3
4
5
|
@Target ({ElementType.TYPE})
@Retention (RetentionPolicy.RUNTIME)
public @interface Test {
String value() default "default" ;
}
|
2.创建TestMethod注解,声明作用于方法并保留到运行时。
1
2
3
4
5
|
@Target ({ElementType.METHOD})
@Retention (RetentionPolicy.RUNTIME)
public @interface TestMethod {
String value();
}
|
3.测试类,运行后输出default和tomcat-method两个字符串,因为@Test没有传入值,所以输出了默认值,而@TestMethod则输出了注入的字符串。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
@Test ()
public class AnnotationTest {
@TestMethod ( "tomcat-method" )
public void test(){
}
public static void main(String[] args){
Test t = AnnotationTest. class .getAnnotation(Test. class );
System.out.println(t.value());
TestMethod tm = null ;
try {
tm = AnnotationTest. class .getDeclaredMethod( "test" , null ).getAnnotation(TestMethod. class );
} catch (Exception e) {
e.printStackTrace();
}
System.out.println(tm.value());
}
|
感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!
原文链接:http://blog.csdn.net/wangyangzhizhou/article/details/51576460