访问注入的属性会导致 NullPointerException

Accessing injected properties results in NullPointerException

这是我第一次使用 Quarkus 和 CDI,我想我弄错了。

在我的应用程序中,用户可以下载一些文件。我想控制同时下载的文件数量。我想我可以通过创建一个带有 @ApplicationScoped 注释的 bean,在启动时强制实例化,然后在我需要知道当前正在下载多少文件的任何地方注入它来做到这一点。

这是我设法做到的:

@ApplicationScoped
public class DownloadState {
    private int downloadingFiles;

    void startup(@Observes StartupEvent event) {
        setDownloadingFiles(0);
        System.out.println("downloading files: " + downloadingFiles);
    }

    public int getDownloadingFiles() {
        return downloadingFiles;
    }

    public void setDownloadingFiles(int downloadingFiles) {
        this.downloadingFiles = downloadingFiles;
    }

    public void incrementDownloadingFiles() {
        downloadingFiles++;
    }

    public void decrementDownloadingFiles() {
        downloadingFiles--;
    }
}

这样做我可以在启动时看到日志说“正在下载文件:0”,所以我知道 class 已经被实例化。

我在这里尝试访问下载文件的数量:

public class Downloader {
    private static final Logger LOG = Logger.getLogger(Downloader.class);

    @Inject
    DownloadState downloadState;

    private Dotenv dotenv = Dotenv.configure()
        .directory("../")
        .filename(".env.local")
        .load();

    private String fileName = dotenv.get("DOWNLOAD_PATH");
    private String url;

    public Downloader(String url, String fileName) {
        this.url = url;
        this.fileName += fileName;
    }

    public void downloadProduct() {

        LOG.info("Downloading Files: " + downloadState.getDownloadingFiles());
        //...
    }
}

每当调用 downloadProduct 时,都会在 LOG.info("Downloading Files: " + downloadState.getDownloadingFiles());

行抛出 NullPointerException

我对 CDI 的理解完全错误吗?非常感谢您的帮助,在此先感谢您。

我假设您直接调用 Downloader 构造函数——在这种情况下,确实不会发生注入,您的 downloadState 将是 null。依赖注入具有“传染性”——你必须在任何地方使用它。

在你的情况下,我可能只是让 Downloader 也成为 @ApplicationScoped,在你使用它的任何地方注入它,并且可能移动 urlfileName 参数从构造函数到 downloadProduct。其实那个时候,downloadingFiles的数量也可以在Downloader。 (另请注意,它可以从多个线程访问 - 所以我可能会使用 AtomicInteger 作为 downloadingFiles。)

总而言之,是这样的:

@ApplicationScoped
public class Downloader {
    private static final Logger LOG = Logger.getLogger(Downloader.class);

    private final AtomicInteger downloadingFiles = new AtomicInteger(0);

    private final String downloadPath = Dotenv.configure()
        .directory("../")
        .filename(".env.local")
        .load()
        .get("DOWNLOAD_PATH");

    public void downloadProduct(String url, String fileName) {
        String path = downloadPath + fileName;

        int current = downloadingFiles.incrementAndGet();
        LOG.info("Downloading Files: " + current);
        //...
    }
}