我尝试使用jxl创建Excel工作表。 我的一个领域是Date,我住的是GMT + 1 TimeZone
我使用这样的东西来做:
WritableCellFormat EXCEL_DATE_FORMATTER = new WritableCellFormat(new DateFormat("dd/MM/yyyy hh:mm"));
...
WritableCell cell = null;
cell = new jxl.write.DateTime(col, row, date);
cell.setCellFormat(EXCEL_DATE_FORMATTER);
日期是以正确的格式书写,但值为-1小时(格林威治标准时间) 我试图找到一个解决方案,我找到了这个 http://www.andykhan.com/jexcelapi/tutorial.html#dates 但是我无法将SimpleDateFormat传递给DateCell。 有办法吗? 现在我使用java.util.Calendar添加一个小时,但这是一个可怕的解决方案。 谢谢你的帮助!
答案 0 :(得分:2)
jxl.write.DateTime类有几个构造函数(参见API)。
默认情况下,它会使用您的系统TimeZone来修改日期。您可以将构造函数传递给jxl.write.DateTime.GMTDate对象以禁用此功能。以下是您应该使用的代码:
WritableCell cell = null;
cell = new jxl.write.DateTime(col, row, date, DateTime.GMT);
答案 1 :(得分:1)
昨天我遇到了同样的问题。我住在CET时区(中欧时间),简单创建DateTime
单元格的时间大约是一小时。
首先,我尝试按照官方教程中的建议在GMT
设置时区。
final DateFormat valueFormatDate = new DateFormat( "dd.MM.yyyy HH:mm" );
valueFormatDate.getDateFormat().setTimeZone( TimeZone.getTimeZone( "GMT" ) );
似乎无法正常工作。时间修改仍然相同。所以我尝试设置正确的时区以匹配Date
对象中的时区。
final DateFormat valueFormatDate = new DateFormat( "dd.MM.yyyy HH:mm" );
valueFormatDate.getDateFormat().setTimeZone( TimeZone.getTimeZone( "CET" ) );
这完全符合我的预期。但事情不是太容易,除了CET时区之外还有CEST(中欧夏令时),它将时间再推动了一个小时。当我尝试在CEST时间使用日期时,它没有再次起作用,因为预期的基数增加了一个小时。我想可以解决为他们设置“CEST”时区而不是“CET”但是我没有弄清楚如何从Calendar
获得正确的时区,它总是退回CET。
无论如何最后我使用了一个不太好但可靠的解决方案。
Date
转换为GMT时区DateTime
单元格上的时区修改。这些步骤并非绝对干净,但适用于CET和CEST日期。最终的代码在这里:
public class DateUtils {
// formatter to convert from current timezone
private static final SimpleDateFormat DATE_FORMATTER_FROM_CURRENT = new SimpleDateFormat( "yyyy-MM-dd HH:mm:ss" );
// formatter to convert to GMT timezone
private static final SimpleDateFormat DATE_FORMATTER_TO_GMT = new SimpleDateFormat( "yyyy-MM-dd HH:mm:ss" );
static {
// initialize the GMT formatter
final Calendar cal = Calendar.getInstance( new SimpleTimeZone( 0, "GMT" ) );
DATE_FORMATTER_TO_GMT.setCalendar( cal );
}
public static Date toGMT( final Date base ) {
try {
// convert to string and after that convert it back
final String date = DATE_FORMATTER_FROM_CURRENT.format( base );
return DATE_FORMATTER_TO_GMT.parse( date );
} catch ( ParseException e ) {
log.error( "Date parsing failed. Conversion to GMT wasn't performed.", e );
return base;
}
}
}
还有工厂方法
/** builds date cell for header */
static WritableCell createDate( final int column, final int row, final Date value ) {
final DateFormat valueFormatDate = new DateFormat( "dd.MM.yyyy HH:mm" );
valueFormatDate.getDateFormat().setTimeZone( TimeZone.getTimeZone( "GMT" ) );
final WritableCellFormat formatDate = new WritableCellFormat( valueFormatDate );
// create cell
return new DateTime( column, row, toGMT( value ), formatDate, DateTime.GMT );
}