I'm in the middle of correcting some date/time handling in a Rails app. One of things that was wrong was the handling of user input date/time fields. Obviously when users provide date/time values they're assuming we understand the information was provided from the perspective of their timezone. Especially when we don't explicitly require them to provide timezone information.
The problem with this is that Ruby's DateTime.parse method always returns UTC based times. You can see this clearly in the example below:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Time.zone | |
# (GMT-06:00) Central Time (US & Canada) | |
DateTime.parse("2011/01/01T00:00").utc? | |
# true | |
DateTime.parse("2011/01/01T00:00").to_time.getlocal | |
# 2010-12-31 18:00:00 -0600 |
The solution is straight forward of course. You just have to add the inverse of the users timezone offset to the value returned from DateTime.parse as demonstrated below.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
t = DateTime.parse("2011/01/01T00:00") + (Time.now.getlocal.utc_offset * -1).seconds | |
# Sat, 01 Jan 2011 06:00:00 +0000 | |
t.to_time.localtime | |
# 2011-01-01 00:00:00 -0600 |
On line 4 you can see it's correct even when converted from UTC to local time.
As an alternative you could include the timezone information before parsing it but that's not always easy because you don't necessarily now the format of the user's input.
Of course all of this is generally pretty obvious but I shared just in case it can help some one less familiar with the issues.
2 comments:
Thanks for that. I had the same problem and this helped.
Thanks for that. I had the same problem and this helped.
Post a Comment