ホームページ >ウェブフロントエンド >jsチュートリアル >Zustand を使用した React での状態管理の初心者ガイド

Zustand を使用した React での状態管理の初心者ガイド

Patricia Arquette
Patricia Arquetteオリジナル
2024-12-27 07:37:09588ブラウズ

A Beginner’s Guide to State Management in React with Zustand

導入

状態管理はあらゆる React アプリケーションにとって重要ですが、Redux のような従来のライブラリは過剰に感じられることがあります。 React 用の最小限かつ強力な状態管理ソリューションである Zustand を紹介します。この投稿では、Zustand が開発者のお気に入りになっている理由と、React プロジェクトで Zustand を使い始める方法について詳しく説明します。

ズスタンドとは何ですか?

Zustand は、シンプルかつ直観的に設計された React 用の状態管理ライブラリです。これは軽量で、多くの定型文を必要としないため、Redux や React Context API よりも使いやすくなっています。 React アプリケーションで Zustand を使用する方法を見てみましょう。

React で Zustand をセットアップする

  • Zustand をインストールする

    npm install zustand
    
  • ストアを作成する
    Zustand でストアを作成する方法の簡単な例を次に示します:

    import {create} from 'zustand';
    
    const useStore = create((set) => ({
      count: 0,
      increase: () => set((state) => ({ count: state.count + 1 })),
      decrease: () => set((state) => ({ count: state.count - 1 })),
    }));
    
  • コンポーネントでのストアの使用
    次に、React コンポーネントでストアを使用してみましょう:

    import React from 'react';
    import { useStore } from './store';
    
    const Counter = () => {
      const { count, increase, decrease } = useStore();
    
      return (
        <div>
          <h1>{count}</h1>
          <button onClick={increase}>Increase</button>
          <button onClick={decrease}>Decrease</button>
        </div>
      );
    };
    
    export default Counter;
    

Zustand の高度な機能: get、getState

  • Zustand は他にも 2 つの便利な関数、get と getState を提供します。これらは状態を取得し、任意の時点での状態を取得するために使用されます

getState(): この関数は、再レンダリングをトリガーせずにストアの現在の状態を取得します。

import {create} from 'zustand';

const useStore = create((set) => ({
  count: 0,
  increase: () => set((state) => ({ count: state.count + 1 })),
  decrease: () => set((state) => ({ count: state.count - 1 })),
}));

// Accessing the current state using getState()
const count= useStore.getState().count;

// Reading the current state value
console.log(count); // This will log the current count

// Modifying the state using the actions
store.increase(); // This will increase the count
console.log(store.count); // This will log the updated count

get(): この関数を使用すると、ストア自体内から状態に直接アクセスできます。設定の前後に状態を確認または変更する必要がある場合に便利です。

import {create} from 'zustand';

const useStore = create((set, get) => ({
  count: 0,
  increase: (amount) => {
    const currentState = get(); // Access the current state using getState()
    console.log("Current count:", currentState.count); // Log the current count
    set((state) => ({ count: state.count + amount })); // Modify the state
  },
})); 

ズスタンドのスライス

  • アプリケーションが成長するにつれて、状態をより小さく管理しやすい部分に整理することをお勧めします。ここでスライスが活躍します。スライスは、独自のアクションのセットを持つモジュール式の状態の一部です。各スライスは独自のファイルで定義できるため、コードがよりクリーンで保守しやすくなります。
// counterStore.js
export const createCounterSlice = (set) => ({
  count: 0,
  increase: () => set((state) => ({ count: state.count + 1 })),
  decrease: () => set((state) => ({ count: state.count - 1 })),
});

// userStore.js
export const createUserSlice = (set) => ({
  user: { name: 'John Doe' },
  setName: (name) => set({ user: { name } }),
});

// useBoundStore.js
import {create} from 'zustand';
import { createCounterSlice } from './counterStore';
import { createUserSlice } from './userStore';

export const useBoundStore = create((...a) => ({
  ...createCounterSlice(...a),
  ...createUserSlice(...a),
}));

コンポーネント内での使用方法

import { useBoundStore } from './useBoundStore'
const App = () => {
  const { count, increase, decrease, user, setName } = useBoundStore();
}

ズスタンドの永続状態

  • Zustand の永続ミドルウェアは、状態が変更されると自動的に localStorage に保存し、ページがリロードされるとそれを再度ロードするため、追加の作業を必要とせずに状態が同じ状態に保たれます。
import {create} from 'zustand';
import { persist } from 'zustand/middleware';

const useStore = create(
  persist(
    (set) => ({
      count: 0,
      increase: () => set((state) => ({ count: state.count + 1 })),
      decrease: () => set((state) => ({ count: state.count - 1 })),
    }),
    {
      name: 'counter-storage', // The name of the key in localStorage
    }
  )
);

Zustand の API からデータを取得する

  • Zustand で API からデータをフェッチするには、ストア内に API 呼び出しを処理するアクションを作成し、フェッチされたデータ、読み込み状態、およびエラー状態で状態を更新します。
import {create} from 'zustand';

const useStore = create((set) => ({
  users: [], // Array to store fetched users
  loading: false, // State to track loading status
  error: null, // State to track any errors during API call

  // Action to fetch users from the API
  fetchUsers: async () => {
    set({ loading: true, error: null }); // Set loading state to true and reset error
    try {
      const response = await fetch('https://jsonplaceholder.typicode.com/users');
      const data = await response.json();
      set({ users: data, loading: false }); // Set users data and loading to false
    } catch (error) {
      set({ error: 'Failed to fetch users', loading: false }); // Set error if fetch fails
    }
  },
}));

export default useStore;

以上がZustand を使用した React での状態管理の初心者ガイドの詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。

声明:
この記事の内容はネチズンが自主的に寄稿したものであり、著作権は原著者に帰属します。このサイトは、それに相当する法的責任を負いません。盗作または侵害の疑いのあるコンテンツを見つけた場合は、admin@php.cn までご連絡ください。