dbdate.go 1.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475
  1. package main
  2. import "time"
  3. type DBDate uint32
  4. // YYYYMMDD max 8 digits. int32.
  5. func (d *DBDate) Year() int {
  6. return int(*d) / 10000
  7. }
  8. func (d *DBDate) Month() int {
  9. return (int(*d) / 100) % 100
  10. }
  11. func (d *DBDate) Day() int {
  12. return int(*d) % 100
  13. }
  14. // Set day - does no validation
  15. func (d *DBDate) SetDay(day int) {
  16. var i int = int(*d)
  17. i -= (i % 100)
  18. i += day
  19. *d = DBDate(i)
  20. }
  21. // Make the first of the month
  22. func (d *DBDate) First() {
  23. d.SetDay(1)
  24. }
  25. // Make end of month
  26. func (d *DBDate) Last() {
  27. var value int = int(*d)
  28. var lastDay time.Time = time.Date(value/10000,
  29. time.Month((value/100)%100)+1,
  30. 0, 2, 2, 2, 0, time.Local)
  31. *d = DBDate(lastDay.Year()*10000 +
  32. int(lastDay.Month())*100 + lastDay.Day())
  33. }
  34. func NewDBDate(year, month, day int) DBDate {
  35. return DBDate(year*10000 + month*100 + day)
  36. }
  37. func (d *DBDate) YMD() (int, int, int) {
  38. var i int = int(*d)
  39. return i / 10000, (i / 100) % 100, i % 100
  40. }
  41. // Convert time.Time to DBDate
  42. func ToDBDate(point time.Time) DBDate {
  43. return DBDate(point.Year()*10000 +
  44. int(point.Month())*100 + point.Day())
  45. }
  46. // Convert DBDate to time.Time
  47. func DBDateTime(point DBDate) time.Time {
  48. // I'm not sure about hours, minutes, seconds.
  49. var value int = int(point)
  50. var result time.Time = time.Date(value/10000,
  51. time.Month((value/100)%100),
  52. value%100, 2, 2, 2, 0, time.Local)
  53. return result
  54. }
  55. //
  56. // Store dates as uint32
  57. // YYYYMMDD
  58. //
  59. // So: Jan 21, 2022 => 20220121
  60. //