django中自定义admin中change_list.html中字段的显示

自定义adminchange_list.html中字段的显示

1 使用应用中的change_list.html覆盖admin上的列表显示页面change_list.html

django中的列表显示页,位于

D:Python36Libsite-packagesdjangocontribadmin emplatesadmin目录下

change_list.html  change_list_results.html复制到应用中,路径如下:

Mysite/应用名/templates/应用名/

2 在change_list.html页面中看到如下标签

{% result_list cl %}

 将其替按为我们的自定义标签,在应用中新建目录templatetags

新建自定义标签,示例代码如下:

from django.contrib.admin.templatetags.admin_list import *
from django import template

#自定义标签

register = template.Library()

#注册标签
@register.inclusion_tag("应用名/change_list_results.html")
def result_list1(cl):

    """
    Displays the headers and data list together
    """
    
headers = list(result_headers(cl))
    num_sorted_fields = 0
    for h in headers:
        if h['sortable'] and h['sorted']:
            num_sorted_fields += 1
    return {'cl': cl,
            'result_hidden_fields': list(result_hidden_fields(cl)),
            'result_headers': headers,
            'num_sorted_fields': num_sorted_fields,
            #设置返回列表数据
            
'results': list(results(cl))}

#取得信息列表
def results(cl):
    if cl.formset:
        for res, form in zip(cl.result_list, cl.formset.forms):
            yield ResultList(form, items_for_result(cl, res, form))
    else:
        for res in cl.result_list:
            yield ResultList(None, items_for_result(cl, res, None))

#取得字段名称
def _coerce_field_name(field_name, field_index):
    """
    Coerce a field_name (which may be a callable) to a string.
    """
    
if callable(field_name):
        if field_name.__name__ == '<lambda>':
            return 'lambda' + str(field_index)
        else:
            return field_name.__name__
    return field_name

class ResultList(list):
    # Wrapper class used to return items in a list_editable
    # changelist, annotated with the form object for error
    # reporting purposes. Needed to maintain backwards
    # compatibility with existing admin templates.
    
def __init__(self, form, *items):
        self.form = form
        super(ResultList, self).__init__(*items)

#设置返回列表项
def items_for_result(cl, result, form):
    """
    Generates the actual list of data.
    """
    #设置带链接的字段
    
def link_in_col(is_first, field_name, cl):
        if cl.list_display_links is None:
            return False
        if
is_first and not cl.list_display_links:
            return True
        return
field_name in cl.list_display_links

    #第一列字段设置链接
    
first = True

    
pk = cl.lookup_opts.pk.attname
    for field_index, field_name in enumerate(cl.list_display):
        #空值的显示方式
        
empty_value_display = cl.model_admin.get_empty_value_display()
        #设置行的class属性
        
row_classes = ['field-%s' % _coerce_field_name(field_name, field_index)]
        try:
            f, attr, value = lookup_field(field_name, result, cl.model_admin)
        except ObjectDoesNotExist:
            result_repr = empty_value_display
        else:
            empty_value_display = getattr(attr, 'empty_value_display', empty_value_display)
            if f is None or f.auto_created:
                if field_name == 'action_checkbox':
                    row_classes = ['action-checkbox']
                allow_tags = getattr(attr, 'allow_tags', False)
                boolean = getattr(attr, 'boolean', False)
                result_repr = display_for_value(value, empty_value_display, boolean)
                if allow_tags:
                    warnings.warn(
                        "Deprecated allow_tags attribute used on field {}. "
                        "Use django.utils.html.format_html(), format_html_join(), "
                        "or django.utils.safestring.mark_safe() instead."
.format(field_name),
                        RemovedInDjango20Warning
                    )
                    result_repr = mark_safe(result_repr)
                if isinstance(value, (datetime.date, datetime.time)):
                    row_classes.append('nowrap')
            else:
                if isinstance(f.remote_field, models.ManyToOneRel):
                    field_val = getattr(result, f.name)
                    if field_val is None:
                        result_repr = empty_value_display
                    else:
                        result_repr = field_val
                else:
                    result_repr = display_for_field(value, f, empty_value_display)
                if isinstance(f, (models.DateField, models.TimeField, models.ForeignKey)):
                    row_classes.append('nowrap')
        if force_text(result_repr) == '':
            result_repr = mark_safe(' ')
        row_class = mark_safe(' class="%s"' % ' '.join(row_classes))
        # If list_display_links not defined, add the link tag to the first field
        
if link_in_col(first, field_name, cl):
            table_tag = 'th' if first else 'td'
            
first = False

            
# Display link to the result's change_view if the url exists, else
            # display just the result's representation.
            
try:
                url = cl.url_for_result(result)
            except NoReverseMatch:
                link_or_text = result_repr
            else:
                url = add_preserved_filters({'preserved_filters': cl.preserved_filters, 'opts': cl.opts}, url)
                # Convert the pk to something that can be used in Javascript.
                # Problem cases are long ints (23L) and non-ASCII strings.
                
if cl.to_field:
                    attr = str(cl.to_field)
                else:
                    attr = pk
                value = result.serializable_value(attr)
                link_or_text = format_html(
                    '<a href="{}"{}>{}</a>',
                    #取消列表编辑功能url,
                    
"",
                    format_html(
                        ' data-popup-opener="{}"', value
                    ) if cl.is_popup else '',
                    result_repr)
            yield format_html('<{}{}>{}</{}>',
                              table_tag,
                              row_class,
                              link_or_text,
                              table_tag)
        else:
            # By default the fields come from ModelAdmin.list_editable, but if we pull
            # the fields out of the form instead of list_editable custom admins
            # can provide fields on a per request basis
            
if (form and field_name in form.fields and not (
                            field_name == cl.model._meta.pk.name and
                        
form[cl.model._meta.pk.name].is_hidden)):
                bf = form[field_name]
                result_repr = mark_safe(force_text(bf.errors) + force_text(bf))
            #如果是我们要修改显示方式的字段,则修改标签
            
if field_name in '**_info':
                tag="<td><div><canvas class='dd' style='background-color: lightblue' height='128' width='400' {} value='{}'/></div></td>"
            
#添加%
            
elif field_name in '字段二':
                tag='<td{}>{}%</td>'
            
#
            
else:
                tag='<td{}>{}</td>'
            yield
format_html(tag, row_class, result_repr)
    if form and not form[cl.model._meta.pk.name].is_hidden:
        yield format_html('<td>{}</td>', force_text(form[cl.model._meta.pk.name]))

3 change_list.html中标签改为我们自定义的标签

{% result_list1 cl %}

4 admin.py中指定列表的显示方式

class **Admin(admin.ModelAdmin):

#设置自定义列表显示方式
change_list_template = '应用名/change_list.html'

admin.site.register(model名称, **Admin)

5  如果想在js中修改页面信息,可以在应用下新建static/js目录,js代码放到该目录下

原文地址:https://www.cnblogs.com/retacn-yue/p/6194178.html