具有Spring注释的Bean的多个配置

时间:2014-10-23 16:11:13

标签: java spring annotations

在我的例子中,我有一个“Hero”bean,它可以注入一个“Weapon”bean。 Heros和Weapons都是原型(我们可以有多个英雄,他们不会共享武器)。

我想要的是一个名为“战士”的英雄配置,它注入了一把“剑”武器,以及一个名为“弓箭手”的英雄配置,注入了“弓”武器。然后在我的申请中我会打电话给

context.getBean("Warrior");

每次我想要一个新的战士。

我知道如何使用XML做到这一点,但我想知道是否可以使用注释执行此操作?如果是这样,我该怎么办?我正在使用Spring 4.

1 个答案:

答案 0 :(得分:2)

LuiggiMendoza的评论示例(自动装配和鉴定二人)

坚持编程到接口的脚本,我们有Hero接口

public interface Hero {
    void killOrBeKilled();
}

我们还有一个AbstractHero抽象类来组合一些常用功能。请注意,我们不会实施setWeapon方法。我们将其留给具体课程。

public abstract class AbstractHero implements Hero {
    protected Weapon weapon;

    public void killOrBeKilled() {
        weapon.secretWeaponManeuver();
    }

    protected abstract void setWeapon(Weapon weapon);
}

以下是我们将使用的Qualifiers。请注意,您不能拥有来创建自己的限定符。您只需使用@Qualifer("qualifierName")进行匹配即可。我这样做只是因为我可以:P

@Qualifier
@Retention(RetentionPolicy.RUNTIME)
@Target({ElementType.METHOD, ElementType.FIELD, ElementType.TYPE})
public @interface BowType { }

@Qualifier
@Retention(RetentionPolicy.RUNTIME)
@Target({ElementType.METHOD, ElementType.FIELD, ElementType.TYPE})
public @interface SwordType { }

对于Warrior,我们将使用@SwordType限定符

@Component  
public class Warrior extends AbstractHero {
    @SwordType
    @Autowired
    public void setWeapon(Weapon weapon) {
        this.weapon = weapon;
    }
}

对于Archer,我们会使用@BowType限定符

@Component
public class Archer extends AbstractHero {
    @BowType
    @Autowired
    public void setWeapon(Weapon weapon) {
        this.weapon = weapon;   
    }
}

在我们的Weapons具体课程中,我们还需要使用适当的限定符来注释类

public interface Weapon {
    void secretWeaponManeuver();
}

@BowType    
@Component
public class Bow implements Weapon {
    public void secretWeaponManeuver() {
        System.out.println("Bow goes Slinnnggggg!");    
    }
}

@SwordType
@Component
public class Sword implements Weapon {
    public void secretWeaponManeuver() {
        System.out.println("Sword goes Slassshhhh!");   
    }
}

当我们运行应用程序时,武器类型将根据我们的限定符正确注入

@Configuration  
@ComponentScan(basePackages = {"com.stackoverflow.spring.hero"})
public class Config { }

public class Application {
    public static void main(String[] args) {
        AbstractApplicationContext context = 
                new AnnotationConfigApplicationContext(Config.class);

        Hero warrior = context.getBean(Warrior.class);
        warrior.killOrBeKilled();

        Hero archer = context.getBean(Archer.class);
        archer.killOrBeKilled();

        context.close();
    }
}

结果

  

剑走了Slassshhhh!
  Bow去了Slinnnggggg!

P.S。我忘记了@Scope("prototype")注释。