redux toolkit 是官方推荐的编写 redux 逻辑的方法。它为开箱即用的商店设置提供了良好的默认设置,并包含最常用的内置 redux 插件。在本博客中,我们将介绍将 redux toolkit 与 react 应用程序集成的基础知识。
redux toolkit 是一组有助于简化编写 redux 逻辑过程的工具。它包括用于简化常见用例的实用程序,例如存储设置、创建减速器和编写不可变的更新逻辑。
让我们完成在 react 应用程序中设置 redux toolkit 的步骤。
首先,您需要安装必要的软件包。您可以使用 npm 或yarn 来完成此操作。
npm install @reduxjs/toolkit react-redux
store 是赋予 redux 生命的对象。借助 redux toolkit,您可以使用 configurestore 函数创建商店。
// src/store.js import { configurestore } from '@reduxjs/toolkit'; import counterreducer from './features/counter/counterslice'; const store = configurestore({ reducer: { counter: counterreducer, }, }); export default store;
切片是应用程序单个功能的 redux 减速器逻辑和操作的集合。 redux toolkit 的 createslice 函数会自动生成动作创建者和动作类型。
// src/features/counter/counterslice.js import { createslice } from '@reduxjs/toolkit'; const counterslice = createslice({ name: 'counter', initialstate: { value: 0, }, reducers: { increment: (state) => { state.value += 1; }, decrement: (state) => { state.value -= 1; }, }, }); export const { increment, decrement } = counterslice.actions; export default counterslice.reducer;
要使 redux 存储可供您的 react 组件使用,您需要使用 react-redux 中的 provider 组件。
// src/index.js import react from 'react'; import reactdom from 'react-dom'; import { provider } from 'react-redux'; import app from './app'; import store from './store'; reactdom.render( <provider store="{store}"><app></app></provider>, document.getelementbyid('root') );
要将 react 组件连接到 redux 存储,您可以使用react-redux 中的 useselector 和 usedispatch 钩子。
// src/components/counter.jsx import { useselector, usedispatch } from 'react-redux'; import { increment, decrement } from '../features/counter/counterslice'; function counter() { const count = useselector((state) => state.counter.value); const dispatch = usedispatch(); return ( <div> <h1>{count}</h1> <button onclick="{()"> dispatch(increment())}>increment</button> <button onclick="{()"> dispatch(decrement())}>decrement</button> </div> ); } export default counter;
最后,您可以在应用程序中使用连接的组件。
// src/App.js import Counter from './components/Counter'; function App() { return ( <div> <counter></counter> </div> ); } export default App;
通过执行以下步骤,您可以在 react 应用程序中设置 redux toolkit,以可预测和可维护的方式管理状态。 redux toolkit 简化了使用 redux 时的许多常见任务,使编写和维护 redux 逻辑变得更加容易。
对于那些想要深入了解 redux toolkit 和 react 的人,这里有一些宝贵的资源:
感谢您的阅读!
宝.