Skip to content
Open
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
3 changes: 1 addition & 2 deletions biome.json
Original file line number Diff line number Diff line change
Expand Up @@ -29,8 +29,7 @@
"noDelete": "warn"
},
"complexity": {
"noForEach": "warn",
"noImportantStyles": "off"
"noForEach": "warn"
},
"suspicious": {
"noConsole": { "level": "error", "options": { "allow": ["error"] } }
Expand Down
205 changes: 205 additions & 0 deletions client/components/razorpayCheckout/index.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,205 @@
/**
* Razorpay Checkout Component
* Handles web-based plugin purchases via Razorpay payment gateway
*/

import alert from 'components/dialogs/alert';
import Ref from 'html-tag-js/ref';

// Load Razorpay script dynamically
let razorpayLoaded = false;
function loadRazorpayScript() {
return new Promise((resolve, reject) => {
if (razorpayLoaded) {
resolve();
return;
}

const script = document.createElement('script');
script.src = 'https://checkout.razorpay.com/v1/checkout.js';
script.async = true;
script.onload = () => {
razorpayLoaded = true;
resolve();
};
script.onerror = () => reject(new Error('Failed to load Razorpay script'));
document.head.appendChild(script);
});
}

/**
* Check if user owns a plugin
* @param {string} pluginId
* @returns {Promise<boolean>}
*/
export async function checkPluginOwnership(pluginId) {
try {
const res = await fetch(`/api/razorpay/check-ownership/${pluginId}`);
const data = await res.json();
return data.owned === true;
} catch (error) {
console.error('Failed to check plugin ownership:', error);
return false;
}
}

/**
* Razorpay checkout configuration
*/
const RAZORPAY_CONFIG = {
theme: {
color: '#2563eb',
backdrop_color: 'rgba(15, 23, 42, 0.8)',
},
branding: {
name: 'Acode Plugin Store',
image: '/logo-512.png',
},
};

/**
* Initiate Razorpay checkout for a plugin
* @param {string} pluginId
* @param {Object} userInfo - User information for prefill
* @param {string} [userInfo.email] - User's email address
* @param {string} [userInfo.name] - User's name
* @param {Function} onSuccess - Callback on successful payment
* @param {Function} [onCancel] - Callback when checkout is cancelled
* @returns {Promise<void>}
*/
export async function initiateCheckout(pluginId, userInfo = {}, onSuccess, onCancel) {
try {
// Load Razorpay script if not already loaded
await loadRazorpayScript();

// Create order on server
const orderRes = await fetch('/api/razorpay/create-order', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ pluginId }),
});

const orderData = await orderRes.json();

if (orderData.error) {
alert('ERROR', orderData.error);
return;
}

const { orderId, amount, currency, keyId, pluginName, userEmail } = orderData;

// Open Razorpay checkout with customization
const options = {
key: keyId,
amount,
currency,
name: RAZORPAY_CONFIG.branding.name,
description: `Purchase: ${pluginName}`,
image: RAZORPAY_CONFIG.branding.image,
order_id: orderId,
handler: async (response) => {
try {
const verifyRes = await fetch('/api/razorpay/verify', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
razorpay_order_id: response.razorpay_order_id,
razorpay_payment_id: response.razorpay_payment_id,
razorpay_signature: response.razorpay_signature,
pluginId,
}),
});

if (!verifyRes.ok) throw new Error('Verification request failed');

const verifyData = await verifyRes.json();

if (verifyData.success) {
alert('SUCCESS', 'Payment successful! You can now download this plugin.');
if (onSuccess) onSuccess();
} else {
alert('ERROR', verifyData.error || 'Payment verification failed');
}
} catch (error) {
console.error('Verification error:', error);
alert('ERROR', 'Payment may have succeeded but verification failed. Please contact support if charged.');
}
},
// Prefill user information (email preferred over contact for web)
prefill: {
email: userInfo.email || userEmail || '',
name: userInfo.name || '',
// Note: contact (phone) is required by Razorpay for Indian regulations
// but email will be shown as primary identifier
},
// Theme customization
theme: {
color: RAZORPAY_CONFIG.theme.color,
backdrop_color: RAZORPAY_CONFIG.theme.backdrop_color,
},
// Modal behavior
modal: {
confirm_close: true, // Ask before closing
escape: true, // Allow ESC to close
animation: true, // Enable animations
ondismiss: () => {
if (onCancel) onCancel();
},
},
// Additional checkout preferences
notes: {
pluginId,
source: 'acode_web',
},
};

const rzp = new window.Razorpay(options);
rzp.on('payment.failed', (response) => {
alert('ERROR', `Payment failed: ${response.error.description}`);
});
rzp.open();
} catch (error) {
console.error('Checkout error:', error);
alert('ERROR', error.message || 'Failed to initiate checkout');
}
}

/**
* Buy Button Component for paid plugins
* @param {Object} props
* @param {string} props.pluginId - Plugin ID
* @param {number} props.price - Plugin price in INR
* @param {Object} [props.user] - Logged in user object
* @param {Function} [props.onPurchaseComplete] - Callback after successful purchase
* @returns {HTMLElement}
*/
export default function BuyButton({ pluginId, price, user, onPurchaseComplete }) {
const buttonRef = Ref();
const buttonTextRef = Ref();

const handleClick = async () => {
buttonRef.el.disabled = true;
buttonTextRef.el.textContent = 'Processing...';

const handleSuccess = () => {
buttonTextRef.el.textContent = 'Purchased ✓';
buttonRef.el.disabled = true;
if (onPurchaseComplete) onPurchaseComplete();
};

const handleCancel = () => {
buttonTextRef.el.textContent = `Buy ₹${price}`;
buttonRef.el.disabled = false;
};

const userInfo = user ? { email: user.email, name: user.name } : {};
await initiateCheckout(pluginId, userInfo, handleSuccess, handleCancel);
};

return (
<button ref={buttonRef} type='button' className='buy-button' onclick={handleClick}>
<span className='icon shopping_cart' />
<span ref={buttonTextRef}>Buy ₹{price}</span>
</button>
);
}
26 changes: 11 additions & 15 deletions client/pages/FAQs/index.js
Original file line number Diff line number Diff line change
Expand Up @@ -69,13 +69,11 @@ export default async function FAQs({ mode, oldQ, a, qHash }) {
<div className='preview' ref={mdPreview} />
<div className='buttons'>
<button type='submit'>Submit</button>
{isUpdate ? (
<button className='danger' type='button' onclick={() => Router.reload()}>
Cancel
</button>
) : (
''
)}
{isUpdate
? <button className='danger' type='button' onclick={() => Router.reload()}>
Cancel
</button>
: ''}
</div>
</AjaxForm>
</details>
Expand Down Expand Up @@ -123,14 +121,12 @@ export default async function FAQs({ mode, oldQ, a, qHash }) {
</h2>
</a>
<p innerHTML={marked.parse(ans)} />
{isAdmin ? (
<div className='icon-buttons'>
<span onclick={() => editFaq(q, ans)} title='Edit this FAQ' className='link icon create' />
<span onclick={() => deleteFaq(q)} title='Delete this FAQ' className='link icon delete danger' />
</div>
) : (
''
)}
{isAdmin
? <div className='icon-buttons'>
<span onclick={() => editFaq(q, ans)} title='Edit this FAQ' className='link icon create' />
<span onclick={() => deleteFaq(q)} title='Delete this FAQ' className='link icon delete danger' />
</div>
: ''}
</div>
);
}
Expand Down
36 changes: 17 additions & 19 deletions client/pages/changePassword/index.js
Original file line number Diff line number Diff line change
Expand Up @@ -32,25 +32,23 @@ export default async function changePassword({ mode, redirect }) {
loading={(form) => loadingStart(form, errorText, successText)}
loadingEnd={(form) => loadingEnd(form, 'Change password')}
>
{mode === 'reset' ? (
<div>
<fieldset>
<Input
onchange={(e) => {
email = e.target.value;
}}
type='email'
name='email'
label='Email'
placeholder='e.g. [email protected]'
/>
<Input style={{ width: '140px' }} type='number' name='otp' label='OTP' placeholder='e.g. 1234' />
</fieldset>
<SendOtp type='reset' errorText={errorText} getEmail={() => email} />
</div>
) : (
<Input type='password' name='oldPassword' label='Old password' placeholder='old password' />
)}
{mode === 'reset'
? <div>
<fieldset>
<Input
onchange={(e) => {
email = e.target.value;
}}
type='email'
name='email'
label='Email'
placeholder='e.g. [email protected]'
/>
<Input style={{ width: '140px' }} type='number' name='otp' label='OTP' placeholder='e.g. 1234' />
</fieldset>
<SendOtp type='reset' errorText={errorText} getEmail={() => email} />
</div>
: <Input type='password' name='oldPassword' label='Old password' placeholder='old password' />}
<Input type='password' name='password' label='Password' placeholder='password' />
<span className='error'>{errorText}</span>
<span className='success'>{successText}</span>
Expand Down
Loading