Schema (002_tables.sql): - users: accounts with nick, password hash, timestamps - auth_tokens: per-device tokens with expiry, linked to users - channels: chat rooms with topic and mode flags - channel_members: membership with per-user modes (+o, +v) - messages: channel/DM history with structured JSON meta - message_queue: per-user pending delivery queue - sessions: server-held session state with idle timeout - server_links: federation peer configuration Models (internal/models/): - All models embed Base for database access - Relation methods on models: User.Channels(), User.QueuedMessages(), Channel.Members(), Channel.RecentMessages(), ChannelMember.User(), ChannelMember.Channel(), AuthToken.User(), Session.User() - IDs are UUIDs (TEXT), not auto-increment integers - JSON tags use camelCase per lint rules All tables verified: migrations apply cleanly, 0 lint issues.
38 lines
791 B
Go
38 lines
791 B
Go
package models
|
|
|
|
import (
|
|
"context"
|
|
"time"
|
|
)
|
|
|
|
// Session represents a server-held user session.
|
|
type Session struct {
|
|
Base
|
|
|
|
ID string `json:"id"`
|
|
UserID string `json:"userId"`
|
|
CreatedAt time.Time `json:"createdAt"`
|
|
LastActiveAt time.Time `json:"lastActiveAt"`
|
|
ExpiresAt *time.Time `json:"expiresAt,omitempty"`
|
|
}
|
|
|
|
// User returns the user who owns this session.
|
|
func (s *Session) User(ctx context.Context) (*User, error) {
|
|
u := &User{}
|
|
u.SetDB(s.db)
|
|
|
|
err := s.GetDB().QueryRowContext(ctx, `
|
|
SELECT id, nick, password_hash, created_at, updated_at, last_seen_at
|
|
FROM users WHERE id = ?`,
|
|
s.UserID,
|
|
).Scan(
|
|
&u.ID, &u.Nick, &u.PasswordHash,
|
|
&u.CreatedAt, &u.UpdatedAt, &u.LastSeenAt,
|
|
)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
return u, nil
|
|
}
|