3

我知道如何单独使用自动组件扫描和构造函数注入。 http://www.mkyong.com/spring/spring-auto-scanning-components/ http://www.dzone.com/tutorials/java/spring/spring-bean-constructor-injection-1.html

是否可以将 AutoComponent Scanning 与构造函数注入一起使用?在使用自动组件扫描时,spring 框架会扫描所有指向的类"base-package",并通过调用不带参数的每个构造函数来创建每个类的实例。让我们说一下如何修改以下类和相关的 Spring XML 文件。

package com.fb.common;
@Repository
public class Person {

    private String name;
    private int age;

    public Person(String name, int age){
        this.name=name;
        this.age=age;
    }

    public String toString(){
        return "Name: "+name+" Age:"+age;
    }

}

XML 文件

<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-2.5.xsd
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context-2.5.xsd">

    <context:component-scan base-package="com.fb.common" />

    <!--
    <bean id="person" class="com.fb.common.Person">
        <constructor-arg type="java.lang.String" value="DefaultName"/>
        <constructor-arg type="int" value="30"/>
    </bean>
    -->
</beans>
4

3 回答 3

3

您可以执行以下操作

@Inject // or @Autowired
public Person(@Value("DefaultName") String name, @Value("30") int age){
    this.name=name;
    this.age=age;
}

根据 Bozho在这里的回答,spring 不赞成构造函数注入。也许你不应该这样做。

对于您的问题的评论,它应该在

<dependency>
    <groupId>org.springframework</groupId>
    <artifactId>spring-context</artifactId>
    <version>${org.springframework-version}</version>
</dependency>

对于@Inject,你需要

<dependency>
    <groupId>javax.inject</groupId>
    <artifactId>javax.inject</artifactId>
    <version>1</version>
</dependency>

但你可以只使用@AutowiredSpring 提供的。

于 2013-05-22T14:09:04.877 回答
3

您需要将 @Value 注释添加到每个构造函数参数

public Person(@Value("DefaultName")String name, @Value("30")int age){
    this.name=name;
    this.age=age;
}

您可以使用属性占位符来引用属性文件中定义的属性,而不是对值进行硬编码。

public Person(@Value("${person.defaultName}")String name, @Value("${person.age}")int age){
    this.name=name;
    this.age=age;
}

像 Person(实体值对象)这样的类通常不会创建为 spring bean。

于 2013-05-22T14:09:16.427 回答
2

如果启用了组件扫描,spring 将尝试创建一个 bean,即使该类的 bean 已经在 spring 配置 xml 中定义。但是,如果 spring 配置文件中定义的 bean 和自动发现的 bean 具有相同的名称,那么 spring 在进行组件扫描时将不会创建新的 bean。如果 bean 没有无参数构造函数,则至少一个构造函数必须是自动连接的。如果没有自动连接构造函数,spring 将尝试使用默认的无参数构造函数创建对象。您可以在此处找到有关此主题的更多信息

于 2014-11-22T03:26:22.687 回答