field's verbose_name in templates

You can use following python code for this

Test._meta.get_field("name").verbose_name.title()

If you want to use this in template then it will be best to register template tag for this. Create a templatetags folder inside your app containing two files (__init__.py and verbose_names.py).Put following code in verbose_names.py:

from django import template
register = template.Library()

@register.simple_tag
def get_verbose_field_name(instance, field_name):
    """
    Returns verbose_name for a field.
    """
    return instance._meta.get_field(field_name).verbose_name.title()

Now you can use this template tag in your template after loading the library like this:

{% load verbose_names %}
{% get_verbose_field_name test_instance "name" %}

You can read about Custom template tags in official django documentation.


psjinx's method is awesome!

And maybe you'll like this if you want to generate a field list.

Adding an iterable to the class Test makes it convenient to list fields' verbose name and value.

Model

class Test(models.Model):
...
def __iter__(self):
    for field in self._meta.fields:
        yield (field.verbose_name, field.value_to_string(self))

Template

{% for field, val in test_instance %}
<div>
    <label>{{ field }}:</label>
    <p>{{ val }}</p>
</div>
{% endfor %}