Zustand, Bila, bagaimana dan mengapa

PHPz
Lepaskan: 2024-09-03 21:00:40
asal
644 orang telah melayarinya

Jadual Kandungan

  1. Pengenalan Pengurusan Negeri
  2. Memahami Zustand
  3. Jenis Negeri
  4. Bermula dengan Zustand
  5. Ciri Utama Zustand
  6. Melaksanakan Zustand
  7. Zustand lwn. Penyelesaian Pengurusan Negeri Lain
  8. Reka Bentuk Sistem Zustand
  9. Keadaan Bertahan Bersama Zustand
  10. Menggunakan Komponen Zustand Outside React
  11. Contoh Dunia Sebenar
  12. Kesimpulan
  13. Petua: Mengendalikan Kod Asynchronous dengan Zustand

1. Pengenalan Pengurusan Negeri

Pengurusan negeri ialah aspek penting dalam pembangunan web moden, terutamanya dalam aplikasi yang kompleks. Ia melibatkan pengendalian data yang boleh berubah dari semasa ke semasa dan memastikan data ini diwakili secara konsisten merentas keseluruhan aplikasi. Pengurusan keadaan yang berkesan membawa kepada aplikasi yang lebih boleh diramal dan boleh diselenggara.

2. Memahami Zustand

Zustand ialah penyelesaian pengurusan keadaan yang kecil, pantas dan berskala untuk aplikasi React. Dicipta oleh Jared Palmer dan Daishi Kato, Zustand menawarkan API yang ringkas dan intuitif yang menjadikan pengurusan negeri kurang menyusahkan berbanding penyelesaian lain.

3. Jenis Negeri

Sebelum menyelam lebih dalam ke dalam Zustand, mari kita fahami pelbagai jenis keadaan dalam aplikasi web:

  1. Negeri Tempatan: Nyatakan yang khusus untuk komponen dan tidak perlu dikongsi dengan bahagian lain aplikasi.
  2. Negeri Global: Negeri yang perlu diakses dan diubah suai oleh berbilang komponen merentas aplikasi.
  3. Keadaan Jauh: Keadaan yang mewakili data yang diambil daripada sumber luaran, biasanya API.

Zustand cemerlang dalam mengurus kedua-dua negeri tempatan dan global, dan boleh disepadukan dengan penyelesaian untuk pengurusan negeri terpencil.

4. Bermula dengan Zustand

Untuk mula menggunakan Zustand, pasang dahulu melalui npm, benang atau pnpm:

npm install zustand
# or
yarn add zustand
# or
pnpm add zustand
Salin selepas log masuk

5. Ciri-ciri Utama Zustand

Zustand hadir dengan beberapa ciri yang menyerlahkannya:

  1. Kesederhanaan: Zustand mempunyai API yang minimum, menjadikannya mudah dipelajari dan digunakan.
  2. Tiada boilerplate: Tidak seperti beberapa penyelesaian pengurusan negeri yang lain, Zustand memerlukan kod persediaan yang sangat sedikit.
  3. Berasaskan Hooks: Zustand memanfaatkan React Hooks, menjadikannya berasa asli kepada pembangunan React moden.
  4. Sokongan TypeScript: Zustand berfungsi hebat dengan TypeScript, memberikan inferens jenis yang sangat baik.
  5. Sokongan perisian tengah: Zustand membenarkan anda melanjutkan fungsinya melalui perisian tengah.
  6. Sokongan Devtools: Zustand disepadukan dengan baik dengan Redux DevTools untuk nyahpepijat.
  7. Rangka kerja agnostik: Walaupun digunakan terutamanya dengan React, Zustand boleh digunakan dalam mana-mana persekitaran JavaScript.

6. Melaksanakan Zustand

Mari kita lihat pelaksanaan asas Zustand:

import { create } from 'zustand'

const useStore = create((set) => ({
  bears: 0,
  increasePopulation: () => set((state) => ({ bears: state.bears + 1 })),
  removeAllBears: () => set({ bears: 0 }),
}))

function BearCounter() {
  const bears = useStore((state) => state.bears)
  return <h1>{bears} around here...</h1>
}

function Controls() {
  const increasePopulation = useStore((state) => state.increasePopulation)
  return <button onClick={increasePopulation}>one up</button>
}
Salin selepas log masuk

Dalam contoh ini, kami mencipta kedai dengan keadaan beruang dan dua tindakan untuk mengubah suainya. Komponen BearCounter dan Controls kemudiannya boleh mengakses dan mengubah suai keadaan menggunakan cangkuk useStore.

7. Zustand lwn. Penyelesaian Pengurusan Negeri Lain

Mari bandingkan Zustand dengan penyelesaian pengurusan negeri popular yang lain:

Zustand lwn. Redux

Kebaikan Zustand:

  • API yang lebih ringkas dengan kurang plat dandang
  • Tidak perlu pencipta tindakan atau menukar kenyataan
  • Saiz berkas yang lebih kecil

Keburukan:

  • Ekosistem yang kurang mantap
  • Pilihan perisian tengah yang lebih sedikit

Zustand lwn MobX

Kebaikan Zustand:

  • API yang lebih mudah, kurang ajaib
  • Prestasi yang lebih baik untuk aplikasi yang lebih besar

Keburukan:

  • Kurang reaktif secara lalai
  • Tiada nilai yang dikira di luar kotak

Zustand lwn Recoil

Kebaikan Zustand:

  • Model mental yang lebih ringkas
  • Berfungsi di luar React

Keburukan:

  • Kereaktifan kurang berbutir
  • Tiada konsep keluarga atom terbina dalam

8. Reka Bentuk Sistem Zustand

Reka bentuk sistem Zustand adalah berdasarkan beberapa prinsip utama:

  1. Single store: Zustand encourages the use of a single store for all application state.
  2. Immutability: State updates are handled immutably, ensuring predictable behavior.
  3. Subscriptions: Components subscribe to specific parts of the state, re-rendering only when those parts change.
  4. Middleware: Zustand uses a middleware system for extending functionality.

This design allows Zustand to be both simple and powerful, providing excellent performance even in large applications.

9. Persisting State with Zustand

Zustand makes it easy to persist state, which is crucial for many applications. Here's an example using the persist middleware:

import { create } from 'zustand'
import { persist } from 'zustand/middleware'

const useStore = create(persist(
  (set, get) => ({
    fishes: 0,
    addAFish: () => set({ fishes: get().fishes + 1 }),
  }),
  {
    name: 'food-storage', // unique name
    getStorage: () => localStorage, // (optional) by default, 'localStorage' is used
  }
))
Salin selepas log masuk

This will automatically save the state to localStorage and rehydrate it when the app reloads.

10. Using Zustand Outside React Components

One of Zustand's strengths is that it can be used outside of React components. This is particularly useful for integrating with other parts of your application or for testing:

const { getState, setState } = useStore

// Getting state
console.log(getState().bears)

// Setting state
setState({ bears: 10 })

// Using actions
getState().increasePopulation()
Salin selepas log masuk

11. Real-World Examples

Let's look at some real-world examples of using Zustand:

Authentication State

import { create } from 'zustand'

const useAuthStore = create((set) => ({
  user: null,
  isAuthenticated: false,
  login: (userData) => set({ user: userData, isAuthenticated: true }),
  logout: () => set({ user: null, isAuthenticated: false }),
}))

// Usage in a component
function LoginButton() {
  const { isAuthenticated, login, logout } = useAuthStore()

  const handleAuth = () => {
    if (isAuthenticated) {
      logout()
    } else {
      // Simulate login
      login({ id: 1, name: 'John Doe' })
    }
  }

  return (
    <button onClick={handleAuth}>
      {isAuthenticated ? 'Logout' : 'Login'}
    </button>
  )
}
Salin selepas log masuk

Shopping Cart

import { create } from 'zustand'

const useCartStore = create((set) => ({
  items: [],
  addItem: (item) => set((state) => ({ items: [...state.items, item] })),
  removeItem: (itemId) => set((state) => ({
    items: state.items.filter((item) => item.id !== itemId),
  })),
  clearCart: () => set({ items: [] }),
  total: 0,
  updateTotal: () => set((state) => ({
    total: state.items.reduce((sum, item) => sum + item.price, 0),
  })),
}))

// Usage in components
function CartSummary() {
  const { items, total, removeItem } = useCartStore()

  return (
    <div>
      {items.map((item) => (
        <div key={item.id}>
          {item.name} - ${item.price}
          <button onClick={() => removeItem(item.id)}>Remove</button>
        </div>
      ))}
      <div>Total: ${total}</div>
    </div>
  )
}
Salin selepas log masuk

Theme Switcher

import { create } from 'zustand'
import { persist } from 'zustand/middleware'

const useThemeStore = create(persist(
  (set) => ({
    theme: 'light',
    toggleTheme: () => set((state) => ({
      theme: state.theme === 'light' ? 'dark' : 'light',
    })),
  }),
  {
    name: 'theme-storage',
  }
))

// Usage in a component
function ThemeToggle() {
  const { theme, toggleTheme } = useThemeStore()

  return (
    <button onClick={toggleTheme}>
      Switch to {theme === 'light' ? 'dark' : 'light'} mode
    </button>
  )
}
Salin selepas log masuk

12. Conclusion

Zustand offers a refreshing approach to state management in React applications. Its simplicity, flexibility, and performance make it an excellent choice for both small and large projects. By reducing boilerplate and providing a straightforward API, Zustand allows developers to focus on building features rather than managing complex state logic.

While it may not have the extensive ecosystem of some older state management solutions, Zustand's design principles and ease of use make it a compelling option for modern React development. Its ability to work outside of React components and easy integration with persistence solutions further extend its utility.

For many React applications, Zustand strikes an excellent balance between simplicity and power, making it worth considering for your next project.

Bonus tips:

Zustand also handles asynchronous functions/code really well and without the need for any Middleware setup.

Let's talk a bit about that:

13. Handling Asynchronous Code with Zustand

One of Zustand's strengths is its simplicity in handling asynchronous operations without the need for additional middleware or complex setups. This makes it particularly easy to work with API calls, data fetching, and other asynchronous tasks.

How Zustand Handles Asynchronous Code

Zustand's approach to asynchronous code is straightforward:

  1. Direct Integration: Asynchronous functions can be defined directly in the store.
  2. No Special Syntax: You don't need to use special action creators or thunks.
  3. State Updates: You can update the state within async functions using the set function.
  4. Error Handling: Error states can be managed directly within the async functions.

Implementing Asynchronous Code

Here's an example of how to implement asynchronous code in Zustand:

import { create } from 'zustand'

const useUserStore = create((set) => ({
  user: null,
  isLoading: false,
  error: null,
  fetchUser: async (userId) => {
    set({ isLoading: true, error: null });
    try {
      const response = await fetch(`https://api.example.com/users/${userId}`);
      if (!response.ok) throw new Error('Failed to fetch user');
      const userData = await response.json();
      set({ user: userData, isLoading: false });
    } catch (error) {
      set({ error: error.message, isLoading: false });
    }
  },
}));

// Usage in a component
function UserProfile({ userId }) {
  const { user, isLoading, error, fetchUser } = useUserStore();

  React.useEffect(() => {
    fetchUser(userId);
  }, [userId]);

  if (isLoading) return <div>Loading...</div>;
  if (error) return <div>Error: {error}</div>;
  if (!user) return null;

  return (
    <div>
      <h1>{user.name}</h1>
      <p>Email: {user.email}</p>
    </div>
  );
}
Salin selepas log masuk

In this example:

  1. We define an async fetchUser function directly in the store.
  2. The function manages loading and error states alongside the user data.
  3. We use the set function to update the state at different points in the async operation.
  4. In the component, we can use the store's state and actions as usual, with React hooks handling the component lifecycle.

Benefits of Zustand's Approach to Async Code

  1. Simplicity: No need for additional middleware or complex action creators.
  2. Flexibility: You can structure your async logic however you prefer.
  3. Readability: Async operations are defined close to the relevant state.
  4. Easy Testing: Async functions can be easily unit tested.

Comparison with Other Solutions

Unlike Redux, which often requires middleware like Redux Thunk or Redux Saga for handling async operations, Zustand's approach is much more straightforward. This simplicity can lead to less boilerplate and a gentler learning curve, especially for developers new to state management.

MobX and Recoil also offer ways to handle async operations, but Zustand's approach might be considered more intuitive due to its direct use of async/await syntax without additional abstractions.

Kesimpulannya untuk async

Pengendalian kod tak segerak Zustand menunjukkan falsafah kesederhanaan dan fleksibilitinya. Dengan membenarkan pembangun menulis fungsi async terus di kedai tanpa sintaks atau perisian tengah khas, Zustand memudahkan untuk mengurus operasi keadaan kompleks sambil memastikan pangkalan kod bersih dan boleh dibaca.

Pendekatan kepada kod tak segerak ini, digabungkan dengan ciri Zustand yang lain seperti saiz berkas kecil dan persediaan mudah, menjadikannya pilihan terbaik untuk projek semua saiz, terutamanya yang melibatkan pengurusan keadaan tak segerak yang ketara.

Semoga "panduan agak" ini berguna dan bernas untuk mana-mana daripada anda yang berfikir tentang cara mengurus keadaan aplikasi global anda.
Terima kasih dan Selamat mengekod.

Sila lihat laman web saya di https://www.ricardogesteves.com

Ikuti saya @ricardogesteves
X(twitter)

Zustand, When, how and why

RicardoGEsteves (Ricardo Esteves) · GitHub

Pembangun Tindanan Penuh | Bersemangat untuk mencipta pengalaman pengguna yang intuitif dan memberi kesan | Berpusat di Lisbon, Portugal ?? - RicardoGEsteves

Zustand, When, how and why github.com

Atas ialah kandungan terperinci Zustand, Bila, bagaimana dan mengapa. Untuk maklumat lanjut, sila ikut artikel berkaitan lain di laman web China PHP!

sumber:dev.to
Kenyataan Laman Web ini
Kandungan artikel ini disumbangkan secara sukarela oleh netizen, dan hak cipta adalah milik pengarang asal. Laman web ini tidak memikul tanggungjawab undang-undang yang sepadan. Jika anda menemui sebarang kandungan yang disyaki plagiarisme atau pelanggaran, sila hubungi admin@php.cn
Tutorial Popular
Lagi>
Muat turun terkini
Lagi>
kesan web
Kod sumber laman web
Bahan laman web
Templat hujung hadapan
Tentang kita Penafian Sitemap
Laman web PHP Cina:Latihan PHP dalam talian kebajikan awam,Bantu pelajar PHP berkembang dengan cepat!