About Me
Full Stack Developer with a strong foundation in modern web technologies and application development. B.E. in Electrical Engineering from MBM University Jodhpur (2019-2023) with 8.81 CGPA.
Professional Summary
I'm a dedicated full stack developer specializing in building high-performance web applications with React.js, Node.js, and modern framework ecosystems.
Currently serving as a Software Developer at Fibr Ai, where I architect and implement interactive features using Next.js and React.js. Previously at Celebal Technologies, I led the development of an LMS portal that successfully serves 500+ students.
My approach combines technical expertise with problem-solving capabilities, demonstrated through active participation on competitive programming platforms like LeetCode and GeeksForGeeks.
Technical Expertise
Education
B.E. in Electrical Engineering
MBM University Jodhpur (2019-2023)
CGPA: 8.81/10
Core Coursework
Professional Experience
A chronology of my career trajectory and key roles in the technology sector
Software Developer at Fibr Ai
2024Developing and maintaining interactive features using Next.js and React.js, collaborating with UX/UI designers and backend developers.
Software Developer at Celebal Technologies
2023Built LMS portal with real-time chat, developed chatbots, and implemented Azure cloud services. Worked with React.js, Redux, and Socket.io.
Software Developer Intern at CreateBytes
2021Implemented major website functions using React.js, Material UI, and other modern web technologies.
Research Intern at DRDO
2021Gained understanding of Radar, Microwaves, and Antennas. Developed RCS prediction models.
Featured Projects
A curated selection of professional applications demonstrating technical proficiency, architectural vision, and commitment to delivering exceptional user experiences.
Website Builder
An intuitive drag-and-drop interface enabling users to create and customize responsive website templates with real-time preview capabilities and comprehensive template management.
YouTube Clone
A comprehensive YouTube interface replica that integrates with the YouTube API to deliver real-time data and interactive live chat functionality while maintaining high performance.
Learning Management System
Enterprise-grade LMS platform featuring real-time communication, task orchestration, and analytics dashboard. Successfully deployed for 500+ active users with high engagement metrics.
Technical Expertise & Thought Leadership
Specialized knowledge of advanced architectural patterns and performance optimization techniques that inform my approach to building robust, scalable systems.
Cache Coherence Protocols
How cache coherence protocols maintain data consistency across multi-core systems
CPU cache lines (typically 64 bytes) are the unit of data transfer between CPU and memory. When multithreaded code unknowingly modifies variables sharing the same cache line, performance degrades dramatically due to cache invalidation—a phenomenon called "false sharing." Solving this requires data structure padding, careful memory alignment, and thread-local storage patterns. This explains why some theoretically concurrent algorithms perform worse than sequential versions.
Event Sourcing Patterns
Architectural pattern where state changes are stored as immutable events
Rather than storing current state, event sourcing captures all changes as immutable events in an append-only log. The current state is derived by replaying events from the beginning of time. This approach provides complete audit trails, simplifies debugging, enables temporal queries, and offers powerful resilience capabilities. Event sourcing pairs well with CQRS (Command Query Responsibility Segregation) to separate write and read operations for optimal performance.
Mechanical Sympathy
Writing code that aligns with underlying hardware characteristics
High-performance systems require code that works harmoniously with hardware. This includes understanding CPU pipeline optimization, branch prediction, memory access patterns, and cache-friendly data structures. For example, using contiguous arrays instead of linked lists improves cache locality, and aligning data to cache line boundaries reduces false sharing. Modern processors can execute instructions out-of-order to maximize throughput, but memory barriers and volatile variables are sometimes necessary to maintain correctness.
Non-Linear Backoff Strategies
Advanced retry mechanisms for distributed systems
When services communicate in distributed systems, failures are inevitable. Simple retry mechanisms can cause "thundering herd" problems, where many clients retry simultaneously, overwhelming the system. Non-linear backoff strategies—like exponential backoff with jitter—randomize retry intervals, preventing synchronized retries. The ideal algorithm combines base delay, exponential increase, randomized jitter, and a maximum delay cap. This pattern significantly improves system resilience during partial outages or recovery periods.
React Fiber Architecture
The internal reconciliation engine driving modern React
React Fiber completely reimagined React's internal rendering architecture, replacing the recursive renderer with an incremental one. This enables work to be split into chunks and prioritized, paused, reused, or aborted. The key innovation is treating rendering as a "fiber" (unit of work) that can be scheduled. This enables concurrent rendering, time-slicing, and suspense—features impossible with the previous stack-based reconciliation algorithm. Understanding Fiber helps optimize React applications and explains React's differing behavior under stress conditions.
MongoDB Aggregation Pipeline Optimization
Advanced techniques for high-performance MongoDB queries
MongoDB's aggregation framework provides powerful data processing capabilities, but performance varies dramatically based on pipeline construction. Optimizing aggregation pipelines requires understanding how stages are executed and how they impact memory usage. Key techniques include: placing $match and $limit stages early to reduce documents processed, using $project to limit fields, leveraging indexes with $sort and $match, and combining $lookup stages strategically. The $graphLookup stage should be used carefully due to its potentially exponential processing requirements.
Memory Layout Optimization
Structuring memory for optimal CPU cache utilization
Data structure layout significantly impacts performance due to CPU caching effects. When data needed together is located physically close in memory (spatial locality), cache hits increase dramatically. Structure-of-Arrays (SoA) versus Array-of-Structures (AoS) design choices become critical for vectorized operations. Hot/cold splitting—separating frequently accessed fields from rarely used ones—reduces cache pollution. These optimizations can yield 2-10x performance improvements in data-intensive applications with minimal algorithmic changes.
Express.js Security Hardening
Advanced techniques to secure Express-based APIs
Express.js applications face numerous security challenges beyond basic OWASP threats. Comprehensive security requires defense-in-depth: implementing security headers (CSP, HSTS, X-Content-Type-Options), proper CORS configuration, API rate limiting with token buckets, JWT validation with RS256 signatures and proper expiration, input sanitization, parameterized queries, dependency vulnerability scanning, and secure session management. Additionally, consider security-focused middleware like Helmet, express-rate-limit, and express-validator, but understand their implementation details rather than treating them as magical solutions.
DOM Reflow Minimization
Techniques to prevent expensive browser layout recalculations
DOM reflow occurs when browser needs to recalculate element positions and dimensions. Each reflow can block the main thread for milliseconds, causing jank. Expert developers batch DOM operations using DocumentFragment, modify hidden elements (display:none), use CSS transforms instead of top/left properties, debounce scroll/resize handlers, virtualize long lists, and leverage will-change for GPU acceleration. Additionally, using requestAnimationFrame correctly and understanding the browser's rendering pipeline (Style → Layout → Paint → Composite) helps minimize unnecessary reflows.
SharedArrayBuffer Concurrency
Advanced multi-threading in JavaScript using SharedArrayBuffer
SharedArrayBuffer enables true multi-threading in JavaScript via Web Workers with shared memory. Unlike traditional Web Worker communication (which copies data), SharedArrayBuffer allows multiple workers to read/write the same memory. This enables high-performance parallel processing, but requires careful synchronization using Atomics API for operations like wait, notify, and compareExchange. Proper implementation requires understanding memory models, race conditions, and security considerations (specifically Cross-Origin-Isolation headers required after Spectre/Meltdown).
Node.js Clustering and Zero-Downtime Deployment
Advanced techniques for resilient Node.js applications
Production Node.js requires careful architecting to utilize multi-core systems and handle graceful restarts. The cluster module spawns worker processes sharing server ports, while a master process manages workers. Sophisticated implementations include: graceful shutdown mechanisms that stop accepting connections but complete existing requests, worker rotation strategies for zero-downtime deployments, health check systems for automatic worker replacement, and connection draining algorithms. This approach balances throughput optimization against memory overhead while maintaining continuous availability during deployments.
CAP Theorem Implications
Consistency, Availability, Partition tolerance trade-offs in distributed systems
The CAP theorem states that distributed systems can only guarantee two of three properties: Consistency (all nodes see the same data), Availability (every request receives a response), and Partition tolerance (system operates despite network failures). In practice, since partition tolerance is necessary in distributed systems, the real choice is between CP and AP systems. Different databases make different tradeoffs: MongoDB offers tunable consistency, Cassandra prioritizes availability, while systems like Google Spanner use specialized hardware for high consistency. Understanding CAP theorem helps architects choose appropriate data solutions for specific requirements.
React Custom Reconciliation
Optimizing React re-renders with custom diffing logic
React's default reconciliation algorithm can be customized for specific performance needs. By implementing a custom shouldComponentUpdate or using React.memo with a specialized comparison function, you can create domain-specific optimizations. The key is understanding the trade-off between computation saved by preventing renders versus the cost of deep comparison. For complex data structures, consider implementing Trie-based diffing, structural sharing with Immutable.js, or specialized equality helpers that understand your specific data patterns. Additionally, keys should be stable, unique identifiers rather than array indices to prevent unnecessary re-renders.
CRDT-Based Collaborative Editing
Conflict-free replicated data types for real-time collaboration
Collaborative applications like Google Docs require specialized data structures that automatically resolve conflicts without central coordination. CRDTs (Conflict-free Replicated Data Types) provide mathematical guarantees that distributed replicas will converge to the same state despite network partitions or message reordering. Implementations like Yjs, Automerge, and WOOT (WithOut Operational Transformation) use techniques such as logical clocks, tombstones, and commutative operations. Understanding CRDTs requires knowledge of set theory, partial orders, and eventually consistent systems—knowledge typically acquired through decades of distributed systems work.
Intersection Observer Optimization
High-performance viewport detection for web applications
Intersection Observer API provides efficient viewport tracking without causing layout thrashing. Unlike scroll event handlers, it's asynchronous and optimized by browsers. Advanced usage includes: creating hierarchical observers for nested scrolling contexts, using different thresholds for progressive loading, combining with ResizeObserver for responsive optimizations, and performance tuning rootMargin to preload content. Sophisticated implementations may use dynamic threshold adjustment based on scroll velocity or visibility time calculations for viewability analytics that drive business metrics.
Complex React State Machines
Modeling complex UIs with formal state machines in React
Complex React applications benefit from formal state machine modeling instead of boolean flags. Libraries like XState implement statecharts (hierarchical state machines) that explicitly model all possible states, transitions, and side effects. This approach prevents impossible states, enables visualization, simplifies testing, and makes complex flows maintainable. Advanced implementations use hierarchical states, parallel regions, history states, and guards. This pattern particularly shines for multi-step forms, checkout processes, and interactive tutorials where traditional useState approaches become unwieldy and error-prone.
Bloom Filters in Database Optimization
Probabilistic data structures for performance optimization
Bloom filters are probabilistic data structures that efficiently test set membership with minimal memory. They guarantee no false negatives (if it says an element isn't present, it isn't) but allow some false positives. In database systems, bloom filters prevent expensive disk lookups when data isn't present. Cassandra uses bloom filters to check if a row exists in an SSTable before disk access. When designing bloom filters, the key parameters are the expected number of items and acceptable false positive rate. These determine the bit array size and optimal hash function count according to well-established mathematical formulas.
MongoDB Read Concern and Write Concern
Fine-tuning MongoDB consistency guarantees
MongoDB's distributed nature requires careful consistency configuration through read and write concerns. Write concern determines acknowledgment requirements: w:1 confirms write to primary, w:"majority" ensures durability across replicas, while j:true requires journaling. Read concern controls consistency level: "local" provides lowest latency but potential for reading rolled-back data, "majority" ensures data won't be rolled back, and "linearizable" provides strongest consistency but highest latency. The optimal configuration depends on your specific requirements for consistency versus performance, and may vary by operation type within the same application.
JavaScript Engine Internals
How modern JavaScript engines optimize code execution
Modern JavaScript engines like V8 use sophisticated multi-tier compilation. Code initially runs through an interpreter, while hot functions are optimized by the baseline compiler (Ignition) and later by the optimizing compiler (TurboFan). This process relies on type feedback and speculation. Hidden classes optimize property access for objects with the same structure. Understanding these internals explains why consistent object shapes, avoiding megamorphic call sites, and preventing type transitions significantly impact performance. For critical code paths, monomorphic functions (operating on consistent types) can execute 100x faster than polymorphic alternatives.
Distributed Tracing in Microservices
End-to-end request visualization across service boundaries
In microservice architectures, a single user request may traverse dozens of services. Distributed tracing systems like Jaeger, Zipkin, and OpenTelemetry track requests across service boundaries by propagating context (trace ID, span ID, sampling flags) through HTTP headers, message queues, and RPCs. Each service adds spans recording timing, tags, and logs. The resulting traces create a directed acyclic graph of the request's journey, enabling latency analysis, bottleneck identification, and dependency mapping. Implementing effective tracing requires balancing overhead against observability needs through intelligent sampling strategies and careful instrumentation.
Isomorphic JavaScript Optimization
Advanced techniques for universal JavaScript applications
Isomorphic (universal) JavaScript applications that render on both server and client require specialized optimizations. Key techniques include: route-based code splitting with dynamic imports, selective hydration of interactive components, server-side streaming rendering, deduplication of data fetching, maintaining a unified routing solution, and careful state transfer from server to client. The hydration process is particularly critical—mismatch between server and client renders causes React errors or performance problems. Advanced implementations use progressive hydration and partial hydration strategies to prioritize interactivity for the most important UI elements first.
Technical Problem Solving
Complex engineering solutions demonstrating proficiency in algorithmic thinking, system architecture, and performance optimization techniques.
Implement Promise.allSettled
Create your own implementation of Promise.allSettled() that takes an array of promises and returns results when all have settled.
Implement an LRU Cache
Design and implement a data structure for a Least Recently Used (LRU) cache with O(1) operations.
Custom React.memo Implementation
Create a custom memoization utility for React components that only re-renders when props have changed.
Understanding the Event Loop
Predict the output of this code and explain why it behaves this way with respect to the JavaScript event loop.
Design a Rate Limiter
Implement a rate limiting system that can handle millions of requests and prevent API abuse.
Distributed Lock Implementation
Implement a distributed lock mechanism with Redis that handles clock drift and network partitions.
Virtual DOM Implementation
Create a minimal Virtual DOM implementation with diffing and patching algorithms.
Time Series Database Design
Implement a high-performance time series database with efficient storage and query capabilities.
Raft Consensus Implementation
Implement the Raft distributed consensus algorithm with leader election and log replication.
Graph Database Implementation
Build a graph database engine with support for complex queries and traversals.
Real-time Analytics Engine
Build a streaming analytics engine that processes high-throughput data with window operations.
Get in Touch
Have a project in mind or want to discuss opportunities? I'd love to hear from you.
Contact Information
Feel free to reach out through any of these channels. I typically respond within 24 hours.
Available for Work
Currently accepting new projects and opportunities. I specialize in building modern, high-performance web applications with React, Node.js, and related technologies.