initial commit

This commit is contained in:
Peter 2025-02-14 08:44:34 +01:00
commit 866e9908a8
Signed by: prskr
GPG key ID: F56BED6903BC5E37
20 changed files with 999 additions and 0 deletions

27
.editorconfig Normal file
View file

@ -0,0 +1,27 @@
root = true
[*]
charset = utf-8
end_of_line = lf
indent_size = 4
tab_width = 4
indent_style = space
insert_final_newline = false
max_line_length = 120
trim_trailing_whitespace = true
[*.go]
indent_style = tab
ij_smart_tabs = true
ij_go_GROUP_CURRENT_PROJECT_IMPORTS = true
ij_go_group_stdlib_imports = true
ij_go_import_sorting = goimports
ij_go_local_group_mode = project
ij_go_move_all_imports_in_one_declaration = true
ij_go_move_all_stdlib_imports_in_one_group = true
ij_go_remove_redundant_import_aliases = true
[*.{yml,yaml}]
indent_size = 2
tab_width = 2
insert_final_newline = true

2
.gitignore vendored Normal file
View file

@ -0,0 +1,2 @@
out/
.idea/

26
Dockerfile Normal file
View file

@ -0,0 +1,26 @@
FROM docker.io/golang:1.24-alpine AS builder
ENV CGO_ENABLED=0
WORKDIR /src
RUN \
--mount=type=cache,target=/go/pkg/mod \
--mount=type=bind,source=./go.mod,target=./go.mod,rw=false \
--mount=type=bind,source=./go.sum,target=./go.sum,rw=false \
go mod download
COPY . ./
RUN --mount=type=cache,target=/root/.cache/go-build \
--mount=type=cache,target=/go/pkg/mod \
mkdir -p ./out && \
go build -o ./out/pg_v_man -trimpath -ldflags '-s -w' main.go
FROM gcr.io/distroless/static:nonroot
WORKDIR /app
COPY --from=builder /src/out/pg_v_man ./
ENTRYPOINT ["/app/pg_v_man"]

14
README.md Normal file
View file

@ -0,0 +1,14 @@
# pg_v_man
## Getting started
To get started, simply start the Docker Compose stack:
```bash
docker compose up
```
You can then open the [RabbitMQ management UI](http://localhost:15672) and watch messages coming in in the `letterbox` queue whenever you manipulate any data in the database.
The database port is by default 5432 (as always) and credentials can be found in the [compose.yml](./compose.yml).
Right now no pgAdmin/cloud-beaver or anything are part of the stack, feel free to use whatever Postgres tool you prefer :).

59
assets/db/01_init.sql Normal file
View file

@ -0,0 +1,59 @@
CREATE PUBLICATION v_man_1 FOR ALL TABLES;
create extension pgcrypto;
create table users (
id bigint primary key generated always as identity,
username text not null unique,
email text not null unique,
password_hash text not null
);
create table categories (
id bigint primary key generated always as identity,
name text not null unique
);
create table lists (
id bigint primary key generated always as identity,
user_id bigint not null references users (id),
name text not null
);
create table tasks (
id bigint primary key generated always as identity,
list_id bigint not null references lists (id),
category_id bigint references categories (id),
title text not null,
description text,
due_date date,
priority int,
completed boolean default false
);
INSERT INTO
users (username, email, password_hash)
VALUES
(
'ted.tester',
'ted.tester@example.com',
crypt ('password', gen_salt ('bf'))
);
INSERT INTO
categories (name)
VALUES
('Groceries'),
('Work'),
('Personal'),
('Other');
INSERT INTO
public.lists (user_id, name)
VALUES
(1, 'Groceries');
INSERT INTO
public.tasks (list_id, category_id, title)
VALUES
(1, 1, 'Orange Juice');

View file

@ -0,0 +1,80 @@
{
"rabbit_version": "4.0.5",
"rabbitmq_version": "4.0.5",
"product_name": "RabbitMQ",
"product_version": "4.0.5",
"rabbitmq_definition_format": "cluster",
"original_cluster_name": "rabbit@553990bf8169",
"explanation": "Definitions of cluster 'rabbit@553990bf8169'",
"users": [
{
"name": "v_man",
"password_hash": "ASzCoAwdiANYvE0ySlYTw76+1u6Vda24cyafLJfSb8eiVmKp",
"hashing_algorithm": "rabbit_password_hashing_sha256",
"tags": ["administrator"],
"limits": {}
}
],
"vhosts": [
{
"name": "/",
"description": "Default virtual host",
"metadata": {
"description": "Default virtual host",
"tags": [],
"default_queue_type": "classic"
},
"tags": [],
"default_queue_type": "classic"
}
],
"permissions": [
{
"user": "v_man",
"vhost": "/",
"configure": ".*",
"write": ".*",
"read": ".*"
}
],
"topic_permissions": [],
"parameters": [],
"global_parameters": [
{ "name": "cluster_tags", "value": [] },
{
"name": "internal_cluster_id",
"value": "rabbitmq-cluster-id-zBQKaZR5QrD8CTz1RhYHag"
}
],
"policies": [],
"queues": [
{
"name": "letterbox",
"vhost": "/",
"durable": true,
"auto_delete": false,
"arguments": { "x-max-length": 1000, "x-queue-type": "classic" }
}
],
"exchanges": [
{
"name": "pg_v_man",
"vhost": "/",
"type": "topic",
"durable": true,
"auto_delete": false,
"internal": false,
"arguments": {}
}
],
"bindings": [
{
"source": "pg_v_man",
"vhost": "/",
"destination": "letterbox",
"destination_type": "queue",
"routing_key": "*",
"arguments": {}
}
]
}

View file

@ -0,0 +1 @@
[rabbitmq_management,rabbitmq_prometheus].

View file

@ -0,0 +1,7 @@
default_user = $(RABBITMQ_DEFAULT_USER)
default_pass = $(RABBITMQ_DEFAULT_PASS)
definitions.import_backend = local_filesystem
definitions.local.path = /etc/rabbitmq/definitions.json
log.console = true

59
cmd/app.go Normal file
View file

@ -0,0 +1,59 @@
package cmd
import (
"context"
"errors"
"fmt"
"log/slog"
"os"
"github.com/alecthomas/kong"
"code.icb4dc0.de/prskr/pg_v_man/infrastructure/config"
"code.icb4dc0.de/prskr/pg_v_man/infrastructure/db"
"code.icb4dc0.de/prskr/pg_v_man/infrastructure/rabbitmq"
)
func RunApp(ctx context.Context) error {
var app App
return kong.Parse(
&app,
kong.Name("replication-emitter"),
kong.BindTo(ctx, (*context.Context)(nil)),
).Run()
}
type App struct {
Logging config.Logging `embed:"" prefix:"logging."`
DB config.DB `embed:"" prefix:"db."`
RabbitMQ config.RabbitMQ `embed:"" prefix:"rabbitmq."`
}
func (a *App) Run(ctx context.Context) (err error) {
publisher, err := rabbitmq.NewPublishingEventConsumer(ctx, a.RabbitMQ)
if err != nil {
return fmt.Errorf("could not create publishing event consumer: %w", err)
}
replClient, err := db.NewReplicationClient(ctx, a.DB, publisher)
if err != nil {
return fmt.Errorf("could not create replication client: %w", err)
}
defer func() {
err = errors.Join(err, replClient.Close(context.Background()))
}()
return replClient.Receive(ctx)
}
func (a *App) AfterApply(kongCtx *kong.Context) error {
defaultLogger := slog.New(slog.NewJSONHandler(os.Stderr, a.Logging.Options()))
slog.SetDefault(defaultLogger)
kongCtx.Bind(defaultLogger)
return nil
}

70
compose.yml Normal file
View file

@ -0,0 +1,70 @@
services:
pg_v_man:
build:
context: .
dockerfile: Dockerfile
environment:
DB_CONNECTION_STRING: postgresql://postgres:postgres@postgres:5432/postgres?replication=database
DB_PUBLICATION: v_man_1
RABBITMQ_CONNECTION_STRING: amqp://v_man:ies6ohF8@rabbitmq:5672/
restart: always
depends_on:
- rabbitmq
- postgres
postgres:
image: postgres:17.3
command:
- "postgres"
- "-c"
- "wal_level=logical"
ports:
- target: 5432
published: 5432
protocol: tcp
environment:
POSTGRES_USER: postgres
POSTGRES_PASSWORD: postgres
POSTGRES_DB: postgres
volumes:
- type: bind
source: ./assets/db
target: /docker-entrypoint-initdb.d
- type: volume
source: postgres-data
target: /var/lib/postgresql/data
healthcheck:
test: ["CMD-SHELL", "pg_isready"]
interval: 10s
timeout: 5s
retries: 5
rabbitmq:
image: rabbitmq:4-management-alpine
ports:
- target: 5672
published: 5672
protocol: tcp
- target: 15672
published: 15672
protocol: tcp
environment:
RABBITMQ_DEFAULT_USER: v_man
RABBITMQ_DEFAULT_PASS: ies6ohF8
RABBITMQ_DEFAULT_VHOST: /
volumes:
- type: bind
source: ./assets/rabbitmq
target: /etc/rabbitmq
- type: volume
source: rabbitmq-data
target: /var/lib/rabbitmq
healthcheck:
test: rabbitmq-diagnostics -q ping
interval: 30s
timeout: 25s
retries: 3
volumes:
rabbitmq-data:
postgres-data:

44
core/domain/repl_event.go Normal file
View file

@ -0,0 +1,44 @@
package domain
type EventType string
func (e EventType) String() string {
return string(e)
}
const (
EventTypeInsert EventType = "INSERT"
EventTypeUpdate EventType = "UPDATE"
EventTypeDelete EventType = "DELETE"
EventTypeTruncate EventType = "TRUNCATE"
)
func NewValues() *Values {
return &Values{
Key: make(map[string]any),
Data: make(map[string]any),
}
}
func (v *Values) AddValue(partOfKey bool, key string, value any) {
if partOfKey {
v.Key[key] = value
} else {
v.Data[key] = value
}
}
type Values struct {
Key map[string]any
Data map[string]any
}
type ReplicationEvent struct {
EventType EventType `json:"eventType"`
TransactionId uint32 `json:"transactionId"`
DBName string `json:"dbName"`
Namespace string `json:"namespace"`
Relation string `json:"relation"`
NewValues *Values `json:"newValues,omitempty"`
OldValues *Values `json:"oldValues,omitempty"`
}

View file

@ -0,0 +1,11 @@
package ports
import (
"context"
"code.icb4dc0.de/prskr/pg_v_man/core/domain"
)
type ReplicationEventConsumer interface {
OnDataChange(ctx context.Context, ev domain.ReplicationEvent) error
}

22
go.mod Normal file
View file

@ -0,0 +1,22 @@
module code.icb4dc0.de/prskr/pg_v_man
go 1.24
toolchain go1.24.0
require (
github.com/alecthomas/kong v0.9.0
github.com/google/uuid v1.6.0
github.com/jackc/pglogrepl v0.0.0-20240307033717-828fbfe908e9
github.com/jackc/pgx/v5 v5.6.0
github.com/wagslane/go-rabbitmq v0.13.0
)
require (
github.com/jackc/pgio v1.0.0 // indirect
github.com/jackc/pgpassfile v1.0.0 // indirect
github.com/jackc/pgservicefile v0.0.0-20240606120523-5a60cdf6a761 // indirect
github.com/rabbitmq/amqp091-go v1.10.0 // indirect
golang.org/x/crypto v0.24.0 // indirect
golang.org/x/text v0.16.0 // indirect
)

48
go.sum Normal file
View file

@ -0,0 +1,48 @@
github.com/alecthomas/assert/v2 v2.6.0 h1:o3WJwILtexrEUk3cUVal3oiQY2tfgr/FHWiz/v2n4FU=
github.com/alecthomas/assert/v2 v2.6.0/go.mod h1:Bze95FyfUr7x34QZrjL+XP+0qgp/zg8yS+TtBj1WA3k=
github.com/alecthomas/kong v0.9.0 h1:G5diXxc85KvoV2f0ZRVuMsi45IrBgx9zDNGNj165aPA=
github.com/alecthomas/kong v0.9.0/go.mod h1:Y47y5gKfHp1hDc7CH7OeXgLIpp+Q2m1Ni0L5s3bI8Os=
github.com/alecthomas/repr v0.4.0 h1:GhI2A8MACjfegCPVq9f1FLvIBS+DrQ2KQBFZP1iFzXc=
github.com/alecthomas/repr v0.4.0/go.mod h1:Fr0507jx4eOXV7AlPV6AVZLYrLIuIeSOWtW57eE/O/4=
github.com/davecgh/go-spew v1.1.0/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
github.com/davecgh/go-spew v1.1.1 h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c=
github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38=
github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0=
github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo=
github.com/hexops/gotextdiff v1.0.3 h1:gitA9+qJrrTCsiCl7+kh75nPqQt1cx4ZkudSTLoUqJM=
github.com/hexops/gotextdiff v1.0.3/go.mod h1:pSWU5MAI3yDq+fZBTazCSJysOMbxWL1BSow5/V2vxeg=
github.com/jackc/pgio v1.0.0 h1:g12B9UwVnzGhueNavwioyEEpAmqMe1E/BN9ES+8ovkE=
github.com/jackc/pgio v1.0.0/go.mod h1:oP+2QK2wFfUWgr+gxjoBH9KGBb31Eio69xUb0w5bYf8=
github.com/jackc/pglogrepl v0.0.0-20240307033717-828fbfe908e9 h1:86CQbMauoZdLS0HDLcEHYo6rErjiCBjVvcxGsioIn7s=
github.com/jackc/pglogrepl v0.0.0-20240307033717-828fbfe908e9/go.mod h1:SO15KF4QqfUM5UhsG9roXre5qeAQLC1rm8a8Gjpgg5k=
github.com/jackc/pgpassfile v1.0.0 h1:/6Hmqy13Ss2zCq62VdNG8tM1wchn8zjSGOBJ6icpsIM=
github.com/jackc/pgpassfile v1.0.0/go.mod h1:CEx0iS5ambNFdcRtxPj5JhEz+xB6uRky5eyVu/W2HEg=
github.com/jackc/pgservicefile v0.0.0-20240606120523-5a60cdf6a761 h1:iCEnooe7UlwOQYpKFhBabPMi4aNAfoODPEFNiAnClxo=
github.com/jackc/pgservicefile v0.0.0-20240606120523-5a60cdf6a761/go.mod h1:5TJZWKEWniPve33vlWYSoGYefn3gLQRzjfDlhSJ9ZKM=
github.com/jackc/pgx/v5 v5.6.0 h1:SWJzexBzPL5jb0GEsrPMLIsi/3jOo7RHlzTjcAeDrPY=
github.com/jackc/pgx/v5 v5.6.0/go.mod h1:DNZ/vlrUnhWCoFGxHAG8U2ljioxukquj7utPDgtQdTw=
github.com/jackc/puddle/v2 v2.2.1 h1:RhxXJtFG022u4ibrCSMSiu5aOq1i77R3OHKNJj77OAk=
github.com/jackc/puddle/v2 v2.2.1/go.mod h1:vriiEXHvEE654aYKXXjOvZM39qJ0q+azkZFrfEOc3H4=
github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=
github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4=
github.com/rabbitmq/amqp091-go v1.10.0 h1:STpn5XsHlHGcecLmMFCtg7mqq0RnD+zFr4uzukfVhBw=
github.com/rabbitmq/amqp091-go v1.10.0/go.mod h1:Hy4jKW5kQART1u+JkDTF9YYOQUHXqMuhrgxOEeS7G4o=
github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME=
github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI=
github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg=
github.com/stretchr/testify v1.8.4 h1:CcVxjf3Q8PM0mHUKJCdn+eZZtm5yQwehR5yeSVQQcUk=
github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo=
github.com/wagslane/go-rabbitmq v0.13.0 h1:u2JfKbwi3cbxCExKV34RrhKBZjW2HoRwyPTA8pERyrs=
github.com/wagslane/go-rabbitmq v0.13.0/go.mod h1:1sUJ53rrW2AIA7LEp8ymmmebHqqq8ksH/gXIfUP0I0s=
go.uber.org/goleak v1.3.0 h1:2K3zAYmnTNqV73imy9J1T3WC+gmCePx2hEGkimedGto=
go.uber.org/goleak v1.3.0/go.mod h1:CoHD4mav9JJNrW/WLlf7HGZPjdw8EucARQHekz1X6bE=
golang.org/x/crypto v0.24.0 h1:mnl8DM0o513X8fdIkmyFE/5hTYxbwYOjDS/+rK6qpRI=
golang.org/x/crypto v0.24.0/go.mod h1:Z1PMYSOR5nyMcyAVAIQSKCDwalqy85Aqn1x3Ws4L5DM=
golang.org/x/sync v0.7.0 h1:YsImfSBoP9QPYL0xyKJPq0gcaJdG3rInoqxTWbfQu9M=
golang.org/x/sync v0.7.0/go.mod h1:Czt+wKu1gCyEFDUtn0jG5QVvpJ6rzVqr5aXyt9drQfk=
golang.org/x/text v0.16.0 h1:a94ExnEXNtEwYLGJSIUxnWoxoRz/ZcCsV63ROupILh4=
golang.org/x/text v0.16.0/go.mod h1:GhwF1Be+LQoKShO3cGOHzqOgRrGaYc9AvblQOmPVHnI=
gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0=
gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=
gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA=
gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM=