forked from github/plane
9075f9441c
* style: added cta at the bottom of sidebar, added missing icons as well, showing dynamic workspace member count on workspace dropdown * refractor: running parallel request, made create/edit label function to async function * fix: sidebar dropdown content going below kanban items outside click detection in need help dropdown * refractor: making parallel api calls fix: create state input comes at bottom, create state input gets on focus automatically, form is getting submitted on enter click * refactoring file structure and signin page * style: changed text and added spinner for signing in loading * refractor: removed unused type * fix: my issue cta in profile page sending to 404 page * fix: added new s3 bucket url in next.config.js file increased image modal height * packaging UI components * eslint config * eslint fixes * refactoring changes * build fixes * minor fixes * adding todo comments for reference * refactor: cleared unused imports and re ordered imports * refactor: removed unused imports * fix: added workspace argument to useissues hook * refactor: removed api-routes file, unnecessary constants * refactor: created helpers folder, removed unnecessary constants * refactor: new context for issue view * refactoring issues page * build fixes * refactoring * refactor: create issue modal * refactor: module ui * fix: sub-issues mutation * fix: create more option in create issue modal * description form debounce issue * refactor: global component for assignees list * fix: link module interface * fix: priority icons and sub-issues count added * fix: cycle mutation in issue details page * fix: remove issue from cycle mutation * fix: create issue modal in home page * fix: removed unnecessary props * fix: updated create issue form status * fix: settings auth breaking * refactor: issue details page Co-authored-by: Dakshesh Jain <dakshesh.jain14@gmail.com> Co-authored-by: Dakshesh Jain <65905942+dakshesh14@users.noreply.github.com> Co-authored-by: venkatesh-soulpage <venkatesh.marreboyina@soulpageit.com> Co-authored-by: Aaryan Khandelwal <aaryankhandu123@gmail.com> Co-authored-by: Anmol Singh Bhatia <anmolsinghbhatia1001@gmail.com>
282 lines
9.6 KiB
TypeScript
282 lines
9.6 KiB
TypeScript
import React, { useState } from "react";
|
|
import { useRouter } from "next/router";
|
|
import useSWR from "swr";
|
|
import { Controller, SubmitHandler, useForm } from "react-hook-form";
|
|
import { PlusIcon } from "@heroicons/react/24/outline";
|
|
import { Popover, Transition } from "@headlessui/react";
|
|
import { TwitterPicker } from "react-color";
|
|
import type { NextPageContext, NextPage } from "next";
|
|
// services
|
|
import projectService from "services/project.service";
|
|
import workspaceService from "services/workspace.service";
|
|
import issuesService from "services/issues.service";
|
|
// lib
|
|
import { requiredAdmin } from "lib/auth";
|
|
// layouts
|
|
import SettingsLayout from "layouts/settings-layout";
|
|
// components
|
|
import SingleLabel from "components/project/settings/single-label";
|
|
// ui
|
|
import { Button, Input, Loader } from "components/ui";
|
|
import { BreadcrumbItem, Breadcrumbs } from "components/breadcrumbs";
|
|
// fetch-keys
|
|
import { PROJECT_DETAILS, PROJECT_ISSUE_LABELS, WORKSPACE_DETAILS } from "constants/fetch-keys";
|
|
// types
|
|
import { IIssueLabels } from "types";
|
|
|
|
const defaultValues: Partial<IIssueLabels> = {
|
|
name: "",
|
|
colour: "#ff0000",
|
|
};
|
|
|
|
type TLabelSettingsProps = {
|
|
isMember: boolean;
|
|
isOwner: boolean;
|
|
isViewer: boolean;
|
|
isGuest: boolean;
|
|
};
|
|
|
|
const LabelsSettings: NextPage<TLabelSettingsProps> = (props) => {
|
|
const { isMember, isOwner, isViewer, isGuest } = props;
|
|
|
|
const [newLabelForm, setNewLabelForm] = useState(false);
|
|
const [isUpdating, setIsUpdating] = useState(false);
|
|
const [labelIdForUpdate, setLabelIdForUpdate] = useState<string | null>(null);
|
|
|
|
const {
|
|
query: { workspaceSlug, projectId },
|
|
} = useRouter();
|
|
|
|
const { data: activeWorkspace } = useSWR(
|
|
workspaceSlug ? WORKSPACE_DETAILS(workspaceSlug as string) : null,
|
|
() => (workspaceSlug ? workspaceService.getWorkspace(workspaceSlug as string) : null)
|
|
);
|
|
|
|
const { data: activeProject } = useSWR(
|
|
workspaceSlug && projectId ? PROJECT_DETAILS(projectId as string) : null,
|
|
workspaceSlug && projectId
|
|
? () => projectService.getProject(workspaceSlug as string, projectId as string)
|
|
: null
|
|
);
|
|
|
|
const {
|
|
register,
|
|
handleSubmit,
|
|
reset,
|
|
control,
|
|
setValue,
|
|
formState: { errors, isSubmitting },
|
|
watch,
|
|
} = useForm<IIssueLabels>({ defaultValues });
|
|
|
|
const { data: issueLabels, mutate } = useSWR<IIssueLabels[]>(
|
|
workspaceSlug && projectId ? PROJECT_ISSUE_LABELS(projectId as string) : null,
|
|
workspaceSlug && projectId
|
|
? () => issuesService.getIssueLabels(workspaceSlug as string, projectId as string)
|
|
: null
|
|
);
|
|
|
|
const handleNewLabel: SubmitHandler<IIssueLabels> = async (formData) => {
|
|
if (!activeWorkspace || !activeProject || isSubmitting) return;
|
|
await issuesService
|
|
.createIssueLabel(activeWorkspace.slug, activeProject.id, formData)
|
|
.then((res) => {
|
|
reset(defaultValues);
|
|
mutate((prevData) => [...(prevData ?? []), res], false);
|
|
setNewLabelForm(false);
|
|
});
|
|
};
|
|
|
|
const editLabel = (label: IIssueLabels) => {
|
|
setNewLabelForm(true);
|
|
setValue("colour", label.colour);
|
|
setValue("name", label.name);
|
|
setIsUpdating(true);
|
|
setLabelIdForUpdate(label.id);
|
|
};
|
|
|
|
const handleLabelUpdate: SubmitHandler<IIssueLabels> = async (formData) => {
|
|
if (!activeWorkspace || !activeProject || isSubmitting) return;
|
|
await issuesService
|
|
.patchIssueLabel(activeWorkspace.slug, activeProject.id, labelIdForUpdate ?? "", formData)
|
|
.then((res) => {
|
|
console.log(res);
|
|
reset(defaultValues);
|
|
mutate(
|
|
(prevData) =>
|
|
prevData?.map((p) => (p.id === labelIdForUpdate ? { ...p, ...formData } : p)),
|
|
false
|
|
);
|
|
setNewLabelForm(false);
|
|
});
|
|
};
|
|
|
|
const handleLabelDelete = (labelId: string) => {
|
|
if (activeWorkspace && activeProject) {
|
|
mutate((prevData) => prevData?.filter((p) => p.id !== labelId), false);
|
|
issuesService
|
|
.deleteIssueLabel(activeWorkspace.slug, activeProject.id, labelId)
|
|
.then((res) => {
|
|
console.log(res);
|
|
})
|
|
.catch((e) => {
|
|
console.log(e);
|
|
});
|
|
}
|
|
};
|
|
|
|
return (
|
|
<SettingsLayout
|
|
type="project"
|
|
memberType={{ isMember, isOwner, isViewer, isGuest }}
|
|
breadcrumbs={
|
|
<Breadcrumbs>
|
|
<BreadcrumbItem
|
|
title={`${activeProject?.name ?? "Project"}`}
|
|
link={`/${workspaceSlug}/projects/${activeProject?.id}/issues`}
|
|
/>
|
|
<BreadcrumbItem title="Labels Settings" />
|
|
</Breadcrumbs>
|
|
}
|
|
>
|
|
<section className="space-y-8">
|
|
<div>
|
|
<h3 className="text-3xl font-bold leading-6 text-gray-900">Labels</h3>
|
|
<p className="mt-4 text-sm text-gray-500">Manage the labels of this project.</p>
|
|
</div>
|
|
<div className="flex items-center justify-between gap-2 md:w-2/3">
|
|
<h4 className="text-md mb-1 leading-6 text-gray-900">Manage labels</h4>
|
|
<Button
|
|
theme="secondary"
|
|
className="flex items-center gap-x-1"
|
|
onClick={() => setNewLabelForm(true)}
|
|
>
|
|
<PlusIcon className="h-4 w-4" />
|
|
New label
|
|
</Button>
|
|
</div>
|
|
<div className="space-y-5">
|
|
<div
|
|
className={`flex items-center gap-2 rounded-md border p-3 md:w-2/3 ${
|
|
newLabelForm ? "" : "hidden"
|
|
}`}
|
|
>
|
|
<div className="h-8 w-8 flex-shrink-0">
|
|
<Popover className="relative flex h-full w-full items-center justify-center rounded-xl bg-gray-200">
|
|
{({ open }) => (
|
|
<>
|
|
<Popover.Button
|
|
className={`group inline-flex items-center text-base font-medium focus:outline-none focus:ring-2 focus:ring-indigo-500 focus:ring-offset-2 ${
|
|
open ? "text-gray-900" : "text-gray-500"
|
|
}`}
|
|
>
|
|
{watch("colour") && watch("colour") !== "" && (
|
|
<span
|
|
className="h-4 w-4 rounded"
|
|
style={{
|
|
backgroundColor: watch("colour") ?? "green",
|
|
}}
|
|
/>
|
|
)}
|
|
</Popover.Button>
|
|
|
|
<Transition
|
|
as={React.Fragment}
|
|
enter="transition ease-out duration-200"
|
|
enterFrom="opacity-0 translate-y-1"
|
|
enterTo="opacity-100 translate-y-0"
|
|
leave="transition ease-in duration-150"
|
|
leaveFrom="opacity-100 translate-y-0"
|
|
leaveTo="opacity-0 translate-y-1"
|
|
>
|
|
<Popover.Panel className="absolute top-full left-0 z-20 mt-3 w-screen max-w-xs px-2 sm:px-0">
|
|
<Controller
|
|
name="colour"
|
|
control={control}
|
|
render={({ field: { value, onChange } }) => (
|
|
<TwitterPicker
|
|
color={value}
|
|
onChange={(value) => onChange(value.hex)}
|
|
/>
|
|
)}
|
|
/>
|
|
</Popover.Panel>
|
|
</Transition>
|
|
</>
|
|
)}
|
|
</Popover>
|
|
</div>
|
|
<div className="flex w-full flex-col justify-center">
|
|
<Input
|
|
type="text"
|
|
id="labelName"
|
|
name="name"
|
|
register={register}
|
|
placeholder="Label title"
|
|
validations={{
|
|
required: "Label title is required",
|
|
}}
|
|
error={errors.name}
|
|
/>
|
|
</div>
|
|
<Button type="button" theme="secondary" onClick={() => setNewLabelForm(false)}>
|
|
Cancel
|
|
</Button>
|
|
{isUpdating ? (
|
|
<Button
|
|
type="button"
|
|
onClick={handleSubmit(handleLabelUpdate)}
|
|
disabled={isSubmitting}
|
|
>
|
|
{isSubmitting ? "Updating" : "Update"}
|
|
</Button>
|
|
) : (
|
|
<Button type="button" onClick={handleSubmit(handleNewLabel)} disabled={isSubmitting}>
|
|
{isSubmitting ? "Adding" : "Add"}
|
|
</Button>
|
|
)}
|
|
</div>
|
|
<>
|
|
{issueLabels ? (
|
|
issueLabels.map((label) => (
|
|
<SingleLabel
|
|
key={label.id}
|
|
label={label}
|
|
issueLabels={issueLabels}
|
|
editLabel={editLabel}
|
|
handleLabelDelete={handleLabelDelete}
|
|
/>
|
|
))
|
|
) : (
|
|
<Loader className="space-y-5 md:w-2/3">
|
|
<Loader.Item height="40px" />
|
|
<Loader.Item height="40px" />
|
|
<Loader.Item height="40px" />
|
|
<Loader.Item height="40px" />
|
|
</Loader>
|
|
)}
|
|
</>
|
|
</div>
|
|
</section>
|
|
</SettingsLayout>
|
|
);
|
|
};
|
|
|
|
export const getServerSideProps = async (ctx: NextPageContext) => {
|
|
const projectId = ctx.query.projectId as string;
|
|
const workspaceSlug = ctx.query.workspaceSlug as string;
|
|
|
|
const memberDetail = await requiredAdmin(workspaceSlug, projectId, ctx.req?.headers.cookie);
|
|
|
|
return {
|
|
props: {
|
|
isOwner: memberDetail?.role === 20,
|
|
isMember: memberDetail?.role === 15,
|
|
isViewer: memberDetail?.role === 10,
|
|
isGuest: memberDetail?.role === 5,
|
|
},
|
|
};
|
|
};
|
|
|
|
export default LabelsSettings;
|