Home Backend Development Python Tutorial Djangoadminsite(一)ModelAdminOptions

Djangoadminsite(一)ModelAdminOptions

Dec 23, 2016 pm 05:44 PM

Admin management interface is Django’s killer application. It reads the metadata in your schema and then provides you with a powerful and usable interface that website administrators can use to instantly add content to the website.

To use admin, you can follow the steps below:

Add 'django.contrib.admin' to the INSTALLED_APPS configuration of setting.

Ensure that INSTALLED_APPS contains 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.messages' and 'django.contrib.sessions.', Django's admin needs these 4 packages.

Add 'django.contrib.messages.context_PRocessors.messages' to TEMPLATE_CONTEXT_PROCESSORS and make sure MIDDLEWARE_CLASSES contains 'django.contrib.auth.middleware.AuthenticationMiddleware' and 'django.contrib.messages.middleware.MessageMiddleware'. (Added by default)

Determine which Models need to be applied to admin.

Create a ModelAdmin in admin.py in each app that requires admin.

Register Model and ModelAdmin

from django.contrib import admin
from myproject.myapp.models import Author

class AuthorAdmin(admin.ModelAdmin):
pass
admin.site.register(Author, AuthorAdmin)

will The admin access configuration is in the URLconf

from django.contrib import admin
admin.autodiscover()

# And include this URLpattern...
urlpatterns = patterns('',
# ...
(r'^admin/ ', include(admin.site.urls)),
# ...
)

Run python manage.py migrate to remind you to create superuser and you can access http://127.0.0.1:8000/admin/.

ModelAdmin object

register decorator

register(*models[, site=django.admin.sites.site])

Newly added in 1.7. Model and ModelAdmin can be registered like this:

from django.contrib import admin
from .models import Author

@admin.register(Author)
class AuthorAdmin(admin.ModelAdmin):
pass

You can register multiple Models at one time , and you can use your own customized AdminSite:

from django.contrib import admin
from .models import Author, Reader, Editor
from myproject.admin_site import custom_admin_site

@admin.register(Author, Reader, Editor, site=custom_admin_site )
class PersonAdmin(admin.ModelAdmin):
Pass

How Admin works

When 'django.contrib.admin' is added to INSTALLED_APPS, django will automatically find the admin.py module in each app and import loading.

class apps.AdminConfig
Django 1.7 new.
admin default AppConfig class. Autodiscover() will be executed when Django starts.

class apps.SimpleAdminConfig
New in Django 1.7.
Similar to AdminConfig, autodiscover() will not be executed.

autodiscover()
import the admin.py module of each app.

Django 1.7 changes:
In previous versions, you needed to manually start this method in urls.py to find the admin.py of each app. After 1.7, AdminConfig will automatically execute this method.

If you are using a customized AdminSite, you need to load the subclasses of ModelAdmin into your own code and register them all in the customized AdminSite. In this case, you need to stop automatic discovery(), and you can replace 'django.contrib.admin' in INSTALLED_APPS with 'django.contrib.admin.apps.SimpleAdminConfig'.

ModelAdmin options

actions

List of admin actions

actions_on_top
actions_on_bottom

action location.

date_hierarchy

Set date_hierarchy to the Model's DateField or DateTimeField to add a date hierarchy to this Model in admin.

fields

exclude

determines which fields are displayed in the Model's form. fields include, exclude excludes.

from django.contrib import admin

class AuthorAdmin(admin.ModelAdmin):
fields = ('name', 'title')

class AuthorAdmin(admin.ModelAdmin):
exclude = ('birth_date',)

You can put some fields on the same line, such as the following url and title fields on the same line:

class FlatPageAdmin(admin.ModelAdmin):
fields = (('url', 'title'), 'content')

fieldsets

fieldsets is a list of double tuples (name, field_options), and fields can be divided into chunks:

from django.contrib import admin

class FlatPageAdmin(admin.ModelAdmin):
fieldsets = (
      (None ) , {  ' fields': ('enable_comments', 'registration_required', 'template_name')
  }),
  )

name is the title of the block and field_options is a dictionary.

field_options keys have the following types:

fields

tuples of field names, displayed in fieldset

{
'fields': (('first_name', 'last_name'), 'address', 'city ', 'state'),
}

classes

A list of additional CSS classes provided to the fieldset.

Description

Extra text that can be displayed at the top of the fieldset.

filter_horizontal
filter_vertical

When the Model has a ManyToManyField field, use filter_horizontal and filter_vertical to select multiple options from the existing options. One is horizontal and one is vertical.

form

The form used.

from django import forms
from django.contrib import admin
from myapp.models import Person

class PersonForm(forms.ModelForm):

class Meta:
model = Person
exclude = ['name']

class PersonAdmin(admin.ModelAdmin):
exclude = ['age']
form = PersonForm

When a conflict occurs, ModelAdmin takes precedence. In the above example, age will be excluded, but name will be displayed on the page.

formfield_overrides

You can override the options of some fields in the Model form interface and add your own customized widgets for some specific types of fields

For example, if you want to use a rich text editor for the TextField field of your Model:

from django.db import models
from django.contrib import admin

# Import our custom widget and our model from where they're defined
from myapp.widgets import RichTextEditorWidget
from myapp.models import MyModel

class MyModelAdmin(admin.ModelAdmin):
formfield_overrides = {
            models.TextField: {'widget': RichTextEditorWidget},
  }

list_display

Fields that can be displayed on the Model's change list page. If list_display is not set, the admin interface will automatically display the Model's __unicode__() result.

There are 4 values ​​in list_display:

A field of model

list_display = ('first_name', 'last_name')

A callable function that takes model as a parameter

def upper_case_name(obj):
return ("%s %s" % (obj.first_name, obj.last_name)).upper()
upper_case_name.short_description = 'Name'

class PersonAdmin(admin.ModelAdmin):
list_display = (upper_case_name,) 

An attribute of ModelAdmin, similar to a callable function

class PersonAdmin(admin.ModelAdmin):
list_display = ('upper_case_name',)

def upper_case_name(self, obj):
return ("%s %s" % (obj.first_name, obj.last_name)).upper()
upper_case_name.short_description = 'Name'

An attribute of Model, similar to a callable function

from django.db import models
from django.contrib import admin

class Person(models.Model):
name = models.CharField(max_length=50)
birthday = models.DateField()

def decade_born_in(self):
return self.birthday.strftime('%Y') [:3] + "0's"
 decade_born_in.short_description = 'Birth decade'

class PersonAdmin(admin.ModelAdmin):
list_display = ('name', 'decade_born_in')

Note:

If the field is ForeignKey , the __unicode__ of the foreign key will be displayed.

ManyToManyField is not supported

If it is a BooleanField, it will display on or off.

If the provided string is a Model or ModelAdmin method or a callable function, Django will automatically HTML-escape the output. If you don’t want to escape, you can set the method’s allow_tags to True. In order to avoid XSS cross-site attacks, you need to use format_html to escape the user's input:

from django.db import models
from django.contrib import admin
from django.utils.html import format_html

class Person(models.Model):
first_name = models.CharField(max_length=50)
last_name = models.CharField (max_length=50)
color_code = models.CharField(max_length=6)

def colored_name(self):
return format_html('{1} {2 )

colored_name.allow_tags = True

class PersonAdmin(admin.ModelAdmin):
list_display = ('first_name', 'last_name ', 'colored_name') 


If the provided string is a method of Model or ModelAdmin or a callable function and returns True or False, the boolean attribute of the method can be set to True. In this way, the on or off icon will be displayed on the page.

from django.db import models

from django.contrib import admin

class Person(models.Model):
first_name = models.CharField(max_length=50)
birthday = models.DateField()

def born_in_fifties(self ):
        return self.birthday.strftime('%Y')[:3] == '195'
  born_in_fifties.boolean = True

class PersonAdmin(admin.ModelAdmin):
  list_display = ('name', 'born_in_fifties ') 


Model's __str__ or __unicode__ method can also be used

list_display = ('__str__', 'some_other_field')

If the items in list_display are not actual fields of the database, then this cannot be used Item sorting. Otherwise, you can order by this item, and you can point out this fact by setting the admin_order_field attribute.

from django.db import models

from django.contrib import admin

from django.utils.html import format_html


class Person(models.Model):
first_name = models.CharField(max_length=50)
color_code = models. CharField(max_length=6)

def colored_first_name(self):
return format_html('{1}',
self.color_code, R Self.first_name)

Colored_first_name.allow_tags = True
COLORED_FIRST_NAME.ADMIN_ORDER_FIELD = 'FIRST_NAME'CLASS Personadmin (Admin.modeLadmin ): _ List_display = ('first_name', 'colord_first_name')


This is trying to sort with colord_first_name , django will sort by first_name. Can be sorted in reverse:

colored_first_name.admin_order_field = '-first_name'


items in list_display can also be attributes:

class Person(object):

first_name = models.CharField(max_length=50)

last_name = models .CharField(max_length=50)

def my_property(self):

return self.first_name + ' ' + self.last_name

my_property.short_description = "Full name of the person"


full_name = property(my_property)

class PersonAdmin(admin.ModelAdmin):
list_display = ('full_name',) 


list_display_link

The fields will be linked to the mode change page

class PersonAdmin(admin.ModelAdmin):
list_display = ('first_name' , 'last_name', 'birthday')

list_display_links = ('first_name', 'last_name')

list_editable

The fields can be changed on the change list page. The fields in it must also be in list_display.

list_filter

The fields in it can be used as filters to filter the model. Can be a related domain.

class PersonAdmin(admin.UserAdmin):

list_filter = ('company__name',)

list_max_show_all

show the number of models on all pages, default 200.


list_per_page

The number of models in each change list page, the default is 100.

list_select_related

is related to select_related().

ordering

sorting. Pagination used by

paginator

. Default django.core.paginator.Paginator.

prepopulated_fields

Prepopulated fields.

radio_fields

Use radio-button instead of select-box (ForeignKey or when there is choices option).

class PersonAdmin(admin.ModelAdmin):
radio_fields = {"group": admin.VERTICAL}

raw_id_fields

will display the id of the field, used for ForeignKey or ManyToManyField.

class ArticleAdmin(admin.ModelAdmin):
raw_id_fields = ("newspaper",)

readonly_fields

Only readable and non-editable fields. It can also be the method:

from django.contrib import admin
from django.utils.html import format_html_join
from django.utils.safestring import mark_safe

class PersonAdmin(admin.ModelAdmin):
readonly_fields = ('address_report',)

def address_report(self, instance):
# assuming get_full_address() returns a list of strings
# for each line of the address and you want to separate each
# line by a linebreak
return format_html_join(
Mark_safe('< ;br/>'),
                                                                                                                                                                 this address."

# short_description functions like a model field's verbose_name
address_report.short_description = "Address"
# in this example, we have used HTML tags in the output
address_report.allow_tags = True


When save_as

is set to True, the "Save and add another" button on the change page will be replaced by "Save as".

save_on_top

When set to True, there will also be a save button at the top of the change page.

search_fields

Searchable fields.

view_on_site

Whether to display the View on site link.

template options

Some options used to specify the template when customizing the admin template.

add_form_template

add_view() The template used.


change_form_template

change_view() The template used.


change_list_template

changelist_view() The template used.


delete_confirmation_template

delete_view().


delete_selected_confirmation_template

template used by delete_selected action method.


ModelAdmin.object_history_template

history_view() template, log.


The above is the content of Djangoadminsite (1) ModelAdminOptions. For more related content, please pay attention to the PHP Chinese website (www.php.cn)!


Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

How to Use Python to Find the Zipf Distribution of a Text File How to Use Python to Find the Zipf Distribution of a Text File Mar 05, 2025 am 09:58 AM

This tutorial demonstrates how to use Python to process the statistical concept of Zipf's law and demonstrates the efficiency of Python's reading and sorting large text files when processing the law. You may be wondering what the term Zipf distribution means. To understand this term, we first need to define Zipf's law. Don't worry, I'll try to simplify the instructions. Zipf's Law Zipf's law simply means: in a large natural language corpus, the most frequently occurring words appear about twice as frequently as the second frequent words, three times as the third frequent words, four times as the fourth frequent words, and so on. Let's look at an example. If you look at the Brown corpus in American English, you will notice that the most frequent word is "th

How Do I Use Beautiful Soup to Parse HTML? How Do I Use Beautiful Soup to Parse HTML? Mar 10, 2025 pm 06:54 PM

This article explains how to use Beautiful Soup, a Python library, to parse HTML. It details common methods like find(), find_all(), select(), and get_text() for data extraction, handling of diverse HTML structures and errors, and alternatives (Sel

How to Perform Deep Learning with TensorFlow or PyTorch? How to Perform Deep Learning with TensorFlow or PyTorch? Mar 10, 2025 pm 06:52 PM

This article compares TensorFlow and PyTorch for deep learning. It details the steps involved: data preparation, model building, training, evaluation, and deployment. Key differences between the frameworks, particularly regarding computational grap

Mathematical Modules in Python: Statistics Mathematical Modules in Python: Statistics Mar 09, 2025 am 11:40 AM

Python's statistics module provides powerful data statistical analysis capabilities to help us quickly understand the overall characteristics of data, such as biostatistics and business analysis. Instead of looking at data points one by one, just look at statistics such as mean or variance to discover trends and features in the original data that may be ignored, and compare large datasets more easily and effectively. This tutorial will explain how to calculate the mean and measure the degree of dispersion of the dataset. Unless otherwise stated, all functions in this module support the calculation of the mean() function instead of simply summing the average. Floating point numbers can also be used. import random import statistics from fracti

Serialization and Deserialization of Python Objects: Part 1 Serialization and Deserialization of Python Objects: Part 1 Mar 08, 2025 am 09:39 AM

Serialization and deserialization of Python objects are key aspects of any non-trivial program. If you save something to a Python file, you do object serialization and deserialization if you read the configuration file, or if you respond to an HTTP request. In a sense, serialization and deserialization are the most boring things in the world. Who cares about all these formats and protocols? You want to persist or stream some Python objects and retrieve them in full at a later time. This is a great way to see the world on a conceptual level. However, on a practical level, the serialization scheme, format or protocol you choose may determine the speed, security, freedom of maintenance status, and other aspects of the program

What are some popular Python libraries and their uses? What are some popular Python libraries and their uses? Mar 21, 2025 pm 06:46 PM

The article discusses popular Python libraries like NumPy, Pandas, Matplotlib, Scikit-learn, TensorFlow, Django, Flask, and Requests, detailing their uses in scientific computing, data analysis, visualization, machine learning, web development, and H

Scraping Webpages in Python With Beautiful Soup: Search and DOM Modification Scraping Webpages in Python With Beautiful Soup: Search and DOM Modification Mar 08, 2025 am 10:36 AM

This tutorial builds upon the previous introduction to Beautiful Soup, focusing on DOM manipulation beyond simple tree navigation. We'll explore efficient search methods and techniques for modifying HTML structure. One common DOM search method is ex

How to Create Command-Line Interfaces (CLIs) with Python? How to Create Command-Line Interfaces (CLIs) with Python? Mar 10, 2025 pm 06:48 PM

This article guides Python developers on building command-line interfaces (CLIs). It details using libraries like typer, click, and argparse, emphasizing input/output handling, and promoting user-friendly design patterns for improved CLI usability.

See all articles