DEV Community

Cover image for Implementing MVVM in React: A Real-World Guide
gitfudge
gitfudge

Posted on

Implementing MVVM in React: A Real-World Guide

Hey folks! πŸ‘‹ After spending years building React applications, I've found that as apps grow larger, maintaining a clean architecture becomes crucial. Today, I'll share how implementing MVVM (Model-View-ViewModel) pattern in React has saved our team from countless headaches and made our codebase much more manageable.

Why Should You Care? The Good Stuff First! 🎯

  1. Your Code Becomes Super Organized

    • Clear separation between data, logic, and UI components
    • Each part of your code has one job and does it well
    • No more "where should I put this logic?" moments
  2. Testing Becomes a Breeze

    • Business logic is isolated in ViewModels
    • UI components are purely presentational
    • You can test each part independently without mocking the entire universe
  3. Reusability On Steroids

    • ViewModels can be reused across different components
    • Logic stays consistent throughout your app
    • Less copy-paste, more single source of truth
  4. State Management That Makes Sense

    • Clear data flow throughout your application
    • Predictable state updates
    • Easier debugging when things go wrong (and they will!)

Let's See It In Action! πŸ’»

Let's build a simple e-commerce product listing page with filters and sorting. Here's how we'd structure it using MVVM:

Directory Structure

src/
β”œβ”€β”€ pages/
β”‚   └── ProductsPage/
β”‚       β”œβ”€β”€ index.tsx               # Main page component
β”‚       β”œβ”€β”€ index.hook.ts           # Custom hooks
β”‚       β”œβ”€β”€ index.store.ts          # State management
β”‚       β”œβ”€β”€ ViewModel.ts            # ViewModel implementation
β”‚       β”œβ”€β”€ types.ts                # TypeScript interfaces
β”‚       β”œβ”€β”€ components/             
β”‚       β”‚   β”œβ”€β”€ ProductGrid/
β”‚       β”‚   β”œβ”€β”€ FilterPanel/
β”‚       β”‚   └── SortingOptions/
β”‚       └── styles/
Enter fullscreen mode Exit fullscreen mode

1. First, Define Your Model

// models/Product.model.ts
export interface Product {
  id: string;
  name: string;
  price: number;
  category: string;
  inStock: boolean;
}

export interface FilterOptions {
  category: string[];
  minPrice: number;
  maxPrice: number;
  inStock: boolean;
}
Enter fullscreen mode Exit fullscreen mode

2. Set Up Your Store

// pages/ProductsPage/index.store.ts
import { create } from 'zustand';

interface ProductsPageState {
  products: Product[];
  filters: FilterOptions;
  setProducts: (products: Product[]) => void;
  setFilters: (filters: FilterOptions) => void;
}

const useProductsStore = create<ProductsPageState>((set) => ({
  products: [],
  filters: {
    category: [],
    minPrice: 0,
    maxPrice: 1000,
    inStock: false
  },
  setProducts: (products) => set({ products }),
  setFilters: (filters) => set({ filters })
}));
Enter fullscreen mode Exit fullscreen mode

3. Create Your ViewModel

// pages/ProductsPage/ViewModel.ts
class ProductsViewModel {
  private store: ProductsStore;
  private uiStore: UIStore;

  constructor(store: ProductsStore, uiStore: UIStore) {
    this.store = store;
    this.uiStore = uiStore;
  }

  public async fetchProducts() {
    try {
      this.uiStore.showLoader();
      const { data } = await ProductsAPI.getProducts(this.store.filters);
      this.store.setProducts(data);
    } catch (error) {
      toast.error('Could not fetch products');
    } finally {
      this.uiStore.hideLoader();
    }
  }

  public updateFilters(filters: Partial<FilterOptions>) {
    this.store.setFilters({
      ...this.store.filters,
      ...filters
    });
  }

  public shouldShowEmptyState(): boolean {
      return !this.uiStore().isLoading && this.getFilteredProducts().length === 0;
  }

  public shouldShowError(): boolean {
    return !!this.uiStore().error;
  }

  public shouldShowLoading(): boolean {
    return this.uiStore().isLoading;
  }

  public shouldShowProductDetails(): boolean {
    return !!this.uiStore().selectedProductId;
  }
}
Enter fullscreen mode Exit fullscreen mode

4. The Custom Hook

// pages/ProductsPage/index.hook.ts
const useProductsPage = () => {
  const productsStore = useProductsStore();
  const uiStore = useUIStore();
  const viewModel = new ProductsViewModel(productsStore, uiStore);

  // isRefreshing and refreshDone are here in case you have logic that's outside the viewmodel and specific to the page itself
  return {
    viewModel,
    isRefreshing: uiStore.isRefreshing,
    refreshDone: () => uiStore.setRefreshing(false),
  };
};
Enter fullscreen mode Exit fullscreen mode

5. The View Component

// pages/ProductsPage/index.tsx
const ProductsPage: FC = () => {
  const { viewModel, isRefreshing, refreshDone } = useProductsPage();

  useEffect(() => {
    viewModel.fetchProducts();
  }, [viewModel]);

  useEffect(() => {
    if (isRefreshing) {
      viewModel.fetchProducts();
      refreshDone();
    }
  }, [isRefreshing]);

  return (
    <div className="products-page">
      <FilterPanel />
      <ProductGrid />
      <SortingOptions />
    </div>
  );
};
Enter fullscreen mode Exit fullscreen mode

Best Practices I've Learned the Hard Way πŸ˜…

  1. Keep ViewModels Focused
   // Good
   class ProductsViewModel {
     fetchProducts() { /* ... */ }
     updateFilters() { /* ... */ }
     sortProducts() { /* ... */ }
   }

   // Bad - mixing concerns
   class ProductsViewModel {
     fetchProducts() { /* ... */ }
     updateUserProfile() { /* ... */ }
     handleCheckout() { /* ... */ }
   }
Enter fullscreen mode Exit fullscreen mode
  1. Handle Cleanup Properly
   useEffect(() => {
     const controller = new AbortController();
     viewModel.fetchProducts(controller.signal);

     return () => controller.abort();
   }, [viewModel]);
Enter fullscreen mode Exit fullscreen mode
  1. Don't Memoize ViewModels
   // Good
   const viewModel = new ProductsViewModel(store);

   // Bad - will break reactivity
   const viewModel = useMemo(() => new ProductsViewModel(store), [store]);
Enter fullscreen mode Exit fullscreen mode

The Not-So-Great Parts (Let's Be Honest) πŸ˜•

  1. More Boilerplate

    • You'll write more initial code
    • More files to manage
    • Steeper learning curve for new team members
  2. Might Be Overkill

    • For simple CRUD apps, this could be excessive
    • Small projects might not see the benefits
    • Takes time to set up properly
  3. Team Buy-in Required

    • Everyone needs to understand and follow the pattern
    • Requires consistent conventions
    • Documentation becomes crucial

Wrapping Up 🎁

MVVM in React isn't a silver bullet, but it's been a game-changer for our team's productivity and code quality. Start small, maybe implement it in one feature first, and see how it feels. Remember, the goal is to make your code more maintainable and your life easier!

Feel free to drop any questions in the comments. Happy coding! πŸš€

Top comments (0)