我正在编写一个Maven插件,需要检查某个项目是否存在 依赖有javadocs和可用的源...如果是的话,想要 下载它们并将它们存档在服务器上。
我无法找到如何检查javadoc和源是否可用 或如果他们是如何访问它们。
任何帮助都将不胜感激。
答案 0 :(得分:3)
您可以通过将分类器标记添加到依赖项来引用其他工件。分类器是存储库中工件名称的附加部分,例如junit-4.5- sources .jar
因此,要直接声明对junit源jar的依赖,可以按如下方式指定它:
<dependency>
<groupId>junit</groupId>
<artifactId>junit</artifactId>
<version>4.5</version>
<classifier>sources</classifier>
<scope>test</scope>
</dependency>
如果要下载所有依赖项源,请使用maven-dependency-plugin的copy-dependencies目标指定分类器源。以下示例定义了两个执行,一个用于源,一个用于javadoc。
<build>
<plugins>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-dependency-plugin</artifactId>
<executions>
<execution>
<id>sources</id>
<phase>package</phase>
<goals>
<goal>copy-dependencies</goal>
</goals>
<configuration>
<classifier>sources</classifier>
<failOnMissingClassifierArtifact>false</failOnMissingClassifierArtifact>
<outputDirectory>${project.build.directory}/sources</outputDirectory>
</configuration>
</execution>
<execution>
<id>javadocs</id>
<phase>package</phase>
<goals>
<goal>copy-dependencies</goal>
</goals>
<configuration>
<classifier>javadoc</classifier>
<failOnMissingClassifierArtifact>false</failOnMissingClassifierArtifact>
<outputDirectory>${project.build.directory}/javadocs</outputDirectory>
</configuration>
</execution>
</executions>
</plugin>
</plugins>
</build>
如果要将所有下载的工件打包成zip,可以使用maven-assembly-plugin创建项目的存档。下面的示例是包含sources和javadocs目录的程序集描述符文件的内容:
<assembly>
<id>project</id>
<formats>
<format>zip</format>
</formats>
<fileSets>
<fileSet>
<directory>${project.basedir}</directory>
<useDefaultExcludes>true</useDefaultExcludes>
<includes>
<include>${project.build.directory}/sources</include>
<include>${project.build.directory}/javadocs</include>
</includes>
</fileSet>
</fileSets>
</assembly>
要引用程序集,请在pom中添加插件配置。这假设上面的内容已经放在src / main / assembly / sources.xml中(确保它是在上面的依赖配置之后定义的):
<plugin>
<artifactId>maven-assembly-plugin</artifactId>
<version>2.2-beta-4</version>
<executions>
<execution>
<phase>package</phase>
<goals>
<goal>single</goal>
</goals>
<configuration>
<descriptors>
<descriptor>src/main/assembly/sources.xml</descriptor>
</descriptors>
</configuration>
</execution>
</executions>
</plugin>