에 많은 Person
외래 키 관계 가있는 모델이 있는데 Book
많은 필드가 있지만 가장 관심이 author
있는 것은 (표준 CharField)입니다.
그 말로, 내 PersonAdmin
모델에서는 다음을 book.author
사용하여 표시하고 싶습니다 list_display
.
class PersonAdmin(admin.ModelAdmin):
list_display = ['book.author',]
나는 그렇게하기위한 모든 명백한 방법을 시도했지만 아무것도 효과가없는 것 같습니다.
어떤 제안?
답변
다른 옵션으로 다음과 같은 조회를 수행 할 수 있습니다.
class UserAdmin(admin.ModelAdmin):
list_display = (..., 'get_author')
def get_author(self, obj):
return obj.book.author
get_author.short_description = 'Author'
get_author.admin_order_field = 'book__author'
답변
위의 모든 위대한 대답에도 불구하고 Django를 처음 사용했기 때문에 여전히 붙어 있습니다. 여기 아주 새로운 관점에서 내 설명이 있습니다.
models.py
class Author(models.Model):
name = models.CharField(max_length=255)
class Book(models.Model):
author = models.ForeignKey(Author)
title = models.CharField(max_length=255)
admin.py (Incorrect Way) – ‘model__field’를 사용하여 참조하면 효과가 있다고 생각하지만 그렇지 않습니다.
class BookAdmin(admin.ModelAdmin):
model = Book
list_display = ['title', 'author__name', ]
admin.site.register(Book, BookAdmin)
admin.py (올바른 방법)-Django 방법의 외래 키 이름을 참조하는 방법입니다
class BookAdmin(admin.ModelAdmin):
model = Book
list_display = ['title', 'get_name', ]
def get_name(self, obj):
return obj.author.name
get_name.admin_order_field = 'author' #Allows column order sorting
get_name.short_description = 'Author Name' #Renames column head
#Filtering on side - for some reason, this works
#list_filter = ['title', 'author__name']
admin.site.register(Book, BookAdmin)
자세한 내용은 여기 에서 Django 모델 링크를 참조 하십시오
답변
다른 사람들과 마찬가지로, 나는 callables와 함께 갔다. 그러나 한 가지 단점이 있습니다. 기본적으로 주문할 수 없습니다. 다행히도 그에 대한 해결책이 있습니다.
장고> = 1.8
def author(self, obj):
return obj.book.author
author.admin_order_field = 'book__author'
장고 <1.8
def author(self):
return self.book.author
author.admin_order_field = 'book__author'
답변
get_author
각 사람을 표시하면 SQL 쿼리가 작성되므로 함수 를 추가하면 관리자의 list_display가 느려집니다.
이를 피하려면 get_queryset
PersonAdmin에서 메소드 를 수정해야합니다 ( 예 :
def get_queryset(self, request):
return super(PersonAdmin,self).get_queryset(request).select_related('book')
이전 : 36.02ms에서 73 개의 쿼리 (관리자에서 67 개의 중복 된 쿼리)
이후 : 10.81ms 내에 6 개의 쿼리
답변
설명서에 따르면 __unicode__
ForeignKey 의 표현 만 표시 할 수 있습니다 .
http://docs.djangoproject.com/en/dev/ref/contrib/admin/#list-display
'book__author'
DB API의 다른 곳에서 사용되는 스타일 형식을 지원하지 않는 것이 이상합니다 .
턴 거기에서 이 기능에 대한 티켓 의지가 해결되지로 표시됩니다.
답변
방금 admin.ModelAdmin이 ‘__’구문을 지원하는 스 니펫을 게시했습니다.
http://djangosnippets.org/snippets/2887/
그래서 당신은 할 수 있습니다 :
class PersonAdmin(RelatedFieldAdmin):
list_display = ['book__author',]
이것은 기본적으로 다른 답변에서 설명한 것과 동일한 작업을 수행하지만 (1) admin_order_field 설정 (2) short_description 설정 및 (3) 각 행의 데이터베이스 적중을 피하기 위해 쿼리 세트 수정을 자동으로 처리합니다.
답변
콜 러블을 사용하여 목록 표시에서 원하는 것을 표시 할 수 있습니다. 다음과 같이 보일 것입니다 :
데프 book_author (object) : object.book.author를 반환 PersonAdmin (admin.ModelAdmin) 클래스 : list_display = [book_author,]