123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331 |
- import { Theme } from '@mui/material';
- import { useContext, useEffect, useState } from 'react';
- import { useSearchParams, useParams } from 'react-router-dom';
- import Highlighter from 'react-highlight-words';
- import AttuGrid from '@/components/grid/Grid';
- import { ColDefinitionsType, ToolBarConfig } from '@/components/grid/Types';
- import { useTranslation } from 'react-i18next';
- import { usePaginationHook, useInsertDialogHook } from '@/hooks';
- import Icons from '@/components/icons/Icons';
- import CustomToolTip from '@/components/customToolTip/CustomToolTip';
- import { rootContext } from '@/context';
- import { CollectionService, PartitionService } from '@/http';
- import InsertContainer from '@/pages/dialogs/insert/Dialog';
- import CreatePartitionDialog from '@/pages/dialogs/CreatePartitionDialog';
- import DropPartitionDialog from '@/pages/dialogs/DropPartitionDialog';
- import { formatNumber } from '@/utils';
- import { getLabelDisplayedRows } from '@/pages/search/Utils';
- import { makeStyles } from '@mui/styles';
- import type { PartitionData, ResStatus } from '@server/types';
- const useStyles = makeStyles((theme: Theme) => ({
- wrapper: {
- height: `100%`,
- },
- icon: {
- fontSize: '14px',
- marginLeft: theme.spacing(0.5),
- },
- highlight: {
- color: theme.palette.primary.main,
- backgroundColor: 'transparent',
- },
- }));
- const Partitions = () => {
- const { collectionName = '' } = useParams<{ collectionName: string }>();
- const classes = useStyles();
- const { t } = useTranslation('partition');
- const { t: successTrans } = useTranslation('success');
- const { t: btnTrans } = useTranslation('btn');
- const { t: commonTrans } = useTranslation();
- const [searchParams] = useSearchParams();
- const [search, setSearch] = useState<string>(
- (searchParams.get('search') as string) || ''
- );
- const { handleInsertDialog } = useInsertDialogHook();
- const [selectedPartitions, setSelectedPartitions] = useState<PartitionData[]>(
- []
- );
- const [partitions, setPartitions] = useState<PartitionData[]>([]);
- const [loading, setLoading] = useState<boolean>(true);
- const { setDialog, openSnackBar } = useContext(rootContext);
- const fetchPartitions = async (collectionName: string) => {
- try {
- const res = await PartitionService.getPartitions(collectionName);
- setLoading(false);
- setPartitions(res);
- } catch (err) {
- setLoading(false);
- }
- };
- const fetchCollectionDetail = async (name: string) => {
- const res = await CollectionService.getCollection(name);
- return res;
- };
- useEffect(() => {
- fetchPartitions(collectionName);
- }, [collectionName]);
- const list = search
- ? partitions.filter(p => p.name.includes(search))
- : partitions;
- const {
- pageSize,
- handlePageSize,
- currentPage,
- handleCurrentPage,
- total,
- data: partitionList,
- order,
- orderBy,
- handleGridSort,
- } = usePaginationHook(list);
- // on delete
- const onDelete = (res: ResStatus[]) => {
- let hasError = false;
- res.forEach(r => {
- if (r.error_code !== 'Success') {
- console.log('delete error', r);
- openSnackBar(r.reason, 'error');
- hasError = true;
- return;
- }
- });
- fetchPartitions(collectionName);
- if (hasError) return;
- openSnackBar(successTrans('delete', { name: t('partition') }));
- };
- // on handle search
- const handleSearch = (value: string) => {
- setSearch(value);
- };
- const toolbarConfigs: ToolBarConfig[] = [
- {
- btnVariant: 'text',
- label: t('create'),
- onClick: () => {
- setDialog({
- open: true,
- type: 'custom',
- params: {
- component: (
- <CreatePartitionDialog
- collectionName={collectionName}
- onCreate={onCreate}
- />
- ),
- },
- });
- },
- icon: 'add',
- },
- {
- type: 'button',
- btnVariant: 'text',
- btnColor: 'secondary',
- label: btnTrans('importFile'),
- icon: 'uploadFile',
- onClick: async () => {
- const collection = await fetchCollectionDetail(collectionName);
- const schema = collection.schema;
- handleInsertDialog(
- <InsertContainer
- schema={schema}
- defaultSelectedCollection={collectionName}
- defaultSelectedPartition={
- selectedPartitions.length === 1 ? selectedPartitions[0].name : ''
- }
- partitions={partitions}
- onInsert={async () => {
- await fetchPartitions(collectionName);
- }}
- />
- );
- },
- /**
- * insert validation:
- * 1. At least 1 available partition
- * 2. selected partition quantity shouldn't over 1
- */
- disabled: () => partitions.length === 0 || selectedPartitions.length > 1,
- },
- {
- icon: 'cross',
- type: 'button',
- btnVariant: 'text',
- btnColor: 'secondary',
- onClick: () => {
- setDialog({
- open: true,
- type: 'custom',
- params: {
- component: (
- <DropPartitionDialog
- partitions={selectedPartitions}
- collectionName={collectionName}
- onDelete={onDelete}
- />
- ),
- },
- });
- },
- label: btnTrans('drop'),
- // can't delete default partition
- disabled: () =>
- selectedPartitions.length === 0 ||
- selectedPartitions.some(p => p.name === '_default'),
- tooltip: selectedPartitions.some(p => p.name === '_default')
- ? t('deletePartitionError')
- : '',
- },
- {
- label: 'Search',
- icon: 'search',
- searchText: search,
- onSearch: (value: string) => {
- handleSearch(value);
- },
- },
- ];
- const colDefinitions: ColDefinitionsType[] = [
- {
- id: 'id',
- align: 'left',
- needCopy: true,
- disablePadding: false,
- label: t('id'),
- getStyle: () => {
- return {
- width: 120,
- };
- },
- },
- {
- id: 'name',
- sortType: 'string',
- align: 'left',
- disablePadding: true,
- sortBy: 'name',
- formatter({ name }) {
- const newName = name === '_default' ? 'Default partition' : name;
- return (
- <Highlighter
- textToHighlight={newName}
- searchWords={[search]}
- highlightClassName={classes.highlight}
- />
- );
- },
- label: t('name'),
- },
- {
- id: 'rowCount',
- align: 'left',
- disablePadding: false,
- label: (
- <span className="flex-center with-max-content">
- {t('rowCount')}
- <CustomToolTip title={t('tooltip')}>
- <Icons.question classes={{ root: classes.icon }} />
- </CustomToolTip>
- </span>
- ),
- formatter(data) {
- return formatNumber(Number(data.rowCount));
- },
- },
- // {
- // id: 'action',
- // align: 'center',
- // disablePadding: false,
- // label: '',
- // showActionCell: true,
- // isHoverAction: true,
- // actionBarConfigs: [
- // {
- // onClick: (e: React.MouseEvent, row: PartitionView) => {
- // const cb =
- // row._status === StatusEnum.unloaded ? handleLoad : handleRelease;
- // handleAction(row, cb);
- // },
- // icon: 'load',
- // label: 'load',
- // showIconMethod: 'renderFn',
- // getLabel: (row: PartitionView) =>
- // row._status === StatusEnum.loaded ? 'release' : 'load',
- // renderIconFn: (row: PartitionView) =>
- // row._status === StatusEnum.loaded ? <ReleaseIcon /> : <LoadIcon />,
- // },
- // ],
- // },
- {
- id: 'createdTime',
- align: 'left',
- disablePadding: false,
- formatter(data) {
- return new Date(Number(data.createdTime)).toLocaleString();
- },
- label: t('createdTime'),
- },
- ];
- const handleSelectChange = (value: PartitionData[]) => {
- setSelectedPartitions(value);
- };
- const handlePageChange = (e: any, page: number) => {
- handleCurrentPage(page);
- setSelectedPartitions([]);
- };
- const onCreate = () => {
- openSnackBar(successTrans('create', { name: t('partition') }));
- // refresh partitions
- fetchPartitions(collectionName);
- setSelectedPartitions([]);
- };
- return (
- <section className={classes.wrapper}>
- <AttuGrid
- toolbarConfigs={toolbarConfigs}
- colDefinitions={colDefinitions}
- rows={partitionList}
- rowCount={total}
- primaryKey="id"
- selected={selectedPartitions}
- setSelected={handleSelectChange}
- page={currentPage}
- onPageChange={handlePageChange}
- rowsPerPage={pageSize}
- setRowsPerPage={handlePageSize}
- isLoading={loading}
- order={order}
- orderBy={orderBy}
- handleSort={handleGridSort}
- labelDisplayedRows={getLabelDisplayedRows(
- commonTrans(
- partitionList.length > 1 ? 'grid.partitions' : 'grid.partition'
- )
- )}
- />
- </section>
- );
- };
- export default Partitions;
|