Add account hierarchy framework with migrations, RLS policies, and UI components

This commit is contained in:
T. Zehetbauer
2026-03-31 22:18:04 +02:00
parent 7e7da0b465
commit 59546ad6d2
262 changed files with 11671 additions and 3927 deletions

View File

@@ -1,6 +1,7 @@
import type { Database } from '@kit/supabase/database';
import type { SupabaseClient } from '@supabase/supabase-js';
import type { Database } from '@kit/supabase/database';
import type { CreateNewsletterInput } from '../schema/newsletter.schema';
/* eslint-disable @typescript-eslint/no-explicit-any */
@@ -9,7 +10,10 @@ import type { CreateNewsletterInput } from '../schema/newsletter.schema';
* Template variable substitution.
* Replaces {{variable}} placeholders with actual values.
*/
function substituteVariables(template: string, variables: Record<string, string>): string {
function substituteVariables(
template: string,
variables: Record<string, string>,
): string {
let result = template;
for (const [key, value] of Object.entries(variables)) {
result = result.replace(new RegExp(`\\{\\{${key}\\}\\}`, 'g'), value);
@@ -23,53 +27,96 @@ export function createNewsletterApi(client: SupabaseClient<Database>) {
return {
// --- Templates ---
async listTemplates(accountId: string) {
const { data, error } = await client.from('newsletter_templates').select('*')
.eq('account_id', accountId).order('name');
const { data, error } = await client
.from('newsletter_templates')
.select('*')
.eq('account_id', accountId)
.order('name');
if (error) throw error;
return data ?? [];
},
async createTemplate(input: { accountId: string; name: string; subject: string; bodyHtml: string; bodyText?: string; variables?: string[] }) {
const { data, error } = await client.from('newsletter_templates').insert({
account_id: input.accountId, name: input.name, subject: input.subject,
body_html: input.bodyHtml, body_text: input.bodyText,
variables: input.variables ?? [],
}).select().single();
async createTemplate(input: {
accountId: string;
name: string;
subject: string;
bodyHtml: string;
bodyText?: string;
variables?: string[];
}) {
const { data, error } = await client
.from('newsletter_templates')
.insert({
account_id: input.accountId,
name: input.name,
subject: input.subject,
body_html: input.bodyHtml,
body_text: input.bodyText,
variables: input.variables ?? [],
})
.select()
.single();
if (error) throw error;
return data;
},
// --- Newsletters ---
async listNewsletters(accountId: string) {
const { data, error } = await client.from('newsletters').select('*')
.eq('account_id', accountId).order('created_at', { ascending: false });
const { data, error } = await client
.from('newsletters')
.select('*')
.eq('account_id', accountId)
.order('created_at', { ascending: false });
if (error) throw error;
return data ?? [];
},
async createNewsletter(input: CreateNewsletterInput, userId: string) {
const { data, error } = await client.from('newsletters').insert({
account_id: input.accountId, template_id: input.templateId,
subject: input.subject, body_html: input.bodyHtml, body_text: input.bodyText,
status: input.scheduledAt ? 'scheduled' : 'draft',
scheduled_at: input.scheduledAt, created_by: userId,
}).select().single();
const { data, error } = await client
.from('newsletters')
.insert({
account_id: input.accountId,
template_id: input.templateId,
subject: input.subject,
body_html: input.bodyHtml,
body_text: input.bodyText,
status: input.scheduledAt ? 'scheduled' : 'draft',
scheduled_at: input.scheduledAt,
created_by: userId,
})
.select()
.single();
if (error) throw error;
return data;
},
async getNewsletter(newsletterId: string) {
const { data, error } = await client.from('newsletters').select('*').eq('id', newsletterId).single();
const { data, error } = await client
.from('newsletters')
.select('*')
.eq('id', newsletterId)
.single();
if (error) throw error;
return data;
},
// --- Recipients ---
async addRecipientsFromMembers(newsletterId: string, accountId: string, filter?: { status?: string[]; hasEmail?: boolean }) {
let query = client.from('members').select('id, first_name, last_name, email')
.eq('account_id', accountId).not('email', 'is', null).neq('email', '');
async addRecipientsFromMembers(
newsletterId: string,
accountId: string,
filter?: { status?: string[]; hasEmail?: boolean },
) {
let query = client
.from('members')
.select('id, first_name, last_name, email')
.eq('account_id', accountId)
.not('email', 'is', null)
.neq('email', '');
if (filter?.status && filter.status.length > 0) {
query = query.in('status', filter.status as Database['public']['Enums']['membership_status'][]);
query = query.in(
'status',
filter.status as Database['public']['Enums']['membership_status'][],
);
}
const { data: members, error } = await query;
@@ -84,19 +131,27 @@ export function createNewsletterApi(client: SupabaseClient<Database>) {
}));
if (recipients.length > 0) {
const { error: insertError } = await client.from('newsletter_recipients').insert(recipients);
const { error: insertError } = await client
.from('newsletter_recipients')
.insert(recipients);
if (insertError) throw insertError;
}
// Update newsletter total
await client.from('newsletters').update({ total_recipients: recipients.length }).eq('id', newsletterId);
await client
.from('newsletters')
.update({ total_recipients: recipients.length })
.eq('id', newsletterId);
return recipients.length;
},
async getRecipients(newsletterId: string) {
const { data, error } = await client.from('newsletter_recipients').select('*')
.eq('newsletter_id', newsletterId).order('name');
const { data, error } = await client
.from('newsletter_recipients')
.select('*')
.eq('newsletter_id', newsletterId)
.order('name');
if (error) throw error;
return data ?? [];
},
@@ -112,7 +167,10 @@ export function createNewsletterApi(client: SupabaseClient<Database>) {
const pending = recipients.filter((r: any) => r.status === 'pending');
// Mark as sending
await client.from('newsletters').update({ status: 'sending' }).eq('id', newsletterId);
await client
.from('newsletters')
.update({ status: 'sending' })
.eq('id', newsletterId);
let sentCount = 0;
let failedCount = 0;
@@ -129,25 +187,37 @@ export function createNewsletterApi(client: SupabaseClient<Database>) {
// TODO: Use @kit/mailers to actually send
// await mailer.send({ to: recipient.email, subject: newsletter.subject, html: personalizedHtml });
await client.from('newsletter_recipients').update({
status: 'sent', sent_at: new Date().toISOString(),
}).eq('id', recipient.id);
await client
.from('newsletter_recipients')
.update({
status: 'sent',
sent_at: new Date().toISOString(),
})
.eq('id', recipient.id);
sentCount++;
} catch (err) {
await client.from('newsletter_recipients').update({
status: 'failed', error_message: err instanceof Error ? err.message : 'Unknown error',
}).eq('id', recipient.id);
await client
.from('newsletter_recipients')
.update({
status: 'failed',
error_message:
err instanceof Error ? err.message : 'Unknown error',
})
.eq('id', recipient.id);
failedCount++;
}
}
// Update newsletter totals
await client.from('newsletters').update({
status: failedCount === pending.length ? 'failed' : 'sent',
sent_at: new Date().toISOString(),
sent_count: sentCount,
failed_count: failedCount,
}).eq('id', newsletterId);
await client
.from('newsletters')
.update({
status: failedCount === pending.length ? 'failed' : 'sent',
sent_at: new Date().toISOString(),
sent_count: sentCount,
failed_count: failedCount,
})
.eq('id', newsletterId);
return { sentCount, failedCount };
},