Works

Portfolio

Internal Warehouse Management System

Portfolio

Overview:

This project involved developing a robust and efficient internal web application to optimize warehouse operations. Built with Laravel 10 (PHP 8.2), the system provides a centralized platform for managing inventory, tracking shipments, optimizing storage space, and streamlining order fulfillment. This project demonstrates my expertise in Laravel backend development, including database design, API development, real-time data handling, barcode integration, reporting capabilities, and security implementation essential for modern warehouse management.

Key Features:

  • Inventory Management:
    • Detailed product catalog with attributes (SKU, name, description, dimensions, weight, supplier, etc.).
    • Real-time inventory tracking with automated low-stock alerts and reordering suggestions based on configurable thresholds.
    • Multiple warehouse/location support with precise location tracking within each warehouse (aisle, rack, bin).
    • Inventory adjustments and cycle counting functionality with audit trails.
    • Support for various unit measures (e.g., pieces, boxes, pallets) and conversion between them.
  • Receiving and Putaway:
    • Automated receiving process with barcode scanning integration for quick and accurate data entry, including validation against purchase orders.
    • Optimized putaway suggestions based on storage location availability, product characteristics (e.g., size, weight, hazardous materials), and pre-defined rules.
    • Handling of inbound shipments and purchase orders, including partial receipts and backorders.
  • Order Fulfillment (Picking and Packing):
    • Optimized picking routes based on warehouse layout, order details, and picking strategies (e.g., FIFO, LIFO).
    • Barcode scanning for accurate item verification during picking and packing, preventing errors and discrepancies.
    • Packing slip and shipping label generation with integration to DPD's existing label printing system.
    • Handling of backorders and partial shipments.
  • Shipping and Tracking:
    • Shipment tracking and status updates, including integration with DPD API for real-time tracking information.
    • Automated shipping notifications to customers with tracking numbers and estimated delivery dates.
    • Generation of shipping manifests and other necessary shipping documents.
  • Reporting and Analytics:
    • Inventory turnover reports, including analysis by product, category, and location.
    • Warehouse space utilization reports with graphical visualizations.
    • Order fulfillment performance reports, including picking accuracy, shipping time, and on-time delivery rates.
    • Customizable dashboards with key performance indicators relevant to warehouse operations, such as inventory value, order processing time, and shipping costs.
  • User Management and Roles:
    • Role-based access control (e.g., warehouse manager, picker, packer) with granular permissions.
    • Audit logs for tracking user activity, inventory changes, and system events.

Technical Details:

  • Backend: Laravel 10 (PHP 8.2)
  • Database: MySQL with optimized schema design for efficient data access and minimal latency.
  • Frontend (minimal, for demonstration): Blade templates with basic HTML, CSS, and JavaScript, focusing on demonstrating API interaction and data visualization.
  • API: RESTful API using Laravel's built-in features and API documentation (Swagger).
  • Authorization: Laravel Gates and Policies for fine-grained access control, ensuring data security and preventing unauthorized access.
  • Real-time Functionality: Implemented using WebSockets (Laravel Echo) for real-time updates on inventory levels, order status, and other critical information.
  • Testing: PHPUnit for unit and feature testing, including integration tests to ensure proper interaction between different components.
  • Deployment: Deployed on Customer's internal servers using Docker with CI/CD pipelines for automated deployment and testing.
  • Security: Implemented security best practices, including input validation, output encoding, CSRF protection, and regular security audits.

Key Laravel Concepts Demonstrated:

  • Eloquent ORM: Used extensively for managing complex relationships between inventory, locations, orders, shipments, and other data entities.
  • Migrations and Seeders: Used for database schema management, data seeding, and version control.
  • Routing and Controllers: Used to define API endpoints, handle requests, and implement business logic.
  • Middleware: Used for authentication, authorization, logging, and other request processing tasks.
  • Queues and Jobs: Implemented for asynchronous tasks such as generating reports, sending notifications, and processing large data sets.
  • Events and Listeners: Used for decoupling application logic and handling events like inventory updates, order status changes, and low-stock alerts.
  • API Resources and Transformers: Used to format API responses in a consistent, structured, and secure manner.
  • Caching: Implemented for performance optimization, using appropriate caching strategies for different data types.
  • Security Best Practices: Implemented comprehensive security measures to protect sensitive data and prevent vulnerabilities.

Challenges and Solutions:

  • Challenge: Optimizing picking routes for efficient order fulfillment in a large warehouse with complex layout.
    • Solution: Implemented a customizable picking algorithm (Clarke-Wright Savings Algorithm) that considers warehouse layout, order details, and picking strategies (zone picking) to suggest the most efficient route for pickers.
  • Challenge: Handling high volumes of real-time inventory updates from multiple barcode scanners without impacting system performance.
    • Solution: Implemented a robust queuing system and optimized database queries to handle the high volume of updates efficiently, ensuring data consistency and minimizing latency.

Code Snippets:

1. Real-time Inventory Update via WebSocket (Laravel Echo and Broadcasting):


// Event: InventoryUpdated.php
namespace App\Events;

use Illuminate\Broadcasting\Channel;
use Illuminate\Broadcasting\InteractsWithSockets;
use Illuminate\Broadcasting\PresenceChannel;
use Illuminate\Broadcasting\PrivateChannel;
use Illuminate\Contracts\Broadcasting\ShouldBroadcast;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;
use App\Models\Inventory;

class InventoryUpdated implements ShouldBroadcast
{
    use Dispatchable, InteractsWithSockets, SerializesModels;

    public $inventory;

    public function __construct(Inventory $inventory)
    {
        $this->inventory = $inventory;
    }

    public function broadcastOn()
    {
        return new Channel('inventory-updates'); // Public Channel
    }

    public function broadcastWith(){
        return [
            'product_id' => $this->inventory->product_id,
            'quantity' => $this->inventory->quantity,
        ];
    }
}

// Frontend (JavaScript - using Laravel Echo):
Echo.channel('inventory-updates')
    .listen('InventoryUpdated', (event) => {
        // Update the UI with the new inventory data
    });

2. Optimized Database Query for Inventory Retrieval (Eloquent with eager loading):


// Retrieving inventory with associated product and location data efficiently
$inventory = Inventory::with(['product:id,name,sku', 'location:id,name'])
    ->where('warehouse_id', $warehouseId)
    ->get();

//This prevents N+1 problem by loading related data in advance
foreach ($inventory as $item) {
    echo $item->product->name;
    echo $item->location->name;
}

3. Example of Clarke-Wright Savings Algorithm (Simplified concept):


//Simplified Example (Conceptual)
function calculateSavings($location1, $location2, $depot) {
    $distance1 = distance($location1, $depot);
    $distance2 = distance($location2, $depot);
    $distance12 = distance($location1, $location2);
    return $distance1 + $distance2 - $distance12;
}

//Example usage (requires distance function to be defined)
$savings = calculateSavings($locationA, $locationB,$depot);
echo "Savings between A and B: " . $savings;
//Savings determine the best route

4. API Controller Example (Retrieving Product Information):


namespace App\Http\Controllers\Api;

use App\Http\Controllers\Controller;
use App\Models\Product;
use App\Http\Resources\ProductResource; //Use API Resources for data formatting
use Illuminate\Http\Request;

class ProductController extends Controller
{
    public function index(Request $request)
    {
        $products = Product::paginate(10); // Pagination for large datasets
        return ProductResource::collection($products);
    }

    public function show(Product $product)
    {
        return new ProductResource($product);
    }
}