diff --git a/backend/api/user.py b/backend/api/user.py index 9066d71..bcf0eaa 100644 --- a/backend/api/user.py +++ b/backend/api/user.py @@ -25,9 +25,9 @@ def get_all(uuid: str, user_svc: UserService = Depends()): return user_svc.all() -@api.get("/{user_id}", response_model=User, tags=["Users"]) -def get_by_uuid(user_id: str, user_svc: UserService = Depends()): - return user_svc.get_user_by_uuid(user_id) +@api.get("/{uuid}", response_model=User, tags=["Users"]) +def get_by_uuid(uuid: str, user_svc: UserService = Depends()): + return user_svc.get_user_by_uuid(uuid) @api.post("/", response_model=User, tags=["Users"]) @@ -37,3 +37,12 @@ def create_user(uuid: str, user: User, user_svc: UserService = Depends()): raise Exception(f"Insufficient permissions for user {subject.uuid}") return user_svc.create(user) + + +@api.put("/", response_model=User, tags=["Users"]) +def update_user(uuid: str, user: User, user_svc: UserService = Depends()): + subject = user_svc.get_user_by_uuid(uuid) + if subject.role != UserTypeEnum.ADMIN: + raise Exception(f"Insufficient permissions for user {subject.uuid}") + + return user_svc.update(user) diff --git a/backend/services/resource.py b/backend/services/resource.py index c06af66..eefb3b7 100644 --- a/backend/services/resource.py +++ b/backend/services/resource.py @@ -17,7 +17,7 @@ class ResourceService: def get_resource_by_user(self, subject: User) -> list[Resource]: """Resource method getting all of the resources that a user has access to based on role""" if subject.role != UserTypeEnum.VOLUNTEER: - query = select(ResourceEntity) + query = select(ResourceEntity).order_by(ResourceEntity.id) entities = self._session.scalars(query).all() return [resource.to_model() for resource in entities] else: @@ -86,10 +86,10 @@ class ResourceService: raise ResourceNotFoundException( f"No resource found with matching id: {resource.id}" ) - entity.name = resource.name - entity.summary = resource.summary - entity.link = resource.link - entity.program = resource.program + entity.name = resource.name if resource.name else entity.name + entity.summary = resource.summary if resource.summary else entity.summary + entity.link = resource.link if resource.link else entity.link + entity.program = resource.program if resource.program else entity.program self._session.commit() return entity.to_model() diff --git a/backend/services/service.py b/backend/services/service.py index e10309e..e82b305 100644 --- a/backend/services/service.py +++ b/backend/services/service.py @@ -22,14 +22,18 @@ class ServiceService: def get_service_by_user(self, subject: User) -> list[Service]: """Resource method getting all of the resources that a user has access to based on role""" if subject.role != UserTypeEnum.VOLUNTEER: - query = select(ServiceEntity) + query = select(ServiceEntity).order_by(ServiceEntity.id) entities = self._session.scalars(query).all() return [service.to_model() for service in entities] else: programs = subject.program services = [] for program in programs: - entities = self._session.query(ServiceEntity).where(ServiceEntity.program == program).all() + entities = ( + self._session.query(ServiceEntity) + .where(ServiceEntity.program == program) + .all() + ) for entity in entities: services.append(entity.to_model()) return [service for service in services] @@ -37,14 +41,14 @@ class ServiceService: def get_service_by_name(self, name: str, subject: User) -> Service: """Service method getting services by id.""" query = select(ServiceEntity).where( - and_( - ServiceEntity.name == name, ServiceEntity.program.in_(subject.program) - ) + and_(ServiceEntity.name == name, ServiceEntity.program.in_(subject.program)) ) entity = self._session.scalars(query).one_or_none() if entity is None: - raise ServiceNotFoundException(f"Service with name: {name} does not exist or program has not been assigned") + raise ServiceNotFoundException( + f"Service with name: {name} does not exist or program has not been assigned" + ) return entity.to_model() @@ -66,7 +70,7 @@ class ServiceService: raise ProgramNotAssignedException( f"User is not {UserTypeEnum.ADMIN}, cannot update service" ) - + query = select(ServiceEntity).where(ServiceEntity.id == service.id) entity = self._session.scalars(query).one_or_none() @@ -75,11 +79,13 @@ class ServiceService: "The service you are searching for does not exist." ) - entity.name = service.name - entity.status = service.status - entity.summary = service.summary - entity.requirements = service.requirements - entity.program = service.program + entity.name = service.name if service.name else entity.name + entity.status = service.status if service.status else entity.status + entity.summary = service.summary if service.summary else entity.summary + entity.requirements = ( + service.requirements if service.requirements else entity.requirements + ) + entity.program = service.program if service.program else entity.program self._session.commit() return entity.to_model() @@ -88,7 +94,7 @@ class ServiceService: """Deletes a service from the table.""" if subject.role != UserTypeEnum.ADMIN: raise ProgramNotAssignedException(f"User is not {UserTypeEnum.ADMIN}") - + query = select(ServiceEntity).where(ServiceEntity.id == service.id) entity = self._session.scalars(query).one_or_none() diff --git a/backend/services/user.py b/backend/services/user.py index 59bc5c4..af91309 100644 --- a/backend/services/user.py +++ b/backend/services/user.py @@ -43,10 +43,10 @@ class UserService: def all(self) -> list[User]: """ - Returns a list of all Users + Returns a list of all Users ordered by id """ - query = select(UserEntity) + query = select(UserEntity).order_by(UserEntity.id) entities = self._session.scalars(query).all() return [entity.to_model() for entity in entities] @@ -102,12 +102,12 @@ class UserService: if obj is None: raise Exception(f"No matching user found") - obj.username = user.username - obj.role = user.role - obj.email = user.email - obj.program = user.program - obj.experience = user.experience - obj.group = user.group + obj.username = user.username if user.username else obj.username + obj.role = user.role if user.role else obj.role + obj.email = user.email if user.email else obj.email + obj.program = user.program if user.program else obj.program + obj.experience = user.experience if user.experience else obj.experience + obj.group = user.group if user.group else obj.group self._session.commit() diff --git a/compass/app/api/resource/create/route.ts b/compass/app/api/resource/create/route.ts index 8698b16..6f19b37 100644 --- a/compass/app/api/resource/create/route.ts +++ b/compass/app/api/resource/create/route.ts @@ -1,5 +1,5 @@ import { NextResponse } from "next/server"; -import User from "@/utils/models/User"; +import Resource from "@/utils/models/Resource"; export async function POST(request: Request) { const apiEndpoint = `${process.env.NEXT_PUBLIC_API_HOST}/api/resource`; @@ -25,7 +25,7 @@ export async function POST(request: Request) { throw new Error(`HTTP error! status: ${response.status}`); } - const createdResource: User = await response.json(); + const createdResource: Resource = await response.json(); return NextResponse.json(createdResource, { status: response.status }); } catch (error) { console.error("Error creating resource:", error); diff --git a/compass/app/api/resource/update/route.ts b/compass/app/api/resource/update/route.ts new file mode 100644 index 0000000..d500b3d --- /dev/null +++ b/compass/app/api/resource/update/route.ts @@ -0,0 +1,37 @@ +import Resource from "@/utils/models/Resource"; +import { NextResponse } from "next/server"; + +export async function POST(request: Request) { + const apiEndpoint = `${process.env.NEXT_PUBLIC_API_HOST}/api/resource`; + + try { + const resourceData = await request.json(); + + console.log("RESOURCE DATA", JSON.stringify(resourceData)); + + const { searchParams } = new URL(request.url); + const uuid = searchParams.get("uuid"); + + // Send the POST request to the backend + const response = await fetch(`${apiEndpoint}?uuid=${uuid}`, { + method: "PUT", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify(resourceData), + }); + + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); + } + + const resource: Resource = await response.json(); + return NextResponse.json(resource, { status: response.status }); + } catch (error) { + console.error("Error creating user:", error); + return NextResponse.json( + { error: "Failed to update resource" }, + { status: 500 } + ); + } +} diff --git a/compass/app/api/service/update/route.ts b/compass/app/api/service/update/route.ts new file mode 100644 index 0000000..6f3f281 --- /dev/null +++ b/compass/app/api/service/update/route.ts @@ -0,0 +1,37 @@ +import { NextResponse } from "next/server"; +import Service from "@/utils/models/Service"; + +export async function POST(request: Request) { + const apiEndpoint = `${process.env.NEXT_PUBLIC_API_HOST}/api/service`; + + try { + const serviceData = await request.json(); + + console.log("SERVICE DATA", JSON.stringify(serviceData)); + + const { searchParams } = new URL(request.url); + const uuid = searchParams.get("uuid"); + + // Send the POST request to the backend + const response = await fetch(`${apiEndpoint}?uuid=${uuid}`, { + method: "PUT", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify(serviceData), + }); + + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); + } + + const createdService: Service = await response.json(); + return NextResponse.json(createdService, { status: response.status }); + } catch (error) { + console.error("Error creating service:", error); + return NextResponse.json( + { error: "Failed to update service" }, + { status: 500 } + ); + } +} diff --git a/compass/app/api/user/update/route.ts b/compass/app/api/user/update/route.ts new file mode 100644 index 0000000..9c640bc --- /dev/null +++ b/compass/app/api/user/update/route.ts @@ -0,0 +1,37 @@ +import { NextResponse } from "next/server"; +import User from "@/utils/models/User"; + +export async function POST(request: Request) { + const apiEndpoint = `${process.env.NEXT_PUBLIC_API_HOST}/api/user`; + + try { + const userData = await request.json(); + + console.log("USER DATA", JSON.stringify(userData)); + + const { searchParams } = new URL(request.url); + const uuid = searchParams.get("uuid"); + + // Send the POST request to the backend + const response = await fetch(`${apiEndpoint}?uuid=${uuid}`, { + method: "PUT", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify(userData), + }); + + if (!response.ok) { + throw new Error(`HTTP error! status: ${response.status}`); + } + + const createdUser: User = await response.json(); + return NextResponse.json(createdUser, { status: response.status }); + } catch (error) { + console.error("Error creating user:", error); + return NextResponse.json( + { error: "Failed to create user" }, + { status: 500 } + ); + } +} diff --git a/compass/components/Drawer/Drawer.tsx b/compass/components/Drawer/Drawer.tsx index ebfa0c0..44a9eab 100644 --- a/compass/components/Drawer/Drawer.tsx +++ b/compass/components/Drawer/Drawer.tsx @@ -32,6 +32,7 @@ type DrawerProps = { rowContent?: any; setRowContent?: Dispatch>; isAdmin?: boolean; + updateRoute: string; }; const Drawer: FunctionComponent = ({ @@ -40,6 +41,7 @@ const Drawer: FunctionComponent = ({ rowContent, setRowContent, isAdmin, + updateRoute, }: DrawerProps) => { const [isOpen, setIsOpen] = useState(false); const [isFull, setIsFull] = useState(false); @@ -67,18 +69,39 @@ const Drawer: FunctionComponent = ({ } }; + const handleUpdate = async () => { + const response = await fetch(updateRoute, { + method: "POST", + headers: { + "Content-Type": "application/json", + }, + body: JSON.stringify(tempRowContent), + }); + + return response; + }; + const toggleDrawer = () => { if (setRowContent && isOpen) { - setRowContent((prev: any) => { - return prev.map((row: any) => { - if (row.id === tempRowContent.id) { - return tempRowContent; - } - return row; - }); - }); + // Check if any values have changed + const hasChanges = Object.keys(tempRowContent).some( + (key) => tempRowContent[key] !== rowContent[key] + ); - console.log("Send API request to update row content"); + if (hasChanges) { + handleUpdate().then((response) => { + if (response.ok) { + setRowContent((prev: any) => { + return prev.map((row: any) => { + if (row.id === tempRowContent.id) { + return tempRowContent; + } + return row; + }); + }); + } + }); + } } setIsOpen(!isOpen); diff --git a/compass/components/Table/ResourceTable.tsx b/compass/components/Table/ResourceTable.tsx index 9111512..a1e6391 100644 --- a/compass/components/Table/ResourceTable.tsx +++ b/compass/components/Table/ResourceTable.tsx @@ -81,6 +81,7 @@ export default function ResourceTable({ setData={setData} details={resourceDetails} isAdmin={user?.role === "ADMIN"} + updateRoute={`/api/resource/update?uuid=${user?.uuid}`} /> ), }), diff --git a/compass/components/Table/RowOpenAction.tsx b/compass/components/Table/RowOpenAction.tsx index 34b9c98..8283516 100644 --- a/compass/components/Table/RowOpenAction.tsx +++ b/compass/components/Table/RowOpenAction.tsx @@ -14,6 +14,7 @@ type RowOpenActionProps = { setData: Dispatch>; details: Details[]; isAdmin?: boolean; + updateRoute: string; }; export function RowOpenAction({ @@ -23,6 +24,7 @@ export function RowOpenAction({ setData, details, isAdmin, + updateRoute, }: RowOpenActionProps) { return (
@@ -34,6 +36,7 @@ export function RowOpenAction({ details={details} setRowContent={setData} isAdmin={isAdmin} + updateRoute={updateRoute} />
diff --git a/compass/components/Table/ServiceTable.tsx b/compass/components/Table/ServiceTable.tsx index ecbf876..237c3e2 100644 --- a/compass/components/Table/ServiceTable.tsx +++ b/compass/components/Table/ServiceTable.tsx @@ -39,13 +39,34 @@ export default function ServiceTable({ ]); const [requirementPresets, setRequirementPresets] = useState([ - "ANONYMOUS", - "CONFIDENTIAL", - "REFERRAL REQUIRED", - "SAFETY ASSESSMENT", - "INTAKE REQUIRED", - "INCOME ELIGIBILITY", - "INITIAL ASSESSMENT", + "Anonymous", + "Confidential", + "Referral required", + "Safety assessment", + "Intake required", + "Income eligibility", + "Initial assessment", + "Insurance accepted", + "Open to parents", + "18+", + "Application required", + "Proof of income", + "Background check", + "Enrollment required", + "Registration required", + "Parental consent", + "Age-appropriate", + "Collaborative", + "Open to the public", + "Registration preferred", + "Legal case", + "Scheduling required", + "Limited availability", + "Eligibility assessment", + "Pre-registration required", + "Commitment to attend", + "Training required", + "Based on individual needs", ]); const serviceDetails: Details[] = [ @@ -100,6 +121,8 @@ export default function ServiceTable({ rowData={info.row.original} setData={setData} details={serviceDetails} + updateRoute={`/api/service/update?uuid=${user?.uuid}`} + isAdmin={user?.role === "ADMIN"} /> ), }), @@ -137,7 +160,7 @@ export default function ServiceTable({ ), cell: (info) => ( -
+
{info.getValue().length > 0 ? ( info.getValue().map((tag: string, index: number) => { return {tag}; diff --git a/compass/components/Table/Table.tsx b/compass/components/Table/Table.tsx index 3b27be4..538e546 100644 --- a/compass/components/Table/Table.tsx +++ b/compass/components/Table/Table.tsx @@ -81,6 +81,8 @@ export default function Table({ createEndpoint, isAdmin = false, }: TableProps) { + console.log(data); + const columnHelper = createColumnHelper(); const createRow = async (newItem: any) => { diff --git a/compass/components/Table/UserTable.tsx b/compass/components/Table/UserTable.tsx index 972fb3d..3754d83 100644 --- a/compass/components/Table/UserTable.tsx +++ b/compass/components/Table/UserTable.tsx @@ -84,6 +84,7 @@ export default function UserTable({ data, setData, user }: UserTableProps) { setData={setData} details={userDetails} isAdmin={user?.role === "ADMIN"} + updateRoute={`/api/user/update?uuid=${user?.uuid}`} /> ), }), @@ -122,7 +123,7 @@ export default function UserTable({ data, setData, user }: UserTableProps) { ), cell: (info) => ( -
+
{info.getValue().length > 0 ? ( info.getValue().map((tag: string, index: number) => { return {tag}; diff --git a/compass/components/TagsInput/TagDropdown.tsx b/compass/components/TagsInput/TagDropdown.tsx index 1ae33c9..9cad655 100644 --- a/compass/components/TagsInput/TagDropdown.tsx +++ b/compass/components/TagsInput/TagDropdown.tsx @@ -15,7 +15,7 @@ export const TagDropdown = ({ handleAdd, }: TagDropdownProps) => { return ( -
+
{Array.from(tags).length > 0 ? ( Array.from(tags).map((tag, index) => (
=12.13.0" + }, + "peerDependencies": { + "tailwindcss": "^4.0.0-beta.8" + } + }, + "node_modules/tailwindcss": { + "version": "4.0.0-beta.8", + "resolved": "https://registry.npmjs.org/tailwindcss/-/tailwindcss-4.0.0-beta.8.tgz", + "integrity": "sha512-21HmdRq9tHDLJZavb2cRBGJxBvRODpwb0/t3tRbMOl65hJE6zG6K6lD6lLS3IOC35u4SOjKjdZiJJi9AuWCf+Q==", + "dev": true, + "license": "MIT", + "peer": true + }, "node_modules/to-regex-range": { "version": "5.0.1", "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", diff --git a/package.json b/package.json index 0413974..a6f7893 100644 --- a/package.json +++ b/package.json @@ -1,21 +1,22 @@ { "devDependencies": { "husky": "^9.0.11", - "lint-staged": "^15.2.2" + "lint-staged": "^15.2.2", + "tailwind-scrollbar": "^4.0.0-beta.0" }, - "scripts": { - "precommit": "lint-staged" - }, - "lint-staged": { - "*.ts": [ - "cd compass", - "prettier --write", - "git add" - ], - "*.tsx": [ - "cd compass", - "prettier --write", - "git add" - ] - } + "scripts": { + "precommit": "lint-staged" + }, + "lint-staged": { + "*.ts": [ + "cd compass", + "prettier --write", + "git add" + ], + "*.tsx": [ + "cd compass", + "prettier --write", + "git add" + ] + } }