项目调试过程中会遇到这样一个场景,明明修改了代码,上传到服务器重启后总是会怀疑不是最新的包,为了证明代码是最更新的,我们通常会在代码里面输出一句话以证明代码是修改之后的,但是这样做会很麻烦,
每次都要加多余的代码,有时候打包之前可能还会忘记加,所有就想着有没有通用的办法解决这个问题,以后就不再为此操心.
我们一下就能想到的解决方案就是使用maven的打包时间,那么怎么才能动态的获取到maven的打包时间呢?
凭借着强大的搜索引擎我找到了两种方法,在此梳理总结一下,供大家参考,以便日后查找
第一步要在pom.xml中获取到打包时间
在pom.xml文件的properties中添加如下内容
<properties> <!--指定时间格式--> <maven.build.timestamp.format>yyyy-MM-dd HH:mm:ss</maven.build.timestamp.format> <!--maven.build.timestamp保存了maven编译时间戳--> <timestamp>${maven.build.timestamp}</timestamp> </properties>
其中timestamp就是maven打包编译的时间,但是记录的时间是UTC时间(世界标准时间),与中国相差8个时区,如果要把打包时间写到包名上则需要借助build-helper-maven-plugin插件获得本时区的时间,
我们这里是要在代码中获取该时间,因此也可以用代码来处理.
方案一.使用自定义的properties配置文件来获取到maven的打包时间
1.1 在pom.xml的build中添加如下内容,使properties能取到pom.xml中的数据
<resources> <resource> <directory>src/main/resources/</directory> <filtering>true</filtering> </resource> </resources>
1.2 在resources下新建remote.properties文件
文件内容如下
# maven打包时间
maven.package_time=@timestamp@
@XXX@ 双@表示要去pom.xml中的参数值,XXX就是pom.xml的值
1.3 新建配置类
@Configuration @ConfigurationProperties(prefix = "maven", ignoreUnknownFields = false) @PropertySource(value= "classpath:config/maven.properties",encoding = "utf-8") @Data @Component public class MavenProperties { /**maven打包时间*/ private String package_time; }
1.4 代码中使用方式
@Resource private MavenProperties mavenProperties;
@Test
public void run() throws Exception {
log.info("打包时间:{}",mavenProperties.getPackage_time());
}
maven 中的build resource 中的filtering作用
方案二.使用SpringBoot默认的application.yml配置文件来获取maven的打包时间,使用起来简单许多
2.1在application.yml文件中添加如下配置
maven:
package_time: '@timestamp@' # maven打包时间
'@XXX@' 双@表示要去pom.xml中的参数值,XXX就是pom.xml的值
注意引号不能掉,否则会报错(yml bug导致)
2.2获取到之后代码中使用就行了
@Value("${maven.package_time}") private String packageTime;
@Test
public void run() throws Exception {
log.info("打包时间:{}", modifyTime(packageTime));
}
/**
* 修改时间为东8区
* @param date
* @return
*/
private String modifyTime(String date) {
Date oldDate=null;
try {
SimpleDateFormat simpleDateFormat = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");
oldDate = simpleDateFormat.parse(date);
} catch (ParseException e) {
e.printStackTrace();
}
Calendar calendar = Calendar.getInstance();
calendar.setTime(oldDate);
calendar.add(Calendar.HOUR_OF_DAY, +8);
return DateUtil.calendarToDateStr(calendar);
}