1

这是一种反模式,但我很好奇实际会发生什么。

如果你显式定义了一个无参数的构造函数和一个带有自动装配参数的构造函数,那么 spring 框架将如何初始化它呢?

@Service
class Clazz {

    private MyBean myBean;

    public Clazz(){}

    @Autowired
    public Clazz(MyBean myBean){
        this.myBean = myBean;
    }
}
4

3 回答 3

3

在上述答案之上,如果声明了没有@autowire 的单个构造函数,则spring 使用相同的构造函数进行注入。

如果有多个构造函数,那么 Spring 使用 @autowired 的构造函数。

在 Spring Doc 中提到https://docs.spring.io/spring/docs/4.3.x/spring-framework-reference/htmlsingle/#beans-autowired-annotation

从 Spring Framework 4.3 开始,如果目标 bean 只定义了一个构造函数,则不再需要在此类构造函数上添加 @Autowired 注解。但是,如果有多个构造函数可用,则必须至少注释一个以教导容器使用哪一个

于 2019-06-18T10:05:59.900 回答
0

Spring按参数个数最多的优先选择构造函数

sortConstructors 考虑更喜欢公共构造函数和具有最大参数数量的构造函数。

意义Clazz(MyBean myBean)

这是使用的比较器

(e1, e2) -> {
    int result = Boolean.compare(Modifier.isPublic(e2.getModifiers()), Modifier.isPublic(e1.getModifiers()));
    return result != 0 ? result : Integer.compare(e2.getParameterCount(), e1.getParameterCount());
于 2019-06-18T09:56:53.687 回答
0

标记的构造函数@Autowired将被spring使用。您可以通过运行以下代码来验证这一点。

public class Main {
  @Component
  static class MyBean {}

  @Service
  static class Clazz {
    private MyBean myBean;

    public Clazz(){
      System.out.println("empty");
    }

    @Autowired
    public Clazz(MyBean myBean){
      this.myBean = myBean;
      System.out.println("non-empty");
    }
  }

  @Component
  @ComponentScan("my.package")
  private static class Configuration {
  }

  public static void main(String[] args) {
    var ctx = new AnnotationConfigApplicationContext();
    ctx.register(Configuration.class);
    ctx.refresh();
    ctx.getBean(Clazz.class);
  }
}

代码打印non-empty

于 2019-06-18T09:55:20.617 回答