Switched to expression-based timestamps

This commit is contained in:
Leon Mika 2025-11-19 22:05:58 +11:00
parent 7bf586757a
commit 5c89c44ff7
7 changed files with 215 additions and 151 deletions

105
cmds/timestamps/ast.go Normal file
View file

@ -0,0 +1,105 @@
package main
import (
"errors"
"strings"
"time"
)
type TimeComponent struct {
TS *string `parser:"@Time"`
}
func (t TimeComponent) Time() (time.Time, error) {
if strings.HasSuffix(*t.TS, "Z") {
return time.ParseInLocation("15:04:05Z", *t.TS, time.UTC)
}
return time.ParseInLocation("15:04:05", *t.TS, time.Local)
}
func (t TimeComponent) RequiresRefreshing() bool {
return false
}
type DateWithTimeComponents struct {
Date *string `parser:"@Date"`
MaybeTime *TimeComponent `parser:" @@?"`
}
func (d DateWithTimeComponents) Time() (time.Time, error) {
t, err := time.Parse("2006-01-02", *d.Date)
if err != nil {
return time.Time{}, err
}
if d.MaybeTime != nil {
tt, err := d.MaybeTime.Time()
if err != nil {
return time.Time{}, err
}
t = t.Add(tt.Sub(tt.Truncate(24 * time.Hour)))
}
return t, nil
}
type Timestamp struct {
Full *string `parser:"@Timestamp"`
DT *DateWithTimeComponents `parser:"| @@"`
TimeToday *TimeComponent `parser:" | @@"`
Int *int `parser:" | @Int"`
}
func (t Timestamp) Time() (time.Time, error) {
switch {
case t.Full != nil:
if strings.HasSuffix(*t.Full, "Z") {
return time.ParseInLocation("2006-01-02T15:04:05Z", *t.Full, time.UTC)
}
return time.ParseInLocation("2006-01-02T15:04:05", *t.Full, time.Local)
case t.DT != nil:
return t.DT.Time()
case t.TimeToday != nil:
tt, err := t.TimeToday.Time()
if err != nil {
return time.Time{}, err
}
today := time.Now().In(tt.Location())
return time.Date(today.Year(), today.Month(), today.Day(), tt.Hour(), tt.Minute(), tt.Second(), tt.Nanosecond(), tt.Location()), nil
}
return time.Unix(int64(*t.Int), 0), nil
}
func (t Timestamp) RequiresRefreshing() bool {
return false
}
type Atom struct {
Timestamp *Timestamp `parser:"@@"`
Identifier *string `parser:" | @Identifier"`
}
func (a Atom) Time() (time.Time, error) {
switch {
case a.Timestamp != nil:
return a.Timestamp.Time()
case a.Identifier != nil:
if *a.Identifier == "now" {
return time.Now(), nil
}
return time.Time{}, errors.New("unknown identifier")
}
return time.Time{}, errors.New("unhandled case")
}
func (a Atom) RequiresRefreshing() bool {
switch {
case a.Timestamp != nil:
return a.Timestamp.RequiresRefreshing()
case a.Identifier != nil:
if *a.Identifier == "now" {
return true
}
return false
}
return false
}

35
cmds/timestamps/input.go Normal file
View file

@ -0,0 +1,35 @@
package main
import (
"time"
"github.com/alecthomas/participle/v2"
"github.com/alecthomas/participle/v2/lexer"
)
var basicLexer = lexer.MustSimple([]lexer.SimpleRule{
{"Identifier", `[a-zA-Z_][a-zA-Z0-9_]*`},
{"Date", `\d{4}-\d{2}-\d{2}`},
{"Timestamp", `\d{4}-\d{2}-\d{2}T?\d{2}:\d{2}:\d{2}Z?`},
{"Time", `\d{2}:\d{2}:\d{2}Z?`},
{"Int", `\d+`},
{"Whitespace", `[ ]+`},
})
var parser = participle.MustBuild[Atom](
participle.Lexer(basicLexer),
participle.Elide("Whitespace"),
)
func Parse(expr string) (TimeResult, error) {
res, err := parser.ParseString("expr", expr)
if err != nil {
return nil, err
}
return res, nil
}
type TimeResult interface {
Time() (time.Time, error)
RequiresRefreshing() bool
}

View file

@ -3,7 +3,7 @@
package main package main
import ( import (
"strconv" "fmt"
"strings" "strings"
"syscall/js" "syscall/js"
"time" "time"
@ -59,43 +59,67 @@ func processLine(line, operation, timezone string) string {
return line return line
} }
var t time.Time res, err := Parse(trimmedLine)
var err error if err != nil {
return err.Error()
}
t, err := res.Time()
if err != nil {
return err.Error()
}
if timezone == "utc" {
t = t.In(time.UTC)
} else {
t = t.In(time.Local)
}
switch operation { switch operation {
case "iso_8601":
return t.Format(time.RFC3339)
case "unix": case "unix":
sec, err := strconv.ParseInt(trimmedLine, 10, 64) return fmt.Sprintf("%d", t.Unix())
if err != nil {
return "Invalid Date"
}
t = time.Unix(sec, 0)
case "unix_micro": case "unix_micro":
ms, err := strconv.ParseInt(trimmedLine, 10, 64) return fmt.Sprintf("%d", t.UnixNano()/1000)
if err != nil { }
return "Invalid Date"
} /*
t = time.Unix(0, ms*1000000) switch operation {
case "to_utc", "from_utc": case "unix":
// Go's time.Parse is strict. We need to handle ISO 8601 flexible formats. sec, err := strconv.ParseInt(trimmedLine, 10, 64)
// Try standard layouts. if err != nil {
layouts := []string{ return "Invalid Date"
time.RFC3339, }
time.RFC3339Nano, t = time.Unix(sec, 0)
"2006-01-02T15:04:05", case "unix_micro":
"2006-01-02T15:04:05.999", ms, err := strconv.ParseInt(trimmedLine, 10, 64)
} if err != nil {
parsed := false return "Invalid Date"
for _, layout := range layouts { }
t, err = time.Parse(layout, trimmedLine) t = time.Unix(0, ms*1000000)
if err == nil { case "to_utc", "from_utc":
parsed = true // Go's time.Parse is strict. We need to handle ISO 8601 flexible formats.
break // Try standard layouts.
layouts := []string{
time.RFC3339,
time.RFC3339Nano,
"2006-01-02T15:04:05",
"2006-01-02T15:04:05.999",
}
parsed := false
for _, layout := range layouts {
t, err = time.Parse(layout, trimmedLine)
if err == nil {
parsed = true
break
}
}
if !parsed {
return "Invalid Date"
} }
} }
if !parsed { */
return "Invalid Date"
}
}
if operation == "to_utc" { if operation == "to_utc" {
// If input has no timezone (t.Location() is UTC but offset is 0 and it might have been local), // If input has no timezone (t.Location() is UTC but offset is 0 and it might have been local),
@ -103,12 +127,12 @@ func processLine(line, operation, timezone string) string {
// If we want to treat it as "Local" (browser local), we don't know what browser local is easily in Go WASM without JS help. // If we want to treat it as "Local" (browser local), we don't know what browser local is easily in Go WASM without JS help.
// However, the JS implementation relied on `new Date()` which uses browser local. // However, the JS implementation relied on `new Date()` which uses browser local.
// In Go WASM, `time.Local` is usually UTC unless configured. // In Go WASM, `time.Local` is usually UTC unless configured.
// Let's use JS Date for parsing to be consistent with previous behavior and browser's local time? // Let's use JS Date for parsing to be consistent with previous behavior and browser's local time?
// Or we can try to implement it purely in Go. // Or we can try to implement it purely in Go.
// If we want to support "Local" interpretation of a string like "2023-01-01T10:00:00", we need the local offset. // If we want to support "Local" interpretation of a string like "2023-01-01T10:00:00", we need the local offset.
// We can get the local timezone offset from JS. // We can get the local timezone offset from JS.
if timezone == "utc" { if timezone == "utc" {
// If user selected UTC, we treat the input as UTC (which time.Parse does by default for no-offset strings) // If user selected UTC, we treat the input as UTC (which time.Parse does by default for no-offset strings)
// and output UTC. // and output UTC.
@ -117,35 +141,35 @@ func processLine(line, operation, timezone string) string {
// If user selected Local, we treat input as Local? // If user selected Local, we treat input as Local?
// "To UTC": converts the input in ISO 8601 in the selected timezone into UTC. // "To UTC": converts the input in ISO 8601 in the selected timezone into UTC.
// If I select "Local" and input "10:00", I mean "10:00 Local". I want "XX:XX UTC". // If I select "Local" and input "10:00", I mean "10:00 Local". I want "XX:XX UTC".
// If the input string HAS an offset, we respect it. // If the input string HAS an offset, we respect it.
// If it doesn't, we assume it's in `timezone`. // If it doesn't, we assume it's in `timezone`.
// Check if input has offset. // Check if input has offset.
// time.Parse parses into UTC if no offset found. // time.Parse parses into UTC if no offset found.
// If we want to interpret "10:00" as Local, we need to adjust. // If we want to interpret "10:00" as Local, we need to adjust.
// Let's stick to a simpler approach: Use JS to parse if possible, or just use Go. // Let's stick to a simpler approach: Use JS to parse if possible, or just use Go.
// Using JS from Go is easy. // Using JS from Go is easy.
jsDate := js.Global().Get("Date").New(trimmedLine) jsDate := js.Global().Get("Date").New(trimmedLine)
if jsDate.Call("toString").String() == "Invalid Date" { if jsDate.Call("toString").String() == "Invalid Date" {
return "Invalid Date" return "Invalid Date"
} }
// If "to_utc", we just want to show the UTC string. // If "to_utc", we just want to show the UTC string.
// But wait, `new Date("2023-01-01T10:00:00")` is Local in browser. // But wait, `new Date("2023-01-01T10:00:00")` is Local in browser.
// `new Date("2023-01-01T10:00:00Z")` is UTC. // `new Date("2023-01-01T10:00:00Z")` is UTC.
if timezone == "utc" && !strings.HasSuffix(strings.ToUpper(trimmedLine), "Z") && !strings.ContainsAny(trimmedLine, "+-") { if timezone == "utc" && !strings.HasSuffix(strings.ToUpper(trimmedLine), "Z") && !strings.ContainsAny(trimmedLine, "+-") {
// Force UTC interpretation // Force UTC interpretation
jsDate = js.Global().Get("Date").New(trimmedLine + "Z") jsDate = js.Global().Get("Date").New(trimmedLine + "Z")
} }
return jsDate.Call("toISOString").String() return jsDate.Call("toISOString").String()
} }
} }
if operation == "from_utc" { if operation == "from_utc" {
// Input assumed UTC. // Input assumed UTC.
// "2023-01-01T10:00:00" -> Treat as UTC. // "2023-01-01T10:00:00" -> Treat as UTC.
@ -153,7 +177,7 @@ func processLine(line, operation, timezone string) string {
if !strings.HasSuffix(strings.ToUpper(trimmedLine), "Z") && !strings.ContainsAny(trimmedLine, "+-") { if !strings.HasSuffix(strings.ToUpper(trimmedLine), "Z") && !strings.ContainsAny(trimmedLine, "+-") {
jsDate = js.Global().Get("Date").New(trimmedLine + "Z") jsDate = js.Global().Get("Date").New(trimmedLine + "Z")
} }
if jsDate.Call("toString").String() == "Invalid Date" { if jsDate.Call("toString").String() == "Invalid Date" {
return "Invalid Date" return "Invalid Date"
} }
@ -173,7 +197,7 @@ func processLine(line, operation, timezone string) string {
// So SG (UTC+8) is -480. // So SG (UTC+8) is -480.
// To get local time in UTC components: add (-offset). // To get local time in UTC components: add (-offset).
// timestamp - (offset * 60 * 1000) // timestamp - (offset * 60 * 1000)
newTime := jsDate.Call("getTime").Float() - (float64(offset) * 60 * 1000) newTime := jsDate.Call("getTime").Float() - (float64(offset) * 60 * 1000)
localDate := js.Global().Get("Date").New(newTime) localDate := js.Global().Get("Date").New(newTime)
iso := localDate.Call("toISOString").String() iso := localDate.Call("toISOString").String()

2
go.mod
View file

@ -1,3 +1,5 @@
module github.com/lmika/webtools module github.com/lmika/webtools
go 1.24.3 go 1.24.3
require github.com/alecthomas/participle/v2 v2.1.4 // indirect

2
go.sum Normal file
View file

@ -0,0 +1,2 @@
github.com/alecthomas/participle/v2 v2.1.4 h1:W/H79S8Sat/krZ3el6sQMvMaahJ+XcM9WSI2naI7w2U=
github.com/alecthomas/participle/v2 v2.1.4/go.mod h1:8tqVbpTX20Ru4NfYQgZf4mP18eXPTBViyMWiArNEgGI=

View file

@ -13,10 +13,9 @@
<h1>Timestamp Converter</h1> <h1>Timestamp Converter</h1>
<div class="controls"> <div class="controls">
<select id="operation"> <select id="operation">
<option value="unix">Convert from Unix</option> <option value="iso_8601">ISO-8601</option>
<option value="unix_micro">Convert from Unix Micro</option> <option value="unix">Unix</option>
<option value="to_utc">To UTC</option> <option value="unix_micro">Unix Micro</option>
<option value="from_utc">From UTC</option>
</select> </select>
<div class="timezone-selector"> <div class="timezone-selector">
<label> <label>

View file

@ -1,103 +0,0 @@
function processLine(line, operation, timezone) {
if (!line.trim() || line.trim().startsWith('#')) {
return line;
}
try {
let date;
const trimmedLine = line.trim();
switch (operation) {
case 'unix':
// Input is seconds
date = new Date(Number(trimmedLine) * 1000);
break;
case 'unix_micro':
// Input is milliseconds
date = new Date(Number(trimmedLine));
break;
case 'to_utc':
case 'from_utc':
// Input is ISO 8601
date = new Date(trimmedLine);
break;
}
if (isNaN(date.getTime())) {
return 'Invalid Date';
}
if (operation === 'to_utc') {
let dateToConvert = date;
if (timezone === 'utc' && !trimmedLine.toUpperCase().endsWith('Z') && !trimmedLine.match(/[+-]\d{2}:?\d{2}$/)) {
dateToConvert = new Date(trimmedLine + 'Z');
}
return dateToConvert.toISOString();
}
if (operation === 'from_utc') {
let dateFromUtc;
if (!trimmedLine.toUpperCase().endsWith('Z') && !trimmedLine.match(/[+-]\d{2}:?\d{2}$/)) {
dateFromUtc = new Date(trimmedLine + 'Z');
} else {
dateFromUtc = new Date(trimmedLine);
}
if (timezone === 'utc') {
return dateFromUtc.toISOString();
} else {
// Local
const offset = dateFromUtc.getTimezoneOffset();
const localDate = new Date(dateFromUtc.getTime() - (offset * 60 * 1000));
return localDate.toISOString().slice(0, -1);
}
}
// For Unix conversions:
if (timezone === 'utc') {
return date.toISOString();
} else {
// Local
const offset = date.getTimezoneOffset();
const localDate = new Date(date.getTime() - (offset * 60 * 1000));
return localDate.toISOString().slice(0, -1);
}
} catch (e) {
return 'Error';
}
}
// Tests
console.log("Running tests...");
// 1. Unix to UTC
const t1 = processLine('1672531200', 'unix', 'utc');
console.log(`1. Unix to UTC: ${t1} (Expected: 2023-01-01T00:00:00.000Z)`);
if (t1 !== '2023-01-01T00:00:00.000Z') console.error("FAIL");
// 2. Unix Micro to UTC
const t2 = processLine('1672531200000', 'unix_micro', 'utc');
console.log(`2. Unix Micro to UTC: ${t2} (Expected: 2023-01-01T00:00:00.000Z)`);
if (t2 !== '2023-01-01T00:00:00.000Z') console.error("FAIL");
// 3. To UTC (from Local input)
// Note: Node.js server might be in UTC or Local.
// If I run this on a machine, "Local" depends on system time.
// However, the logic for 'to_utc' with 'utc' timezone forces Z.
const t3 = processLine('2023-01-01T00:00:00', 'to_utc', 'utc');
console.log(`3. To UTC (input no offset, selected UTC): ${t3} (Expected: 2023-01-01T00:00:00.000Z)`);
if (t3 !== '2023-01-01T00:00:00.000Z') console.error("FAIL");
// 4. From UTC (to UTC)
const t4 = processLine('2023-01-01T00:00:00', 'from_utc', 'utc');
console.log(`4. From UTC (input no offset, selected UTC): ${t4} (Expected: 2023-01-01T00:00:00.000Z)`);
if (t4 !== '2023-01-01T00:00:00.000Z') console.error("FAIL");
// 5. Comment
const t5 = processLine('# comment', 'unix', 'utc');
console.log(`5. Comment: ${t5} (Expected: # comment)`);
if (t5 !== '# comment') console.error("FAIL");
console.log("Tests finished.");