Maven создать ZIP с JAR и еще несколько файлов - PullRequest
4 голосов
/ 27 ноября 2011

Я не понимаю, мавен.Лучше использовать ant, но ... Мне удалось создать jar (с или без зависимостей), мне удалось скопировать скрипт bat runner близко к jar, но теперь я хочу создать zip с этим jar и этим bat.Поэтому я использую плагин сборки и получаю BUUUM !!!!CADAAAM!В моей конфигурации это происходит так, что он выполняется параллельно упаковке jar.Я написал файл сборки:

    <assembly
xmlns="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.0"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.0 http://maven.apache.org/xsd/assembly-1.1.0.xsd">
    <id>jg</id>
    <formats>
        <format>jar</format>
    </formats>
    <includeBaseDirectory>false</includeBaseDirectory>
    <fileSets>
        <fileSet>
            <directory>${project.build.directory}/classes</directory>
            <outputDirectory>/123</outputDirectory>
            <excludes>
                <exclude>assembly/**</exclude>
                <exclude>runners/**</exclude>
            </excludes>
        </fileSet>
    </fileSets>
    <dependencySets>
        <dependencySet>
            <outputDirectory>/</outputDirectory>
            <useProjectArtifact>true</useProjectArtifact>
            <unpack>true</unpack>
            <scope>runtime</scope>
        </dependencySet>
    </dependencySets>
</assembly>

Затем я связал maven-assembly-plugin:

<plugin>
        <artifactId>maven-assembly-plugin</artifactId>
        <version>2.2.1</version>
        <executions>
            <execution>
                <phase>package</phase>
                <goals>
                    <goal>single</goal>
                </goals>
                <inherited>false</inherited>
                <configuration>
                    <archive>
                        <manifest>
                            <mainClass>by.dev.madhead.lzwj.Main</mainClass>
                            <addClasspath>true</addClasspath>
                        </manifest>
                    </archive>
                    <descriptors>
                            <descriptor>src/main/resources/assembly/assembly.xml</descriptor>
                            <!-- <descriptorRef>jar-with-dependencies</descriptorRef> -->
                    </descriptors>
                </configuration>
            </execution>
        </executions>
    </plugin>

Теперь я получаю это в ./target:

  1. runner.bat
  2. jar_without_dependencies.jar (это из maven-jar-plugin, верно?)
  3. jar_without_dependencies.jar

И третье раздражает меня.Он содержит: enter image description here И каталог 123 содержит: enter image description here

Как вы видите, я получаю jar с распакованными зависимостями, EXCLUDED DIRS !!!! и с dir 123, что на самом деле то, что я хочу(О! Плагин сборки сделал это !!!).

Я хочу получить jar с зависимостями и исправить манифест с classpath.Как вариант, я хочу jar с распакованными зависимостями (я знаю о <unpack>false</unpack> в сборке, но не могу заставить его работать).Я хочу изменить / 123 на / и получить НОРМАЛЬНУЮ БАНКУ БЕЗ ИСКЛЮЧЕННЫХ ФАЙЛОВ !!!Я хочу создать две отдельные задачи для создания jar и zip (это делается с профилями в maven ??) Как и в ant, я бы написал что-то вроде этого:

    <target name="jar_with_deps" depends-on="compile">
        <jar>
            here i copy classes (excluding some dirs with runner script), and build manifest
        </jar>
        <copy>
            copy bat file from src/main/resources/runner/runner.bat
        </copy>
    </target>
    <target name="zip" depends-on="jar_with_deps">
        <zip>
            Get jar from previous target, get runner.bat. Put them in zip
        </zip>
    </target>

Извините, если я слишком выразителен,но я действительно зол на это скрытое поведение.Я действительно застрял с этим.

Ответы [ 3 ]

6 голосов
/ 01 октября 2015

На всякий случай, если это кому-нибудь еще поможет, я обнаружил, что это было довольно легко сделать, по крайней мере, для моих основных нужд.Я уже использовал плагин Maven Shade для создания jar-файла со всеми включенными зависимостями:

<plugin>
  <groupId>org.apache.maven.plugins</groupId>
  <artifactId>maven-shade-plugin</artifactId>
  <version>2.4.1</version>
  <configuration></configuration>
  <executions>
    <execution>
      <phase>package</phase>
      <goals>
        <goal>shade</goal>
      </goals>
    </execution>
  </executions>
</plugin>

Так что, когда я запустил mvn package, он произвел бы target / MyApp-version.jar, тогда как я хотел MyApp-version.zip, содержащий MyApp-version.jar вместе с некоторыми другими файлами (README и т. д.).Итак, я добавляю плагин Assembly:

<plugin>
  <artifactId>maven-assembly-plugin</artifactId>
  <version>2.5.5</version>
  <configuration>
    <appendAssemblyId>false</appendAssemblyId>
    <descriptors>
      <descriptor>assembly.xml</descriptor>
    </descriptors>
  </configuration>
  <executions>
    <execution>
      <phase>package</phase>
      <goals>
        <goal>single</goal>
      </goals>
    </execution>
  </executions>
</plugin>

Вышеупомянутый блок относится к assembly.xml, который настраивает способ работы плагина :

<?xml version="1.0" encoding="utf-8"?>
<assembly xmlns="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.3"
      xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
      xsi:schemaLocation="http://maven.apache.org/plugins/maven-assembly-plugin/assembly/1.1.3 http://maven.apache.org/xsd/assembly-1.1.3.xsd">
    <id>release</id>
    <formats>
        <format>zip</format>
    </formats>
    <fileSets>
        <fileSet>
            <directory>target</directory>
            <includes>
                <include>MyApp-${app.version}.jar</include>
            </includes>
            <outputDirectory>/</outputDirectory>
        </fileSet>
    </fileSets>
    <files>
        <file>
            <source>CHANGES.md</source>
            <fileMode>0644</fileMode>
        </file>
        <file>
            <source>LICENSE</source>
            <fileMode>0644</fileMode>
        </file>
        <file>
            <source>README</source>
            <fileMode>0644</fileMode>
        </file>
    </files>
</assembly>

(${app.version} определено в элементе pom.xml <properties>.)

Вот и все, теперь mvn package производит и банку, и молнию.

1 голос
/ 27 ноября 2011

Я создал два профиля в pom.xml:

<profiles>
    <profile>
        <id>jar-with-dependencies</id>
        <activation>
            <activeByDefault>false</activeByDefault>
        </activation>
        <build>
            <plugins>
                <plugin>
                    <artifactId>maven-assembly-plugin</artifactId>
                    <version>2.2.1</version>
                    <configuration>
                        <archive>
                            <manifest>
                                <mainClass>by.dev.madhead.lzwj.Main</mainClass>
                            </manifest>
                        </archive>
                        <descriptorRefs>
                            <descriptorRef>jar-with-dependencies</descriptorRef>
                        </descriptorRefs>
                    </configuration>
                    <executions>
                        <execution>
                            <phase>package</phase>
                            <goals>
                                <goal>single</goal>
                            </goals>
                        </execution>
                    </executions>
                </plugin>
            </plugins>
        </build>
    </profile>
    <profile>
        <id>distro</id>
        <activation>
            <activeByDefault>false</activeByDefault>
        </activation>
        <build>
            <plugins>
                <plugin>
                    <artifactId>maven-assembly-plugin</artifactId>
                    <version>2.2.1</version>
                    <configuration>
                        <descriptors>
                            <descriptor>src/main/assembly/distro.xml</descriptor>
                        </descriptors>
                    </configuration>
                    <executions>
                        <execution>
                            <phase>package</phase>
                            <goals>
                                <goal>single</goal>
                            </goals>
                        </execution>
                    </executions>
                </plugin>
            </plugins>
        </build>
    </profile>
</profiles>

Теперь я могу создать простой jar (mvn clean package), jar с зависимостями (mvn clean package -Pjar-with-dependencies).Я также могу позвонить mvn package -Pdistro, чтобы создать почтовый индекс.Но мне нужно вызвать maven с -Pjar-with-dependencies перед этим вручную.Кроме этого все в порядке.

1 голос
/ 27 ноября 2011

У вас есть варианты для достижения вашей цели:

  1. : создайте два дескриптора сборки, один для jar w / deps и один для zip. Zip берет только что созданную банку.
  2. : создайте в своем проекте еще два модуля: первые модули шейды все углубления в одну банку (или прикрепите затененную банку вместе с вашей основной банкой, сохраните другой модуль), второй модуль зависит от это и засосать эту банку в вашу сборку. Вы сделали.

В зависимости от размера и структуры вашего проекта, я бы выбрал безопасный способ: вариант 2. Гарантированно правильный порядок сборки и размещения. Вариант 1 несколько нарушает маневренный путь.

...