27

几个月以来我一直在使用 Spring,我认为带有@Autowired注释的依赖注入还需要一个 setter 来注入该字段。

所以,我这样使用它:

@Controller
public class MyController {

    @Autowired
    MyService injectedService;

    public void setMyService(MyService injectedService) {
        this.injectedService = injectedService;
    }

    ...

}

但我今天试过这个:

@Controller
public class MyController {

    @Autowired
    MyService injectedService;

    ...

}

哦,令人惊讶的是,没有编译错误,启动时没有错误,应用程序运行完美......

所以我的问题是,带有@Autowired注释的依赖注入是否需要setter?

我正在使用 Spring 3.1.1。

4

3 回答 3

42

您不需要带有@Autowired 的设置器,该值是通过反射设置的。

检查这篇文章以获得完整的解释Spring @Autowired 如何工作

于 2012-04-13T13:00:05.960 回答
4

不,如果 Java 安全策略允许 Spring 更改包受保护字段的访问权限,则不需要设置器。

于 2012-04-13T13:01:17.003 回答
2
package com.techighost;

public class Test {

    private Test2 test2;

    public Test() {
        System.out.println("Test constructor called");
    }

    public Test2 getTest2() {
        return test2;
    }
}


package com.techighost;

public class Test2 {

    private int i;

    public Test2() {
        i=5;
        System.out.println("test2 constructor called");
    }

    public int getI() {
        return i;
    }
}


package com.techighost;

import java.lang.reflect.Field;

public class TestReflection {

    public static void main(String[] args) throws ClassNotFoundException, InstantiationException, IllegalAccessException {
        Class<?> class1 = Class.forName("com.techighost.Test");
        Object object = class1.newInstance();
        Field[] field = class1.getDeclaredFields();
        field[0].setAccessible(true);
        System.out.println(field[0].getType());
        field[0].set(object,Class.forName(field[0].getType().getName()).newInstance() );
        Test2 test2 = ((Test)object).getTest2();
        System.out.println("i="+test2.getI());

    }
}

这就是使用反射完成的方式。

于 2013-07-07T10:03:14.550 回答