I have some integration tests that depend on test data. This test data is created in phase pre-integration-test
and removed in phase post-integration-test
.
My problem is that these phases are still executed if I use -DskipITs
on the Maven commandline.
Is there any way to make -DskipITs
also skip the pre-integration-test and post-integration-test phases?
This is the plugin definition in the pom:
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>sql-maven-plugin</artifactId>
<version>1.5</version>
<dependencies>
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
<version>5.1.6</version>
</dependency>
</dependencies>
<configuration>
<driver>com.mysql.jdbc.Driver</driver>
<url>${database.url}</url>
<username>${database.user}</username>
<password>${database.pw}</password>
</configuration>
<executions>
<execution>
<id>create-integration-test-data</id>
<phase>pre-integration-test</phase>
<goals>
<goal>execute</goal>
</goals>
<configuration>
<orderFile>descending</orderFile>
<fileset>
<basedir>${basedir}/src/test/resources/sql</basedir>
<includes>
<include>AdministrationTestTeardown.sql</include>
<include>AdministrationTestSetup.sql</include>
</includes>
</fileset>
</configuration>
</execution>
<execution>
<id>remove-data-after-test</id>
<phase>post-integration-test</phase>
<goals>
<goal>execute</goal>
</goals>
<configuration>
<fileset>
<basedir>${basedir}/src/test/resources/sql</basedir>
<includes>
<include>AdministrationTestTeardown.sql</include>
</includes>
</fileset>
</configuration>
</execution>
</executions>
</plugin>
You can use a profile activated by the presence of skipITs
and the <skip>
option of the Maven plugin to skip the execution of the plugin entirely. There are several ways of doing this.
You can set a Maven property inside the profile, then use that property to skip actions.
<profiles>
<profile>
<id>skip-integration-test-data-creation</id>
<activation>
<property>
<name>skipITs</name>
</property>
</activation>
<properties>
<skip-integration-test-data-creation>true</skip-integration-test-data-creation>
</properties>
</profile>
</profiles>
-
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>sql-maven-plugin</artifactId>
...
<skip>${skip-integration-test-data-creation}</skip>
...
</plugin>
Another solution is to put all <plugin>
sections that should not run into a seperate profile, and disable that profile when -DskipITs
is active.
<profiles>
<profile>
<id>skip-integration-test-data-creation</id>
<activation>
<property>
<!-- Disable profile if skipITs is set -->
<name>!skipITs</name>
</property>
</activation>
<build>
<plugins>
<plugin>
<!-- Here: All plugins that should not run if skipITs is set -->
</plugin>
</plugins>
</build>
</profile>
</profiles>