[java] @Autowired 빈은 다른 빈의 생성자에서 참조 될 때 null입니다.

아래는 ApplicationProperties bean을 참조하고 시도하는 코드 스 니펫입니다. 생성자에서 참조하면 null이지만 다른 메서드에서 참조하면 괜찮습니다. 지금까지 다른 클래스에서이 자동 연결 빈을 사용하는 데 아무런 문제가 없었습니다. 그러나 다른 클래스의 생성자에서 이것을 사용하려고 시도한 것은 이번이 처음입니다.

아래 코드 스 니펫에서 applicationProperties는 생성자에서 호출 될 때 null이지만 convert 메서드에서 참조 될 때는 그렇지 않습니다. 내가 뭘 놓치고 있니

@Component
public class DocumentManager implements IDocumentManager {

  private Log logger = LogFactory.getLog(this.getClass());
  private OfficeManager officeManager = null;
  private ConverterService converterService = null;

  @Autowired
  private IApplicationProperties applicationProperties;


  // If I try and use the Autowired applicationProperties bean in the constructor
  // it is null ?

  public DocumentManager() {
  startOOServer();
  }

  private void startOOServer() {
    if (applicationProperties != null) {
      if (applicationProperties.getStartOOServer()) {
        try {
          if (this.officeManager == null) {
            this.officeManager = new DefaultOfficeManagerConfiguration()
              .buildOfficeManager();
            this.officeManager.start();
            this.converterService = new ConverterService(this.officeManager);
          }
        } catch (Throwable e){
          logger.error(e);
        }
      }
    }
  }

  public byte[] convert(byte[] inputData, String sourceExtension, String targetExtension) {
    byte[] result = null;

    startOOServer();
    ...

아래는 ApplicationProperties의 일부입니다 …

@Component
public class ApplicationProperties implements IApplicationProperties {

  /* Use the appProperties bean defined in WEB-INF/applicationContext.xml
   * which in turn uses resources/server.properties
   */
  @Resource(name="appProperties")
  private Properties appProperties;

  public Boolean getStartOOServer() {
    String val = appProperties.getProperty("startOOServer", "false");
    if( val == null ) return false;
    val = val.trim();
    return val.equalsIgnoreCase("true") || val.equalsIgnoreCase("on") || val.equalsIgnoreCase("yes");
  }



답변

Autowiring (Dunes 주석의 링크)은 객체 생성 후에 발생합니다. 따라서 생성자가 완료 될 때까지 설정되지 않습니다.

일부 초기화 코드를 실행해야하는 경우 생성자의 코드를 메서드로 가져 와서 해당 메서드에 @PostConstruct.


답변

생성시에 의존성을 주입하려면 생성자에 @Autowired이와 같은 주석을 표시해야합니다 .

@Autowired
public DocumentManager(IApplicationProperties applicationProperties) {
  this.applicationProperties = applicationProperties;
  startOOServer();
}


답변