From 5a4b1763fc7a0c1fcb1bc6901616893099718f09 Mon Sep 17 00:00:00 2001 From: dvpa-odoo Date: Fri, 21 Mar 2025 18:52:28 +0530 Subject: [PATCH 1/5] [ADD] appointment_capacity: added capacity management for users and resources --- appointment_capacity/__init__.py | 2 + appointment_capacity/__manifest__.py | 17 + appointment_capacity/controllers/__init__.py | 1 + .../controllers/appointment.py | 305 ++++++++++++++++++ appointment_capacity/models/__init__.py | 4 + .../models/appointment_booking.py | 49 +++ .../models/appointment_type.py | 304 +++++++++++++++++ appointment_capacity/models/calender_event.py | 48 +++ .../appointment_template_appointment.xml | 17 + .../views/appointment_type_views.xml | 29 ++ 10 files changed, 776 insertions(+) create mode 100644 appointment_capacity/__init__.py create mode 100644 appointment_capacity/__manifest__.py create mode 100644 appointment_capacity/controllers/__init__.py create mode 100644 appointment_capacity/controllers/appointment.py create mode 100644 appointment_capacity/models/__init__.py create mode 100644 appointment_capacity/models/appointment_booking.py create mode 100644 appointment_capacity/models/appointment_type.py create mode 100644 appointment_capacity/models/calender_event.py create mode 100644 appointment_capacity/views/appointment_template_appointment.xml create mode 100644 appointment_capacity/views/appointment_type_views.xml diff --git a/appointment_capacity/__init__.py b/appointment_capacity/__init__.py new file mode 100644 index 00000000000..f7209b17100 --- /dev/null +++ b/appointment_capacity/__init__.py @@ -0,0 +1,2 @@ +from . import models +from . import controllers diff --git a/appointment_capacity/__manifest__.py b/appointment_capacity/__manifest__.py new file mode 100644 index 00000000000..c8cd345f544 --- /dev/null +++ b/appointment_capacity/__manifest__.py @@ -0,0 +1,17 @@ +{ + 'name': 'Appointment Capacity Management', + 'version': '1.0', + 'summary': 'Enhance appointment booking with multiple bookings and seats per slot.', + 'description': """ + - Allows multiple bookings per time slot. + - Supports multiple seats per slot. + """, + 'author': 'Darshan Patel', + 'depends': ['calendar', 'appointment'], + 'data': [ + 'views/appointment_type_views.xml', + 'views/appointment_template_appointment.xml' + ], + 'installable': True, + 'license': 'LGPL-3', +} diff --git a/appointment_capacity/controllers/__init__.py b/appointment_capacity/controllers/__init__.py new file mode 100644 index 00000000000..92705f70ae7 --- /dev/null +++ b/appointment_capacity/controllers/__init__.py @@ -0,0 +1 @@ +from . import appointment \ No newline at end of file diff --git a/appointment_capacity/controllers/appointment.py b/appointment_capacity/controllers/appointment.py new file mode 100644 index 00000000000..5d86368f9fa --- /dev/null +++ b/appointment_capacity/controllers/appointment.py @@ -0,0 +1,305 @@ + +import json +import pytz +import re + +from pytz.exceptions import UnknownTimeZoneError + +from babel.dates import format_datetime, format_date, format_time +from datetime import datetime, date +from dateutil.relativedelta import relativedelta +from markupsafe import Markup +from urllib.parse import unquote_plus +from werkzeug.exceptions import Forbidden, NotFound +from werkzeug.urls import url_encode + +from odoo import Command, exceptions, http, fields, _ +from odoo.http import request, route +from odoo.osv import expression +from odoo.tools import DEFAULT_SERVER_DATETIME_FORMAT as dtf, email_normalize +from odoo.tools.mail import is_html_empty +from odoo.tools.misc import babel_locale_parse, get_lang +from odoo.addons.base.models.ir_qweb import keep_query +from odoo.addons.base.models.res_partner import _tz_get +from odoo.addons.phone_validation.tools import phone_validation +from odoo.exceptions import UserError + +from odoo.addons.appointment.controllers.appointment import AppointmentController + + +class AppointmentCapacityController(AppointmentController): + # pass + + + def _prepare_appointment_type_page_values(self, appointment_type, staff_user_id=False, resource_selected_id=False, **kwargs): + """ Computes all values needed to choose between / common to all appointment_type page templates. + + :return: a dict containing: + - available_appointments: all available appointments according to current filters and invite tokens. + - filter_appointment_type_ids, filter_staff_user_ids and invite_token parameters. + - user_default: the first of possible staff users. It will be selected by default (in the user select dropdown) + if no user_selected. Otherwise, the latter will be preselected instead. It is only set if there is at least one + possible user and the choice is activated in appointment_type, or used for having the user name in title if there + is a single possible user, for random selection. + - user_selected: the user corresponding to staff_user_id in the url and to the selected one. It can be selected + upstream, from the operator_select screen (see WebsiteAppointment controller), or coming back from an error. + It is only set if among the possible users. + - users_possible: all possible staff users considering filter_staff_user_ids and staff members of appointment_type. + - resource_selected: the resource corresponding to resource_selected_id in the url and to the selected one. It can be selected + upstream, from the operator_select screen (see WebsiteAppointment controller), or coming back from an error. + - resources_possible: all possible resources considering filter_resource_ids and resources of appointment type. + - max_capacity: the maximum capacity that can be selected by the user to make an appointment on a resource. + - hide_select_dropdown: True if the user select dropdown should be hidden. (e.g. an operator has been selected before) + Even if hidden, it can still be in the view and used to update availabilities according to the selected user in the js. + """ + filter_staff_user_ids = json.loads(kwargs.get('filter_staff_user_ids') or '[]') + filter_resource_ids = json.loads(kwargs.get('filter_resource_ids') or '[]') + users_possible = self._get_possible_staff_users(appointment_type, filter_staff_user_ids) + resources_possible = self._get_possible_resources(appointment_type, filter_resource_ids) + user_default = user_selected = request.env['res.users'] + resource_default = resource_selected = request.env['appointment.resource'] + staff_user_id = int(staff_user_id) if staff_user_id else False + resource_selected_id = int(resource_selected_id) if resource_selected_id else False + + if appointment_type.schedule_based_on == 'users': + if appointment_type.assign_method == 'resource_time' and users_possible: + if staff_user_id and staff_user_id in users_possible.ids: + user_selected = request.env['res.users'].sudo().browse(staff_user_id) + user_default = users_possible[0] + elif appointment_type.assign_method == 'time_auto_assign' and len(users_possible) == 1: + user_default = users_possible[0] + elif resources_possible: + if resource_selected_id and resource_selected_id in resources_possible.ids and appointment_type.assign_method != 'time_resource': + resource_selected = request.env['appointment.resource'].sudo().browse(resource_selected_id) + elif appointment_type.assign_method == 'resource_time': + resource_default = resources_possible[0] + + capacity_type = appointment_type.capacity_type + if capacity_type == 'multiple_seats': + if appointment_type.schedule_based_on == 'users': + max_capacity_possible = appointment_type.user_capacity_count + else: + possible_combinations = (resource_selected or resource_default or resources_possible)._get_filtered_possible_capacity_combinations(1, {}) + max_capacity_possible = possible_combinations[-1][1] if possible_combinations else 1 + else: + max_capacity_possible = 1 + + return { + 'asked_capacity': int(kwargs['asked_capacity']) if kwargs.get('asked_capacity') else False, + 'available_appointments': kwargs['available_appointments'], + 'filter_appointment_type_ids': kwargs.get('filter_appointment_type_ids'), + 'filter_staff_user_ids': kwargs.get('filter_staff_user_ids'), + 'filter_resource_ids': kwargs.get('filter_resource_ids'), + 'hide_select_dropdown': len(users_possible if appointment_type.schedule_based_on == 'users' else resources_possible) <= 1, + 'invite_token': kwargs.get('invite_token'), + 'max_capacity': min(12, max_capacity_possible), + 'resource_default': resource_default, + 'resource_selected': resource_selected, + 'resources_possible': resources_possible, + 'user_default': user_default, + 'user_selected': user_selected, + 'users_possible': users_possible, + } + + + + @http.route() + def appointment_form_submit(self, appointment_type_id, datetime_str, duration_str, name, phone, email, staff_user_id=None, available_resource_ids=None, asked_capacity=1, + guest_emails_str=None, **kwargs): + """ + Create the event for the appointment and redirect on the validation page with a summary of the appointment. + + :param appointment_type_id: the appointment type id related + :param datetime_str: the string representing the datetime + :param duration_str: the string representing the duration + :param name: the name of the user sets in the form + :param phone: the phone of the user sets in the form + :param email: the email of the user sets in the form + :param staff_user_id: the user selected for the appointment + :param available_resource_ids: the resources ids available for the appointment + :param asked_capacity: asked capacity for the appointment + :param str guest_emails: optional line-separated guest emails. It will + fetch or create partners to add them as event attendees; + """ + domain = self._appointments_base_domain( + filter_appointment_type_ids=kwargs.get('filter_appointment_type_ids'), + search=kwargs.get('search'), + invite_token=kwargs.get('invite_token') + ) + + available_appointments = self._fetch_and_check_private_appointment_types( + kwargs.get('filter_appointment_type_ids'), + kwargs.get('filter_staff_user_ids'), + kwargs.get('filter_resource_ids'), + kwargs.get('invite_token'), + domain=domain, + ) + appointment_type = available_appointments.filtered(lambda appt: appt.id == int(appointment_type_id)) + + if not appointment_type: + raise NotFound() + timezone = request.session.get('timezone') or appointment_type.appointment_tz + tz_session = pytz.timezone(timezone) + datetime_str = unquote_plus(datetime_str) + date_start = tz_session.localize(fields.Datetime.from_string(datetime_str)).astimezone(pytz.utc).replace(tzinfo=None) + duration = float(duration_str) + date_end = date_start + relativedelta(hours=duration) + invite_token = kwargs.get('invite_token') + + staff_user = request.env['res.users'] + resources = request.env['appointment.resource'] + resource_ids = None + asked_capacity = int(asked_capacity) + resources_remaining_capacity = None + users_remaining_capacity = None + if appointment_type.schedule_based_on == 'resources': + resource_ids = json.loads(unquote_plus(available_resource_ids)) + # Check if there is still enough capacity (in case someone else booked with a resource in the meantime) + resources = request.env['appointment.resource'].sudo().browse(resource_ids).exists() + if any(resource not in appointment_type.resource_ids for resource in resources): + raise NotFound() + resources_remaining_capacity = appointment_type._get_resources_remaining_capacity(resources, date_start, date_end, with_linked_resources=False) + if resources_remaining_capacity['total_remaining_capacity'] < asked_capacity: + return request.redirect('/appointment/%s?%s' % (appointment_type.id, keep_query('*', state='failed-resource'))) + else: + # check availability of the selected user again (in case someone else booked while the client was entering the form) + staff_user = request.env['res.users'].sudo().search([('id', '=', int(staff_user_id))]) + if staff_user not in appointment_type.staff_user_ids: + raise NotFound() + if staff_user and not staff_user.partner_id.calendar_verify_availability(date_start, date_end): + return request.redirect('/appointment/%s?%s' % (appointment_type.id, keep_query('*', state='failed-staff-user'))) + # check if there is still enough capacity + users_remaining_capacity = appointment_type._get_users_remaining_capacity(staff_user, date_start, date_end) + if users_remaining_capacity['total_remaining_capacity'] < asked_capacity and appointment_type.capacity_type != 'one_booking': + return request.redirect('/appointment/%s?%s' % (appointment_type.id, keep_query('*', state='failed-staff-user'))) + + + guests = None + if appointment_type.allow_guests: + if guest_emails_str: + guests = request.env['calendar.event'].sudo()._find_or_create_partners(guest_emails_str) + + customer = self._get_customer_partner() + + # considering phone and email are mandatory + new_customer = not (customer.email) or not (customer.phone) + if not new_customer and customer.email != email and customer.email_normalized != email_normalize(email): + new_customer = True + if not new_customer and not customer.phone: + new_customer = True + if not new_customer: + customer_phone_fmt = customer._phone_format(fname="phone") + input_country = self._get_customer_country() + input_phone_fmt = phone_validation.phone_format(phone, input_country.code, input_country.phone_code, force_format="E164", raise_exception=False) + new_customer = customer.phone != phone and customer_phone_fmt != input_phone_fmt + + if new_customer: + customer = customer.sudo().create({ + 'name': name, + 'phone': customer._phone_format(number=phone, country=self._get_customer_country()) or phone, + 'email': email, + 'lang': request.lang.code, + }) + + # partner_inputs dictionary structures all answer inputs received on the appointment submission: key is question id, value + # is answer id (as string) for choice questions, text input for text questions, array of ids for multiple choice questions. + partner_inputs = {} + appointment_question_ids = appointment_type.question_ids.ids + for k_key, k_value in [item for item in kwargs.items() if item[1]]: + question_id_str = re.match(r"\bquestion_([0-9]+)\b", k_key) + if question_id_str and int(question_id_str.group(1)) in appointment_question_ids: + partner_inputs[int(question_id_str.group(1))] = k_value + continue + checkbox_ids_str = re.match(r"\bquestion_([0-9]+)_answer_([0-9]+)\b", k_key) + if checkbox_ids_str: + question_id, answer_id = [int(checkbox_ids_str.group(1)), int(checkbox_ids_str.group(2))] + if question_id in appointment_question_ids: + partner_inputs[question_id] = partner_inputs.get(question_id, []) + [answer_id] + + # The answer inputs will be created in _prepare_calendar_event_values from the values in answer_input_values + answer_input_values = [] + base_answer_input_vals = { + 'appointment_type_id': appointment_type.id, + 'partner_id': customer.id, + } + + for question in appointment_type.question_ids.filtered(lambda question: question.id in partner_inputs.keys()): + if question.question_type == 'checkbox': + answers = question.answer_ids.filtered(lambda answer: answer.id in partner_inputs[question.id]) + answer_input_values.extend([ + dict(base_answer_input_vals, question_id=question.id, value_answer_id=answer.id) for answer in answers + ]) + elif question.question_type in ['select', 'radio']: + answer_input_values.append( + dict(base_answer_input_vals, question_id=question.id, value_answer_id=int(partner_inputs[question.id])) + ) + elif question.question_type in ['char', 'text']: + answer_input_values.append( + dict(base_answer_input_vals, question_id=question.id, value_text_box=partner_inputs[question.id].strip()) + ) + + booking_line_values = [] + if appointment_type.schedule_based_on == 'resources': + capacity_to_assign = asked_capacity + for resource in resources: + resource_remaining_capacity = resources_remaining_capacity.get(resource) + new_capacity_reserved = min(resource_remaining_capacity, capacity_to_assign, resource.capacity) + capacity_to_assign -= new_capacity_reserved + booking_line_values.append({ + 'appointment_resource_id': resource.id, + 'capacity_reserved': new_capacity_reserved, + 'capacity_used': new_capacity_reserved if resource.shareable and appointment_type.capacity_type != 'single_booking' else resource.capacity, + }) + print("booking_value", booking_line_values , "end", asked_capacity,"en", new_capacity_reserved) + else: + user_remaining_capacity = users_remaining_capacity['total_remaining_capacity'] + new_capacity_reserved = min(user_remaining_capacity, asked_capacity, appointment_type.user_capacity_count) + booking_line_values.append({ + 'appointment_user_id': staff_user.id, + 'capacity_reserved': new_capacity_reserved, + 'capacity_used': new_capacity_reserved, + }) + if invite_token: + appointment_invite = request.env['appointment.invite'].sudo().search([('access_token', '=', invite_token)]) + else: + appointment_invite = request.env['appointment.invite'] + + return self._handle_appointment_form_submission( + appointment_type, date_start, date_end, duration, answer_input_values, name, + customer, appointment_invite, guests, staff_user, asked_capacity, booking_line_values + ) + + def _slot_availability_prepare_users_bookings_values(self, users, start_dt_utc, end_dt_utc): + """ This method computes bookings of users between start_dt and end_dt + of appointment check. Also, users are shared between multiple appointment + type. So we must consider all bookings in order to avoid booking them more than once. + + :param users: prepare values to check availability + of those users against given appointment boundaries. At this point + timezone should be correctly set in context of those users; + :param datetime start_dt_utc: beginning of appointment check boundary. Timezoned to UTC; + :param datetime end_dt_utc: end of appointment check boundary. Timezoned to UTC; + + :return: dict containing main values for computation, formatted like + { + 'users_to_bookings': bookings, formatted as a dict + { + 'appointment_user_id': recordset of booking line, + ... + }, + } + """ + + users_to_bookings = {} + if users: + booking_lines = self.env['appointment.booking.line'].sudo().search([ + ('appointment_user_id', 'in', users.ids), + ('event_start', '<', end_dt_utc), + ('event_stop', '>', start_dt_utc), + ]) + + users_to_bookings = booking_lines.grouped('appointment_user_id') + return { + 'users_to_bookings': users_to_bookings, + } + diff --git a/appointment_capacity/models/__init__.py b/appointment_capacity/models/__init__.py new file mode 100644 index 00000000000..8d3ecf1ca40 --- /dev/null +++ b/appointment_capacity/models/__init__.py @@ -0,0 +1,4 @@ +from . import appointment_type +# from . import appointment_slot +from . import appointment_booking +from . import calender_event diff --git a/appointment_capacity/models/appointment_booking.py b/appointment_capacity/models/appointment_booking.py new file mode 100644 index 00000000000..bbc220dd980 --- /dev/null +++ b/appointment_capacity/models/appointment_booking.py @@ -0,0 +1,49 @@ +from odoo import models, fields, api +from odoo.exceptions import ValidationError + + +class AppointmentBookingLine(models.Model): + _inherit = "appointment.booking.line" + + appointment_user_id = fields.Many2one('res.users', string="Appointment user", ondelete="cascade") + + appointment_resource_id = fields.Many2one('appointment.resource', string="Appointment Resource", + ondelete="cascade",required=False) + # @api.model + # def fields_get(self, allfields=None, attributes=None): + # """ Override fields_get to dynamically remove the 'required' constraint from 'appointment_resource_id'. """ + # res = super().fields_get(allfields, attributes) + # print("hkjsdhuih") + # if 'appointment_resource_id' in res: + # res['appointment_resource_id']['required'] = False + # return res + + # @api.model + # def fields_get(self, allfields=None, attributes=None): + # """ Hide first and last name field if the split name feature is not enabled. """ + # res = super().fields_get(allfields, attributes) + # if 'appointment_resource_id' in res: + # res['appointment_resource_id']['ondelete'] = 'set null' + # res['appointment_resource_id']['required'] = False + # return res + + @api.depends( + "appointment_resource_id.capacity", + "appointment_resource_id.shareable", + "appointment_type_id.capacity_type", + "appointment_type_id.user_capacity_count", + "capacity_reserved", + ) + def _compute_capacity_used(self): + self.capacity_used = 0 + for line in self: + if line.capacity_reserved == 0: + line.capacity_used = 0 + elif line.appointment_type_id.capacity_type == 'multiple_bookings': + line.capacity_used = 1 + elif line.appointment_type_id.capacity_type == 'multiple_seats': + line.capacity_used = line.capacity_reserved + elif not line.appointment_resource_id.shareable or line.appointment_type_id.capacity_type == 'single_booking': + line.capacity_used = line.appointment_resource_id.capacity + else: + line.capacity_used = 0 diff --git a/appointment_capacity/models/appointment_type.py b/appointment_capacity/models/appointment_type.py new file mode 100644 index 00000000000..650b093abba --- /dev/null +++ b/appointment_capacity/models/appointment_type.py @@ -0,0 +1,304 @@ +import pytz +import re +import random +from dateutil import rrule + +from odoo import models, fields, api +from odoo.exceptions import ValidationError +from odoo.http import request, route +from odoo.tools import float_compare + + +class AppointmentType(models.Model): + _inherit = "appointment.type" + + capacity_type = fields.Selection( + [ + ("single_booking", "Single Booking"), + ("multiple_bookings", "Multiple Bookings"), + ("multiple_seats", "Multiple Seats"), + ], + string="Capacity Type", + required=True, + default="single_booking", + ) + + user_capacity_count = fields.Integer( + "User cpacity count", + default=2, + help="Maximum number of users bookings per slot (for multiple bookings or multiple seats).", + ) + + + @api.constrains("user_capacity_count") + def _check_user_capacity_count(self): + for record in self: + if ( + record.capacity_type in ["multiple_bookings", "multiple_seats"] + and record.user_capacity_count <= 0 + ): + raise ValidationError( + "Max Count must be greater than zero for multiple bookings or multiple seats." + ) + @api.depends("capacity_type", "user_capacity_count") + def _compute_available_capacity(self): + for record in self: + if not self.capacity_type != 'single_booking' and self.schedule_based_on == 'resources': + self.resource_manage_capacity = True + print(self.resource_manage_capacity) + + # max_capacity = record.user_capacity_count + # total_reserved = self.env["appointment.booking.line"].search_count([ + # ("appointment_type_id", "=", record.id), + # ]) + # print(total_reserved) + # record.available_capacity = max(0, max_capacity - total_reserved) + # print("re",record.available_capacity) + + def _get_default_appointment_status(self, start_dt, stop_dt, capacity_reserved): + """ Get the status of the appointment based on users/resources and the manual confirmation option. + :param datetime start_dt: start datetime of appointment (in naive UTC) + :param datetime stop_dt: stop datetime of appointment (in naive UTC) + :param int capacity_reserved: capacity reserved by the customer for the appointment + """ + self.ensure_one() + default_state = 'booked' + if self.appointment_manual_confirmation: + bookings_data = self.env['appointment.booking.line'].sudo()._read_group([ + ('appointment_type_id', '=', self.id), + ('event_start', '<', stop_dt), + ('event_stop', '>', start_dt) + ], [], ['capacity_used:sum']) + capacity_already_used = bookings_data[0][0] + total_capacity_used = capacity_already_used + (1 if self.capacity_type == 'multiple_bookings' else capacity_reserved) #here make changes + total_capacity = self.resource_total_capacity if self.schedule_based_on == 'resources' else self.user_capacity_count + + if float_compare(total_capacity_used / total_capacity, self.resource_manual_confirmation_percentage, 2) > 0: + default_state = 'request' + elif self.appointment_manual_confirmation: + default_state = 'request' + return default_state + + def _slot_availability_is_resource_available(self, slot, resource, availability_values): + """ This method verifies if the resource is available on the given slot. + It checks whether the resource has bookings clashing and if it + is included in slot's restricted resources. + + Can be overridden to add custom checks. + + :param dict slot: a slot as generated by ``_slots_generate``; + :param resource: resource to check against slot boundaries. + At this point timezone should be correctly set in context; + :param dict availability_values: dict of data used for availability check. + See ``_slot_availability_prepare_resources_values()`` for more details; + + :return: boolean: is resource available for an appointment for given slot + """ + if slot['slot'].restrict_to_resource_ids and resource not in slot['slot'].restrict_to_resource_ids: + return False + + slot_start_dt_utc, slot_end_dt_utc = slot['UTC'][0], slot['UTC'][1] + resource_to_bookings = availability_values.get('resource_to_bookings') + # Check if there is already a booking line for the time slot and make it available + # only if the resource is shareable and the capacity_type is not single_booking. + # This avoid to mark the resource as "available" and compute unnecessary remaining capacity computation + # because of potential linked resources. + if resource_to_bookings.get(resource): + if resource_to_bookings[resource].filtered(lambda bl: bl.event_start < slot_end_dt_utc and bl.event_stop > slot_start_dt_utc): + if self.capacity_type != "single_booking": + return True + + slot_start_dt_utc_l, slot_end_dt_utc_l = pytz.utc.localize(slot_start_dt_utc), pytz.utc.localize(slot_end_dt_utc) + for i_start, i_stop in availability_values.get('resource_unavailabilities', {}).get(resource, []): + if i_start != i_stop and i_start < slot_end_dt_utc_l and i_stop > slot_start_dt_utc_l: + return False + + return True + + + def _slot_availability_select_best_resources(self, capacity_info, asked_capacity): + """ Check and select the best resources for the capacity needed + :params main_resources_remaining_capacity : dict containing remaining capacities of resources available + :params linked_resources_remaining_capacity : dict containing remaining capacities of linked resources + :params asked_capacity : asked capacity for the appointment + :returns: we return recordset of best resources selected + """ + self.ensure_one() + available_resources = self.env['appointment.resource'].concat(*capacity_info.keys()).sorted('sequence') + if not available_resources: + return self.env['appointment.resource'] + if self.capacity_type == 'single_booking': + return available_resources[0] if self.assign_method != 'time_resource' else available_resources + + perfect_matches = available_resources.filtered( + lambda resource: resource.capacity == asked_capacity and capacity_info[resource]['remaining_capacity'] == asked_capacity) + if perfect_matches: + return available_resources if self.assign_method == 'time_resource' else perfect_matches[0] + + first_resource_selected = available_resources[0] + first_resource_selected_capacity_info = capacity_info.get(first_resource_selected) + first_resource_selected_capacity = first_resource_selected_capacity_info['remaining_capacity'] + capacity_needed = asked_capacity - first_resource_selected_capacity + if capacity_needed > 0: + # Get the best resources combination based on the capacity we need and the resources available. + resource_possible_combinations = available_resources._get_filtered_possible_capacity_combinations( + asked_capacity, + capacity_info, + ) + if not resource_possible_combinations: + return self.env['appointment.resource'] + if asked_capacity <= first_resource_selected_capacity_info['total_remaining_capacity'] - first_resource_selected_capacity: + r_ids = first_resource_selected.ids + first_resource_selected.linked_resource_ids.ids + resource_possible_combinations = list(filter(lambda cap: any(r_id in r_ids for r_id in cap[0]), resource_possible_combinations)) + resources_combinations_exact_capacity = list(filter(lambda cap: cap[1] == asked_capacity, resource_possible_combinations)) + resources_combination_selected = resources_combinations_exact_capacity[0] if resources_combinations_exact_capacity else resource_possible_combinations[0] + return available_resources.filtered(lambda resource: resource.id in resources_combination_selected[0]) + + if self.assign_method == 'time_resource': + return available_resources + + return first_resource_selected + + # -------------------------------------- + # Staff Users - Slots Availability + # -------------------------------------- + + def _slots_fill_users_availability(self, slots, start_dt, end_dt, filter_users=None, asked_capacity=1): + """ Fills the slot structure with an available user + + :param list slots: slots (list of slot dict), as generated by ``_slots_generate``; + :param datetime start_dt: beginning of appointment check boundary. Timezoned to UTC; + :param datetime end_dt: end of appointment check boundary. Timezoned to UTC; + :param filter_users: filter available slots for those users (can be a singleton + for fixed appointment types or can contain several users e.g. with random assignment and + filters) If not set, use all users assigned to this appointment type. + + :return: None but instead update ``slots`` adding ``staff_user_id`` or ``available_staff_users`` key + containing available user(s); + """ + # shuffle the available users into a random order to avoid having the same + # one assigned every time, force timezone + available_users = [ + user.with_context(tz=user.tz) + for user in (filter_users or self.staff_user_ids) + ] + random.shuffle(available_users) + available_users_tz = self.env['res.users'].concat(*available_users) + + # fetch value used for availability in batch + availability_values = self._slot_availability_prepare_users_values( + available_users_tz, start_dt, end_dt + ) + + for slot in slots: + if self.assign_method == 'time_resource': + available_staff_users = available_users_tz.filtered( + lambda staff_user: self._slot_availability_is_user_available( + slot, + staff_user, + availability_values, + asked_capacity + ) + ) + else: + available_staff_users = next( + (staff_user for staff_user in available_users_tz if self._slot_availability_is_user_available( + slot, + staff_user, + availability_values, + asked_capacity + )), + False) + if available_staff_users: + if self.assign_method == 'time_resource': + slot['available_staff_users'] = available_staff_users + else: + slot['staff_user_id'] = available_staff_users + + + + def _slot_availability_is_user_available(self, slot, staff_user, availability_values, asked_capacity=1): + """ This method verifies if the user is available on the given slot. + It checks whether the user has calendar events clashing and if he + is included in slot's restricted users. + + Can be overridden to add custom checks. + + :param dict slot: a slot as generated by ``_slots_generate``; + :param staff_user: user to check against slot boundaries. + At this point timezone should be correctly set in context; + :param dict availability_values: dict of data used for availability check. + See ``_slot_availability_prepare_users_values()`` for more details; + :return: boolean: is user available for an appointment for given slot + """ + slot_start_dt_utc, slot_end_dt_utc = slot['UTC'][0], slot['UTC'][1] + staff_user_tz = pytz.timezone(staff_user.tz) if staff_user.tz else pytz.utc + slot_start_dt_user_timezone = slot_start_dt_utc.astimezone(staff_user_tz) + slot_end_dt_user_timezone = slot_end_dt_utc.astimezone(staff_user_tz) + + if slot['slot'].restrict_to_user_ids and staff_user not in slot['slot'].restrict_to_user_ids: + return False + + partner_to_events = availability_values.get('partner_to_events') or {} + users_remaining_capacity = self._get_users_remaining_capacity(staff_user, slot['UTC'][0], slot['UTC'][1], + availability_values=availability_values) + if partner_to_events.get(staff_user.partner_id): + for day_dt in rrule.rrule(freq=rrule.DAILY, + dtstart=slot_start_dt_utc, + until=slot_end_dt_utc, + interval=1): + day_events = partner_to_events[staff_user.partner_id].get(day_dt.date()) or [] + # if any(not event.allday and (event.start < slot_end_dt_utc and event.stop > slot_start_dt_utc) for event in day_events): + # return False + for event in day_events: + if not event.allday and (event.start < slot_end_dt_utc and event.stop > slot_start_dt_utc): + if self.capacity_type != "single_booking" and self == event.appointment_type_id: + if users_remaining_capacity['total_remaining_capacity'] >= asked_capacity: + continue + return False + for day_dt in rrule.rrule(freq=rrule.DAILY, + dtstart=slot_start_dt_user_timezone, + until=slot_end_dt_user_timezone, + interval=1): + day_events = partner_to_events[staff_user.partner_id].get(day_dt.date()) or [] + if any(event.allday for event in day_events): + return False + return True + + def _get_users_remaining_capacity(self, users, slot_start_utc, slot_stop_utc, availability_values=None): + """ Compute the remaining capacities for users in a particular time slot. + :param users : record containing one or a multiple of users + :param datetime slot_start_utc: start of slot (in naive UTC) + :param datetime slot_stop_utc: end of slot (in naive UTC) + :param list users_to_bookings: list of users linked to their booking lines from the prepared value. + If no value is passed, then we search manually the booking lines (used for the appointment validation step) + :param filter_users: filter the users impacted with this value + :return remaining_capacity: + """ + self.ensure_one() + + all_users = users & self.staff_user_ids + # if filter_users: + # all_users &= filter_users + if not users: + return {'total_remaining_capacity': 0} + + booking_lines = self.env['appointment.booking.line'].sudo() + if availability_values is None: + availability_values = self._slot_availability_prepare_users_values(all_users, slot_start_utc, slot_stop_utc) + users_to_bookings = availability_values.get('users_to_bookings', {}) + users_remaining_capacity = {} + print(users_to_bookings) + for user, booking_lines_ids in users_to_bookings.items(): + if user in all_users: + booking_lines |= booking_lines_ids + booking_lines = booking_lines.filtered(lambda bl: bl.event_start < slot_stop_utc and bl.event_stop > slot_start_utc) + + users_booking_lines = booking_lines.grouped('appointment_user_id') + + for user in all_users: + users_remaining_capacity[user] = self.user_capacity_count - sum(booking_line.capacity_used for booking_line in users_booking_lines.get(user, [])) + + users_remaining_capacity.update(total_remaining_capacity=sum(users_remaining_capacity.values())) + return users_remaining_capacity + diff --git a/appointment_capacity/models/calender_event.py b/appointment_capacity/models/calender_event.py new file mode 100644 index 00000000000..1ddbae31f31 --- /dev/null +++ b/appointment_capacity/models/calender_event.py @@ -0,0 +1,48 @@ +from odoo import models, fields, api +from odoo.exceptions import ValidationError + +class CalendarEvent(models.Model): + _inherit = "calendar.event" + + appointment_type_capacity_type = fields.Selection(related="appointment_type_id.capacity_type") + + # @api.model + # def create(self, vals_list): + # """ Ensure that booking respects capacity rules """ + # appointment_type = self.env["appointment.type"].browse(vals_list.get("appointment_type_id")) + # print() + # if appointment_type.capacity_type in ["multiple_bookings", "multiple_seats"]: + # if appointment_type.available_capacity <= 0: + # raise ValidationError("This time slot is fully booked.") + # print(appointment_type.available_capacity) + # appointment_type.available_capacity -= vals_list.get("capacity_reserved") or 1 # Reduce available slots + # print(appointment_type.available_capacity) + + # return super(CalendarEvent, self).create(vals_list) + @api.depends('appointment_type_capacity_type', 'resource_total_capacity_reserved') + def _inverse_resource_ids_or_capacity(self): + booking_lines = [] + for event in self: + resources = event.resource_ids + if resources: + # Ignore the inverse and keep the previous booking lines when we duplicate an event + if self.env.context.get('is_appointment_copied'): + continue + if event.appointment_type_manage_capacity != 'single_bookings' and self.resource_total_capacity_reserved: + capacity_to_reserve = self.resource_total_capacity_reserved + else: + capacity_to_reserve = sum(event.booking_line_ids.mapped('capacity_reserved')) or sum(resources.mapped('capacity')) + event.booking_line_ids.sudo().unlink() + for resource in resources.sorted("shareable"): + if event.appointment_type_manage_capacity != 'single_bookings' and capacity_to_reserve <= 0: + break + booking_lines.append({ + 'appointment_resource_id': resource.id, + 'calendar_event_id': event.id, + 'capacity_reserved': min(resource.capacity, capacity_to_reserve), + }) + capacity_to_reserve -= min(resource.capacity, capacity_to_reserve) + capacity_to_reserve = max(0, capacity_to_reserve) + else: + event.booking_line_ids.sudo().unlink() + self.env['appointment.booking.line'].sudo().create(booking_lines) diff --git a/appointment_capacity/views/appointment_template_appointment.xml b/appointment_capacity/views/appointment_template_appointment.xml new file mode 100644 index 00000000000..3affdbecead --- /dev/null +++ b/appointment_capacity/views/appointment_template_appointment.xml @@ -0,0 +1,17 @@ + + + + diff --git a/appointment_capacity/views/appointment_type_views.xml b/appointment_capacity/views/appointment_type_views.xml new file mode 100644 index 00000000000..1da50162071 --- /dev/null +++ b/appointment_capacity/views/appointment_type_views.xml @@ -0,0 +1,29 @@ + + + + appointment.type.form.capacity + appointment.type + + + + + + + From 2ac1fb97f9df4b9417b9bdb02632013f52d379b2 Mon Sep 17 00:00:00 2001 From: dvpa-odoo Date: Tue, 25 Mar 2025 12:40:08 +0530 Subject: [PATCH 2/5] [IMP] appointment_capacity: improve capacity validation for user availability --- appointment_capacity/__init__.py | 2 +- appointment_capacity/__manifest__.py | 5 +- appointment_capacity/controllers/__init__.py | 2 +- .../controllers/appointment.py | 111 +------ appointment_capacity/models/__init__.py | 3 +- .../models/appointment_booking.py | 25 +- .../models/appointment_type.py | 300 ++++++++++++++++-- .../models/calendar_booking_line.py | 9 + appointment_capacity/models/calender_event.py | 17 +- appointment_capacity/models/res_partner.py | 37 +++ .../appointment_template_appointment.xml | 9 +- .../views/appointment_type_views.xml | 26 +- .../views/calendar_event_views.xml | 15 + 13 files changed, 380 insertions(+), 181 deletions(-) create mode 100644 appointment_capacity/models/calendar_booking_line.py create mode 100644 appointment_capacity/models/res_partner.py create mode 100644 appointment_capacity/views/calendar_event_views.xml diff --git a/appointment_capacity/__init__.py b/appointment_capacity/__init__.py index f7209b17100..91c5580fed3 100644 --- a/appointment_capacity/__init__.py +++ b/appointment_capacity/__init__.py @@ -1,2 +1,2 @@ -from . import models from . import controllers +from . import models diff --git a/appointment_capacity/__manifest__.py b/appointment_capacity/__manifest__.py index c8cd345f544..5a5f2b30b85 100644 --- a/appointment_capacity/__manifest__.py +++ b/appointment_capacity/__manifest__.py @@ -7,10 +7,11 @@ - Supports multiple seats per slot. """, 'author': 'Darshan Patel', - 'depends': ['calendar', 'appointment'], + 'depends': ['appointment','appointment_account_payment', 'calendar'], 'data': [ 'views/appointment_type_views.xml', - 'views/appointment_template_appointment.xml' + 'views/appointment_template_appointment.xml', + 'views/calendar_event_views.xml', ], 'installable': True, 'license': 'LGPL-3', diff --git a/appointment_capacity/controllers/__init__.py b/appointment_capacity/controllers/__init__.py index 92705f70ae7..669664c2844 100644 --- a/appointment_capacity/controllers/__init__.py +++ b/appointment_capacity/controllers/__init__.py @@ -1 +1 @@ -from . import appointment \ No newline at end of file +from . import appointment diff --git a/appointment_capacity/controllers/appointment.py b/appointment_capacity/controllers/appointment.py index 5d86368f9fa..0440a054c58 100644 --- a/appointment_capacity/controllers/appointment.py +++ b/appointment_capacity/controllers/appointment.py @@ -19,88 +19,34 @@ from odoo.tools import DEFAULT_SERVER_DATETIME_FORMAT as dtf, email_normalize from odoo.tools.mail import is_html_empty from odoo.tools.misc import babel_locale_parse, get_lang +from odoo.addons.appointment.controllers.appointment import AppointmentController from odoo.addons.base.models.ir_qweb import keep_query from odoo.addons.base.models.res_partner import _tz_get from odoo.addons.phone_validation.tools import phone_validation from odoo.exceptions import UserError -from odoo.addons.appointment.controllers.appointment import AppointmentController class AppointmentCapacityController(AppointmentController): - # pass - - def _prepare_appointment_type_page_values(self, appointment_type, staff_user_id=False, resource_selected_id=False, **kwargs): - """ Computes all values needed to choose between / common to all appointment_type page templates. - :return: a dict containing: - - available_appointments: all available appointments according to current filters and invite tokens. - - filter_appointment_type_ids, filter_staff_user_ids and invite_token parameters. - - user_default: the first of possible staff users. It will be selected by default (in the user select dropdown) - if no user_selected. Otherwise, the latter will be preselected instead. It is only set if there is at least one - possible user and the choice is activated in appointment_type, or used for having the user name in title if there - is a single possible user, for random selection. - - user_selected: the user corresponding to staff_user_id in the url and to the selected one. It can be selected - upstream, from the operator_select screen (see WebsiteAppointment controller), or coming back from an error. - It is only set if among the possible users. - - users_possible: all possible staff users considering filter_staff_user_ids and staff members of appointment_type. - - resource_selected: the resource corresponding to resource_selected_id in the url and to the selected one. It can be selected - upstream, from the operator_select screen (see WebsiteAppointment controller), or coming back from an error. - - resources_possible: all possible resources considering filter_resource_ids and resources of appointment type. - - max_capacity: the maximum capacity that can be selected by the user to make an appointment on a resource. - - hide_select_dropdown: True if the user select dropdown should be hidden. (e.g. an operator has been selected before) - Even if hidden, it can still be in the view and used to update availabilities according to the selected user in the js. + def _prepare_appointment_type_page_values(self, appointment_type, staff_user_id=False, resource_selected_id=False, skip_resource_selection=False, **kwargs): """ - filter_staff_user_ids = json.loads(kwargs.get('filter_staff_user_ids') or '[]') - filter_resource_ids = json.loads(kwargs.get('filter_resource_ids') or '[]') - users_possible = self._get_possible_staff_users(appointment_type, filter_staff_user_ids) - resources_possible = self._get_possible_resources(appointment_type, filter_resource_ids) - user_default = user_selected = request.env['res.users'] - resource_default = resource_selected = request.env['appointment.resource'] - staff_user_id = int(staff_user_id) if staff_user_id else False - resource_selected_id = int(resource_selected_id) if resource_selected_id else False - - if appointment_type.schedule_based_on == 'users': - if appointment_type.assign_method == 'resource_time' and users_possible: - if staff_user_id and staff_user_id in users_possible.ids: - user_selected = request.env['res.users'].sudo().browse(staff_user_id) - user_default = users_possible[0] - elif appointment_type.assign_method == 'time_auto_assign' and len(users_possible) == 1: - user_default = users_possible[0] - elif resources_possible: - if resource_selected_id and resource_selected_id in resources_possible.ids and appointment_type.assign_method != 'time_resource': - resource_selected = request.env['appointment.resource'].sudo().browse(resource_selected_id) - elif appointment_type.assign_method == 'resource_time': - resource_default = resources_possible[0] + Overrides `_prepare_appointment_type_page_values` to include capacity management based on `capacity_type`. + """ + values = super()._prepare_appointment_type_page_values(appointment_type, staff_user_id, resource_selected_id, **kwargs) - capacity_type = appointment_type.capacity_type - if capacity_type == 'multiple_seats': + if appointment_type.capacity_type == 'multiple_seats': if appointment_type.schedule_based_on == 'users': max_capacity_possible = appointment_type.user_capacity_count else: - possible_combinations = (resource_selected or resource_default or resources_possible)._get_filtered_possible_capacity_combinations(1, {}) + possible_combinations = (values['resource_selected'] or values['resource_default'] or values['resources_possible'])._get_filtered_possible_capacity_combinations(1, {}) max_capacity_possible = possible_combinations[-1][1] if possible_combinations else 1 else: max_capacity_possible = 1 - - return { - 'asked_capacity': int(kwargs['asked_capacity']) if kwargs.get('asked_capacity') else False, - 'available_appointments': kwargs['available_appointments'], - 'filter_appointment_type_ids': kwargs.get('filter_appointment_type_ids'), - 'filter_staff_user_ids': kwargs.get('filter_staff_user_ids'), - 'filter_resource_ids': kwargs.get('filter_resource_ids'), - 'hide_select_dropdown': len(users_possible if appointment_type.schedule_based_on == 'users' else resources_possible) <= 1, - 'invite_token': kwargs.get('invite_token'), - 'max_capacity': min(12, max_capacity_possible), - 'resource_default': resource_default, - 'resource_selected': resource_selected, - 'resources_possible': resources_possible, - 'user_default': user_default, - 'user_selected': user_selected, - 'users_possible': users_possible, - } - + + values['max_capacity_possible'] = min(12, max_capacity_possible) + return values @http.route() @@ -250,7 +196,6 @@ def appointment_form_submit(self, appointment_type_id, datetime_str, duration_st 'capacity_reserved': new_capacity_reserved, 'capacity_used': new_capacity_reserved if resource.shareable and appointment_type.capacity_type != 'single_booking' else resource.capacity, }) - print("booking_value", booking_line_values , "end", asked_capacity,"en", new_capacity_reserved) else: user_remaining_capacity = users_remaining_capacity['total_remaining_capacity'] new_capacity_reserved = min(user_remaining_capacity, asked_capacity, appointment_type.user_capacity_count) @@ -263,43 +208,7 @@ def appointment_form_submit(self, appointment_type_id, datetime_str, duration_st appointment_invite = request.env['appointment.invite'].sudo().search([('access_token', '=', invite_token)]) else: appointment_invite = request.env['appointment.invite'] - return self._handle_appointment_form_submission( appointment_type, date_start, date_end, duration, answer_input_values, name, customer, appointment_invite, guests, staff_user, asked_capacity, booking_line_values ) - - def _slot_availability_prepare_users_bookings_values(self, users, start_dt_utc, end_dt_utc): - """ This method computes bookings of users between start_dt and end_dt - of appointment check. Also, users are shared between multiple appointment - type. So we must consider all bookings in order to avoid booking them more than once. - - :param users: prepare values to check availability - of those users against given appointment boundaries. At this point - timezone should be correctly set in context of those users; - :param datetime start_dt_utc: beginning of appointment check boundary. Timezoned to UTC; - :param datetime end_dt_utc: end of appointment check boundary. Timezoned to UTC; - - :return: dict containing main values for computation, formatted like - { - 'users_to_bookings': bookings, formatted as a dict - { - 'appointment_user_id': recordset of booking line, - ... - }, - } - """ - - users_to_bookings = {} - if users: - booking_lines = self.env['appointment.booking.line'].sudo().search([ - ('appointment_user_id', 'in', users.ids), - ('event_start', '<', end_dt_utc), - ('event_stop', '>', start_dt_utc), - ]) - - users_to_bookings = booking_lines.grouped('appointment_user_id') - return { - 'users_to_bookings': users_to_bookings, - } - diff --git a/appointment_capacity/models/__init__.py b/appointment_capacity/models/__init__.py index 8d3ecf1ca40..4eeccca9929 100644 --- a/appointment_capacity/models/__init__.py +++ b/appointment_capacity/models/__init__.py @@ -1,4 +1,5 @@ from . import appointment_type -# from . import appointment_slot from . import appointment_booking from . import calender_event +from . import calendar_booking_line +from . import res_partner diff --git a/appointment_capacity/models/appointment_booking.py b/appointment_capacity/models/appointment_booking.py index bbc220dd980..e35c40268fa 100644 --- a/appointment_capacity/models/appointment_booking.py +++ b/appointment_capacity/models/appointment_booking.py @@ -6,26 +6,7 @@ class AppointmentBookingLine(models.Model): _inherit = "appointment.booking.line" appointment_user_id = fields.Many2one('res.users', string="Appointment user", ondelete="cascade") - - appointment_resource_id = fields.Many2one('appointment.resource', string="Appointment Resource", - ondelete="cascade",required=False) - # @api.model - # def fields_get(self, allfields=None, attributes=None): - # """ Override fields_get to dynamically remove the 'required' constraint from 'appointment_resource_id'. """ - # res = super().fields_get(allfields, attributes) - # print("hkjsdhuih") - # if 'appointment_resource_id' in res: - # res['appointment_resource_id']['required'] = False - # return res - - # @api.model - # def fields_get(self, allfields=None, attributes=None): - # """ Hide first and last name field if the split name feature is not enabled. """ - # res = super().fields_get(allfields, attributes) - # if 'appointment_resource_id' in res: - # res['appointment_resource_id']['ondelete'] = 'set null' - # res['appointment_resource_id']['required'] = False - # return res + appointment_resource_id = fields.Many2one('appointment.resource', string="Appointment Resource",ondelete="cascade",required=False) @api.depends( "appointment_resource_id.capacity", @@ -43,7 +24,7 @@ def _compute_capacity_used(self): line.capacity_used = 1 elif line.appointment_type_id.capacity_type == 'multiple_seats': line.capacity_used = line.capacity_reserved - elif not line.appointment_resource_id.shareable or line.appointment_type_id.capacity_type == 'single_booking': + elif (not line.appointment_resource_id.shareable or line.appointment_type_id.capacity_type == 'single_booking') and line.appointment_type_id.schedule_based_on == 'resources': line.capacity_used = line.appointment_resource_id.capacity else: - line.capacity_used = 0 + line.capacity_used = line.capacity_reserved diff --git a/appointment_capacity/models/appointment_type.py b/appointment_capacity/models/appointment_type.py index 650b093abba..de976e89220 100644 --- a/appointment_capacity/models/appointment_type.py +++ b/appointment_capacity/models/appointment_type.py @@ -1,12 +1,16 @@ -import pytz -import re +import calendar as cal import random +import pytz +from datetime import datetime, time from dateutil import rrule +from dateutil.relativedelta import relativedelta +from babel.dates import format_datetime, format_time +from werkzeug.urls import url_encode -from odoo import models, fields, api +from odoo import api, fields, models, _ from odoo.exceptions import ValidationError -from odoo.http import request, route from odoo.tools import float_compare +from odoo.tools.misc import babel_locale_parse, get_lang class AppointmentType(models.Model): @@ -25,7 +29,7 @@ class AppointmentType(models.Model): user_capacity_count = fields.Integer( "User cpacity count", - default=2, + default=1, help="Maximum number of users bookings per slot (for multiple bookings or multiple seats).", ) @@ -40,20 +44,6 @@ def _check_user_capacity_count(self): raise ValidationError( "Max Count must be greater than zero for multiple bookings or multiple seats." ) - @api.depends("capacity_type", "user_capacity_count") - def _compute_available_capacity(self): - for record in self: - if not self.capacity_type != 'single_booking' and self.schedule_based_on == 'resources': - self.resource_manage_capacity = True - print(self.resource_manage_capacity) - - # max_capacity = record.user_capacity_count - # total_reserved = self.env["appointment.booking.line"].search_count([ - # ("appointment_type_id", "=", record.id), - # ]) - # print(total_reserved) - # record.available_capacity = max(0, max_capacity - total_reserved) - # print("re",record.available_capacity) def _get_default_appointment_status(self, start_dt, stop_dt, capacity_reserved): """ Get the status of the appointment based on users/resources and the manual confirmation option. @@ -70,13 +60,15 @@ def _get_default_appointment_status(self, start_dt, stop_dt, capacity_reserved): ('event_stop', '>', start_dt) ], [], ['capacity_used:sum']) capacity_already_used = bookings_data[0][0] - total_capacity_used = capacity_already_used + (1 if self.capacity_type == 'multiple_bookings' else capacity_reserved) #here make changes + if self.capacity_type == 'multiple_bookings': + total_capacity_used = capacity_already_used + 1 + else: + total_capacity_used = capacity_already_used + capacity_reserved total_capacity = self.resource_total_capacity if self.schedule_based_on == 'resources' else self.user_capacity_count if float_compare(total_capacity_used / total_capacity, self.resource_manual_confirmation_percentage, 2) > 0: default_state = 'request' - elif self.appointment_manual_confirmation: - default_state = 'request' + return default_state def _slot_availability_is_resource_available(self, slot, resource, availability_values): @@ -105,8 +97,10 @@ def _slot_availability_is_resource_available(self, slot, resource, availability_ # because of potential linked resources. if resource_to_bookings.get(resource): if resource_to_bookings[resource].filtered(lambda bl: bl.event_start < slot_end_dt_utc and bl.event_stop > slot_start_dt_utc): - if self.capacity_type != "single_booking": - return True + if self.capacity_type == 'multiple_seats': + return resource.shareable + else: + return self.capacity_type == 'multiple_bookings' slot_start_dt_utc_l, slot_end_dt_utc_l = pytz.utc.localize(slot_start_dt_utc), pytz.utc.localize(slot_end_dt_utc) for i_start, i_stop in availability_values.get('resource_unavailabilities', {}).get(resource, []): @@ -278,27 +272,275 @@ def _get_users_remaining_capacity(self, users, slot_start_utc, slot_stop_utc, av self.ensure_one() all_users = users & self.staff_user_ids - # if filter_users: - # all_users &= filter_users - if not users: + + if not all_users: return {'total_remaining_capacity': 0} booking_lines = self.env['appointment.booking.line'].sudo() if availability_values is None: availability_values = self._slot_availability_prepare_users_values(all_users, slot_start_utc, slot_stop_utc) users_to_bookings = availability_values.get('users_to_bookings', {}) + partners_to_events = availability_values.get('partner_to_events', {}) + users_remaining_capacity = {} - print(users_to_bookings) for user, booking_lines_ids in users_to_bookings.items(): if user in all_users: booking_lines |= booking_lines_ids - booking_lines = booking_lines.filtered(lambda bl: bl.event_start < slot_stop_utc and bl.event_stop > slot_start_utc) + booking_lines = booking_lines.filtered(lambda bl: bl.event_start < slot_stop_utc and bl.event_stop > slot_start_utc) users_booking_lines = booking_lines.grouped('appointment_user_id') for user in all_users: users_remaining_capacity[user] = self.user_capacity_count - sum(booking_line.capacity_used for booking_line in users_booking_lines.get(user, [])) + partner_events = partners_to_events.get(user.partner_id, False) + if partner_events and any(event.appointment_type_id == self and not event.booking_line_ids for event in partner_events.values()): + users_remaining_capacity[user] -= 1 users_remaining_capacity.update(total_remaining_capacity=sum(users_remaining_capacity.values())) return users_remaining_capacity + + def _get_appointment_slots(self, timezone, filter_users=None, filter_resources=None, asked_capacity=1, reference_date=None): + """ Fetch available slots to book an appointment. + + :param str timezone: timezone string e.g.: 'Europe/Brussels' or 'Etc/GMT+1' + :param filter_users: filter available slots for those users (can be a singleton + for fixed appointment types or can contain several users, e.g. with random assignment and + filters) If not set, use all users assigned to this appointment type. + :param filter_resources: filter available slots for those resources + (can be a singleton for fixed appointment types or can contain several resources, + e.g. with random assignment and filters) If not set, use all resources assigned to this + appointment type. + :param int asked_capacity: the capacity the user want to book. + :param datetime reference_date: starting datetime to fetch slots. If not + given now (in UTC) is used instead. Note that minimum schedule hours + defined on appointment type is added to the beginning of slots; + + :returns: list of dicts (1 per month) containing available slots per week + and per day for each week (see ``_slots_generate()``), like + [ + {'id': 0, + 'month': 'February 2022' (formatted month name), + 'weeks': [ + [{'day': ''] + [{...}], + ], + }, + {'id': 1, + 'month': 'March 2022' (formatted month name), + 'weeks': [ (...) ], + }, + {...} + ] + """ + self.ensure_one() + + if not self.active: + return [] + now = datetime.utcnow() + if not reference_date: + reference_date = now + + try: + requested_tz = pytz.timezone(timezone) + except pytz.UnknownTimeZoneError: + requested_tz = self.appointment_tz + + appointment_duration_days = self.max_schedule_days + unique_slots = self.slot_ids.filtered(lambda slot: slot.slot_type == 'unique') + + if self.category == 'custom' and unique_slots: + # Custom appointment type, the first day should depend on the first slot datetime + start_first_slot = unique_slots[0].start_datetime + first_day_utc = start_first_slot if reference_date > start_first_slot else reference_date + first_day = requested_tz.fromutc(first_day_utc + relativedelta(hours=self.min_schedule_hours)) + appointment_duration_days = (unique_slots[-1].end_datetime.date() - reference_date.date()).days + last_day = requested_tz.fromutc(reference_date + relativedelta(days=appointment_duration_days)) + elif self.category == 'punctual': + # Punctual appointment type, the first day is the start_datetime if it is in the future, else the first day is now + first_day = requested_tz.fromutc(self.start_datetime if self.start_datetime > now else now) + last_day = requested_tz.fromutc(self.end_datetime) + else: + # Recurring appointment type + first_day = requested_tz.fromutc(reference_date + relativedelta(hours=self.min_schedule_hours)) + last_day = requested_tz.fromutc(reference_date + relativedelta(days=appointment_duration_days)) + + # Compute available slots (ordered) + slots = self._slots_generate( + first_day.astimezone(pytz.utc), + last_day.astimezone(pytz.utc), + timezone, + reference_date=reference_date + ) + + # No slots -> skip useless computation + if not slots: + return slots + valid_users = filter_users.filtered(lambda user: user in self.staff_user_ids) if filter_users else None + valid_resources = filter_resources.filtered(lambda resource: resource in self.resource_ids) if filter_resources else None + # Not found staff user : incorrect configuration -> skip useless computation + if filter_users and not valid_users: + return [] + if filter_resources and not valid_resources: + return [] + # Used to check availabilities for the whole last day as _slot_generate will return all slots on that date. + last_day_end_of_day = datetime.combine( + last_day.astimezone(pytz.timezone(self.appointment_tz)), + time.max + ) + if self.schedule_based_on == 'users': + self._slots_fill_users_availability( + slots, + first_day.astimezone(pytz.UTC), + last_day_end_of_day.astimezone(pytz.UTC), + valid_users, + asked_capacity + ) + slot_field_label = 'available_staff_users' if self.assign_method == 'time_resource' else 'staff_user_id' + else: + self._slots_fill_resources_availability( + slots, + first_day.astimezone(pytz.UTC), + last_day_end_of_day.astimezone(pytz.UTC), + valid_resources, + asked_capacity, + ) + slot_field_label = 'available_resource_ids' + + total_nb_slots = sum(slot_field_label in slot for slot in slots) + # If there is no slot for the minimum capacity then we return an empty list. + # This will lead to a screen informing the customer that there is no availability. + # We don't want to return an empty list if the capacity as been tempered by the customer + # as he should still be able to interact with the screen and select another capacity. + if not total_nb_slots and asked_capacity == 1: + return [] + nb_slots_previous_months = 0 + + # Compute calendar rendering and inject available slots + today = requested_tz.fromutc(reference_date) + start = slots[0][timezone][0] if slots else today + locale = babel_locale_parse(get_lang(self.env).code) + month_dates_calendar = cal.Calendar(locale.first_week_day).monthdatescalendar + months = [] + while (start.year, start.month) <= (last_day.year, last_day.month): + nb_slots_next_months = sum(slot_field_label in slot for slot in slots) + has_availabilities = False + dates = month_dates_calendar(start.year, start.month) + for week_index, week in enumerate(dates): + for day_index, day in enumerate(week): + mute_cls = weekend_cls = today_cls = None + today_slots = [] + if day.weekday() in (locale.weekend_start, locale.weekend_end): + weekend_cls = 'o_weekend bg-light' + if day == today.date() and day.month == today.month: + today_cls = 'o_today' + if day.month != start.month: + mute_cls = 'text-muted o_mute_day' + else: + # slots are ordered, so check all unprocessed slots from until > day + while slots and (slots[0][timezone][0].date() <= day): + if (slots[0][timezone][0].date() == day) and (slot_field_label in slots[0]): + slot_start_dt_tz = slots[0][timezone][0].strftime('%Y-%m-%d %H:%M:%S') + slot = { + 'datetime': slot_start_dt_tz, + 'available_resources': [{ + 'id': resource.id, + 'name': resource.name, + 'capacity': resource.capacity, + } for resource in slots[0]['available_resource_ids']] if self.schedule_based_on == 'resources' else False, + } + if self.schedule_based_on == 'users' and self.assign_method == 'time_resource': + slot.update({'available_staff_users': [{ + 'id': staff.id, + 'name': staff.name, + } for staff in slots[0]['available_staff_users']]}) + elif self.schedule_based_on == 'users': + slot.update({'staff_user_id': slots[0]['staff_user_id'].id}) + if slots[0]['slot'].allday: + slot_duration = 24 + slot.update({ + 'hours': _("All day"), + 'slot_duration': slot_duration, + }) + else: + start_hour = format_time(slots[0][timezone][0].time(), format='short', locale=locale) + end_hour = format_time(slots[0][timezone][1].time(), format='short', locale=locale) if self.category == 'custom' else False + slot_duration = str((slots[0][timezone][1] - slots[0][timezone][0]).total_seconds() / 3600) + slot.update({ + 'start_hour': start_hour, + 'end_hour': end_hour, + 'slot_duration': slot_duration, + }) + url_parameters = { + 'date_time': slot_start_dt_tz, + 'duration': slot_duration, + } + if self.schedule_based_on == 'users' and self.assign_method != 'time_resource': + url_parameters.update(staff_user_id=str(slots[0]['staff_user_id'].id)) + elif self.schedule_based_on == 'resources': + url_parameters.update(available_resource_ids=str(slots[0]['available_resource_ids'].ids)) + slot['url_parameters'] = url_encode(url_parameters) + today_slots.append(slot) + nb_slots_next_months -= 1 + slots.pop(0) + today_slots = sorted(today_slots, key=lambda d: d['datetime']) + dates[week_index][day_index] = { + 'day': day, + 'slots': today_slots, + 'mute_cls': mute_cls, + 'weekend_cls': weekend_cls, + 'today_cls': today_cls + } + + has_availabilities = has_availabilities or bool(today_slots) + + months.append({ + 'id': len(months), + 'month': format_datetime(start, 'MMMM Y', locale=get_lang(self.env).code), + 'weeks': dates, + 'has_availabilities': has_availabilities, + 'nb_slots_previous_months': nb_slots_previous_months, + 'nb_slots_next_months': nb_slots_next_months, + }) + nb_slots_previous_months = total_nb_slots - nb_slots_next_months + start = start + relativedelta(months=1) + return months + + def _slot_availability_prepare_users_values(self, staff_users, start_dt, end_dt): + users_values = self._slot_availability_prepare_users_values_meetings(staff_users, start_dt, end_dt) + users_values.update(self._slot_availability_prepare_users_bookings_values(staff_users, start_dt, end_dt)) + return users_values + + def _slot_availability_prepare_users_bookings_values(self, users, start_dt_utc, end_dt_utc): + """ This method computes bookings of users between start_dt and end_dt + of appointment check. Also, users are shared between multiple appointment + type. So we must consider all bookings in order to avoid booking them more than once. + + :param users: prepare values to check availability + of those users against given appointment boundaries. At this point + timezone should be correctly set in context of those users; + :param datetime start_dt_utc: beginning of appointment check boundary. Timezoned to UTC; + :param datetime end_dt_utc: end of appointment check boundary. Timezoned to UTC; + + :return: dict containing main values for computation, formatted like + { + 'users_to_bookings': bookings, formatted as a dict + { + 'appointment_user_id': recordset of booking line, + ... + }, + } + """ + + users_to_bookings = {} + if users: + booking_lines = self.env['appointment.booking.line'].sudo().search([ + ('appointment_user_id', 'in', users.ids), + ('event_start', '<', end_dt_utc), + ('event_stop', '>', start_dt_utc), + ]) + + users_to_bookings = booking_lines.grouped('appointment_user_id') + return { + 'users_to_bookings': users_to_bookings, + } diff --git a/appointment_capacity/models/calendar_booking_line.py b/appointment_capacity/models/calendar_booking_line.py new file mode 100644 index 00000000000..ae1b5bc00b0 --- /dev/null +++ b/appointment_capacity/models/calendar_booking_line.py @@ -0,0 +1,9 @@ +from odoo import fields, models + + +class CalendarBookingLine(models.Model): + _inherit = 'calendar.booking.line' + _description = "Meeting User/Resource Booking" + + appointment_resource_id = fields.Many2one('appointment.resource', 'Resource', ondelete='cascade', required=False, readonly=True) + appointment_user_id = fields.Many2one('res.users', 'Users', ondelete='cascade', readonly=True) diff --git a/appointment_capacity/models/calender_event.py b/appointment_capacity/models/calender_event.py index 1ddbae31f31..50c6e9fde07 100644 --- a/appointment_capacity/models/calender_event.py +++ b/appointment_capacity/models/calender_event.py @@ -5,20 +5,7 @@ class CalendarEvent(models.Model): _inherit = "calendar.event" appointment_type_capacity_type = fields.Selection(related="appointment_type_id.capacity_type") - - # @api.model - # def create(self, vals_list): - # """ Ensure that booking respects capacity rules """ - # appointment_type = self.env["appointment.type"].browse(vals_list.get("appointment_type_id")) - # print() - # if appointment_type.capacity_type in ["multiple_bookings", "multiple_seats"]: - # if appointment_type.available_capacity <= 0: - # raise ValidationError("This time slot is fully booked.") - # print(appointment_type.available_capacity) - # appointment_type.available_capacity -= vals_list.get("capacity_reserved") or 1 # Reduce available slots - # print(appointment_type.available_capacity) - # return super(CalendarEvent, self).create(vals_list) @api.depends('appointment_type_capacity_type', 'resource_total_capacity_reserved') def _inverse_resource_ids_or_capacity(self): booking_lines = [] @@ -28,13 +15,13 @@ def _inverse_resource_ids_or_capacity(self): # Ignore the inverse and keep the previous booking lines when we duplicate an event if self.env.context.get('is_appointment_copied'): continue - if event.appointment_type_manage_capacity != 'single_bookings' and self.resource_total_capacity_reserved: + if event.appointment_type_capacity_type != 'single_booking' and self.resource_total_capacity_reserved: capacity_to_reserve = self.resource_total_capacity_reserved else: capacity_to_reserve = sum(event.booking_line_ids.mapped('capacity_reserved')) or sum(resources.mapped('capacity')) event.booking_line_ids.sudo().unlink() for resource in resources.sorted("shareable"): - if event.appointment_type_manage_capacity != 'single_bookings' and capacity_to_reserve <= 0: + if event.appointment_type_capacity_type != 'single_booking' and capacity_to_reserve <= 0: break booking_lines.append({ 'appointment_resource_id': resource.id, diff --git a/appointment_capacity/models/res_partner.py b/appointment_capacity/models/res_partner.py new file mode 100644 index 00000000000..33e6c733ac8 --- /dev/null +++ b/appointment_capacity/models/res_partner.py @@ -0,0 +1,37 @@ +from odoo import models +from datetime import datetime, time + +class ResPartnerInherited(models.Model): + _inherit = 'res.partner' + + def calendar_verify_availability(self, date_start, date_end): + """ Verify availability of the partner(s) between 2 datetimes on their calendar. + We only verify events that are not linked to an appointment type with resources since + someone could take multiple appointment for multiple resources. The availability of + resources is managed separately by booking lines (see ``appointment.booking.line`` model) + + :param datetime date_start: beginning of slot boundary. Not timezoned UTC; + :param datetime date_end: end of slot boundary. Not timezoned UTC; + """ + all_events = self.env['calendar.event'].search( + ['&', + ('partner_ids', 'in', self.ids), + '&', '&', + ('show_as', '=', 'busy'), + ('stop', '>', datetime.combine(date_start, time.min)), + ('start', '<', datetime.combine(date_end, time.max)), + ], + order='start asc', + ) + events_excluding_appointment_resource = all_events.filtered(lambda ev: ev.appointment_type_id.schedule_based_on != 'resources') + for event in events_excluding_appointment_resource: + if event.allday or (event.start < date_end and event.stop > date_start): + if event.appointment_type_id and event.appointment_type_id.capacity_type != 'single_booking' and all(user in event.appointment_type_id.staff_user_ids.partner_id for user in self): + continue + if event.attendee_ids.filtered_domain( + [('state', '!=', 'declined'), + ('partner_id', 'in', self.ids)] + ): + return False + + return True diff --git a/appointment_capacity/views/appointment_template_appointment.xml b/appointment_capacity/views/appointment_template_appointment.xml index 3affdbecead..d3cfa6f7730 100644 --- a/appointment_capacity/views/appointment_template_appointment.xml +++ b/appointment_capacity/views/appointment_template_appointment.xml @@ -1,16 +1,9 @@ diff --git a/appointment_capacity/views/appointment_type_views.xml b/appointment_capacity/views/appointment_type_views.xml index 1da50162071..3d5fa51e470 100644 --- a/appointment_capacity/views/appointment_type_views.xml +++ b/appointment_capacity/views/appointment_type_views.xml @@ -1,10 +1,18 @@ - + appointment.type.form.capacity appointment.type + + + 1 + + + 1 + + + + + + + + appointment.type.view.form.inherit.account.capacity + appointment.type + + + + capacity_type == 'multiple_seats' + + + capacity_type != 'multiple_seats' + + diff --git a/appointment_capacity/views/calendar_event_views.xml b/appointment_capacity/views/calendar_event_views.xml new file mode 100644 index 00000000000..b8c6c39ae8a --- /dev/null +++ b/appointment_capacity/views/calendar_event_views.xml @@ -0,0 +1,15 @@ + + + + + calendar.event.view.form.gantt.booking.inherit + calendar.event + + + + appointment_type_capacity_type == 'single_booking' + + + + + From ea2ee1d3d941a095eacf5eb9fed576b3a5d9b060 Mon Sep 17 00:00:00 2001 From: dvpa-odoo Date: Wed, 26 Mar 2025 12:50:58 +0530 Subject: [PATCH 3/5] [IMP] appointment_capacity: improve on user availability --- .../controllers/appointment.py | 23 +--- .../models/appointment_booking.py | 3 +- .../models/appointment_type.py | 102 +++++++++--------- 3 files changed, 57 insertions(+), 71 deletions(-) diff --git a/appointment_capacity/controllers/appointment.py b/appointment_capacity/controllers/appointment.py index 0440a054c58..24f5f110c26 100644 --- a/appointment_capacity/controllers/appointment.py +++ b/appointment_capacity/controllers/appointment.py @@ -1,30 +1,17 @@ - import json import pytz import re -from pytz.exceptions import UnknownTimeZoneError - -from babel.dates import format_datetime, format_date, format_time -from datetime import datetime, date from dateutil.relativedelta import relativedelta -from markupsafe import Markup from urllib.parse import unquote_plus -from werkzeug.exceptions import Forbidden, NotFound -from werkzeug.urls import url_encode - -from odoo import Command, exceptions, http, fields, _ -from odoo.http import request, route -from odoo.osv import expression -from odoo.tools import DEFAULT_SERVER_DATETIME_FORMAT as dtf, email_normalize -from odoo.tools.mail import is_html_empty -from odoo.tools.misc import babel_locale_parse, get_lang +from werkzeug.exceptions import NotFound + +from odoo import http, fields, _ +from odoo.http import request +from odoo.tools import DEFAULT_SERVER_DATETIME_FORMAT as email_normalize from odoo.addons.appointment.controllers.appointment import AppointmentController from odoo.addons.base.models.ir_qweb import keep_query -from odoo.addons.base.models.res_partner import _tz_get from odoo.addons.phone_validation.tools import phone_validation -from odoo.exceptions import UserError - class AppointmentCapacityController(AppointmentController): diff --git a/appointment_capacity/models/appointment_booking.py b/appointment_capacity/models/appointment_booking.py index e35c40268fa..e05cd7e1499 100644 --- a/appointment_capacity/models/appointment_booking.py +++ b/appointment_capacity/models/appointment_booking.py @@ -1,5 +1,4 @@ -from odoo import models, fields, api -from odoo.exceptions import ValidationError +from odoo import api, fields, models class AppointmentBookingLine(models.Model): diff --git a/appointment_capacity/models/appointment_type.py b/appointment_capacity/models/appointment_type.py index de976e89220..46402fdbe3e 100644 --- a/appointment_capacity/models/appointment_type.py +++ b/appointment_capacity/models/appointment_type.py @@ -166,6 +166,7 @@ def _slots_fill_users_availability(self, slots, start_dt, end_dt, filter_users=N :param filter_users: filter available slots for those users (can be a singleton for fixed appointment types or can contain several users e.g. with random assignment and filters) If not set, use all users assigned to this appointment type. + :params asked_capacity : asked capacity for the appointment :return: None but instead update ``slots`` adding ``staff_user_id`` or ``available_staff_users`` key containing available user(s); @@ -223,6 +224,7 @@ def _slot_availability_is_user_available(self, slot, staff_user, availability_va At this point timezone should be correctly set in context; :param dict availability_values: dict of data used for availability check. See ``_slot_availability_prepare_users_values()`` for more details; + :params asked_capacity : asked capacity for the appointment :return: boolean: is user available for an appointment for given slot """ slot_start_dt_utc, slot_end_dt_utc = slot['UTC'][0], slot['UTC'][1] @@ -260,14 +262,14 @@ def _slot_availability_is_user_available(self, slot, staff_user, availability_va return True def _get_users_remaining_capacity(self, users, slot_start_utc, slot_stop_utc, availability_values=None): - """ Compute the remaining capacities for users in a particular time slot. - :param users : record containing one or a multiple of users - :param datetime slot_start_utc: start of slot (in naive UTC) - :param datetime slot_stop_utc: end of slot (in naive UTC) - :param list users_to_bookings: list of users linked to their booking lines from the prepared value. - If no value is passed, then we search manually the booking lines (used for the appointment validation step) - :param filter_users: filter the users impacted with this value - :return remaining_capacity: + """ + Compute the remaining capacity for users in a specific time slot. + :param users : record containing one or a multiple of user + :param datetime slot_start_utc: start of slot (in naive UTC) + :param datetime slot_stop_utc: end of slot (in naive UTC) + :param dict availability_values: dict of data used for availability check. + + :return remaining_capacity: """ self.ensure_one() @@ -280,7 +282,6 @@ def _get_users_remaining_capacity(self, users, slot_start_utc, slot_stop_utc, av if availability_values is None: availability_values = self._slot_availability_prepare_users_values(all_users, slot_start_utc, slot_stop_utc) users_to_bookings = availability_values.get('users_to_bookings', {}) - partners_to_events = availability_values.get('partner_to_events', {}) users_remaining_capacity = {} for user, booking_lines_ids in users_to_bookings.items(): @@ -292,13 +293,51 @@ def _get_users_remaining_capacity(self, users, slot_start_utc, slot_stop_utc, av for user in all_users: users_remaining_capacity[user] = self.user_capacity_count - sum(booking_line.capacity_used for booking_line in users_booking_lines.get(user, [])) - partner_events = partners_to_events.get(user.partner_id, False) - if partner_events and any(event.appointment_type_id == self and not event.booking_line_ids for event in partner_events.values()): - users_remaining_capacity[user] -= 1 users_remaining_capacity.update(total_remaining_capacity=sum(users_remaining_capacity.values())) return users_remaining_capacity + def _slot_availability_prepare_users_values(self, staff_users, start_dt, end_dt): + """ + Override to add booking values. + + :return: update ``super()`` values with users booking vaues, formatted like + { + 'users_to_bookings': dict giving their corresponding bookings within the given time range + (see ``_slot_availability_prepare_users_bookings_values()``); + } + """ + users_values = super()._slot_availability_prepare_users_values(staff_users, start_dt, end_dt) + users_values.update(self._slot_availability_prepare_users_bookings_values(staff_users, start_dt, end_dt)) + return users_values + + def _slot_availability_prepare_users_bookings_values(self, users, start_dt_utc, end_dt_utc): + """ + This method retrieves and organizes bookings for the given users within the specified time range. + Users may handle multiple appointment types, so all overlapping bookings must be considered + to prevent double booking. + + :param users: A recordset of staff users for whom availability is being checked. + :param datetime start_dt_utc: The start of the appointment check boundary in UTC. + :param datetime end_dt_utc: The end of the appointment check boundary in UTC. + + :return: A dict containing booking data, formatted as: + { + 'users_to_bookings': A dict mapping user IDs to their booking records, + } + """ + users_to_bookings = {} + if users: + booking_lines = self.env['appointment.booking.line'].sudo().search([ + ('appointment_user_id', 'in', users.ids), + ('event_start', '<', end_dt_utc), + ('event_stop', '>', start_dt_utc), + ]) + + users_to_bookings = booking_lines.grouped('appointment_user_id') + return { + 'users_to_bookings': users_to_bookings, + } def _get_appointment_slots(self, timezone, filter_users=None, filter_resources=None, asked_capacity=1, reference_date=None): """ Fetch available slots to book an appointment. @@ -505,42 +544,3 @@ def _get_appointment_slots(self, timezone, filter_users=None, filter_resources=N nb_slots_previous_months = total_nb_slots - nb_slots_next_months start = start + relativedelta(months=1) return months - - def _slot_availability_prepare_users_values(self, staff_users, start_dt, end_dt): - users_values = self._slot_availability_prepare_users_values_meetings(staff_users, start_dt, end_dt) - users_values.update(self._slot_availability_prepare_users_bookings_values(staff_users, start_dt, end_dt)) - return users_values - - def _slot_availability_prepare_users_bookings_values(self, users, start_dt_utc, end_dt_utc): - """ This method computes bookings of users between start_dt and end_dt - of appointment check. Also, users are shared between multiple appointment - type. So we must consider all bookings in order to avoid booking them more than once. - - :param users: prepare values to check availability - of those users against given appointment boundaries. At this point - timezone should be correctly set in context of those users; - :param datetime start_dt_utc: beginning of appointment check boundary. Timezoned to UTC; - :param datetime end_dt_utc: end of appointment check boundary. Timezoned to UTC; - - :return: dict containing main values for computation, formatted like - { - 'users_to_bookings': bookings, formatted as a dict - { - 'appointment_user_id': recordset of booking line, - ... - }, - } - """ - - users_to_bookings = {} - if users: - booking_lines = self.env['appointment.booking.line'].sudo().search([ - ('appointment_user_id', 'in', users.ids), - ('event_start', '<', end_dt_utc), - ('event_stop', '>', start_dt_utc), - ]) - - users_to_bookings = booking_lines.grouped('appointment_user_id') - return { - 'users_to_bookings': users_to_bookings, - } From 5aab0452e5facdb1e2313dbff9e66da7f9be1fbf Mon Sep 17 00:00:00 2001 From: dvpa-odoo Date: Fri, 28 Mar 2025 13:51:05 +0530 Subject: [PATCH 4/5] [IMP] appointment_capacity: improve on user remaining capacity function --- appointment_capacity/controllers/appointment.py | 2 +- appointment_capacity/models/appointment_type.py | 1 - 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/appointment_capacity/controllers/appointment.py b/appointment_capacity/controllers/appointment.py index 24f5f110c26..da61a4e1c6b 100644 --- a/appointment_capacity/controllers/appointment.py +++ b/appointment_capacity/controllers/appointment.py @@ -6,7 +6,7 @@ from urllib.parse import unquote_plus from werkzeug.exceptions import NotFound -from odoo import http, fields, _ +from odoo import http, fields from odoo.http import request from odoo.tools import DEFAULT_SERVER_DATETIME_FORMAT as email_normalize from odoo.addons.appointment.controllers.appointment import AppointmentController diff --git a/appointment_capacity/models/appointment_type.py b/appointment_capacity/models/appointment_type.py index 46402fdbe3e..88edb34cca3 100644 --- a/appointment_capacity/models/appointment_type.py +++ b/appointment_capacity/models/appointment_type.py @@ -68,7 +68,6 @@ def _get_default_appointment_status(self, start_dt, stop_dt, capacity_reserved): if float_compare(total_capacity_used / total_capacity, self.resource_manual_confirmation_percentage, 2) > 0: default_state = 'request' - return default_state def _slot_availability_is_resource_available(self, slot, resource, availability_values): From cd40c6b5748865bcaa3c37d79f150582f340fb8f Mon Sep 17 00:00:00 2001 From: dvpa-odoo Date: Fri, 4 Apr 2025 18:57:02 +0530 Subject: [PATCH 5/5] [IMP] appointment_capacity: added test cases for usr/resource remaining capacity --- .../controllers/appointment.py | 4 +- .../models/appointment_booking.py | 2 +- .../models/appointment_type.py | 10 +- appointment_capacity/models/calender_event.py | 4 +- appointment_capacity/models/res_partner.py | 2 +- appointment_capacity/tests/__init__.py | 1 + .../tests/test_appointment_booking.py | 545 ++++++++++++++++++ .../views/appointment_type_views.xml | 4 +- .../views/calendar_event_views.xml | 2 +- 9 files changed, 560 insertions(+), 14 deletions(-) create mode 100644 appointment_capacity/tests/__init__.py create mode 100644 appointment_capacity/tests/test_appointment_booking.py diff --git a/appointment_capacity/controllers/appointment.py b/appointment_capacity/controllers/appointment.py index da61a4e1c6b..57d4de12489 100644 --- a/appointment_capacity/controllers/appointment.py +++ b/appointment_capacity/controllers/appointment.py @@ -32,7 +32,7 @@ def _prepare_appointment_type_page_values(self, appointment_type, staff_user_id= else: max_capacity_possible = 1 - values['max_capacity_possible'] = min(12, max_capacity_possible) + values['max_capacity'] = min(12, max_capacity_possible) return values @@ -181,7 +181,7 @@ def appointment_form_submit(self, appointment_type_id, datetime_str, duration_st booking_line_values.append({ 'appointment_resource_id': resource.id, 'capacity_reserved': new_capacity_reserved, - 'capacity_used': new_capacity_reserved if resource.shareable and appointment_type.capacity_type != 'single_booking' else resource.capacity, + 'capacity_used': new_capacity_reserved if resource.shareable and appointment_type.capacity_type != 'one_booking' else resource.capacity, }) else: user_remaining_capacity = users_remaining_capacity['total_remaining_capacity'] diff --git a/appointment_capacity/models/appointment_booking.py b/appointment_capacity/models/appointment_booking.py index e05cd7e1499..308c7bf1908 100644 --- a/appointment_capacity/models/appointment_booking.py +++ b/appointment_capacity/models/appointment_booking.py @@ -23,7 +23,7 @@ def _compute_capacity_used(self): line.capacity_used = 1 elif line.appointment_type_id.capacity_type == 'multiple_seats': line.capacity_used = line.capacity_reserved - elif (not line.appointment_resource_id.shareable or line.appointment_type_id.capacity_type == 'single_booking') and line.appointment_type_id.schedule_based_on == 'resources': + elif (not line.appointment_resource_id.shareable or line.appointment_type_id.capacity_type == 'one_booking') and line.appointment_type_id.schedule_based_on == 'resources': line.capacity_used = line.appointment_resource_id.capacity else: line.capacity_used = line.capacity_reserved diff --git a/appointment_capacity/models/appointment_type.py b/appointment_capacity/models/appointment_type.py index 88edb34cca3..21e11a173e3 100644 --- a/appointment_capacity/models/appointment_type.py +++ b/appointment_capacity/models/appointment_type.py @@ -18,13 +18,13 @@ class AppointmentType(models.Model): capacity_type = fields.Selection( [ - ("single_booking", "Single Booking"), + ("one_booking", "One Booking"), ("multiple_bookings", "Multiple Bookings"), ("multiple_seats", "Multiple Seats"), ], string="Capacity Type", required=True, - default="single_booking", + default="one_booking", ) user_capacity_count = fields.Integer( @@ -91,7 +91,7 @@ def _slot_availability_is_resource_available(self, slot, resource, availability_ slot_start_dt_utc, slot_end_dt_utc = slot['UTC'][0], slot['UTC'][1] resource_to_bookings = availability_values.get('resource_to_bookings') # Check if there is already a booking line for the time slot and make it available - # only if the resource is shareable and the capacity_type is not single_booking. + # only if the resource is shareable and the capacity_type is not one_booking. # This avoid to mark the resource as "available" and compute unnecessary remaining capacity computation # because of potential linked resources. if resource_to_bookings.get(resource): @@ -120,7 +120,7 @@ def _slot_availability_select_best_resources(self, capacity_info, asked_capacity available_resources = self.env['appointment.resource'].concat(*capacity_info.keys()).sorted('sequence') if not available_resources: return self.env['appointment.resource'] - if self.capacity_type == 'single_booking': + if self.capacity_type == 'one_booking': return available_resources[0] if self.assign_method != 'time_resource' else available_resources perfect_matches = available_resources.filtered( @@ -247,7 +247,7 @@ def _slot_availability_is_user_available(self, slot, staff_user, availability_va # return False for event in day_events: if not event.allday and (event.start < slot_end_dt_utc and event.stop > slot_start_dt_utc): - if self.capacity_type != "single_booking" and self == event.appointment_type_id: + if self.capacity_type != "one_booking" and self == event.appointment_type_id: if users_remaining_capacity['total_remaining_capacity'] >= asked_capacity: continue return False diff --git a/appointment_capacity/models/calender_event.py b/appointment_capacity/models/calender_event.py index 50c6e9fde07..732282ac085 100644 --- a/appointment_capacity/models/calender_event.py +++ b/appointment_capacity/models/calender_event.py @@ -15,13 +15,13 @@ def _inverse_resource_ids_or_capacity(self): # Ignore the inverse and keep the previous booking lines when we duplicate an event if self.env.context.get('is_appointment_copied'): continue - if event.appointment_type_capacity_type != 'single_booking' and self.resource_total_capacity_reserved: + if event.appointment_type_capacity_type != 'one_booking' and self.resource_total_capacity_reserved: capacity_to_reserve = self.resource_total_capacity_reserved else: capacity_to_reserve = sum(event.booking_line_ids.mapped('capacity_reserved')) or sum(resources.mapped('capacity')) event.booking_line_ids.sudo().unlink() for resource in resources.sorted("shareable"): - if event.appointment_type_capacity_type != 'single_booking' and capacity_to_reserve <= 0: + if event.appointment_type_capacity_type != 'one_booking' and capacity_to_reserve <= 0: break booking_lines.append({ 'appointment_resource_id': resource.id, diff --git a/appointment_capacity/models/res_partner.py b/appointment_capacity/models/res_partner.py index 33e6c733ac8..cfea04ba71a 100644 --- a/appointment_capacity/models/res_partner.py +++ b/appointment_capacity/models/res_partner.py @@ -26,7 +26,7 @@ def calendar_verify_availability(self, date_start, date_end): events_excluding_appointment_resource = all_events.filtered(lambda ev: ev.appointment_type_id.schedule_based_on != 'resources') for event in events_excluding_appointment_resource: if event.allday or (event.start < date_end and event.stop > date_start): - if event.appointment_type_id and event.appointment_type_id.capacity_type != 'single_booking' and all(user in event.appointment_type_id.staff_user_ids.partner_id for user in self): + if event.appointment_type_id and event.appointment_type_id.capacity_type != 'one_booking' and all(user in event.appointment_type_id.staff_user_ids.partner_id for user in self): continue if event.attendee_ids.filtered_domain( [('state', '!=', 'declined'), diff --git a/appointment_capacity/tests/__init__.py b/appointment_capacity/tests/__init__.py new file mode 100644 index 00000000000..2bcddc0d62c --- /dev/null +++ b/appointment_capacity/tests/__init__.py @@ -0,0 +1 @@ +from . import test_appointment_booking diff --git a/appointment_capacity/tests/test_appointment_booking.py b/appointment_capacity/tests/test_appointment_booking.py new file mode 100644 index 00000000000..4da3c1e05a5 --- /dev/null +++ b/appointment_capacity/tests/test_appointment_booking.py @@ -0,0 +1,545 @@ +from datetime import datetime, timedelta + +from odoo import http, Command +from odoo.tests.common import HttpCase, TransactionCase +from odoo.tests import tagged + + +@tagged("-at_install", "post_install") +class TestAppointmentBooking(HttpCase, TransactionCase): + + def setUp(cls): + super().setUp() + + cls.reference_date = datetime(2025, 4, 1, 10, 0, 0) + cls.staff_user = cls.env["res.users"].create( + { + "name": "Staff User", + "login": "staff@example.com", + } + ) + cls.staff_user.partner_id = cls.env["res.partner"].create( + {"name": "Staff Partner"} + ) + cls.resource_1 = cls.env["appointment.resource"].create( + { + "capacity": 2, + "name": "Resource 1", + "shareable": True, + } + ) + cls.resource_2 = cls.env["appointment.resource"].create( + { + "capacity": 4, + "name": "Resource 2", + "shareable": True, + } + ) + + + # -------------------------------------- + # Appointment booking - Staff Users + # -------------------------------------- + def test_appointment_user_booking_for_one_booking(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "One Booking Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "one_booking", + "schedule_based_on": "users", + "staff_user_ids": [(6, 0, [self.staff_user.id])], + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + appointment_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "staff_user_id": self.staff_user.id, + } + + # Book 1 out of 1 allowed staff booking + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=appointment_data) + self.assertEqual(response.status_code, 200, "Booking request should be successful") + + remaining_capacity = appointment_type._get_users_remaining_capacity(self.staff_user, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 0, + "Remaining bookings should be 0 after 1 booking", + ) + + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "staff_user_id": self.staff_user.id, + } + + # Attempt to book 2nd time – should fail due to one booking restriction + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Should redirect when overbooking") + + expected_url_part = f"/appointment/{appointment_type.id}?state=failed-staff-user" + self.assertIn( + expected_url_part, + response.url, + "Redirect URL should indicate failed booking due to not available this slot", + ) + + def test_appointment_user_booking_for_multi_booking(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "Multi-bookings Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "multiple_bookings", + "schedule_based_on": "users", + "staff_user_ids": [(6, 0, [self.staff_user.id])], + "user_capacity_count": 2, # Max 2 bookings per staff + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + # Book 1 out of 2 allowed staff bookings + appointment_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "staff_user_id": self.staff_user.id, + } + + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=appointment_data) + self.assertEqual(response.status_code, 200, "Booking request should be successful") + + remaining_capacity = appointment_type._get_users_remaining_capacity(self.staff_user, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 1, + "Remaining bookings should be 1 after 1 booking", + ) + + # Book 2 out of 2 allowed staff bookings + response = self.url_open(url, data=appointment_data) + self.assertEqual(response.status_code, 200, "Booking request should be successful") + + remaining_capacity = appointment_type._get_users_remaining_capacity(self.staff_user, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 0, + "Remaining bookings should be 0 after 2 booking", + ) + + # Attempt to book 3rd time – should fail due to staff overbooking + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "staff_user_id": self.staff_user.id, + } + + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Should redirect when overbooking") + + expected_url_part = f"/appointment/{appointment_type.id}?state=failed-staff-user" + self.assertIn( + expected_url_part, + response.url, + "Redirect URL should indicate failed booking due to staff overbooking", + ) + + def test_appointment_user_booking_for_multi_seats(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "Multi-seat Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "multiple_seats", + "schedule_based_on": "users", + "staff_user_ids": [(6, 0, [self.staff_user.id])], + "user_capacity_count": 5, # Max 5 seats per staff + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + # Book 3 user capacity out of 5 seats + appointment_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "asked_capacity": 3, + "staff_user_id": self.staff_user.id, + } + + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=appointment_data) + self.assertEqual(response.status_code, 200, "Booking request should be successful") + + remaining_capacity = appointment_type._get_users_remaining_capacity(self.staff_user, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 2, + "Remaining capacity should be 2 after booking 3 seats", + ) + + # try to Book 3 user capacity out of 2 remaining seats + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "asked_capacity": 3, + "staff_user_id": self.staff_user.id, + } + + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Should redirect when overbooking") + + expected_url_part = f"/appointment/{appointment_type.id}?state=failed-staff-user" + self.assertIn( + expected_url_part, + response.url, + "Redirect URL should indicate failed booking due to staff capacity", + ) + + remaining_capacity = appointment_type._get_users_remaining_capacity(self.staff_user, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 2, + "Remaining capacity should still be 2 after failed overbooking attempt", + ) + + # -------------------------------------- + # Appointment booking - Resources + # -------------------------------------- + def test_appointment_resource_booking_for_one_booking(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "One Booking Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "one_booking", + "schedule_based_on": "resources", + "resource_ids": [(6, 0, [self.resource_1.id])], + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + # Book 1 out of 1 allowed resource booking + appointment_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "available_resource_ids": self.resource_1.id, + } + + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=appointment_data) + + self.assertEqual(response.status_code, 200, "Booking request should be successful") + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_1, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 0, + "Remaining capacity should be 0 after a One booking", + ) + + # Attempt to book 2nd time – should fail due to one booking restriction + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "available_resource_ids": self.resource_1.id, + } + + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Should redirect when trying to overbook") + + expected_redirect_url = f"/appointment/{appointment_type.id}?state=failed-resource" + self.assertIn( + expected_redirect_url, + response.url, + "Redirect URL should indicate failed booking due to full resource", + ) + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_1, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 0, + "Remaining capacity should still be 0 after failed overbooking", + ) + + def test_appointment_resource_booking_for_multi_booking(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "Multi-booking Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "multiple_bookings", + "schedule_based_on": "resources", + "resource_ids": [(6, 0, [self.resource_1.id])], + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + # Book 1 out of 2 allowed resource bookings + booking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "available_resource_ids": self.resource_1.id, + } + + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=booking_data) + self.assertEqual(response.status_code, 200, "First booking should be successful") + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_1, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 1, + "Remaining capacity should be 1 after first booking", + ) + + # Book 2 out of 2 allowed resource bookings + response = self.url_open(url, data=booking_data) + self.assertEqual(response.status_code, 200, "Second booking should be successful") + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_1, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 0, + "Remaining capacity should be 0 after second booking", + ) + + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "available_resource_ids": self.resource_1.id, + } + + # Attempt to overbook (3rd booking) – should be rejected + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Overbooking should trigger a redirect") + + expected_redirect_url = f"/appointment/{appointment_type.id}?state=failed-resource" + self.assertIn( + expected_redirect_url, + response.url, + "Redirect should indicate failed booking due to full resource capacity", + ) + + remaining_capacity_after = appointment_type._get_resources_remaining_capacity(self.resource_1, start, end) + self.assertEqual( + remaining_capacity_after["total_remaining_capacity"], + 0, + "Remaining capacity should remain 0 after failed overbooking", + ) + + def test_appointment_resource_booking_for_multi_seats(self): + appointment_type = self.env["appointment.type"].create( + { + "name": "Multi-seats Appointment", + "appointment_tz": "UTC", + "min_schedule_hours": 1.0, + "max_schedule_days": 7, + "capacity_type": "multiple_seats", + "schedule_based_on": "resources", + "resource_ids": [(6, 0, [self.resource_2.id])], + "slot_ids": [ + ( + 0, + 0, + { + "weekday": str(self.reference_date.isoweekday()), + "start_hour": 10, + "end_hour": 18, + }, + ) + ], + } + ) + + start = datetime(2025, 4, 1, 15, 0, 0) + end = start + timedelta(hours=1) + + self.authenticate(self.staff_user.login, self.staff_user.login) + + # Book 2 out of 4 available seats + booking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "testuser@example.com", + "name": "John Doe", + "phone": "1234567890", + "available_resource_ids": self.resource_2.id, + "asked_capacity": 2, + } + + url = f"/appointment/{appointment_type.id}/submit" + response = self.url_open(url, data=booking_data) + self.assertEqual(response.status_code, 200, "First booking should be successful") + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_2, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 2, + "Remaining capacity should be 1 after first booking", + ) + + # Book 1 more seat (total 3/4 booked) + booking_data["asked_capacity"] = 1 + response = self.url_open(url, data=booking_data) + self.assertEqual(response.status_code, 200, "Second booking should be successful") + + remaining_capacity = appointment_type._get_resources_remaining_capacity(self.resource_2, start, end) + self.assertEqual( + remaining_capacity["total_remaining_capacity"], + 1, + "Remaining capacity should be 0 after second booking", + ) + + # Try to book 3 seats (overbooking attempt) + overbooking_data = { + "csrf_token": http.Request.csrf_token(self), + "datetime_str": start, + "duration_str": "1.0", + "email": "user2@example.com", + "name": "User 2", + "phone": "0987654321", + "available_resource_ids": self.resource_2.id, + "asked_capacity": 3, + } + + response = self.url_open(url, data=overbooking_data) + self.assertEqual(response.status_code, 200, "Overbooking should trigger a redirect") + + expected_redirect_url = f"/appointment/{appointment_type.id}?state=failed-resource" + self.assertIn( + expected_redirect_url, + response.url, + "Redirect should indicate failed booking due to full resource capacity", + ) + + remaining_capacity_after = appointment_type._get_resources_remaining_capacity(self.resource_2, start, end) + self.assertEqual( + remaining_capacity_after["total_remaining_capacity"], + 1, + "Remaining capacity should remain 1 after failed overbooking", + ) diff --git a/appointment_capacity/views/appointment_type_views.xml b/appointment_capacity/views/appointment_type_views.xml index 3d5fa51e470..49073c59dfd 100644 --- a/appointment_capacity/views/appointment_type_views.xml +++ b/appointment_capacity/views/appointment_type_views.xml @@ -17,7 +17,7 @@