首頁 > web前端 > js教程 > 建構樂觀更新的數據表

建構樂觀更新的數據表

DDD
發布: 2024-11-04 07:28:01
原創
1016 人瀏覽過

介紹

今天,我將分享如何使用現代 React 模式建立一個精美的食品資料庫管理系統。我們將專注於建立一個具有無縫樂觀更新的響應式資料表,將 TanStack Query(以前稱為 React Query)的強大功能與 Mantine 的元件庫相結合。

項目概況

要求

  • 在資料表中顯示食品
  • 新增項目並立即回饋
  • 優雅地處理載入和錯誤狀態
  • 提供流暢的樂觀更新

技術堆疊

  • TanStack 查詢:伺服器狀態管理
  • Mantine UI:元件庫與表單管理
  • Mantine React Table:進階表功能
  • Wretch:乾淨的 API 呼叫
  • TypeScript:型別安全

實施指南

1. 設立基金會

首先,讓我們定義我們的類型和 API 配置:

// Types
export type GetAllFoods = {
  id: number;
  name: string;
  category: string;
};

export type CreateNewFoodType = Pick<
  GetAllFoods,
  | 'name'
  | 'category'
>;

// API Configuration
export const API = wretch('<http://localhost:9999>').options({
  credentials: 'include',
  mode: 'cors',
  headers: {
    'Content-Type': 'application/json',
    Accept: 'application/json',
  },
});

// TANSTACK QUERY 
export const getFoodOptions = () => {
  return queryOptions({
    queryKey: ['all-foods'],
    queryFn: async () => {
      try {
        return await API.get('/foods')
          .unauthorized(() => {
            console.log('Unauthorized');
          })
          .json<Array<GetAllFoods>>();
      } catch (e) {
        console.log({ e });
        throw e;
      }
    },
  });
};

export const useGetAllFoods = () => {
  return useQuery({
    ...getFoodOptions(),
  });
};

登入後複製

2. 建構資料表

使用 Mantine React Table 的表格元件:

const FoodsView = () => {
  const { data } = useGetAllFoods();

  const columns = useMemo<MRT_ColumnDef<GetAllFoods>[]>(
    () => [
      {
        accessorKey: 'id',
        header: 'ID',
      },
      {
        accessorKey: 'name',
        header: 'Name',
      },
      {
        accessorKey: 'category',
        header: 'Category',
      },
      // ... other columns
    ],
    []
  );

  const table = useMantineReactTable({
    columns,
    data: data ?? [],
    // Optimistic update animation
    mantineTableBodyCellProps: ({ row }) => ({
      style: row.original.id < 0 ? {
        animation: 'shimmer-and-pulse 2s infinite',
        background: `linear-gradient(
          110deg,
          transparent 33%,
          rgba(83, 109, 254, 0.2) 50%,
          transparent 67%
        )`,
        backgroundSize: '200% 100%',
        position: 'relative',
      } : undefined,
    }),
  });

  return <MantineReactTable table={table} />;
};

登入後複製

3. 建立表單

用於新增食物的表單組件:

const CreateNewFood = () => {
  const { mutate } = useCreateNewFood();

  const formInputs = [
    { name: 'name', type: 'text' },
    { name: 'category', type: 'text' },
  ];

  const form = useForm<CreateNewFoodType>({
    initialValues: {
      name: '',
      category: '',
      // ... other fields
    },
  });

  return (
    <Box mt="md">
      <form onSubmit={form.onSubmit((data) => mutate(data))}>
        <Flex direction="column" gap="xs">
          {formInputs.map((input) => (
            <TextInput
              key={input.name}
              {...form.getInputProps(input.name)}
              label={input.name}
              tt="uppercase"
              type={input.type}
            />
          ))}
          <Button type="submit" mt="md">
            Create New
          </Button>
        </Flex>
      </form>
    </Box>
  );
};

登入後複製

4. 實施樂觀更新

我們實現的核心 - TanStack 查詢突變與樂觀更新:

export const useCreateNewFood = () => {
  const queryClient = useQueryClient();

  return useMutation({
    mutationKey: ['create-new-food'],
    mutationFn: async (data: CreateNewFoodType) => {
      await new Promise(resolve => setTimeout(resolve, 3000)); // Demo delay
      return API.url('/foods').post(data).json<GetAllFoods>();
    },
    onMutate: async (newFood) => {
      // Cancel in-flight queries
      await queryClient.cancelQueries({ queryKey: ['all-foods'] });

      // Snapshot current state
      const previousFoods = queryClient.getQueryData<GetAllFoods[]>(['all-foods']);

      // Create optimistic entry
      const optimisticFood: GetAllFoods = {
        id: -Math.random(),
        ...newFood,
        verified: false,
        createdBy: 0,
        createdAt: new Date().toISOString(),
        updatedAt: new Date().toISOString(),
      };

      // Update cache optimistically
      queryClient.setQueryData(['all-foods'], (old) =>
        old ? [...old, optimisticFood] : [optimisticFood]
      );

      return { previousFoods };
    },
    onError: (err, _, context) => {
      // Rollback on error
      if (context?.previousFoods) {
        queryClient.setQueryData(['all-foods'], context.previousFoods);
      }
    },
    onSettled: () => {
      // Refetch to ensure consistency
      queryClient.invalidateQueries({ queryKey: ['all-foods'] });
    },
  });
};

登入後複製

5. 動畫風格

動畫將我們樂觀的更新帶入生活:

@keyframes shimmer-and-pulse {
  0% {
    background-position: 200% 0;
    transform: scale(1);
    box-shadow: 0 0 0 0 rgba(83, 109, 254, 0.2);
  }
  50% {
    background-position: -200% 0;
    transform: scale(1.02);
    box-shadow: 0 0 0 10px rgba(83, 109, 254, 0);
  }
  100% {
    background-position: 200% 0;
    transform: scale(1);
    box-shadow: 0 0 0 0 rgba(83, 109, 254, 0);
  }
}

登入後複製

最佳實踐

  1. 樂觀更新
    • 立即更新 UI,以獲得更好的使用者體驗
    • 透過回滾處理錯誤狀況
    • 透過適當的失效保持資料一致性
  2. 模式安全
    • 使用 TypeScript 以獲得更好的可維護性
    • 為資料結構定義清晰的介面
    • 盡量利用型別推論
  3. 性能
    • 更新期間取消正在進行的查詢
    • 使用正確的查詢失效
    • 實施高效率的表單狀態管理
  4. 使用者體驗
    • 提供即時回饋
    • 顯示載入狀態
    • 優雅地處理錯誤

未來的增強功能

在您的實作中考慮這些改進:

  • 撤銷/重做功能
  • 表單驗證規則
  • 錯誤邊界實作

結果

Building a Data Table with Optimistic Updates

完成請求後

Building a Data Table with Optimistic Updates

結論

此實作示範如何使用現代 React 模式建立強大的資料管理系統。 TanStack Query、Mantine UI 和深思熟慮的樂觀更新的結合創造了流暢和專業的用戶體驗。

記住:

  • 讓你的組件保持專注且可維護
  • 處理所有可能的狀態(載入、錯誤、成功)
  • 使用 TypeScript 提高程式碼品質
  • 在實作中考慮使用者體驗

您在 React 應用程式中實施樂觀更新時面臨哪些挑戰?在下面的評論中分享您的經驗。

以上是建構樂觀更新的數據表的詳細內容。更多資訊請關注PHP中文網其他相關文章!

來源:dev.to
本網站聲明
本文內容由網友自願投稿,版權歸原作者所有。本站不承擔相應的法律責任。如發現涉嫌抄襲或侵權的內容,請聯絡admin@php.cn
熱門教學
更多>
最新下載
更多>
網站特效
網站源碼
網站素材
前端模板