Как отобразить номер сборки в весеннем веб-приложении - PullRequest
10 голосов
/ 07 июля 2010

Мне нужно отобразить номер сборки на моей странице index.jsp

<!DOCTYPE HTML>
<html>
<head>
<meta charset="UTF-8" />
<title>Title (build: BUILDNUMBER )
</head>

Номер сборки может быть предоставлен maven в файл * .properties. Каков наилучший способ чтения файла * .properties и отображения свойства с помощью Spring?

Ответы [ 3 ]

6 голосов
/ 07 июля 2010

Вы можете загрузить файл .properties в качестве источника сообщения локализации (используя ResourceBundlerMessageSource) и получить к нему доступ в JSP, используя <spring:message> или <fmt:message>:

src/main/resources/buildInfo.properties:

buildNumber=${buildNumber}

, где buildNumber выставлено, как предлагает Роланд Шнайдер.

Конфигурация контекста:

<bean id="messageSource" class="org.springframework.context.support.ResourceBundleMessageSource">
    <property name = "basenames"><value>buildInfo</value></property>
    <!-- Or a comma separated list if you have multiple .properties files -->
</bean>

Файл JSP:

Version: <spring:message code = "buildNumber" />

pom.xml:

<resources>
    <resource>
        <directory>src/main/resources</directory>
        <filtering>true</filtering>
    </resource>
</resources>
4 голосов
/ 18 февраля 2013

Вот как я это сделал, используя maven + jstl и опуская Spring, поскольку это только усложняет.

build.jsp

<%@ taglib uri="http://java.sun.com/jsp/jstl/fmt" prefix="fmt" %>
<jsp:useBean id="dateValue" class="java.util.Date" />
<jsp:setProperty name="dateValue" property="time" value="${timestamp}" />
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<title>Build info</title>
</head>
<body>
<table>
<tr>
    <td>Build time: </td>
    <td><fmt:formatDate value="${dateValue}" pattern="dd.MM.yyyy HH:mm:ss" /></td>
</tr>
<tr>
    <td>Build number: </td>
    <td>${buildNumber}</td>
</tr>
<tr>
    <td>Branch: </td>
    <td>${scmBranch}</td>
</tr>
</table>
</body>
</html>

Maven Pom

<!-- plugin that sets build number as a maven property -->
<plugin>
  <groupId>org.codehaus.mojo</groupId>
  <artifactId>buildnumber-maven-plugin</artifactId>
  <version>1.1</version>
  <executions>
    <execution>
      <phase>validate</phase>
      <goals>
        <goal>create</goal>
      </goals>
      <configuration>
        <format>{0,date,yyDHHmm}</format>
        <items>
          <item>timestamp</item>
        </items>
      </configuration>
    </execution>
  </executions>
  <configuration>
    <format>{0,date,yyDHHmm}</format>
    <items>
      <item>timestamp</item>
    </items>
  </configuration>
</plugin>
<!-- war plugin conf to enable filtering for our file -->
<plugin>
    <groupId>org.apache.maven.plugins</groupId>
    <artifactId>maven-war-plugin</artifactId>
    <configuration>
        <webResources>
            <resource>
                <directory>src/main/webapp/</directory>
                <includes>
                    <include>build.jsp</include>
                </includes>
                <filtering>true</filtering>
                <targetPath>.</targetPath>
            </resource>
        </webResources>
    </configuration>
</plugin>

Более подробную информацию об использовании buildnumber-maven-plugin можно найти на странице использования .

1 голос
/ 07 июля 2010

Предупреждение : фильтрация ресурсов не работает таким образом для файлов .jsp. Как отметил Паскаль Тивент (спасибо), index.jsp не является ресурсом, а принадлежит веб-приложению.


Я не знаю точного ответа на ваш вопрос, но вы можете жестко запрограммировать номер сборки в файле index.jsp с помощью maven, когда файл index.jsp копируется в целевой каталог. Вам всего лишь нужно вставить переменную в index.jsp и настроить плагин maven-resource-plugin для включения фильтрации.

Пример:

index.jsp

<!DOCTYPE HTML>
<html>
<head>
<meta charset="UTF-8" />
<title>Title (build: ${buildNumber} )
</head>

Конфигурация Maven (выдержка из pom.xml)

<build>

    <!-- Enable Resource Filtering -->
    <resources>
        <resource>
            <directory>src/main/resources</directory>
            <filtering>true</filtering>
        </resource>
    </resources>

    <!-- Fetch the SVN build-number into var ${buildNumber} -->
    <plugins>
        <plugin>
            <groupId>org.codehaus.mojo</groupId>
            <artifactId>buildnumber-maven-plugin</artifactId>
            <executions>
                <execution>
                    <phase>validate</phase>
                    <goals>
                        <goal>create</goal>
                    </goals>
                </execution>
            </executions>
            <configuration>
                <doCheck>false</doCheck>
                <doUpdate>false</doUpdate>
            </configuration>
        </plugin>
    </plugins>

</build>

Для получения дополнительной информации о фильтрации см. Руководство по фильтрации Maven

...