23

我有一个项目配置为使用 Maven 构建和运行。该项目依赖于平台特定的本机库,我正在使用此处找到的策略来管理这些依赖项。

本质上,特定平台的.dllor文件被打包到一个 jar 中,并通过识别目标平台的分类器推送到 Maven 服务器。.so然后 maven-dependency-plugin 解包平台特定的 jar,并将本机库复制到目标文件夹。

通常我会mvn exec:java用来运行 Java 程序,但exec:java在与 Maven 相同的 JVM 中运行应用程序,这会阻止我修改类路径。由于必须将本机依赖项添加到类路径中,因此我被迫mvn exec:exec改用。这是 pom 的相关片段:

...
<plugin>
    <groupId>org.codehaus.mojo</groupId>
    <artifactId>exec-maven-plugin</artifactId>
    <version>1.2.1</version>
    <configuration>
        <executable>java</executable>
        <arguments>
            <argument>-Djava.library.path=target/lib</argument>
            <argument>-classpath</argument>
            <classpath />
            <argument>com.example.app.MainClass</argument>
        </arguments>
    </configuration>
</plugin>
...

这适用于应用程序的默认配置,但我希望能够在命令行中指定一些可选参数。理想情况下,我想做这样的事情:

mvn exec:exec -Dexec.args="-a <an argument> -b <another argument>"

不幸的是,指定exec.args变量会覆盖我在 pom 中的参数(设置类路径和运行应用程序所需的参数)。有没有解决的办法?在命令行指定一些可选参数而不覆盖我在 pom 中的内容的最佳方法是什么?

4

2 回答 2

53

我设法使用 Maven 环境变量为我的问题找到了一个相当优雅的解决方案。

默认值在 pom 中定义为属性,并作为参数添加到 exec 插件中:

...
<properties>
    <argumentA>defaultA</argumentA>
    <argumentB>defaultB</argumentB>
</properties>
...
<plugin>
    <groupId>org.codehaus.mojo</groupId>
    <artifactId>exec-maven-plugin</artifactId>
    <version>1.2.1</version>
    <configuration>
        <executable>java</executable>
        <arguments>
            <argument>-Djava.library.path=${project.build.directory}/lib</argument>
            <argument>-classpath</argument>
            <classpath />
            <argument>com.example.app.MainClass</argument>
            <argument>-a</argument>
            <argument>${argumentA}</argument>
            <argument>-b</argument>
            <argument>${argumentB}</argument>
        </arguments>
    </configuration>
</plugin>
...

现在我可以像以前一样使用默认参数运行:

mvn exec:exec

我可以使用以下命令轻松覆盖命令行中每个参数的默认值:

mvn exec:exec -DargumentA=alternateA -DargumentB=alternateB
于 2013-03-04T18:40:32.107 回答
0

我花了一些时间理解标签“<classpath />”的含义。分享细节以造福社区。它将 pom.xml 中定义的依赖库添加到 JVM。有关更多详细信息,请查看https://www.mojohaus.org/exec-maven-plugin/examples/example-exec-for-java-programs.html

.... 如果指定为 exec.args 参数的一部分,特殊字符串 %classpath 将被 Maven 计算的项目类路径替换。%modulepath 的计数相同

于 2022-01-24T08:44:26.517 回答