mirror of
https://github.com/makeplane/plane
synced 2024-06-14 14:31:34 +00:00
style: revamp pages (#688)
* feat: dnd added for blocks * chore: added access option to pages * style: ui fixes * fix: polishing * fix: build error
This commit is contained in:
parent
f6f9caf9e6
commit
5ba7d271b7
199
apps/app/components/pages/create-update-block-inline.tsx
Normal file
199
apps/app/components/pages/create-update-block-inline.tsx
Normal file
@ -0,0 +1,199 @@
|
|||||||
|
import { useRouter } from "next/router";
|
||||||
|
import dynamic from "next/dynamic";
|
||||||
|
|
||||||
|
import { mutate } from "swr";
|
||||||
|
|
||||||
|
// react-hook-form
|
||||||
|
import { Controller, useForm } from "react-hook-form";
|
||||||
|
// services
|
||||||
|
import pagesService from "services/pages.service";
|
||||||
|
// hooks
|
||||||
|
import useToast from "hooks/use-toast";
|
||||||
|
// ui
|
||||||
|
import { Input, Loader, PrimaryButton, SecondaryButton } from "components/ui";
|
||||||
|
// types
|
||||||
|
import { IPageBlock } from "types";
|
||||||
|
// fetch-keys
|
||||||
|
import { PAGE_BLOCKS_LIST } from "constants/fetch-keys";
|
||||||
|
import { useCallback, useEffect } from "react";
|
||||||
|
import issuesService from "services/issues.service";
|
||||||
|
|
||||||
|
type Props = {
|
||||||
|
handleClose: () => void;
|
||||||
|
data?: IPageBlock;
|
||||||
|
setIsSyncing?: React.Dispatch<React.SetStateAction<boolean>>;
|
||||||
|
};
|
||||||
|
|
||||||
|
const defaultValues = {
|
||||||
|
name: "",
|
||||||
|
description: "<p></p>",
|
||||||
|
};
|
||||||
|
|
||||||
|
const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor"), {
|
||||||
|
ssr: false,
|
||||||
|
loading: () => (
|
||||||
|
<Loader className="mx-4 mt-6">
|
||||||
|
<Loader.Item height="100px" width="100%" />
|
||||||
|
</Loader>
|
||||||
|
),
|
||||||
|
});
|
||||||
|
|
||||||
|
export const CreateUpdateBlockInline: React.FC<Props> = ({ handleClose, data, setIsSyncing }) => {
|
||||||
|
const router = useRouter();
|
||||||
|
const { workspaceSlug, projectId, pageId } = router.query;
|
||||||
|
|
||||||
|
const { setToastAlert } = useToast();
|
||||||
|
|
||||||
|
const {
|
||||||
|
handleSubmit,
|
||||||
|
register,
|
||||||
|
control,
|
||||||
|
watch,
|
||||||
|
setValue,
|
||||||
|
reset,
|
||||||
|
formState: { isSubmitting },
|
||||||
|
} = useForm<IPageBlock>({
|
||||||
|
defaultValues,
|
||||||
|
});
|
||||||
|
|
||||||
|
const onClose = useCallback(() => {
|
||||||
|
handleClose();
|
||||||
|
reset();
|
||||||
|
}, [handleClose, reset]);
|
||||||
|
|
||||||
|
const createPageBlock = async (formData: Partial<IPageBlock>) => {
|
||||||
|
if (!workspaceSlug || !projectId || !pageId) return;
|
||||||
|
|
||||||
|
await pagesService
|
||||||
|
.createPageBlock(workspaceSlug as string, projectId as string, pageId as string, {
|
||||||
|
name: formData.name,
|
||||||
|
description: formData.description ?? "",
|
||||||
|
description_html: formData.description_html ?? "<p></p>",
|
||||||
|
})
|
||||||
|
.then((res) => {
|
||||||
|
mutate<IPageBlock[]>(
|
||||||
|
PAGE_BLOCKS_LIST(pageId as string),
|
||||||
|
(prevData) => [...(prevData as IPageBlock[]), res],
|
||||||
|
false
|
||||||
|
);
|
||||||
|
})
|
||||||
|
.catch(() => {
|
||||||
|
setToastAlert({
|
||||||
|
type: "error",
|
||||||
|
title: "Error!",
|
||||||
|
message: "Page could not be created. Please try again.",
|
||||||
|
});
|
||||||
|
})
|
||||||
|
.finally(() => onClose());
|
||||||
|
};
|
||||||
|
|
||||||
|
const updatePageBlock = async (formData: Partial<IPageBlock>) => {
|
||||||
|
if (!workspaceSlug || !projectId || !pageId || !data) return;
|
||||||
|
|
||||||
|
if (data.issue && data.sync && setIsSyncing) setIsSyncing(true);
|
||||||
|
|
||||||
|
mutate<IPageBlock[]>(
|
||||||
|
PAGE_BLOCKS_LIST(pageId as string),
|
||||||
|
(prevData) =>
|
||||||
|
prevData?.map((p) => {
|
||||||
|
if (p.id === data.id) return { ...p, ...formData };
|
||||||
|
|
||||||
|
return p;
|
||||||
|
}),
|
||||||
|
false
|
||||||
|
);
|
||||||
|
|
||||||
|
await pagesService
|
||||||
|
.patchPageBlock(workspaceSlug as string, projectId as string, pageId as string, data.id, {
|
||||||
|
name: formData.name,
|
||||||
|
description: formData.description,
|
||||||
|
description_html: formData.description_html,
|
||||||
|
})
|
||||||
|
.then((res) => {
|
||||||
|
mutate(PAGE_BLOCKS_LIST(pageId as string));
|
||||||
|
if (data.issue && data.sync)
|
||||||
|
issuesService
|
||||||
|
.patchIssue(workspaceSlug as string, projectId as string, data.issue, {
|
||||||
|
name: res.name,
|
||||||
|
description: res.description,
|
||||||
|
description_html: res.description_html,
|
||||||
|
})
|
||||||
|
.finally(() => {
|
||||||
|
if (setIsSyncing) setIsSyncing(false);
|
||||||
|
});
|
||||||
|
})
|
||||||
|
.finally(() => onClose());
|
||||||
|
};
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
if (!data) return;
|
||||||
|
|
||||||
|
reset({
|
||||||
|
...defaultValues,
|
||||||
|
name: data.name,
|
||||||
|
description: data.description,
|
||||||
|
description_html: data.description_html,
|
||||||
|
});
|
||||||
|
}, [reset, data]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
window.addEventListener("keydown", (e: KeyboardEvent) => {
|
||||||
|
if (e.key === "Escape") onClose();
|
||||||
|
});
|
||||||
|
|
||||||
|
return () => {
|
||||||
|
window.removeEventListener("keydown", (e: KeyboardEvent) => {
|
||||||
|
if (e.key === "Escape") onClose();
|
||||||
|
});
|
||||||
|
};
|
||||||
|
}, [onClose]);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="border rounded-[10px] p-2 ml-6">
|
||||||
|
<form onSubmit={data ? handleSubmit(updatePageBlock) : handleSubmit(createPageBlock)}>
|
||||||
|
<Input
|
||||||
|
id="name"
|
||||||
|
name="name"
|
||||||
|
placeholder="Title"
|
||||||
|
register={register}
|
||||||
|
required={true}
|
||||||
|
className="min-h-10 block w-full resize-none overflow-hidden border-none bg-transparent py-1 text-base ring-0 -ml-2 focus:ring-gray-200"
|
||||||
|
role="textbox"
|
||||||
|
/>
|
||||||
|
<div className="page-block-section font relative -mx-3 -mt-3">
|
||||||
|
<Controller
|
||||||
|
name="description"
|
||||||
|
control={control}
|
||||||
|
render={({ field: { value } }) => (
|
||||||
|
<RemirrorRichTextEditor
|
||||||
|
value={
|
||||||
|
!value || (typeof value === "object" && Object.keys(value).length === 0)
|
||||||
|
? watch("description_html")
|
||||||
|
: value
|
||||||
|
}
|
||||||
|
onJSONChange={(jsonValue) => setValue("description", jsonValue)}
|
||||||
|
onHTMLChange={(htmlValue) => setValue("description_html", htmlValue)}
|
||||||
|
placeholder="Description"
|
||||||
|
customClassName="text-sm"
|
||||||
|
noBorder
|
||||||
|
borderOnFocus={false}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="flex justify-end items-center gap-2">
|
||||||
|
<SecondaryButton onClick={onClose}>Cancel</SecondaryButton>
|
||||||
|
<PrimaryButton type="submit" loading={isSubmitting}>
|
||||||
|
{data
|
||||||
|
? isSubmitting
|
||||||
|
? "Updating..."
|
||||||
|
: "Update block"
|
||||||
|
: isSubmitting
|
||||||
|
? "Adding..."
|
||||||
|
: "Add block"}
|
||||||
|
</PrimaryButton>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
@ -1,4 +1,5 @@
|
|||||||
export * from "./pages-list";
|
export * from "./pages-list";
|
||||||
|
export * from "./create-update-block-inline";
|
||||||
export * from "./create-update-page-modal";
|
export * from "./create-update-page-modal";
|
||||||
export * from "./delete-page-modal";
|
export * from "./delete-page-modal";
|
||||||
export * from "./page-form";
|
export * from "./page-form";
|
||||||
|
@ -152,6 +152,32 @@ export const PagesView: React.FC<Props> = ({ pages, viewType }) => {
|
|||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const partialUpdatePage = (page: IPage, formData: Partial<IPage>) => {
|
||||||
|
if (!workspaceSlug || !projectId) return;
|
||||||
|
|
||||||
|
mutate<IPage[]>(
|
||||||
|
ALL_PAGES_LIST(projectId as string),
|
||||||
|
(prevData) => (prevData ?? []).map((p) => ({ ...p, ...formData })),
|
||||||
|
false
|
||||||
|
);
|
||||||
|
mutate<IPage[]>(
|
||||||
|
MY_PAGES_LIST(projectId as string),
|
||||||
|
(prevData) => (prevData ?? []).map((p) => ({ ...p, ...formData })),
|
||||||
|
false
|
||||||
|
);
|
||||||
|
mutate<IPage[]>(
|
||||||
|
FAVORITE_PAGES_LIST(projectId as string),
|
||||||
|
(prevData) => (prevData ?? []).map((p) => ({ ...p, ...formData })),
|
||||||
|
false
|
||||||
|
);
|
||||||
|
|
||||||
|
pagesService
|
||||||
|
.patchPage(workspaceSlug as string, projectId as string, page.id, formData)
|
||||||
|
.then(() => {
|
||||||
|
mutate(RECENT_PAGES_LIST(projectId as string));
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<>
|
<>
|
||||||
<CreateUpdatePageModal
|
<CreateUpdatePageModal
|
||||||
@ -176,6 +202,7 @@ export const PagesView: React.FC<Props> = ({ pages, viewType }) => {
|
|||||||
handleDeletePage={() => handleDeletePage(page)}
|
handleDeletePage={() => handleDeletePage(page)}
|
||||||
handleAddToFavorites={() => handleAddToFavorites(page)}
|
handleAddToFavorites={() => handleAddToFavorites(page)}
|
||||||
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
||||||
|
partialUpdatePage={partialUpdatePage}
|
||||||
/>
|
/>
|
||||||
))}
|
))}
|
||||||
</ul>
|
</ul>
|
||||||
@ -189,6 +216,7 @@ export const PagesView: React.FC<Props> = ({ pages, viewType }) => {
|
|||||||
handleDeletePage={() => handleDeletePage(page)}
|
handleDeletePage={() => handleDeletePage(page)}
|
||||||
handleAddToFavorites={() => handleAddToFavorites(page)}
|
handleAddToFavorites={() => handleAddToFavorites(page)}
|
||||||
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
||||||
|
partialUpdatePage={partialUpdatePage}
|
||||||
/>
|
/>
|
||||||
))}
|
))}
|
||||||
</div>
|
</div>
|
||||||
@ -202,6 +230,7 @@ export const PagesView: React.FC<Props> = ({ pages, viewType }) => {
|
|||||||
handleDeletePage={() => handleDeletePage(page)}
|
handleDeletePage={() => handleDeletePage(page)}
|
||||||
handleAddToFavorites={() => handleAddToFavorites(page)}
|
handleAddToFavorites={() => handleAddToFavorites(page)}
|
||||||
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
handleRemoveFromFavorites={() => handleRemoveFromFavorites(page)}
|
||||||
|
partialUpdatePage={partialUpdatePage}
|
||||||
/>
|
/>
|
||||||
))}
|
))}
|
||||||
</div>
|
</div>
|
||||||
|
@ -14,24 +14,32 @@ import issuesService from "services/issues.service";
|
|||||||
// hooks
|
// hooks
|
||||||
import useToast from "hooks/use-toast";
|
import useToast from "hooks/use-toast";
|
||||||
// components
|
// components
|
||||||
import { CreateUpdateIssueModal } from "components/issues";
|
|
||||||
import { GptAssistantModal } from "components/core";
|
import { GptAssistantModal } from "components/core";
|
||||||
|
import { CreateUpdateBlockInline } from "components/pages";
|
||||||
// ui
|
// ui
|
||||||
import { CustomMenu, Input, Loader, TextArea } from "components/ui";
|
import { CustomMenu, Input, Loader } from "components/ui";
|
||||||
// icons
|
// icons
|
||||||
import { LayerDiagonalIcon } from "components/icons";
|
import { LayerDiagonalIcon } from "components/icons";
|
||||||
import { ArrowPathIcon } from "@heroicons/react/20/solid";
|
import { ArrowPathIcon } from "@heroicons/react/20/solid";
|
||||||
import { BoltIcon, CheckIcon, SparklesIcon } from "@heroicons/react/24/outline";
|
import {
|
||||||
|
BoltIcon,
|
||||||
|
CheckIcon,
|
||||||
|
EllipsisVerticalIcon,
|
||||||
|
PencilIcon,
|
||||||
|
SparklesIcon,
|
||||||
|
} from "@heroicons/react/24/outline";
|
||||||
// helpers
|
// helpers
|
||||||
import { copyTextToClipboard } from "helpers/string.helper";
|
import { copyTextToClipboard } from "helpers/string.helper";
|
||||||
// types
|
// types
|
||||||
import { IIssue, IPageBlock, IProject } from "types";
|
import { IIssue, IPageBlock, IProject } from "types";
|
||||||
// fetch-keys
|
// fetch-keys
|
||||||
import { PAGE_BLOCKS_LIST } from "constants/fetch-keys";
|
import { PAGE_BLOCKS_LIST } from "constants/fetch-keys";
|
||||||
|
import { Draggable } from "react-beautiful-dnd";
|
||||||
|
|
||||||
type Props = {
|
type Props = {
|
||||||
block: IPageBlock;
|
block: IPageBlock;
|
||||||
projectDetails: IProject | undefined;
|
projectDetails: IProject | undefined;
|
||||||
|
index: number;
|
||||||
};
|
};
|
||||||
|
|
||||||
const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor"), {
|
const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor"), {
|
||||||
@ -43,9 +51,9 @@ const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor
|
|||||||
),
|
),
|
||||||
});
|
});
|
||||||
|
|
||||||
export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails, index }) => {
|
||||||
const [createUpdateIssueModal, setCreateUpdateIssueModal] = useState(false);
|
|
||||||
const [isSyncing, setIsSyncing] = useState(false);
|
const [isSyncing, setIsSyncing] = useState(false);
|
||||||
|
const [createBlockForm, setCreateBlockForm] = useState(false);
|
||||||
|
|
||||||
const [gptAssistantModal, setGptAssistantModal] = useState(false);
|
const [gptAssistantModal, setGptAssistantModal] = useState(false);
|
||||||
|
|
||||||
@ -54,7 +62,7 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
|
|
||||||
const { setToastAlert } = useToast();
|
const { setToastAlert } = useToast();
|
||||||
|
|
||||||
const { handleSubmit, watch, reset, setValue, control } = useForm<IPageBlock>({
|
const { handleSubmit, watch, reset, setValue, control, register } = useForm<IPageBlock>({
|
||||||
defaultValues: {
|
defaultValues: {
|
||||||
name: "",
|
name: "",
|
||||||
description: {},
|
description: {},
|
||||||
@ -136,10 +144,6 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
const editAndPushBlockIntoIssues = async () => {
|
|
||||||
setCreateUpdateIssueModal(true);
|
|
||||||
};
|
|
||||||
|
|
||||||
const deletePageBlock = async () => {
|
const deletePageBlock = async () => {
|
||||||
if (!workspaceSlug || !projectId || !pageId) return;
|
if (!workspaceSlug || !projectId || !pageId) return;
|
||||||
|
|
||||||
@ -229,28 +233,41 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
}, [reset, block]);
|
}, [reset, block]);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div>
|
<Draggable draggableId={block.id} index={index}>
|
||||||
<CreateUpdateIssueModal
|
{(provided, snapshot) => (
|
||||||
isOpen={createUpdateIssueModal}
|
<>
|
||||||
handleClose={() => setCreateUpdateIssueModal(false)}
|
{createBlockForm ? (
|
||||||
prePopulateData={{
|
<div className="mb-4">
|
||||||
name: watch("name"),
|
<CreateUpdateBlockInline
|
||||||
description: watch("description"),
|
handleClose={() => setCreateBlockForm(false)}
|
||||||
description_html: watch("description_html"),
|
data={block}
|
||||||
}}
|
setIsSyncing={setIsSyncing}
|
||||||
/>
|
|
||||||
<div className="-mx-3 mt-4 flex items-center justify-between gap-2">
|
|
||||||
<Input
|
|
||||||
id="name"
|
|
||||||
name="name"
|
|
||||||
placeholder="Block title"
|
|
||||||
value={watch("name")}
|
|
||||||
onBlur={handleSubmit(updatePageBlock)}
|
|
||||||
onChange={(e) => setValue("name", e.target.value)}
|
|
||||||
required={true}
|
|
||||||
className="min-h-10 block w-full resize-none overflow-hidden border-none bg-transparent py-1 text-base font-medium ring-0 focus:ring-1 focus:ring-gray-200"
|
|
||||||
role="textbox"
|
|
||||||
/>
|
/>
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<div
|
||||||
|
className={`group ${
|
||||||
|
snapshot.isDragging
|
||||||
|
? "border-2 bg-white border-theme shadow-lg rounded-md p-4 pl-0"
|
||||||
|
: ""
|
||||||
|
}`}
|
||||||
|
ref={provided.innerRef}
|
||||||
|
{...provided.draggableProps}
|
||||||
|
>
|
||||||
|
<div className="mb-1 flex items-center justify-between gap-2">
|
||||||
|
<div className="flex items-center gap-2">
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
className="flex p-0.5 hover:bg-gray-100 rounded opacity-0 pointer-events-none group-hover:opacity-100 group-hover:pointer-events-auto"
|
||||||
|
{...provided.dragHandleProps}
|
||||||
|
>
|
||||||
|
<EllipsisVerticalIcon className="h-[18px]" />
|
||||||
|
<EllipsisVerticalIcon className="h-[18px] -ml-3" />
|
||||||
|
</button>
|
||||||
|
<h3 className="font-medium" onClick={() => setCreateBlockForm(true)}>
|
||||||
|
{block.name}
|
||||||
|
</h3>
|
||||||
|
</div>
|
||||||
<div className="flex flex-shrink-0 items-center gap-2">
|
<div className="flex flex-shrink-0 items-center gap-2">
|
||||||
{block.issue && block.sync && (
|
{block.issue && block.sync && (
|
||||||
<div className="flex flex-shrink-0 cursor-default items-center gap-1 rounded bg-gray-100 py-1 px-1.5 text-xs">
|
<div className="flex flex-shrink-0 cursor-default items-center gap-1 rounded bg-gray-100 py-1 px-1.5 text-xs">
|
||||||
@ -278,29 +295,38 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
<SparklesIcon className="h-4 w-4" />
|
<SparklesIcon className="h-4 w-4" />
|
||||||
AI
|
AI
|
||||||
</button>
|
</button>
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
className="-mr-2 flex items-center gap-1 rounded px-1.5 py-1 text-xs hover:bg-gray-100"
|
||||||
|
onClick={() => setCreateBlockForm(true)}
|
||||||
|
>
|
||||||
|
<PencilIcon className="h-3.5 w-3.5" />
|
||||||
|
</button>
|
||||||
<CustomMenu label={<BoltIcon className="h-4.5 w-3.5" />} noBorder noChevron>
|
<CustomMenu label={<BoltIcon className="h-4.5 w-3.5" />} noBorder noChevron>
|
||||||
{block.issue ? (
|
{block.issue ? (
|
||||||
<>
|
<>
|
||||||
<CustomMenu.MenuItem onClick={handleBlockSync}>
|
<CustomMenu.MenuItem onClick={handleBlockSync}>
|
||||||
<>Turn sync {block.sync ? "off" : "on"}</>
|
<>Turn sync {block.sync ? "off" : "on"}</>
|
||||||
</CustomMenu.MenuItem>
|
</CustomMenu.MenuItem>
|
||||||
<CustomMenu.MenuItem onClick={handleCopyText}>Copy issue link</CustomMenu.MenuItem>
|
<CustomMenu.MenuItem onClick={handleCopyText}>
|
||||||
|
Copy issue link
|
||||||
|
</CustomMenu.MenuItem>
|
||||||
</>
|
</>
|
||||||
) : (
|
) : (
|
||||||
<>
|
|
||||||
<CustomMenu.MenuItem onClick={pushBlockIntoIssues}>
|
<CustomMenu.MenuItem onClick={pushBlockIntoIssues}>
|
||||||
Push into issues
|
Push into issues
|
||||||
</CustomMenu.MenuItem>
|
</CustomMenu.MenuItem>
|
||||||
{/* <CustomMenu.MenuItem onClick={editAndPushBlockIntoIssues}>
|
|
||||||
Edit and push into issues
|
|
||||||
</CustomMenu.MenuItem> */}
|
|
||||||
</>
|
|
||||||
)}
|
)}
|
||||||
<CustomMenu.MenuItem onClick={deletePageBlock}>Delete block</CustomMenu.MenuItem>
|
<CustomMenu.MenuItem onClick={deletePageBlock}>
|
||||||
|
Delete block
|
||||||
|
</CustomMenu.MenuItem>
|
||||||
</CustomMenu>
|
</CustomMenu>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="page-block-section font relative -mx-3 -mt-3">
|
<div
|
||||||
|
className="page-block-section font relative -mx-3 -mt-3 ml-6"
|
||||||
|
onClick={() => setCreateBlockForm(true)}
|
||||||
|
>
|
||||||
<Controller
|
<Controller
|
||||||
name="description"
|
name="description"
|
||||||
control={control}
|
control={control}
|
||||||
@ -311,13 +337,11 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
? watch("description_html")
|
? watch("description_html")
|
||||||
: value
|
: value
|
||||||
}
|
}
|
||||||
onBlur={handleSubmit(updatePageBlock)}
|
placeholder="Description"
|
||||||
onJSONChange={(jsonValue) => setValue("description", jsonValue)}
|
customClassName="text-sm"
|
||||||
onHTMLChange={(htmlValue) => setValue("description_html", htmlValue)}
|
|
||||||
placeholder="Block description..."
|
|
||||||
customClassName="border border-transparent text-sm"
|
|
||||||
noBorder
|
noBorder
|
||||||
borderOnFocus={false}
|
borderOnFocus={false}
|
||||||
|
editable={false}
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
/>
|
/>
|
||||||
@ -333,5 +357,9 @@ export const SinglePageBlock: React.FC<Props> = ({ block, projectDetails }) => {
|
|||||||
/>
|
/>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
)}
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</Draggable>
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
@ -5,9 +5,15 @@ import { useRouter } from "next/router";
|
|||||||
import dynamic from "next/dynamic";
|
import dynamic from "next/dynamic";
|
||||||
|
|
||||||
// ui
|
// ui
|
||||||
import { CustomMenu, Loader } from "components/ui";
|
import { CustomMenu, Loader, Tooltip } from "components/ui";
|
||||||
// icons
|
// icons
|
||||||
import { PencilIcon, StarIcon, TrashIcon } from "@heroicons/react/24/outline";
|
import {
|
||||||
|
LockClosedIcon,
|
||||||
|
LockOpenIcon,
|
||||||
|
PencilIcon,
|
||||||
|
StarIcon,
|
||||||
|
TrashIcon,
|
||||||
|
} from "@heroicons/react/24/outline";
|
||||||
// helpers
|
// helpers
|
||||||
import { truncateText } from "helpers/string.helper";
|
import { truncateText } from "helpers/string.helper";
|
||||||
import { renderShortTime } from "helpers/date-time.helper";
|
import { renderShortTime } from "helpers/date-time.helper";
|
||||||
@ -20,6 +26,7 @@ type TSingleStatProps = {
|
|||||||
handleDeletePage: () => void;
|
handleDeletePage: () => void;
|
||||||
handleAddToFavorites: () => void;
|
handleAddToFavorites: () => void;
|
||||||
handleRemoveFromFavorites: () => void;
|
handleRemoveFromFavorites: () => void;
|
||||||
|
partialUpdatePage: (page: IPage, formData: Partial<IPage>) => void;
|
||||||
};
|
};
|
||||||
|
|
||||||
const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor"), {
|
const RemirrorRichTextEditor = dynamic(() => import("components/rich-text-editor"), {
|
||||||
@ -37,19 +44,18 @@ export const SinglePageDetailedItem: React.FC<TSingleStatProps> = ({
|
|||||||
handleDeletePage,
|
handleDeletePage,
|
||||||
handleAddToFavorites,
|
handleAddToFavorites,
|
||||||
handleRemoveFromFavorites,
|
handleRemoveFromFavorites,
|
||||||
|
partialUpdatePage,
|
||||||
}) => {
|
}) => {
|
||||||
const router = useRouter();
|
const router = useRouter();
|
||||||
const { workspaceSlug, projectId } = router.query;
|
const { workspaceSlug, projectId } = router.query;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
|
<Link href={`/${workspaceSlug}/projects/${projectId}/pages/${page.id}`}>
|
||||||
|
<a>
|
||||||
<div className="relative rounded border p-4">
|
<div className="relative rounded border p-4">
|
||||||
<div className="flex items-center justify-between gap-2">
|
<div className="flex items-center justify-between gap-2">
|
||||||
<div className="flex items-center gap-2">
|
<div className="flex items-center gap-2">
|
||||||
<Link href={`/${workspaceSlug}/projects/${projectId}/pages/${page.id}`}>
|
|
||||||
<a className="after:absolute after:inset-0">
|
|
||||||
<p className="mr-2 truncate text-sm font-medium">{truncateText(page.name, 75)}</p>
|
<p className="mr-2 truncate text-sm font-medium">{truncateText(page.name, 75)}</p>
|
||||||
</a>
|
|
||||||
</Link>
|
|
||||||
{page.label_details.length > 0 &&
|
{page.label_details.length > 0 &&
|
||||||
page.label_details.map((label) => (
|
page.label_details.map((label) => (
|
||||||
<div
|
<div
|
||||||
@ -64,7 +70,8 @@ export const SinglePageDetailedItem: React.FC<TSingleStatProps> = ({
|
|||||||
<span
|
<span
|
||||||
className="h-1.5 w-1.5 flex-shrink-0 rounded-full"
|
className="h-1.5 w-1.5 flex-shrink-0 rounded-full"
|
||||||
style={{
|
style={{
|
||||||
backgroundColor: label?.color && label.color !== "" ? label.color : "#000000",
|
backgroundColor:
|
||||||
|
label?.color && label.color !== "" ? label.color : "#000000",
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
{label.name}
|
{label.name}
|
||||||
@ -75,26 +82,73 @@ export const SinglePageDetailedItem: React.FC<TSingleStatProps> = ({
|
|||||||
<div className="flex items-center gap-2">
|
<div className="flex items-center gap-2">
|
||||||
<p className="text-sm text-gray-400">{renderShortTime(page.updated_at)}</p>
|
<p className="text-sm text-gray-400">{renderShortTime(page.updated_at)}</p>
|
||||||
{page.is_favorite ? (
|
{page.is_favorite ? (
|
||||||
<button onClick={handleRemoveFromFavorites} className="z-10 grid place-items-center">
|
<button
|
||||||
|
type="button"
|
||||||
|
onClick={(e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
handleRemoveFromFavorites();
|
||||||
|
}}
|
||||||
|
className="z-10 grid place-items-center"
|
||||||
|
>
|
||||||
<StarIcon className="h-4 w-4 text-orange-400" fill="#f6ad55" />
|
<StarIcon className="h-4 w-4 text-orange-400" fill="#f6ad55" />
|
||||||
</button>
|
</button>
|
||||||
) : (
|
) : (
|
||||||
<button
|
<button
|
||||||
onClick={handleAddToFavorites}
|
|
||||||
type="button"
|
type="button"
|
||||||
|
onClick={(e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
handleAddToFavorites();
|
||||||
|
}}
|
||||||
className="z-10 grid place-items-center"
|
className="z-10 grid place-items-center"
|
||||||
>
|
>
|
||||||
<StarIcon className="h-4 w-4 " color="#858E96" />
|
<StarIcon className="h-4 w-4 " color="#858E96" />
|
||||||
</button>
|
</button>
|
||||||
)}
|
)}
|
||||||
|
<Tooltip
|
||||||
|
tooltipContent={`${
|
||||||
|
page.access
|
||||||
|
? "This page is only visible to you."
|
||||||
|
: "This page can be viewed by anyone in the project."
|
||||||
|
}`}
|
||||||
|
theme="dark"
|
||||||
|
>
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
onClick={(e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
partialUpdatePage(page, { access: page.access ? 0 : 1 });
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{page.access ? (
|
||||||
|
<LockClosedIcon className="h-4 w-4" color="#858e96" />
|
||||||
|
) : (
|
||||||
|
<LockOpenIcon className="h-4 w-4" color="#858e96" />
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
</Tooltip>
|
||||||
<CustomMenu verticalEllipsis>
|
<CustomMenu verticalEllipsis>
|
||||||
<CustomMenu.MenuItem onClick={handleEditPage}>
|
<CustomMenu.MenuItem
|
||||||
|
onClick={(e: any) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
handleEditPage();
|
||||||
|
}}
|
||||||
|
>
|
||||||
<span className="flex items-center justify-start gap-2">
|
<span className="flex items-center justify-start gap-2">
|
||||||
<PencilIcon className="h-3.5 w-3.5" />
|
<PencilIcon className="h-3.5 w-3.5" />
|
||||||
<span>Edit Page</span>
|
<span>Edit Page</span>
|
||||||
</span>
|
</span>
|
||||||
</CustomMenu.MenuItem>
|
</CustomMenu.MenuItem>
|
||||||
<CustomMenu.MenuItem onClick={handleDeletePage}>
|
<CustomMenu.MenuItem
|
||||||
|
onClick={(e: any) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
handleDeletePage();
|
||||||
|
}}
|
||||||
|
>
|
||||||
<span className="flex items-center justify-start gap-2">
|
<span className="flex items-center justify-start gap-2">
|
||||||
<TrashIcon className="h-3.5 w-3.5" />
|
<TrashIcon className="h-3.5 w-3.5" />
|
||||||
<span>Delete Page</span>
|
<span>Delete Page</span>
|
||||||
@ -122,5 +176,7 @@ export const SinglePageDetailedItem: React.FC<TSingleStatProps> = ({
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
</a>
|
||||||
|
</Link>
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
@ -6,7 +6,14 @@ import { useRouter } from "next/router";
|
|||||||
// ui
|
// ui
|
||||||
import { CustomMenu, Tooltip } from "components/ui";
|
import { CustomMenu, Tooltip } from "components/ui";
|
||||||
// icons
|
// icons
|
||||||
import { DocumentTextIcon, PencilIcon, StarIcon, TrashIcon } from "@heroicons/react/24/outline";
|
import {
|
||||||
|
DocumentTextIcon,
|
||||||
|
LockClosedIcon,
|
||||||
|
LockOpenIcon,
|
||||||
|
PencilIcon,
|
||||||
|
StarIcon,
|
||||||
|
TrashIcon,
|
||||||
|
} from "@heroicons/react/24/outline";
|
||||||
// helpers
|
// helpers
|
||||||
import { truncateText } from "helpers/string.helper";
|
import { truncateText } from "helpers/string.helper";
|
||||||
import { renderShortDate, renderShortTime } from "helpers/date-time.helper";
|
import { renderShortDate, renderShortTime } from "helpers/date-time.helper";
|
||||||
@ -19,6 +26,7 @@ type TSingleStatProps = {
|
|||||||
handleDeletePage: () => void;
|
handleDeletePage: () => void;
|
||||||
handleAddToFavorites: () => void;
|
handleAddToFavorites: () => void;
|
||||||
handleRemoveFromFavorites: () => void;
|
handleRemoveFromFavorites: () => void;
|
||||||
|
partialUpdatePage: (page: IPage, formData: Partial<IPage>) => void;
|
||||||
};
|
};
|
||||||
|
|
||||||
export const SinglePageListItem: React.FC<TSingleStatProps> = ({
|
export const SinglePageListItem: React.FC<TSingleStatProps> = ({
|
||||||
@ -27,6 +35,7 @@ export const SinglePageListItem: React.FC<TSingleStatProps> = ({
|
|||||||
handleDeletePage,
|
handleDeletePage,
|
||||||
handleAddToFavorites,
|
handleAddToFavorites,
|
||||||
handleRemoveFromFavorites,
|
handleRemoveFromFavorites,
|
||||||
|
partialUpdatePage,
|
||||||
}) => {
|
}) => {
|
||||||
const router = useRouter();
|
const router = useRouter();
|
||||||
const { workspaceSlug, projectId } = router.query;
|
const { workspaceSlug, projectId } = router.query;
|
||||||
@ -94,6 +103,29 @@ export const SinglePageListItem: React.FC<TSingleStatProps> = ({
|
|||||||
<StarIcon className="h-4 w-4 " color="#858e96" />
|
<StarIcon className="h-4 w-4 " color="#858e96" />
|
||||||
</button>
|
</button>
|
||||||
)}
|
)}
|
||||||
|
<Tooltip
|
||||||
|
tooltipContent={`${
|
||||||
|
page.access
|
||||||
|
? "This page is only visible to you."
|
||||||
|
: "This page can be viewed by anyone in the project."
|
||||||
|
}`}
|
||||||
|
theme="dark"
|
||||||
|
>
|
||||||
|
<button
|
||||||
|
type="button"
|
||||||
|
onClick={(e) => {
|
||||||
|
e.preventDefault();
|
||||||
|
e.stopPropagation();
|
||||||
|
partialUpdatePage(page, { access: page.access ? 0 : 1 });
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
{page.access ? (
|
||||||
|
<LockClosedIcon className="h-4 w-4" color="#858e96" />
|
||||||
|
) : (
|
||||||
|
<LockOpenIcon className="h-4 w-4" color="#858e96" />
|
||||||
|
)}
|
||||||
|
</button>
|
||||||
|
</Tooltip>
|
||||||
<CustomMenu width="auto" verticalEllipsis>
|
<CustomMenu width="auto" verticalEllipsis>
|
||||||
<CustomMenu.MenuItem
|
<CustomMenu.MenuItem
|
||||||
onClick={(e: any) => {
|
onClick={(e: any) => {
|
||||||
|
@ -10,6 +10,9 @@ import { useForm } from "react-hook-form";
|
|||||||
import { Popover, Transition } from "@headlessui/react";
|
import { Popover, Transition } from "@headlessui/react";
|
||||||
// react-color
|
// react-color
|
||||||
import { TwitterPicker } from "react-color";
|
import { TwitterPicker } from "react-color";
|
||||||
|
// react-beautiful-dnd
|
||||||
|
import { DragDropContext, DropResult } from "react-beautiful-dnd";
|
||||||
|
import StrictModeDroppable from "components/dnd/StrictModeDroppable";
|
||||||
// lib
|
// lib
|
||||||
import { requiredAdmin, requiredAuth } from "lib/auth";
|
import { requiredAdmin, requiredAuth } from "lib/auth";
|
||||||
// services
|
// services
|
||||||
@ -21,16 +24,24 @@ import useToast from "hooks/use-toast";
|
|||||||
// layouts
|
// layouts
|
||||||
import AppLayout from "layouts/app-layout";
|
import AppLayout from "layouts/app-layout";
|
||||||
// components
|
// components
|
||||||
import { SinglePageBlock } from "components/pages";
|
import { CreateUpdateBlockInline, SinglePageBlock } from "components/pages";
|
||||||
// ui
|
// ui
|
||||||
import { BreadcrumbItem, Breadcrumbs } from "components/breadcrumbs";
|
import { BreadcrumbItem, Breadcrumbs } from "components/breadcrumbs";
|
||||||
import { CustomSearchSelect, Loader, PrimaryButton, TextArea, Tooltip } from "components/ui";
|
import { CustomSearchSelect, Loader, PrimaryButton, TextArea, Tooltip } from "components/ui";
|
||||||
// icons
|
// icons
|
||||||
import { ArrowLeftIcon, PlusIcon, ShareIcon, StarIcon } from "@heroicons/react/24/outline";
|
import {
|
||||||
|
ArrowLeftIcon,
|
||||||
|
LockClosedIcon,
|
||||||
|
LockOpenIcon,
|
||||||
|
PlusIcon,
|
||||||
|
ShareIcon,
|
||||||
|
StarIcon,
|
||||||
|
} from "@heroicons/react/24/outline";
|
||||||
import { ColorPalletteIcon } from "components/icons";
|
import { ColorPalletteIcon } from "components/icons";
|
||||||
// helpers
|
// helpers
|
||||||
import { renderShortTime } from "helpers/date-time.helper";
|
import { renderShortTime } from "helpers/date-time.helper";
|
||||||
import { copyTextToClipboard } from "helpers/string.helper";
|
import { copyTextToClipboard } from "helpers/string.helper";
|
||||||
|
import { orderArrayBy } from "helpers/array.helper";
|
||||||
// types
|
// types
|
||||||
import type { NextPage, GetServerSidePropsContext } from "next";
|
import type { NextPage, GetServerSidePropsContext } from "next";
|
||||||
import { IIssueLabels, IPage, IPageBlock, UserAuth } from "types";
|
import { IIssueLabels, IPage, IPageBlock, UserAuth } from "types";
|
||||||
@ -44,13 +55,14 @@ import {
|
|||||||
|
|
||||||
const SinglePage: NextPage<UserAuth> = (props) => {
|
const SinglePage: NextPage<UserAuth> = (props) => {
|
||||||
const [isAddingBlock, setIsAddingBlock] = useState(false);
|
const [isAddingBlock, setIsAddingBlock] = useState(false);
|
||||||
|
const [createBlockForm, setCreateBlockForm] = useState(false);
|
||||||
|
|
||||||
const router = useRouter();
|
const router = useRouter();
|
||||||
const { workspaceSlug, projectId, pageId } = router.query;
|
const { workspaceSlug, projectId, pageId } = router.query;
|
||||||
|
|
||||||
const { setToastAlert } = useToast();
|
const { setToastAlert } = useToast();
|
||||||
|
|
||||||
const { handleSubmit, reset, watch, setValue, control } = useForm<IPage>({
|
const { handleSubmit, reset, watch, setValue } = useForm<IPage>({
|
||||||
defaultValues: { name: "" },
|
defaultValues: { name: "" },
|
||||||
});
|
});
|
||||||
|
|
||||||
@ -131,34 +143,6 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
});
|
});
|
||||||
};
|
};
|
||||||
|
|
||||||
const createPageBlock = async () => {
|
|
||||||
if (!workspaceSlug || !projectId || !pageId) return;
|
|
||||||
|
|
||||||
setIsAddingBlock(true);
|
|
||||||
|
|
||||||
await pagesService
|
|
||||||
.createPageBlock(workspaceSlug as string, projectId as string, pageId as string, {
|
|
||||||
name: "New block",
|
|
||||||
})
|
|
||||||
.then((res) => {
|
|
||||||
mutate<IPageBlock[]>(
|
|
||||||
PAGE_BLOCKS_LIST(pageId as string),
|
|
||||||
(prevData) => [...(prevData as IPageBlock[]), res],
|
|
||||||
false
|
|
||||||
);
|
|
||||||
})
|
|
||||||
.catch(() => {
|
|
||||||
setToastAlert({
|
|
||||||
type: "error",
|
|
||||||
title: "Error!",
|
|
||||||
message: "Page could not be created. Please try again.",
|
|
||||||
});
|
|
||||||
})
|
|
||||||
.finally(() => {
|
|
||||||
setIsAddingBlock(false);
|
|
||||||
});
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleAddToFavorites = () => {
|
const handleAddToFavorites = () => {
|
||||||
if (!workspaceSlug || !projectId || !pageId) return;
|
if (!workspaceSlug || !projectId || !pageId) return;
|
||||||
|
|
||||||
@ -195,6 +179,50 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
|
||||||
|
const handleOnDragEnd = (result: DropResult) => {
|
||||||
|
if (!result.destination || !workspaceSlug || !projectId || !pageId || !pageBlocks) return;
|
||||||
|
|
||||||
|
const { source, destination } = result;
|
||||||
|
|
||||||
|
let newSortOrder = pageBlocks.find((p) => p.id === result.draggableId)?.sort_order ?? 65535;
|
||||||
|
|
||||||
|
if (destination.index === 0) newSortOrder = pageBlocks[0].sort_order - 10000;
|
||||||
|
else if (destination.index === pageBlocks.length - 1)
|
||||||
|
newSortOrder = pageBlocks[pageBlocks.length - 1].sort_order + 10000;
|
||||||
|
else {
|
||||||
|
if (destination.index > source.index)
|
||||||
|
newSortOrder =
|
||||||
|
(pageBlocks[destination.index].sort_order +
|
||||||
|
pageBlocks[destination.index + 1].sort_order) /
|
||||||
|
2;
|
||||||
|
else if (destination.index < source.index)
|
||||||
|
newSortOrder =
|
||||||
|
(pageBlocks[destination.index - 1].sort_order +
|
||||||
|
pageBlocks[destination.index].sort_order) /
|
||||||
|
2;
|
||||||
|
}
|
||||||
|
|
||||||
|
const newBlocksList = pageBlocks.map((p) => ({
|
||||||
|
...p,
|
||||||
|
sort_order: p.id === result.draggableId ? newSortOrder : p.sort_order,
|
||||||
|
}));
|
||||||
|
mutate<IPageBlock[]>(
|
||||||
|
PAGE_BLOCKS_LIST(pageId as string),
|
||||||
|
orderArrayBy(newBlocksList, "sort_order", "ascending"),
|
||||||
|
false
|
||||||
|
);
|
||||||
|
|
||||||
|
pagesService.patchPageBlock(
|
||||||
|
workspaceSlug as string,
|
||||||
|
projectId as string,
|
||||||
|
pageId as string,
|
||||||
|
result.draggableId,
|
||||||
|
{
|
||||||
|
sort_order: newSortOrder,
|
||||||
|
}
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
const handleCopyText = () => {
|
const handleCopyText = () => {
|
||||||
const originURL =
|
const originURL =
|
||||||
typeof window !== "undefined" && window.location.origin ? window.location.origin : "";
|
typeof window !== "undefined" && window.location.origin ? window.location.origin : "";
|
||||||
@ -354,7 +382,7 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
) : (
|
) : (
|
||||||
<ColorPalletteIcon height={16} width={16} />
|
<ColorPalletteIcon height={16} width={16} color="#000000" />
|
||||||
)}
|
)}
|
||||||
</Popover.Button>
|
</Popover.Button>
|
||||||
|
|
||||||
@ -378,6 +406,19 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
)}
|
)}
|
||||||
</Popover>
|
</Popover>
|
||||||
</div>
|
</div>
|
||||||
|
{pageDetails.access ? (
|
||||||
|
<button onClick={() => partialUpdatePage({ access: 0 })} className="z-10">
|
||||||
|
<LockClosedIcon className="h-4 w-4" />
|
||||||
|
</button>
|
||||||
|
) : (
|
||||||
|
<button
|
||||||
|
onClick={() => partialUpdatePage({ access: 1 })}
|
||||||
|
type="button"
|
||||||
|
className="z-10"
|
||||||
|
>
|
||||||
|
<LockOpenIcon className="h-4 w-4" />
|
||||||
|
</button>
|
||||||
|
)}
|
||||||
{pageDetails.is_favorite ? (
|
{pageDetails.is_favorite ? (
|
||||||
<button onClick={handleRemoveFromFavorites} className="z-10">
|
<button onClick={handleRemoveFromFavorites} className="z-10">
|
||||||
<StarIcon className="h-4 w-4 text-orange-400" fill="#f6ad55" />
|
<StarIcon className="h-4 w-4 text-orange-400" fill="#f6ad55" />
|
||||||
@ -405,24 +446,30 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
<div className="px-3">
|
<div className="px-3">
|
||||||
{pageBlocks ? (
|
{pageBlocks ? (
|
||||||
<>
|
<>
|
||||||
|
<DragDropContext onDragEnd={handleOnDragEnd}>
|
||||||
{pageBlocks.length !== 0 && (
|
{pageBlocks.length !== 0 && (
|
||||||
<div className="space-y-4 divide-y">
|
<StrictModeDroppable droppableId="blocks-list">
|
||||||
|
{(provided, snapshot) => (
|
||||||
|
<div className="" ref={provided.innerRef} {...provided.droppableProps}>
|
||||||
{pageBlocks.map((block, index) => (
|
{pageBlocks.map((block, index) => (
|
||||||
<>
|
|
||||||
<SinglePageBlock
|
<SinglePageBlock
|
||||||
key={block.id}
|
key={block.id}
|
||||||
block={block}
|
block={block}
|
||||||
projectDetails={projectDetails}
|
projectDetails={projectDetails}
|
||||||
|
index={index}
|
||||||
/>
|
/>
|
||||||
</>
|
|
||||||
))}
|
))}
|
||||||
|
{provided.placeholder}
|
||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
|
</StrictModeDroppable>
|
||||||
|
)}
|
||||||
|
</DragDropContext>
|
||||||
|
{!createBlockForm && (
|
||||||
<button
|
<button
|
||||||
type="button"
|
type="button"
|
||||||
className="flex items-center gap-1 rounded bg-gray-100 px-2.5 py-1 text-xs hover:bg-gray-200 mt-4"
|
className="flex items-center gap-1 rounded bg-gray-100 px-2.5 py-1 text-xs hover:bg-gray-200 mt-4"
|
||||||
onClick={createPageBlock}
|
onClick={() => setCreateBlockForm(true)}
|
||||||
disabled={isAddingBlock}
|
|
||||||
>
|
>
|
||||||
{isAddingBlock ? (
|
{isAddingBlock ? (
|
||||||
"Adding block..."
|
"Adding block..."
|
||||||
@ -433,6 +480,10 @@ const SinglePage: NextPage<UserAuth> = (props) => {
|
|||||||
</>
|
</>
|
||||||
)}
|
)}
|
||||||
</button>
|
</button>
|
||||||
|
)}
|
||||||
|
{createBlockForm && (
|
||||||
|
<CreateUpdateBlockInline handleClose={() => setCreateBlockForm(false)} />
|
||||||
|
)}
|
||||||
</>
|
</>
|
||||||
) : (
|
) : (
|
||||||
<Loader>
|
<Loader>
|
||||||
|
Loading…
Reference in New Issue
Block a user