Python/Django - Как передать значение из html в представление через {% url %}?

У меня есть приложение Django, которое содержит форму, где пользователь может выбрать "choice1" или "choice2". Я пытаюсь сделать так, чтобы когда пользователь вводит данные с помощью кнопки в html и нажимает "Update", он отправлял новые значения (view.choice1 и view.valuechoice2, которые являются булевыми значениями) в мое представление, и выводил новые значения в консоль.

У меня есть следующее:

choiceMenu.html

<form class="card" action="" method="POST" enctype="multipart/form-data">
    <input type="radio" name="update_choice" value="choice1">  Choice1 </input>
    <input type="radio" name="update_choice" value="choice2">  Choice2 </input>
    <div class="form-group">
        <a href="{% url 'core:choicemenu:choices' view.choice1 %}" class="btn btn-secondary btn-sm">Update</a>
    </div>
</form>

model.py

class ChoiceModel(models.Model):
    choice1 = models.BooleanField(default=False)
    choice2 = models.BooleanField(default=True)

    def get(self):
        new_self = self.__class__.objects.get(auto=self.choice1)

        self.__dict__.update(new_self.__dict__)
        return reverse("core:choices", kwargs={"choice1": self.choice1})

views.py

class ChoiceMenu(generic.TemplateView):
    template_name = 'core/choiceMenu.html'
    context_object_name = 'choicemenu'
    current_model_set = ChoiceModel.objects.get(id=1)

    choice1 = int(current_model_set.choice1 == True)
    choice2 = int(current_model_set.choice2 == True)


class ChoiceSetting(generic.TemplateView):
    extra_context = {"choices_page": "active"}
    context_object_name = 'choices'
    template_name = 'core/choices/choiceindex.html'

    def get(self, queryset=None, **kwargs):
        choice1 = self.kwargs.get("choice1")

        logger.info(choice1)  ### <<-- I want to get this printed in my console

        return redirect(reverse("core:choicemenu"))

urls.py

app_name = 'core'
    urlpatterns = [
        path('choicemenu', login_required(views.ChoiceMenu.as_view()), name='choicemenu'),
        path('choicemenu/choices/<int:choice1>/', login_required(views.ChoiceSetting.as_view()), name='choices')
]

Итак, я хочу, чтобы, когда пользователь выбирает choice1 и нажимает кнопку Update, в консоли печаталось 1.

Ошибка, которую я получаю с этим кодом, следующая:

django.urls.exceptions.NoReverseMatch: Reverse for 'choices' with arguments '('',)' not found. 1 pattern(s) tried: ['choicemenu/choices/\\?P(?P<choice1>[^/]+)\\\\w\\+\\)\\$/\\Z']

Кто-нибудь знает, как я могу это исправить?

Используйте метод post в представлении, как

class ChoiceSetting(generic.TemplateView):
extra_context = {"choices_page": "active"}
context_object_name = 'choices'
template_name = 'core/choices/choiceindex.html'

def post(self, *args, **kwargs):
    choice1 = self.request.POST.get('update_choice')

    logger.info(choice1)  ### <<-- I want to get this printed in my console

    return redirect(reverse("core:choicemenu"))

и в urls.py использовать

path('choicemenu/choices/', login_required(views.ChoiceSetting.as_view()), name='choices')

и в html-файле

<form class="card" action="{% url 'core:choicemenu:choices' %}" method="POST" enctype="multipart/form-data">{% csrf_token %}<input type="radio" name="update_choice" value="choice1">  Choice1 </input>
<input type="radio" name="update_choice" value="choice2">  Choice2 </input>
<div class="form-group">
    <button class="btn btn-secondary btn-sm" type="submit">Update</a>
</div>

вы можете получить ожидаемый результат

Вернуться на верх