Spring使用构造函数参数

时间:2018-02-13 21:41:54

标签: java spring spring-boot

我有一个需要在运行时创建代理的服务。代理从基础Agent类继承。我想使用Spring的Autowired能力而不是自己的依赖注入。

但是我遇到了这个问题,即使我将组件标记为scope = prototype,甚至@Lazy也是为了防止在编译时发生任何事情。

***************************
APPLICATION FAILED TO START
***************************

Description:

Parameter 0 of constructor in com.my.project.AgentType1 required a bean of type 'com.my.project.POJO' that could not be found.

这是尝试创建代理的服务:

@Service
public class ProjectMain {
   @Autowired
   ApplicationContext context;

   List<IAgent> agents = new ArrayList<>();

   void SetupAgents(List<POJO> agentPojos) {
       for(POJO agentPojo: agentPojos) {
          IAgent agent = AgentFactory.CreateAgent(agentPojo, context);
          agents.add(agent);
       }
   }
}

这是工厂类,未标记为@Component等。它使用传递给它的上下文来创建子类bean。它试图通过getBean方法传递构造函数参数。

public class AgentFactory {
  public static IAgent CreateAgent(POJO agentPojo, ApplicationContext context) {
         if (agentPojo.type.equals("AgentType1")) {
              return context.getBean(AgentType1.class, agentPojo);
         } else {
              return context.getBean(AgentType2.class, agentPojo);
         }
   }
}

这是我发现继承方案所需的自定义注释。

@Target({ ElementType.TYPE })
@Retention(RetentionPolicy.RUNTIME)
@Component
@Inherited
@Lazy
@Scope("prototype")
public @interface AgentAnnotation {}

这些是基本代理类和子代理类,需要一个名为POJO的自定义数据结构才能工作。

@AgentAnnotation
public class BaseAgent implements IAgent {

   @Autowired
   Environment env;

   public BaseAgent(POJO agentPojo, String someotherdata) {

   }

}

public class AgentType1 extends BaseAgent {

   public AgentType1(POJO agentPojo) {
      super(agentPojo, "mydata1");
      ...
   }
}

public class AgentType2 extends BaseAgent {

   public AgentType2(POJO agentPojo) {
      super(agentPojo, "mydata2");
      ...
   }
}

这是入门应用。

@ComponentScan(basePackages = "com.my.project", includeFilters = @ComponentScan.Filter(AgentAnnotation.class))
@EnableScheduling
@SpringBootApplication
public class MyApplication {

   public static void main(String[] args) {
       SpringApplication.run(MyApplication.class, args);
   }
}

我也尝试了配置方法:

@Configuration
public class BaseAgentConfig {
    @Bean
    @Scope("prototype")
    public AgentType1 agentType1(POJO agentPojo) {
         return new AgentType1(agentPojo);
    }

    @Bean
    @Scope("prototype")
    public AgentType2 agentType2(POJO agentPojo) {
         return new AgentType2(agentPojo);
    }
}

在这种情况下,我从baseAgent类中删除了@AgentAnnotation,因为我们现在通过此配置进行实例化。还从主App中删除了ComponentScan行。

这一次,@ Autowired不起作用。 baseAgent类中的所有自动引用引用都为空。

请告知解决此错误的最佳方法。感谢。

1 个答案:

答案 0 :(得分:1)

找到了问题和解决方案。

基本上,我希望子类继承@Component和@Scope,但它没有。

基本上,我需要使用@Component和@Scope(“prototype”)来注释每个子类。

另一个问题是我在构造函数中期待Autowired项目,这太早了。添加@PostConstruct解决了这个问题。

所以我最终删除了自定义注释和配置类,并进行了我刚刚描述的更改。