Act 4: Hello admin¶
One of Django’s unique features is that it comes with a custom administration that allows users to view, edit and create records. To see it in action, create a new superuser with permission to edit all records.
python manage.py createsuperuser
Then fire up the Django test server.
python manage.py runserver
And visit localhost:8000/admin/ and log in using the credentials you just created.
data:image/s3,"s3://crabby-images/9bae7/9bae74fea55b659e637f4d208e35b740e85e3a9b" alt="_images/hello-admin-login.png"
Without any additional configuration you will see administration panels for the apps installed with Django by default.
data:image/s3,"s3://crabby-images/bd2ce/bd2ce672cb08a3af293c57e683ea414e4a84d3a8" alt="_images/hello-admin-noconfig.png"
Adding panels for your own models is done in the admin.py
file included with each app. Open academy/admin.py
to start in.
from django.contrib import admin
from academy.models import Invite
admin.site.register(Invite)
Now reload localhost:8000/admin/ and you’ll see it added to the index app list.
data:image/s3,"s3://crabby-images/d5f80/d5f807a735da35d544ef1b0114a0fda0df0b1cc6" alt="_images/hello-admin-module.png"
Click on “Invite” and you’ll see all the records we loaded into the database as a list.
data:image/s3,"s3://crabby-images/a600c/a600c3f5d41320e052a5d18173a5e0e294579be9" alt="_images/hello-admin-list.png"
Configure the columns that appear in the list.
from django.contrib import admin
from academy.models import Invite
class InviteAdmin(admin.ModelAdmin):
list_display = ("name", "branch", "gender", "date_of_birth", "race")
admin.site.register(Invite, InviteAdmin)
Reload.
data:image/s3,"s3://crabby-images/1b8ee/1b8ee2451b38191ce08d8799fbbe699f1c038c91" alt="_images/hello-admin-columns.png"
Add a filter.
from django.contrib import admin
from academy.models import Invite
class InviteAdmin(admin.ModelAdmin):
list_display = ("name", "branch", "gender", "date_of_birth", "race")
list_filter = ("branch", "gender", "race")
admin.site.register(Invite, InviteAdmin)
Reload.
data:image/s3,"s3://crabby-images/f5df2/f5df208b27acdc5cc1a7ff856d2c5fc3bce9db79" alt="_images/hello-admin-filter.png"
And now a search.
from django.contrib import admin
from academy.models import Invite
class InviteAdmin(admin.ModelAdmin):
list_display = ("name", "branch", "gender", "date_of_birth", "race")
list_filter = ("branch", "gender", "race")
search_fields = ("name",)
admin.site.register(Invite, InviteAdmin)
Reload.
data:image/s3,"s3://crabby-images/dbdd6/dbdd6224fe83d2f33ed2c9a0ee3f781a327fcf31" alt="_images/hello-admin-search.png"
Take a moment to search, filter and sort the list to see how things work. You can even fill in a few records if you want to give that a spin.