Implement callbacks to customise your PayPal and Venmo payout flow for Web.
Components emit events based on user interaction or validation. You can use these to implement callback functions, which allow you to inject your own business logic and user experience customisations into the payout flow at critical moments. They ensure that while the SDK handles the complex technical aspects of payout processing, you retain full control over the customer experience and can seamlessly integrate payouts into your broader business workflows and systems.
Callbacks enable you to:
- Validate business rules before payouts proceed.
- Display custom error, failure, or success messages.
- Tailor user interfaces to match your brand's look and feel.
- Integrate with your own systems for fraud detection or compliance checks.
- Control exactly how your customers experience both successful and failed payouts.
- Store customer wallet details for future payouts.
- Implement merchant-initiated payout flows with custom approval logic.
These callbacks are available on the payout-submission component, used for returning customers with stored wallet details.
Only the submission components (payout-submission) supports event callbacks. The display components (payout-amount, paypal-payout-receiver, and venmo-payout-receiver) are configuration-only and don't emit events.
This callback is triggered when the customer clicks the withdrawal button, before any validation occurs.
You can use it to:
- Track button click analytics.
- Show loading indicators.
- Perform pre-validation checks.
const submissionComponent = pxpCheckoutSdk.create("payout-submission", {
recipientWallet: "Paypal",
onClick: (event) => {
console.log('Withdrawal button clicked');
// Track button click
trackEvent('payout-button-clicked', {
walletType: 'paypal',
timestamp: new Date().toISOString()
});
// Show loading indicator
showLoadingState();
}
});This callback is triggered after the customer clicks the withdrawal button and validation passes. The merchant should show their own approval modal/UI and return the approval status.
You can use it to:
- Display a confirmation dialog before proceeding.
- Perform final validation before payout execution.
- Check compliance requirements.
- Verify sufficient balance.
- Add a note to the payout.
| Property | Description |
|---|---|
isApprovedboolean required | Whether to proceed with the payout. |
notestring | Optional. A note to include with the payout (max 4000 characters). |
const submissionComponent = pxpCheckoutSdk.create("payout-submission", {
recipientWallet: "Paypal",
onPrePayoutSubmit: async () => {
console.log('Pre-payout submission triggered');
try {
// Show confirmation modal
const confirmation = await showConfirmationModal({
title: 'Confirm Withdrawal',
message: `Are you sure you want to withdraw ${amount} ${currency}?`
});
if (!confirmation.confirmed) {
return { isApproved: false };
}
// Check withdrawal limits
const limitsCheck = await checkWithdrawalLimits({
customerId: getCurrentCustomerId(),
amount: amount,
currency: currency
});
if (!limitsCheck.allowed) {
showMessage(`Withdrawal limit exceeded. Maximum: ${limitsCheck.maxAmount} ${currency}`, 'error');
return { isApproved: false };
}
// Verify sufficient balance
const balanceCheck = await verifyBalance({ amount, currency });
if (!balanceCheck.sufficient) {
showMessage('Insufficient funds for this withdrawal.', 'error');
return { isApproved: false };
}
// Approve with optional note
return {
isApproved: true,
note: 'Customer withdrawal request'
};
} catch (error) {
console.error('Pre-payout check failed:', error);
showMessage('Unable to process withdrawal. Please try again.', 'error');
return { isApproved: false };
}
}
});This callback is triggered when the payout is successfully processed.
You can use it to:
- Display success confirmation to the customer.
- Update your internal records.
- Send confirmation notifications.
- Redirect to a success page.
| Parameter | Description |
|---|---|
resultobject | The payout transaction result from PXP. |
const submissionComponent = pxpCheckoutSdk.create("payout-submission", {
recipientWallet: "Paypal",
onPostPayout: async (result) => {
console.log('Payout successful:', result);
// Update customer balance in your system
await updateCustomerBalance({
customerId: getCurrentCustomerId(),
amount: -result.amount,
currency: result.currency,
transactionId: result.transactionId,
type: 'withdrawal'
});
// Store transaction record
await storeTransaction({
pxpTransactionId: result.transactionId,
amount: result.amount,
currency: result.currency,
status: result.status,
customerId: getCurrentCustomerId()
});
// Send confirmation email
await sendPayoutConfirmationEmail({
email: getCustomerEmail(),
amount: result.amount,
currency: result.currency,
transactionId: result.transactionId
});
// Track successful payout
trackEvent('payout-completed', {
transactionId: result.transactionId,
amount: result.amount,
currency: result.currency,
timestamp: new Date().toISOString()
});
// Show success message
showMessage(`Withdrawal of ${result.amount} ${result.currency} processed successfully!`, 'success');
// Redirect to success page
setTimeout(() => {
window.location.href = `/payout-success?txn=${result.transactionId}`;
}, 2000);
}
});This callback is triggered when an error occurs during payout processing.
You can use it to:
- Display user-friendly error messages.
- Log errors for debugging.
- Offer retry options.
- Show alternative payout methods.
| Parameter | Description |
|---|---|
errorobject | The error object containing details about what went wrong. |
const submissionComponent = pxpCheckoutSdk.create("payout-submission", {
recipientWallet: "Paypal",
onError: (error) => {
console.error('Payout error:', error);
// Log error for debugging
logError('payout-error', {
message: error.message,
ErrorCode: error.ErrorCode,
timestamp: new Date().toISOString(),
userAgent: navigator.userAgent
});
// Display user-friendly message based on error
showMessage('Withdrawal failed. Please try again or contact support.', 'error');
// Track error
trackEvent('payout-failed', {
errorCode: error.ErrorCode,
errorMessage: error.message,
timestamp: new Date().toISOString()
});
}
});