CQRS vs CRUD Choosing the Right Pattern for Large-scale Applications

Banggi Bima Edriantino

March 7, 2025

6 min read

Tidak tersedia dalam Bahasa Indonesia.

Introduction#

As applications scale, traditional CRUD (Create, Read, Update, Delete) patterns may struggle to handle performance, scalability, and complexity demands. CQRS (Command Query Responsibility Segregation) offers an alternative by separating read and write operations, improving scalability and performance in large-scale applications.

This article explores CRUD vs. CQRS, their differences, and when to use each to design efficient, scalable applications.

1. Understanding CRUD#

CRUD is a simplified data access pattern where the same model is used for reading and writing data in a system.

Example: Traditional CRUD Architecture#
graph TD;
    User-->API;
    API-->Database[Database];
    Database-->API;
    API-->User;

This pattern is straightforward but has limitations when:

  • Read and write operations require different optimizations (e.g., caching for reads, transactions for writes).
  • Scaling becomes inefficient due to database locking and contention.
  • Complex business logic results in performance bottlenecks.

2. Understanding CQRS#

CQRS (Command Query Responsibility Segregation) separates read and write operations into distinct models.

  • Command Model - Handles writes (Create, Update, Delete).
  • Query Model - Handles reads (optimized for retrieval).
CQRS Architecture#
graph TD;
    User-->Write_API["Write API (Commands)"];
    User-->Read_API["Read API (Queries)"];
    Write_API-->CommandDB["Command Database"];
    CommandDB-->EventBus["Event Bus"];
    EventBus-->ReadDB["Read Database"];
    ReadDB-->Read_API;
    Read_API-->User;

3. Key Differences Between CQRS and CRUD#

FeatureCRUDCQRS
Read/Write ModelSame model for bothSeparate models
PerformanceLimited scalabilityOptimized for reads/writes
ComplexitySimpleMore complex implementation
ScalabilityHarder to scaleEasier to scale horizontally
ConsistencyStrong consistencyEventual consistency

4. When to Use CQRS vs. CRUD#

When to Use CRUD#
  • Simple applications where read and write operations have similar requirements.
  • Small-scale projects where complexity overhead is not justified.
  • Strong consistency is a priority, and eventual consistency is not acceptable.
When to Use CQRS#
  • High read/write disparity (e.g., analytics dashboards with frequent reads).
  • Scalability requirements, where different databases or caching strategies optimize reads and writes separately.
  • Event-driven systems, where changes trigger multiple reactions asynchronously.
  • Microservices architecture, enabling services to scale independently.

5. Implementing CQRS in Go#

Let's implement a basic CQRS pattern in Go using Gorilla Mux for API handling.

Setting Up the Project#
go mod init cqrs-example
go get github.com/gorilla/mux
Defining the Command (Write) Handler#
package main

import (
	"encoding/json"
	"log"
	"net/http"
)

type Order struct {
	ID     string `json:"id"`
	Amount int    `json:"amount"`
}

var orders = make(map[string]Order)

func createOrder(w http.ResponseWriter, r *http.Request) {
	var order Order
	json.NewDecoder(r.Body).Decode(&order)
	orders[order.ID] = order
	log.Println("Order Created:", order.ID)
	w.WriteHeader(http.StatusCreated)
}

func main() {
	router := mux.NewRouter()
	router.HandleFunc("/orders", createOrder).Methods("POST")
	log.Fatal(http.ListenAndServe(":8080", router))
}
Defining the Query (Read) Handler#
package main

import (
	"encoding/json"
	"log"
	"net/http"

	"github.com/gorilla/mux"
)

func getOrder(w http.ResponseWriter, r *http.Request) {
	vars := mux.Vars(r)
	order, exists := orders[vars["id"]]
	if !exists {
		w.WriteHeader(http.StatusNotFound)
		return
	}
	json.NewEncoder(w).Encode(order)
}

func main() {
	router := mux.NewRouter()
	router.HandleFunc("/orders/{id}", getOrder).Methods("GET")
	log.Fatal(http.ListenAndServe(":8081", router))
}

6. Challenges of CQRS#

While CQRS offers scalability and performance benefits, it introduces complexity.

6.1 Eventual Consistency#
  • Problem: Read models lag behind write models due to event processing delays.
  • Solution: Implement event versioning and idempotency to maintain consistency.
6.2 Increased Development Overhead#
  • Problem: Maintaining two separate models increases code complexity.
  • Solution: Use event-driven frameworks like Kafka or NATS to manage event propagation efficiently.

Conclusion#

Both CQRS and CRUD have their place in software architecture.

  • CRUD is simple and ideal for small applications with consistent data access patterns.
  • CQRS is powerful for large-scale, high-performance applications where read and write operations have different scaling needs.

Understanding when to apply each pattern ensures that applications remain scalable, efficient, and maintainable as they grow.