Как отобразить данные из метода менеджера Django в шаблонах Django?

Я создаю приложение, в котором менеджер может контролировать продукты и их партии, где он может активировать или деактивировать партии путем выбора, поэтому я пытаюсь отобразить выпадающий список, чтобы показать все доступные партии с их "статусом истечения срока годности", "статусом наличия количества" и "статусом активации".

До сих пор я сделал следующее: я создал классы QuerySet и Manager в классе модели Django, и я хочу получить эти классы и отобразить их в моем шаблоне. Но проблема в том, что это не работает, в моих шаблонах ничего не отображается, и поле выбора не показывает никаких вариантов.

Вот что я сделал в models.py:

class ExpirationStatus(models.TextChoices):

    VALID='VALID',_('Valid')
    ONE_MONTH= 'ONE_MONTH',_('One month or Less')
    THREE_MONTHS='THREE_MONTHS',_('Three Months Or Less')
    EXPIRED='EXPIRED',_('Expired')
    
    
class BatchQuerySet(models.QuerySet):

    def annotate_expiration_status(self):
        one_month=date.today() - timedelta(days=30)
        three_months=date.today() - timedelta(days=90)
        today=date.today()
        
        return self.annotate(expiration_status= Case(
            When(expiry_date__lt=today,then=Value(ExpirationStatus.EXPIRED)),
            When(expiry_date__lte=one_month,then=Value(ExpirationStatus.ONE_MONTH)),
            When(expiry_date__lte=three_months, then=Value(ExpirationStatus.THREE_MONTHS)),
             When(expiry_date__gt=three_months, then=Value(ExpirationStatus.VALID)),
           )).order_by('arrival_date')

class BatchManager(models.Manager):

    use_for_related_fields = True
    def annotate_expiration_status(self):
        return self.get_queryset().annotate_expiration_status()

    def get_queryset(self):
        return BatchQuerySet(model=self.model, using=self._db)


class Batch(models.Model):

    class Status(models.TextChoices):
        ACTIVE = 'active', _('Active')
        INACTIVE = 'inactive', _('Inactive')
    
    product = models.ForeignKey(Product, on_delete=models.PROTECT, related_name='product_batch')
    expiry_date = models.DateField()
    quantity_bought = models.PositiveIntegerField() 
    status=models.CharField(max_length=32, null=True, choices=Status.choices)                       
    arrival_date = models.DateField(auto_now_add=False)  

    objects=BatchManager()

    def available_quantity(self):
        return self.quantity_bought-(self.issued_batches.aggregate(total_issued_quantity=Sum('issued_quantity')).get('total_issued_quantity') or 0)

    def __str__(self):
        return self.product.name + ' \'s batch '

Вот что я сделал в views.py:

class BatchChange (ListView):
    model = Batch
    template_name ='shop/batches_modal.html'
    context_object_name = 'batches'

    def get_queryset(self):

        product=Product.objects.get(received_product__id=self.kwargs.get('selected_product_id'))
        
        queryset= super().get_queryset()

        queryset=queryset.filter(product_id=product.id)

        return queryset

Вот что я сделал в batches_modal.html:

<form method="POST" action="{% url 'pharmacy:batches_modal' selected_product.id %}">
            {% csrf_token %}
            <div class="modal-body">
               {% if batches %}
                <div class="form-group">
                <label for="batch" class="col-form-label">Batch Number:</label>
                <select class="form-control name="selected_batches" multiple>
                    {% for batch in batches %}
                      {% for batch_expiration in batch.annotate_expiration_status %}
                        {% if batch_expiration.expiration_status  == "VALID" %}
                          <option value="{{batch.id}}">{{batch.id}} - {{batch_expiration.expiration_status}} - {{batch.status}} - {{batch.available_quantity}}</option>
                        {% elif batch_expiration.expiration_status == "THREE_MONTHS" %}
                          <option value="{{batch.id}}">{{batch.id}} - {{batch_expiration.expiration_status}} - {{batch.status}} - {{batch.available_quantity}}</option>
                        {% elif batch_expiration.expiration_status == "ONE_MONTH" %}
                          <option value="{{batch.id}}">{{batch.id}} - {{batch_expiration.expiration_status}} - {{batch.status}} - {{batch.available_quantity}}</option>
                        {% elif batch_expiration.expiration_status == "EXPIRED" %}
                          <option value="{{batch.id}}">{{batch.id}} - {{batch_expiration.expiration_status}} - {{batch.status}} - {{batch.available_quantity}}</option>
                        {% endif %}
                        {% endfor %}
                    {% endfor %}
                </select>
                </div>
            </div>
           {% endif %}
            <div class="modal-footer">
                <button type="submit" class="btn btn-primary" name="submit">Save Changes</button>
                <button type="button" class="btn btn-light border-primary text-primary" data-dismiss="modal">Cancel</button>
            </div>
        </form>
Вернуться на верх