PayU India payment gateway plugin for MedusaJS 2.x with redirect-based checkout, webhook support, hash verification, and refunds.
npm install medusa-payu-payment-pluginPayU India payment gateway plugin for MedusaJS 2.x with redirect-based checkout flow.





- ✅ Redirect-based checkout - Seamless PayU hosted checkout integration
- ✅ Webhook support - Automatic payment status updates via PayU webhooks
- ✅ Refund support - Full and partial refunds through PayU API
- ✅ Hash verification - Secure SHA-512 transaction validation
- ✅ TypeScript - Full type safety with comprehensive type definitions
- ✅ Payment verification workflow - Built-in workflow for custom payment verification
``bash`
npm install medusa-payu-payment-pluginor
yarn add medusa-payu-payment-plugin
Add to your .env file:
`envPayU Credentials
PAYU_MERCHANT_KEY=your_merchant_key
PAYU_MERCHANT_SALT=your_merchant_salt
PAYU_ENVIRONMENT=test # or "production"
$3
Add to your
medusa-config.ts:`typescript
import { defineConfig } from "@medusajs/framework/utils"export default defineConfig({
// ... other config
modules: [
{
resolve: "@medusajs/medusa/payment",
options: {
providers: [
{
resolve: "medusa-payu-payment-plugin/providers/payu",
id: "payu",
options: {
merchantKey: process.env.PAYU_MERCHANT_KEY,
merchantSalt: process.env.PAYU_MERCHANT_SALT,
environment: process.env.PAYU_ENVIRONMENT || "test",
},
},
],
},
},
],
})
`$3
In Medusa Admin:
1. Go to Settings → Regions
2. Select your region
3. Add
payu as a payment providerFrontend Integration
$3
1. Customer selects PayU at checkout
2. Frontend retrieves payment session from cart
3. Frontend creates a form and redirects to PayU
4. Customer completes payment on PayU's hosted page
5. PayU redirects back to your storefront
6. Webhook updates order status automatically
$3
When creating a payment session, the following customer data is required:
- Email - Customer email address
- Name - Customer first name
- Phone - Uses fallback chain: customer phone → billing address phone (from context) → shipping address phone
- Cart ID & Customer ID - Passed as UDF fields (udf1/udf2) for traceability (optional but recommended)
The phone number fallback uses MedusaJS's
PaymentProviderContext which provides the customer and billing address data. If the billing address phone is not available, pass the shipping address phone when initiating payment.It is also highly recommended to pass
cart_id and customer_id so they persist through to the webhook even if the session is lost.`typescript
// When creating payment session, include in data:
{
shipping_address_phone: cart.shipping_address?.phone,
cart_id: cart.id, // Mapped to udf1
customer_id: customer.id, // Mapped to udf2
country_code: "in" // For URL construction
}
`$3
`tsx
"use client"function PayUPaymentButton({ cart }) {
const handlePayment = async () => {
// Get PayU payment session
const paymentSession = cart.payment_collection?.payment_sessions?.find(
(session) => session.provider_id === "pp_payu_payu"
)
if (!paymentSession?.data?.form_data) {
console.error("PayU session not found")
return
}
const { form_data, paymentUrl } = paymentSession.data
// Create and submit hidden form
const form = document.createElement("form")
form.method = "POST"
form.action = paymentUrl
Object.entries(form_data).forEach(([key, value]) => {
const input = document.createElement("input")
input.type = "hidden"
input.name = key
input.value = String(value)
form.appendChild(input)
})
document.body.appendChild(form)
form.submit()
}
return (
onClick={handlePayment}
className="btn-primary"
>
Pay with PayU
)
}
`$3
The payment session data contains:
`typescript
{
txnid: string // Unique transaction ID
amount: string // Amount with 2 decimals (e.g., "999.00")
productinfo: string // Product/order description
firstname: string // Customer first name
email: string // Customer email
phone: string // Customer phone
hash: string // Security hash (SHA-512)
paymentUrl: string // PayU checkout URL
status: string // Payment status
form_data: { // Ready-to-submit form data
key: string // Merchant key
txnid: string
amount: string
productinfo: string
firstname: string
email: string
phone: string
surl: string // Success redirect URL
furl: string // Failure redirect URL
hash: string
service_provider: string
udf1: string // cart_id
udf2: string // customer_id
}
}
`Webhook Setup
PayU webhooks (S2S callbacks) ensure reliable payment status updates even when browser redirects fail.
$3
1. Log in to PayU Dashboard
2. Go to Settings → Webhooks (or Developer Settings → Webhooks)
3. Click Create Webhook or Add Webhook URL
4. Enter your webhook URL:
`
https://your-backend.com/hooks/payment/payu_payu
`5. Select events to subscribe:
-
payment.success - Payment completed successfully
- payment.failed - Payment failed
- payment.pending - Payment is pending (optional)6. Save the configuration
$3
The plugin automatically handles security:
- Hash Verification: Every webhook is verified using SHA-512 reverse hash
- Formula:
sha512(SALT|status||||||udf5|udf4|udf3|udf2|udf1|email|firstname|productinfo|amount|txnid|key)
- Tampered webhooks are rejected and logged for investigationThe webhook also logs
cart_id (from udf1) and customer_id (from udf2) for easier debugging and reconciliation.$3
PayU sends webhooks as URL-encoded form data:
-
application/x-www-form-urlencoded
- multipart/form-dataMedusaJS handles both content types automatically.
$3
| Status | Action | Result |
|--------|--------|--------|
|
success | authorized | Payment session authorized, cart completed, order created |
| failure/failed | failed | Payment session marked as failed |
| Other | not_supported | Logged for debugging, no action taken |API Reference
$3
`
pp_payu_payu
`$3
| Method | Description |
|--------|-------------|
|
initiatePayment | Creates payment session with hash and form data |
| authorizePayment | Verifies payment status with PayU API |
| capturePayment | Marks payment as captured (auto-capture enabled) |
| refundPayment | Initiates full or partial refund |
| cancelPayment | Cancels pending payment |
| getWebhookActionAndData | Handles PayU webhook callbacks |$3
You can use the verify payment workflow in your custom code:
`typescript
import { verifyPayuPaymentWorkflow } from "medusa-payu-payment-plugin/workflows"// In your API route or subscriber
const { result } = await verifyPayuPaymentWorkflow(container).run({
input: {
txnid: "TXN_1234567890_abcd",
},
})
if (result.success) {
console.log("Payment status:", result.status)
console.log("Transaction details:", result.transaction)
}
`Environment Variables
| Variable | Description | Required |
|----------|-------------|----------|
|
PAYU_MERCHANT_KEY | PayU Merchant Key | Yes |
| PAYU_MERCHANT_SALT | PayU Merchant Salt (Salt V1) | Yes |
| PAYU_ENVIRONMENT | test or production | No (default: test) |
| STOREFRONT_URL or NEXT_PUBLIC_BASE_URL | Your storefront base URL (e.g., http://localhost:8000) | Yes |
| PAYU_REDIRECT_URL | Success redirect path (e.g., /order/confirmed) | No (default: /order/confirmed) |
| PAYU_REDIRECT_FAILURE_URL | Failure redirect path (e.g., /checkout) | No (default: /checkout) |Testing
Use PayU test credentials in your test environment:
- Test URL: https://test.payu.in
- Test Cards: PayU Test Cards Documentation
$3
| Card Type | Number | CVV | Expiry |
|-----------|--------|-----|--------|
| Visa | 4012001038443335 | 123 | Any future date |
| Mastercard | 5123456789012346 | 123 | Any future date |
Troubleshooting
$3
Ensure:
1. You're using the correct Salt version (this plugin uses Salt V1)
2. Amount has exactly 2 decimal places (e.g.,
"999.00")
3. All mandatory fields match exactly between hash generation and form submission$3
1. Verify webhook URL is correct in PayU dashboard
2. Ensure your server is publicly accessible
3. Check server logs for incoming webhook requests
4. Verify SSL certificate is valid (required for production)
$3
Ensure:
1. PayU is enabled as a payment provider for the region
2. Payment collection is initialized before accessing session
3. Provider ID is
pp_payu_payu (includes the prefix)Contributing
Contributions are welcome! Please feel free to submit a Pull Request.
1. Fork the repository
2. Create your feature branch (
git checkout -b feature/amazing-feature)
3. Commit your changes (git commit -m 'Add amazing feature')
4. Push to the branch (git push origin feature/amazing-feature`)MIT © SAM-AEL
See LICENSE for more information.
- GitHub Repository
- npm Package
- PayU Developer Documentation
- MedusaJS Documentation
- Changelog