File size: 5,678 Bytes
f5071ca |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 |
import Stripe from 'stripe';
import { createClient } from '@supabase/supabase-js';
import { Database } from '@/types_db';
import { Price, Product } from '@/types';
import { stripe } from './stripe';
import { toDateTime } from './helpers';
export const supabaseAdmin = createClient<Database>(
process.env.NEXT_PUBLIC_SUPABASE_URL || '',
process.env.SUPABASE_SERVICE_ROLE_KEY || ''
);
const upsertProductRecord = async (product: Stripe.Product) => {
const productData: Product = {
id: product.id,
active: product.active,
name: product.name,
description: product.description ?? undefined,
image: product.images?.[0] ?? null,
metadata: product.metadata
};
const { error } = await supabaseAdmin.from('products').upsert([productData]);
if (error) throw error;
console.log(`Product inserted/updated: ${product.id}`);
};
const upsertPriceRecord = async (price: Stripe.Price) => {
const priceData: Price = {
id: price.id,
product_id: typeof price.product === 'string' ? price.product : '',
active: price.active,
currency: price.currency,
description: price.nickname ?? undefined,
type: price.type,
unit_amount: price.unit_amount ?? undefined,
interval: price.recurring?.interval,
interval_count: price.recurring?.interval_count,
trial_period_days: price.recurring?.trial_period_days,
metadata: price.metadata
};
const { error } = await supabaseAdmin.from('prices').upsert([priceData]);
if (error) throw error;
console.log(`Price inserted/updated: ${price.id}`);
};
const createOrRetrieveCustomer = async ({
email,
uuid
}: {
email: string;
uuid: string;
}) => {
const { data, error } = await supabaseAdmin
.from('customers')
.select('stripe_customer_id')
.eq('id', uuid)
.single();
if (error || !data?.stripe_customer_id) {
const customerData: { metadata: { supabaseUUID: string }; email?: string } =
{
metadata: {
supabaseUUID: uuid
}
};
if (email) customerData.email = email;
const customer = await stripe.customers.create(customerData);
const { error: supabaseError } = await supabaseAdmin
.from('customers')
.insert([{ id: uuid, stripe_customer_id: customer.id }]);
if (supabaseError) throw supabaseError;
console.log(`New customer created and inserted for ${uuid}.`);
return customer.id;
}
return data.stripe_customer_id;
};
const copyBillingDetailsToCustomer = async (
uuid: string,
payment_method: Stripe.PaymentMethod
) => {
//Todo: check this assertion
const customer = payment_method.customer as string;
const { name, phone, address } = payment_method.billing_details;
if (!name || !phone || !address) return;
//@ts-ignore
await stripe.customers.update(customer, { name, phone, address });
const { error } = await supabaseAdmin
.from('users')
.update({
billing_address: { ...address },
payment_method: { ...payment_method[payment_method.type] }
})
.eq('id', uuid);
if (error) throw error;
};
const manageSubscriptionStatusChange = async (
subscriptionId: string,
customerId: string,
createAction = false
) => {
// Get customer's UUID from mapping table.
const { data: customerData, error: noCustomerError } = await supabaseAdmin
.from('customers')
.select('id')
.eq('stripe_customer_id', customerId)
.single();
if (noCustomerError) throw noCustomerError;
const { id: uuid } = customerData!;
const subscription = await stripe.subscriptions.retrieve(subscriptionId, {
expand: ['default_payment_method']
});
// Upsert the latest status of the subscription object.
const subscriptionData: Database['public']['Tables']['subscriptions']['Insert'] =
{
id: subscription.id,
user_id: uuid,
metadata: subscription.metadata,
// @ts-ignore
status: subscription.status,
price_id: subscription.items.data[0].price.id,
//TODO check quantity on subscription
// @ts-ignore
quantity: subscription.quantity,
cancel_at_period_end: subscription.cancel_at_period_end,
cancel_at: subscription.cancel_at
? toDateTime(subscription.cancel_at).toISOString()
: null,
canceled_at: subscription.canceled_at
? toDateTime(subscription.canceled_at).toISOString()
: null,
current_period_start: toDateTime(
subscription.current_period_start
).toISOString(),
current_period_end: toDateTime(
subscription.current_period_end
).toISOString(),
created: toDateTime(subscription.created).toISOString(),
ended_at: subscription.ended_at
? toDateTime(subscription.ended_at).toISOString()
: null,
trial_start: subscription.trial_start
? toDateTime(subscription.trial_start).toISOString()
: null,
trial_end: subscription.trial_end
? toDateTime(subscription.trial_end).toISOString()
: null
};
const { error } = await supabaseAdmin
.from('subscriptions')
.upsert([subscriptionData]);
if (error) throw error;
console.log(
`Inserted/updated subscription [${subscription.id}] for user [${uuid}]`
);
// For a new subscription copy the billing details to the customer object.
// NOTE: This is a costly operation and should happen at the very end.
if (createAction && subscription.default_payment_method && uuid)
//@ts-ignore
await copyBillingDetailsToCustomer(
uuid,
subscription.default_payment_method as Stripe.PaymentMethod
);
};
export {
upsertProductRecord,
upsertPriceRecord,
createOrRetrieveCustomer,
manageSubscriptionStatusChange,
};
|