当我们说mvn test时,通常的方式是maven会查找src / test / java文件夹中的测试。但是我在一些不同的文件夹中进行了测试,即src / integration-test / java。如何通过命令行运行此文件夹中的测试?
提前致谢,
的Manoj。
答案 0 :(得分:28)
首先,您不应该通过测试 life cycle运行这些集成测试 存在预集成测试,集成测试和集成后测试生命周期阶段。除了集成测试之外,maven-failsafe-plugin负责。
有几种方法可以处理您的情况。首先,您应该按照naming conventions进行集成测试
<includes>
<include>**/IT*.java</include>
<include>**/*IT.java</include>
<include>**/*ITCase.java</include>
</includes>
这意味着将集成测试放入默认文件夹 src / test / java 。如果你有一个多模块构建,那么最好只有一个包含集成测试的单独模块,或者你可以选择使用单独文件夹的路径(这不是最好的):
首先,您需要使用buildhelper-maven-plugin添加文件夹,以便像这样编译那些集成测试:
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>build-helper-maven-plugin</artifactId>
<version>1.9.1</version>
<executions>
<execution>
<id>add-test-source</id>
<phase>process-resources</phase>
<goals>
<goal>add-test-source</goal>
</goals>
<configuration>
<sources>
<source>src/integration-test/java</source>
</sources>
</configuration>
</execution>
</executions>
</plugin>
你必须像这样配置maven-failsafe-plugin:
<project>
[...]
<build>
<plugins>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-failsafe-plugin</artifactId>
<version>2.14.1</version>
<executions>
<execution>
<goals>
<goal>integration-test</goal>
<goal>verify</goal>
</goals>
</execution>
</executions>
</plugin>
</plugins>
</build>
[...]
</project>
配置完成后,您可以通过以下方式运行集成测试:
mvn verify
答案 1 :(得分:16)
@khmarbaise对他的建议是正确的(所以+1为此)但我想回答你的问题,而没有推测测试源位于其他地方的原因。
如果您的测试位于标准src/test/java
目录以外的其他目录中,则最简单的解决方案是更改Super POM中定义的testSourceDirectory
配置参数的默认值。
e.g。 src/foobar/java
使用
<build>
<testSourceDirectory>src/foobar/java</testSourceDirectory>
</build>
然后您只需运行mvn test
即可执行测试。
更复杂的解决方案......
如果您不想更改pom.xml配置,可以在命令行中指定testSourceDirectory参数,如下所示:
mvn -DtestSourceDirectory=src/foobar/java clean test
但请确保您的来源已编译。否则将无法找到并执行它们。在上面的示例中,测试源未放置在默认编译的位置,因此我们必须使用buildhelper插件更改pom并将目录添加到测试源列表中:
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>build-helper-maven-plugin</artifactId>
<version>1.8</version>
<executions>
<execution>
<id>add-test-source</id>
<phase>generate-sources</phase>
<goals>
<goal>add-test-source</goal>
</goals>
<configuration>
<sources>
<source>src/foobar/java</source>
</sources>
</configuration>
</execution>
</executions>
</plugin>
如果您不想更改pom中默认值的配置而不想在命令行传递新目录,则必须在maven-buildhelper-plugin和maven-surefire-plugin中配置路径在你的pom.xml中,像这样:
<build>
<plugins>
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>build-helper-maven-plugin</artifactId>
<version>1.8</version>
<executions>
<execution>
<id>add-test-source</id>
<phase>generate-sources</phase>
<goals>
<goal>add-test-source</goal>
</goals>
<configuration>
<sources>
<source>src/foobar/java</source>
</sources>
</configuration>
</execution>
</executions>
</plugin>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-surefire-plugin</artifactId>
<version>2.14.1</version>
<configuration>
<testSourceDirectory>src/foobar/java</testSourceDirectory>
</configuration>
</plugin>
</plugins>
</build>
现在,mvn test
的简单用法将在非标准位置执行测试。