从 ant ivy 中检索特定的 jar

Retrieve specific jar from ant ivy

我用ant + ivy做一个项目。因此,假设我需要 运行 <sql 蚂蚁任务,因此我需要首先获取 jdbc 驱动程序。此外,在编译项目期间需要驱动程序。所以我想要 2 个配置:

然后 运行 检索具有不同配置的任务:

<!--Fetch all project dependencies, including jdbc driver-->
<ivy:retrieve pattern="${build.lib.home}/[artifact].[ext]" conf="default" />


<!-- Fetch only jdbc driver-->
<ivy:retrieve pattern="${build.lib.home}/[artifact].[ext]" conf="jdbc" />

ivy.xml

<?xml version="1.0" encoding="UTF-8"?>
<ivy-module version="2.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="http://ant.apache.org/ivy/schemas/ivy.xsd">
    <info organisation="" module="notebook-ivy"/>

    <configurations>
        <conf name="default" visibility="public" extend="jdbc"/>
        <conf name="jdbc" visibility="public"/>
    </configurations>

    <dependencies>
        <dependency org="mysql" name="mysql-connector-java" rev="5.1.6" conf="jdbc->default"/>
        <dependency org="org.apache.camel" name="camel-core" rev="2.15.1"/>

    </dependencies>
</ivy-module>

我正在使用 public mavencentral,所以我无法更改服务器上的依赖项配置: ivysettings.xml

<ivysettings>
  <settings defaultResolver="chain"/>
  <resolvers>
    <chain name="chain">
      <ibiblio name="central" m2compatible="true" root="http://central.maven.org/maven2/"/>
    </chain>
  </resolvers>
</ivysettings>

上述配置有效。但是当 default 扩展 jdbcjdbc 同时扩展 default 时,它看起来很混乱。我是 ivy 的新手,所以我的问题是:这是否是使用 ivy 配置的正确方法。

"extends" 操作使您能够在 ivy 配置中对 jars 执行联合集操作,因此这会很好地工作。

我的偏好是根据我预期的类路径要求对配置进行建模:

<configurations>
    <conf name="compile" description="Dependencies required to build project"/>
    <conf name="compile" description="Dependencies required to run project" extends="compile"/>
    <conf name="test" description="Dependencies required to test project" extends="runtime"/>
    <conf name="build" description="ANT build tasks"/>
</configurations>

然后可以使用 ivy 缓存路径任务在构建文件中创建这些路径:

  <target name="resolve">
    <ivy:resolve/>

    <ivy:cachepath pathid="build.path" conf="build"/>
    <ivy:cachepath pathid="compile.path" conf="compile"/>
    <ivy:cachepath pathid="test.path" conf="test"/>
  </target>

这种方法意味着 jdbc jar 之类的东西将被映射到 "compile" 配置,使其可用于 javac 任务:

  <target name="compile" depends="resolve">
    ..
    <javac ... classpathref="compile.path"/>
  </target>

但也包含在构建 jar 包时作为依赖项保存到磁盘的 "runtime" 配置中:

  <target name="build" depends="compile">
    <ivy:retrieve pattern="${dist.dir}/lib/[artifact].[ext]" conf="runtime"/>

    <manifestclasspath property="jar.classpath" jarfile="${dist.jar}">
      <classpath>
        <fileset dir="${dist.dir}/lib" includes="*.jar"/>
      </classpath>
    </manifestclasspath>

    <jar destfile="${dist.jar}" basedir="${build.dir}/classes">
      <manifest>
        <attribute name="Main-Class" value="${dist.main.class}"/>
        <attribute name="Class-Path" value="${jar.classpath}"/>
      </manifest>
    </jar>
  </target>