Files
next.orly.dev/pkg/wireguard/subnet_pool.go
mleku e84949140b
Some checks failed
Go / build-and-release (push) Has been cancelled
Add WireGuard VPN with random /31 subnet isolation (v0.40.0)
- Add embedded WireGuard VPN server using wireguard-go + netstack
- Implement deterministic /31 subnet allocation from seed + sequence
- Use Badger's built-in Sequence for atomic counter allocation
- Add NIP-46 bunker server for remote signing over VPN
- Add revoked key tracking and access audit logging for users
- Add Bunker tab to web UI with WireGuard/bunker QR codes
- Support key regeneration with old keypair archiving

New environment variables:
- ORLY_WG_ENABLED: Enable WireGuard VPN server
- ORLY_WG_PORT: UDP port for WireGuard (default 51820)
- ORLY_WG_ENDPOINT: Public endpoint for WireGuard
- ORLY_WG_NETWORK: Base network for subnet pool (default 10.0.0.0/8)
- ORLY_BUNKER_ENABLED: Enable NIP-46 bunker
- ORLY_BUNKER_PORT: WebSocket port for bunker (default 3335)

Files added:
- pkg/wireguard/: WireGuard server, keygen, subnet pool, errors
- pkg/bunker/: NIP-46 bunker server and session handling
- pkg/database/wireguard.go: Peer storage with audit logging
- app/handle-wireguard.go: API endpoints for config/regenerate/audit
- app/wireguard-helpers.go: Key derivation helpers
- app/web/src/BunkerView.svelte: Bunker UI with QR codes

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
2025-12-27 16:32:48 +02:00

185 lines
4.6 KiB
Go

package wireguard
import (
"crypto/sha256"
"encoding/binary"
"fmt"
"net/netip"
"sync"
"lukechampine.com/frand"
)
// Subnet represents a /31 point-to-point subnet.
type Subnet struct {
ServerIP netip.Addr // Even address (server side)
ClientIP netip.Addr // Odd address (client side)
}
// SubnetPool manages deterministic /31 subnet generation from a seed.
// Given the same seed and sequence number, the same subnet is always generated.
type SubnetPool struct {
seed [32]byte // Random seed for deterministic generation
basePrefix netip.Prefix // e.g., 10.0.0.0/8
maxSeq uint32 // Current highest sequence number
assigned map[string]uint32 // Client pubkey hex -> sequence number
mu sync.RWMutex
}
// NewSubnetPool creates a subnet pool with a new random seed.
func NewSubnetPool(baseNetwork string) (*SubnetPool, error) {
prefix, err := netip.ParsePrefix(baseNetwork)
if err != nil {
return nil, fmt.Errorf("invalid base network: %w", err)
}
var seed [32]byte
frand.Read(seed[:])
return &SubnetPool{
seed: seed,
basePrefix: prefix,
maxSeq: 0,
assigned: make(map[string]uint32),
}, nil
}
// NewSubnetPoolWithSeed creates a subnet pool with an existing seed.
func NewSubnetPoolWithSeed(baseNetwork string, seed []byte) (*SubnetPool, error) {
prefix, err := netip.ParsePrefix(baseNetwork)
if err != nil {
return nil, fmt.Errorf("invalid base network: %w", err)
}
if len(seed) != 32 {
return nil, fmt.Errorf("seed must be 32 bytes, got %d", len(seed))
}
pool := &SubnetPool{
basePrefix: prefix,
maxSeq: 0,
assigned: make(map[string]uint32),
}
copy(pool.seed[:], seed)
return pool, nil
}
// Seed returns the pool's seed for persistence.
func (p *SubnetPool) Seed() []byte {
return p.seed[:]
}
// deriveSubnet deterministically generates a /31 subnet from seed + sequence.
func (p *SubnetPool) deriveSubnet(seq uint32) Subnet {
// Hash seed + sequence to get deterministic randomness
h := sha256.New()
h.Write(p.seed[:])
binary.Write(h, binary.BigEndian, seq)
hash := h.Sum(nil)
// Use first 4 bytes as offset within the prefix
offset := binary.BigEndian.Uint32(hash[:4])
// Calculate available address space
bits := p.basePrefix.Bits()
availableBits := uint32(32 - bits)
maxOffset := uint32(1) << availableBits
// Make offset even (for /31 alignment) and within range
offset = (offset % (maxOffset / 2)) * 2
// Calculate server IP (even) and client IP (odd)
baseAddr := p.basePrefix.Addr()
baseBytes := baseAddr.As4()
baseVal := uint32(baseBytes[0])<<24 | uint32(baseBytes[1])<<16 |
uint32(baseBytes[2])<<8 | uint32(baseBytes[3])
serverVal := baseVal + offset
clientVal := serverVal + 1
serverBytes := [4]byte{
byte(serverVal >> 24), byte(serverVal >> 16),
byte(serverVal >> 8), byte(serverVal),
}
clientBytes := [4]byte{
byte(clientVal >> 24), byte(clientVal >> 16),
byte(clientVal >> 8), byte(clientVal),
}
return Subnet{
ServerIP: netip.AddrFrom4(serverBytes),
ClientIP: netip.AddrFrom4(clientBytes),
}
}
// ServerIPs returns server-side IPs for sequences 0 to maxSeq (for netstack).
func (p *SubnetPool) ServerIPs() []netip.Addr {
p.mu.RLock()
defer p.mu.RUnlock()
if p.maxSeq == 0 {
return nil
}
ips := make([]netip.Addr, p.maxSeq)
for seq := uint32(0); seq < p.maxSeq; seq++ {
subnet := p.deriveSubnet(seq)
ips[seq] = subnet.ServerIP
}
return ips
}
// GetSubnet returns the subnet for a client, or nil if not assigned.
func (p *SubnetPool) GetSubnet(clientPubkeyHex string) *Subnet {
p.mu.RLock()
defer p.mu.RUnlock()
if seq, ok := p.assigned[clientPubkeyHex]; ok {
subnet := p.deriveSubnet(seq)
return &subnet
}
return nil
}
// GetSequence returns the sequence number for a client, or -1 if not assigned.
func (p *SubnetPool) GetSequence(clientPubkeyHex string) int {
p.mu.RLock()
defer p.mu.RUnlock()
if seq, ok := p.assigned[clientPubkeyHex]; ok {
return int(seq)
}
return -1
}
// RestoreAllocation restores a previously saved allocation.
func (p *SubnetPool) RestoreAllocation(clientPubkeyHex string, seq uint32) {
p.mu.Lock()
defer p.mu.Unlock()
p.assigned[clientPubkeyHex] = seq
if seq >= p.maxSeq {
p.maxSeq = seq + 1
}
}
// MaxSequence returns the current max sequence number.
func (p *SubnetPool) MaxSequence() uint32 {
p.mu.RLock()
defer p.mu.RUnlock()
return p.maxSeq
}
// AllocatedCount returns the number of allocated subnets.
func (p *SubnetPool) AllocatedCount() int {
p.mu.RLock()
defer p.mu.RUnlock()
return len(p.assigned)
}
// SubnetForSequence returns the subnet for a given sequence number.
func (p *SubnetPool) SubnetForSequence(seq uint32) Subnet {
return p.deriveSubnet(seq)
}