everything before new pull

This commit is contained in:
Faheed 2025-09-24 13:14:56 +03:00
commit 043d885ece
155 changed files with 8664 additions and 8084 deletions

View File

@ -34,9 +34,7 @@ application = ProtocolTypeRouter(
URLRouter( URLRouter(
[ [
path("sse/notifications/", NotificationSSEApp()), path("sse/notifications/", NotificationSSEApp()),
re_path( re_path(r"", app),
r"", app
),
] ]
) )
), ),

View File

@ -35,5 +35,4 @@ urlpatterns += i18n_patterns(
if settings.DEBUG: if settings.DEBUG:
urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT) urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
urlpatterns += static(settings.STATIC_URL, document_root = settings.STATIC_ROOT) urlpatterns += static(settings.STATIC_URL, document_root=settings.STATIC_ROOT)

View File

@ -3,6 +3,7 @@ from django.contrib import admin
from . import models from . import models
from django_ledger import models as ledger_models from django_ledger import models as ledger_models
from django.contrib import messages from django.contrib import messages
# from django_pdf_actions.actions import export_to_pdf_landscape, export_to_pdf_portrait # from django_pdf_actions.actions import export_to_pdf_landscape, export_to_pdf_portrait
# from appointment import models as appointment_models # from appointment import models as appointment_models
from import_export.admin import ExportMixin from import_export.admin import ExportMixin
@ -177,55 +178,52 @@ class CarOptionAdmin(admin.ModelAdmin):
# actions = [export_to_pdf_landscape, export_to_pdf_portrait] # actions = [export_to_pdf_landscape, export_to_pdf_portrait]
@admin.register(models.UserRegistration) @admin.register(models.UserRegistration)
class UserRegistrationAdmin(admin.ModelAdmin): class UserRegistrationAdmin(admin.ModelAdmin):
# Fields to display in the list view # Fields to display in the list view
list_display = [ list_display = [
'name', "name",
'arabic_name', "arabic_name",
'email', "email",
'crn', "crn",
'vrn', "vrn",
'phone_number', "phone_number",
'is_created', "is_created",
'created_at', "created_at",
] ]
# Filters in the right sidebar # Filters in the right sidebar
list_filter = [ list_filter = [
'is_created', "is_created",
'created_at', "created_at",
] ]
# Searchable fields # Searchable fields
search_fields = [ search_fields = ["name", "arabic_name", "email", "crn", "vrn", "phone_number"]
'name', 'arabic_name', 'email', 'crn', 'vrn', 'phone_number'
]
# Read-only fields in detail view # Read-only fields in detail view
readonly_fields = [ readonly_fields = ["created_at", "updated_at", "is_created", "password"]
'created_at', 'updated_at', 'is_created', 'password'
]
# Organize form layout # Organize form layout
fieldsets = [ fieldsets = [
('Account Information', { (
'fields': ('name', 'arabic_name', 'email', 'phone_number') "Account Information",
}), {"fields": ("name", "arabic_name", "email", "phone_number")},
('Business Details', { ),
'fields': ('crn', 'vrn', 'address') ("Business Details", {"fields": ("crn", "vrn", "address")}),
}), (
('Status', { "Status",
'fields': ('is_created', 'password', 'created_at', 'updated_at'), {
'classes': ('collapse',) "fields": ("is_created", "password", "created_at", "updated_at"),
}), "classes": ("collapse",),
},
),
] ]
# Custom action to create accounts # Custom action to create accounts
actions = ['create_dealer_accounts'] actions = ["create_dealer_accounts"]
@admin.action(description='Create dealer account(s) for selected registrations') @admin.action(description="Create dealer account(s) for selected registrations")
def create_dealer_accounts(self, request, queryset): def create_dealer_accounts(self, request, queryset):
created_count = 0 created_count = 0
already_created_count = 0 already_created_count = 0
@ -242,7 +240,7 @@ class UserRegistrationAdmin(admin.ModelAdmin):
self.message_user( self.message_user(
request, request,
f"Error creating account for {registration.name}: {str(e)}", f"Error creating account for {registration.name}: {str(e)}",
level=messages.ERROR level=messages.ERROR,
) )
failed_count += 1 failed_count += 1
@ -251,17 +249,17 @@ class UserRegistrationAdmin(admin.ModelAdmin):
self.message_user( self.message_user(
request, request,
f"Successfully created {created_count} account(s).", f"Successfully created {created_count} account(s).",
level=messages.SUCCESS level=messages.SUCCESS,
) )
if already_created_count > 0: if already_created_count > 0:
self.message_user( self.message_user(
request, request,
f"{already_created_count} registration(s) were already created.", f"{already_created_count} registration(s) were already created.",
level=messages.INFO level=messages.INFO,
) )
if failed_count > 0: if failed_count > 0:
self.message_user( self.message_user(
request, request,
f"Failed to create {failed_count} account(s). Check logs.", f"Failed to create {failed_count} account(s). Check logs.",
level=messages.ERROR level=messages.ERROR,
) )

View File

@ -2,6 +2,7 @@ from django.core.cache import cache
from datetime import datetime from datetime import datetime
from luhnchecker.luhn import Luhn from luhnchecker.luhn import Luhn
from django.contrib.auth.models import Permission from django.contrib.auth.models import Permission
# from appointment.models import Service # from appointment.models import Service
from django.core.validators import MinLengthValidator from django.core.validators import MinLengthValidator
from django import forms from django import forms
@ -57,7 +58,7 @@ from .models import (
Tasks, Tasks,
Recall, Recall,
Ticket, Ticket,
UserRegistration UserRegistration,
) )
from django_ledger import models as ledger_models from django_ledger import models as ledger_models
from django.forms import ( from django.forms import (
@ -364,7 +365,14 @@ class CarForm(
"receiving_date", "receiving_date",
"vendor", "vendor",
] ]
required_fields = ["vin","id_car_make", "id_car_model", "id_car_serie", "id_car_trim", "vendor"] required_fields = [
"vin",
"id_car_make",
"id_car_model",
"id_car_serie",
"id_car_trim",
"vendor",
]
widgets = { widgets = {
"id_car_make": forms.Select(attrs={"class": "form-select form-select-sm"}), "id_car_make": forms.Select(attrs={"class": "form-select form-select-sm"}),
"receiving_date": forms.DateTimeInput(attrs={"type": "datetime-local"}), "receiving_date": forms.DateTimeInput(attrs={"type": "datetime-local"}),
@ -2123,8 +2131,7 @@ class AdditionalFinancesForm(forms.Form):
for field in self.fields.values(): for field in self.fields.values():
if isinstance(field, forms.ModelMultipleChoiceField): if isinstance(field, forms.ModelMultipleChoiceField):
field.widget.choices = [ field.widget.choices = [
(obj.pk, f"{obj.name} - {obj.price:.2f}") (obj.pk, f"{obj.name} - {obj.price:.2f}") for obj in field.queryset
for obj in field.queryset
] ]
@ -2141,6 +2148,7 @@ class VatRateForm(forms.ModelForm):
model = VatRate model = VatRate
fields = ["rate"] fields = ["rate"]
class CustomSetPasswordForm(SetPasswordForm): class CustomSetPasswordForm(SetPasswordForm):
new_password1 = forms.CharField( new_password1 = forms.CharField(
label="New Password", label="New Password",
@ -2258,13 +2266,21 @@ class TicketResolutionForm(forms.ModelForm):
self.fields["status"].choices = [("resolved", "Resolved"), ("closed", "Closed")] self.fields["status"].choices = [("resolved", "Resolved"), ("closed", "Closed")]
class CarDealershipRegistrationForm(forms.ModelForm): class CarDealershipRegistrationForm(forms.ModelForm):
# Add additional fields for the registration form # Add additional fields for the registration form
class Meta: class Meta:
model = UserRegistration model = UserRegistration
fields = ("name","arabic_name", "email","phone_number", "crn", "vrn", "address") fields = (
"name",
"arabic_name",
"email",
"phone_number",
"crn",
"vrn",
"address",
)
class CarDetailsEstimateCreate(forms.Form): class CarDetailsEstimateCreate(forms.Form):
customer = forms.ModelChoiceField( customer = forms.ModelChoiceField(

View File

@ -18,8 +18,8 @@ def check_create_coa_accounts(task):
logger.warning("Account creation task failed, checking status...") logger.warning("Account creation task failed, checking status...")
try: try:
dealer_id = task.kwargs.get('dealer_id',None) dealer_id = task.kwargs.get("dealer_id", None)
coa_slug = task.kwargs.get('coa_slug', None) coa_slug = task.kwargs.get("coa_slug", None)
logger.info(f"Checking accounts for dealer {dealer_id}") logger.info(f"Checking accounts for dealer {dealer_id}")
logger.info(f"COA slug: {coa_slug}") logger.info(f"COA slug: {coa_slug}")
if not dealer_id: if not dealer_id:
@ -37,7 +37,9 @@ def check_create_coa_accounts(task):
try: try:
coa = entity.get_coa_model_qs().get(slug=coa_slug) coa = entity.get_coa_model_qs().get(slug=coa_slug)
except Exception as e: except Exception as e:
logger.error(f"COA with slug {coa_slug} not found for entity {entity.pk}: {e}") logger.error(
f"COA with slug {coa_slug} not found for entity {entity.pk}: {e}"
)
else: else:
coa = entity.get_default_coa() coa = entity.get_default_coa()
if not coa: if not coa:
@ -49,7 +51,11 @@ def check_create_coa_accounts(task):
missing_accounts = [] missing_accounts = []
for account_data in get_accounts_data(): for account_data in get_accounts_data():
if not entity.get_all_accounts().filter(coa_model=coa,code=account_data["code"]).exists(): if (
not entity.get_all_accounts()
.filter(coa_model=coa, code=account_data["code"])
.exists()
):
missing_accounts.append(account_data) missing_accounts.append(account_data)
logger.info(f"Missing account: {account_data['code']}") logger.info(f"Missing account: {account_data['code']}")
@ -62,6 +68,8 @@ def check_create_coa_accounts(task):
except Exception as e: except Exception as e:
logger.error(f"Error in check_create_coa_accounts hook: {e}") logger.error(f"Error in check_create_coa_accounts hook: {e}")
# def check_create_coa_accounts(task): # def check_create_coa_accounts(task):
# logger.info("Checking if all accounts are created") # logger.info("Checking if all accounts are created")
# instance = task.kwargs["dealer"] # instance = task.kwargs["dealer"]

View File

@ -8,19 +8,23 @@ from django.core.management.base import BaseCommand
User = get_user_model() User = get_user_model()
class Command(BaseCommand): class Command(BaseCommand):
help = "Deactivates expired user plans" help = "Deactivates expired user plans"
def handle(self, *args, **options): def handle(self, *args, **options):
users_without_plan = User.objects.filter( users_without_plan = User.objects.filter(
is_active=True, userplan=None, dealer__isnull=False, date_joined__lte=timezone.now()-timedelta(days=7) is_active=True,
userplan=None,
dealer__isnull=False,
date_joined__lte=timezone.now() - timedelta(days=7),
) )
count = users_without_plan.count() count = users_without_plan.count()
for user in users_without_plan: for user in users_without_plan:
user.is_active = False user.is_active = False
user.save() user.save()
subject = 'Your account has been deactivated' subject = "Your account has been deactivated"
message = """ message = """
Hello {},\n Hello {},\n
Your account has been deactivated, please contact us at {} if you have any questions. Your account has been deactivated, please contact us at {} if you have any questions.
@ -30,7 +34,7 @@ class Command(BaseCommand):
""".format(user.dealer.name, settings.DEFAULT_FROM_EMAIL) """.format(user.dealer.name, settings.DEFAULT_FROM_EMAIL)
from_email = settings.DEFAULT_FROM_EMAIL from_email = settings.DEFAULT_FROM_EMAIL
recipient_list = user.email recipient_list = user.email
send_email(from_email, recipient_list,subject, message) send_email(from_email, recipient_list, subject, message)
self.stdout.write( self.stdout.write(
self.style.SUCCESS( self.style.SUCCESS(

View File

@ -63,7 +63,7 @@ class Command(BaseCommand):
for plan in expired_plans: for plan in expired_plans:
# try: # try:
if dealer := getattr(plan.user,"dealer", None): if dealer := getattr(plan.user, "dealer", None):
dealer.user.is_active = False dealer.user.is_active = False
dealer.user.save() dealer.user.save()
for staff in dealer.get_staff(): for staff in dealer.get_staff():

View File

@ -7,16 +7,16 @@ from django_ledger.models import EstimateModel, BillModel, AccountModel, LedgerM
class Command(BaseCommand): class Command(BaseCommand):
def handle(self, *args, **kwargs): def handle(self, *args, **kwargs):
Permission.objects.get_or_create( # Permission.objects.get_or_create(
name="Can view crm", # name="Can view crm",
codename="can_view_crm", # codename="can_view_crm",
content_type=ContentType.objects.get_for_model(Lead), # content_type=ContentType.objects.get_for_model(Lead),
) # )
Permission.objects.get_or_create( # Permission.objects.get_or_create(
name="Can reassign lead", # name="Can reassign lead",
codename="can_reassign_lead", # codename="can_reassign_lead",
content_type=ContentType.objects.get_for_model(Lead), # content_type=ContentType.objects.get_for_model(Lead),
) # )
Permission.objects.get_or_create( Permission.objects.get_or_create(
name="Can view sales", name="Can view sales",
codename="can_view_sales", codename="can_view_sales",
@ -47,4 +47,3 @@ class Command(BaseCommand):
codename="can_approve_estimatemodel", codename="can_approve_estimatemodel",
content_type=ContentType.objects.get_for_model(EstimateModel), content_type=ContentType.objects.get_for_model(EstimateModel),
) )

View File

@ -23,19 +23,19 @@ class Command(BaseCommand):
# Note: Deleting plans and quotas should cascade to related objects like PlanQuota and PlanPricing. # Note: Deleting plans and quotas should cascade to related objects like PlanQuota and PlanPricing.
self.stdout.write(self.style.SUCCESS("Data reset complete.")) self.stdout.write(self.style.SUCCESS("Data reset complete."))
else: else:
self.stdout.write(self.style.NOTICE("Creating or updating default plans and quotas...")) self.stdout.write(
self.style.NOTICE("Creating or updating default plans and quotas...")
)
# Create or get quotas # Create or get quotas
users_quota, created_u = Quota.objects.get_or_create( users_quota, created_u = Quota.objects.get_or_create(
codename="Users", codename="Users", defaults={"name": "Users", "unit": "number"}
defaults={"name": "Users", "unit": "number"}
) )
if created_u: if created_u:
self.stdout.write(self.style.SUCCESS('Created quota: "Users"')) self.stdout.write(self.style.SUCCESS('Created quota: "Users"'))
cars_quota, created_c = Quota.objects.get_or_create( cars_quota, created_c = Quota.objects.get_or_create(
codename="Cars", codename="Cars", defaults={"name": "Cars", "unit": "number"}
defaults={"name": "Cars", "unit": "number"}
) )
if created_c: if created_c:
self.stdout.write(self.style.SUCCESS('Created quota: "Cars"')) self.stdout.write(self.style.SUCCESS('Created quota: "Cars"'))
@ -43,90 +43,81 @@ class Command(BaseCommand):
# Create or get plans # Create or get plans
basic_plan, created_bp = Plan.objects.get_or_create( basic_plan, created_bp = Plan.objects.get_or_create(
name="Basic", name="Basic",
defaults={"description": "basic plan", "available": True, "visible": True} defaults={"description": "basic plan", "available": True, "visible": True},
) )
if created_bp: if created_bp:
self.stdout.write(self.style.SUCCESS('Created plan: "Basic"')) self.stdout.write(self.style.SUCCESS('Created plan: "Basic"'))
pro_plan, created_pp = Plan.objects.get_or_create( pro_plan, created_pp = Plan.objects.get_or_create(
name="Pro", name="Pro",
defaults={"description": "Pro plan", "available": True, "visible": True} defaults={"description": "Pro plan", "available": True, "visible": True},
) )
if created_pp: if created_pp:
self.stdout.write(self.style.SUCCESS('Created plan: "Pro"')) self.stdout.write(self.style.SUCCESS('Created plan: "Pro"'))
enterprise_plan, created_ep = Plan.objects.get_or_create( enterprise_plan, created_ep = Plan.objects.get_or_create(
name="Enterprise", name="Enterprise",
defaults={"description": "Enterprise plan", "available": True, "visible": True} defaults={
"description": "Enterprise plan",
"available": True,
"visible": True,
},
) )
if created_ep: if created_ep:
self.stdout.write(self.style.SUCCESS('Created plan: "Enterprise"')) self.stdout.write(self.style.SUCCESS('Created plan: "Enterprise"'))
# Assign quotas to plans using get_or_create to prevent duplicates # Assign quotas to plans using get_or_create to prevent duplicates
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=basic_plan, plan=basic_plan, quota=users_quota, defaults={"value": 10000000}
quota=users_quota,
defaults={"value": 10000000}
) )
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=basic_plan, plan=basic_plan, quota=cars_quota, defaults={"value": 10000000}
quota=cars_quota,
defaults={"value": 10000000}
) )
# Pro plan quotas # Pro plan quotas
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=pro_plan, plan=pro_plan, quota=users_quota, defaults={"value": 10000000}
quota=users_quota,
defaults={"value": 10000000}
) )
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=pro_plan, plan=pro_plan, quota=cars_quota, defaults={"value": 10000000}
quota=cars_quota,
defaults={"value": 10000000}
) )
# Enterprise plan quotas # Enterprise plan quotas
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=enterprise_plan, plan=enterprise_plan, quota=users_quota, defaults={"value": 10000000}
quota=users_quota,
defaults={"value": 10000000}
) )
PlanQuota.objects.get_or_create( PlanQuota.objects.get_or_create(
plan=enterprise_plan, plan=enterprise_plan, quota=cars_quota, defaults={"value": 10000000}
quota=cars_quota,
defaults={"value": 10000000}
) )
# Create or get pricing # Create or get pricing
basic_pricing, created_bp_p = Pricing.objects.get_or_create( basic_pricing, created_bp_p = Pricing.objects.get_or_create(
name="3 Months", name="3 Months", defaults={"period": 90}
defaults={"period": 90}
) )
pro_pricing, created_pp_p = Pricing.objects.get_or_create( pro_pricing, created_pp_p = Pricing.objects.get_or_create(
name="6 Months", name="6 Months", defaults={"period": 180}
defaults={"period": 180}
) )
enterprise_pricing, created_ep_p = Pricing.objects.get_or_create( enterprise_pricing, created_ep_p = Pricing.objects.get_or_create(
name="1 Year", name="1 Year", defaults={"period": 365}
defaults={"period": 365}
) )
# Assign pricing to plans # Assign pricing to plans
PlanPricing.objects.get_or_create( PlanPricing.objects.get_or_create(
plan=basic_plan, plan=basic_plan,
pricing=basic_pricing, pricing=basic_pricing,
defaults={"price": Decimal("2997.00")} defaults={"price": Decimal("2997.00")},
) )
PlanPricing.objects.get_or_create( PlanPricing.objects.get_or_create(
plan=pro_plan, plan=pro_plan, pricing=pro_pricing, defaults={"price": Decimal("5395.00")}
pricing=pro_pricing,
defaults={"price": Decimal("5395.00")}
) )
PlanPricing.objects.get_or_create( PlanPricing.objects.get_or_create(
plan=enterprise_plan, plan=enterprise_plan,
pricing=enterprise_pricing, pricing=enterprise_pricing,
defaults={"price": Decimal("9590.00")} defaults={"price": Decimal("9590.00")},
) )
self.stdout.write(self.style.SUCCESS("Subscription plans structure successfully created or updated.")) self.stdout.write(
self.style.SUCCESS(
"Subscription plans structure successfully created or updated."
)
)

View File

@ -3,12 +3,13 @@ from django.core.management.base import BaseCommand
from django.contrib.sites.models import Site from django.contrib.sites.models import Site
from django.conf import settings from django.conf import settings
class Command(BaseCommand): class Command(BaseCommand):
help = 'Update the default site domain' help = "Update the default site domain"
def handle(self, *args, **options): def handle(self, *args, **options):
site = Site.objects.get_current() site = Site.objects.get_current()
site.domain = settings.SITE_DOMAIN site.domain = settings.SITE_DOMAIN
site.name = settings.SITE_NAME site.name = settings.SITE_NAME
site.save() site.save()
self.stdout.write(self.style.SUCCESS(f'Site updated to: {site.domain}')) self.stdout.write(self.style.SUCCESS(f"Site updated to: {site.domain}"))

View File

@ -10,7 +10,7 @@ from django.urls import reverse
# from django.utils.text import slugify # from django.utils.text import slugify
from slugify import slugify from slugify import slugify
from django.utils import timezone from django.utils import timezone
from django.core.validators import MinValueValidator,MaxValueValidator from django.core.validators import MinValueValidator, MaxValueValidator
import hashlib import hashlib
from django.db import models from django.db import models
from datetime import timedelta from datetime import timedelta
@ -57,15 +57,17 @@ from encrypted_model_fields.fields import (
EncryptedEmailField, EncryptedEmailField,
EncryptedTextField, EncryptedTextField,
) )
# from plans.models import AbstractPlan # from plans.models import AbstractPlan
# from simple_history.models import HistoricalRecords # from simple_history.models import HistoricalRecords
from plans.models import Invoice from plans.models import Invoice
from django_extensions.db.fields import RandomCharField,AutoSlugField from django_extensions.db.fields import RandomCharField, AutoSlugField
logger = logging.getLogger(__name__) logger = logging.getLogger(__name__)
logging.basicConfig(level=logging.INFO) logging.basicConfig(level=logging.INFO)
class Base(models.Model): class Base(models.Model):
id = models.UUIDField( id = models.UUIDField(
unique=True, unique=True,
@ -206,11 +208,8 @@ class VatRate(models.Model):
max_digits=5, max_digits=5,
decimal_places=2, decimal_places=2,
default=Decimal("0.15"), default=Decimal("0.15"),
validators=[ validators=[MinValueValidator(0.0), MaxValueValidator(1.0)],
MinValueValidator(0.0), help_text=_("VAT rate as decimal between 0 and 1 (e.g., 0.2 for 20%)"),
MaxValueValidator(1.0)
],
help_text=_("VAT rate as decimal between 0 and 1 (e.g., 0.2 for 20%)")
) )
is_active = models.BooleanField(default=True) is_active = models.BooleanField(default=True)
created_at = models.DateTimeField(auto_now_add=True) created_at = models.DateTimeField(auto_now_add=True)
@ -776,7 +775,7 @@ class Car(Base):
make = self.id_car_make.name if self.id_car_make else "Unknown Make" make = self.id_car_make.name if self.id_car_make else "Unknown Make"
model = self.id_car_model.name if self.id_car_model else "Unknown Model" model = self.id_car_model.name if self.id_car_model else "Unknown Model"
trim = self.id_car_trim.name if self.id_car_trim else "Unknown Trim" trim = self.id_car_trim.name if self.id_car_trim else "Unknown Trim"
vin=self.vin if self.vin else None vin = self.vin if self.vin else None
return f"{self.year} - {make} - {model} - {trim}-{vin}" return f"{self.year} - {make} - {model} - {trim}-{vin}"
@property @property
@ -843,7 +842,7 @@ class Car(Base):
def mark_as_sold(self): def mark_as_sold(self):
self.cancel_reservation() self.cancel_reservation()
self.status = CarStatusChoices.SOLD self.status = CarStatusChoices.SOLD
self.sold_date=timezone.now() self.sold_date = timezone.now()
self.save() self.save()
def cancel_reservation(self): def cancel_reservation(self):
@ -904,16 +903,23 @@ class Car(Base):
def get_active_estimates(self): def get_active_estimates(self):
try: try:
qs = self.item_model.itemtransactionmodel_set.exclude(ce_model__status="canceled") qs = self.item_model.itemtransactionmodel_set.exclude(
ce_model__status="canceled"
)
data = [] data = []
for item in qs: for item in qs:
x = ExtraInfo.objects.filter(object_id=item.ce_model.pk,content_type=ContentType.objects.get_for_model(EstimateModel)).first() x = ExtraInfo.objects.filter(
object_id=item.ce_model.pk,
content_type=ContentType.objects.get_for_model(EstimateModel),
).first()
if x: if x:
data.append(x) data.append(x)
return data return data
except Exception as e: except Exception as e:
logger.error(f"Error getting active estimates for car {self.vin} error: {e}") logger.error(
f"Error getting active estimates for car {self.vin} error: {e}"
)
return [] return []
@property @property
@ -1389,7 +1395,11 @@ class Dealer(models.Model, LocalizedNameMixin):
options={"quality": 80}, options={"quality": 80},
) )
entity = models.ForeignKey( entity = models.ForeignKey(
EntityModel, on_delete=models.SET_NULL, null=True, blank=True,related_name="dealers" EntityModel,
on_delete=models.SET_NULL,
null=True,
blank=True,
related_name="dealers",
) )
joined_at = models.DateTimeField(auto_now_add=True, verbose_name=_("Joined At")) joined_at = models.DateTimeField(auto_now_add=True, verbose_name=_("Joined At"))
updated_at = models.DateTimeField(auto_now=True, verbose_name=_("Updated At")) updated_at = models.DateTimeField(auto_now=True, verbose_name=_("Updated At"))
@ -1421,6 +1431,7 @@ class Dealer(models.Model, LocalizedNameMixin):
except Exception as e: except Exception as e:
print(e) print(e)
return None return None
@property @property
def is_plan_expired(self): def is_plan_expired(self):
try: try:
@ -1455,6 +1466,7 @@ class Dealer(models.Model, LocalizedNameMixin):
def get_vendors(self): def get_vendors(self):
return VendorModel.objects.filter(entity_model=self.entity) return VendorModel.objects.filter(entity_model=self.entity)
def get_staff(self): def get_staff(self):
return Staff.objects.filter(dealer=self) return Staff.objects.filter(dealer=self)
@ -1505,7 +1517,9 @@ class Staff(models.Model):
first_name = models.CharField(max_length=255, verbose_name=_("First Name")) first_name = models.CharField(max_length=255, verbose_name=_("First Name"))
last_name = models.CharField(max_length=255, verbose_name=_("Last Name")) last_name = models.CharField(max_length=255, verbose_name=_("Last Name"))
arabic_name = models.CharField(max_length=255, verbose_name=_("Arabic Name"),null=True,blank=True) arabic_name = models.CharField(
max_length=255, verbose_name=_("Arabic Name"), null=True, blank=True
)
phone_number = EncryptedCharField( phone_number = EncryptedCharField(
max_length=255, max_length=255,
verbose_name=_("Phone Number"), verbose_name=_("Phone Number"),
@ -1794,7 +1808,7 @@ class Customer(models.Model):
commit=False, commit=False,
customer_model_kwargs={ customer_model_kwargs={
"customer_name": self.full_name, "customer_name": self.full_name,
"address_1": "",#self.address, "address_1": "", # self.address,
# "phone": self.phone_number, # "phone": self.phone_number,
# "email": self.email, # "email": self.email,
}, },
@ -2120,6 +2134,10 @@ class Lead(models.Model):
slug = RandomCharField(length=8, unique=True) slug = RandomCharField(length=8, unique=True)
class Meta: class Meta:
permissions = [
("can_view_crm", _("Can view CRM")),
("can_reassign_lead", _("Can reassign lead")),
]
verbose_name = _("Lead") verbose_name = _("Lead")
verbose_name_plural = _("Leads") verbose_name_plural = _("Leads")
indexes = [ indexes = [
@ -2305,10 +2323,14 @@ class Schedule(models.Model):
help_text=_("What is the status of this schedule?"), help_text=_("What is the status of this schedule?"),
) )
created_at = models.DateTimeField( created_at = models.DateTimeField(
auto_now_add=True, verbose_name=_("Created Date"), help_text=_("When was this schedule created?") auto_now_add=True,
verbose_name=_("Created Date"),
help_text=_("When was this schedule created?"),
) )
updated_at = models.DateTimeField( updated_at = models.DateTimeField(
auto_now=True, verbose_name=_("Updated Date"), help_text=_("When was this schedule last updated?") auto_now=True,
verbose_name=_("Updated Date"),
help_text=_("When was this schedule last updated?"),
) )
def __str__(self): def __str__(self):
@ -2495,13 +2517,12 @@ class Opportunity(models.Model):
def __str__(self): def __str__(self):
try: try:
if self.customer: if self.customer:
return ( return f"Opportunity for {self.customer.first_name} {self.customer.last_name}"
f"Opportunity for {self.customer.first_name} {self.customer.last_name}"
)
return f"Opportunity for {self.organization.name}" return f"Opportunity for {self.organization.name}"
except Exception: except Exception:
return f"Opportunity for car :{self.car}" return f"Opportunity for car :{self.car}"
class Notes(models.Model): class Notes(models.Model):
dealer = models.ForeignKey(Dealer, on_delete=models.CASCADE, related_name="notes") dealer = models.ForeignKey(Dealer, on_delete=models.CASCADE, related_name="notes")
content_type = models.ForeignKey(ContentType, on_delete=models.CASCADE) content_type = models.ForeignKey(ContentType, on_delete=models.CASCADE)
@ -2765,7 +2786,6 @@ class Vendor(models.Model, LocalizedNameMixin):
), ),
] ]
def __str__(self): def __str__(self):
return self.name return self.name
@ -3155,7 +3175,7 @@ class CustomGroup(models.Model):
"notes", "notes",
"tasks", "tasks",
"activity", "activity",
"additionalservices" "additionalservices",
], ],
) )
self.set_permissions( self.set_permissions(
@ -3272,7 +3292,7 @@ class CustomGroup(models.Model):
"payment", "payment",
"vendor", "vendor",
"additionalservices", "additionalservices",
'customer' "customer",
], ],
other_perms=[ other_perms=[
"view_car", "view_car",
@ -3340,7 +3360,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Cash account to track cash transactions when an invoice is created."), help_text=_(
"Cash account to track cash transactions when an invoice is created."
),
verbose_name=_("Invoice Cash Account"), verbose_name=_("Invoice Cash Account"),
) )
invoice_prepaid_account = models.ForeignKey( invoice_prepaid_account = models.ForeignKey(
@ -3349,7 +3371,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Prepaid Revenue account to track prepaid revenue when an invoice is created."), help_text=_(
"Prepaid Revenue account to track prepaid revenue when an invoice is created."
),
verbose_name=_("Invoice Prepaid Account"), verbose_name=_("Invoice Prepaid Account"),
) )
invoice_unearned_account = models.ForeignKey( invoice_unearned_account = models.ForeignKey(
@ -3358,7 +3382,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Unearned Revenue account to track unearned revenue when an invoice is created."), help_text=_(
"Unearned Revenue account to track unearned revenue when an invoice is created."
),
verbose_name=_("Invoice Unearned Account"), verbose_name=_("Invoice Unearned Account"),
) )
invoice_tax_payable_account = models.ForeignKey( invoice_tax_payable_account = models.ForeignKey(
@ -3367,7 +3393,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Tax Payable account to track tax liabilities when an invoice is created."), help_text=_(
"Tax Payable account to track tax liabilities when an invoice is created."
),
verbose_name=_("Invoice Tax Payable Account"), verbose_name=_("Invoice Tax Payable Account"),
) )
invoice_vehicle_sale_account = models.ForeignKey( invoice_vehicle_sale_account = models.ForeignKey(
@ -3376,7 +3404,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Vehicle Sales account to track vehicle sales revenue when an invoice is created."), help_text=_(
"Vehicle Sales account to track vehicle sales revenue when an invoice is created."
),
verbose_name=_("Invoice Vehicle Sale Account"), verbose_name=_("Invoice Vehicle Sale Account"),
) )
invoice_additional_services_account = models.ForeignKey( invoice_additional_services_account = models.ForeignKey(
@ -3385,7 +3415,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Additional Services account to track additional services revenue when an invoice is created."), help_text=_(
"Additional Services account to track additional services revenue when an invoice is created."
),
verbose_name=_("Invoice Additional Services Account"), verbose_name=_("Invoice Additional Services Account"),
) )
invoice_cost_of_good_sold_account = models.ForeignKey( invoice_cost_of_good_sold_account = models.ForeignKey(
@ -3394,7 +3426,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Cost of Goods Sold account to track the cost of goods sold when an invoice is created."), help_text=_(
"Cost of Goods Sold account to track the cost of goods sold when an invoice is created."
),
verbose_name=_("Invoice Cost of Goods Sold Account"), verbose_name=_("Invoice Cost of Goods Sold Account"),
) )
@ -3404,7 +3438,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Inventory account to track the cost of goods sold when an invoice is created."), help_text=_(
"Inventory account to track the cost of goods sold when an invoice is created."
),
verbose_name=_("Invoice Inventory Account"), verbose_name=_("Invoice Inventory Account"),
) )
@ -3423,7 +3459,9 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Prepaid account to track prepaid expenses when a bill is created."), help_text=_(
"Prepaid account to track prepaid expenses when a bill is created."
),
verbose_name=_("Bill Prepaid Account"), verbose_name=_("Bill Prepaid Account"),
) )
bill_unearned_account = models.ForeignKey( bill_unearned_account = models.ForeignKey(
@ -3432,10 +3470,14 @@ class DealerSettings(models.Model):
on_delete=models.SET_NULL, on_delete=models.SET_NULL,
null=True, null=True,
blank=True, blank=True,
help_text=_("Unearned account to track unearned expenses when a bill is created."), help_text=_(
"Unearned account to track unearned expenses when a bill is created."
),
verbose_name=_("Bill Unearned Account"), verbose_name=_("Bill Unearned Account"),
) )
additional_info = models.JSONField(default=dict, null=True, blank=True, help_text=_("Additional information")) additional_info = models.JSONField(
default=dict, null=True, blank=True, help_text=_("Additional information")
)
def __str__(self): def __str__(self):
return f"Settings for {self.dealer}" return f"Settings for {self.dealer}"
@ -3790,7 +3832,10 @@ class Ticket(models.Model):
] ]
dealer = models.ForeignKey( dealer = models.ForeignKey(
Dealer, on_delete=models.CASCADE, related_name="tickets", verbose_name=_("Dealer") Dealer,
on_delete=models.CASCADE,
related_name="tickets",
verbose_name=_("Dealer"),
) )
subject = models.CharField( subject = models.CharField(
max_length=200, verbose_name=_("Subject"), help_text=_("Short description") max_length=200, verbose_name=_("Subject"), help_text=_("Short description")
@ -3882,7 +3927,6 @@ class CarImage(models.Model):
) )
class UserRegistration(models.Model): class UserRegistration(models.Model):
name = models.CharField(_("Name"), max_length=255) name = models.CharField(_("Name"), max_length=255)
arabic_name = models.CharField(_("Arabic Name"), max_length=255) arabic_name = models.CharField(_("Arabic Name"), max_length=255)
@ -3892,15 +3936,24 @@ class UserRegistration(models.Model):
verbose_name=_("Phone Number"), verbose_name=_("Phone Number"),
validators=[SaudiPhoneNumberValidator()], validators=[SaudiPhoneNumberValidator()],
) )
crn = models.CharField(_("Commercial Registration Number"), max_length=10, unique=True) crn = models.CharField(
_("Commercial Registration Number"), max_length=10, unique=True
)
vrn = models.CharField(_("Vehicle Registration Number"), max_length=15, unique=True) vrn = models.CharField(_("Vehicle Registration Number"), max_length=15, unique=True)
address = models.TextField(_("Address")) address = models.TextField(_("Address"))
password = models.CharField(_("Password"), max_length=255,null=True,blank=True) password = models.CharField(_("Password"), max_length=255, null=True, blank=True)
is_created = models.BooleanField(default=False) is_created = models.BooleanField(default=False)
created_at = models.DateTimeField(auto_now_add=True) created_at = models.DateTimeField(auto_now_add=True)
updated_at = models.DateTimeField(auto_now=True) updated_at = models.DateTimeField(auto_now=True)
REQUIRED_FIELDS = ["username", "arabic_name", "crn", "vrn", "address", "phone_number"] REQUIRED_FIELDS = [
"username",
"arabic_name",
"crn",
"vrn",
"address",
"phone_number",
]
def __str__(self): def __str__(self):
return self.email return self.email
@ -3924,7 +3977,7 @@ class UserRegistration(models.Model):
phone=self.phone_number, phone=self.phone_number,
crn=self.crn, crn=self.crn,
vrn=self.vrn, vrn=self.vrn,
address=self.address address=self.address,
) )
if dealer: if dealer:

View File

@ -411,6 +411,22 @@ class BasePurchaseOrderActionActionView(
f"while performing action '{self.action_name}' on Purchase Order ID: {po_model.pk}. " f"while performing action '{self.action_name}' on Purchase Order ID: {po_model.pk}. "
f"Error: {e}" f"Error: {e}"
) )
except Exception as e:
print(
f"User {user_username} encountered an exception "
f"while performing action '{self.action_name}' on Purchase Order ID: {po_model.pk}. "
f"Error: {e}"
)
logger.warning(
f"User {user_username} encountered an exception "
f"while performing action '{self.action_name}' on Purchase Order ID: {po_model.pk}. "
f"Error: {e}"
)
messages.add_message(
request,
message=f"Failed to update PO {po_model.po_number}. {e}",
level=messages.ERROR,
)
return response return response
@ -1129,6 +1145,7 @@ class ChartOfAccountModelCreateView(ChartOfAccountModelModelBaseViewMixIn, Creat
}, },
) )
class ChartOfAccountModelUpdateView(ChartOfAccountModelModelBaseViewMixIn, UpdateView): class ChartOfAccountModelUpdateView(ChartOfAccountModelModelBaseViewMixIn, UpdateView):
context_object_name = "coa_model" context_object_name = "coa_model"
slug_url_kwarg = "coa_slug" slug_url_kwarg = "coa_slug"

View File

@ -5,6 +5,7 @@ from django.urls import reverse
from django.contrib.auth.models import Group from django.contrib.auth.models import Group
from django.db.models.signals import post_save, post_delete from django.db.models.signals import post_save, post_delete
from django.dispatch import receiver from django.dispatch import receiver
# from appointment.models import Service # from appointment.models import Service
from django.utils.translation import gettext_lazy as _ from django.utils.translation import gettext_lazy as _
from django.contrib.contenttypes.models import ContentType from django.contrib.contenttypes.models import ContentType
@ -21,7 +22,7 @@ from django_ledger.models import (
EstimateModel, EstimateModel,
BillModel, BillModel,
ChartOfAccountModel, ChartOfAccountModel,
CustomerModel CustomerModel,
) )
from . import models from . import models
from django.utils.timezone import now from django.utils.timezone import now
@ -136,7 +137,6 @@ def create_car_location(sender, instance, created, **kwargs):
print(f"Failed to create CarLocation for car {instance.vin}: {e}") print(f"Failed to create CarLocation for car {instance.vin}: {e}")
@receiver(post_save, sender=models.Dealer) @receiver(post_save, sender=models.Dealer)
def create_ledger_entity(sender, instance, created, **kwargs): def create_ledger_entity(sender, instance, created, **kwargs):
if not created: if not created:
@ -155,20 +155,22 @@ def create_ledger_entity(sender, instance, created, **kwargs):
raise Exception("Entity creation failed") raise Exception("Entity creation failed")
instance.entity = entity instance.entity = entity
instance.save(update_fields=['entity']) instance.save(update_fields=["entity"])
# Create default COA # Create default COA
entity.create_chart_of_accounts( entity.create_chart_of_accounts(
assign_as_default=True, assign_as_default=True, commit=True, coa_name=f"{entity.name}-COA"
commit=True,
coa_name=f"{entity.name}-COA"
) )
logger.info(f"✅ Setup complete for dealer {instance.id}: entity & COA ready.") logger.info(
f"✅ Setup complete for dealer {instance.id}: entity & COA ready."
)
except Exception as e: except Exception as e:
logger.error(f"💥 Failed setup for dealer {instance.id}: {e}") logger.error(f"💥 Failed setup for dealer {instance.id}: {e}")
# Optional: schedule retry or alert # Optional: schedule retry or alert
# Create Entity # Create Entity
# @receiver(post_save, sender=models.Dealer) # @receiver(post_save, sender=models.Dealer)
# def create_ledger_entity(sender, instance, created, **kwargs): # def create_ledger_entity(sender, instance, created, **kwargs):
@ -218,10 +220,10 @@ def create_ledger_entity(sender, instance, created, **kwargs):
# dealer=instance, # dealer=instance,
# hook="inventory.hooks.check_create_coa_accounts", # hook="inventory.hooks.check_create_coa_accounts",
# ) # )
# async_task('inventory.tasks.check_create_coa_accounts', instance, schedule_type='O', schedule_time=timedelta(seconds=20)) # async_task('inventory.tasks.check_create_coa_accounts', instance, schedule_type='O', schedule_time=timedelta(seconds=20))
# create_settings(instance.pk) # create_settings(instance.pk)
# create_accounts_for_make(instance.pk) # create_accounts_for_make(instance.pk)
@receiver(post_save, sender=models.Dealer) @receiver(post_save, sender=models.Dealer)
@ -998,17 +1000,19 @@ def save_po(sender, instance, created, **kwargs):
instance.itemtransactionmodel_set.first().po_model.save() instance.itemtransactionmodel_set.first().po_model.save()
except Exception as e: except Exception as e:
pass pass
@receiver(post_save, sender=PurchaseOrderModel) @receiver(post_save, sender=PurchaseOrderModel)
def create_po_item_upload(sender, instance, created, **kwargs): def create_po_item_upload(sender, instance, created, **kwargs):
if instance.po_status == "fulfilled" or instance.po_status == 'approved': if instance.po_status == "fulfilled" or instance.po_status == "approved":
for item in instance.get_itemtxs_data()[0]: for item in instance.get_itemtxs_data()[0]:
dealer = models.Dealer.objects.get(entity=instance.entity) dealer = models.Dealer.objects.get(entity=instance.entity)
if item.bill_model and item.bill_model.is_paid(): if item.bill_model and item.bill_model.is_paid():
models.PoItemsUploaded.objects.update_or_create( models.PoItemsUploaded.objects.update_or_create(
dealer=dealer, po=instance, item=item, dealer=dealer,
defaults={ po=instance,
"status":instance.po_status item=item,
} defaults={"status": instance.po_status},
) )
# po_item = models.PoItemsUploaded.objects.get_or_create( # po_item = models.PoItemsUploaded.objects.get_or_create(
@ -1364,7 +1368,9 @@ def handle_car_image(sender, instance, created, **kwargs):
# ) # )
# Check for existing image with same hash # Check for existing image with same hash
existing = os.path.exists(os.path.join(settings.MEDIA_ROOT, "car_images",car.get_hash + ".png")) existing = os.path.exists(
os.path.join(settings.MEDIA_ROOT, "car_images", car.get_hash + ".png")
)
# existing = ( # existing = (
# models.CarImage.objects.filter( # models.CarImage.objects.filter(
# image_hash=car.get_hash, image__isnull=False # image_hash=car.get_hash, image__isnull=False
@ -1406,7 +1412,7 @@ def handle_user_registration(sender, instance, created, **kwargs):
""" """
Thank you for registering with us. We will contact you shortly to complete your application. Thank you for registering with us. We will contact you shortly to complete your application.
شكرا لمراسلتنا. سوف نتصل بك قريبا لاستكمال طلبك. شكرا لمراسلتنا. سوف نتصل بك قريبا لاستكمال طلبك.
""" """,
) )
if instance.is_created: if instance.is_created:
@ -1430,7 +1436,8 @@ def handle_user_registration(sender, instance, created, **kwargs):
يرجى تسجيل الدخول إلى الموقع لاستكمال الملف الشخصي والبدء في استخدام خدماتنا. يرجى تسجيل الدخول إلى الموقع لاستكمال الملف الشخصي والبدء في استخدام خدماتنا.
شكرا لاختيارك لنا. شكرا لاختيارك لنا.
""") """,
)
@receiver(post_save, sender=ChartOfAccountModel) @receiver(post_save, sender=ChartOfAccountModel)

View File

@ -12,12 +12,14 @@ from django.db import transaction
from django_ledger.io import roles from django_ledger.io import roles
from django_q.tasks import async_task from django_q.tasks import async_task
from django.core.mail import send_mail from django.core.mail import send_mail
# from appointment.models import StaffMember # from appointment.models import StaffMember
from django.utils.translation import activate from django.utils.translation import activate
from django.core.files.base import ContentFile from django.core.files.base import ContentFile
from django.contrib.auth import get_user_model from django.contrib.auth import get_user_model
from allauth.account.models import EmailAddress from allauth.account.models import EmailAddress
from django.core.mail import EmailMultiAlternatives from django.core.mail import EmailMultiAlternatives
# from .utils import get_accounts_data, create_account # from .utils import get_accounts_data, create_account
from django.template.loader import render_to_string from django.template.loader import render_to_string
from django.utils.translation import gettext_lazy as _ from django.utils.translation import gettext_lazy as _
@ -30,7 +32,7 @@ from inventory.models import (
CarReservation, CarReservation,
CarStatusChoices, CarStatusChoices,
CarImage, CarImage,
Car Car,
) )
logger = logging.getLogger(__name__) logger = logging.getLogger(__name__)
@ -63,17 +65,18 @@ def create_settings(pk):
) )
def create_coa_accounts(dealer_id,**kwargs): def create_coa_accounts(dealer_id, **kwargs):
""" """
Idempotent: Creates only missing default accounts. Idempotent: Creates only missing default accounts.
Safe to retry. Returns True if all done. Safe to retry. Returns True if all done.
""" """
from .models import Dealer from .models import Dealer
from .utils import get_accounts_data, create_account from .utils import get_accounts_data, create_account
try: try:
dealer = Dealer.objects.get(pk=dealer_id) dealer = Dealer.objects.get(pk=dealer_id)
entity = dealer.entity entity = dealer.entity
coa_slug = kwargs.get('coa_slug', None) coa_slug = kwargs.get("coa_slug", None)
if not entity: if not entity:
logger.error(f"❌ No entity for dealer {dealer_id}") logger.error(f"❌ No entity for dealer {dealer_id}")
return False return False
@ -82,7 +85,9 @@ def create_coa_accounts(dealer_id,**kwargs):
try: try:
coa = entity.get_coa_model_qs().get(slug=coa_slug) coa = entity.get_coa_model_qs().get(slug=coa_slug)
except Exception as e: except Exception as e:
logger.error(f"COA with slug {coa_slug} not found for entity {entity.pk}: {e}") logger.error(
f"COA with slug {coa_slug} not found for entity {entity.pk}: {e}"
)
return False return False
else: else:
coa = entity.get_default_coa() coa = entity.get_default_coa()
@ -92,10 +97,13 @@ def create_coa_accounts(dealer_id,**kwargs):
return False return False
# Get missing accounts # Get missing accounts
existing_codes = set(entity.get_all_accounts().filter(coa_model=coa).values_list('code', flat=True)) existing_codes = set(
entity.get_all_accounts()
.filter(coa_model=coa)
.values_list("code", flat=True)
)
accounts_to_create = [ accounts_to_create = [
acc for acc in get_accounts_data() acc for acc in get_accounts_data() if acc["code"] not in existing_codes
if acc["code"] not in existing_codes
] ]
if not accounts_to_create: if not accounts_to_create:
@ -122,6 +130,7 @@ def create_coa_accounts(dealer_id,**kwargs):
logger.error(f"💥 Task failed for dealer {dealer_id}: {e}") logger.error(f"💥 Task failed for dealer {dealer_id}: {e}")
raise # Let Django-Q handle retry if configured raise # Let Django-Q handle retry if configured
def retry_entity_creation(dealer_id, retry_count=0): def retry_entity_creation(dealer_id, retry_count=0):
""" """
Retry entity creation if initial attempt failed Retry entity creation if initial attempt failed
@ -164,8 +173,10 @@ def retry_entity_creation(dealer_id, retry_count=0):
async_task( async_task(
"inventory.tasks.retry_entity_creation", "inventory.tasks.retry_entity_creation",
dealer_id=dealer_id, dealer_id=dealer_id,
retry_count=retry_count + 1 retry_count=retry_count + 1,
) )
# def create_coa_accounts(**kwargs): # def create_coa_accounts(**kwargs):
# logger.info("creating all accounts are created") # logger.info("creating all accounts are created")
# instance = kwargs.get("dealer") # instance = kwargs.get("dealer")

View File

@ -13,6 +13,7 @@ from django.db.models import Case, Value, When, IntegerField
register = template.Library() register = template.Library()
@register.filter @register.filter
def is_negative(value): def is_negative(value):
""" """
@ -23,6 +24,7 @@ def is_negative(value):
except (ValueError, TypeError): except (ValueError, TypeError):
return False return False
@register.filter @register.filter
def get_percentage(value, total): def get_percentage(value, total):
try: try:
@ -501,8 +503,16 @@ def bill_item_formset_table(context, item_formset):
for item in item_formset: for item in item_formset:
if item: if item:
print(item.fields["item_model"]) print(item.fields["item_model"])
item.initial["quantity"] = item.instance.po_quantity if item.instance.po_quantity else item.instance.quantity item.initial["quantity"] = (
item.initial["unit_cost"] = item.instance.po_unit_cost if item.instance.po_unit_cost else item.instance.unit_cost item.instance.po_quantity
if item.instance.po_quantity
else item.instance.quantity
)
item.initial["unit_cost"] = (
item.instance.po_unit_cost
if item.instance.po_unit_cost
else item.instance.unit_cost
)
# print(item.instance.po_quantity) # print(item.instance.po_quantity)
# print(item.instance.po_unit_cost) # print(item.instance.po_unit_cost)
# print(item.instance.po_total_amount) # print(item.instance.po_total_amount)

View File

@ -2,7 +2,7 @@ from inventory.utils import get_user_type
from . import views from . import views
from django.urls import path from django.urls import path
from django.urls import reverse_lazy from django.urls import reverse_lazy
from django.views.generic import RedirectView,TemplateView from django.views.generic import RedirectView, TemplateView
from django_tables2.export.export import TableExport from django_tables2.export.export import TableExport
from django.conf.urls import handler403, handler400, handler404, handler500 from django.conf.urls import handler403, handler400, handler404, handler500
@ -10,14 +10,17 @@ urlpatterns = [
# main URLs # main URLs
path("", views.WelcomeView, name="welcome"), path("", views.WelcomeView, name="welcome"),
# path("signup/", views.dealer_signup, name="account_signup"), # path("signup/", views.dealer_signup, name="account_signup"),
path('signup/', views.CarDealershipSignUpView.as_view(), name='account_signup'), path("signup/", views.CarDealershipSignUpView.as_view(), name="account_signup"),
path('success/', TemplateView.as_view(template_name='account/success.html'), name='registration_success'), path(
"success/",
TemplateView.as_view(template_name="account/success.html"),
name="registration_success",
),
path("", views.HomeView, name="home"), path("", views.HomeView, name="home"),
# path('refund-policy/',views.refund_policy,name='refund_policy'), # path('refund-policy/',views.refund_policy,name='refund_policy'),
path("<slug:dealer_slug>/", views.HomeView, name="home"), path("<slug:dealer_slug>/", views.HomeView, name="home"),
# Tasks # Tasks
path("legal/", views.terms_and_privacy, name="terms_and_privacy"), path("legal/", views.terms_and_privacy, name="terms_and_privacy"),
# path('tasks/<int:task_id>/detail/', views.task_detail, name='task_detail'), # path('tasks/<int:task_id>/detail/', views.task_detail, name='task_detail'),
# Dashboards # Dashboards
# path("user/<int:pk>/settings/", views.UserSettingsView.as_view(), name="user_settings"), # path("user/<int:pk>/settings/", views.UserSettingsView.as_view(), name="user_settings"),
@ -44,13 +47,18 @@ urlpatterns = [
views.assign_car_makes, views.assign_car_makes,
name="assign_car_makes", name="assign_car_makes",
), ),
# dashboards for manager, dealer, inventory and accounatant
path(
#dashboards for manager, dealer, inventory and accounatant "dashboards/<slug:dealer_slug>/general/",
path("dashboards/<slug:dealer_slug>/general/", views.general_dashboard,name="general_dashboard"), views.general_dashboard,
#dashboard for sales name="general_dashboard",
path("dashboards/<slug:dealer_slug>/sales/", views.sales_dashboard, name="sales_dashboard"), ),
# dashboard for sales
path(
"dashboards/<slug:dealer_slug>/sales/",
views.sales_dashboard,
name="sales_dashboard",
),
path( path(
"<slug:dealer_slug>/cars/aging-inventory/list", "<slug:dealer_slug>/cars/aging-inventory/list",
views.aging_inventory_list_view, views.aging_inventory_list_view,
@ -786,7 +794,11 @@ urlpatterns = [
views.EstimateDetailView.as_view(), views.EstimateDetailView.as_view(),
name="estimate_detail", name="estimate_detail",
), ),
path('<slug:dealer_slug>/sales/estimates/print/<uuid:pk>/', views.EstimatePrintView.as_view(), name='estimate_print'), path(
"<slug:dealer_slug>/sales/estimates/print/<uuid:pk>/",
views.EstimatePrintView.as_view(),
name="estimate_print",
),
path( path(
"<slug:dealer_slug>/sales/estimates/create/", "<slug:dealer_slug>/sales/estimates/create/",
views.create_estimate, views.create_estimate,
@ -943,7 +955,6 @@ urlpatterns = [
views.ItemServiceUpdateView.as_view(), views.ItemServiceUpdateView.as_view(),
name="item_service_update", name="item_service_update",
), ),
path( path(
"<slug:dealer_slug>/items/services/<int:pk>/detail/", "<slug:dealer_slug>/items/services/<int:pk>/detail/",
views.ItemServiceDetailView.as_view(), views.ItemServiceDetailView.as_view(),
@ -1112,32 +1123,47 @@ urlpatterns = [
name="entity-ic-date", name="entity-ic-date",
), ),
# Chart of Accounts... # Chart of Accounts...
path('<slug:dealer_slug>/chart-of-accounts/<slug:entity_slug>/list/', path(
"<slug:dealer_slug>/chart-of-accounts/<slug:entity_slug>/list/",
views.ChartOfAccountModelListView.as_view(), views.ChartOfAccountModelListView.as_view(),
name='coa-list'), name="coa-list",
path('<slug:dealer_slug>/chart-of-accounts/<slug:entity_slug>/list/inactive/', ),
path(
"<slug:dealer_slug>/chart-of-accounts/<slug:entity_slug>/list/inactive/",
views.ChartOfAccountModelListView.as_view(inactive=True), views.ChartOfAccountModelListView.as_view(inactive=True),
name='coa-list-inactive'), name="coa-list-inactive",
path('<slug:dealer_slug>/<slug:entity_slug>/create/', ),
path(
"<slug:dealer_slug>/<slug:entity_slug>/create/",
views.ChartOfAccountModelCreateView.as_view(), views.ChartOfAccountModelCreateView.as_view(),
name='coa-create'), name="coa-create",
path('<slug:dealer_slug>/<slug:entity_slug>/detail/<slug:coa_slug>/', ),
path(
"<slug:dealer_slug>/<slug:entity_slug>/detail/<slug:coa_slug>/",
views.ChartOfAccountModelListView.as_view(), views.ChartOfAccountModelListView.as_view(),
name='coa-detail'), name="coa-detail",
path('<slug:dealer_slug>/<slug:entity_slug>/update/<slug:coa_slug>/', ),
path(
"<slug:dealer_slug>/<slug:entity_slug>/update/<slug:coa_slug>/",
views.ChartOfAccountModelUpdateView.as_view(), views.ChartOfAccountModelUpdateView.as_view(),
name='coa-update'), name="coa-update",
),
# ACTIONS.... # ACTIONS....
path('<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-default/', path(
views.CharOfAccountModelActionView.as_view(action_name='mark_as_default'), "<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-default/",
name='coa-action-mark-as-default'), views.CharOfAccountModelActionView.as_view(action_name="mark_as_default"),
path('<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-active/', name="coa-action-mark-as-default",
views.CharOfAccountModelActionView.as_view(action_name='mark_as_active'), ),
name='coa-action-mark-as-active'), path(
path('<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-inactive/', "<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-active/",
views.CharOfAccountModelActionView.as_view(action_name='mark_as_inactive'), views.CharOfAccountModelActionView.as_view(action_name="mark_as_active"),
name='coa-action-mark-as-inactive'), name="coa-action-mark-as-active",
),
path(
"<slug:dealer_slug>/<slug:entity_slug>/action/<slug:coa_slug>/mark-as-inactive/",
views.CharOfAccountModelActionView.as_view(action_name="mark_as_inactive"),
name="coa-action-mark-as-inactive",
),
# CASH FLOW STATEMENTS... # CASH FLOW STATEMENTS...
# Entities... # Entities...
path( path(
@ -1313,42 +1339,80 @@ urlpatterns = [
views.PurchaseOrderMarkAsVoidView.as_view(), views.PurchaseOrderMarkAsVoidView.as_view(),
name="po-action-mark-as-void", name="po-action-mark-as-void",
), ),
# reports # reports
path( path(
"<slug:dealer_slug>/purchase-report/", "<slug:dealer_slug>/purchase-report/",
views.purchase_report_view, views.purchase_report_view,
name="po-report", name="po-report",
), ),
path('purchase-report/<slug:dealer_slug>/csv/', views.purchase_report_csv_export, name='purchase-report-csv-export'), path(
"purchase-report/<slug:dealer_slug>/csv/",
views.purchase_report_csv_export,
name="purchase-report-csv-export",
),
path( path(
"<slug:dealer_slug>/car-sale-report/", "<slug:dealer_slug>/car-sale-report/",
views.car_sale_report_view, views.car_sale_report_view,
name="car-sale-report", name="car-sale-report",
), ),
path('<slug:dealer_slug>/car-sale-report/get_filtered_choices/',views.get_filtered_choices,name='get_filtered_choices'), path(
path('car-sale-report/<slug:dealer_slug>/csv/', views.car_sale_report_csv_export, name='car-sale-report-csv-export'), "<slug:dealer_slug>/car-sale-report/get_filtered_choices/",
views.get_filtered_choices,
path('feature/recall/', views.RecallListView.as_view(), name='recall_list'), name="get_filtered_choices",
path('feature/recall/filter/', views.RecallFilterView, name='recall_filter'), ),
path('feature/recall/<int:pk>/view/', views.RecallDetailView.as_view(), name='recall_detail'), path(
path('feature/recall/create/', views.RecallCreateView.as_view(), name='recall_create'), "car-sale-report/<slug:dealer_slug>/csv/",
path('feature/recall/success/', views.RecallSuccessView.as_view(), name='recall_success'), views.car_sale_report_csv_export,
name="car-sale-report-csv-export",
path('<slug:dealer_slug>/schedules/calendar/', views.schedule_calendar, name='schedule_calendar'), ),
path("feature/recall/", views.RecallListView.as_view(), name="recall_list"),
path("feature/recall/filter/", views.RecallFilterView, name="recall_filter"),
path(
"feature/recall/<int:pk>/view/",
views.RecallDetailView.as_view(),
name="recall_detail",
),
path(
"feature/recall/create/", views.RecallCreateView.as_view(), name="recall_create"
),
path(
"feature/recall/success/",
views.RecallSuccessView.as_view(),
name="recall_success",
),
path(
"<slug:dealer_slug>/schedules/calendar/",
views.schedule_calendar,
name="schedule_calendar",
),
# staff profile # staff profile
path('<slug:dealer_slug>/staff/<slug:slug>detail/', views.StaffDetailView.as_view(), name='staff_detail'), path(
"<slug:dealer_slug>/staff/<slug:slug>detail/",
views.StaffDetailView.as_view(),
name="staff_detail",
),
# tickets # tickets
path('help_center/view/', views.help_center, name='help_center'), path("help_center/view/", views.help_center, name="help_center"),
path('<slug:dealer_slug>/help_center/tickets/', views.ticket_list, name='ticket_list'), path(
path('help_center/tickets/<slug:dealer_slug>/create/', views.create_ticket, name='create_ticket'), "<slug:dealer_slug>/help_center/tickets/", views.ticket_list, name="ticket_list"
path('<slug:dealer_slug>/help_center/tickets/<int:ticket_id>/', views.ticket_detail, name='ticket_detail'), ),
path('help_center/tickets/<int:ticket_id>/update/', views.ticket_update, name='ticket_update'), path(
"help_center/tickets/<slug:dealer_slug>/create/",
views.create_ticket,
name="create_ticket",
),
path(
"<slug:dealer_slug>/help_center/tickets/<int:ticket_id>/",
views.ticket_detail,
name="ticket_detail",
),
path(
"help_center/tickets/<int:ticket_id>/update/",
views.ticket_update,
name="ticket_update",
),
# path('help_center/tickets/<int:ticket_id>/ticket_mark_resolved/', views.ticket_mark_resolved, name='ticket_mark_resolved'), # path('help_center/tickets/<int:ticket_id>/ticket_mark_resolved/', views.ticket_mark_resolved, name='ticket_mark_resolved'),
path('payment_results/', views.payment_result, name='payment_result'), path("payment_results/", views.payment_result, name="payment_result"),
] ]
handler404 = "inventory.views.custom_page_not_found_view" handler404 = "inventory.views.custom_page_not_found_view"

View File

@ -27,7 +27,7 @@ from django_ledger.models import (
VendorModel, VendorModel,
AccountModel, AccountModel,
EntityModel, EntityModel,
ChartOfAccountModel ChartOfAccountModel,
) )
from django.core.files.base import ContentFile from django.core.files.base import ContentFile
from django_ledger.models.items import ItemModel from django_ledger.models.items import ItemModel
@ -1329,9 +1329,9 @@ def get_finance_data(estimate, dealer):
additional_services = car.get_additional_services() additional_services = car.get_additional_services()
discounted_price = Decimal(car.marked_price) - discount discounted_price = Decimal(car.marked_price) - discount
vat_amount = discounted_price * vat.rate vat_amount = discounted_price * vat.rate
total_services_amount=additional_services.get("total") total_services_amount = additional_services.get("total")
total_services_vat = sum([x[1] for x in additional_services.get("services")]) total_services_vat = sum([x[1] for x in additional_services.get("services")])
total_services_amount_=additional_services.get("total_") total_services_amount_ = additional_services.get("total_")
total_vat = vat_amount + total_services_vat total_vat = vat_amount + total_services_vat
return { return {
"car": car, "car": car,
@ -1342,16 +1342,11 @@ def get_finance_data(estimate, dealer):
"discount_amount": discount, "discount_amount": discount,
"additional_services": additional_services, "additional_services": additional_services,
"final_price": discounted_price + vat_amount, "final_price": discounted_price + vat_amount,
"total_services_vat": total_services_vat, "total_services_vat": total_services_vat,
"total_services_amount":total_services_amount, "total_services_amount": total_services_amount,
"total_services_amount_":total_services_amount_, "total_services_amount_": total_services_amount_,
"total_vat": total_vat, "total_vat": total_vat,
"grand_total": discounted_price + total_vat + additional_services.get("total"), "grand_total": discounted_price + total_vat + additional_services.get("total"),
} }
# totals = self.calculate_totals() # totals = self.calculate_totals()
@ -1605,24 +1600,38 @@ def _post_sale_and_cogs(invoice, dealer):
1) Cash / A-R / VAT / Revenue journal 1) Cash / A-R / VAT / Revenue journal
2) COGS / Inventory journal 2) COGS / Inventory journal
""" """
entity:EntityModel = invoice.ledger.entity entity: EntityModel = invoice.ledger.entity
# calc = CarFinanceCalculator(invoice) # calc = CarFinanceCalculator(invoice)
data = get_finance_data(invoice, dealer) data = get_finance_data(invoice, dealer)
car = data.get("car") car = data.get("car")
coa:ChartOfAccountModel = entity.get_default_coa() coa: ChartOfAccountModel = entity.get_default_coa()
cash_acc = invoice.cash_account or dealer.settings.invoice_cash_account cash_acc = invoice.cash_account or dealer.settings.invoice_cash_account
vat_acc = dealer.settings.invoice_tax_payable_account or entity.get_default_coa_accounts().filter(role_default=True, role=roles.LIABILITY_CL_TAXES_PAYABLE).first() vat_acc = (
dealer.settings.invoice_tax_payable_account
or entity.get_default_coa_accounts()
.filter(role_default=True, role=roles.LIABILITY_CL_TAXES_PAYABLE)
.first()
)
car_rev = dealer.settings.invoice_vehicle_sale_account or entity.get_default_coa_accounts().filter(role_default=True, role=roles.INCOME_OPERATIONAL).first() car_rev = (
dealer.settings.invoice_vehicle_sale_account
or entity.get_default_coa_accounts()
.filter(role_default=True, role=roles.INCOME_OPERATIONAL)
.first()
)
add_rev = dealer.settings.invoice_additional_services_account add_rev = dealer.settings.invoice_additional_services_account
if not add_rev: if not add_rev:
try: try:
add_rev = entity.get_default_coa_accounts().filter(name="After-Sales Services", active=True).first() add_rev = (
entity.get_default_coa_accounts()
.filter(name="After-Sales Services", active=True)
.first()
)
if not add_rev: if not add_rev:
add_rev = coa.create_account( add_rev = coa.create_account(
code="4020", code="4020",
@ -1632,16 +1641,28 @@ def _post_sale_and_cogs(invoice, dealer):
active=True, active=True,
) )
add_rev.role_default = False add_rev.role_default = False
add_rev.save(update_fields=['role_default']) add_rev.save(update_fields=["role_default"])
dealer.settings.invoice_additional_services_account = add_rev dealer.settings.invoice_additional_services_account = add_rev
dealer.settings.save() dealer.settings.save()
except Exception as e: except Exception as e:
logger.error(f"error find or create additional services account {e}") logger.error(f"error find or create additional services account {e}")
if car.get_additional_services_amount > 0 and not add_rev: if car.get_additional_services_amount > 0 and not add_rev:
raise Exception("additional services exist but not account found,please create account for the additional services and set as default in the settings") raise Exception(
cogs_acc = dealer.settings.invoice_cost_of_good_sold_account or entity.get_default_coa_accounts().filter(role_default=True, role=roles.COGS).first() "additional services exist but not account found,please create account for the additional services and set as default in the settings"
)
cogs_acc = (
dealer.settings.invoice_cost_of_good_sold_account
or entity.get_default_coa_accounts()
.filter(role_default=True, role=roles.COGS)
.first()
)
inv_acc = dealer.settings.invoice_inventory_account or entity.get_default_coa_accounts().filter(role_default=True, role=roles.ASSET_CA_INVENTORY).first() inv_acc = (
dealer.settings.invoice_inventory_account
or entity.get_default_coa_accounts()
.filter(role_default=True, role=roles.ASSET_CA_INVENTORY)
.first()
)
net_car_price = Decimal(data["discounted_price"]) net_car_price = Decimal(data["discounted_price"])
net_additionals_price = Decimal(data["additional_services"]["total"]) net_additionals_price = Decimal(data["additional_services"]["total"])
@ -1696,11 +1717,12 @@ def _post_sale_and_cogs(invoice, dealer):
# tx_type='credit' # tx_type='credit'
# ) # )
if car.get_additional_services_amount > 0: if car.get_additional_services_amount > 0:
# Cr Sales Additional Services # Cr Sales Additional Services
if not add_rev: if not add_rev:
logger.warning(f"Additional Services account not set for dealer {dealer}. Skipping additional services revenue entry.") logger.warning(
f"Additional Services account not set for dealer {dealer}. Skipping additional services revenue entry."
)
else: else:
TransactionModel.objects.create( TransactionModel.objects.create(
journal_entry=je_sale, journal_entry=je_sale,
@ -1938,7 +1960,7 @@ def handle_payment(request, dealer):
} }
# Get selected plan from session # Get selected plan from session
selected_plan_id = request.session.get('pending_plan_id') selected_plan_id = request.session.get("pending_plan_id")
if not selected_plan_id: if not selected_plan_id:
raise ValueError("No pending plan found in session") raise ValueError("No pending plan found in session")
from plans.models import PlanPricing from plans.models import PlanPricing
@ -1956,7 +1978,8 @@ def handle_payment(request, dealer):
"dealer_slug": dealer.slug, "dealer_slug": dealer.slug,
} }
payload = json.dumps({ payload = json.dumps(
{
"amount": total, "amount": total,
"currency": "SAR", "currency": "SAR",
"description": f"Payment for plan {pp.plan.name}", "description": f"Payment for plan {pp.plan.name}",
@ -1974,7 +1997,8 @@ def handle_payment(request, dealer):
"save_card": False, "save_card": False,
}, },
"metadata": metadata, "metadata": metadata,
}) }
)
headers = {"Content-Type": "application/json", "Accept": "application/json"} headers = {"Content-Type": "application/json", "Accept": "application/json"}
auth = (settings.MOYASAR_SECRET_KEY, "") auth = (settings.MOYASAR_SECRET_KEY, "")
@ -1998,7 +2022,9 @@ def handle_payment(request, dealer):
gateway_response=data, gateway_response=data,
) )
logger.info(f"Payment initiated: {data}") logger.info(f"Payment initiated: {data}")
return data["source"]["transaction_url"],None return data["source"]["transaction_url"], None
# def handle_payment(request, order): # def handle_payment(request, order):
# logger.info(f"Handling payment for order {order}") # logger.info(f"Handling payment for order {order}")
# url = "https://api.moyasar.com/v1/payments" # url = "https://api.moyasar.com/v1/payments"
@ -2518,10 +2544,9 @@ def create_account(entity, coa, account_data):
logger.info(f"Created account: {account}") logger.info(f"Created account: {account}")
if account: if account:
account.role_default = account_data.get("default", False) account.role_default = account_data.get("default", False)
account.save(update_fields=['role_default']) account.save(update_fields=["role_default"])
return True return True
except IntegrityError: except IntegrityError:
return True # Already created by race condition return True # Already created by race condition
except Exception as e: except Exception as e:
@ -2529,6 +2554,7 @@ def create_account(entity, coa, account_data):
return False return False
# def create_account(entity, coa, account_data): # def create_account(entity, coa, account_data):
# try: # try:
# account = entity.create_account( # account = entity.create_account(
@ -2810,7 +2836,9 @@ def generate_car_image_simple(car):
# Save the resized image # Save the resized image
logger.info(f" {car.vin}") logger.info(f" {car.vin}")
with open( with open(
os.path.join(settings.MEDIA_ROOT, f"car_images/{car.get_hash}.{file_extension}"), os.path.join(
settings.MEDIA_ROOT, f"car_images/{car.get_hash}.{file_extension}"
),
"wb", "wb",
) as f: ) as f:
f.write(resized_data) f.write(resized_data)
@ -2826,9 +2854,7 @@ def generate_car_image_simple(car):
return {"success": False, "error": error_msg} return {"success": False, "error": error_msg}
def create_estimate_(dealer, car, customer):
def create_estimate_(dealer,car,customer):
entity = dealer.entity entity = dealer.entity
title = f"Estimate for {car.vin}-{car.id_car_make.name}-{car.id_car_model.name}-{car.year} for customer {customer.first_name} {customer.last_name}" title = f"Estimate for {car.vin}-{car.id_car_make.name}-{car.id_car_model.name}-{car.year} for customer {customer.first_name} {customer.last_name}"
estimate = entity.create_estimate( estimate = entity.create_estimate(

View File

@ -16,9 +16,10 @@ class SaudiPhoneNumberValidator(RegexValidator):
cleaned_value = re.sub(r"[\s\-\(\)\.]", "", str(value)) cleaned_value = re.sub(r"[\s\-\(\)\.]", "", str(value))
super().__call__(cleaned_value) super().__call__(cleaned_value)
def vat_rate_validator(value): def vat_rate_validator(value):
if value < 0 or value > 1: if value < 0 or value > 1:
raise ValidationError( raise ValidationError(
_('%(value)s is not a valid VAT rate. It must be between 0 and 1.'), _("%(value)s is not a valid VAT rate. It must be between 0 and 1."),
params={'value': value}, params={"value": value},
) )

File diff suppressed because it is too large Load Diff

View File

@ -7,7 +7,9 @@ autobahn==24.4.2
Automat==25.4.16 Automat==25.4.16
Babel==2.15.0 Babel==2.15.0
beautifulsoup4==4.13.4 beautifulsoup4==4.13.4
blacknoise==1.2.0
blessed==1.21.0 blessed==1.21.0
Brotli==1.1.0
cattrs==25.1.1 cattrs==25.1.1
certifi==2025.7.9 certifi==2025.7.9
cffi==1.17.1 cffi==1.17.1
@ -19,15 +21,13 @@ constantly==23.10.4
crispy-bootstrap5==2025.6 crispy-bootstrap5==2025.6
cryptography==45.0.5 cryptography==45.0.5
cssbeautifier==1.15.4 cssbeautifier==1.15.4
daphne==4.2.1 cssselect2==0.8.0
defusedxml==0.7.1 defusedxml==0.7.1
diff-match-patch==20241021 diff-match-patch==20241021
distro==1.9.0 distro==1.9.0
Django==5.2.4 Django==5.2.4
django-allauth==65.10.0 django-allauth==65.10.0
django-appconf==1.1.0 django-appconf==1.1.0
django-appointment==3.8.0
django-background-tasks==1.2.8
django-bootstrap5==25.1 django-bootstrap5==25.1
django-ckeditor==6.7.3 django-ckeditor==6.7.3
django-cors-headers==4.7.0 django-cors-headers==4.7.0
@ -35,6 +35,7 @@ django-countries==7.6.1
django-crispy-forms==2.4 django-crispy-forms==2.4
django-debug-toolbar==5.2.0 django-debug-toolbar==5.2.0
django-easy-audit==1.3.7 django-easy-audit==1.3.7
django-encrypted-model-fields==0.6.5
django-extensions==4.1 django-extensions==4.1
django-filter==25.1 django-filter==25.1
django-imagekit==5.0.0 django-imagekit==5.0.0
@ -47,7 +48,6 @@ django-ordered-model==3.7.4
django-phonenumber-field==8.0.0 django-phonenumber-field==8.0.0
django-picklefield==3.3 django-picklefield==3.3
django-plans==2.0.0 django-plans==2.0.0
django-prometheus==2.4.1
django-q2==1.8.0 django-q2==1.8.0
django-query-builder==3.2.0 django-query-builder==3.2.0
django-schema-graph==3.1.0 django-schema-graph==3.1.0
@ -56,8 +56,6 @@ django-tables2==2.7.5
django-treebeard==4.7.1 django-treebeard==4.7.1
django-widget-tweaks==1.5.0 django-widget-tweaks==1.5.0
djangorestframework==3.16.0 djangorestframework==3.16.0
djhtml==3.0.8
djlint==1.36.4
dnspython==2.7.0 dnspython==2.7.0
docopt==0.6.2 docopt==0.6.2
EditorConfig==0.17.1 EditorConfig==0.17.1
@ -78,8 +76,6 @@ hyperlink==21.0.0
icalendar==6.3.1 icalendar==6.3.1
idna==3.10 idna==3.10
incremental==24.7.2 incremental==24.7.2
iron-core==1.2.1
iron-mq==0.9
jiter==0.10.0 jiter==0.10.0
jsbeautifier==1.15.4 jsbeautifier==1.15.4
json5==0.12.0 json5==0.12.0
@ -109,16 +105,17 @@ phonenumbers==8.13.42
pilkit==3.0 pilkit==3.0
pillow==10.4.0 pillow==10.4.0
priority==1.3.0 priority==1.3.0
prometheus_client==0.22.1
psycopg2-binary==2.9.10 psycopg2-binary==2.9.10
pyasn1==0.6.1 pyasn1==0.6.1
pyasn1_modules==0.4.2 pyasn1_modules==0.4.2
pycparser==2.22 pycparser==2.22
pydantic==2.11.7 pydantic==2.11.7
pydantic_core==2.33.2 pydantic_core==2.33.2
pydyf==0.11.0
Pygments==2.19.2 Pygments==2.19.2
pymongo==4.14.1 pymongo==4.14.1
pyOpenSSL==25.1.0 pyOpenSSL==25.1.0
pyphen==0.17.2
python-dateutil==2.9.0.post0 python-dateutil==2.9.0.post0
python-dotenv==1.1.1 python-dotenv==1.1.1
python-slugify==8.0.4 python-slugify==8.0.4
@ -131,8 +128,6 @@ redis==6.2.0
regex==2024.11.6 regex==2024.11.6
requests==2.32.4 requests==2.32.4
requests-toolbelt==1.0.0 requests-toolbelt==1.0.0
rich==14.0.0
ruff==0.12.2
service-identity==24.2.0 service-identity==24.2.0
setuptools==80.9.0 setuptools==80.9.0
six==1.17.0 six==1.17.0
@ -140,11 +135,15 @@ sniffio==1.3.1
soupsieve==2.7 soupsieve==2.7
SQLAlchemy==2.0.41 SQLAlchemy==2.0.41
sqlparse==0.5.3 sqlparse==0.5.3
starlette==0.47.3
static3==0.7.0
suds==1.2.0 suds==1.2.0
swapper==1.3.0 swapper==1.3.0
tablib==3.8.0 tablib==3.8.0
tenacity==9.1.2 tenacity==9.1.2
text-unidecode==1.3 text-unidecode==1.3
tinycss2==1.4.0
tinyhtml5==2.0.0
tqdm==4.67.1 tqdm==4.67.1
Twisted==25.5.0 Twisted==25.5.0
txaio==25.6.1 txaio==25.6.1
@ -156,6 +155,8 @@ urllib3==2.5.0
uvicorn==0.35.0 uvicorn==0.35.0
uvicorn-worker==0.3.0 uvicorn-worker==0.3.0
wcwidth==0.2.13 wcwidth==0.2.13
whitenoise==6.9.0 weasyprint==66.0
webencodings==0.5.1
zope.interface==7.2 zope.interface==7.2
zopfli==0.2.3.post1
zstandard==0.23.0 zstandard==0.23.0

View File

@ -7,8 +7,8 @@
{% block content %} {% block content %}
{% element h1 %} {% element h1 %}
{% translate "Account Inactive" %} {% translate "Account Inactive" %}
{% endelement %} {% endelement %}
{% element p %} {% element p %}
{% translate "This account is inactive." %} {% translate "This account is inactive." %}
{% endelement %} {% endelement %}
{% endblock content %} {% endblock content %}

View File

@ -7,42 +7,42 @@
{% block content %} {% block content %}
{% element h1 %} {% element h1 %}
{% translate "Enter Email Verification Code" %} {% translate "Enter Email Verification Code" %}
{% endelement %} {% endelement %}
{% setvar email_link %} {% setvar email_link %}
<a href="mailto:{{ email }}">{{ email }}</a> <a href="mailto:{{ email }}">{{ email }}</a>
{% endsetvar %} {% endsetvar %}
{% element p %} {% element p %}
{% blocktranslate %}Weve sent a code to {{ email_link }}. The code expires shortly, so please enter it soon.{% endblocktranslate %} {% blocktranslate %}Weve sent a code to {{ email_link }}. The code expires shortly, so please enter it soon.{% endblocktranslate %}
{% endelement %} {% endelement %}
{% url 'account_email_verification_sent' as action_url %} {% url 'account_email_verification_sent' as action_url %}
{% element form form=form method="post" action=action_url tags="entrance,email,verification" %} {% element form form=form method="post" action=action_url tags="entrance,email,verification" %}
{% slot body %} {% slot body %}
{% csrf_token %} {% csrf_token %}
{% element fields form=form unlabeled=True %} {% element fields form=form unlabeled=True %}
{% endelement %} {% endelement %}
{{ redirect_field }} {{ redirect_field }}
{% endslot %} {% endslot %}
{% slot actions %} {% slot actions %}
{% element button type="submit" tags="prominent,confirm" %} {% element button type="submit" tags="prominent,confirm" %}
{% translate "Confirm" %} {% translate "Confirm" %}
{% endelement %} {% endelement %}
{% if cancel_url %} {% if cancel_url %}
{% element button href=cancel_url tags="link,cancel" %} {% element button href=cancel_url tags="link,cancel" %}
{% translate "Cancel" %} {% translate "Cancel" %}
{% endelement %} {% endelement %}
{% else %} {% else %}
{% element button type="submit" form="logout-from-stage" tags="link,cancel" %} {% element button type="submit" form="logout-from-stage" tags="link,cancel" %}
{% translate "Cancel" %} {% translate "Cancel" %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% if not cancel_url %} {% if not cancel_url %}
<form id="logout-from-stage" <form id="logout-from-stage"
method="post" method="post"
action="{% url 'account_logout' %}"> action="{% url 'account_logout' %}">
<input type="hidden" name="next" value="{% url 'account_login' %}"> <input type="hidden" name="next" value="{% url 'account_login' %}">
{% csrf_token %} {% csrf_token %}
</form> </form>
{% endif %} {% endif %}
{% endblock content %} {% endblock content %}

View File

@ -52,6 +52,6 @@
{% csrf_token %} {% csrf_token %}
</form> </form>
</div> </div>
</div> </div>
</div> </div>
{% endblock content %} {% endblock content %}

View File

@ -7,22 +7,22 @@
{% block content %} {% block content %}
{% element h1 %} {% element h1 %}
{% trans "Email Address" %} {% trans "Email Address" %}
{% endelement %} {% endelement %}
{% if not emailaddresses %} {% if not emailaddresses %}
{% include "account/snippets/warn_no_email.html" %} {% include "account/snippets/warn_no_email.html" %}
{% endif %} {% endif %}
{% url 'account_email' as action_url %} {% url 'account_email' as action_url %}
{% element form method="post" action=action_url %} {% element form method="post" action=action_url %}
{% slot body %} {% slot body %}
{% csrf_token %} {% csrf_token %}
{% if current_emailaddress %} {% if current_emailaddress %}
{% element field id="current_email" disabled=True type="email" value=current_emailaddress.email %} {% element field id="current_email" disabled=True type="email" value=current_emailaddress.email %}
{% slot label %} {% slot label %}
{% translate "Current email" %}: {% translate "Current email" %}:
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% if new_emailaddress %} {% if new_emailaddress %}
{% element field id="new_email" value=new_emailaddress.email disabled=True type="email" %} {% element field id="new_email" value=new_emailaddress.email disabled=True type="email" %}
{% slot label %} {% slot label %}
{% if not current_emailaddress %} {% if not current_emailaddress %}
@ -30,33 +30,33 @@
{% else %} {% else %}
{% translate "Changing to" %}: {% translate "Changing to" %}:
{% endif %} {% endif %}
{% endslot %} {% endslot %}
{% slot help_text %} {% slot help_text %}
{% blocktranslate %}Your email address is still pending verification.{% endblocktranslate %} {% blocktranslate %}Your email address is still pending verification.{% endblocktranslate %}
{% element button form="pending-email" type="submit" name="action_send" tags="minor,secondary" %} {% element button form="pending-email" type="submit" name="action_send" tags="minor,secondary" %}
{% trans 'Re-send Verification' %} {% trans 'Re-send Verification' %}
{% endelement %} {% endelement %}
{% if current_emailaddress %} {% if current_emailaddress %}
{% element button form="pending-email" type="submit" name="action_remove" tags="danger,minor" %} {% element button form="pending-email" type="submit" name="action_remove" tags="danger,minor" %}
{% trans 'Cancel Change' %} {% trans 'Cancel Change' %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% element field id=form.email.auto_id name="email" value=form.email.value errors=form.email.errors type="email" %} {% element field id=form.email.auto_id name="email" value=form.email.value errors=form.email.errors type="email" %}
{% slot label %} {% slot label %}
{% translate "Change to" %}: {% translate "Change to" %}:
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% slot actions %} {% slot actions %}
{% element button name="action_add" type="submit" %} {% element button name="action_add" type="submit" %}
{% trans "Change Email" %} {% trans "Change Email" %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% if new_emailaddress %} {% if new_emailaddress %}
<form style="display: none" <form style="display: none"
id="pending-email" id="pending-email"
method="post" method="post"
@ -64,5 +64,5 @@
{% csrf_token %} {% csrf_token %}
<input type="hidden" name="email" value="{{ new_emailaddress.email }}"> <input type="hidden" name="email" value="{{ new_emailaddress.email }}">
</form> </form>
{% endif %} {% endif %}
{% endblock content %} {% endblock content %}

View File

@ -204,12 +204,12 @@
<button class="btn btn-support-chat p-0 border border-translucent"> <button class="btn btn-support-chat p-0 border border-translucent">
<span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span> <span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span>
</button> </button>
</div> </div>
</main> </main>
<!-- ===============================================--> <!-- ===============================================-->
<!-- End of Main Content--> <!-- End of Main Content-->
<!-- ===============================================--> <!-- ===============================================-->
<div class="offcanvas offcanvas-end settings-panel border-0" <div class="offcanvas offcanvas-end settings-panel border-0"
id="settings-offcanvas" id="settings-offcanvas"
tabindex="-1" tabindex="-1"
aria-labelledby="settings-offcanvas"> aria-labelledby="settings-offcanvas">
@ -548,8 +548,8 @@
href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/" href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/"
target="_blank">Purchase template</a> target="_blank">Purchase template</a>
</div> </div>
</div> </div>
<a class="card setting-toggle" <a class="card setting-toggle"
href="#settings-offcanvas" href="#settings-offcanvas"
data-bs-toggle="offcanvas"> data-bs-toggle="offcanvas">
<div class="card-body d-flex align-items-center px-2 py-1"> <div class="card-body d-flex align-items-center px-2 py-1">
@ -571,19 +571,19 @@
</div> </div>
<small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small> <small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small>
</div> </div>
</a> </a>
<!-- ===============================================--> <!-- ===============================================-->
<!-- JavaScripts--> <!-- JavaScripts-->
<!-- ===============================================--> <!-- ===============================================-->
<script src="../../../vendors/popper/popper.min.js"></script> <script src="../../../vendors/popper/popper.min.js"></script>
<script src="../../../vendors/bootstrap/bootstrap.min.js"></script> <script src="../../../vendors/bootstrap/bootstrap.min.js"></script>
<script src="../../../vendors/anchorjs/anchor.min.js"></script> <script src="../../../vendors/anchorjs/anchor.min.js"></script>
<script src="../../../vendors/is/is.min.js"></script> <script src="../../../vendors/is/is.min.js"></script>
<script src="../../../vendors/fontawesome/all.min.js"></script> <script src="../../../vendors/fontawesome/all.min.js"></script>
<script src="../../../vendors/lodash/lodash.min.js"></script> <script src="../../../vendors/lodash/lodash.min.js"></script>
<script src="../../../vendors/list.js/list.min.js"></script> <script src="../../../vendors/list.js/list.min.js"></script>
<script src="../../../vendors/feather-icons/feather.min.js"></script> <script src="../../../vendors/feather-icons/feather.min.js"></script>
<script src="../../../vendors/dayjs/dayjs.min.js"></script> <script src="../../../vendors/dayjs/dayjs.min.js"></script>
<script src="../../../assets/js/phoenix.js"></script> <script src="../../../assets/js/phoenix.js"></script>
</body> </body>
</html> </html>

View File

@ -91,11 +91,11 @@
{% trans "Mail me a sign-in code" %} {% trans "Mail me a sign-in code" %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% endelement %} {% endelement %}
{% endif %} {% endif %}
{% if SOCIALACCOUNT_ENABLED %} {% if SOCIALACCOUNT_ENABLED %}
{% include "socialaccount/snippets/login.html" with page_layout="entrance" %} {% include "socialaccount/snippets/login.html" with page_layout="entrance" %}
{% endif %} {% endif %}
{% endblock content %} {% endblock content %}
{% block extra_body %} {% block extra_body %}
{{ block.super }} {{ block.super }}

View File

@ -7,19 +7,19 @@
{% block content %} {% block content %}
{% element h1 %} {% element h1 %}
{% trans "Set Password" %} {% trans "Set Password" %}
{% endelement %} {% endelement %}
{% url 'account_set_password' as action_url %} {% url 'account_set_password' as action_url %}
{% element form method="post" action=action_url %} {% element form method="post" action=action_url %}
{% slot body %} {% slot body %}
{% csrf_token %} {% csrf_token %}
{{ redirect_field }} {{ redirect_field }}
{% element fields form=form %} {% element fields form=form %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% slot actions %} {% slot actions %}
{% element button type="submit" name="action" %} {% element button type="submit" name="action" %}
{% trans 'Set Password' %} {% trans 'Set Password' %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% endblock content %} {% endblock content %}

View File

@ -4,19 +4,19 @@
{% block reauthenticate_content %} {% block reauthenticate_content %}
{% element p %} {% element p %}
{% blocktranslate %}Enter your password:{% endblocktranslate %} {% blocktranslate %}Enter your password:{% endblocktranslate %}
{% endelement %} {% endelement %}
{% url 'account_reauthenticate' as action_url %} {% url 'account_reauthenticate' as action_url %}
{% element form form=form method="post" action=action_url %} {% element form form=form method="post" action=action_url %}
{% slot body %} {% slot body %}
{% csrf_token %} {% csrf_token %}
{% element fields form=form unlabeled=True %} {% element fields form=form unlabeled=True %}
{% endelement %} {% endelement %}
{{ redirect_field }} {{ redirect_field }}
{% endslot %} {% endslot %}
{% slot actions %} {% slot actions %}
{% element button type="submit" tags="primary,reauthenticate" %} {% element button type="submit" tags="primary,reauthenticate" %}
{% trans "Confirm" %} {% trans "Confirm" %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% endblock %} {% endblock %}

View File

@ -7,26 +7,26 @@
{% block content %} {% block content %}
{% element h1 %} {% element h1 %}
{% translate "Mail me a sign-in code" %} {% translate "Mail me a sign-in code" %}
{% endelement %} {% endelement %}
{% element p %} {% element p %}
{% blocktranslate %}You will receive an email containing a special code for a password-free sign-in.{% endblocktranslate %} {% blocktranslate %}You will receive an email containing a special code for a password-free sign-in.{% endblocktranslate %}
{% endelement %} {% endelement %}
{% url 'account_request_login_code' as login_url %} {% url 'account_request_login_code' as login_url %}
{% element form form=form method="post" action=login_url tags="entrance,login" %} {% element form form=form method="post" action=login_url tags="entrance,login" %}
{% slot body %} {% slot body %}
{% csrf_token %} {% csrf_token %}
{% element fields form=form unlabeled=True %} {% element fields form=form unlabeled=True %}
{% endelement %} {% endelement %}
{{ redirect_field }} {{ redirect_field }}
{% endslot %} {% endslot %}
{% slot actions %} {% slot actions %}
{% element button type="submit" tags="prominent,login" %} {% element button type="submit" tags="prominent,login" %}
{% translate "Request Code" %} {% translate "Request Code" %}
{% endelement %} {% endelement %}
{% endslot %} {% endslot %}
{% endelement %} {% endelement %}
{% url 'account_login' as login_url %} {% url 'account_login' as login_url %}
{% element button href=login_url tags="link" %} {% element button href=login_url tags="link" %}
{% translate "Other sign-in options" %} {% translate "Other sign-in options" %}
{% endelement %} {% endelement %}
{% endblock content %} {% endblock content %}

View File

@ -1,4 +1,4 @@
{% load i18n allauth %} {% load i18n allauth %}
{% element p %} {% element p %}
<strong>{% trans 'Warning:' %}</strong> {% trans "You currently do not have any email address set up. You should really add an email address so you can receive notifications, reset your password, etc." %} <strong>{% trans 'Warning:' %}</strong> {% trans "You currently do not have any email address set up. You should really add an email address so you can receive notifications, reset your password, etc." %}
{% endelement %} {% endelement %}

View File

@ -5,7 +5,7 @@
{% endblock %} {% endblock %}
{% block content %} {% block content %}
{% if request.user.is_superuser %} {% if request.user.is_superuser %}
<div class="container py-5"> <div class="container py-5">
<header class="mb-5"> <header class="mb-5">
<h1 class="display-4 fw-bold"> <h1 class="display-4 fw-bold">
@ -42,5 +42,5 @@
</div> </div>
</div> </div>
</div> </div>
{% endif %} {% endif %}
{% endblock content %} {% endblock content %}

View File

@ -97,7 +97,7 @@
{{ form.as_p }} <!-- Renders the form fields --> {{ form.as_p }} <!-- Renders the form fields -->
<button type="submit">{% trans 'Reset Password' %}</button> <button type="submit">{% trans 'Reset Password' %}</button>
</form> </form>
{% endblock %} {% endblock %}
{% block customJS %} {% block customJS %}
<script src="{% static 'js/js-utils.js' %}"></script> <script src="{% static 'js/js-utils.js' %}"></script>
{% endblock %} {% endblock %}

View File

@ -162,4 +162,4 @@
</div> </div>
<div> <div>
{% include "bill/includes/mark_as.html" %} {% include "bill/includes/mark_as.html" %}
{% endblock %} {% endblock %}

View File

@ -2,7 +2,7 @@
{% load static %} {% load static %}
{% load django_ledger %} {% load django_ledger %}
{% load widget_tweaks %} {% load widget_tweaks %}
<form id="bill-update-form" <form id="bill-update-form"
action="{% url 'bill-update-items' dealer_slug=dealer_slug entity_slug=entity_slug bill_pk=bill_pk %}" action="{% url 'bill-update-items' dealer_slug=dealer_slug entity_slug=entity_slug bill_pk=bill_pk %}"
method="post"> method="post">
<div class="container-fluid py-4"> <div class="container-fluid py-4">
@ -130,4 +130,4 @@
</div> </div>
</div> </div>
</div> </div>
</form> </form>

View File

@ -55,8 +55,8 @@
</p> </p>
</div> </div>
</div> </div>
</div> </div>
<div class="card-footer d-flex align-items-center gap-2 border-top border-translucent ps-3 pe-4 py-3"> <div class="card-footer d-flex align-items-center gap-2 border-top border-translucent ps-3 pe-4 py-3">
<div class="d-flex align-items-center flex-1 gap-3 border border-translucent rounded-pill px-4"> <div class="d-flex align-items-center flex-1 gap-3 border border-translucent rounded-pill px-4">
<input class="form-control outline-none border-0 flex-1 fs-9 px-0" <input class="form-control outline-none border-0 flex-1 fs-9 px-0"
type="text" type="text"
@ -75,10 +75,10 @@
<button class="btn p-0 border-0 send-btn"> <button class="btn p-0 border-0 send-btn">
<span class="fa-solid fa-paper-plane fs-9"></span> <span class="fa-solid fa-paper-plane fs-9"></span>
</button> </button>
</div> </div>
</div> </div>
</div> </div>
<button class="btn btn-support-chat p-0 border border-translucent"> <button class="btn btn-support-chat p-0 border border-translucent">
<span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span> <span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span>
</button> </button>
</div> </div>

View File

@ -22,6 +22,7 @@
hx-target="#notesTable" hx-target="#notesTable"
hx-on::after-request="{ resetSubmitButton(document.querySelector('.add_note_form button[type=submit]')); $('#noteModal').modal('hide'); }" hx-on::after-request="{ resetSubmitButton(document.querySelector('.add_note_form button[type=submit]')); $('#noteModal').modal('hide'); }"
hx-swap="outerHTML show:window.top" hx-swap="outerHTML show:window.top"
hx-select-oob="#timeline"
method="post" method="post"
class="add_note_form"> class="add_note_form">
{% csrf_token %} {% csrf_token %}

View File

@ -22,7 +22,7 @@
hx-target=".taskTable" hx-target=".taskTable"
hx-on::after-request="{ resetSubmitButton(document.querySelector('.add_schedule_form button[type=submit]')); $('#scheduleModal').modal('hide'); }" hx-on::after-request="{ resetSubmitButton(document.querySelector('.add_schedule_form button[type=submit]')); $('#scheduleModal').modal('hide'); }"
hx-swap="outerHTML" hx-swap="outerHTML"
hx-select-oob="#toast-container:outerHTML" hx-select-oob="#toast-container:outerHTML,#timeline:outerHTML"
method="post" method="post"
class="add_schedule_form"> class="add_schedule_form">
{% csrf_token %} {% csrf_token %}

View File

@ -335,7 +335,7 @@
</div> </div>
<div class="row justify-content-between align-items-md-center hover-actions-trigger btn-reveal-trigger border-translucent py-3 gx-0 border-top"> <div class="row justify-content-between align-items-md-center hover-actions-trigger btn-reveal-trigger border-translucent py-3 gx-0 border-top">
<div class="col-12 col-lg-auto"> <div class="col-12 col-lg-auto">
<div class="timeline-basic mb-9"> <div id="timeline" class="timeline-basic mb-9">
{% for activity in activities %} {% for activity in activities %}
<div class="timeline-item"> <div class="timeline-item">
<div class="row g-3"> <div class="row g-3">
@ -354,6 +354,8 @@
<span class="fa-solid fa-users text-danger fs-8"></span> <span class="fa-solid fa-users text-danger fs-8"></span>
{% elif activity.activity_type == "whatsapp" %} {% elif activity.activity_type == "whatsapp" %}
<span class="fab fa-whatsapp text-success-dark fs-7"></span> <span class="fab fa-whatsapp text-success-dark fs-7"></span>
{% elif activity.activity_type == "meeting" %}
<span class="fa-solid fa-users text-danger fs-8"></span>
{% endif %} {% endif %}
</div> </div>
{% if forloop.last %} {% if forloop.last %}
@ -815,8 +817,8 @@
{% include "components/note_modal.html" with content_type="lead" slug=lead.slug %} {% include "components/note_modal.html" with content_type="lead" slug=lead.slug %}
<!-- schedule Modal --> <!-- schedule Modal -->
{% include "components/schedule_modal.html" with content_type="lead" slug=lead.slug %} {% include "components/schedule_modal.html" with content_type="lead" slug=lead.slug %}
{% endblock content %} {% endblock content %}
{% block customJS %} {% block customJS %}
<script> <script>
function reset_form() { function reset_form() {
document.querySelector('#id_note').value = "" document.querySelector('#id_note').value = ""
@ -873,4 +875,4 @@
}); });
</script> </script>
{% endblock customJS %} {% endblock customJS %}

View File

@ -260,4 +260,4 @@
{% url 'lead_create' request.dealer.slug as create_lead_url %} {% url 'lead_create' request.dealer.slug as create_lead_url %}
{% include "empty-illustration-page.html" with value=empty_state_value url=create_lead_url %} {% include "empty-illustration-page.html" with value=empty_state_value url=create_lead_url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -59,6 +59,6 @@
</form> </form>
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{% endblock content %} {% endblock content %}

View File

@ -3,16 +3,16 @@
<form method="post" <form method="post"
action="{% url 'update_note_to_lead' note.pk %}" action="{% url 'update_note_to_lead' note.pk %}"
enctype="multipart/form-data"> enctype="multipart/form-data">
{% else %} {% else %}
<form method="post" <form method="post"
action="{% url 'add_note_to_lead' lead.slug %}" action="{% url 'add_note_to_lead' lead.slug %}"
enctype="multipart/form-data"> enctype="multipart/form-data">
{% endif %} {% endif %}
{% csrf_token %} {% csrf_token %}
{{ form|crispy }} {{ form|crispy }}
{% if form.instance.pk %} {% if form.instance.pk %}
<button type="submit" class="btn btn-sm btn-phoenix-primary w-100">{{ _("Update") }}</button> <button type="submit" class="btn btn-sm btn-phoenix-primary w-100">{{ _("Update") }}</button>
{% else %} {% else %}
<button type="submit" class="btn btn-sm btn-phoenix-success w-100">{{ _("Add") }}</button> <button type="submit" class="btn btn-sm btn-phoenix-success w-100">{{ _("Add") }}</button>
{% endif %} {% endif %}
</form> </form>

View File

@ -7,24 +7,24 @@
{% block customeCSS %} {% block customeCSS %}
/* General Layout */ /* General Layout */
body { body {
background-color: #f8f9fa; /* Light gray background for contrast */ background-color: #f8f9fa; /* Light gray background for contrast */
} }
/* List Item Styling */ /* List Item Styling */
.list-item { .list-item {
transition: background-color 0.2s ease-in-out, transform 0.2s ease-in-out; transition: background-color 0.2s ease-in-out, transform 0.2s ease-in-out;
cursor: pointer; cursor: pointer;
} }
.list-item:hover { .list-item:hover {
background-color: #f1f3f5; background-color: #f1f3f5;
transform: translateY(-2px); /* Subtle lift on hover */ transform: translateY(-2px); /* Subtle lift on hover */
} }
/* Unread Notification Dot */ /* Unread Notification Dot */
.unread-dot { .unread-dot {
position: absolute; position: absolute;
left: 0; left: 0;
top: 50%; top: 50%;
@ -32,12 +32,12 @@ body {
width: 8px; width: 8px;
height: 8px; height: 8px;
border-radius: 50%; border-radius: 50%;
} }
/* HTMX Loading Indicator */ /* HTMX Loading Indicator */
.htmx-request #loading-indicator { .htmx-request #loading-indicator {
display: block; display: block;
} }
{% endblock %} {% endblock %}
{% block content %} {% block content %}
<main class="container-fluid p-5"> <main class="container-fluid p-5">

View File

@ -629,7 +629,7 @@
</div> </div>
</div> </div>
<div class="tab-pane fade" <div class="tab-pane fade"
id="tab-emails" id="tab-emails"
role="tabpanel" role="tabpanel"
aria-labelledby="emails-tab"> aria-labelledby="emails-tab">
@ -738,9 +738,9 @@
</div> </div>
</div> </div>
</div> </div>
</div> </div>
<div class="tab-pane fade" <div class="tab-pane fade"
id="tab-activity" id="tab-activity"
hx-get="{% url 'opportunity_detail' request.dealer.slug opportunity.slug %}" hx-get="{% url 'opportunity_detail' request.dealer.slug opportunity.slug %}"
hx-trigger="htmx:afterRequest from:" hx-trigger="htmx:afterRequest from:"
@ -813,11 +813,11 @@
</div> </div>
</div> </div>
{% endfor %} {% endfor %}
</div> </div>
</div> </div>
</div> </div>
</div> </div>
<div class="modal fade" <div class="modal fade"
id="updateStageModal" id="updateStageModal"
tabindex="-1" tabindex="-1"
aria-hidden="true"> aria-hidden="true">
@ -846,18 +846,18 @@
</form> </form>
</div> </div>
</div> </div>
</div> </div>
{% include 'modal/delete_modal.html' %} {% include 'modal/delete_modal.html' %}
<!-- email Modal --> <!-- email Modal -->
{% include "components/email_modal.html" %} {% include "components/email_modal.html" %}
<!-- task Modal --> <!-- task Modal -->
{% include "components/task_modal.html" with content_type="opportunity" slug=opportunity.slug %} {% include "components/task_modal.html" with content_type="opportunity" slug=opportunity.slug %}
<!-- note Modal --> <!-- note Modal -->
{% include "components/note_modal.html" with content_type="opportunity" slug=opportunity.slug %} {% include "components/note_modal.html" with content_type="opportunity" slug=opportunity.slug %}
<!-- schedule Modal --> <!-- schedule Modal -->
{% include "components/schedule_modal.html" with content_type="opportunity" slug=opportunity.slug %} {% include "components/schedule_modal.html" with content_type="opportunity" slug=opportunity.slug %}
<div class="modal fade" <div class="modal fade"
id="estimateModal" id="estimateModal"
tabindex="-1" tabindex="-1"
aria-labelledby="estimateModalLabel" aria-labelledby="estimateModalLabel"

View File

@ -181,7 +181,7 @@
</div> </div>
{% endblock %} {% endblock %}
{% block customJS %} {% block customJS %}
<script> <script>
function updateProbabilityValue(value) { function updateProbabilityValue(value) {
const amount = document.getElementById('id_amount'); const amount = document.getElementById('id_amount');
const expectedRevenue = document.getElementById('id_expected_revenue'); const expectedRevenue = document.getElementById('id_expected_revenue');
@ -213,5 +213,5 @@
updateProbabilityValue(rangeInput.value); updateProbabilityValue(rangeInput.value);
} }
}); });
</script> </script>
{% endblock %} {% endblock %}

View File

@ -161,4 +161,4 @@
</div> </div>
</div> </div>
</div> </div>
{% endfor %} {% endfor %}

View File

@ -163,4 +163,4 @@
{% url "customer_create" request.dealer.slug as create_customer_url %} {% url "customer_create" request.dealer.slug as create_customer_url %}
{% include "empty-illustration-page.html" with value=empty_state_value url=create_customer_url %} {% include "empty-illustration-page.html" with value=empty_state_value url=create_customer_url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -71,7 +71,7 @@
'#39e6a9', '#4d4f79', '#9f1d35', '#2a5a5b', '#f77f00', '#39e6a9', '#4d4f79', '#9f1d35', '#2a5a5b', '#f77f00',
'#3282b8', '#00bcd4', '#009688', '#4caf50', '#8bc34a', '#3282b8', '#00bcd4', '#009688', '#4caf50', '#8bc34a',
'#ffeb3b', '#ff9800', '#ff5722', '#795548', '#9e9e9e' '#ffeb3b', '#ff9800', '#ff5722', '#795548', '#9e9e9e'
]; ];
// Pass translated strings from Django to JavaScript // Pass translated strings from Django to JavaScript
const translatedStrings = { const translatedStrings = {
@ -326,11 +326,11 @@
} }
}); });
} }
{% endif %} {% endif %}
// ----------------------------------------------------------- // -----------------------------------------------------------
// 5. Inventory by Make (Pie Chart) // 5. Inventory by Make (Pie Chart)
// ----------------------------------------------------------- // -----------------------------------------------------------
{% if request.is_dealer or request.is_manager or request.is_inventory %} {% if request.is_dealer or request.is_manager or request.is_inventory %}
const ctxInventoryMake = document.getElementById('inventoryByMakeChart').getContext('2d'); const ctxInventoryMake = document.getElementById('inventoryByMakeChart').getContext('2d');
new Chart(ctxInventoryMake, { new Chart(ctxInventoryMake, {
type: 'pie', type: 'pie',

View File

@ -126,4 +126,4 @@
</div> </div>
</div> </div>
{% endif %} {% endif %}
<script src="https://cdn.jsdelivr.net/npm/chart.js"></script> <script src="https://cdn.jsdelivr.net/npm/chart.js"></script>

View File

@ -1,7 +1,7 @@
{% extends 'base.html' %} {% extends 'base.html' %}
{% load i18n %} {% load i18n %}
{% block title %} {% block title %}
{% trans "Sales Dashboard" %} {% trans "Sales Dashboard" %}
{% endblock %} {% endblock %}
{% block content %} {% block content %}
<div class="main-content flex-grow-1 container-fluid mt-4 mb-3"> <div class="main-content flex-grow-1 container-fluid mt-4 mb-3">

View File

@ -340,4 +340,4 @@
</tr> </tr>
</table> </table>
</body> </body>
</html> </html>

View File

@ -210,12 +210,12 @@
<button class="btn btn-support-chat p-0 border border-translucent"> <button class="btn btn-support-chat p-0 border border-translucent">
<span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span> <span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span>
</button> </button>
</div> </div>
</main> </main>
<!-- ===============================================--> <!-- ===============================================-->
<!-- End of Main Content--> <!-- End of Main Content-->
<!-- ===============================================--> <!-- ===============================================-->
<div class="offcanvas offcanvas-end settings-panel border-0" <div class="offcanvas offcanvas-end settings-panel border-0"
id="settings-offcanvas" id="settings-offcanvas"
tabindex="-1" tabindex="-1"
aria-labelledby="settings-offcanvas"> aria-labelledby="settings-offcanvas">
@ -532,8 +532,8 @@
href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/" href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/"
target="_blank">Purchase template</a> target="_blank">Purchase template</a>
</div> </div>
</div> </div>
<a class="card setting-toggle" <a class="card setting-toggle"
href="#settings-offcanvas" href="#settings-offcanvas"
data-bs-toggle="offcanvas"> data-bs-toggle="offcanvas">
<div class="card-body d-flex align-items-center px-2 py-1"> <div class="card-body d-flex align-items-center px-2 py-1">
@ -555,19 +555,19 @@
</div> </div>
<small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small> <small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small>
</div> </div>
</a> </a>
<!-- ===============================================--> <!-- ===============================================-->
<!-- JavaScripts--> <!-- JavaScripts-->
<!-- ===============================================--> <!-- ===============================================-->
<script src="../../vendors/popper/popper.min.js"></script> <script src="../../vendors/popper/popper.min.js"></script>
<script src="../../vendors/bootstrap/bootstrap.min.js"></script> <script src="../../vendors/bootstrap/bootstrap.min.js"></script>
<script src="../../vendors/anchorjs/anchor.min.js"></script> <script src="../../vendors/anchorjs/anchor.min.js"></script>
<script src="../../vendors/is/is.min.js"></script> <script src="../../vendors/is/is.min.js"></script>
<script src="../../vendors/fontawesome/all.min.js"></script> <script src="../../vendors/fontawesome/all.min.js"></script>
<script src="../../vendors/lodash/lodash.min.js"></script> <script src="../../vendors/lodash/lodash.min.js"></script>
<script src="../../vendors/list.js/list.min.js"></script> <script src="../../vendors/list.js/list.min.js"></script>
<script src="../../vendors/feather-icons/feather.min.js"></script> <script src="../../vendors/feather-icons/feather.min.js"></script>
<script src="../../vendors/dayjs/dayjs.min.js"></script> <script src="../../vendors/dayjs/dayjs.min.js"></script>
<script src="../../assets/js/phoenix.js"></script> <script src="../../assets/js/phoenix.js"></script>
</body> </body>
</html> </html>

View File

@ -206,12 +206,12 @@
<button class="btn btn-support-chat p-0 border border-translucent"> <button class="btn btn-support-chat p-0 border border-translucent">
<span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span> <span class="fs-8 btn-text text-primary text-nowrap">Chat demo</span><span class="ping-icon-wrapper mt-n4 ms-n6 mt-sm-0 ms-sm-2 position-absolute position-sm-relative"><span class="ping-icon-bg"></span><span class="fa-solid fa-circle ping-icon"></span></span><span class="fa-solid fa-headset text-primary fs-8 d-sm-none"></span><span class="fa-solid fa-chevron-down text-primary fs-7"></span>
</button> </button>
</div> </div>
</main> </main>
<!-- ===============================================--> <!-- ===============================================-->
<!-- End of Main Content--> <!-- End of Main Content-->
<!-- ===============================================--> <!-- ===============================================-->
<div class="offcanvas offcanvas-end settings-panel border-0" <div class="offcanvas offcanvas-end settings-panel border-0"
id="settings-offcanvas" id="settings-offcanvas"
tabindex="-1" tabindex="-1"
aria-labelledby="settings-offcanvas"> aria-labelledby="settings-offcanvas">
@ -528,8 +528,8 @@
href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/" href="https://themes.getbootstrap.com/product/phoenix-admin-dashboard-webapp-template/"
target="_blank">Purchase template</a> target="_blank">Purchase template</a>
</div> </div>
</div> </div>
<a class="card setting-toggle" <a class="card setting-toggle"
href="#settings-offcanvas" href="#settings-offcanvas"
data-bs-toggle="offcanvas"> data-bs-toggle="offcanvas">
<div class="card-body d-flex align-items-center px-2 py-1"> <div class="card-body d-flex align-items-center px-2 py-1">
@ -551,19 +551,19 @@
</div> </div>
<small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small> <small class="text-uppercase text-body-tertiary fw-bold py-2 pe-2 ps-1 rounded-end">customize</small>
</div> </div>
</a> </a>
<!-- ===============================================--> <!-- ===============================================-->
<!-- JavaScripts--> <!-- JavaScripts-->
<!-- ===============================================--> <!-- ===============================================-->
<script src="../../vendors/popper/popper.min.js"></script> <script src="../../vendors/popper/popper.min.js"></script>
<script src="../../vendors/bootstrap/bootstrap.min.js"></script> <script src="../../vendors/bootstrap/bootstrap.min.js"></script>
<script src="../../vendors/anchorjs/anchor.min.js"></script> <script src="../../vendors/anchorjs/anchor.min.js"></script>
<script src="../../vendors/is/is.min.js"></script> <script src="../../vendors/is/is.min.js"></script>
<script src="../../vendors/fontawesome/all.min.js"></script> <script src="../../vendors/fontawesome/all.min.js"></script>
<script src="../../vendors/lodash/lodash.min.js"></script> <script src="../../vendors/lodash/lodash.min.js"></script>
<script src="../../vendors/list.js/list.min.js"></script> <script src="../../vendors/list.js/list.min.js"></script>
<script src="../../vendors/feather-icons/feather.min.js"></script> <script src="../../vendors/feather-icons/feather.min.js"></script>
<script src="../../vendors/dayjs/dayjs.min.js"></script> <script src="../../vendors/dayjs/dayjs.min.js"></script>
<script src="../../assets/js/phoenix.js"></script> <script src="../../assets/js/phoenix.js"></script>
</body> </body>
</html> </html>

View File

@ -125,4 +125,4 @@
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -438,10 +438,10 @@
</ul> </ul>
</div> {% endcomment %} </div> {% endcomment %}
{% endif %} {% endif %}
</div> </div>
</div> </div>
<div class="navbar-vertical-footer"> <div class="navbar-vertical-footer">
<a class="nav-link ps-2" href="{% if request.is_dealer%}{% url 'ticket_list' request.dealer.slug %} {% else %}#{%endif%}"> <a class="nav-link ps-2" href="{% if request.is_dealer%}{% url 'ticket_list' request.dealer.slug %} {% else %}#{%endif%}">
<div class="d-flex align-items-center"> <div class="d-flex align-items-center">
{% if user.is_authenticated%} {% if user.is_authenticated%}
@ -452,7 +452,7 @@
{% endif %} {% endif %}
</div> </div>
</a> </a>
</div> </div>
</nav> </nav>
<nav class="navbar navbar-top fixed-top navbar-expand" id="navbarDefault"> <nav class="navbar navbar-top fixed-top navbar-expand" id="navbarDefault">
<div class="collapse navbar-collapse justify-content-between"> <div class="collapse navbar-collapse justify-content-between">
@ -677,8 +677,8 @@
{% endif %} {% endif %}
</div> </div>
</div> </div>
</div> </div>
</li> </li>
</ul> </ul>
</div> </div>
</nav> </nav>

View File

@ -2,7 +2,7 @@
{% load i18n %} {% load i18n %}
{% block title %} {% block title %}
{% trans 'Add Colors' %} {% endblock %} {% trans 'Add Colors' %} {% endblock %}
{% block content %} {% block content %}
<div class="row mt-4 mb-3"> <div class="row mt-4 mb-3">
<h3 class="text-center">{% trans "Add Colors" %}</h3> <h3 class="text-center">{% trans "Add Colors" %}</h3>
<p class="text-center"> <p class="text-center">
@ -117,4 +117,4 @@
width: 100%; width: 100%;
} }
</style> </style>
{% endblock %} {% endblock %}

View File

@ -91,8 +91,8 @@
<span class="ms-2 badge rounded-pill text-bg-light">{{ active_estimates|length }}</span> <span class="ms-2 badge rounded-pill text-bg-light">{{ active_estimates|length }}</span>
</button> </button>
{% endif %} {% endif %}
</div> </div>
{% endif %} {% endif %}
{% if perms.inventory.view_car %} {% if perms.inventory.view_car %}
<div class="row-fluid {% if car.status == 'sold' %}disabled{% endif %}"> <div class="row-fluid {% if car.status == 'sold' %}disabled{% endif %}">
<div class="row g-3 justify-content-between"> <div class="row g-3 justify-content-between">
@ -542,7 +542,7 @@
data-bs-dismiss="modal" data-bs-dismiss="modal"
aria-label="Close"></button> aria-label="Close"></button>
</div> </div>
<div id="estimateModalBody" class="main-modal-body" style="padding: 20px;"> <div id="estimateModalBody" style="padding: 20px;">
<form action="{% url 'create_estimate_for_car' request.dealer.slug car.slug %}" method="post"> <form action="{% url 'create_estimate_for_car' request.dealer.slug car.slug %}" method="post">
{% csrf_token %} {% csrf_token %}
{{estimate_form|crispy}} {{estimate_form|crispy}}
@ -660,7 +660,7 @@
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}
{% block customJS %} {% block customJS %}
<script> <script>
@ -772,15 +772,15 @@
document.addEventListener('htmx:afterRequest', e => { document.addEventListener('htmx:afterRequest', e => {
console.log('PUT Success!') console.log('PUT Success!')
}); });
document.addEventListener('htmx:beforeSwap', e => { document.addEventListener('htmx:beforeSwap', e => {
console.log('Before Swap!') console.log('Before Swap!')
}); });
document.addEventListener('htmx:swapError', e => { document.addEventListener('htmx:swapError', e => {
console.log('Swap Error!') console.log('Swap Error!')
}); });
document.addEventListener('htmx:afterSwap', e => { document.addEventListener('htmx:afterSwap', e => {
console.log('After Swap!') console.log('After Swap!')
}); });
</script> </script>
{% endblock %} {% endblock %}

View File

@ -303,10 +303,10 @@
</div> </div>
{% endblock %} {% endblock %}
{% block customJS%} {% block customJS%}
<script> <script>
function toggle_filter() { function toggle_filter() {
const filterContainer = document.querySelector('.filter'); const filterContainer = document.querySelector('.filter');
filterContainer.classList.toggle('d-none'); filterContainer.classList.toggle('d-none');
} }
</script> </script>
{% endblock %} {% endblock %}

View File

@ -45,7 +45,7 @@
#065535 #065535
#000000 #000000
#133337 #133337
#ffc0cb</a> #ffc0cb</a>
<br> <br>
<span class="glyphicon glyphicon-star"></span>707 <span class="glyphicon glyphicon-star"></span>707
</div> </div>

View File

@ -355,4 +355,4 @@
}); });
</script> </script>
</body> </body>
</html> </html>

View File

@ -7,14 +7,14 @@
{% block content %} {% block content %}
<section class="hero-section text-center py-5"> <section class="hero-section text-center py-5">
<div class="container"> <div class="container">
<h1 class="display-4 fw-bold text-primary">{{ expense.name|title }}</h1> <h1 class="display-4 fw-bold text-primary">{{ expense.name|title }}</h1>
<p class="lead text-muted">{% trans "Comprehensive details for your expense." %}</p> <p class="lead text-muted">{% trans "Comprehensive details for your expense." %}</p>
</div> </div>
</section> </section>
<div class="container my-5"> <div class="container my-5">
<div class="row justify-content-center"> <div class="row justify-content-center">
<div class="col-md-11"> <div class="col-md-11">
<div class="card shadow-lg border-0 rounded-4"> <div class="card shadow-lg border-0 rounded-4">
@ -93,5 +93,5 @@
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -7,14 +7,14 @@
{% block content %} {% block content %}
<section class="hero-section text-center py-5"> <section class="hero-section text-center py-5">
<div class="container"> <div class="container">
<h1 class="display-5 fw-bold">{{ service.name|title }}</h1> <h1 class="display-5 fw-bold">{{ service.name|title }}</h1>
<p class=" mt-3">{{ service.description|default:"No description provided." }}</p> <p class=" mt-3">{{ service.description|default:"No description provided." }}</p>
</div> </div>
</section> </section>
<section class="py-5"> <section class="py-5">
<div class="container"> <div class="container">
<div class="card mb-5 p-4 p-lg-5"> <div class="card mb-5 p-4 p-lg-5">
@ -61,6 +61,6 @@
</div> </div>
</div> </div>
</section> </section>
{% endblock %} {% endblock %}

View File

@ -78,4 +78,4 @@
{% url 'bank_account_create' request.dealer.slug as create_bank_account_url %} {% url 'bank_account_create' request.dealer.slug as create_bank_account_url %}
{% include "empty-illustration-page.html" with value="bank account" url=create_bank_account_url %} {% include "empty-illustration-page.html" with value="bank account" url=create_bank_account_url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -49,6 +49,8 @@
<span class="badge badge-phoenix badge-phoenix-success"> <span class="badge badge-phoenix badge-phoenix-success">
{% elif bill.is_canceled %} {% elif bill.is_canceled %}
<span class="badge badge-phoenix badge-phoenix-danger"> <span class="badge badge-phoenix badge-phoenix-danger">
{% elif bill.is_void %}
<span class="badge badge-phoenix badge-phoenix-secondary">
{% endif %} {% endif %}
{{ bill.bill_status }} {{ bill.bill_status }}
</span> </span>
@ -92,4 +94,4 @@
{% url "bill-create" request.dealer.slug request.entity.slug as create_bill_url %} {% url "bill-create" request.dealer.slug request.entity.slug as create_bill_url %}
{% include "empty-illustration-page.html" with value="bill" url=create_bill_url %} {% include "empty-illustration-page.html" with value="bill" url=create_bill_url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -156,4 +156,4 @@
</div> </div>
</div> </div>
<!--test--> <!--test-->
{% endblock %} {% endblock %}

View File

@ -56,4 +56,4 @@
</div> </div>
{% endif %} {% endif %}
</div> </div>
{% endblock %} {% endblock %}

View File

@ -293,7 +293,7 @@
</div> </div>
<script> <script>
document.addEventListener('DOMContentLoaded', () => { document.addEventListener('DOMContentLoaded', () => {
const makeSelect = document.getElementById('make-select'); const makeSelect = document.getElementById('make-select');
const modelSelect = document.getElementById('model-select'); const modelSelect = document.getElementById('model-select');
@ -357,6 +357,6 @@
// Initial call to populate other dropdowns on page load // Initial call to populate other dropdowns on page load
fetchAndUpdateDropdowns(); fetchAndUpdateDropdowns();
}); });
</script> </script>
{% endblock %} {% endblock %}

View File

@ -13,7 +13,7 @@
font-size: 0.50rem">{{ notifications_.count }}</span> font-size: 0.50rem">{{ notifications_.count }}</span>
{% endif %} {% endif %}
</div> </div>
<a class="nav-link" <a class="nav-link"
href="{% url 'fetch_notifications' %}" href="{% url 'fetch_notifications' %}"
hx-get="{% url 'fetch_notifications' %}" hx-get="{% url 'fetch_notifications' %}"
hx-swap="innerHTML" hx-swap="innerHTML"

View File

@ -5,7 +5,7 @@
{% endblock %} {% endblock %}
{% block content %} {% block content %}
<main class="d-flex align-items-center justify-content-center min-vh-80 py-5"> <main class="d-flex align-items-center justify-content-center min-vh-80 py-5">
<div class="col-md-8"> <div class="col-md-8">
<div class="card shadow-lg border-0 rounded-4 overflow-hidden animate__animated animate__fadeInUp"> <div class="card shadow-lg border-0 rounded-4 overflow-hidden animate__animated animate__fadeInUp">
<div class="card-header bg-gradient py-4 border-0 rounded-top-4"> <div class="card-header bg-gradient py-4 border-0 rounded-top-4">
@ -34,5 +34,5 @@
</div> </div>
</div> </div>
</div> </div>
</main> </main>
{% endblock %} {% endblock %}

View File

@ -12,4 +12,4 @@
</form> </form>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -54,4 +54,4 @@
{% endblocktrans %} {% endblocktrans %}
{% endif %} {% endif %}
</form> </form>
{% endblock %} {% endblock %}

View File

@ -12,7 +12,7 @@
</script> </script>
{% endblock %} {% endblock %}
{% block body %} {% block body %}
<div class="max-w-4xl mx-auto"> <div class="max-w-4xl mx-auto">
<div class="flex items-center justify-between mb-6"> <div class="flex items-center justify-between mb-6">
<h1 class="text-3xl font-bold text-gray-800"> <h1 class="text-3xl font-bold text-gray-800">
{% blocktrans with object.id as order_id %}Order #{{ order_id }}{% endblocktrans %} {% blocktrans with object.id as order_id %}Order #{{ order_id }}{% endblocktrans %}
@ -104,5 +104,5 @@
{% endif %} {% endif %}
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -155,12 +155,14 @@
</div> </div>
{% endif %} {% endif %}
{% endif %} {% endif %}
{% if po_model.can_void %} {% comment %} TODO: upgrade djnago ledger or replace core functionality {% endcomment %}
{% comment %} issue with django ledger base functionality when marking as void throughs error , will be fix in future {% endcomment %}
{% comment %} {% if po_model.can_void %}
<button class="btn btn-phoenix-danger" <button class="btn btn-phoenix-danger"
onclick="showPOModal('{% trans "Void Purchase Order" %}', '{% url 'po-action-mark-as-void' request.dealer.slug entity_slug po_model.pk %}', 'Mark As Void')"> onclick="showPOModal('{% trans "Void Purchase Order" %}', '{% url 'po-action-mark-as-void' request.dealer.slug entity_slug po_model.pk %}', 'Mark As Void')">
<i class="fas fa-times-circle me-2"></i>{% trans 'Void' %} <i class="fas fa-times-circle me-2"></i>{% trans 'Void' %}
</button> </button>
{% endif %} {% endif %} {% endcomment %}
{% if po_model.can_cancel %} {% if po_model.can_cancel %}
<button class="btn btn-phoenix-secondary" <button class="btn btn-phoenix-secondary"
onclick="showPOModal('Cancel PO', '{% url 'po-action-mark-as-canceled' request.dealer.slug entity_slug po_model.pk %}', 'Mark As Cancelled')"> onclick="showPOModal('Cancel PO', '{% url 'po-action-mark-as-canceled' request.dealer.slug entity_slug po_model.pk %}', 'Mark As Cancelled')">

View File

@ -32,8 +32,8 @@
</button> </button>
{% endif %} {% endif %}
</th> </th>
<th>{% trans 'Unit Cost' %}</th>
<th>{% trans 'Quantity' %}</th> <th>{% trans 'Quantity' %}</th>
<th>{% trans 'Unit Cost' %}</th>
<th>{% trans 'Unit' %}</th> <th>{% trans 'Unit' %}</th>
<th class="text-end">{% trans 'Amount' %}</th> <th class="text-end">{% trans 'Amount' %}</th>
<th>{% trans 'Status' %}</th> <th>{% trans 'Status' %}</th>
@ -52,8 +52,8 @@
{{ f.item_model|add_class:"form-control" }} {{ f.item_model|add_class:"form-control" }}
{% if f.errors %}<div class="text-danger small">{{ f.errors }}</div>{% endif %} {% if f.errors %}<div class="text-danger small">{{ f.errors }}</div>{% endif %}
</td> </td>
<td id="{{ f.instance.html_id_unit_cost }}">{{ f.po_unit_cost|add_class:"form-control" }}</td>
<td id="{{ f.instance.html_id_quantity }}">{{ f.po_quantity|add_class:"form-control" }}</td> <td id="{{ f.instance.html_id_quantity }}">{{ f.po_quantity|add_class:"form-control" }}</td>
<td id="{{ f.instance.html_id_unit_cost }}">{{ f.po_unit_cost|add_class:"form-control" }}</td>
<td>{{ f.entity_unit|add_class:"form-control" }}</td> <td>{{ f.entity_unit|add_class:"form-control" }}</td>
<td class="text-end" id="{{ f.instance.html_id_total_amount }}"> <td class="text-end" id="{{ f.instance.html_id_total_amount }}">
<span class="currency">{{ CURRENCY }}</span>{{ f.instance.po_total_amount | currency_format }} <span class="currency">{{ CURRENCY }}</span>{{ f.instance.po_total_amount | currency_format }}

View File

@ -3,7 +3,7 @@
{% load i18n static custom_filters num2words_tags %} {% load i18n static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="ar" dir="rtl"> <html lang="ar" dir="rtl">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>{{ po_model.po_number }}</title> <title>{{ po_model.po_number }}</title>
<style> <style>
@ -152,8 +152,8 @@
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
@ -228,5 +228,5 @@
</p> </p>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -106,4 +106,4 @@
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -6,7 +6,7 @@
<!DOCTYPE html> <!DOCTYPE html>
<html lang="en"> <html lang="en">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>{{ po_model.po_number }}</title> <title>{{ po_model.po_number }}</title>
<style> <style>
@ -144,8 +144,8 @@
} }
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
<h1>{{ dealer.name }}</h1> <h1>{{ dealer.name }}</h1>
@ -218,5 +218,5 @@
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -124,4 +124,4 @@
{% include "message-illustration.html" with value1=_("You don't have a Vendor, Please add a Vendor before creating a Purchase Order.") value2=_("Create New Vendor") url=vendor_create_url %} {% include "message-illustration.html" with value1=_("You don't have a Vendor, Please add a Vendor before creating a Purchase Order.") value2=_("Create New Vendor") url=vendor_create_url %}
{% endif %} {% endif %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -58,4 +58,4 @@
</table> </table>
</div> </div>
<div> <div>
{% endblock content %} {% endblock content %}

View File

@ -47,8 +47,8 @@
</button> </button>
</div> </div>
</div> </div>
</div> </div>
</form> </form>
<!-- Results table --> <!-- Results table -->
<div class="table-responsive mt-3">{% include "recalls/partials/recall_cars_table.html" %}</div> <div class="table-responsive mt-3">{% include "recalls/partials/recall_cars_table.html" %}</div>
{% endblock content %} {% endblock content %}

View File

@ -315,15 +315,15 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
</div> </div>
</div> </div>
<!-- end of .row--> <!-- end of .row-->
</section> </section>
<!-- <section> close ============================--> <!-- <section> close ============================-->
<!-- ============================================--> <!-- ============================================-->
<!-- add update Modal --> <!-- add update Modal -->
<div class="modal fade" <div class="modal fade"
id="additionalModal" id="additionalModal"
tabindex="-1" tabindex="-1"
aria-labelledby="additionalModalLabel" aria-labelledby="additionalModalLabel"
@ -348,7 +348,7 @@
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}
{% block customJS %} {% block customJS %}
<script> <script>

View File

@ -1,7 +1,7 @@
{% load i18n static custom_filters num2words_tags %} {% load i18n static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="ar" dir="rtl"> <html lang="ar" dir="rtl">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>عرض سعر</title> <title>عرض سعر</title>
@ -168,8 +168,8 @@
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
@ -255,9 +255,9 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
<div class="table-container"> <div class="table-container">
<div class="table-header"> <div class="table-header">
<span>التفاصيل المالية</span> <span>التفاصيل المالية</span>
</div> </div>
@ -291,7 +291,7 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
{% if data.additional_services %} {% if data.additional_services %}
<div class="table-container"> <div class="table-container">
@ -353,5 +353,5 @@
</p> </p>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -1,7 +1,7 @@
{% load static custom_filters num2words_tags %} {% load static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="en" dir="ltr"> <html lang="en" dir="ltr">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>Quotation</title> <title>Quotation</title>
@ -171,8 +171,8 @@
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
@ -258,9 +258,9 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
<div class="table-container"> <div class="table-container">
<div class="table-header"> <div class="table-header">
<span>Financial Details</span> <span>Financial Details</span>
</div> </div>
@ -294,7 +294,7 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
{% if data.additional_services %} {% if data.additional_services %}
<div class="table-container"> <div class="table-container">
@ -356,5 +356,5 @@
</p> </p>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -379,7 +379,7 @@
</div> </div>
</div> </div>
</div> </div>
</section> </section>
{% endblock %} {% endblock %}
{% block customJS %} {% block customJS %}
<script> <script>

View File

@ -1,7 +1,7 @@
{% load i18n static custom_filters num2words_tags %} {% load i18n static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="ar"> <html lang="ar">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>{% trans "Invoice Preview" %}</title> <title>{% trans "Invoice Preview" %}</title>
@ -158,8 +158,8 @@
font-size: 9px; font-size: 9px;
} }
</style> </style>
</head> </head>
<body> <body>
<div class="document-container"> <div class="document-container">
<div class="document-header"> <div class="document-header">
<div> <div>
@ -329,5 +329,5 @@
</div> </div>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -1,7 +1,7 @@
{% load static custom_filters num2words_tags %} {% load static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="ar" dir="rtl"> <html lang="ar" dir="rtl">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>فاتورة</title> <title>فاتورة</title>
@ -170,8 +170,8 @@
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
@ -257,9 +257,9 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
<div class="table-container"> <div class="table-container">
<div class="table-header"> <div class="table-header">
<span>التفاصيل المالية</span> <span>التفاصيل المالية</span>
</div> </div>
@ -293,7 +293,7 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
{% if data.additional_services %} {% if data.additional_services %}
<div class="table-container"> <div class="table-container">
@ -355,5 +355,5 @@
</p> </p>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -1,7 +1,7 @@
{% load static custom_filters num2words_tags %} {% load static custom_filters num2words_tags %}
<!DOCTYPE html> <!DOCTYPE html>
<html lang="en" dir="ltr"> <html lang="en" dir="ltr">
<head> <head>
<meta charset="UTF-8"> <meta charset="UTF-8">
<title>Invoice</title> <title>Invoice</title>
@ -172,8 +172,8 @@
</style> </style>
</head> </head>
<body> <body>
<div class="document-header"> <div class="document-header">
<div> <div>
@ -259,9 +259,9 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
<div class="table-container"> <div class="table-container">
<div class="table-header"> <div class="table-header">
<span>Financial Details</span> <span>Financial Details</span>
</div> </div>
@ -295,7 +295,7 @@
</tr> </tr>
</tbody> </tbody>
</table> </table>
</div> </div>
{% if data.additional_services %} {% if data.additional_services %}
<div class="table-container"> <div class="table-container">
@ -357,5 +357,5 @@
</p> </p>
</div> </div>
</div> </div>
</body> </body>
</html> </html>

View File

@ -22,6 +22,6 @@
</div> </div>
</div> </div>
</div> </div>
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -53,4 +53,4 @@
{% endif %} {% endif %}
</div> </div>
</div> </div>
{% endblock %} {% endblock %}

View File

@ -3,7 +3,7 @@
{% load custom_filters %} {% load custom_filters %}
{% block title %} {% block title %}
{% trans 'Sale Orders' %} {% endblock %} {% trans 'Sale Orders' %} {% endblock %}
{% block content %} {% block content %}
{% if txs or request.GET.q %} {% if txs or request.GET.q %}
<section class="mt-2"> <section class="mt-2">
<div class="row overflow-x-auto whitespace-nowrap -mx-2 sm:mx-0"> <div class="row overflow-x-auto whitespace-nowrap -mx-2 sm:mx-0">
@ -122,4 +122,4 @@
{% url 'estimate_create' request.dealer.slug as url %} {% url 'estimate_create' request.dealer.slug as url %}
{% include "empty-illustration-page.html" with value="Sale Orders" url=url %} {% include "empty-illustration-page.html" with value="Sale Orders" url=url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}

View File

@ -3,7 +3,7 @@
{% load crispy_forms_tags %} {% load crispy_forms_tags %}
{% load i18n %} {% load i18n %}
{% block title %} {% block title %}
{% trans "Update Ticket" %}&nbsp;#{{ ticket.id }} {% trans "Update Ticket" %}&nbsp;#{{ ticket.id }}
{% endblock %} {% endblock %}
{% block content %} {% block content %}
<div class="container py-5"> <div class="container py-5">

View File

@ -168,4 +168,4 @@
{% url "vendor_create" request.dealer.slug as create_vendor_url %} {% url "vendor_create" request.dealer.slug as create_vendor_url %}
{% include "empty-illustration-page.html" with value="vendor" url=create_vendor_url %} {% include "empty-illustration-page.html" with value="vendor" url=create_vendor_url %}
{% endif %} {% endif %}
{% endblock %} {% endblock %}