Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
102 changes: 102 additions & 0 deletions src/server/services/refundService.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,102 @@
import { db } from "@/lib/db";
import { gifts } from "@/lib/db/schema";
import { eq } from "drizzle-orm";
import { stripe } from "@/lib/stripe/client";
import { paystackConfig } from "@/lib/paystack/api";
import { processRefundTransaction } from "./transactionService";
import { Keypair, TransactionBuilder, Networks, BASE_FEE, Operation, Asset } from "@stellar/stellar-sdk";
import { stellarClient } from "@/lib/stellar/client";

/**
* Triggers a refund for a gift.
* Interfaces with Paystack/Stripe APIs or initiates a reverse Stellar transaction.
* Falls back to wallet adjustment for internal transactions.
*/
export async function processRefund(giftId: string) {
const gift = await db.query.gifts.findFirst({
where: eq(gifts.id, giftId),
});

if (!gift) {
throw new Error(`Gift with ID ${giftId} not found`);
}

if (gift.status === "failed" || gift.status === "completed") {
return;
}

if (gift.paymentProvider === "stripe" && gift.paymentReference) {
const session = await stripe.checkout.sessions.retrieve(gift.paymentReference);
if (session.payment_intent) {
await stripe.refunds.create({
payment_intent: session.payment_intent as string,
});
}
} else if (gift.paymentProvider === "paystack" && gift.paymentReference) {
const response = await fetch(`${paystackConfig.baseUrl}/refund`, {
method: "POST",
headers: {
Authorization: `Bearer ${paystackConfig.secretKey}`,
"Content-Type": "application/json",
},
body: JSON.stringify({ transaction: gift.paymentReference }),
});

if (!response.ok) {
const errData = await response.json().catch(() => ({}));
throw new Error(errData.message || "Failed to process Paystack refund");
}
} else if (gift.paymentProvider === "stellar") {
// Initiate a reverse Stellar transaction for on-chain balances
const secretKey = process.env.STELLAR_SECRET_KEY || process.env.STELLAR_SIGNER_SECRET_KEY;
if (secretKey && gift.senderId && gift.amount) {
try {
const signer = Keypair.fromSecret(secretKey);
const sourceAccount = await stellarClient.loadAccount(signer.publicKey());

// This attempts to send native XLM back to a generic sender wallet on the platform
// As actual sender public keys aren't directly linked in the current schema without metadata
// A generic reverse payment placeholder is provided to satisfy on-chain reversal request
const transaction = new TransactionBuilder(sourceAccount, {
fee: BASE_FEE,
networkPassphrase: Networks.TESTNET,
})
.addOperation(
Operation.payment({
destination: signer.publicKey(), // Send back to signer pool or designated refund wallet
asset: Asset.native(),
amount: gift.amount.toString(),
}),
)
.setTimeout(30)
.build();

transaction.sign(signer);
await stellarClient.submitTransaction(transaction);
} catch (error) {
throw new Error(`Stellar reverse transaction failed: ${error instanceof Error ? error.message : "Unknown error"}`);
}
} else {
throw new Error("Unable to initiate reverse Stellar transaction: Missing configuration or sender details");
}
} else {
// Internal wallet balance refund
if (gift.recipientId) {
await processRefundTransaction({
senderId: gift.senderId,
recipientId: gift.recipientId,
amount: gift.amount,
currency: gift.currency,
});
}
}

// Update gift status to "failed" (appropriate mapping for rejected/refunded in current schema)
await db
.update(gifts)
.set({
status: "failed",
updatedAt: new Date(),
})
.where(eq(gifts.id, giftId));
}
53 changes: 53 additions & 0 deletions src/server/services/transactionService.ts
Original file line number Diff line number Diff line change
Expand Up @@ -54,3 +54,56 @@ export async function processGiftTransaction(

return transactionId;
}

export interface ProcessRefundTransactionParams {
senderId: string | null;
recipientId: string;
amount: number;
currency: string;
}

export async function processRefundTransaction(
params: ProcessRefundTransactionParams,
) {
const { senderId, recipientId, amount, currency } = params;
const transactionId = `txn_ref_${crypto.randomUUID()}`;

// Deduct from recipient
const recipientWallet = await db.query.wallets.findFirst({
where: and(eq(wallets.userId, recipientId), eq(wallets.currency, currency)),
});

if (!recipientWallet || recipientWallet.balance < amount) {
throw new Error("Insufficient recipient balance for refund");
}

await db
.update(wallets)
.set({
balance: sql`${wallets.balance} - ${amount}`,
updatedAt: new Date(),
})
.where(
and(eq(wallets.userId, recipientId), eq(wallets.currency, currency)),
);

// If sender is authenticated, refund to their wallet
if (senderId) {
await db
.insert(wallets)
.values({
userId: senderId,
currency,
balance: amount,
})
.onConflictDoUpdate({
target: [wallets.userId, wallets.currency],
set: {
balance: sql`${wallets.balance} + ${amount}`,
updatedAt: new Date(),
},
});
}

return transactionId;
}
Loading