Skip to main content

One-Time Password (OTP) Endpoint

Overview

This endpoint handles OTP creation and validation for password reset functionality.

Request Details

HTTP Method

POST

Route

/auth/otp

Headers

HeaderValueRequiredDescription
Content-Typeapplication/jsonYesIndicates JSON request body

Query Parameters

No query parameters required.

Request Body

The request body varies based on the action field:

For OTP Creation

FieldTypeRequiredDescription
actionstringYesMust be "create"
emailstringYesEmail address to receive the OTP

For OTP Validation

FieldTypeRequiredDescription
actionstringYesMust be "validate"
emailstringYesEmail address associated with OTP
otpstringYes5-digit OTP received via email
new_passwordstringYesNew password to set after validation

Response Format

Response Status Codes

Status CodeDescription
200OTP successfully created or validated
400Invalid request body or missing fields
404Email not found
429Too many OTP requests
500Server error during OTP operation

Success Response (200 OK)

OTP Creation Success

{
"success": true,
"message": "Successfully sent OTP."
}

OTP Validation Success

{
"success": true,
"message": "Successfully validated OTP and reset password."
}

Error Response

Invalid Action

{
"success": false,
"message": "Invalid action."
}

OTP Sending Failed

{
"success": false,
"message": "Something went wrong. Could not send OTP. Please try again."
}

OTP Validation Failed

{
"success": false,
"message": "Something went wrong. Could not validate OTP. Please try again."
}

TypeScript Interface

interface OTPCreateRequest {
action: 'create'
email: string
}

interface OTPValidateRequest {
action: 'validate'
email: string
otp: string
new_password: string
}

interface OTPResponse {
success: boolean
message: string
}

Python Model

from pydantic import BaseModel
from typing import Literal

class OTPCreateRequest(BaseModel):
action: Literal['create']
email: str

class OTPValidateRequest(BaseModel):
action: Literal['validate']
email: str
otp: str
new_password: str

class OTPResponse(BaseModel):
success: bool
message: str

Code Examples

Python Example

import httpx
from pydantic import BaseModel
from typing import Literal

class OTPCreateRequest(BaseModel):
action: Literal['create']
email: str

class OTPValidateRequest(BaseModel):
action: Literal['validate']
email: str
otp: str
new_password: str

class OTPResponse(BaseModel):
success: bool
message: str

async def request_otp(email: str) -> OTPResponse:
async with httpx.AsyncClient() as client:
response = await client.post(
"https://neptun-webui.vercel.app/auth/otp",
json={"action": "create", "email": email}
)
response.raise_for_status()
return OTPResponse(**response.json())

async def validate_otp(email: str, otp: str, new_password: str) -> OTPResponse:
async with httpx.AsyncClient() as client:
response = await client.post(
"https://neptun-webui.vercel.app/auth/otp",
json={
"action": "validate",
"email": email,
"otp": otp,
"new_password": new_password
}
)
response.raise_for_status()
return OTPResponse(**response.json())

cURL Examples

Request OTP

curl -X POST https://neptun-webui.vercel.app/auth/otp \
-H "Content-Type: application/json" \
-d '{"action": "create", "email": "user@example.com"}'

Validate OTP

curl -X POST https://neptun-webui.vercel.app/auth/otp \
-H "Content-Type: application/json" \
-d '{"action": "validate", "email": "user@example.com", "otp": "12345", "new_password": "newSecurePassword123"}'

TypeScript/JavaScript Example

async function requestOTP(email: string): Promise<OTPResponse> {
const response = await fetch('https://neptun-webui.vercel.app/auth/otp', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
action: 'create',
email,
}),
})

if (!response.ok) {
throw new Error(`HTTP error! status: ${response.status}`)
}

return await response.json() as OTPResponse
}

async function validateOTP(
email: string,
otp: string,
newPassword: string
): Promise<OTPResponse> {
const response = await fetch('https://neptun-webui.vercel.app/auth/otp', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
action: 'validate',
email,
otp,
new_password: newPassword,
}),
})

if (!response.ok) {
throw new Error(`HTTP error! status: ${response.status}`)
}

return await response.json() as OTPResponse
}

Notes

  • OTP is valid for 10 minutes after creation
  • Maximum 3 OTP requests per email address per hour
  • OTP must be exactly 5 digits
  • New password must meet security requirements (min 8 chars, etc.)
  • Failed validation attempts are limited to prevent brute force attacks