使用@Order注解调整配置类加载顺序

x33g5p2x  于2021-12-01 转载在 其他  
字(1.5k)|赞(0)|评价(0)|浏览(389)

@Order

1、Spring 4.2 利用@Order控制配置类的加载顺序,

2、Spring在加载Bean的时候,有用到order注解。

3、通过@Order指定执行顺序,值越小,越先执行

4、@Order注解常用于定义的AOP先于事物执行

1.@Order的注解源码解读
注解类:

  1. @Retention(RetentionPolicy.RUNTIME)
  2. @Target({ElementType.TYPE, ElementType.METHOD, ElementType.FIELD})
  3. @Documented
  4. public @interface Order {
  5. /** * 默认是最低优先级 */
  6. int value() default Ordered.LOWEST_PRECEDENCE;
  7. }

常量类:

  1. public interface Ordered {
  2. /** * 最高优先级的常量值 * @see java.lang.Integer#MIN_VALUE */
  3. int HIGHEST_PRECEDENCE = Integer.MIN_VALUE;
  4. /** * 最低优先级的常量值 * @see java.lang.Integer#MAX_VALUE */
  5. int LOWEST_PRECEDENCE = Integer.MAX_VALUE;
  6. int getOrder();
  7. }

注解可以作用在类、方法、字段声明(包括枚举常量);
注解有一个int类型的参数,可以不传,默认是最低优先级;
通过常量类的值我们可以推测参数值越小优先级越高;

2.创建三个POJO类Cat、Cat2、Cat3,使用@Component注解将其交给Spring容器自动加载,每个类分别加上@Order(1)、@Order(2)、@Order(3)注解,下面只列出Cat的代码其它的类似

  1. package com.eureka.client.co;
  2. import org.springframework.core.annotation.Order;
  3. import org.springframework.stereotype.Component;
  4. @Component
  5. @Order(1)
  6. public class Cat {
  7. private String catName;
  8. private int age;
  9. public Cat() {
  10. System.out.println("Order:1");
  11. }
  12. public String getCatName() {
  13. return catName;
  14. }
  15. public void setCatName(String catName) {
  16. this.catName = catName;
  17. }
  18. public int getAge() {
  19. return age;
  20. }
  21. public void setAge(int age) {
  22. this.age = age;
  23. }
  24. }

3.启动应用程序主类

  1. package com.eureka.client;
  2. import java.util.Map;
  3. import org.springframework.boot.SpringApplication;
  4. import org.springframework.boot.autoconfigure.SpringBootApplication;
  5. import com.eureka.client.co.Person;
  6. @SpringBootApplication
  7. public class EurekaClientApplication {
  8. public static void main(String[] args) {
  9. SpringApplication.run(EurekaClientApplication.class, args);
  10. }
  11. }

输出结果是:

  1. Order:1
  2. Order:2
  3. Order:3

相关文章