2

我使用带有标签的复选框输入在页面上显示 django 模型,如下所示:

{% if recipes_list %}
<table>
{% for r in recipes_list %}
<tr>
  <td>
    <section class="ac-container">
      <div>
        <input id="ac-1" type="checkbox" />
        <label for="ac-1">{{r.name}}</label>
        <article class="ac-small">
        <ul>
        {% for i in r.ingredient_list%}
          <li>{{i.part}}, {{i.amount}}</li>
        {% endfor %}
        </ul>
        </article>
      </div>
    </section>
 </td>
</tr>
{% endfor %}
</table>

当我点击每个条目的标签时recipes_list,它显然总是打开第一个条目的文章。在过去的几天里,我一直在寻找有关如何在 html 中为每个模型条目提供唯一 ID 的解决方案,但我找不到任何适用于这种情况的方法。我尝试过表单、模型表单、各种 javascript 和 php。我怎样才能做到这一点?

4

3 回答 3

5

You can use the forloop.counter to achieve this:

{% if recipes_list %}
<table>
{% for r in recipes_list %}
<tr>
  <td>
    <section class="ac-container">
      <div>
        <input id="ac-{{forloop.counter}}" type="checkbox" />
        <label for="ac-{{forloop.counter}}">{{r.name}}</label>
        <article id="article-{{forloop.counter}}" class="ac-small">
        <ul>
        {% for i in r.ingredient_list%}
          <li>{{i.part}}, {{i.amount}}</li>
        {% endfor %}
        </ul>
        </article>
      </div>
    </section>
 </td>
</tr>
{% endfor %}
</table>

Hope this helps!

于 2013-06-04T20:30:52.740 回答
3

它简单地使用对象主键作为 id,因为它是唯一的(除非您有来自另一个模型的另一个循环):

{% for r in recipes_list %}
    <input id="ac-{{ r.id }}" type="checkbox" />
{% endfor %}

或使用forloop.counter

{% for r in recipes_list %}
    <input id="ac-{{ forloop.counter }}" type="checkbox" />
{% endfor %}
于 2013-06-04T20:32:57.977 回答
3

您可以编写一个获取模型名称的过滤器

from django import template
register = template.Library()

@register.filter(name='class_name')
def class_name(obj):
  return obj.__class__.__name__

并在模板中:

并在模板中,无论您想要 id/classname:

<article id={{obj|class_name}}>
  {# further code #}
</article>

或者

class MyModel(models.Model):
    #fields

    def class_name(self):
        return "%s"%self.__class__.__name__ #returns the model instance name

如果要返回实例名称:

from django.template.defaultfilters import slugify
class MyModel(models.Model):
    def class_name(self):
        return "%s"%(slugify(self.name)) #or whatever field has the specific instance name

并在模板中:

{{obj.class_name}}
于 2013-06-04T20:28:26.023 回答