Error Handling

Learn about the error handling system and how to use it effectively in your application.

Overview

The error handling system provides a standardized way to handle and communicate errors across your application. It includes predefined error types, HTTP status codes, and utilities for both server and client-side error handling.

Error Types

AppError

The base error class that all application errors extend from:

class AppError extends Error {
  constructor(
    message: string,
    code: ErrorCode,
    statusCode: HttpStatusCode,
    context?: Record<string, any>
  );
}

Predefined Errors

Common error scenarios are available through the Errors object:

// Unauthorized access
throw Errors.Unauthorized('Custom message');
 
// Resource not found
throw Errors.NotFound('User');
 
// Validation errors
throw Errors.ValidationError('Invalid email format');
 
// Rate limiting
throw Errors.RateLimitExceeded();
 
// Database errors
throw Errors.DatabaseError('Failed to create user');

HTTP Status Codes

The system includes standard HTTP status codes for different scenarios:

CodeConstantDescription
200OKRequest succeeded
201CREATEDResource created successfully
400BAD_REQUESTInvalid request
401UNAUTHORIZEDAuthentication required
403FORBIDDENPermission denied
404NOT_FOUNDResource not found
409CONFLICTResource conflict
422UNPROCESSABLE_ENTITYValidation failed
429TOO_MANY_REQUESTSRate limit exceeded
500INTERNAL_SERVER_ERRORServer error
503SERVICE_UNAVAILABLEService unavailable

Error Codes

Internal error codes for better error categorization:

CodeDescription
UNAUTHORIZEDAuthentication/authorization errors
INVALID_INPUTInvalid input data
NOT_FOUNDResource not found
ALREADY_EXISTSResource already exists
FORBIDDENPermission denied
SERVER_ERRORInternal server errors
RATE_LIMIT_EXCEEDEDRate limiting
VALIDATION_ERRORData validation errors
DATABASE_ERRORDatabase operation errors
NETWORK_ERRORNetwork-related errors

Server-Side Error Handling

In Server Actions

import { Errors, handleServerError } from '@/lib/error-utils';
 
export async function createUser(data: CreateUserInput) {
  try {
    // Validate input
    if (!isValid(data)) {
      throw Errors.ValidationError('Invalid user data');
    }
 
    // Check permissions
    if (!hasPermission()) {
      throw Errors.Unauthorized();
    }
 
    // Create user
    const user = await db.users.create(data);
    return user;
  } catch (error) {
    return handleServerError(error, { userData: data });
  }
}

In API Routes

import { ApiResponse } from '@/lib/api-response';
 
export async function POST(request: Request) {
  try {
    const data = await request.json();
    const user = await createUser(data);
    return ApiResponse.success(user, HttpStatusCode.CREATED);
  } catch (error) {
    return ApiResponse.error(error);
  }
}

Client-Side Error Handling

Handling API Responses

import { handleClientError } from '@/lib/error-utils';
 
async function submitForm(data: FormData) {
  try {
    const response = await fetch('/api/users', {
      method: 'POST',
      body: JSON.stringify(data),
    });
 
    if (!response.ok) {
      const error = await response.json();
      throw new AppError(error.message, error.code, response.status);
    }
 
    return await response.json();
  } catch (error) {
    handleClientError(error);
  }
}

Best Practices

  1. Use Predefined Errors: Whenever possible, use the predefined error types from the Errors object.
// Good
throw Errors.NotFound('User');
 
// Avoid
throw new Error('User not found');
  1. Include Context: Add relevant context when throwing errors to aid debugging.
throw new AppError(
  'Failed to process payment',
  ErrorCodes.SERVER_ERROR,
  HttpStatusCode.INTERNAL_SERVER_ERROR,
  {
    orderId: '123',
    amount: 99.99,
    currency: 'USD',
  }
);
  1. Consistent Error Handling: Use the provided utilities consistently across your application.
// In server actions
try {
  // ... code
} catch (error) {
  return handleServerError(error, context);
}
 
// In API routes
try {
  // ... code
} catch (error) {
  return ApiResponse.error(error);
}
 
// In client code
try {
  // ... code
} catch (error) {
  handleClientError(error);
}
  1. Type Safety: Leverage TypeScript to ensure type safety when working with errors.
import { ErrorCode, HttpStatusCode } from '@/lib/errors';
 
function handleError(code: ErrorCode, status: HttpStatusCode) {
  // TypeScript will ensure valid codes are used
}

Error Response Format

API error responses follow a consistent format:

{
  "success": false,
  "error": {
    "code": "VALIDATION_ERROR",
    "message": "Invalid input data",
    "context": {
      "field": "email",
      "value": "invalid-email"
    }
  }
}

Success responses:

{
  "success": true,
  "data": {
    // Response data
  }
}

Remember to always handle errors appropriately in your application. Unhandled errors can lead to poor user experience and difficult-to-debug issues.