Merge branch 'release/1.3.0'

This commit is contained in:
2024-01-17 16:08:25 +01:00
23 changed files with 204 additions and 105 deletions

View File

@@ -1,3 +1,7 @@
# ToDo
* Popis lokacija:
* omogućiti collapse za pojedine mjesece
# Authentication # Authentication
Authentication consists of the following parts: Authentication consists of the following parts:
* `next-auth` boilerplate * `next-auth` boilerplate

View File

@@ -4,7 +4,7 @@ import { notFound } from 'next/navigation';
export async function GET(request: Request, { params:{ id } }: { params: { id:string } }) { export async function GET(request: Request, { params:{ id } }: { params: { id:string } }) {
const [locationID, billID] = id.split('-'); const [locationID, billID] = id.split('-');
const bill = await fetchBillById(locationID, billID); const [location, bill] = await fetchBillById(locationID, billID) ? [];
if(!bill?.attachment) { if(!bill?.attachment) {
notFound(); notFound();

View File

@@ -0,0 +1,6 @@
import { NotFoundPage } from '@/app/ui/NotFoundPage';
const BillNotFound = () =>
<NotFoundPage title="404 Bill Not Found" description="Could not find the requested Bill." />;
export default BillNotFound;

View File

@@ -1,11 +1,19 @@
import { fetchLocationById } from '@/app/lib/actions/locationActions';
import { BillEditForm } from '@/app/ui/BillEditForm'; import { BillEditForm } from '@/app/ui/BillEditForm';
import { Main } from '@/app/ui/Main'; import { Main } from '@/app/ui/Main';
import { notFound } from 'next/navigation';
export default async function Page({ params:{ id:locationID } }: { params: { id:string } }) { export default async function Page({ params:{ id:locationID } }: { params: { id:string } }) {
const location = await fetchLocationById(locationID);
if (!location) {
return(notFound());
}
return ( return (
<Main> <Main>
<BillEditForm locationID={locationID} /> <BillEditForm location={location} />
</Main> </Main>
); );
} }

View File

@@ -1,14 +1,17 @@
import { deleteBillById } from '@/app/lib/actions/billActions'; import { notFound } from 'next/navigation';
import { revalidatePath } from 'next/cache'; import { fetchLocationById } from '@/app/lib/actions/locationActions';
import { notFound, redirect } from 'next/navigation'; import { LocationDeleteForm } from '@/app/ui/LocationDeleteForm';
import { BillDeleteForm } from '@/app/ui/BillDeleteForm';
import { fetchBillById } from '@/app/lib/actions/billActions';
export default async function Page({ params:{ id } }: { params: { id:string } }) { export default async function Page({ params:{ id } }: { params: { id:string } }) {
const [locationID, billID] = id.split('-'); const [locationID, billID] = id.split('-');
if(await deleteBillById(locationID, billID) === 0) { const [location, bill] = await fetchBillById(locationID, billID) ?? [];
if (!location || !bill) {
return(notFound()); return(notFound());
} }
revalidatePath('/'); return (<BillDeleteForm location={location} bill={bill} />);
redirect(`/`);
} }

View File

@@ -7,14 +7,14 @@ export default async function Page({ params:{ id } }: { params: { id:string } })
const [locationID, billID] = id.split('-'); const [locationID, billID] = id.split('-');
const bill = await fetchBillById(locationID, billID); const [location, bill] = await fetchBillById(locationID, billID) ?? [];
if (!bill) { if (!bill || !location) {
return(notFound()); return(notFound());
} }
return ( return (
<Main> <Main>
<BillEditForm locationID={locationID} bill={bill} /> <BillEditForm location={location} bill={bill} />
</Main> </Main>
); );
} }

View File

@@ -1,13 +1,12 @@
'use server'; 'use server';
import { z } from 'zod'; import { z } from 'zod';
import { revalidatePath } from 'next/cache'; import { getDbClient } from '../dbClient';
import { redirect } from 'next/navigation'; import { Bill, BillAttachment, BillingLocation, YearMonth } from '../db-types';
import clientPromise, { getDbClient } from '../dbClient';
import { BillAttachment, BillingLocation } from '../db-types';
import { ObjectId } from 'mongodb'; import { ObjectId } from 'mongodb';
import { withUser } from '@/app/lib/auth'; import { withUser } from '@/app/lib/auth';
import { AuthenticatedUser } from '../types/next-auth'; import { AuthenticatedUser } from '../types/next-auth';
import { gotoHome } from './navigationActions';
export type State = { export type State = {
errors?: { errors?: {
@@ -110,7 +109,7 @@ const serializeAttachment = async (billAttachment: File | null) => {
* @param formData form data * @param formData form data
* @returns * @returns
*/ */
export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationId: string, billId:string|undefined, prevState:State, formData: FormData) => { export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationId: string, billId:string|undefined, billYear:number|undefined, prevState:State, formData: FormData) => {
const { id: userId } = user; const { id: userId } = user;
@@ -192,18 +191,9 @@ export const updateOrAddBill = withUser(async (user:AuthenticatedUser, locationI
} }
}); });
} }
await gotoHome(billYear ? `/?year=${billYear}` : undefined);
// clear the cache for the path
revalidatePath('/');
// go to the bill list
redirect('/');
}) })
export async function gotoHome() {
revalidatePath('/');
redirect('/');
}
export const fetchBillById = withUser(async (user:AuthenticatedUser, locationID:string, billID:string) => { export const fetchBillById = withUser(async (user:AuthenticatedUser, locationID:string, billID:string) => {
const { id: userId } = user; const { id: userId } = user;
@@ -226,10 +216,10 @@ export const fetchBillById = withUser(async (user:AuthenticatedUser, locationID:
return(null); return(null);
} }
return(bill); return([billLocation, bill] as [BillingLocation, Bill]);
}) })
export const deleteBillById = withUser(async (user:AuthenticatedUser, locationID:string, billID:string) => { export const deleteBillById = withUser(async (user:AuthenticatedUser, locationID:string, billID:string, year:number) => {
const { id: userId } = user; const { id: userId } = user;
@@ -250,5 +240,6 @@ export const deleteBillById = withUser(async (user:AuthenticatedUser, locationID
} }
}); });
await gotoHome(`/?year=${year}`);
return(post.modifiedCount); return(post.modifiedCount);
}); });

View File

@@ -1,14 +1,12 @@
'use server'; 'use server';
import { z } from 'zod'; import { z } from 'zod';
import { revalidatePath } from 'next/cache'; import { getDbClient } from '../dbClient';
import { redirect } from 'next/navigation';
import clientPromise, { getDbClient } from '../dbClient';
import { BillingLocation, YearMonth } from '../db-types'; import { BillingLocation, YearMonth } from '../db-types';
import { ObjectId } from 'mongodb'; import { ObjectId } from 'mongodb';
import { auth, withUser } from '@/app/lib/auth'; import { withUser } from '@/app/lib/auth';
import { AuthenticatedUser } from '../types/next-auth'; import { AuthenticatedUser } from '../types/next-auth';
import { NormalizedRouteManifest } from 'next/dist/server/base-server'; import { gotoHome } from './navigationActions';
export type State = { export type State = {
errors?: { errors?: {
@@ -82,10 +80,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
}); });
} }
// clear the cache for the path await gotoHome(yearMonth ? `/?year=${yearMonth?.year}` : undefined)
revalidatePath('/');
// go to the bill list
redirect('/');
}); });
@@ -128,7 +123,7 @@ export const fetchLocationById = withUser(async (user:AuthenticatedUser, locatio
return(billLocation); return(billLocation);
}) })
export const deleteLocationById = withUser(async (user:AuthenticatedUser, locationID:string) => { export const deleteLocationById = withUser(async (user:AuthenticatedUser, locationID:string, yearMonth:YearMonth) => {
const dbClient = await getDbClient(); const dbClient = await getDbClient();
@@ -137,5 +132,5 @@ export const deleteLocationById = withUser(async (user:AuthenticatedUser, locati
// find a location with the given locationID // find a location with the given locationID
const post = await dbClient.collection<BillingLocation>("lokacije").deleteOne({ _id: locationID, userId }); const post = await dbClient.collection<BillingLocation>("lokacije").deleteOne({ _id: locationID, userId });
return(post.deletedCount); await gotoHome(`/?year=${yearMonth?.year}`)
}) })

View File

@@ -1,10 +1,8 @@
'use server'; 'use server';
import { revalidatePath } from 'next/cache'; import { getDbClient } from '../dbClient';
import { redirect } from 'next/navigation';
import clientPromise, { getDbClient } from '../dbClient';
import { ObjectId } from 'mongodb'; import { ObjectId } from 'mongodb';
import { BillingLocation, YearMonth } from '../db-types'; import { Bill, BillingLocation, YearMonth } from '../db-types';
import { AuthenticatedUser } from '../types/next-auth'; import { AuthenticatedUser } from '../types/next-auth';
import { withUser } from '../auth'; import { withUser } from '../auth';
@@ -22,7 +20,6 @@ export const addMonth = withUser(async (user:AuthenticatedUser, { year, month }:
// update the bill in the mongodb // update the bill in the mongodb
const dbClient = await getDbClient(); const dbClient = await getDbClient();
const prevYear = month === 1 ? year - 1 : year; const prevYear = month === 1 ? year - 1 : year;
const prevMonth = month === 1 ? 12 : month - 1; const prevMonth = month === 1 ? 12 : month - 1;
@@ -52,24 +49,16 @@ export const addMonth = withUser(async (user:AuthenticatedUser, { year, month }:
paid: false, paid: false,
attachment: null, attachment: null,
notes: null, notes: null,
} payedAmount: null
} as Bill
}) })
} as BillingLocation); } as BillingLocation);
}); });
const newMonthLocations = await newMonthLocationsCursor.toArray() const newMonthLocations = await newMonthLocationsCursor.toArray()
await dbClient.collection<BillingLocation>("lokacije").insertMany(newMonthLocations); await dbClient.collection<BillingLocation>("lokacije").insertMany(newMonthLocations);
// clear the cache for the path
revalidatePath('/');
// go to the bill list
redirect('/');
}); });
export async function gotoHome() {
redirect('/');
}
export const fetchAvailableYears = withUser(async (user:AuthenticatedUser) => { export const fetchAvailableYears = withUser(async (user:AuthenticatedUser) => {
const { id: userId } = user; const { id: userId } = user;

View File

@@ -0,0 +1,9 @@
'use server';
import { revalidatePath } from "next/cache";
import { redirect } from 'next/navigation';
export async function gotoHome(path: string = '/') {
revalidatePath(path, "page");
redirect(path);
}

View File

@@ -1,15 +1,14 @@
import { deleteBillById } from '@/app/lib/actions/billActions'; import { notFound } from 'next/navigation';
import { deleteLocationById } from '@/app/lib/actions/locationActions'; import { fetchLocationById } from '@/app/lib/actions/locationActions';
import { revalidatePath } from 'next/cache'; import { LocationDeleteForm } from '@/app/ui/LocationDeleteForm';
import { notFound, redirect } from 'next/navigation';
export default async function Page({ params:{ id } }: { params: { id:string } }) { export default async function Page({ params:{ id } }: { params: { id:string } }) {
const locationID = id;
if(await deleteLocationById(locationID) === 0) { const location = await fetchLocationById(id);
if (!location) {
return(notFound()); return(notFound());
} }
revalidatePath('/'); return (<LocationDeleteForm location={location} />);
redirect(`/`);
} }

View File

@@ -9,5 +9,5 @@ export default async function Page({ params:{ id } }: { params: { id:string } })
if (!location) { if (!location) {
return(notFound()); return(notFound());
} }
return (<LocationEditForm location={location} />); return (<LocationEditForm location={location} yearMonth={location.yearMonth} />);
} }

View File

@@ -8,10 +8,11 @@ import { formatCurrency } from './lib/formatStrings';
import { fetchAvailableYears } from './lib/actions/monthActions'; import { fetchAvailableYears } from './lib/actions/monthActions';
import { YearMonth } from './lib/db-types'; import { YearMonth } from './lib/db-types';
import { formatYearMonth } from './lib/format'; import { formatYearMonth } from './lib/format';
import { FC } from 'react'; import { FC, Fragment } from 'react';
import Pagination from './ui/Pagination'; import Pagination from './ui/Pagination';
import { PageHeader } from './ui/PageHeader'; import { PageHeader } from './ui/PageHeader';
import { Main } from './ui/Main'; import { Main } from './ui/Main';
import { MontlyExpensesCard } from './ui/MonthlyExpensesCard';
const getNextYearMonth = (yearMonth:YearMonth) => { const getNextYearMonth = (yearMonth:YearMonth) => {
const {year, month} = yearMonth; const {year, month} = yearMonth;
@@ -86,32 +87,26 @@ const Page:FC<PageProps> = async ({ searchParams }) => {
monthlyExpense = 0; monthlyExpense = 0;
} }
monthlyExpense += location.bills.reduce((acc, bill) => acc + (bill.payedAmount ?? 0), 0); monthlyExpense += location.bills.reduce((acc, bill) => bill.paid ? acc + (bill.payedAmount ?? 0) : acc, 0);
return ( return (
<> <Fragment key={`location-${location._id}`}>
{ {
// show month title above the first LocationCard in the month // show month title above the first LocationCard in the month
isFirstLocationInMonth ? isFirstLocationInMonth ?
<MonthTitle key={`${year}-${month}`} yearMonth={location.yearMonth} /> : null <MonthTitle yearMonth={location.yearMonth} /> : null
} }
<LocationCard key={`${location._id}`} location={location} /> <LocationCard location={location} />
{ {
// show AddLocationButton as a last item in the first month // show AddLocationButton as a last item in the first month
isLastLocationOfLatestMonth && isLatestYear ? isLastLocationOfLatestMonth && isLatestYear ?
<AddLocationButton key={`add-loc-${formatYearMonth(location.yearMonth)}`} yearMonth={location.yearMonth} /> : null <AddLocationButton yearMonth={location.yearMonth} /> : null
} }
{ {
isLastLocationInMonth && monthlyExpense>0 ? isLastLocationInMonth ?
<div className="card card-compact card-bordered max-w-[36em] bg-base-100 shadow-s my-1"> <MontlyExpensesCard monthlyExpense={monthlyExpense} /> : null
<span className="card-body self-center">
<p>
Total monthly expenditure: <strong>{ formatCurrency(monthlyExpense) }</strong>
</p>
</span>
</div> : null
} }
</> </Fragment>
) )
}) })
} }

View File

@@ -7,7 +7,7 @@ export interface BillBadgeProps {
bill: Bill bill: Bill
}; };
export const BillBadge:FC<BillBadgeProps> = ({ locationId, bill: { _id: billId, name, paid }}) => export const BillBadge:FC<BillBadgeProps> = ({ locationId, bill: { _id: billId, name, paid, attachment }}) =>
<Link href={`/bill/${locationId}-${billId}/edit`} className={`badge badge-lg ${paid} ${paid?"badge-success":" badge-outline"} cursor-pointer`}> <Link href={`/bill/${locationId}-${billId}/edit`} className={`badge badge-lg ${paid?"badge-success":" badge-outline"} ${ !paid && !!attachment ? "btn-outline btn-success" : "" } cursor-pointer`}>
{name} {name}
</Link>; </Link>;

42
app/ui/BillDeleteForm.tsx Normal file
View File

@@ -0,0 +1,42 @@
"use client";
import { FC } from "react";
import { Bill, BillingLocation } from "../lib/db-types";
import { deleteLocationById } from "../lib/actions/locationActions";
import { useFormState } from "react-dom";
import { Main } from "./Main";
import { gotoHome } from "../lib/actions/navigationActions";
import { deleteBillById } from "../lib/actions/billActions";
export interface BillDeleteFormProps {
bill: Bill,
location: BillingLocation
}
export const BillDeleteForm:FC<BillDeleteFormProps> = ({ bill, location }) =>
{
const handleAction = deleteBillById.bind(null, location._id, bill._id, location.yearMonth.year);
const [ state, dispatch ] = useFormState(handleAction, null);
const handleCancel = () => {
gotoHome(`/?year=${location.yearMonth.year}`);
};
return(
<Main>
<div className="card card-compact card-bordered min-w-[20em] max-w-[90em] bg-base-100 shadow-s my-1">
<div className="card-body">
<form action={dispatch}>
<p className="py-6 px-6">
Please confirm deletion of bill <strong>{bill.name}</strong> at <strong>{location.name}</strong>.
</p>
<div className="pt-4 text-center">
<button className="btn btn-primary">Confim</button>
<button type="button" className="btn btn-neutral ml-3" onClick={handleCancel}>Cancel</button>
</div>
</form>
</div>
</div>
</Main>
)
}

View File

@@ -1,40 +1,43 @@
"use client"; "use client";
import { DocumentIcon, TrashIcon } from "@heroicons/react/24/outline"; import { DocumentIcon, TrashIcon } from "@heroicons/react/24/outline";
import { Bill } from "../lib/db-types"; import { Bill, BillingLocation } from "../lib/db-types";
import React, { FC } from "react"; import React, { FC } from "react";
import { useFormState } from "react-dom"; import { useFormState } from "react-dom";
import { gotoHome, updateOrAddBill } from "../lib/actions/billActions"; import { updateOrAddBill } from "../lib/actions/billActions";
import Link from "next/link"; import Link from "next/link";
import { gotoHome } from "../lib/actions/navigationActions";
import { formatYearMonth } from "../lib/format";
// Next.js does not encode an utf-8 file name correctly when sending a form with a file attachment // Next.js does not encode an utf-8 file name correctly when sending a form with a file attachment
// This is a workaround for that // This is a workaround for that
const updateOrAddBillMiddleware = (locationId: string, billId:string|undefined, prevState:any, formData: FormData) => { const updateOrAddBillMiddleware = (locationId: string, billId:string|undefined, billYear:number|undefined, prevState:any, formData: FormData) => {
// URL encode the file name of the attachment so it is correctly sent to the server // URL encode the file name of the attachment so it is correctly sent to the server
const billAttachment = formData.get('billAttachment') as File; const billAttachment = formData.get('billAttachment') as File;
formData.set('billAttachment', billAttachment, encodeURIComponent(billAttachment.name)); formData.set('billAttachment', billAttachment, encodeURIComponent(billAttachment.name));
return updateOrAddBill(locationId, billId, prevState, formData); return updateOrAddBill(locationId, billId, billYear, prevState, formData);
} }
export interface BillEditFormProps { export interface BillEditFormProps {
locationID: string, location: BillingLocation,
bill?: Bill bill?: Bill,
} }
export const BillEditForm:FC<BillEditFormProps> = ({ locationID, bill }) => { export const BillEditForm:FC<BillEditFormProps> = ({ location, bill }) => {
const { _id: billID, name, paid, attachment, notes, payedAmount } = bill ?? { _id:undefined, name:"", paid:false, notes:"" }; const { _id: billID, name, paid, attachment, notes, payedAmount } = bill ?? { _id:undefined, name:"", paid:false, notes:"" };
const { yearMonth:{year: billYear}, _id: locationID } = location;
const initialState = { message: null, errors: {} }; const initialState = { message: null, errors: {} };
const handleAction = updateOrAddBillMiddleware.bind(null, locationID, billID); const handleAction = updateOrAddBillMiddleware.bind(null, locationID, billID, billYear);
const [ state, dispatch ] = useFormState(handleAction, initialState); const [ state, dispatch ] = useFormState(handleAction, initialState);
const [ isPaid, setIsPaid ] = React.useState<boolean>(paid); const [ isPaid, setIsPaid ] = React.useState<boolean>(paid);
// redirect to the main page // redirect to the main page
const handleCancel = () => { const handleCancel = () => {
console.log('handleCancel'); gotoHome(billYear ? `/?year=${billYear}` : undefined);
gotoHome();
}; };
const billPaid_handleChange = (event: React.ChangeEvent<HTMLInputElement>) => { const billPaid_handleChange = (event: React.ChangeEvent<HTMLInputElement>) => {
@@ -44,6 +47,7 @@ export const BillEditForm:FC<BillEditFormProps> = ({ locationID, bill }) => {
return( return(
<div className="card card-compact card-bordered min-w-[20em] max-w-[90em] bg-base-100 shadow-s"> <div className="card card-compact card-bordered min-w-[20em] max-w-[90em] bg-base-100 shadow-s">
<div className="card-body"> <div className="card-body">
<h2 className="card-title">{`${formatYearMonth(location.yearMonth)} ${location.name}`}</h2>
<form action={ dispatch }> <form action={ dispatch }>
{ {
// don't show the delete button if we are adding a new bill // don't show the delete button if we are adding a new bill
@@ -66,13 +70,13 @@ export const BillEditForm:FC<BillEditFormProps> = ({ locationID, bill }) => {
// <textarea className="textarea textarea-bordered my-1 w-full max-w-sm block" placeholder="Opis" value="Pričuva, Voda, Smeće"></textarea> // <textarea className="textarea textarea-bordered my-1 w-full max-w-sm block" placeholder="Opis" value="Pričuva, Voda, Smeće"></textarea>
attachment ? attachment ?
<Link href={`/attachment/${locationID}-${billID}/`} target="_blank" className='text-center block max-w-[24em] text-nowrap truncate inline-block mt-4'> <Link href={`/attachment/${locationID}-${billID}/`} target="_blank" className='text-center w-full max-w-[24em] text-nowrap truncate inline-block mt-4'>
<DocumentIcon className="h-[1em] w-[1em] text-2xl inline-block mr-1" /> <DocumentIcon className="h-[1em] w-[1em] text-2xl inline-block mr-1" />
{decodeURIComponent(attachment.fileName)} {decodeURIComponent(attachment.fileName)}
</Link> </Link>
: null : null
} }
<input id="billAttachment" name="billAttachment" type="file" className="file-input file-input-bordered w-full max-w-sm file-input-xs my-2" /> <input id="billAttachment" name="billAttachment" type="file" className="file-input file-input-bordered max-w-sm w-full file-input-xs my-2 block" />
<div id="status-error" aria-live="polite" aria-atomic="true"> <div id="status-error" aria-live="polite" aria-atomic="true">
{state.errors?.billAttachment && {state.errors?.billAttachment &&
state.errors.billAttachment.map((error: string) => ( state.errors.billAttachment.map((error: string) => (
@@ -110,7 +114,7 @@ export const BillEditForm:FC<BillEditFormProps> = ({ locationID, bill }) => {
</> </>
} }
<textarea id="billNotes" name="billNotes" className="textarea textarea-bordered my-2 w-full max-w-sm block" placeholder="Note" defaultValue={notes ?? ''}></textarea> <textarea id="billNotes" name="billNotes" className="textarea textarea-bordered my-2 max-w-lg w-full block" placeholder="Note" defaultValue={notes ?? ''}></textarea>
<div id="status-error" aria-live="polite" aria-atomic="true"> <div id="status-error" aria-live="polite" aria-atomic="true">
{state.errors?.billNotes && {state.errors?.billNotes &&
state.errors.billNotes.map((error: string) => ( state.errors.billNotes.map((error: string) => (

View File

@@ -18,7 +18,7 @@ export const LocationCard:FC<LocationCardProps> = ({location: { _id, name, yearM
const monthlyExpense = bills.reduce((acc, bill) => acc + (bill.payedAmount ?? 0), 0); const monthlyExpense = bills.reduce((acc, bill) => acc + (bill.payedAmount ?? 0), 0);
return( return(
<div className="card card-compact card-bordered max-w-[30em] bg-base-100 shadow-s my-1"> <div data-key={_id } className="card card-compact card-bordered max-w-[30em] bg-base-100 shadow-s my-1">
<div className="card-body"> <div className="card-body">
<Link href={`/location/${_id}/edit`} className="card-subtitle tooltip" data-tip="Edit Location"> <Link href={`/location/${_id}/edit`} className="card-subtitle tooltip" data-tip="Edit Location">
<Cog8ToothIcon className="h-[1em] w-[1em] absolute cursor-pointer top-3 right-3 text-2xl" /> <Cog8ToothIcon className="h-[1em] w-[1em] absolute cursor-pointer top-3 right-3 text-2xl" />
@@ -26,7 +26,7 @@ export const LocationCard:FC<LocationCardProps> = ({location: { _id, name, yearM
<h2 className="card-title mr-[2em]">{formatYearMonth(yearMonth)} {name}</h2> <h2 className="card-title mr-[2em]">{formatYearMonth(yearMonth)} {name}</h2>
<div className="card-actions"> <div className="card-actions">
{ {
bills.map(bill => <BillBadge key={`${bill._id}`} locationId={_id} bill={bill} />) bills.map(bill => <BillBadge key={`${_id}-${bill._id}`} locationId={_id} bill={bill} />)
} }
<Link href={`/bill/${_id}/add`} className="tooltip" data-tip="Add a new bill"> <Link href={`/bill/${_id}/add`} className="tooltip" data-tip="Add a new bill">
<PlusCircleIcon className="h-[1em] w-[1em] cursor-pointer text-2xl" /> <PlusCircleIcon className="h-[1em] w-[1em] cursor-pointer text-2xl" />

View File

@@ -0,0 +1,41 @@
"use client";
import { FC } from "react";
import { BillingLocation } from "../lib/db-types";
import { deleteLocationById } from "../lib/actions/locationActions";
import { useFormState } from "react-dom";
import { Main } from "./Main";
import { gotoHome } from "../lib/actions/navigationActions";
export interface LocationDeleteFormProps {
/** location which should be deleted */
location: BillingLocation
}
export const LocationDeleteForm:FC<LocationDeleteFormProps> = ({ location }) =>
{
const handleAction = deleteLocationById.bind(null, location._id, location.yearMonth);
const [ state, dispatch ] = useFormState(handleAction, null);
const handleCancel = () => {
gotoHome(`/location/${location._id}/edit/`);
};
return(
<Main>
<div className="card card-compact card-bordered min-w-[20em] max-w-[90em] bg-base-100 shadow-s my-1">
<div className="card-body">
<form action={dispatch}>
<p className="py-6 px-6">
Please confirm deletion of location <strong>{location.name}</strong>.
</p>
<div className="pt-4 text-center">
<button className="btn btn-primary">Confim</button>
<button type="button" className="btn btn-neutral ml-3" onClick={handleCancel}>Cancel</button>
</div>
</form>
</div>
</div>
</Main>
)
}

View File

@@ -5,9 +5,9 @@ import { FC } from "react";
import { BillingLocation, YearMonth } from "../lib/db-types"; import { BillingLocation, YearMonth } from "../lib/db-types";
import { updateOrAddLocation } from "../lib/actions/locationActions"; import { updateOrAddLocation } from "../lib/actions/locationActions";
import { useFormState } from "react-dom"; import { useFormState } from "react-dom";
import { gotoHome } from "../lib/actions/billActions";
import { Main } from "./Main"; import { Main } from "./Main";
import Link from "next/link"; import Link from "next/link";
import { gotoHome } from "../lib/actions/navigationActions";
export interface LocationEditFormProps { export interface LocationEditFormProps {
/** location which should be edited */ /** location which should be edited */
@@ -25,7 +25,7 @@ export const LocationEditForm:FC<LocationEditFormProps> = ({ location, yearMonth
// redirect to the main page // redirect to the main page
const handleCancel = () => { const handleCancel = () => {
console.log('handleCancel'); console.log('handleCancel');
gotoHome(); gotoHome(location ? `/?year=${location?.yearMonth?.year}` : undefined);
}; };
return( return(

View File

@@ -0,0 +1,12 @@
import { FC } from "react";
import { formatCurrency } from "../lib/formatStrings";
export const MontlyExpensesCard:FC<{monthlyExpense:number}> = ({ monthlyExpense }) =>
monthlyExpense>0 ?
<div className="card card-compact card-bordered max-w-[36em] bg-base-100 shadow-s my-1">
<span className="card-body self-center">
<p>
Total monthly expenditure: <strong>{ formatCurrency(monthlyExpense) }</strong>
</p>
</span>
</div> : null

View File

@@ -83,7 +83,7 @@ export default function Pagination({ availableYears } : { availableYears: number
return ( return (
<YearNumber <YearNumber
key={`${year}-${index}`} key={`year-number-${year}-${index}`}
href={createYearURL(year)} href={createYearURL(year)}
year={year} year={year}
position={position} position={position}

View File

@@ -1,12 +1,13 @@
import { addMonth } from '@/app/lib/actions/monthActions'; import { addMonth } from '@/app/lib/actions/monthActions';
import { gotoHome } from '@/app/lib/actions/navigationActions';
import { parseYearMonth } from '@/app/lib/format'; import { parseYearMonth } from '@/app/lib/format';
import { revalidatePath } from 'next/cache';
import { redirect } from 'next/navigation';
export default async function Page({ params:{ id } }: { params: { id:string } }) { export default async function Page({ params:{ id } }: { params: { id:string } }) {
await addMonth(parseYearMonth(id)); const { year, month } = parseYearMonth(id);
await addMonth({ year, month });
revalidatePath('/'); await gotoHome(`/?year=${year}`);
redirect(`/`);
return null; // if we don't return anything, the client-side will not re-validate cache
} }

View File

@@ -9,7 +9,7 @@ networks:
services: services:
web-app: web-app:
image: utility-bills-tracker:1.2.0 image: utility-bills-tracker:1.3.0
networks: networks:
- traefik-network - traefik-network
- mongo-network - mongo-network