이 가이드는 결제 프로세스의 프런트엔드 및 백엔드 부분 모두에 대해 TypeScript를 사용하여 Juspay를 React 앱에 통합하는 방법에 대한 단계별 지침을 제공합니다.
Juspay에 대해 다음 자격 증명이 있는지 확인하세요.
Juspay를 이용한 결제 통합 흐름은 다음과 같습니다.
TypeScript와 함께 Node.js/Express를 사용하여 Juspay의 API를 사용하여 결제 세션을 생성하세요.
interface PaymentSession { payment_link: string; order_id: string; status: string; }
import axios from 'axios'; import base64 from 'base-64'; import { Request, Response } from 'express'; const createSession = async (req: Request, res: Response) => { const apiKey = 'your_api_key'; const authHeader = base64.encode(`${apiKey}:`); try { const response = await axios.post<PaymentSession>( 'https://api.juspay.in/session', { customer_id: 'customer_id_here', amount: 10000, // Amount in paise (100 INR) currency: 'INR', }, { headers: { Authorization: `Basic ${authHeader}`, }, } ); res.json(response.data); } catch (error) { res.status(500).json({ error: (error as Error).message }); } }; export default createSession;
이 코드에서는:
React 클라이언트에서 useEffect 후크와 API 요청용 Axios를 사용하여 결제 프로세스를 시작하는 구성 요소를 만듭니다.
interface PaymentSession { payment_link: string; order_id: string; }
import React, { useState } from 'react'; import axios from 'axios'; const PaymentPage: React.FC = () => { const [paymentUrl, setPaymentUrl] = useState<string | null>(null); const initiatePayment = async () => { try { const response = await axios.post<PaymentSession>('/api/create-session', { amount: 10000, // Amount in paise (100 INR) currency: 'INR', customer_id: 'your-customer-id', }); setPaymentUrl(response.data.payment_link); } catch (error) { console.error('Error initiating payment:', error); } }; return ( <div> <h1>Initiate Payment</h1> <button onClick={initiatePayment}>Pay Now</button> {paymentUrl && ( <div> <a href={paymentUrl} target="_blank" rel="noopener noreferrer"> Complete Payment </a> </div> )} </div> ); }; export default PaymentPage;
이 코드에서는:
결제 후 다시 리다이렉트 되는 경우 결제현황을 확인하고 표시해야 합니다.
interface PaymentStatus { status: string; order_id: string; amount: number; }
import React, { useEffect, useState } from 'react'; import axios from 'axios'; const PaymentStatusPage: React.FC = () => { const [paymentStatus, setPaymentStatus] = useState<string | null>(null); useEffect(() => { const checkPaymentStatus = async () => { try { const response = await axios.get<PaymentStatus>('/api/check-status', { params: { order_id: 'your-order-id' }, }); setPaymentStatus(response.data.status); } catch (error) { console.error('Error fetching payment status:', error); } }; checkPaymentStatus(); }, []); return ( <div> <h1>Payment Status</h1> {paymentStatus ? ( <p>Payment Status: {paymentStatus}</p> ) : ( <p>Checking payment status...</p> )} </div> ); }; export default PaymentStatusPage;
이 구성요소의 내용:
Juspay는 결제 상태 변경을 알리기 위해 웹훅을 보냅니다. TypeScript 환경에서 이를 처리하는 방법은 다음과 같습니다.
import { Request, Response } from 'express'; interface JuspayWebhook { order_id: string; status: string; amount: number; currency: string; } const handleWebhook = (req: Request, res: Response) => { const paymentUpdate: JuspayWebhook = req.body; console.log('Payment Update Received:', paymentUpdate); // Process the payment update (e.g., update your database) // Respond to Juspay to confirm receipt res.status(200).send('Webhook received'); }; export default handleWebhook;
웹훅 알림 수신을 확인하려면 서버가 200 OK 상태를 반환해야 합니다.
app.post('/api/webhook', (req: Request, res: Response) => { // Acknowledge the webhook res.status(200).send('OK'); });
다음 단계를 따르고 클라이언트 측 코드와 서버 측 코드 모두에 TypeScript를 활용하면 Juspay를 React 앱에 효율적이고 안전하게 통합할 수 있습니다. TypeScript는 유형 안전성의 이점을 추가하여 오류를 줄이고 통합이 원활하도록 보장합니다.
이 가이드는 TypeScript를 사용하여 Juspay를 최신 웹 스택에 통합하는 방법에 대한 전체 개요를 제공합니다.
위 내용은 TypeScript React 앱에 Juspay를 통합하기 위한 간단한 가이드의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!