The most complete Java spring annotations in history

The most complete java spring annotations in history

The most complete java spring annotations in history, none of them

Annotation is a good thing, but we have seen good things, sorted them out, understood them, and used them to know them well. We don't need to remember each one of us, but we need to keep our impressions, and we can extract relevant information when needed, so that we won't be so passive in our daily work.

1. @Configuration annotation

This class is equivalent to configuring beans in XML, which is equivalent to an Ioc container. If @Bean is registered on one of its method headers, it will be used as a bean in this Spring container, which has the same meaning as the bean configured in xml.

Classes annotated with @Configuration must use scanning. As follows:

@Configuration
 public class MainConfig {
 ​
 //在properties文件里配置
     @Value("${wx_appid}")
 public String appid;
  protected MainConfig(){}
 ​
 @Bean
 public WxMpService wxMpService() {
     WxMpService wxMpService = new WxMpServiceImpl();
     wxMpService.setWxMpConfigStorage(wxMpConfigStorage());
     return wxMpService;
     }
 }

Define a MainConfig, annotated with @Configuration, then MainConfig is equivalent to beans in xml, which are equivalent to beans defined in xml with @Bean annotations, scan this class, and finally we can use @AutoWired or @Resource in the program The annotation obtains the bean annotated with @Bean, which is the same as configuring the bean with xml and then automatically injecting it in the program. The purpose is to reduce the configuration in xml.

2. @Vauue annotation

In order to simplify the configuration from properties, you can use @Value, which can be configured in the properties file.

Introduce the properties file in dispatcher-servlet.xml.

<context:property-placeholder location="classpath:test.properties" />

Use @Value in the program:

@Value("${wx_appid}")

public String appid;

Even if the initial value is assigned to the variable, the value in the configuration file will prevail.

3.@Controller,@Service,@Repository,@Component

At present, the four annotations have the same meaning, and there is no difference. The difference is only the name. Instructions:

1. Use the scan annotated class

2. Write annotations on the class:

@Controller
 ​
 public class TestController {
 ​
 ​
 ​
 }

4. @PostConstruct 和 @PreDestory

To implement the operations performed before initializing and destroying the bean , only one method can be annotated with this annotation. The method cannot have parameters, the return value must be void, and the method must be non-static.

For example:

public class TestService {
 @PostConstruct  
 public void  init(){  
     System.out.println("初始化");  
 }
 ​
 @PreDestroy  
 public void  dostory(){  
     System.out.println("销毁");  
 }  
 }

@PostConstruct:在构造方法和init方法(如果有的话)之间得到调用,且只会执行一次。

@PreDestory:注解的方法在destory()方法调用后得到执行。

流程图:

引深一点,Spring 容器中的 Bean 是有生命周期的,Spring 允许在 Bean 在初始化完成后以及 Bean 销毁前执行特定的操作,常用的设定方式有以下三种:

1.通过实现 InitializingBean/DisposableBean 接口来定制初始化之后/销毁之前的操作方法;

2.通过 元素的 init-method/destroy-method属性指定初始化之后 /销毁之前调用的操作方法;

3.在指定方法上加上@PostConstruct 或@PreDestroy注解来制定该方法是在初始化之后还是销毁之前调用

但他们之前并不等价。即使3个方法都用上了,也有先后顺序.

*Constructor > @PostConstruct >InitializingBean > init-method*

5. @Primary

自动装配时当出现多个Bean候选者时,被注解为@Primary的Bean将作为首选者,否则将抛出异常。

例如:

@Component  
 public class Apple implements Fruit{  
 @Override  
 public String hello() {  
     return "我是苹果";  
     }  
 }
 @Component  
 @Primary
 public class Pear implements Fruit{  
 @Override  
 public String hello(String lyrics) {  
     return "梨子";  
     }  
 }
 public class FruitService {
 
   //Fruit有2个实例子类,因为梨子用@Primary,那么会使用Pear注入
     @Autowired  
     private Fruit fruit;  
 public String hello(){  
     return fruit.hello();  
     }  
 }

6. @Lazy(true)

用于指定该Bean是否取消预初始化,用于注解类,延迟初始化。

7. @Autowired

Autowired默认先按byType,如果发现找到多个bean,则,又按照byName方式比对,如果还有多个,则报出异常。

1.可以手动指定按byName方式注入,使用@Qualifier。

//通过此注解完成从spring配置文件中 查找满足Fruit的bean,然后按//@Qualifier指定pean

@Autowired

@Qualifier("pean")

public Fruit fruit;

2.如果要允许null 值,可以设置它的required属性为false,如:

@Autowired(required=false)

public Fruit fruit;

8. @Resource

默认按 byName自动注入,如果找不到再按byType找bean,如果还是找不到则抛异常,无论按byName还是byType如果找到多个,则抛异常。

可以手动指定bean,它有2个属性分别是name和type,使用name属性,则使用byName的自动注入,而使用type属性时则使用byType自动注入。

@Resource(name=”bean名字”)

@Resource(type=”bean的class”)

这个注解是属于J2EE的,减少了与spring的耦合。

9. @Async

java里使用线程用3种方法:

  1. 继承Thread,重写run方法

  2. 实现Runnable,重写run方法

  3. 使用Callable和Future接口创建线程,并能得到返回值。

前2种简单,第3种方式特别提示一下,例子如下:

class MyCallable implements Callable<Integer> {
     private int i = 0;
     // 与run()方法不同的是,call()方法具有返回值
     @Override
     public Integer call() {
         int sum = 0;
         for (; i < 100; i++) {
             System.out.println(Thread.currentThread().getName() + " " + i);
             sum += i;
         }
         return sum;
     }
 }

main方法:

public static void main(String[] args) {
         Callable<Integer> myCallable = new MyCallable();    // 创建MyCallable对象
         FutureTask<Integer> ft = new FutureTask<Integer>(myCallable); //使用FutureTask来包装MyCallable对象
         for (int i = 0; i < 100; i++) {
             System.out.println(Thread.currentThread().getName() + " " + i);
             if (i == 30) {
                 Thread thread = new Thread(ft);   //FutureTask对象作为Thread对象的target创建新的线程
                 thread.start();                      //线程进入到就绪状态
             }
         }
         System.out.println("主线程for循环执行完毕..");
         try {
             int sum = ft.get();            //取得新创建的新线程中的call()方法返回的结果
             System.out.println("sum = " + sum);
         } catch (InterruptedException e) {
             e.printStackTrace();
         } catch (ExecutionException e) {
             e.printStackTrace();
         }
 }

而使用@Async可视为第4种方法。基于@Async标注的方法,称之为异步方法,这个注解用于标注某个方法或某个类里面的所有方法都是需要异步处理的。被注解的方法被调用的时候,会在新线程中执行,而调用它的方法会在原来的线程中执行。

application.xml形势的配置:

第一步配置XML。

<!--扫描注解,其中包括@Async -->
 <context:component-scan base-package="com.test"/>
 <!-- 支持异步方法执行, 指定一个缺省的executor给@Async使用-->
 <task:annotation-driven executor="defaultAsyncExecutor"  /> 
 <!—配置一个线程执行器-->
 <task:executor id=" defaultAsyncExecutor "pool-size="100-10000" queue-capacity="10" keep-alive =”5”/>

参数解读:

配置参数:

id:当配置多个executor时,被@Async("id")指定使用;也被作为线程名的前缀。

pool-size:

core size:最小的线程数,缺省:1

max size:最大的线程数,缺省:Integer.MAX_VALUE

queue-capacity:当最小的线程数已经被占用满后,新的任务会被放进queue里面,当这个queue的capacity也被占满之后,pool里面会创建新线程处理这个任务,直到总线程数达到了max size,这时系统会拒绝这个任务并抛出TaskRejectedException异常(缺省配置的情况下,可以通过rejection-policy来决定如何处理这种情况)。缺省值为:Integer.MAX_VALUE

keep-alive:超过core size的那些线程,任务完成后,再经过这个时长(秒)会被结束掉

rejection-policy:当pool已经达到max size的时候,如何处理新任务

ABORT(缺省):抛出TaskRejectedException异常,然后不执行DISCARD:不执行,也不抛出异常

DISCARD_OLDEST:丢弃queue中最旧的那个任务

CALLER_RUNS:不在新线程中执行任务,而是有调用者所在的线程来执行

第二步在类或方法上添加@Async,当调用该方法时,则该方法即是用异常执行的方法单独开个新线程执行。

@Async(“可以指定执行器id,也可以不指定”)
     public static void testAsyncVoid (){
         try {
             //让程序暂停100秒,相当于执行一个很耗时的任务
     System.out.println(“异常执行打印字符串”);
             Thread.sleep(100000);
         } catch (InterruptedException e) {
             e.printStackTrace();
         }
     }

当在外部调用testAsync方法时即在新线程中执行,由上面执行器去维护线程。

总结:先用context:component-scan去扫描注解,让spring能识别到@Async注解,然后task:annotation-driven去驱动@Async注解,并可以指定默认的线程执行器executor。那么当用@Async注解的方法或类得到调用时,线程执行器会创建新的线程去执行。

上面方法是无返回值的情况,还有异常方法有返回值的例子。

@Async
 public Future<String> testAsyncReturn () {  
     System.out.println("Execute method asynchronously - "  
       + Thread.currentThread().getName());  
     try {  
         Thread.sleep(5000);  
         return new AsyncResult<String>("hello world !!!!");  
     } catch (InterruptedException e) {  
         //  
     }  
     return null;  
 }

返回的数据类型为Future类型,接口实现类是AsyncResult.

调用方法如下:

public void test(){
     Future<String> future = cc.testAsyncReturn();  
     while (true) {  ///这里使用了循环判断,等待获取结果信息  
         if (future.isDone()) {  //判断是否执行完毕  
             System.out.println("Result from asynchronous process - " + future.get());  
             break;  
         }  
         System.out.println("Continue doing something else. ");  
         Thread.sleep(1000);  
     }  
 }

通过不停的检查Future的状态来获取当前的异步方法是否执行完毕

参考文章

编程的方式使用@Async:

@Configuration  
 @EnableAsync  
 public class SpringConfig {
 ​
     private int corePoolSize = 10;  
     private int maxPoolSize = 200; 
     private int queueCapacity = 10;  
     private String ThreadNamePrefix = "MyLogExecutor-";  
 @Bean  
 public Executor logExecutor() {  
     ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();  
     executor.setCorePoolSize(corePoolSize);  
     executor.setMaxPoolSize(maxPoolSize);  
     executor.setQueueCapacity(queueCapacity);  
     executor.setThreadNamePrefix(ThreadNamePrefix);  
     // rejection-policy:当pool已经达到max size的时候,如何处理新任务  
     // CALLER_RUNS:不在新线程中执行任务,而是有调用者所在的线程来执行  
     executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());  
     executor.initialize();  
     return executor;  
     }
 }

10.@Named

@Named和Spring的@Component功能相同。@Named可以有值,如果没有值生成的Bean名称默认和类名相同。比如

@Named

public class Person

@Named("cc")

public class Person

11. @Inject

使用@Inject需要引用javax.inject.jar,它与Spring没有关系,是jsr330规范。

与@Autowired有互换性。

12. @Singleton

只要在类上加上这个注解,就可以实现一个单例类,不需要自己手动编写单例实现类。

13.@Valid,@Valided

@Valid

网上一大片使用@Valid失效不能用的情况。为什么呢?

1.@Valid必需使用在以@RequestBody接收参数的情况下。

2.使用ajax以POST方式提示数据,禁止用Fiddler以及浏览器直接访问的方式测试接口

3.用添加注解驱动。

4.@Valid是应用在javabean上的校验。

5.

<dependency>
             <groupId>org.hibernate</groupId>
             <artifactId>hibernate-validator</artifactId>
             <version>4.2.0.Final</version>
         </dependency> 
         <dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-annotations</artifactId>
             <version>2.5.3</version>
         </dependency>
         <dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-core</artifactId>
             <version>2.5.3</version>
         </dependency>
         <dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-databind</artifactId>
             <version>2.5.3</version>
         </dependency>
         <dependency>
             <groupId>org.codehaus.jackson</groupId>
             <artifactId>jackson-mapper-asl</artifactId>
             <version>1.9.8</version>
         </dependency>
         <dependency>
             <groupId>com.fasterxml.jackson.module</groupId>
             <artifactId>jackson-module-jaxb-annotations</artifactId>
             <version>2.5.3</version>

这些jar包是需要的。@Valid是使用hibernate validation的时候使用,可参数下面介绍的@RequestBody

6.@Valid下后面紧跟BindingResult result,验证结果保存在result

例如:

@RequestMapping("/test")
     public String testValid(@Valid User user, BindingResult result){
         if (result.hasErrors()){
             List<ObjectError> errorList = result.getAllErrors();
             for(ObjectError error : errorList){
                 System.out.println(error.getDefaultMessage());
             }
         }  
         return "test";
 }

在入参User上添加了@Valid做校验,在User类里属性上实行实际的特定校验。

例如在User的name属性上加

@NotBlank

private String name;

全部参数校验如下:

空检查

@Null 验证对象是否为null

@NotNull 验证对象是否不为null, 无法查检长度为0的字符串

@NotBlank 检查约束字符串是不是Null还有被Trim的长度是否大于0,只对字符串,且会去掉前后空格.

@NotEmpty 检查约束元素是否为NULL或者是EMPTY.

Booelan检查

@AssertTrue 验证 Boolean 对象是否为 true

@AssertFalse 验证 Boolean 对象是否为 false

长度检查

@Size(min=, max=) 验证对象(Array,Collection,Map,String)长度是否在给定的范围之内

@Length(min=, max=)验证注解的元素值长度在min和max区间内

日期检查

@Past 验证 Date 和 Calendar 对象是否在当前时间之前

@Future 验证 Date 和 Calendar 对象是否在当前时间之后

@Pattern 验证 String 对象是否符合正则表达式的规则

数值检查,建议使用在Stirng,Integer类型,不建议使用在int类型上,因为表单值为“”时无法转换为int,但可以转换为Stirng为"",Integer为null

@Min(value=””) 验证 Number 和 String 对象是否大等于指定的值

@Max(value=””) 验证 Number 和 String 对象是否小等于指定的值

@DecimalMax(value=值) 被标注的值必须不大于约束中指定的最大值. 这个约束的参数是一个通过BigDecimal定义的最大值的字符串表示.小数存在精度

@DecimalMin(value=值) 被标注的值必须不小于约束中指定的最小值. 这个约束的参数是一个通过BigDecimal定义的最小值的字符串表示.小数存在精度

@Digits 验证 Number 和 String 的构成是否合法

@Digits(integer=,fraction=)验证字符串是否是符合指定格式的数字,interger指定整数精度,fraction指定小数精度。

@Range(min=, max=) 检查数字是否介于min和max之间.

@Range(min=10000,max=50000,message="range.bean.wage")

private BigDecimal wage;

@Valid 递归的对关联对象进行校验, 如果关联对象是个集合或者数组,那么对其中的元素进行递归校验,如果是一个map,则对其中的值部分进行校验.(是否进行递归验证)

@CreditCardNumber信用卡验证

@Email 验证是否是邮件地址,如果为null,不进行验证,算通过验证。

@ScriptAssert(lang=,script=, alias=)

@URL(protocol=,host=,port=,regexp=, flags=)

@Validated

@Valid是对javabean的校验,如果想对使用@RequestParam方式接收参数方式校验使用@Validated

使用@Validated的步骤:

第一步:定义全局异常,让该全局异常处理器能处理所以验证失败的情况,并返回给前台失败提示数据。如下,该类不用在任何xml里配置。

import javax.validation.ValidationException;
 ​
 import org.springframework.context.annotation.Bean;
 import org.springframework.http.HttpStatus;
 import org.springframework.stereotype.Component;
 import org.springframework.validation.beanvalidation.MethodValidationPostProcessor;
 import org.springframework.web.bind.annotation.ControllerAdvice;
 import org.springframework.web.bind.annotation.ExceptionHandler;
 import org.springframework.web.bind.annotation.ResponseBody;
 import org.springframework.web.bind.annotation.ResponseStatus;
 ​
 @ControllerAdvice
 @Component
 public class GlobalExceptionHandler {
     @Bean
     public MethodValidationPostProcessor methodValidationPostProcessor() {
         return new MethodValidationPostProcessor();
     }
 @ExceptionHandler
 @ResponseBody
 @ResponseStatus(HttpStatus.BAD_REQUEST)
 public String handle(ValidationException exception) {
     System.out.println("bad request, " + exception.getMessage());
     return "bad request, " + exception.getMessage();
     }
 }

第二步。在XXController.java头上添加@Validated,然后在@RequestParam后台使用上面介绍的验证注解,比如@NotBlank,@Rank.

如下:

@Controller
 @RequestMapping("/test")
 @Validated
 public class TestController extends BaseController {
 
 
 @RequestMapping(value = "testValidated", method = RequestMethod.GET)
 @ResponseBody
 @ResponseStatus(HttpStatus.BAD_REQUEST)
 public Object testValidated(@RequestParam(value = "pk", required = true) @Size(min = 1, max = 3) String pk,
         @RequestParam(value = "age", required = false) @Range(min = 1, max = 3) String age) {
     try {
         return "pk:" + pk + ",age=" + age;
     } catch (Throwable t) {
 
         return buildFailure("消息列表查询失败");
         }
     }
 
 }

当入非法参数是,会被全局处理器拦截到,(Spring切面编程方式),如果参数非法即刻给前台返回错误数据。

测试:http://127.0.0.1:8080/TestValidate/test/testValidated?pk=2&age=12

返回:

注意

@Valid是使用hibernateValidation.jar做校验

@Validated是只用springValidator校验机制使用

gitHub下载地址

@Validated与@RequestBody结合使用时,在接口方法里要增加@Valid。例如:

public Object edit(@Valid @RequestBody AddrRo addrRo) {.....}

14.@RequestBody

@RequestBody(required=true)

:有个默认属性required,默认是true,当body里没内容时抛异常。

application/x-www-form-urlencoded:窗体数据被编码为名称/值对。这是标准的编码格式。这是默认的方式 multipart/form-data:窗体数据被编码为一条消息,页上的每个控件对应消息中的一个部分。二进制数据传输方式,主要用于上传文件

注意:必需使用POST方式提交参数,需要使用ajax方式请求,用Fiddler去模拟post请求不能。

引用jar包:

Spring相关jar包。

以及

<dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-annotations</artifactId>
             <version>2.5.3</version>
         </dependency>
         <dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-core</artifactId>
             <version>2.5.3</version>
         </dependency>
         <dependency>
             <groupId>com.fasterxml.jackson.core</groupId>
             <artifactId>jackson-databind</artifactId>
             <version>2.5.3</version>
         </dependency>

dispatchServlet-mvc.xml配置 第一种,直接配置MappingJackson2HttpMessageCoverter:

<bean class="org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerMapping"></bean>
     <bean class="org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerAdapter">
         <property name="messageConverters">
             <bean class="org.springframework.http.converter.json.MappingJackson2HttpMessageConverter"></bean>
         </property>
     </bean>

第二种: 就不用配置上面bean,默认会配好。

Ajax请求:

function  testRequestBody() {
     var o = {"status":9};
      jQuery.ajax({
             type: "POST",
             url: "http://127.0.0.1:8080/TestValidate/test/testValid",
             xhrFields:{
                 withCredentials:true
             },
             data: JSON.stringify(o),
             contentType: "application/json",
             dataType: "json",
             async: false,
             success:function (data) {
                 console.log(data);
             },
         error: function(res) {
              console.log(res);
         }
     });

}

后台XXXcontroller.java:

@RequestMapping(value="/ testValid ",method=RequestMethod.POST)
 @ResponseBody
 public Object setOrderInfo(@RequestBody InfoVO infoVO,HttpServletRequest request, HttpServletResponse response){
         InfoVO cVo = getInfoVo(infoVO);
         return "success";
     }

开发时,不是报415,就是400错误,头都大了。还是细节没做到位,注意下面几个要点:

Content-Type必需是application/json

需要jackson-databind.jar

要配置或直接配置bean

XXXController.jar在post方式接收数据

最最重要的,使用ajax以post方式请求。不能用Fiddler模拟,不然会出错。

15.@CrossOrigin

是Cross-Origin ResourceSharing(跨域资源共享)的简写

作用是解决跨域访问的问题,在Spring4.2以上的版本可直接使用。在类上或方法上添加该注解

例如:

@CrossOrigin
 public class TestController extends BaseController {
 XXXX
 }

如果失效则可能方法没解决是GET还是POST方式,指定即可解决问题。

16.@RequestParam

作用是提取和解析请求中的参数。@RequestParam支持类型转换,类型转换目前支持所有的基本Java类型

@RequestParam([value="number"], [required=false]) String number

将请求中参数为number映射到方法的number上。required=false表示该参数不是必需的,请求上可带可不带。

17.@PathVariable,@RequestHeader,@CookieValue,@RequestParam, @RequestBody,@SessionAttributes, @ModelAttribute

@PathVariable:处理requet uri部分,当使用@RequestMapping URI template 样式映射时, 即someUrl/{paramId}, 这时的paramId可通过 @Pathvariable注解绑定它传过来的值到方法的参数上

例如:

@Controller 
 @RequestMapping("/owners/{a}") 
 public class RelativePathUriTemplateController { 
   @RequestMapping("/pets/{b}") 
   public void findPet(@PathVariable("a") String a,@PathVariable String b, Model model) {     
     // implementation omitted 
   } 
 }
 ​
 @RequestHeader,@CookieValue: 处理request header部分的注解
 ​
 将头部信息绑定到方法参数上:
 ​
 @RequestMapping("/test") 
 public void displayHeaderInfo(@RequestHeader("Accept-Encoding") String encoding, 
                               @RequestHeader("Keep-Alive")long keepAlive)  { 
 ​
   //... 
 ​
 }
 ​
 //将cookie里JSESSIONID绑定到方法参数上
 ​
 @RequestMapping("/test")  
 public void displayHeaderInfo(@CookieValue("JSESSIONID") String cookie)  {  
 ​
   //...  
 ​
 }

18.@Scope

配置bean的作用域。

@Controller
 
 @RequestMapping("/test")
 
 @Scope("prototype")
 
 public class TestController {

 }

默认是单例模式,即@Scope("singleton"),

singleton:单例,即容器里只有一个实例对象。

prototype:多对象,每一次请求都会产生一个新的bean实例,Spring不无法对一个prototype bean的整个生命周期负责,容器在初始化、配置、装饰或者是装配完一个prototype实例后,将它交给客户端,由程序员负责销毁该对象,不管何种作用域,容器都会调用所有对象的初始化生命周期回调方法,而对prototype而言,任何配置好的析构生命周期回调方法都将不会被调用

request:对每一次HTTP请求都会产生一个新的bean,同时该bean仅在当前HTTP request内有效

web.xml增加如下配置:

<listener>
 <listener-class>org.springframework.web.context.request.RequestContextListener</listener-class>
   </listener>

session:该针对每一次HTTP请求都会产生一个新的bean,同时该bean仅在当前HTTP session内有效。也要在web.xml配置如下代码:

<listener>
 <listener-class>org.springframework.web.context.request.RequestContextListener</listener-class>
   </listener>

global session:作用不大,可不用管他。

19.@ResponseStatus

@ResponseStatus用于修饰一个类或者一个方法,修饰一个类的时候,一般修饰的是一个异常类,当处理器的方法被调用时,@ResponseStatus指定的code和reason会被返回给前端。value属性是http状态码,比如404,500等。reason是错误信息

当修改类或方法时,只要该类得到调用,那么value和reason都会被添加到response里

例如:

@ResponseStatus(value=HttpStatus.FORBIDDEN, reason="出现了错误")
 public class UserException extends RuntimeException{
 XXXXX
 }

当某处抛出UserException时,则会把value和reason返回给前端。

@RequestMapping("/testResponseStatus")
     public String testResponseStatus(int i){
         if(i==0)
             throw new UserNotMatchException();
         return "hello";
 }

修改方法:

@ControllerAdvice
 @Component
 public class GlobalExceptionHandler {
     @Bean
     public MethodValidationPostProcessor methodValidationPostProcessor() {
         return new MethodValidationPostProcessor();
     }
 @ExceptionHandler
 @ResponseBody
 @ResponseStatus(value=HttpStatus.BAD_REQUEST,reason="哈哈")
 public String handle(ValidationException exception) {
     System.out.println("bad request, " + exception.getMessage());
     return "bad request, " + exception.getMessage();
 }
 }

结果如下:

正如上面所说,该方法得到调用,不论是否抛异常,都会把value和reason添加到response里。

总结:@ResponseStatus是为了在方法或类得到调用时将指定的code和reason添加到response里返前端,就像服务器常给我们报的404错误一样,我们可以自己指定高逼格错误提示。

20.@RestController

@RestController = @Controller + @ResponseBody。

是2个注解的合并效果,即指定了该controller是组件,又指定方法返回的是String或json类型数据,不会解决成jsp页面,注定不够灵活,如果一个Controller即有SpringMVC返回视图的方法,又有返回json数据的方法即使用@RestController太死板。

灵活的作法是:定义controller的时候,直接使用@Controller,如果需要返回json可以直接在方法中添加@ResponseBody

21.@ControllerAdvice

官方解释是:It is typically used todefine@ExceptionHandler,

@InitBinder, and@ModelAttribute methods that apply to all@RequestMapping methods

意思是:即把@ControllerAdvice注解内部使用@ExceptionHandler、@InitBinder、@ModelAttribute注解的方法应用到所有的 @RequestMapping注解的方法。非常简单,不过只有当使用@ExceptionHandler最有用,另外两个用处不大。

@ControllerAdvice  
 public class GlobalExceptionHandler {  
     @ExceptionHandler(SQLException.class)  
     @ResponseStatus(value=HttpStatus.INTERNAL_SERVER_ERROR,reason=”sql查询错误”)  
     @ResponseBody  
     public ExceptionResponse handleSQLException(HttpServletRequest request, Exception ex) {  
         String message = ex.getMessage();  
         return ExceptionResponse.create(HttpStatus.INTERNAL_SERVER_ERROR.value(), message);  
     } 
 }

即表示让Spring捕获到所有抛出的SQLException异常,并交由这个被注解的handleSQLException方法处理,同时使用@ResponseStatus指定了code和reason写到response上,返回给前端。

22.元注解包括 @Retention @Target @Document @Inherited四种

元注解是指注解的注解,比如我们看到的ControllerAdvice注解定义如下。

@Target(ElementType.TYPE)
 @Retention(RetentionPolicy.RUNTIME)
 @Documented
 @Component
 public @interface ControllerAdvice {
     XXX
 }

@Retention: 定义注解的保留策略:

@Retention(RetentionPolicy.SOURCE) //注解仅存在于源码中,在class字节码文件中不包含

@Retention(RetentionPolicy.CLASS) //默认的保留策略,注解会在class字节码文件中存在,但运行时无法获得,

@Retention(RetentionPolicy.RUNTIME) //注解会在class字节码文件中存在,在运行时可以通过反射获取到

@Target:定义注解的作用目标:

@Target(ElementType.TYPE) //接口、类、枚举、注解

@Target(ElementType.FIELD) //字段、枚举的常量

@Target(ElementType.METHOD) //方法

@Target(ElementType.PARAMETER) //方法参数

@Target(ElementType.CONSTRUCTOR) //构造函数

@Target(ElementType.LOCAL_VARIABLE)//局部变量

@Target(ElementType.ANNOTATION_TYPE)//注解

@Target(ElementType.PACKAGE) ///包

由以上的源码可以知道,他的elementType 可以有多个,一个注解可以为类的,方法的,字段的等等

@Document:说明该注解将被包含在javadoc中

@Inherited:说明子类可以继承父类中的该注解

比如@Valid注解定义是

表示该注解只能用在方法,属性,构造函数及方法参数上。该注意会被编译到class里可通过反射得到。

23.@RequestMapping

处理映射请求的注解。用于类上,表示类中的所有响应请求的方法都是以该地址作为父路径。有6个属性。

1、 value, method: value:指定请求的实际地址,指定的地址可以是URI Template 模式; method:指定请求的method类型, GET、POST、PUT、DELETE等; 比如:

@RequestMapping(value = "/testValid", method = RequestMethod.POST)
 @ResponseBody
 public Object testValid(@RequestBody @Valid Test test,BindingResult result, HttpServletRequest request, HttpServletResponse response) {
     XXX
 }

value的uri值为以下三类: A) 可以指定为普通的具体值;如@RequestMapping(value ="/testValid") B) 可以指定为含有某变量的一类值;如@RequestMapping(value="/{day}") C) 可以指定为含正则表达式的一类值;如@RequestMapping(value="/{textualPart:[a-z-]+}.{numericPart:[\d]+}") 可以匹配../chenyuan122912请求。

2、 consumes,produces: consumes: 指定处理请求的提交内容类型(Content-Type),例如@RequestMapping(value = "/test", consumes="application/json")处理application/json内容类型

produces: 指定返回的内容类型,仅当request请求头中的(Accept)类型中包含该指定类型才返回;

3 params、headers: params: 指定request中必须包含某些参数值是,才让该方法处理。

例如:

@RequestMapping(value = "/test", method = RequestMethod.GET, params="name=chenyuan")  
   public void findOrd(String name) {      
     // implementation omitted  
   }

仅处理请求中包含了名为“name”,值为“chenyuan”的请求.

@RequestMapping(value = "/test", method = RequestMethod.GET, headers="Referer=www.baidu.com")  
   public void findOrd(String name) {      
     // implementation omitted  
   }

headers: 指定request中必须包含某些指定的header值,才能让该方法处理请求。

仅处理request的header中包含了指定“Refer”请求头和对应值为“www.baidu.com”的请求

24. @GetMapping和@PostMapping

@GetMapping(value = "page")等价于@RequestMapping(value = "page", method = RequestMethod.GET)

@PostMapping(value = "page")等价于@RequestMapping(value = "page", method = RequestMethod.POST)

Spring使用的注解大全和解释

注解 解释
@Controller 组合注解(组合了@Component注解),应用在MVC层(控制层),DispatcherServlet会自动扫描注解了此注解的类,然后将web请求映射到注解了@RequestMapping的方法上。
@Service 组合注解(组合了@Component注解),应用在service层(业务逻辑层)
@Reponsitory 组合注解(组合了@Component注解),应用在dao层(数据访问层)
@Component 表示一个带注释的类是一个“组件”,成为Spring管理的Bean。当使用基于注解的配置和类路径扫描时,这些类被视为自动检测的候选对象。同时@Component还是一个元注解。
@Autowired Spring提供的工具(由Spring的依赖注入工具(BeanPostProcessor、BeanFactoryPostProcessor)自动注入。)
@Resource JSR-250提供的注解
@Inject JSR-330提供的注解
@Configuration 声明当前类是一个配置类(相当于一个Spring配置的xml文件)
@ComponentScan 自动扫描指定包下所有使用@Service,@Component,@Controller,@Repository的类并注册
@Bean 注解在方法上,声明当前方法的返回值为一个Bean。返回的Bean对应的类中可以定义init()方法和destroy()方法,然后在@Bean(initMethod=”init”,destroyMethod=”destroy”)定义,在构造之后执行init,在销毁之前执行destroy。
@Aspect 声明一个切面(就是说这是一个额外功能)
@After 后置建言(advice),在原方法前执行。
@Before 前置建言(advice),在原方法后执行。
@Around 环绕建言(advice),在原方法执行前执行,在原方法执行后再执行(@Around可以实现其他两种advice)
@PointCut 声明切点,即定义拦截规则,确定有哪些方法会被切入
@Transactional 声明事务(一般默认配置即可满足要求,当然也可以自定义)
@Cacheable 声明数据缓存
@EnableAspectJAutoProxy 开启Spring对AspectJ的支持
@Value 值得注入。经常与Sping EL表达式语言一起使用,注入普通字符,系统属性,表达式运算结果,其他Bean的属性,文件内容,网址请求内容,配置文件属性值等等
@PropertySource 指定文件地址。提供了一种方便的、声明性的机制,用于向Spring的环境添加PropertySource。与@configuration类一起使用。
@PostConstruct 标注在方法上,该方法在构造函数执行完成之后执行。
@PreDestroy 标注在方法上,该方法在对象销毁之前执行。
@Profile 表示当一个或多个指定的文件是活动的时,一个组件是有资格注册的。使用@Profile注解类或者方法,达到在不同情况下选择实例化不同的Bean。@Profile(“dev”)表示为dev时实例化。
@EnableAsync 开启异步任务支持。注解在配置类上。
@Async 注解在方法上标示这是一个异步方法,在类上标示这个类所有的方法都是异步方法。
@EnableScheduling 注解在配置类上,开启对计划任务的支持。
@Scheduled 注解在方法上,声明该方法是计划任务。支持多种类型的计划任务:cron,fixDelay,fixRate
@Conditional 根据满足某一特定条件创建特定的Bean
@Enable* 通过简单的@Enable来开启一项功能的支持。所有@Enable注解都有一个@Import注解,@Import是用来导入配置类的,这也就意味着这些自动开启的实现其实是导入了一些自动配置的Bean(1.直接导入配置类2.依据条件选择配置类3.动态注册配置类)
@RunWith 这个是Junit的注解,springboot集成了junit。一般在测试类里使用:@RunWith(SpringJUnit4ClassRunner.class) — SpringJUnit4ClassRunner在JUnit环境下提供Sprng TestContext Framework的功能
@ContextConfiguration 用来加载配置ApplicationContext,其中classes属性用来加载配置类:@ContextConfiguration(classes = {TestConfig.class(自定义的一个配置类)})
@ActiveProfiles 用来声明活动的profile–@ActiveProfiles(“prod”(这个prod定义在配置类中))
@EnableWebMvc 用在配置类上,开启SpringMvc的Mvc的一些默认配置:如ViewResolver,MessageConverter等。同时在自己定制SpringMvc的相关配置时需要做到两点:1.配置类继承WebMvcConfigurerAdapter类2.就是必须使用这个@EnableWebMvc注解。
@RequestMapping 用来映射web请求(访问路径和参数),处理类和方法的。可以注解在类和方法上,注解在方法上的@RequestMapping路径会继承注解在类上的路径。同时支持Serlvet的request和response作为参数,也支持对request和response的媒体类型进行配置。其中有value(路径),produces(定义返回的媒体类型和字符集),method(指定请求方式)等属性。
@ResponseBody 将返回值放在response体内。返回的是数据而不是页面
@RequestBody 允许request的参数在request体中,而不是在直接链接在地址的后面。此注解放置在参数前。
@PathVariable 放置在参数前,用来接受路径参数。
@RestController 组合注解,组合了@Controller和@ResponseBody,当我们只开发一个和页面交互数据的控制层的时候可以使用此注解。
@ControllerAdvice 用在类上,声明一个控制器建言,它也组合了@Component注解,会自动注册为Spring的Bean。
@ExceptionHandler 用在方法上定义全局处理,通过他的value属性可以过滤拦截的条件:@ExceptionHandler(value=Exception.class)–表示拦截所有的Exception。
@ModelAttribute 将键值对添加到全局,所有注解了@RequestMapping的方法可获得次键值对(就是在请求到达之前,往model里addAttribute一对name-value而已)。
@InitBinder 通过@InitBinder注解定制WebDataBinder(用在方法上,方法有一个WebDataBinder作为参数,用WebDataBinder在方法内定制数据绑定,例如可以忽略request传过来的参数Id等)。
@WebAppConfiguration 一般用在测试上,注解在类上,用来声明加载的ApplicationContext是一个WebApplicationContext。他的属性指定的是Web资源的位置,默认为src/main/webapp,我们可以修改为:@WebAppConfiguration(“src/main/resources”)。
@EnableAutoConfiguration 此注释自动载入应用程序所需的所有Bean——这依赖于Spring Boot在类路径中的查找。该注解组合了@Import注解,@Import注解导入了EnableAutoCofigurationImportSelector类,它使用SpringFactoriesLoader.loaderFactoryNames方法来扫描具有META-INF/spring.factories文件的jar包。而spring.factories里声明了有哪些自动配置。
@SpingBootApplication SpringBoot的核心注解,主要目的是开启自动配置。它也是一个组合注解,主要组合了@Configurer,@EnableAutoConfiguration(核心)和@ComponentScan。可以通过@SpringBootApplication(exclude={想要关闭的自动配置的类名.class})来关闭特定的自动配置。
@ImportResource 虽然Spring提倡零配置,但是还是提供了对xml文件的支持,这个注解就是用来加载xml配置的。例:@ImportResource({“classpath
@ConfigurationProperties 将properties属性与一个Bean及其属性相关联,从而实现类型安全的配置。例:@ConfigurationProperties(prefix=”authot”,locations={“classpath
@ConditionalOnBean 条件注解。当容器里有指定Bean的条件下。
@ConditionalOnClass 条件注解。当类路径下有指定的类的条件下。
@ConditionalOnExpression 条件注解。基于SpEL表达式作为判断条件。
@ConditionalOnJava 条件注解。基于JVM版本作为判断条件。
@ConditionalOnJndi 条件注解。在JNDI存在的条件下查找指定的位置。
@ConditionalOnMissingBean 条件注解。当容器里没有指定Bean的情况下。
@ConditionalOnMissingClass 条件注解。当类路径下没有指定的类的情况下。
@ConditionalOnNotWebApplication 条件注解。当前项目不是web项目的条件下。
@ConditionalOnResource 条件注解。类路径是否有指定的值。
@ConditionalOnSingleCandidate 条件注解。当指定Bean在容器中只有一个,后者虽然有多个但是指定首选的Bean。
@ConditionalOnWebApplication 条件注解。当前项目是web项目的情况下。
@EnableConfigurationProperties 注解在类上,声明开启属性注入,使用@Autowired注入。例:@EnableConfigurationProperties(HttpEncodingProperties.class)。
@AutoConfigureAfter 在指定的自动配置类之后再配置。例:@AutoConfigureAfter(WebMvcAutoConfiguration.class)

参考文章:

(47条消息) Spring中的注解大全与详解顾彼的博客-CSDN博客spring 注解大全

Spring 注解大全与详解 - 紫心落 - 博客园 (cnblogs.com)

SpringBoot最全注解大全 - 腾讯云开发者社区-腾讯云 (tencent.com)

Guess you like

Origin blog.csdn.net/qq_53729147/article/details/127792225