在Java 8上为maven单元测试设置时区

iklwldmw  于 2024-01-05  发布在  Java
关注(0)|答案(1)|浏览(195)

如何在Java 8上的maven surefire中设置单元测试的时区?
在Java 7中,这通常用于systemPropertyVariables,如下面的配置,但在Java 8中,测试只使用系统时区。

  1. <plugin>
  2. <groupId>org.apache.maven.plugins</groupId>
  3. <artifactId>maven-surefire-plugin</artifactId>
  4. <configuration>
  5. <systemPropertyVariables>
  6. <user.timezone>UTC</user.timezone>
  7. </systemPropertyVariables>

字符串
为什么会这样,我该怎么解决?

2exbekwf

2exbekwf1#

简短回答

Java现在在surefire设置systemPropertyVariables中的属性之前提前读取user.timezone。解决方案是使用argLine提前设置它:

  1. <plugin>
  2. ...
  3. <configuration>
  4. <argLine>-Duser.timezone=UTC</argLine>

字符串

长回答

Java重新设置默认时区,在 * 第一次 * 需要时考虑user.timezone,然后将其缓存在java.util.TimeZone中。现在阅读jar文件时已经发生了这一点:ZipFile.getZipEntry现在调用ZipUtils.dosToJavaTime,这会创建一个Date示例,该示例将返回默认时区。特定的问题。有些人在JDK 7中称之为bug。这个程序以前以UTC打印时间,但现在使用系统时区:

  1. import java.util.*;
  2. class TimeZoneTest {
  3. public static void main(String[] args) {
  4. System.setProperty("user.timezone", "UTC");
  5. System.out.println(new Date());
  6. }
  7. }


一般来说,解决方案是在命令行上指定时区,如java -Duser.timezone=UTC TimeZoneTest,或使用TimeZone.setDefault(TimeZone.getTimeZone("UTC"));以编程方式设置时区。
完整的example

  1. <build>
  2. <plugins>
  3. <plugin>
  4. <groupId>org.apache.maven.plugins</groupId>
  5. <artifactId>maven-surefire-plugin</artifactId>
  6. ... could specify version, other settings if desired ...
  7. <configuration>
  8. <argLine>-Duser.timezone=UTC</argLine>
  9. </configuration>
  10. </plugin>
  11. </plugins>
  12. </build>

展开查看全部

相关问题