refactor: replace generateTenantCode boolean with tenantPaymentMethod enum

- Replace generateTenantCode boolean field with tenantPaymentMethod enum ("none" | "iban" | "revolut")
- Update LocationEditForm to use dropdown select instead of toggle for payment method selection
- Consolidate multiple useState hooks into single formValues state object
- Change from defaultValue to controlled components with value/onChange pattern
- Add hidden inputs to preserve tenant data when payment method is not selected
- Update validation logic to check tenantPaymentMethod === "iban"
- Update ViewLocationCard to use new tenantPaymentMethod field
- Add Croatian translations for new dropdown options

This provides better scalability for adding future payment methods and improves form state management.

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
2025-11-24 15:34:59 +01:00
parent ead7451170
commit 3e581d8878
5 changed files with 108 additions and 74 deletions

View File

@@ -14,7 +14,6 @@ import { getTranslations, getLocale } from "next-intl/server";
export type State = { export type State = {
errors?: { errors?: {
locationName?: string[]; locationName?: string[];
generateTenantCode?: string[];
tenantName?: string[]; tenantName?: string[];
tenantStreet?: string[]; tenantStreet?: string[];
tenantTown?: string[]; tenantTown?: string[];
@@ -35,7 +34,7 @@ export type State = {
const FormSchema = (t:IntlTemplateFn) => z.object({ const FormSchema = (t:IntlTemplateFn) => z.object({
_id: z.string(), _id: z.string(),
locationName: z.coerce.string().min(1, t("location-name-required")), locationName: z.coerce.string().min(1, t("location-name-required")),
generateTenantCode: z.boolean().optional().nullable(), tenantPaymentMethod: z.enum(["none", "iban", "revolut"]).optional().nullable(),
tenantName: z.string().max(30).optional().nullable(), tenantName: z.string().max(30).optional().nullable(),
tenantStreet: z.string().max(27).optional().nullable(), tenantStreet: z.string().max(27).optional().nullable(),
tenantTown: z.string().max(27).optional().nullable(), tenantTown: z.string().max(27).optional().nullable(),
@@ -50,9 +49,9 @@ const FormSchema = (t:IntlTemplateFn) => z.object({
}) })
// dont include the _id field in the response // dont include the _id field in the response
.omit({ _id: true }) .omit({ _id: true })
// Add conditional validation: if generateTenantCode is true, tenant fields are required // Add conditional validation: if `tenantPaymentMethod` is "iban", tenant fields are required
.refine((data) => { .refine((data) => {
if (data.generateTenantCode) { if (data.tenantPaymentMethod === "iban") {
return !!data.tenantName && data.tenantName.trim().length > 0; return !!data.tenantName && data.tenantName.trim().length > 0;
} }
return true; return true;
@@ -61,7 +60,7 @@ const FormSchema = (t:IntlTemplateFn) => z.object({
path: ["tenantName"], path: ["tenantName"],
}) })
.refine((data) => { .refine((data) => {
if (data.generateTenantCode) { if (data.tenantPaymentMethod === "iban") {
return !!data.tenantStreet && data.tenantStreet.trim().length > 0; return !!data.tenantStreet && data.tenantStreet.trim().length > 0;
} }
return true; return true;
@@ -70,7 +69,7 @@ const FormSchema = (t:IntlTemplateFn) => z.object({
path: ["tenantStreet"], path: ["tenantStreet"],
}) })
.refine((data) => { .refine((data) => {
if (data.generateTenantCode) { if (data.tenantPaymentMethod === "iban") {
return !!data.tenantTown && data.tenantTown.trim().length > 0; return !!data.tenantTown && data.tenantTown.trim().length > 0;
} }
return true; return true;
@@ -112,7 +111,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
const validatedFields = FormSchema(t).safeParse({ const validatedFields = FormSchema(t).safeParse({
locationName: formData.get('locationName'), locationName: formData.get('locationName'),
generateTenantCode: formData.get('generateTenantCode') === 'on', tenantPaymentMethod: formData.get('tenantPaymentMethod') as "none" | "iban" | "revolut" | undefined,
tenantName: formData.get('tenantName') || null, tenantName: formData.get('tenantName') || null,
tenantStreet: formData.get('tenantStreet') || null, tenantStreet: formData.get('tenantStreet') || null,
tenantTown: formData.get('tenantTown') || null, tenantTown: formData.get('tenantTown') || null,
@@ -136,7 +135,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
const { const {
locationName, locationName,
generateTenantCode, tenantPaymentMethod,
tenantName, tenantName,
tenantStreet, tenantStreet,
tenantTown, tenantTown,
@@ -178,7 +177,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
{ {
$set: { $set: {
name: locationName, name: locationName,
generateTenantCode: generateTenantCode || false, tenantPaymentMethod: tenantPaymentMethod || "none",
tenantName: tenantName || null, tenantName: tenantName || null,
tenantStreet: tenantStreet || null, tenantStreet: tenantStreet || null,
tenantTown: tenantTown || null, tenantTown: tenantTown || null,
@@ -208,7 +207,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
{ {
$set: { $set: {
name: locationName, name: locationName,
generateTenantCode: generateTenantCode || false, tenantPaymentMethod: tenantPaymentMethod || "none",
tenantName: tenantName || null, tenantName: tenantName || null,
tenantStreet: tenantStreet || null, tenantStreet: tenantStreet || null,
tenantTown: tenantTown || null, tenantTown: tenantTown || null,
@@ -231,7 +230,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
{ {
$set: { $set: {
name: locationName, name: locationName,
generateTenantCode: generateTenantCode || false, tenantPaymentMethod: tenantPaymentMethod || "none",
tenantName: tenantName || null, tenantName: tenantName || null,
tenantStreet: tenantStreet || null, tenantStreet: tenantStreet || null,
tenantTown: tenantTown || null, tenantTown: tenantTown || null,
@@ -253,7 +252,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
userEmail, userEmail,
name: locationName, name: locationName,
notes: null, notes: null,
generateTenantCode: generateTenantCode || false, tenantPaymentMethod: tenantPaymentMethod || "none",
tenantName: tenantName || null, tenantName: tenantName || null,
tenantStreet: tenantStreet || null, tenantStreet: tenantStreet || null,
tenantTown: tenantTown || null, tenantTown: tenantTown || null,
@@ -327,7 +326,7 @@ export const updateOrAddLocation = withUser(async (user:AuthenticatedUser, locat
userEmail, userEmail,
name: locationName, name: locationName,
notes: null, notes: null,
generateTenantCode: generateTenantCode || false, tenantPaymentMethod: tenantPaymentMethod || "none",
tenantName: tenantName || null, tenantName: tenantName || null,
tenantStreet: tenantStreet || null, tenantStreet: tenantStreet || null,
tenantTown: tenantTown || null, tenantTown: tenantTown || null,

View File

@@ -51,8 +51,10 @@ export interface BillingLocation {
bills: Bill[]; bills: Bill[];
/** (optional) notes */ /** (optional) notes */
notes: string|null; notes: string|null;
/** (optional) whether to generate 2D code for tenant */
generateTenantCode?: boolean | null; /** (optional) method for showing payment instructions to tenant */
tenantPaymentMethod?: "none" | "iban" | "revolut" | null;
/** (optional) tenant name */ /** (optional) tenant name */
tenantName?: string | null; tenantName?: string | null;
/** (optional) tenant street */ /** (optional) tenant street */

View File

@@ -23,36 +23,30 @@ export type LocationEditFormProps = {
export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMonth }) => { export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMonth }) => {
const initialState = { message: null, errors: {} }; const initialState = { message: null, errors: {} };
const handleAction = updateOrAddLocation.bind(null, location?._id, location?.yearMonth ?? yearMonth); const handleAction = updateOrAddLocation.bind(null, location?._id, location?.yearMonth ?? yearMonth);
const [state, dispatch] = useFormState(handleAction, initialState); const [state, dispatch] = useFormState(handleAction, initialState);
const t = useTranslations("location-edit-form"); const t = useTranslations("location-edit-form");
const locale = useLocale(); const locale = useLocale();
// Track whether to generate 2D code for tenant (use persisted value from database)
const [generateTenantCode, setGenerateTenantCode] = useState(
location?.generateTenantCode ?? false
);
// Track whether to automatically notify tenant (use persisted value from database)
const [autoBillFwd, setautoBillFwd] = useState(
location?.autoBillFwd ?? false
);
// Track whether to automatically send rent notification (use persisted value from database)
const [rentDueNotification, setrentDueNotification] = useState(
location?.rentDueNotification ?? false
);
// Track tenant field values for real-time validation // Track tenant field values for real-time validation
const [tenantFields, setTenantFields] = useState({ const [formValues, setFormValues] = useState({
locationName: location?.name ?? "",
tenantName: location?.tenantName ?? "", tenantName: location?.tenantName ?? "",
tenantStreet: location?.tenantStreet ?? "", tenantStreet: location?.tenantStreet ?? "",
tenantTown: location?.tenantTown ?? "", tenantTown: location?.tenantTown ?? "",
tenantEmail: location?.tenantEmail ?? "", tenantEmail: location?.tenantEmail ?? "",
tenantPaymentMethod: location?.tenantPaymentMethod ?? "none",
autoBillFwd: location?.autoBillFwd ?? false,
billFwdStrategy: location?.billFwdStrategy ?? "when-payed",
rentDueNotification: location?.rentDueNotification ?? false,
rentAmount: location?.rentAmount ?? "",
rentDueDay: location?.rentDueDay ?? 1,
}); });
const handleTenantFieldChange = (field: keyof typeof tenantFields, value: string) => { const handleInputChange = (field: keyof typeof formValues, value: string | boolean | number) => {
setTenantFields(prev => ({ ...prev, [field]: value })); setFormValues(prev => ({ ...prev, [field]: value }));
}; };
let { year, month } = location ? location.yearMonth : yearMonth; let { year, month } = location ? location.yearMonth : yearMonth;
@@ -69,7 +63,14 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
} }
<fieldset className="fieldset mt-2 p-2"> <fieldset className="fieldset mt-2 p-2">
<legend className="fieldset-legend font-semibold uppercase">{t("location-name-legend")}</legend> <legend className="fieldset-legend font-semibold uppercase">{t("location-name-legend")}</legend>
<input id="locationName" name="locationName" type="text" placeholder={t("location-name-placeholder")} className="input input-bordered w-full placeholder:text-gray-600" defaultValue={location?.name ?? ""} /> <input id="locationName"
name="locationName"
type="text"
placeholder={t("location-name-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600"
value={formValues.locationName}
onChange={(e) => handleInputChange("locationName", e.target.value)}
/>
<div id="status-error" aria-live="polite" aria-atomic="true"> <div id="status-error" aria-live="polite" aria-atomic="true">
{state.errors?.locationName && {state.errors?.locationName &&
state.errors.locationName.map((error: string) => ( state.errors.locationName.map((error: string) => (
@@ -79,25 +80,24 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
))} ))}
</div> </div>
</fieldset> </fieldset>
<fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4"> <fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4">
<legend className="fieldset-legend font-semibold uppercase">{t("tenant-payment-instructions-legend")}</legend> <legend className="fieldset-legend font-semibold uppercase">{t("tenant-payment-instructions-legend")}</legend>
<InfoBox className="p-1 mb-1">{t("tenant-payment-instructions-code-info")}</InfoBox>
<fieldset className="fieldset"> <InfoBox className="p-1 pt-0 mb-1">{t("tenant-payment-instructions-code-info")}</InfoBox>
<label className="label cursor-pointer justify-start gap-3">
<input <fieldset className="fieldset mt-2 p-2">
type="checkbox" <legend className="fieldset-legend">{t("tenant-payment-instructions-method--legend")}</legend>
name="generateTenantCode" <select defaultValue={formValues.tenantPaymentMethod} className="select input-bordered w-full" name="tenantPaymentMethod" onChange={(e) => handleInputChange("tenantPaymentMethod", e.target.value)}>
className="toggle toggle-primary" <option value="none">{t("tenant-payment-instructions-method--none")}</option>
checked={generateTenantCode} <option value="iban">{t("tenant-payment-instructions-method--iban")}</option>
onChange={(e) => setGenerateTenantCode(e.target.checked)} <option value="revolut">{t("tenant-payment-instructions-method--revolut")}</option>
/> </select>
<legend className="fieldset-legend">{t("tenant-payment-instructions-toggle-label")}</legend>
</label>
</fieldset> </fieldset>
{generateTenantCode && ( { formValues.tenantPaymentMethod === "iban" ? (
<> <>
<div className="divider mt-4 mb-2 font-bold uppercase">{t("iban-payment--form-title")}</div>
<div className="form-control w-full"> <div className="form-control w-full">
<label className="label"> <label className="label">
<span className="label-text">{t("iban-payment--tenant-name-label")}</span> <span className="label-text">{t("iban-payment--tenant-name-label")}</span>
@@ -109,8 +109,8 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
maxLength={30} maxLength={30}
placeholder={t("iban-payment--tenant-name-placeholder")} placeholder={t("iban-payment--tenant-name-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600" className="input input-bordered w-full placeholder:text-gray-600"
defaultValue={location?.tenantName ?? ""} defaultValue={formValues.tenantName}
onChange={(e) => handleTenantFieldChange("tenantName", e.target.value)} onChange={(e) => handleInputChange("tenantName", e.target.value)}
/> />
<div id="tenantName-error" aria-live="polite" aria-atomic="true"> <div id="tenantName-error" aria-live="polite" aria-atomic="true">
{state.errors?.tenantName && {state.errors?.tenantName &&
@@ -133,8 +133,8 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
maxLength={27} maxLength={27}
placeholder={t("iban-payment--tenant-street-placeholder")} placeholder={t("iban-payment--tenant-street-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600" className="input input-bordered w-full placeholder:text-gray-600"
defaultValue={location?.tenantStreet ?? ""} defaultValue={formValues.tenantStreet}
onChange={(e) => handleTenantFieldChange("tenantStreet", e.target.value)} onChange={(e) => handleInputChange("tenantStreet", e.target.value)}
/> />
<div id="tenantStreet-error" aria-live="polite" aria-atomic="true"> <div id="tenantStreet-error" aria-live="polite" aria-atomic="true">
{state.errors?.tenantStreet && {state.errors?.tenantStreet &&
@@ -157,8 +157,8 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
maxLength={27} maxLength={27}
placeholder={t("iban-payment--tenant-town-placeholder")} placeholder={t("iban-payment--tenant-town-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600" className="input input-bordered w-full placeholder:text-gray-600"
defaultValue={location?.tenantTown ?? ""} defaultValue={formValues.tenantTown}
onChange={(e) => handleTenantFieldChange("tenantTown", e.target.value)} onChange={(e) => handleInputChange("tenantTown", e.target.value)}
/> />
<div id="tenantTown-error" aria-live="polite" aria-atomic="true"> <div id="tenantTown-error" aria-live="polite" aria-atomic="true">
{state.errors?.tenantTown && {state.errors?.tenantTown &&
@@ -171,10 +171,31 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
</div> </div>
<InfoBox className="p-1 mb-1">{t("tenant--payment-instructions-note")}</InfoBox> <InfoBox className="p-1 mb-1">{t("tenant--payment-instructions-note")}</InfoBox>
</> </>
)} ) : // ELSE include hidden inputs to preserve existing values
<>
<input
id="tenantName"
name="tenantName"
type="hidden"
maxLength={30}
defaultValue={formValues.tenantName}
/>
<input
id="tenantStreet"
name="tenantStreet"
type="hidden"
className="input input-bordered w-full placeholder:text-gray-600"
defaultValue={formValues.tenantStreet}
/>
<input
id="tenantTown"
name="tenantTown"
type="hidden"
defaultValue={formValues.tenantTown}
/>
</>
}
</fieldset> </fieldset>
<fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4"> <fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4">
<legend className="fieldset-legend font-semibold uppercase">{t("auto-utility-bill-forwarding-legend")}</legend> <legend className="fieldset-legend font-semibold uppercase">{t("auto-utility-bill-forwarding-legend")}</legend>
<InfoBox className="p-1 mb-1">{t("auto-utility-bill-forwarding-info")}</InfoBox> <InfoBox className="p-1 mb-1">{t("auto-utility-bill-forwarding-info")}</InfoBox>
@@ -186,17 +207,17 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
type="checkbox" type="checkbox"
name="autoBillFwd" name="autoBillFwd"
className="toggle toggle-primary" className="toggle toggle-primary"
checked={autoBillFwd} checked={formValues.autoBillFwd}
onChange={(e) => setautoBillFwd(e.target.checked)} onChange={(e) => handleInputChange("autoBillFwd", e.target.checked)}
/> />
<legend className="fieldset-legend">{t("auto-utility-bill-forwarding-toggle-label")}</legend> <legend className="fieldset-legend">{t("auto-utility-bill-forwarding-toggle-label")}</legend>
</label> </label>
</fieldset> </fieldset>
{autoBillFwd && ( {formValues.autoBillFwd && (
<fieldset className="fieldset mt-2 p-2"> <fieldset className="fieldset mt-2 p-2">
<legend className="fieldset-legend">{t("utility-bill-forwarding-strategy-label")}</legend> <legend className="fieldset-legend">{t("utility-bill-forwarding-strategy-label")}</legend>
<select defaultValue={location?.billFwdStrategy ?? "when-payed"} className="select input-bordered w-full" name="billFwdStrategy"> <select defaultValue={formValues.billFwdStrategy} className="select input-bordered w-full" name="billFwdStrategy">
<option value="when-payed">{t("utility-bill-forwarding-when-payed")}</option> <option value="when-payed">{t("utility-bill-forwarding-when-payed")}</option>
<option value="when-attached">{t("utility-bill-forwarding-when-attached")}</option> <option value="when-attached">{t("utility-bill-forwarding-when-attached")}</option>
</select> </select>
@@ -215,18 +236,22 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
type="checkbox" type="checkbox"
name="rentDueNotification" name="rentDueNotification"
className="toggle toggle-primary" className="toggle toggle-primary"
checked={rentDueNotification} checked={formValues.rentDueNotification}
onChange={(e) => setrentDueNotification(e.target.checked)} onChange={(e) => handleInputChange("rentDueNotification", e.target.checked)}
/> />
<legend className="fieldset-legend">{t("auto-rent-notification-toggle-label")}</legend> <legend className="fieldset-legend">{t("auto-rent-notification-toggle-label")}</legend>
</label> </label>
</fieldset> </fieldset>
{rentDueNotification && ( {formValues.rentDueNotification && (
<> <>
<fieldset className="fieldset mt-2 p-2"> <fieldset className="fieldset mt-2 p-2">
<legend className="fieldset-legend">{t("rent-due-day-label")}</legend> <legend className="fieldset-legend">{t("rent-due-day-label")}</legend>
<select defaultValue={location?.rentDueDay ?? 1} className="select input-bordered w-full" name="rentDueDay"> <select defaultValue={formValues.rentDueDay}
className="select input-bordered w-full"
name="rentDueDay"
onChange={(e) => handleInputChange("rentDueDay", parseInt(e.target.value,10))
}>
{Array.from({ length: 28 }, (_, i) => i + 1).map(day => ( {Array.from({ length: 28 }, (_, i) => i + 1).map(day => (
<option key={day} value={day}>{day}</option> <option key={day} value={day}>{day}</option>
))} ))}
@@ -242,7 +267,8 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
step="0.01" step="0.01"
placeholder={t("rent-amount-placeholder")} placeholder={t("rent-amount-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600 text-right" className="input input-bordered w-full placeholder:text-gray-600 text-right"
defaultValue={location?.rentAmount ?? ""} defaultValue={formValues.rentAmount}
onChange={(e) => handleInputChange("rentAmount", parseFloat(e.target.value))}
/> />
<div id="rentAmount-error" aria-live="polite" aria-atomic="true"> <div id="rentAmount-error" aria-live="polite" aria-atomic="true">
{state.errors?.rentAmount && {state.errors?.rentAmount &&
@@ -257,7 +283,7 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
)} )}
</fieldset> </fieldset>
{(autoBillFwd || rentDueNotification) && ( {(formValues.autoBillFwd || formValues.rentDueNotification) && (
<fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4"> <fieldset className="fieldset bg-base-200 border-base-300 rounded-box w-xs border p-4 pb-2 mt-4">
<legend className="fieldset-legend font-semibold uppercase">{t("tenant-email-legend")}</legend> <legend className="fieldset-legend font-semibold uppercase">{t("tenant-email-legend")}</legend>
<input <input
@@ -266,8 +292,8 @@ export const LocationEditForm: FC<LocationEditFormProps> = ({ location, yearMont
type="email" type="email"
placeholder={t("tenant-email-placeholder")} placeholder={t("tenant-email-placeholder")}
className="input input-bordered w-full placeholder:text-gray-600" className="input input-bordered w-full placeholder:text-gray-600"
defaultValue={location?.tenantEmail ?? ""} defaultValue={formValues.tenantEmail}
onChange={(e) => handleTenantFieldChange("tenantEmail", e.target.value)} onChange={(e) => handleInputChange("tenantEmail", e.target.value)}
/> />
<div id="tenantEmail-error" aria-live="polite" aria-atomic="true"> <div id="tenantEmail-error" aria-live="polite" aria-atomic="true">
{state.errors?.tenantEmail && {state.errors?.tenantEmail &&

View File

@@ -27,7 +27,7 @@ export const ViewLocationCard:FC<ViewLocationCardProps> = ({location, userSettin
tenantName, tenantName,
tenantStreet, tenantStreet,
tenantTown, tenantTown,
generateTenantCode, tenantPaymentMethod,
// NOTE: only the fileName is projected from the DB to reduce data transfer // NOTE: only the fileName is projected from the DB to reduce data transfer
utilBillsProofOfPaymentAttachment, utilBillsProofOfPaymentAttachment,
utilBillsProofOfPaymentUploadedAt, utilBillsProofOfPaymentUploadedAt,
@@ -79,7 +79,7 @@ export const ViewLocationCard:FC<ViewLocationCardProps> = ({location, userSettin
const { hub3aText, paymentParams } = useMemo(() => { const { hub3aText, paymentParams } = useMemo(() => {
if(!userSettings?.enableIbanPayment || !generateTenantCode) { if(!userSettings?.enableIbanPayment || tenantPaymentMethod !== "iban") {
return { return {
hub3aText: "", hub3aText: "",
paymentParams: {} as PaymentParams paymentParams: {} as PaymentParams
@@ -126,7 +126,7 @@ export const ViewLocationCard:FC<ViewLocationCardProps> = ({location, userSettin
: null : null
} }
{ {
userSettings?.enableIbanPayment && generateTenantCode ? userSettings?.enableIbanPayment && tenantPaymentMethod === "iban" ?
<> <>
<p className="max-w-[25em] ml-1 mt-1 mb-1">{t("payment-info-header")}</p> <p className="max-w-[25em] ml-1 mt-1 mb-1">{t("payment-info-header")}</p>
<ul className="ml-4 mb-3"> <ul className="ml-4 mb-3">

View File

@@ -142,10 +142,17 @@
"notes-placeholder": "bilješke", "notes-placeholder": "bilješke",
"tenant-payment-instructions-legend": "UPUTE ZA UPLATU", "tenant-payment-instructions-legend": "UPUTE ZA UPLATU",
"tenant-payment-instructions-code-info": "Kada podstanar otvori poveznicu na obračun za zadani mjesec aplikacija mu može prikazati upute za uplatu troškova režija na vaš IBAN, kao i 2D koji može skenirati.", "tenant-payment-instructions-code-info": "Kada podstanar otvori poveznicu na obračun za zadani mjesec aplikacija mu može prikazati upute za uplatu troškova režija na vaš IBAN ili Revolut.",
"tenant-payment-instructions-method--legend": "Podstanaru prikaži upute za uplatu:",
"tenant-payment-instructions-method--none": "ne prikazuj upute za uplatu",
"tenant-payment-instructions-method--iban": "uplata na IBAN",
"tenant-payment-instructions-method--revolut": "uplata na Revolut",
"tenant-payment-instructions-toggle-label": "podstanaru prikaži upute za uplatu", "tenant-payment-instructions-toggle-label": "podstanaru prikaži upute za uplatu",
"tenant--payment-instructions-note": "VAŽNO: za ovu funkcionalnost potrebno je otvoriti postavke aplikacije, te unijeti vaše ime i IBAN.", "tenant--payment-instructions-note": "VAŽNO: za ovu funkcionalnost potrebno je otvoriti postavke aplikacije, te unijeti vaše ime i IBAN.",
"iban-payment--form-title": "Informacije za uplatu na IBAN",
"iban-payment--tenant-name-label": "Ime i prezime podstanara", "iban-payment--tenant-name-label": "Ime i prezime podstanara",
"iban-payment--tenant-name-placeholder": "unesite ime i prezime podstanara", "iban-payment--tenant-name-placeholder": "unesite ime i prezime podstanara",
"iban-payment--tenant-street-label": "Ulica podstanara i kućni broj", "iban-payment--tenant-street-label": "Ulica podstanara i kućni broj",
@@ -159,9 +166,9 @@
"utility-bill-forwarding-strategy-label": "Režije proslijedi kada...", "utility-bill-forwarding-strategy-label": "Režije proslijedi kada...",
"utility-bill-forwarding-when-payed": "sve stavke označim kao plaćene", "utility-bill-forwarding-when-payed": "sve stavke označim kao plaćene",
"utility-bill-forwarding-when-attached": "za sve stavke priložim račun (PDF)", "utility-bill-forwarding-when-attached": "za sve stavke priložim račun (PDF)",
"auto-rent-notification-legend": "AUTOMATSKA OBAVIJEST O NAJAMNINI", "auto-rent-notification-legend": "Automatska obavjest O najamnini",
"auto-rent-notification-info": "Ova opcija omogućuje automatsko slanje mjesečnog računa za najamninu podstanaru putem emaila na zadani dan u mjesecu.", "auto-rent-notification-info": "Ova opcija omogućuje automatsko slanje mjesečnog računa za najamninu podstanaru putem emaila na zadani dan u mjesecu.",
"auto-rent-notification-toggle-label": "pošalji obavijest o najamnini", "auto-rent-notification-toggle-label": "pošalji obavjest o najamnini",
"rent-due-day-label": "Dan u mjesecu kada dospijeva najamnina", "rent-due-day-label": "Dan u mjesecu kada dospijeva najamnina",
"rent-amount-label": "Iznos najamnine", "rent-amount-label": "Iznos najamnine",
"rent-amount-placeholder": "unesite iznos najamnine", "rent-amount-placeholder": "unesite iznos najamnine",