如何检查字段小部件是否是模板中的复选框

如何检查字段小部件是否是模板中的复选框

本文介绍了Django:如何检查字段小部件是否是模板中的复选框?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我创建了一个用于呈现表单字段的自定义模板:

<th class="label"><label for="{{field.auto_id}}">{{field.label}}{% if not field.field.required %}(optional){% endif %}</th><td class="field">{{场地}}{% if field.errors %}<label class="error" for="{{field.auto_id}}">{{field.errors.0}}</label>{% endif %}{% if field.help_text %}<small class="help-text">{{field.help_text}}</small>{% endif %}</td></tr>

但我想检查小部件是否是一个复选框,如果是,则以不同的方式呈现它.我怎样才能在模板中做到这一点?

解决方案

使用 自定义模板过滤器!

yourapp/templatetags/my_custom_tags.py 中:

from django 导入模板从 django.forms 导入 CheckboxInput注册 = 模板.图书馆()@register.filter(name='is_checkbox')def is_checkbox(field):返回 field.field.widget.__class__.__name__ == CheckboxInput().__class__.__name__

在您的模板中:

{% 加载 my_custom_tags %}{% if field|is_checkbox %}做一点事{% 万一 %}

关于实现的旁注:当我不实例化 CheckboxInput 时,类名是 MediaDefiningClass.

>>>表单 django.forms 导入 CheckboxInput键盘中断>>>CheckboxInput.__class__.__name__'媒体定义类'

I've created a custom template for rendering form fields:

<tr class="{{field.field.widget.attrs.class}}">
    <th class="label">
        <label for="{{field.auto_id}}">
            {{field.label}}
            {% if not field.field.required %}<span class="optional">(optional)</span>{% endif %}
        </label>
    </th>
    <td class="field">
        {{field}}
        {% if field.errors %}<label class="error" for="{{field.auto_id}}">{{field.errors.0}}</label>{% endif %}
        {% if field.help_text %}<small class="help-text">{{field.help_text}}</small>{% endif %}
    </td>
</tr>

But I want to check if the widget is a checkbox, and if so, render it differently. How can I do that in the template?

解决方案

Use a custom template filter!

In yourapp/templatetags/my_custom_tags.py:

from django import template
from django.forms import CheckboxInput

register = template.Library()

@register.filter(name='is_checkbox')
def is_checkbox(field):
  return field.field.widget.__class__.__name__ == CheckboxInput().__class__.__name__

In your template:

{% load my_custom_tags %}

{% if field|is_checkbox %}
  do something
{% endif %}

Side note on implementation: when I don't instantiate a CheckboxInput, the class name is MediaDefiningClass.

>>> form django.forms import CheckboxInput
KeyboardInterrupt
>>> CheckboxInput.__class__.__name__
'MediaDefiningClass'

这篇关于Django:如何检查字段小部件是否是模板中的复选框?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

08-29 23:21