Goで日付を比較するオプションはありますか?日付と時刻に基づいて、データを個別に並べ替える必要があります。そのため、ある範囲内で発生する限り、ある範囲内で発生するオブジェクトを許可する場合があります。このモデルでは、最も古い日付、最も新しい時刻/最新の日付、最新の時刻を選択し、それらをUnix()秒で比較するだけでは不十分です。私は提案を本当にいただければ幸いです。
最終的に、時間解析文字列比較モジュールを作成して、時間が範囲内かどうかを確認しました。ただし、これはうまくいきません。いくつかの大きな問題があります。楽しみのためにここに投稿しますが、時間を比較するためのより良い方法があることを願っています。
package main
import (
"strconv"
"strings"
)
func tryIndex(arr []string, index int, def string) string {
if index <= len(arr)-1 {
return arr[index]
}
return def
}
/*
* Takes two strings of format "hh:mm:ss" and compares them.
* Takes a function to compare individual sections (split by ":").
* Note: strings can actually be formatted like "h", "hh", "hh:m",
* "hh:mm", etc. Any missing parts will be added lazily.
*/
func timeCompare(a, b string, compare func(int, int) (bool, bool)) bool {
aArr := strings.Split(a, ":")
bArr := strings.Split(b, ":")
// Catches margins.
if (b == a) {
return true
}
for i := range aArr {
aI, _ := strconv.Atoi(tryIndex(aArr, i, "00"))
bI, _ := strconv.Atoi(tryIndex(bArr, i, "00"))
res, flag := compare(aI, bI)
if res {
return true
} else if flag { // Needed to catch case where a > b and a is the lower limit
return false
}
}
return false
}
func timeGreaterEqual(a, b int) (bool, bool) {return a > b, a < b}
func timeLesserEqual(a, b int) (bool, bool) {return a < b, a > b}
/*
* Returns true for two strings formmated "hh:mm:ss".
* Note: strings can actually be formatted like "h", "hh", "hh:m",
* "hh:mm", etc. Any missing parts will be added lazily.
*/
func withinTime(timeRange, time string) bool {
rArr := strings.Split(timeRange, "-")
if timeCompare(rArr[0], rArr[1], timeLesserEqual) {
afterStart := timeCompare(rArr[0], time, timeLesserEqual)
beforeEnd := timeCompare(rArr[1], time, timeGreaterEqual)
return afterStart && beforeEnd
}
// Catch things like `timeRange := "22:00:00-04:59:59"` which will happen
// with UTC conversions from local time.
// THIS IS THE BROKEN PART I BELIEVE
afterStart := timeCompare(rArr[0], time, timeLesserEqual)
beforeEnd := timeCompare(rArr[1], time, timeGreaterEqual)
return afterStart || beforeEnd
}
TLDRで、insideTimeRange(range、time)関数を記述しましたが、完全に正しく機能していません。(実際、ほとんどの場合、時間範囲が日をまたぐ2番目のケースだけが壊れています。元の部分は機能しましたが、ローカルからUTCへの変換を行うときにそれを考慮する必要があることに気付きました。)
より良い(できれば組み込みの)方法があれば、それについて聞いてみたいです!
注:例として、私はこの問題をこの関数でJavaScriptで解決しました:
function withinTime(start, end, time) {
var s = Date.parse("01/01/2011 "+start);
var e = Date.parse("01/0"+(end=="24:00:00"?"2":"1")+"/2011 "+(end=="24:00:00"?"00:00:00":end));
var t = Date.parse("01/01/2011 "+time);
return s <= t && e >= t;
}
ただし、このフィルターをサーバー側で実行したいのですが。