Joaquín L. Robles
Joaquín L. Robles

Reputation: 6504

Strategy Pattern and Dependency Injection in Spring

I have an Strategy interface, that is implemented by StrategyA and StrategyB, both of them are defined as @Component's and they have an @Autowired attribute as well, how can I do to obtain an instance of one of them based on an String value?

This is my Controller's action, that should perform the strategy:

@RequestMapping("/blabla")
public void perform (@RequestParam String strategyName) {
    Strategy strategy = (Strategy) /* Get the concrete Strategy based on strategyName */;
    strategy.doStuff ();
}

Thanks!

Upvotes: 4

Views: 3358

Answers (1)

skaffman
skaffman

Reputation: 403611

You can look it up programmatically:

private @Autowired BeanFactory beanFactory;

@RequestMapping("/blabla")
public void perform (@RequestParam String strategyName) {
    Strategy strategy = beanFactory.getBean(strategyName, Strategy.class);
    strategy.doStuff();
}

You could do it a fancier way using a custom WebArgumentResolver, but that's a lot more trouble than it's worth.

Upvotes: 13

Related Questions