Skip to main content
A one-time payment (OTP) is a secure, single-use checkout link that allows your customers to complete a purchase through Compago’s hosted payment page. This is ideal for non-recurring transactions, custom payment requests, or integrations where the payment flow is triggered externally.

What You Can Do

With one-time payments, you can:
  • Generate Secure Payment Links: Create unique, time-limited checkout URLs for each transaction
  • Accept Card Payments: Process credit and debit card payments through Compago’s PCI-compliant infrastructure
  • Customize the Experience: Control where customers are redirected after payment completion
  • Track Payments: Use your own external IDs to link Compago payments with your internal systems
  • Offer Installment Plans: Support monthly installment payments (Meses Sin Intereses) when available
  • Set Custom Expiration Times: Configure payment link expiration from 10 minutes to 48 hours based on your needs

Use Cases

One-time payments are perfect for:
  • Invoicing: Send payment links to customers via email or messaging
  • Custom Integrations: Trigger payments from CRM, ERP, or internal tools
  • eCommerce: Accept payments for online stores and marketplaces
  • Service Businesses: Request deposits or full payments for appointments or bookings
  • Point of Sale: Create payment links for in-person transactions (when integrated with terminal apps)

How It Works

  1. Create: Your backend calls the Compago API to create a payment link, providing the amount, customer details, and redirect URLs
  2. Receive: Compago returns a secure checkout URL where your customer will complete the payment
  3. Redirect: Send your customer to the checkout URL where they enter their payment details
  4. Process: Compago processes the payment securely through its payment infrastructure
  5. Callback: After successful payment, Compago redirects the customer back to your redirectUrl with query parameters id and externalId appended
  6. Verify: On your callback page, extract the payment id from the URL and fetch the final payment status using the GET endpoint
  7. Fulfill: Update your internal systems (mark order as paid, send confirmation email, etc.)

Prerequisites

Before creating one-time payments, ensure you have:
  • An active Compago account with API access
  • A valid API key (generate one at Configuraciones → Desarrollador in your Compago Dashboard)
  • Your integration configured to use MXN currency
One-time payments currently support MXN (Mexican Peso) only. Transactions in other currencies will be rejected.

Creating a One-Time Payment

Endpoint

POST /api/one-time-payment
API reference: POST /one-time-payment

Authentication

Include your API key in the request headers:
x-api-key: YOUR_API_KEY
Content-Type: application/json

Request Body

{
  "amount": 1200,
  "currency": "MXN",
  "description": "Order #12345 - Blue Widget",
  "externalId": "order_12345_payment_1",
  "redirectUrl": "https://yourstore.com/order/12345/confirmation",
  "homepageUrl": "https://yourstore.com",
  "ttlMinutes": 1440,
  "billingInformation": {
    "email": "[email protected]",
    "firstName": "María",
    "lastName": "González",
    "phoneNumber": "+5215512345678",
    "address": {
      "addressLine": "Av. Insurgentes Sur 1234",
      "city": "Ciudad de México",
      "state": "CDMX",
      "zip": "03100"
    }
  }
}

Field Descriptions

FieldTypeRequiredDescription
amountnumberYesPayment amount in MXN. Must meet the minimum amount configured for your account.
currencystringYesCurrency code. Must be "MXN".
descriptionstringYesDescription of the payment shown to the customer during checkout.
externalIdstringYesYour unique identifier for this payment. Must be unique per organization.
redirectUrlstringYesURL where customers are redirected after payment. Compago appends id (payment ID) and externalId (your identifier) as query parameters. See Handling the Payment Callback.
homepageUrlstringYesYour homepage URL, used if the customer cancels or wants to return to your site.
ttlMinutesnumberNoOptional time-to-live in minutes for the payment link. Minimum 10 minutes, maximum 2,880 minutes (48 hours). Defaults to 48 hours if not specified. See Custom Expiration Times.
billingInformationobjectYesCustomer billing details (see below).

Billing Information

FieldTypeRequiredDescription
emailstringYesCustomer’s email address.
firstNamestringYesCustomer’s first name.
lastNamestringYesCustomer’s last name.
phoneNumberstringYesCustomer’s phone number (include country code, e.g., +521…).
addressobjectYesCustomer’s billing address (see below).

Address

FieldTypeRequiredDescription
addressLinestringYesStreet address including number and street name.
citystringYesCity name.
statestringYesMexican state code (e.g., "CDMX", "JAL", "NLE"). See supported states.
zipstringYesPostal code.

Response

{
  "redirectUrl": "https://app.compago.com/checkout/otp/aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee"
}
Use the returned redirectUrl to redirect your customer to Compago’s secure checkout page.

Example with cURL

curl -X POST https://api.harmony.compago.com/api/one-time-payment \
  -H "x-api-key: YOUR_API_KEY" \
  -H "Content-Type: application/json" \
  -d '{
    "amount": 1200,
    "currency": "MXN",
    "description": "Order #12345",
    "externalId": "order_12345_payment_1",
    "redirectUrl": "https://yourstore.com/order/12345/confirmation",
    "homepageUrl": "https://yourstore.com",
    "ttlMinutes": 1440,
    "billingInformation": {
      "email": "[email protected]",
      "firstName": "María",
      "lastName": "González",
      "phoneNumber": "+5215512345678",
      "address": {
        "addressLine": "Av. Insurgentes Sur 1234",
        "city": "Ciudad de México",
        "state": "CDMX",
        "zip": "03100"
      }
    }
  }'

Handling the Payment Callback

When a customer successfully completes a payment, Compago redirects them back to your redirectUrl with two query parameters automatically appended:
  • id: The Compago one-time payment ID
  • externalId: The external ID you provided when creating the payment
This allows you to identify which payment completed and take appropriate action in your system.

How the Redirect Works

If you created a payment with:
{
  "redirectUrl": "https://yourstore.com/order/confirmation",
  "externalId": "order_12345_payment_1"
  // ... other fields
}
And Compago returns payment ID aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee, then after the customer completes payment, they’ll be redirected to:
https://yourstore.com/order/confirmation?id=aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee&externalId=order_12345_payment_1

Implementation Example

Here’s how to handle the callback in your application:
// Your callback route handler
app.get('/order/confirmation', async (req, res) => {
  // 1. Extract query parameters
  const { id, externalId } = req.query;

  if (!id || !externalId) {
    return res.status(400).send('Missing payment parameters');
  }

  // 2. Fetch the payment status from Compago
  const response = await fetch(
    `https://api.harmony.compago.com/api/one-time-payment/${id}`,
    {
      headers: {
        'x-api-key': process.env.COMPAGO_API_KEY
      }
    }
  );

  const payment = await response.json();

  // 3. Update your internal systems
  await updateOrderStatus(externalId, 'paid');
  await sendConfirmationEmail(externalId);

  // 4. Show success page to customer
  res.render('order-success', {
    orderId: externalId,
    amount: payment.amount
  });
});

Best Practices for Callback Handling

Never trust the redirect alone. Always fetch the payment details from Compago’s API to confirm the status. The redirect happens client-side and could be manipulated.
// ❌ WRONG - Don't verify
app.get('/order/confirmation', async (req, res) => {
  await markOrderAsPaid(req.query.externalId);
  res.send('Thank you for your payment!');
});

// ✅ CORRECT - Always verify for security
app.get('/order/confirmation', async (req, res) => {
  const payment = await fetchPaymentStatus(req.query.id);
  await markOrderAsPaid(req.query.externalId);
  res.render('order-success', {
    orderId: req.query.externalId,
    amount: payment.amount
  });
});
Implement validation to handle cases where query parameters might be missing (user navigating directly to the URL, etc.).
const { id, externalId } = req.query;

if (!id || !externalId) {
  return res.redirect('/orders'); // or show error page
}
The callback URL might be accessed multiple times (user refreshing page, browser back button). Ensure your fulfillment logic is idempotent.
// Check if order is already marked as paid
const order = await getOrder(externalId);
if (order.status === 'paid') {
  return res.render('already-processed');
}

// Only mark as paid if status changed
const payment = await fetchPaymentStatus(id);
if (payment.status === 'CONFIRMED' && order.status !== 'paid') {
  await markOrderAsPaid(externalId);
  await sendConfirmationEmail(externalId);
}
Always use HTTPS URLs for your redirectUrl to ensure query parameters are transmitted securely.
// ✅ CORRECT
redirectUrl: "https://yourstore.com/order/confirmation"

// ❌ WRONG - Insecure
redirectUrl: "http://yourstore.com/order/confirmation"
If your redirectUrl already contains query parameters, Compago will append id and externalId to them. Design your callback handler to work with multiple parameters.
// If you create payment with:
redirectUrl: "https://yourstore.com/order/confirmation?lang=es"

// Customer will be redirected to:
// https://yourstore.com/order/confirmation?lang=es&id=aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee&externalId=order_123

// Access all parameters normally:
const { lang, id, externalId } = req.query;

Security Considerations

Never skip verification! The redirect URL is visible to the customer and could potentially be manipulated. Always fetch the payment status from Compago’s API using the id parameter before fulfilling the order.
Your callback implementation should:
  1. Validate query parameters exist before processing
  2. Fetch payment status from Compago API - Don’t trust the redirect alone
  3. Verify the externalId matches your records - Ensure it corresponds to a real order in your system
  4. Check payment status is CONFIRMED before fulfilling the order
  5. Log all callback attempts for debugging and security monitoring
  6. Use rate limiting on your callback endpoint to prevent abuse

Testing Your Callback Handler

To test your callback implementation:
  1. Create a one-time payment using your test API key
  2. Complete the payment in the Compago checkout page
  3. Verify your callback page receives the id and externalId parameters
  4. Confirm your system correctly fetches and processes the payment status
  5. Test the failure case by creating a payment and letting it expire
You can also manually test by navigating to your callback URL with test parameters:
https://yourstore.com/order/confirmation?id=test-payment-id&externalId=test-order-123
(Your code should handle this gracefully, likely returning a “payment not found” or similar error.)

Important Business Rules

Payment Expiration

One-time payment links expire 48 hours after creation by default. If a customer does not complete the payment within this time, the link becomes invalid and cannot be used.
You can customize the expiration time using the ttlMinutes parameter (see Custom Expiration Times below). If your OTP expired and you need to create a new payment for the same transaction, generate a new OTP using a different externalId.

Custom Expiration Times

You can set a custom expiration time for payment links using the optional ttlMinutes parameter. This allows you to create payment links that expire sooner or later based on your business needs. Configuration:
  • Minimum: 10 minutes
  • Maximum: 2,880 minutes (48 hours)
  • Default: 2,880 minutes (48 hours) if not specified
Common use cases:
For time-sensitive promotions or limited inventory:
{
  "ttlMinutes": 30,  // 30-minute window
  "description": "Flash Sale - Limited Stock!"
  // ... other fields
}
Use short expiration times (10-60 minutes) to create urgency and ensure inventory isn’t held indefinitely.
For typical invoice payments:
{
  // No ttlMinutes specified - defaults to 48 hours
  "description": "Invoice #12345"
  // ... other fields
}
The default 48-hour window gives customers plenty of time to complete payment at their convenience.
For event registrations with registration deadlines:
{
  "ttlMinutes": 720,  // 12 hours
  "description": "Concert Ticket - Register by 8 PM tonight"
  // ... other fields
}
Match the TTL to your event registration deadline to automatically close registration.
For quotes that customers need time to review:
{
  "ttlMinutes": 2880,  // Full 48 hours
  "description": "Quote #QT-5678 - Valid until [date]"
  // ... other fields
}
Give customers the maximum time to review and approve quotes before they expire.
Best practices:
  • Balance security and convenience when setting expiration times
  • Shorter TTLs (10-60 min) work well for in-person transactions or time-sensitive offers
  • Longer TTLs (12-48 hours) are better for invoices and asynchronous payment flows
  • Consider your customer’s payment behavior and typical checkout time
  • Communicate the expiration time to customers (e.g., “Complete payment within 30 minutes”)

Minimum Amount

Each Compago account has a configured minimum payment amount. Requests with amounts below this threshold will be rejected with a 400 error. If you receive this error, ensure your payment amount meets your account’s minimum requirement.

External ID Uniqueness

The externalId must be unique within your organization. Attempting to create a payment with a duplicate externalId will result in a 400 error:
{
  "message": "One time payment with externalId order_12345_payment_1 already exists."
}
Use unique identifiers for each payment attempt. If a payment fails or expires, create a new one-time payment with a new externalId.

Currency Restriction

Currently, only MXN (Mexican Peso) is supported. Requests with other currencies will be rejected.

Payment Status

One-time payments have three statuses:
  • PENDING: Payment link is active and waiting for customer to complete payment
  • CONFIRMED: Customer has successfully completed the payment
  • CANCELLED: Payment link has been cancelled and can no longer be used
Once a payment is marked as CONFIRMED or CANCELLED, the one-time payment link can no longer be used. See the Cancel One-Time Payment guide to learn how to cancel pending payments.

Retrieving Payment Details

You can retrieve the status and details of a one-time payment using the GET endpoint. Common use case: After receiving a payment callback at your redirectUrl, use the id query parameter to fetch the payment status and verify completion before fulfilling the order. See Handling the Payment Callback for complete implementation examples.

Endpoint

GET /api/one-time-payment/{id}
API reference: GET /one-time-payment/{id}

Response for Active Payments

If the payment is still PENDING and has not expired, you’ll receive full payment details:
{
  "id": "aaaaaaaa-bbbb-cccc-dddd-eeeeeeeeeeee",
  "status": "PENDING",
  "amount": 1200,
  "currency": "MXN",
  "description": "Order #12345",
  "externalId": "order_12345_payment_1",
  "expiresAt": "2025-10-30T12:45:00Z",
  "expired": false,
  "homepageUrl": "https://yourstore.com",
  "redirectUrl": "https://yourstore.com/order/12345/confirmation",
  "organization": {
    "name": "Your Business Name",
    "business": {
      "websiteURL": "https://yourstore.com"
    }
  },
  "billingInformation": {
    "phoneNumber": "+5215512345678"
  }
}

Response for Completed or Expired Payments

If the payment is no longer PENDING or has expired, the response will contain limited information:
{
  "status": "CONFIRMED",
  "homepageUrl": "https://yourstore.com",
  "expired": false,
  "organization": {
    "name": "Your Business Name",
    "business": {
      "websiteURL": "https://yourstore.com"
    }
  },
  "billingInformation": {
    "phoneNumber": "+5215512345678"
  }
}
The expired field indicates whether the payment link has passed its 48-hour expiration time, regardless of its status.

Supported Mexican States

Use the following state codes in the address.state field:
CodeState
AGUAguascalientes
BCNBaja California
BCSBaja California Sur
CAMCampeche
CHPChiapas
CHHChihuahua
CDMXCiudad de México
COACoahuila
COLColima
DURDurango
MEXEstado de México
GUAGuanajuato
GROGuerrero
HIDHidalgo
JALJalisco
MICMichoacán
MORMorelos
NAYNayarit
NLENuevo León
OAXOaxaca
PUEPuebla
QUEQuerétaro
ROOQuintana Roo
SLPSan Luis Potosí
SINSinaloa
SONSonora
TABTabasco
TAMTamaulipas
TLATlaxcala
VERVeracruz
YUCYucatán
ZACZacatecas

Error Handling

Common Errors

Status CodeErrorSolution
400Amount below minimumEnsure amount meets your account’s minimum payment threshold
400Duplicate externalIdUse a unique externalId for each payment
400Currency not supportedUse "MXN" as the currency
401UnauthorizedCheck your API key is valid and included in headers
400Missing organization contextVerify your organization settings are configured correctly

Example Error Response

{
  "message": "One time payment amount must be at least $[minimum_amount]."
}

Best Practices

  1. Generate Unique External IDs: Use a combination of order ID and timestamp to ensure uniqueness
  2. Handle Expiration: Implement logic to create new payment links if the 48-hour window expires
  3. Validate Amounts: Ensure amounts meet your account’s minimum payment threshold before calling the API
  4. Store Payment IDs: Save the returned one-time payment ID to track and verify payments later
  5. Implement Webhooks: Use webhooks (if available) to receive real-time payment status updates
  6. Test Thoroughly: Use the demo environment to test your integration before going live
  7. Implement Robust Callback Handling: Always verify payment status in your redirectUrl callback by fetching the payment using the id query parameter. Never assume payment success based on the redirect alone. See Handling the Payment Callback.

Support

If you encounter issues with one-time payments:
  • Verify your API key is valid in Configuraciones → Desarrollador at app.compago.com
  • Ensure all required fields are included in your request
  • Check that amounts meet the minimum threshold
  • Verify your organization settings are configured correctly
  • Contact Compago support at [email protected] for assistance