Evgenii Legotckoi
17 декабря 2018 г. 23:51

Django - Урок 041. Отображение изображений в админ панели на примере пользовательского профиля

Для улучшения возможности отображения информации о пользователях в административной панели сайта реализована возможность отображения аватаров пользователей, как в специальной модели UserProfile, имеющей отношение One-To-One к модели User, так и в самой модели User , он добавил отображение аватара через встроенную форму.

Это выглядит так:

Список профилей пользователей

List of user profiles


Отображение аватаров в профиле пользователя

Avatar in user profile

список пользователей

a list of users

Аватар в отображении информации о пользователе

Avatar in displaying user information

Реализация

UserProfile model

models.py

  1. # method for indicating where to load avatars
  2. def upload_to(instance, filename):
  3. return 'avatars/%s' % filename
  4.  
  5.  
  6. class UserProfile(LikeDislikeRelationMixin, models.Model):
  7.  
  8. # We indicate the relationship to the user model
  9. user = models.OneToOneField(User, on_delete=models.CASCADE)
  10.  
  11. avatar = models.ImageField(
  12. verbose_name=_('Avatar'), upload_to=upload_to, null=True, blank=True
  13. )
  14.  
  15. def __str__(self):
  16. return self.user.username
  17.  
  18. # Here I return the avatar or picture with an owl, if the avatar is not selected
  19. def get_avatar(self):
  20. if not self.avatar:
  21. return '/static/images/owl-gray.svg'
  22. return self.avatar.url
  23.  
  24. # method to create a fake table field in read only mode
  25. def avatar_tag(self):
  26. return mark_safe('<img src="%s" width="50" height="50" />' % self.get_avatar())
  27.  
  28. avatar_tag.short_description = 'Avatar'

admin.py

Теперь давайте посмотрим, как объявить административную форму для нашей модели UserProfile.

  1. class UserProfileAdmin(admin.ModelAdmin):
  2. list_display = ('avatar_tag', 'user') # As a field, specify the method that will return the picture tag in the list of user profiles.
  3. readonly_fields = ['avatar_tag'] # Be sure to read only mode
  4. fields = ('avatar_tag', 'user') # Specify the fields that need to be displayed in the administrative form

Модель User

С пользовательской моделью будет немного проще. Здесь меньше информации.

admin.py

  1. # Need inline form
  2. class ProfileInline(admin.StackedInline):
  3. model = models.UserProfile # specify the profile model
  4. can_delete = False # prohibit removal
  5. fields = ('avatar_tag',) # Specify which field to display, again avatar tag
  6. readonly_fields = ['avatar_tag'] # Specify that this read only field
  7.  
  8. # Create your own form to display a user profile
  9. class EUserAdmin(UserAdmin):
  10. # Specify what will be in the form of inline
  11. inlines = [
  12. ProfileInline
  13. ]
  14. # modify the list of displayed fields to see the avatar with the other fields
  15. list_display = ('avatar_tag',) + UserAdmin.list_display
  16.  
  17. # and also create a method for getting the avatar tag from the user profile
  18. def avatar_tag(self, obj):
  19. return obj.userprofile.avatar_tag()

Зарегистрируйте все модели в административной панели

  1. admin.site.register(UserProfile, UserProfileAdmin)
  2.  
  3. admin.site.unregister(User)
  4. admin.site.register(User, EUserAdmin)

For sites on Django recommend VDS-hosting TIMEWEB

Вам это нравится? Поделитесь в социальных сетях!

Комментарии

Только авторизованные пользователи могут публиковать комментарии.
Пожалуйста, авторизуйтесь или зарегистрируйтесь