我使用fest进行了一些单元测试,现在我需要在无头系统上使用 maven 运行 mvn 我的测试。我想使用 Xvfb 运行测试,但我需要帮助来配置 maven 以在测试之前启动 Xvfb 并在所有完成后停止它。
3 回答
与exec-maven-plugin
:
您必须定义两个执行,一个用于启动服务器,一个用于停止它。您必须将这些执行配置与适当的 maven 阶段联系起来——在测试阶段之前启动 Xvfb,并在测试阶段之后停止 Xvfb。
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>exec-maven-plugin</artifactId>
<version>1.2.1</version>
<executions>
<execution>
<id>exec-at-test-compile</id>
<phase>test-compile</phase> <!-- runs right before 'test' -->
<goals>
<goal>exec</goal>
</goals>
<configuration>
<executable>/home/anew/bin/manage-xvfb.sh</executable>
<arguments>
<argument>start</argument>
</arguments>
</configuration>
</execution>
<execution>
<id>exec-at-prepare-package</id>
<phase>prepare-package</phase> <!-- runs right after 'test' -->
<goals>
<goal>exec</goal>
</goals>
<configuration>
<executable>/home/anew/bin/manage-xvfb.sh</executable>
<arguments>
<argument>stop</argument>
</arguments>
</configuration>
</execution>
</executions>
</plugin>
这是manage-xvfb.sh
脚本的内容:
#!/bin/bash
XVFB_CMD="sudo /usr/bin/Xvfb :15 -ac -screen 0 1024x768x8"
function stop_xvfb {
XVFB_PID=`ps ax | pgrep "Xvfb"`
if [ "${XVFB_PID}" != "" ]; then
sudo kill ${XVFB_PID}
fi
}
if [ "${1}" == "start" ]; then
stop_xvfb
${XVFB_CMD} &
elif [ "${1}" == "stop" ]; then
stop_xvfb
fi
请注意,您需要NOPASSWD
在 sudoers 文件中进行设置。
实际上我使用这个插件配置:
<plugin>
<artifactId>maven-antrun-plugin</artifactId>
<executions>
<execution>
<id>start-xvfb</id>
<phase>process-test-classes</phase>
<goals>
<goal>run</goal>
</goals>
<configuration>
<tasks>
<echo message="Starting xvfb ..." />
<exec executable="Xvfb" spawn="true">
<arg value=":1" />
</exec>
</tasks>
</configuration>
</execution>
<execution>
<id>shutdown-xvfb</id>
<phase>test</phase>
<goals>
<goal>run</goal>
</goals>
<configuration>
<tasks>
<echo message="Ending xvfb ..." />
<exec executable="killall">
<arg value="Xvfb" />
</exec>
</tasks>
</configuration>
</execution>
</executions>
</plugin>
好处是您获得了一个后台进程(使用spawn = "true"
),并且您可以终止 Xvfb 进程(使用killall
)而无需编写任何脚本。此外,在我的 Ubuntu 发行版中,我不必在我的 sudoers 文件中设置任何特殊设置来让它工作。
shutdown-xvfb 执行在测试阶段结束时执行,但如果测试失败则不执行(这里是问题)。如果要重新启动另一个测试,这不是问题(旧的 Xvfb 仍在运行,新的无法运行,但这不是问题),但问题是 Xvfb 仍然忙于资源。解决此问题的方法可能是添加testFailureIgnore = "true"
到 maven-surefire-plugin 的配置中,但这样我就无法轻松查看某些测试是否失败。
这项工作可以通过selenium-maven-plugin轻松完成:
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>selenium-maven-plugin</artifactId>
<executions>
<execution>
<id>setup-xvfb</id>
<phase>pre-integration-test</phase>
<goals>
<goal>xvfb</goal>
</goals>
</execution>
</executions>
</plugin>
不幸的是,这个插件似乎没有维护。它是mojohaus 项目codehaus.org
的一部分,该项目最近从github.com
. 似乎还没有人将其移植selenium-maven-plugin
到 github,因此 mojohaus 的 github 页面上目前没有可用的资源和文档。
但是,JAR 在Maven Central上可用,并且插件仍然可以使用。如果您需要查找更多配置参数,可以在 github 上找到源代码和站点的分支。