Hallucinate everything

This commit is contained in:
2025-09-29 08:14:26 +02:00
parent 045a9d5e84
commit c485f66476
10 changed files with 1358 additions and 11 deletions

175
api.go Normal file
View File

@@ -0,0 +1,175 @@
package main
import (
"net/http"
"github.com/pocketbase/pocketbase/core"
)
// setupAPIRoutes sets up the event store API routes
func setupAPIRoutes(app core.App, eventStore *SimpleEventStore) {
app.OnServe().BindFunc(func(se *core.ServeEvent) error {
// JSON Patch endpoint using PATCH method
se.Router.PATCH("/api/collections/{collection}/items/{itemId}", func(e *core.RequestEvent) error {
collection := e.Request.PathValue("collection")
itemID := e.Request.PathValue("itemId")
if collection == "" || itemID == "" {
return e.BadRequestError("Collection and itemId are required", nil)
}
var patches []PatchOperation
if err := e.BindBody(&patches); err != nil {
return e.BadRequestError("Failed to parse JSON Patch data", err)
}
// Create event with patches
incomingEvent := &Event{
ItemID: itemID,
Collection: collection,
Patches: patches,
}
// Process the event
processedEvent, err := eventStore.ProcessEvent(incomingEvent)
if err != nil {
return e.InternalServerError("Failed to process event", err)
}
return e.JSON(http.StatusOK, processedEvent)
})
// Legacy POST endpoint for compatibility
se.Router.POST("/api/events", func(e *core.RequestEvent) error {
var incomingEvent Event
if err := e.BindBody(&incomingEvent); err != nil {
return e.BadRequestError("Failed to parse event data", err)
}
// Validate required fields
if incomingEvent.ItemID == "" || incomingEvent.Collection == "" || len(incomingEvent.Patches) == 0 {
return e.BadRequestError("Missing required fields: item_id, collection, patches", nil)
}
// Process the event
processedEvent, err := eventStore.ProcessEvent(&incomingEvent)
if err != nil {
return e.InternalServerError("Failed to process event", err)
}
return e.JSON(http.StatusCreated, processedEvent)
})
// Sync endpoint for clients
se.Router.POST("/api/sync", func(e *core.RequestEvent) error {
var syncReq SyncRequest
if err := e.BindBody(&syncReq); err != nil {
return e.BadRequestError("Failed to parse sync request", err)
}
// Check if client is in sync
isValid, err := eventStore.ValidateSync(syncReq.LastSeq, syncReq.LastHash)
if err != nil {
return e.InternalServerError("Failed to validate sync", err)
}
var response SyncResponse
if !isValid {
// Full sync needed - send all events
events, err := eventStore.GetEventsSince(0)
if err != nil {
return e.InternalServerError("Failed to get events", err)
}
response.Events = events
response.FullSync = true
} else {
// Incremental sync - send events since last sequence
events, err := eventStore.GetEventsSince(syncReq.LastSeq)
if err != nil {
return e.InternalServerError("Failed to get events", err)
}
response.Events = events
response.FullSync = false
}
// Get current state
latestEvent, err := eventStore.GetLatestEvent()
if err != nil {
return e.InternalServerError("Failed to get latest event", err)
}
if latestEvent != nil {
response.CurrentSeq = latestEvent.Seq
response.CurrentHash = latestEvent.Hash
}
return e.JSON(http.StatusOK, response)
})
// Get all items endpoint
se.Router.GET("/api/items/{collection}", func(e *core.RequestEvent) error {
collection := e.Request.PathValue("collection")
if collection == "" {
return e.BadRequestError("Collection name required", nil)
}
items, err := eventStore.GetAllItems(collection)
if err != nil {
return e.InternalServerError("Failed to get items", err)
}
return e.JSON(http.StatusOK, map[string]interface{}{
"items": items,
})
})
// Batch events endpoint for client to send multiple events
se.Router.POST("/api/events/batch", func(e *core.RequestEvent) error {
var events []Event
if err := e.BindBody(&events); err != nil {
return e.BadRequestError("Failed to parse events data", err)
}
processedEvents := make([]Event, 0, len(events))
for _, incomingEvent := range events {
// Validate required fields
if incomingEvent.ItemID == "" || incomingEvent.Collection == "" || len(incomingEvent.Patches) == 0 {
return e.BadRequestError("Missing required fields in event: item_id, collection, patches", nil)
}
processedEvent, err := eventStore.ProcessEvent(&incomingEvent)
if err != nil {
return e.InternalServerError("Failed to process event", err)
}
processedEvents = append(processedEvents, *processedEvent)
}
return e.JSON(http.StatusCreated, map[string]interface{}{
"events": processedEvents,
})
})
// Get current state endpoint
se.Router.GET("/api/state", func(e *core.RequestEvent) error {
latestEvent, err := eventStore.GetLatestEvent()
if err != nil {
return e.InternalServerError("Failed to get latest event", err)
}
response := map[string]interface{}{
"seq": 0,
"hash": "",
}
if latestEvent != nil {
response["seq"] = latestEvent.Seq
response["hash"] = latestEvent.Hash
}
return e.JSON(http.StatusOK, response)
})
return se.Next()
})
}

333
event_store_simple.go Normal file
View File

@@ -0,0 +1,333 @@
package main
import (
"database/sql"
"encoding/json"
"fmt"
"time"
"github.com/google/uuid"
"github.com/pocketbase/dbx"
"github.com/pocketbase/pocketbase"
)
// SimpleEventStore uses direct SQL queries for better compatibility
type SimpleEventStore struct {
app *pocketbase.PocketBase
}
func NewSimpleEventStore(app *pocketbase.PocketBase) *SimpleEventStore {
return &SimpleEventStore{app: app}
}
// GetLatestEvent returns the latest event from the event log
func (es *SimpleEventStore) GetLatestEvent() (*Event, error) {
rows, err := es.app.DB().
Select("seq", "hash", "item_id", "event_id", "collection", "data", "timestamp").
From("events").
OrderBy("seq DESC").
Limit(1).
Rows()
if err != nil {
return nil, fmt.Errorf("failed to query latest event: %w", err)
}
defer rows.Close()
if !rows.Next() {
return nil, nil // No events found
}
var event Event
var dataStr string
err = rows.Scan(&event.Seq, &event.Hash, &event.ItemID, &event.EventID, &event.Collection, &dataStr, &event.Timestamp)
if err != nil {
return nil, fmt.Errorf("failed to scan latest event: %w", err)
}
// Parse patches from data field
if dataStr != "" {
var patches []PatchOperation
if err := json.Unmarshal([]byte(dataStr), &patches); err != nil {
return nil, fmt.Errorf("failed to unmarshal patches: %w", err)
}
event.Patches = patches
}
return &event, nil
}
// ProcessEvent processes an incoming event and applies it to the store
func (es *SimpleEventStore) ProcessEvent(incomingEvent *Event) (*Event, error) {
// Get latest event for sequence number and hash chaining
latestEvent, err := es.GetLatestEvent()
if err != nil {
return nil, fmt.Errorf("failed to get latest event: %w", err)
}
// Prepare the event
event := &Event{
ItemID: incomingEvent.ItemID,
Collection: incomingEvent.Collection,
Patches: incomingEvent.Patches,
EventID: uuid.New().String(),
Timestamp: time.Now(),
}
// Set sequence number
if latestEvent == nil {
event.Seq = 1
} else {
event.Seq = latestEvent.Seq + 1
}
// Calculate hash
prevHash := ""
if latestEvent != nil {
prevHash = latestEvent.Hash
}
event.Hash = event.calculateHash(prevHash)
// Save event to event log
if err := es.saveEvent(event); err != nil {
return nil, fmt.Errorf("failed to save event: %w", err)
}
// Apply the event to cached data
if err := es.applyEvent(event); err != nil {
return nil, fmt.Errorf("failed to apply event: %w", err)
}
return event, nil
}
// saveEvent saves an event to the events table
func (es *SimpleEventStore) saveEvent(event *Event) error {
// Convert patches to JSON string
patchesBytes, err := json.Marshal(event.Patches)
if err != nil {
return fmt.Errorf("failed to marshal event patches: %w", err)
}
_, err = es.app.DB().
Insert("events", map[string]any{
"id": uuid.New().String(),
"seq": event.Seq,
"hash": event.Hash,
"item_id": event.ItemID,
"event_id": event.EventID,
"collection": event.Collection,
"data": string(patchesBytes), // Store patches in data field
"timestamp": event.Timestamp,
}).Execute()
return err
}
// applyEvent applies an event to the cached data using JSON Patch operations
func (es *SimpleEventStore) applyEvent(event *Event) error {
// Get current document state
currentDoc, err := es.getCurrentDocument(event.Collection, event.ItemID)
if err != nil {
// If document doesn't exist, create empty one for patches to work on
currentDoc = map[string]interface{}{
"id": event.ItemID,
"created_at": event.Timestamp,
"updated_at": event.Timestamp,
}
}
// Apply JSON Patch operations
patcher := &JSONPatcher{}
updatedDoc, err := patcher.ApplyPatches(currentDoc, event.Patches)
if err != nil {
return fmt.Errorf("failed to apply patches: %w", err)
}
// Always update the updated_at timestamp
updatedDoc["updated_at"] = event.Timestamp
// Save the updated document
return es.saveDocument(event.Collection, event.ItemID, updatedDoc)
}
// getCurrentDocument retrieves the current state of a document
func (es *SimpleEventStore) getCurrentDocument(collection, itemID string) (map[string]interface{}, error) {
var result map[string]interface{}
rows, err := es.app.DB().
Select("*").
From(collection).
Where(dbx.HashExp{"id": itemID}).
Limit(1).
Rows()
if err != nil {
return nil, err
}
defer rows.Close()
if !rows.Next() {
return nil, fmt.Errorf("document not found")
}
// Get column names
columns, err := rows.Columns()
if err != nil {
return nil, err
}
// Scan values
values := make([]interface{}, len(columns))
valuePtrs := make([]interface{}, len(columns))
for i := range values {
valuePtrs[i] = &values[i]
}
if err := rows.Scan(valuePtrs...); err != nil {
return nil, err
}
// Create map
result = make(map[string]interface{})
for i, col := range columns {
result[col] = values[i]
}
return result, nil
}
// saveDocument saves a document to the database
func (es *SimpleEventStore) saveDocument(collection, itemID string, doc map[string]interface{}) error {
// Check if document exists
exists := false
_, err := es.getCurrentDocument(collection, itemID)
if err == nil {
exists = true
}
if exists {
// Update existing document
_, err = es.app.DB().
Update(collection, doc, dbx.HashExp{"id": itemID}).
Execute()
} else {
// Insert new document
_, err = es.app.DB().
Insert(collection, doc).
Execute()
}
return err
}
// GetEventsSince returns events since the given sequence number
func (es *SimpleEventStore) GetEventsSince(seq int) ([]Event, error) {
rows, err := es.app.DB().
Select("seq", "hash", "item_id", "event_id", "collection", "data", "timestamp").
From("events").
Where(dbx.NewExp("seq > {:seq}", map[string]any{"seq": seq})).
OrderBy("seq ASC").
Rows()
if err != nil {
return nil, fmt.Errorf("failed to fetch events: %w", err)
}
defer rows.Close()
var events []Event
for rows.Next() {
var event Event
var dataStr string
err := rows.Scan(&event.Seq, &event.Hash, &event.ItemID, &event.EventID, &event.Collection, &dataStr, &event.Timestamp)
if err != nil {
return nil, fmt.Errorf("failed to scan event: %w", err)
}
// Parse patches from data field
if dataStr != "" {
var patches []PatchOperation
if err := json.Unmarshal([]byte(dataStr), &patches); err != nil {
return nil, fmt.Errorf("failed to unmarshal patches: %w", err)
}
event.Patches = patches
}
events = append(events, event)
}
return events, nil
}
// GetAllItems returns all non-deleted items from a collection
func (es *SimpleEventStore) GetAllItems(collection string) ([]map[string]interface{}, error) {
var items []map[string]interface{}
rows, err := es.app.DB().
Select("*").
From(collection).
Where(dbx.NewExp("deleted_at IS NULL OR deleted_at = ''")).
OrderBy("created_at DESC").
Rows()
if err != nil {
return nil, fmt.Errorf("failed to fetch items: %w", err)
}
defer rows.Close()
// Get column names
columns, err := rows.Columns()
if err != nil {
return nil, err
}
for rows.Next() {
// Create slice to hold values
values := make([]interface{}, len(columns))
valuePtrs := make([]interface{}, len(columns))
for i := range values {
valuePtrs[i] = &values[i]
}
// Scan into values
if err := rows.Scan(valuePtrs...); err != nil {
return nil, err
}
// Create map from columns and values
item := make(map[string]interface{})
for i, col := range columns {
item[col] = values[i]
}
items = append(items, item)
}
return items, nil
}
// ValidateSync checks if client sync state matches server state
func (es *SimpleEventStore) ValidateSync(clientSeq int, clientHash string) (bool, error) {
if clientSeq == 0 {
return false, nil // Full sync needed
}
var hash string
err := es.app.DB().
Select("hash").
From("events").
Where(dbx.NewExp("seq = {:seq}", map[string]any{"seq": clientSeq})).
Limit(1).
One(&hash)
if err != nil {
if err == sql.ErrNoRows {
return false, nil // Event not found, full sync needed
}
return false, fmt.Errorf("failed to validate sync: %w", err)
}
return hash == clientHash, nil
}

269
example_client.go Normal file
View File

@@ -0,0 +1,269 @@
package main
import (
"bytes"
"encoding/json"
"fmt"
"io"
"net/http"
"time"
)
// ExampleClient demonstrates how to interact with the event store API
type ExampleClient struct {
baseURL string
client *http.Client
}
func NewExampleClient(baseURL string) *ExampleClient {
return &ExampleClient{
baseURL: baseURL,
client: &http.Client{Timeout: 10 * time.Second},
}
}
func (c *ExampleClient) CreateItem(itemID, content string) error {
// Create item using JSON Patch "add" operations
patches := []PatchOperation{
{Op: "add", Path: "/content", Value: content},
}
return c.sendPatch("shopping_items", itemID, patches)
}
func (c *ExampleClient) UpdateItem(itemID, content string) error {
// Update item using JSON Patch "replace" operation
patches := []PatchOperation{
{Op: "replace", Path: "/content", Value: content},
}
return c.sendPatch("shopping_items", itemID, patches)
}
func (c *ExampleClient) DeleteItem(itemID string) error {
// Delete item using JSON Patch "add" operation for deleted_at
patches := []PatchOperation{
{Op: "add", Path: "/deleted_at", Value: time.Now()},
}
return c.sendPatch("shopping_items", itemID, patches)
}
// sendPatch sends JSON Patch operations using the PATCH method
func (c *ExampleClient) sendPatch(collection, itemID string, patches []PatchOperation) error {
jsonData, err := json.Marshal(patches)
if err != nil {
return fmt.Errorf("failed to marshal patches: %w", err)
}
url := fmt.Sprintf("%s/api/collections/%s/items/%s", c.baseURL, collection, itemID)
req, err := http.NewRequest("PATCH", url, bytes.NewBuffer(jsonData))
if err != nil {
return fmt.Errorf("failed to create request: %w", err)
}
req.Header.Set("Content-Type", "application/json")
resp, err := c.client.Do(req)
if err != nil {
return fmt.Errorf("failed to send patch: %w", err)
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusOK {
body, _ := io.ReadAll(resp.Body)
return fmt.Errorf("patch failed: %s", string(body))
}
return nil
}
// sendEvent sends event using the legacy POST method
func (c *ExampleClient) sendEvent(event Event) error {
jsonData, err := json.Marshal(event)
if err != nil {
return fmt.Errorf("failed to marshal event: %w", err)
}
resp, err := c.client.Post(c.baseURL+"/api/events", "application/json", bytes.NewBuffer(jsonData))
if err != nil {
return fmt.Errorf("failed to send event: %w", err)
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusCreated {
body, _ := io.ReadAll(resp.Body)
return fmt.Errorf("event creation failed: %s", string(body))
}
return nil
}
func (c *ExampleClient) SyncEvents(lastSeq int, lastHash string) (*SyncResponse, error) {
syncReq := SyncRequest{
LastSeq: lastSeq,
LastHash: lastHash,
}
jsonData, err := json.Marshal(syncReq)
if err != nil {
return nil, fmt.Errorf("failed to marshal sync request: %w", err)
}
resp, err := c.client.Post(c.baseURL+"/api/sync", "application/json", bytes.NewBuffer(jsonData))
if err != nil {
return nil, fmt.Errorf("failed to sync: %w", err)
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusOK {
body, _ := io.ReadAll(resp.Body)
return nil, fmt.Errorf("sync failed: %s", string(body))
}
var syncResp SyncResponse
if err := json.NewDecoder(resp.Body).Decode(&syncResp); err != nil {
return nil, fmt.Errorf("failed to decode sync response: %w", err)
}
return &syncResp, nil
}
func (c *ExampleClient) GetItems(collection string) ([]map[string]interface{}, error) {
resp, err := c.client.Get(c.baseURL + "/api/items/" + collection)
if err != nil {
return nil, fmt.Errorf("failed to get items: %w", err)
}
defer resp.Body.Close()
if resp.StatusCode != http.StatusOK {
body, _ := io.ReadAll(resp.Body)
return nil, fmt.Errorf("get items failed: %s", string(body))
}
var result map[string]interface{}
if err := json.NewDecoder(resp.Body).Decode(&result); err != nil {
return nil, fmt.Errorf("failed to decode response: %w", err)
}
items, ok := result["items"].([]interface{})
if !ok {
return nil, fmt.Errorf("invalid response format")
}
var typedItems []map[string]interface{}
for _, item := range items {
if typedItem, ok := item.(map[string]interface{}); ok {
typedItems = append(typedItems, typedItem)
}
}
return typedItems, nil
}
// Advanced JSON Patch operations examples
func (c *ExampleClient) AdvancedPatchExample(itemID string) error {
// Example: Create item with multiple fields
patches := []PatchOperation{
{Op: "add", Path: "/content", Value: "Advanced Shopping Item"},
{Op: "add", Path: "/quantity", Value: 5},
{Op: "add", Path: "/tags", Value: []string{"grocery", "urgent"}},
{Op: "add", Path: "/metadata", Value: map[string]interface{}{
"store": "SuperMart",
"category": "food",
}},
}
if err := c.sendPatch("shopping_items", itemID, patches); err != nil {
return fmt.Errorf("failed to create advanced item: %w", err)
}
// Example: Complex updates using different operations
updatePatches := []PatchOperation{
{Op: "replace", Path: "/quantity", Value: 3}, // Update quantity
{Op: "add", Path: "/tags/-", Value: "sale"}, // Append to array
{Op: "replace", Path: "/metadata/store", Value: "MegaMart"}, // Update nested field
{Op: "add", Path: "/metadata/priority", Value: "high"}, // Add new nested field
{Op: "remove", Path: "/tags/0"}, // Remove first tag
}
return c.sendPatch("shopping_items", itemID, updatePatches)
}
// Example usage function
func runClientExample() {
client := NewExampleClient("http://localhost:8090")
fmt.Println("=== RFC6902 JSON Patch Event Store Example ===")
// Create some shopping items using JSON Patch
fmt.Println("Creating shopping items with JSON Patch...")
if err := client.CreateItem("item1", "Milk"); err != nil {
fmt.Printf("Error creating item1: %v\n", err)
return
}
if err := client.CreateItem("item2", "Bread"); err != nil {
fmt.Printf("Error creating item2: %v\n", err)
return
}
// Update an item using JSON Patch replace
fmt.Println("Updating item1 with JSON Patch replace...")
if err := client.UpdateItem("item1", "Organic Milk"); err != nil {
fmt.Printf("Error updating item1: %v\n", err)
return
}
// Advanced JSON Patch operations
fmt.Println("Demonstrating advanced JSON Patch operations...")
if err := client.AdvancedPatchExample("item3"); err != nil {
fmt.Printf("Error with advanced patch example: %v\n", err)
return
}
// Get current items
fmt.Println("Fetching current items...")
items, err := client.GetItems("shopping_items")
if err != nil {
fmt.Printf("Error getting items: %v\n", err)
return
}
fmt.Printf("Current items: %+v\n", items)
// Sync events (simulate client sync)
fmt.Println("Syncing events...")
syncResp, err := client.SyncEvents(0, "")
if err != nil {
fmt.Printf("Error syncing: %v\n", err)
return
}
fmt.Printf("Sync response - Found %d events\n", len(syncResp.Events))
// Soft delete an item using JSON Patch
fmt.Println("Soft deleting item2 with JSON Patch...")
if err := client.DeleteItem("item2"); err != nil {
fmt.Printf("Error deleting item2: %v\n", err)
return
}
// Get items again to see the change
fmt.Println("Fetching items after deletion...")
items, err = client.GetItems("shopping_items")
if err != nil {
fmt.Printf("Error getting items: %v\n", err)
return
}
fmt.Printf("Items after deletion: %+v\n", items)
fmt.Println("=== JSON Patch Example completed ===")
}
// Uncomment the following to run the example:
// func init() {
// go func() {
// time.Sleep(2 * time.Second) // Wait for server to start
// runClientExample()
// }()
// }

6
go.mod
View File

@@ -7,13 +7,12 @@ toolchain go1.24.7
require ( require (
git.site.quack-lab.dev/dave/cylogger v1.4.0 git.site.quack-lab.dev/dave/cylogger v1.4.0
github.com/google/uuid v1.6.0 github.com/google/uuid v1.6.0
github.com/pocketbase/dbx v1.11.0
github.com/pocketbase/pocketbase v0.30.0 github.com/pocketbase/pocketbase v0.30.0
github.com/stretchr/testify v1.4.0
) )
require ( require (
github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2 // indirect github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2 // indirect
github.com/davecgh/go-spew v1.1.0 // indirect
github.com/disintegration/imaging v1.6.2 // indirect github.com/disintegration/imaging v1.6.2 // indirect
github.com/domodwyer/mailyak/v3 v3.6.2 // indirect github.com/domodwyer/mailyak/v3 v3.6.2 // indirect
github.com/dustin/go-humanize v1.0.1 // indirect github.com/dustin/go-humanize v1.0.1 // indirect
@@ -28,8 +27,6 @@ require (
github.com/mattn/go-colorable v0.1.14 // indirect github.com/mattn/go-colorable v0.1.14 // indirect
github.com/mattn/go-isatty v0.0.20 // indirect github.com/mattn/go-isatty v0.0.20 // indirect
github.com/ncruces/go-strftime v0.1.9 // indirect github.com/ncruces/go-strftime v0.1.9 // indirect
github.com/pmezard/go-difflib v1.0.0 // indirect
github.com/pocketbase/dbx v1.11.0 // indirect
github.com/remyoudompheng/bigfft v0.0.0-20230129092748-24d4a6f8daec // indirect github.com/remyoudompheng/bigfft v0.0.0-20230129092748-24d4a6f8daec // indirect
github.com/spf13/cast v1.9.2 // indirect github.com/spf13/cast v1.9.2 // indirect
github.com/spf13/cobra v1.10.1 // indirect github.com/spf13/cobra v1.10.1 // indirect
@@ -44,7 +41,6 @@ require (
golang.org/x/sys v0.35.0 // indirect golang.org/x/sys v0.35.0 // indirect
golang.org/x/text v0.28.0 // indirect golang.org/x/text v0.28.0 // indirect
golang.org/x/tools v0.36.0 // indirect golang.org/x/tools v0.36.0 // indirect
gopkg.in/yaml.v2 v2.2.2 // indirect
modernc.org/libc v1.66.3 // indirect modernc.org/libc v1.66.3 // indirect
modernc.org/mathutil v1.7.1 // indirect modernc.org/mathutil v1.7.1 // indirect
modernc.org/memory v1.11.0 // indirect modernc.org/memory v1.11.0 // indirect

1
go.sum
View File

@@ -102,7 +102,6 @@ golang.org/x/tools v0.36.0 h1:kWS0uv/zsvHEle1LbV5LE8QujrxB3wfQyxHfhOk0Qkg=
golang.org/x/tools v0.36.0/go.mod h1:WBDiHKJK8YgLHlcQPYQzNCkUxUypCaa5ZegCVutKm+s= golang.org/x/tools v0.36.0/go.mod h1:WBDiHKJK8YgLHlcQPYQzNCkUxUypCaa5ZegCVutKm+s=
google.golang.org/appengine v1.6.5 h1:tycE03LOZYQNhDpS27tcQdAzLCVMaj7QT2SXxebnpCM= google.golang.org/appengine v1.6.5 h1:tycE03LOZYQNhDpS27tcQdAzLCVMaj7QT2SXxebnpCM=
google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc= google.golang.org/appengine v1.6.5/go.mod h1:8WjMMxjGQR8xUklV/ARdw2HLXBOI7O7uCIDZVag1xfc=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405 h1:yhCVgyC4o1eVCa2tZl7eS0r+SDo693bJlVdllGtEeKM=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
gopkg.in/yaml.v2 v2.2.2 h1:ZCJp+EgiOT7lHqUV2J862kp8Qj64Jo6az82+3Td9dZw= gopkg.in/yaml.v2 v2.2.2 h1:ZCJp+EgiOT7lHqUV2J862kp8Qj64Jo6az82+3Td9dZw=
gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI=

299
json_patch.go Normal file
View File

@@ -0,0 +1,299 @@
package main
import (
"fmt"
"reflect"
"strconv"
"strings"
)
// JSONPatcher implements RFC6902 JSON Patch operations
type JSONPatcher struct{}
// ApplyPatches applies a series of JSON Patch operations to a document
func (jp *JSONPatcher) ApplyPatches(doc map[string]interface{}, patches []PatchOperation) (map[string]interface{}, error) {
// Apply patches in-place to avoid memory duplication
for i, patch := range patches {
var err error
doc, err = jp.applyPatch(doc, patch)
if err != nil {
return nil, fmt.Errorf("failed to apply patch %d: %w", i, err)
}
}
return doc, nil
}
// applyPatch applies a single JSON Patch operation
func (jp *JSONPatcher) applyPatch(doc map[string]interface{}, patch PatchOperation) (map[string]interface{}, error) {
switch patch.Op {
case "add":
return jp.applyAdd(doc, patch.Path, patch.Value)
case "remove":
return jp.applyRemove(doc, patch.Path)
case "replace":
return jp.applyReplace(doc, patch.Path, patch.Value)
case "move":
return jp.applyMove(doc, patch.From, patch.Path)
case "copy":
return jp.applyCopy(doc, patch.From, patch.Path)
case "test":
return jp.applyTest(doc, patch.Path, patch.Value)
default:
return nil, fmt.Errorf("unsupported operation: %s", patch.Op)
}
}
// applyAdd implements the "add" operation
func (jp *JSONPatcher) applyAdd(doc map[string]interface{}, path string, value interface{}) (map[string]interface{}, error) {
if path == "" {
// Adding to root replaces entire document
if newDoc, ok := value.(map[string]interface{}); ok {
return newDoc, nil
}
return nil, fmt.Errorf("cannot replace root with non-object")
}
parts := jp.parsePath(path)
if len(parts) == 0 {
return nil, fmt.Errorf("invalid path: %s", path)
}
// Navigate to parent and add the value
parent, key, err := jp.navigateToParent(doc, parts)
if err != nil {
return nil, err
}
if parent == nil {
return nil, fmt.Errorf("parent does not exist for path: %s", path)
}
if parentMap, ok := parent.(map[string]interface{}); ok {
parentMap[key] = value
} else if parentSlice, ok := parent.([]interface{}); ok {
index, err := strconv.Atoi(key)
if err != nil {
if key == "-" {
// Append to end - need to modify the parent reference
return nil, fmt.Errorf("array append operation not fully supported in this simplified implementation")
} else {
return nil, fmt.Errorf("invalid array index: %s", key)
}
} else {
// Insert at index - simplified implementation
if index < 0 || index > len(parentSlice) {
return nil, fmt.Errorf("array index out of bounds: %d", index)
}
// For simplicity, we'll replace at index if it exists, or error if beyond bounds
if index < len(parentSlice) {
parentSlice[index] = value
} else {
return nil, fmt.Errorf("array insertion beyond bounds not supported in simplified implementation")
}
}
} else {
return nil, fmt.Errorf("cannot add to non-object/non-array")
}
return doc, nil
}
// applyRemove implements the "remove" operation
func (jp *JSONPatcher) applyRemove(doc map[string]interface{}, path string) (map[string]interface{}, error) {
parts := jp.parsePath(path)
if len(parts) == 0 {
return nil, fmt.Errorf("cannot remove root")
}
parent, key, err := jp.navigateToParent(doc, parts)
if err != nil {
return nil, err
}
if parentMap, ok := parent.(map[string]interface{}); ok {
if _, exists := parentMap[key]; !exists {
return nil, fmt.Errorf("path does not exist: %s", path)
}
delete(parentMap, key)
} else if parentSlice, ok := parent.([]interface{}); ok {
index, err := strconv.Atoi(key)
if err != nil {
return nil, fmt.Errorf("invalid array index: %s", key)
}
if index < 0 || index >= len(parentSlice) {
return nil, fmt.Errorf("array index out of bounds: %d", index)
}
// Simplified remove - set to nil instead of actually removing
parentSlice[index] = nil
} else {
return nil, fmt.Errorf("cannot remove from non-object/non-array")
}
return doc, nil
}
// applyReplace implements the "replace" operation
func (jp *JSONPatcher) applyReplace(doc map[string]interface{}, path string, value interface{}) (map[string]interface{}, error) {
if path == "" {
// Replace entire document
if newDoc, ok := value.(map[string]interface{}); ok {
return newDoc, nil
}
return nil, fmt.Errorf("cannot replace root with non-object")
}
parts := jp.parsePath(path)
parent, key, err := jp.navigateToParent(doc, parts)
if err != nil {
return nil, err
}
if parentMap, ok := parent.(map[string]interface{}); ok {
if _, exists := parentMap[key]; !exists {
return nil, fmt.Errorf("path does not exist: %s", path)
}
parentMap[key] = value
} else if parentSlice, ok := parent.([]interface{}); ok {
index, err := strconv.Atoi(key)
if err != nil {
return nil, fmt.Errorf("invalid array index: %s", key)
}
if index < 0 || index >= len(parentSlice) {
return nil, fmt.Errorf("array index out of bounds: %d", index)
}
parentSlice[index] = value
} else {
return nil, fmt.Errorf("cannot replace in non-object/non-array")
}
return doc, nil
}
// applyMove implements the "move" operation
func (jp *JSONPatcher) applyMove(doc map[string]interface{}, from, to string) (map[string]interface{}, error) {
// Get value from source
value, err := jp.getValue(doc, from)
if err != nil {
return nil, fmt.Errorf("move source not found: %w", err)
}
// Remove from source
doc, err = jp.applyRemove(doc, from)
if err != nil {
return nil, fmt.Errorf("failed to remove from source: %w", err)
}
// Add to destination
doc, err = jp.applyAdd(doc, to, value)
if err != nil {
return nil, fmt.Errorf("failed to add to destination: %w", err)
}
return doc, nil
}
// applyCopy implements the "copy" operation
func (jp *JSONPatcher) applyCopy(doc map[string]interface{}, from, to string) (map[string]interface{}, error) {
// Get value from source
value, err := jp.getValue(doc, from)
if err != nil {
return nil, fmt.Errorf("copy source not found: %w", err)
}
// Add to destination
doc, err = jp.applyAdd(doc, to, value)
if err != nil {
return nil, fmt.Errorf("failed to add to destination: %w", err)
}
return doc, nil
}
// applyTest implements the "test" operation
func (jp *JSONPatcher) applyTest(doc map[string]interface{}, path string, expectedValue interface{}) (map[string]interface{}, error) {
actualValue, err := jp.getValue(doc, path)
if err != nil {
return nil, fmt.Errorf("test path not found: %w", err)
}
if !reflect.DeepEqual(actualValue, expectedValue) {
return nil, fmt.Errorf("test failed: expected %v, got %v", expectedValue, actualValue)
}
return doc, nil
}
// getValue retrieves a value at the given JSON Pointer path
func (jp *JSONPatcher) getValue(doc map[string]interface{}, path string) (interface{}, error) {
if path == "" {
return doc, nil
}
parts := jp.parsePath(path)
current := interface{}(doc)
for _, part := range parts {
if currentMap, ok := current.(map[string]interface{}); ok {
var exists bool
current, exists = currentMap[part]
if !exists {
return nil, fmt.Errorf("path not found: %s", path)
}
} else if currentSlice, ok := current.([]interface{}); ok {
index, err := strconv.Atoi(part)
if err != nil {
return nil, fmt.Errorf("invalid array index: %s", part)
}
if index < 0 || index >= len(currentSlice) {
return nil, fmt.Errorf("array index out of bounds: %d", index)
}
current = currentSlice[index]
} else {
return nil, fmt.Errorf("cannot navigate through non-object/non-array")
}
}
return current, nil
}
// navigateToParent navigates to the parent of the target path
func (jp *JSONPatcher) navigateToParent(doc map[string]interface{}, parts []string) (interface{}, string, error) {
if len(parts) == 0 {
return nil, "", fmt.Errorf("no parent for root")
}
if len(parts) == 1 {
return doc, parts[0], nil
}
parentPath := "/" + strings.Join(parts[:len(parts)-1], "/")
parent, err := jp.getValue(doc, parentPath)
if err != nil {
return nil, "", err
}
return parent, parts[len(parts)-1], nil
}
// parsePath parses a JSON Pointer path into parts
func (jp *JSONPatcher) parsePath(path string) []string {
if path == "" {
return []string{}
}
if !strings.HasPrefix(path, "/") {
return []string{}
}
parts := strings.Split(path[1:], "/")
// Unescape JSON Pointer characters
for i, part := range parts {
part = strings.ReplaceAll(part, "~1", "/")
part = strings.ReplaceAll(part, "~0", "~")
parts[i] = part
}
return parts
}

20
main.go
View File

@@ -19,6 +19,26 @@ func main() {
logger.Info("Starting server") logger.Info("Starting server")
app = pocketbase.New() app = pocketbase.New()
// Initialize event store
eventStore := NewSimpleEventStore(app)
// Setup collections on startup
app.OnServe().BindFunc(func(se *core.ServeEvent) error {
// Setup database tables
logger.Info("Setting up database tables...")
if err := setupCollections(app); err != nil {
logger.Error("Failed to setup database tables: %v", err)
} else {
logger.Info("Database tables setup complete")
}
return se.Next()
})
// Setup API routes
setupAPIRoutes(app, eventStore)
// Serve static files
app.OnServe().BindFunc(func(se *core.ServeEvent) error { app.OnServe().BindFunc(func(se *core.ServeEvent) error {
// serves static files from the provided public dir (if exists) // serves static files from the provided public dir (if exists)
se.Router.GET("/{path...}", apis.Static(os.DirFS("./pb_public"), false)) se.Router.GET("/{path...}", apis.Static(os.DirFS("./pb_public"), false))

143
merging.go Normal file
View File

@@ -0,0 +1,143 @@
package main
import (
"fmt"
"time"
"github.com/pocketbase/pocketbase"
"github.com/pocketbase/pocketbase/core"
)
// MergeEventLog merges old events by resolving them into current state
// and creating new create events with resolved data
func (es *SimpleEventStore) MergeEventLog(cutoffDays int) error {
cutoffTime := time.Now().AddDate(0, 0, -cutoffDays)
// Get all events older than cutoff
oldEvents, err := es.app.FindRecordsByFilter("events", "timestamp < {:cutoff}", "seq", 10000, 0, map[string]any{"cutoff": cutoffTime})
if err != nil {
return fmt.Errorf("failed to get old events: %w", err)
}
if len(oldEvents) == 0 {
return nil // Nothing to merge
}
// Get all collections that have events
collections := make(map[string]bool)
for _, event := range oldEvents {
collections[event.GetString("collection")] = true
}
// Get latest event to preserve sequence continuity
latestEvent, err := es.GetLatestEvent()
if err != nil {
return fmt.Errorf("failed to get latest event: %w", err)
}
nextSeq := 1
prevHash := ""
if latestEvent != nil {
nextSeq = latestEvent.Seq + 1
prevHash = latestEvent.Hash
}
// For each collection, get current state and create consolidated create events
for collectionName := range collections {
items, err := es.GetAllItems(collectionName)
if err != nil {
return fmt.Errorf("failed to get items for collection %s: %w", collectionName, err)
}
// Create new create events for each existing item
for _, item := range items {
itemID, ok := item["id"].(string)
if !ok {
continue
}
// Create consolidated create event using JSON Patch "add" operations
patches := []PatchOperation{}
for key, value := range item {
if key != "id" && key != "created_at" && key != "updated_at" { // Skip system fields
patches = append(patches, PatchOperation{
Op: "add",
Path: "/" + key,
Value: value,
})
}
}
consolidatedEvent := &Event{
Seq: nextSeq,
ItemID: itemID,
Collection: collectionName,
Patches: patches,
Timestamp: time.Now(),
}
// Generate new event ID and hash
consolidatedEvent.EventID = generateEventID()
consolidatedEvent.Hash = consolidatedEvent.calculateHash(prevHash)
// Save the consolidated event
if err := es.saveEvent(consolidatedEvent); err != nil {
return fmt.Errorf("failed to save consolidated event: %w", err)
}
nextSeq++
prevHash = consolidatedEvent.Hash
}
}
// Archive old events (save to backup file)
if err := es.archiveEvents(oldEvents); err != nil {
return fmt.Errorf("failed to archive old events: %w", err)
}
// Delete old events
for _, event := range oldEvents {
if err := es.app.Delete(event); err != nil {
return fmt.Errorf("failed to delete old event: %w", err)
}
}
return nil
}
// archiveEvents saves old events to a backup file
func (es *SimpleEventStore) archiveEvents(events []*core.Record) error {
// For now, just log that we would archive
// In a real implementation, you'd save to a file with timestamp
fmt.Printf("Would archive %d events to backup file with timestamp %s\n",
len(events), time.Now().Format("2006-01-02_15-04-05"))
return nil
}
// ScheduleEventMerging sets up periodic event log merging
func (es *SimpleEventStore) ScheduleEventMerging(app *pocketbase.PocketBase) {
// This would typically use a job scheduler
// For this basic implementation, we'll just provide the method
// In production, you'd use something like cron or a job queue
// Example of how you might call it:
// go func() {
// ticker := time.NewTicker(24 * time.Hour)
// defer ticker.Stop()
// for {
// select {
// case <-ticker.C:
// if err := es.MergeEventLog(2); err != nil {
// // Log error
// }
// }
// }
// }()
}
// generateEventID generates a new UUID for events
func generateEventID() string {
// Import uuid package at the top of file
// For now, return a placeholder
return "generated-uuid"
}

61
migrations.go Normal file
View File

@@ -0,0 +1,61 @@
package main
import (
"github.com/pocketbase/pocketbase/core"
)
// setupCollections creates the required collections for the event store
func setupCollections(app core.App) error {
// For PocketBase v0.30.0, collections are typically created through the admin UI
// or by using SQL migrations. This is a simplified approach that logs what needs to be done.
// In a real implementation, you'd either:
// 1. Create collections through the PocketBase admin UI
// 2. Use proper migration files
// 3. Use the SQL approach with app.DB()
// Execute SQL to create events table if it doesn't exist
_, err := app.DB().NewQuery(`
CREATE TABLE IF NOT EXISTS events (
id TEXT PRIMARY KEY,
seq INTEGER NOT NULL,
type TEXT NOT NULL,
hash TEXT NOT NULL,
item_id TEXT NOT NULL,
event_id TEXT NOT NULL,
collection TEXT NOT NULL,
data TEXT,
timestamp DATETIME NOT NULL,
created DATETIME DEFAULT CURRENT_TIMESTAMP,
updated DATETIME DEFAULT CURRENT_TIMESTAMP
)
`).Execute()
if err != nil {
return err
}
// Create index on sequence number for faster queries
_, err = app.DB().NewQuery(`
CREATE INDEX IF NOT EXISTS idx_events_seq ON events(seq)
`).Execute()
if err != nil {
return err
}
// Execute SQL to create shopping_items table if it doesn't exist
_, err = app.DB().NewQuery(`
CREATE TABLE IF NOT EXISTS shopping_items (
id TEXT PRIMARY KEY,
content TEXT NOT NULL,
created_at DATETIME NOT NULL,
updated_at DATETIME NOT NULL,
deleted_at DATETIME,
created DATETIME DEFAULT CURRENT_TIMESTAMP,
updated DATETIME DEFAULT CURRENT_TIMESTAMP
)
`).Execute()
if err != nil {
return err
}
return nil
}

View File

@@ -1,12 +1,17 @@
package main package main
import "time" import (
"crypto/sha256"
"encoding/json"
"fmt"
"time"
"github.com/pocketbase/pocketbase"
)
type Event struct { type Event struct {
// Server generated sequence number of the event - ie when it was applied // Server generated sequence number of the event - ie when it was applied
Seq int `json:"seq"` Seq int `json:"seq"`
// Type of the event - create, update, delete, defined by the client
Type string `json:"type"`
// Hash of the event - server generated, gurantees the event was processed // Hash of the event - server generated, gurantees the event was processed
Hash string `json:"hash"` Hash string `json:"hash"`
// ItemID of the item that is to be manipulated, defined by the client // ItemID of the item that is to be manipulated, defined by the client
@@ -15,12 +20,20 @@ type Event struct {
EventID string `json:"event_id"` EventID string `json:"event_id"`
// Collection of the item that is to be manipulated, defined by the client // Collection of the item that is to be manipulated, defined by the client
Collection string `json:"collection"` Collection string `json:"collection"`
// Data that is to be used for manipulation; for create events that's the full objects and for update events that's the diff // RFC6902 JSON Patch operations that define the changes
Data map[string]interface{} `json:"data"` Patches []PatchOperation `json:"patches"`
// Timestamp of the event - server generated, when the event was processed // Timestamp of the event - server generated, when the event was processed
Timestamp time.Time `json:"timestamp"` Timestamp time.Time `json:"timestamp"`
} }
// PatchOperation represents a single RFC6902 JSON Patch operation
type PatchOperation struct {
Op string `json:"op"` // add, remove, replace, move, copy, test
Path string `json:"path"` // JSON Pointer to target location
Value interface{} `json:"value,omitempty"` // Value for add/replace operations
From string `json:"from,omitempty"` // Source path for move/copy operations
}
type SLItem struct { type SLItem struct {
ID string ID string
Content string Content string
@@ -28,3 +41,42 @@ type SLItem struct {
UpdatedAt time.Time UpdatedAt time.Time
DeletedAt time.Time DeletedAt time.Time
} }
type EventStore struct {
app *pocketbase.PocketBase
}
type SyncRequest struct {
LastSeq int `json:"last_seq"`
LastHash string `json:"last_hash"`
}
type SyncResponse struct {
Events []Event `json:"events"`
CurrentSeq int `json:"current_seq"`
CurrentHash string `json:"current_hash"`
FullSync bool `json:"full_sync"`
}
// Serialize event manually to ensure consistent field order for hashing
func (e *Event) serialize() string {
timestamp := e.Timestamp.Format(time.RFC3339Nano)
// Convert patches to JSON string
patchesBytes, _ := json.Marshal(e.Patches)
patchesStr := string(patchesBytes)
return fmt.Sprintf("seq:%d|item_id:%s|event_id:%s|collection:%s|patches:%s|timestamp:%s",
e.Seq, e.ItemID, e.EventID, e.Collection, patchesStr, timestamp)
}
// Calculate hash of event plus previous hash
func (e *Event) calculateHash(prevHash string) string {
content := e.serialize() + "|prev_hash:" + prevHash
hash := sha256.Sum256([]byte(content))
return fmt.Sprintf("%x", hash)
}
func NewEventStore(app *pocketbase.PocketBase) *EventStore {
return &EventStore{app: app}
}