How to protect auto-generated sources during clean package in maven?(如何在Maven中清洁封装时保护自动生成的源码?)
问题描述
我有一个maven配置文件,它触发xsd
和wsdl
类的自动生成,如下所示:
<plugin>
<groupId>org.apache.cxf</groupId>
<artifactId>cxf-xjc-plugin</artifactId>
<version>${cxf-xjc-plugin}</version>
<executions>
<execution>
<id>generate-sources</id>
<phase>generate-sources</phase>
<configuration>
<sourceRoot>${project.build.directory}/generated/src/main/java</sourceRoot>
<xsdOptions>
//xsds, wsdls etc
</xsdOptions>
</configuration>
<goals>
<goal>xsdtojava</goal>
</goals>
</execution>
</executions>
</plugin>
生成的类转到:target/generated/src/main/java
。
clean
删除target
目录中除generated/
目录之外的全部内容?
推荐答案
可以不使用maven-clean-plugin
删除某些目录,但这绝对不是一个好主意:
- 这违反了Maven的惯例
- 每次希望生成这些类时,它都会强制您更改POM
您确切问题的解决方案(不推荐)
您可以使用excludeDefaultDirectories
和filesets
参数排除maven-clean-plugin
目录:
<plugin>
<artifactId>maven-clean-plugin</artifactId>
<version>2.6.1</version>
<configuration>
<excludeDefaultDirectories>true</excludeDefaultDirectories>
<filesets>
<fileset>
<directory>${project.build.directory}</directory>
<excludes>
<exclude>generated/*</exclude>
</excludes>
</fileset>
</filesets>
</configuration>
</plugin>
请注意,我强烈建议您不要使用此解决方案。
建议的解决方案
您的实际问题不是每次构建时都重新生成类,因为这需要花费很多时间。目标是避免使用自定义配置文件生成:
<profiles>
<profile>
<id>noGenerate</id>
<properties>
<xjc.generate>none</xjc.generate>
</properties>
</profile>
<profile>
<id>generate</id>
<activation>
<activeByDefault>true</activeByDefault>
</activation>
<properties>
<xjc.generate>generate-sources</xjc.generate>
</properties>
</profile>
</profiles>
具有以下插件定义:
<plugin>
<groupId>org.apache.cxf</groupId>
<artifactId>cxf-xjc-plugin</artifactId>
<version>${cxf-xjc-plugin}</version>
<executions>
<execution>
<id>generate-sources</id>
<phase>${xjc.generate}</phase>
<configuration>
<sourceRoot>${project.build.directory}/generated/src/main/java</sourceRoot>
<xsdOptions>
//xsds, wsdls etc
</xsdOptions>
</configuration>
<goals>
<goal>xsdtojava</goal>
</goals>
</execution>
</executions>
</plugin>
似乎cxf-xjc-plugin
没有任何skip
参数,所以当我们想要避免执行时,必须将phase
设置为none
(这是一个未记录的功能,但它是有效的)。
诀窍是定义两个配置文件:一个在默认情况下激活,设置一个属性告诉cxf-xjc-plugin
在generate-soures
阶段执行,而另一个设置一个属性告诉cxf-xjc-plugin
不要执行。
因此,当您想要生成类时,可以使用mvn clean install
调用Maven,而当您不想生成类时,可以使用mvn clean install -PnoGenerate
调用Maven。
这里真正的好处和好处是,您不需要在每次决定是否生成类时都更改POM。
这篇关于如何在Maven中清洁封装时保护自动生成的源码?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:如何在Maven中清洁封装时保护自动生成的源码?
基础教程推荐
- 如何在不安装整个 WTP 包的情况下将 Tomcat 8 添加到 Eclipse Kepler 2022-01-01
- 如何使用 Eclipse 检查调试符号状态? 2022-01-01
- 如何使用 Stream 在集合中拆分奇数和偶数以及两者的总和 2022-01-01
- 首次使用 Hadoop,MapReduce Job 不运行 Reduce Phase 2022-01-01
- 如何强制对超级方法进行多态调用? 2022-01-01
- 由于对所需库 rt.jar 的限制,对类的访问限制? 2022-01-01
- Spring Boot Freemarker从2.2.0升级失败 2022-01-01
- 如何对 HashSet 进行排序? 2022-01-01
- 在螺旋中写一个字符串 2022-01-01
- Java 中保存最后 N 个元素的大小受限队列 2022-01-01