Django ModelAdmin의“list_display”가 ForeignKey 필드의 속성을 표시 할 수 있습니까?


296

에 많은 Person외래 키 관계 가있는 모델이 있는데 Book많은 필드가 있지만 가장 관심이 author있는 것은 (표준 CharField)입니다.

그 말로, 내 PersonAdmin모델에서는 다음을 book.author사용하여 표시하고 싶습니다 list_display.

class PersonAdmin(admin.ModelAdmin):
    list_display = ['book.author',]

나는 그렇게하기위한 모든 명백한 방법을 시도했지만 아무것도 효과가없는 것 같습니다.

어떤 제안?

답변:


472

다른 옵션으로 다음과 같은 조회를 수행 할 수 있습니다.

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'

get_author그것이 반환하는 문자열 (및 간단한 설명)이 실제로 참조하는 것이기 때문에 둘 다 아니어야합니까 ? 또는 문자열 형식 인수를 obj.book.reviews?로 변경하십시오 .
Carl G

1
@AnatoliyArkhipov에는 방법이 있습니다 ( Terr answer 기반 ). 이 답변의 코드를 이미 업데이트했습니다.
Denilson Sá Maia

author = ForeignKey(Author)책 모델을 가질 수 list_display = ('author')없습니까?
alias51

3
이것은 관리자에 행 당 하나의 쿼리를 표시합니다 :(
marcelm

1
@marcelm 그게 뭐야 select_related. 의 get_queryset()UserAdmin덮어 써야합니다.
interDist

142

위의 모든 위대한 대답에도 불구하고 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 모델 링크를 참조 하십시오


3
주문 필드의 경우 = 'author__name'이 아니어야합니까?
Yunti

2
이것은 완벽하게 작동하지만 이유가 확실하지 않습니다. obj이다 BookAdmin?
Steven Church

와. 이것을 찾기 위해 웹에서 한 시간 걸렸습니다. 이것은 장고 문서에서 훨씬 더 명확
해져야한다

67

다른 사람들과 마찬가지로, 나는 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'

메소드 서명이 있어야한다def author(self, obj):
sheats

내가 의견을 말했을 때 그것은 사실이 아니지만 버전 1.8 이후 메소드는 객체가 객체에 전달되는 것처럼 보입니다. 내 답변을 업데이트했습니다.
Arjen

46

get_author각 사람을 표시하면 SQL 쿼리가 작성되므로 함수 를 추가하면 관리자의 list_display가 느려집니다.

이를 피하려면 get_querysetPersonAdmin에서 메소드 를 수정해야합니다 ( 예 :

def get_queryset(self, request):
    return super(PersonAdmin,self).get_queryset(request).select_related('book')

이전 : 36.02ms에서 73 개의 쿼리 (관리자에서 67 개의 중복 된 쿼리)

이후 : 10.81ms 내에 6 개의 쿼리


3
이것은 매우 중요하며 항상 구현되어야합니다
xleon

이것은 실제로 중요합니다. 또는 __str__경로를 따라 내려 list_displaylist_select_related
가려면 외래 키

22

설명서에 따르면 __unicode__ForeignKey 의 표현 만 표시 할 수 있습니다 .

http://docs.djangoproject.com/en/dev/ref/contrib/admin/#list-display

'book__author'DB API의 다른 곳에서 사용되는 스타일 형식을 지원하지 않는 것이 이상합니다 .

턴 거기에서 이 기능에 대한 티켓 의지가 해결되지로 표시됩니다.


11
@Mermoz 정말? 티켓이 wontfix로 설정된 상태로 나타납니다. 그것은 작동하지 않는 것 같습니다 (Django 1.3)
Dave

1.11은 아직 존재하지 않습니다. 12 년에 대한 장고 일을하고 나는이 일 :( 기억 적이되어
아론 McMillin

12

방금 admin.ModelAdmin이 '__'구문을 지원하는 스 니펫을 게시했습니다.

http://djangosnippets.org/snippets/2887/

그래서 당신은 할 수 있습니다 :

class PersonAdmin(RelatedFieldAdmin):
    list_display = ['book__author',]

이것은 기본적으로 다른 답변에서 설명한 것과 동일한 작업을 수행하지만 (1) admin_order_field 설정 (2) short_description 설정 및 (3) 각 행의 데이터베이스 적중을 피하기 위해 쿼리 세트 수정을 자동으로 처리합니다.


이 아이디어를 많이 좋아 I,하지만 최근 장고 verions와 더 이상 작동하지 않는 것 :AttributeError: type object 'BaseModel' has no attribute '__metaclass__'
빈센트 반 Leeuwen

10

콜 러블을 사용하여 목록 표시에서 원하는 것을 표시 할 수 있습니다. 다음과 같이 보일 것입니다 :

데프 book_author (object) :
  object.book.author를 반환

PersonAdmin (admin.ModelAdmin) 클래스 :
  list_display = [book_author,]

이것은 많은 다른 모델이 종종 같은 속성을 요구하는 상황에 좋습니다. 1.3 이상에서 지원됩니까?
kagali-san

3
이것에 대한 문제는 결국 수행되는 SQL 쿼리의 양입니다. 목록의 각 개체에 대해 쿼리를 수행합니다. Django가 하나의 SQL 쿼리에만 해당하기 때문에 'field__attribute'가 매우 편리한 이유입니다. 이미 지원하지 않는 것이 이상합니다.
emyller

7

이것은 이미 받아 들여졌지만 현재 받아 들여진 대답 에서 즉시 얻지 못한 다른 인형 (나 같은)이 있다면 여기에 조금 더 자세한 내용이 있습니다.

ForeignKey필요에 의해 참조되는 모델 클래스 __unicode__에는 다음과 같은 메소드 가 있어야합니다 .

class Category(models.Model):
    name = models.CharField(max_length=50)

    def __unicode__(self):
        return self.name

그것은 나에게 차이를 만들었고 위의 시나리오에 적용해야합니다. 이것은 장고 1.0.2에서 작동합니다.


4
파이썬 3에서는 이것이 될 것 def __str__(self):입니다.
Martlark

5

사용할 관계 속성 필드가 많고 각각에 list_display대해 함수 (및 속성)를 작성하지 않으려는 경우 먼지이지만 간단한 해결책은 ModelAdmininstace __getattr__메소드를 대체 하여 즉시 콜 러블을 작성합니다.

class DynamicLookupMixin(object):
    '''
    a mixin to add dynamic callable attributes like 'book__author' which
    return a function that return the instance.book.author value
    '''

    def __getattr__(self, attr):
        if ('__' in attr
            and not attr.startswith('_')
            and not attr.endswith('_boolean')
            and not attr.endswith('_short_description')):

            def dyn_lookup(instance):
                # traverse all __ lookups
                return reduce(lambda parent, child: getattr(parent, child),
                              attr.split('__'),
                              instance)

            # get admin_order_field, boolean and short_description
            dyn_lookup.admin_order_field = attr
            dyn_lookup.boolean = getattr(self, '{}_boolean'.format(attr), False)
            dyn_lookup.short_description = getattr(
                self, '{}_short_description'.format(attr),
                attr.replace('_', ' ').capitalize())

            return dyn_lookup

        # not dynamic lookup, default behaviour
        return self.__getattribute__(attr)


# use examples    

@admin.register(models.Person)
class PersonAdmin(admin.ModelAdmin, DynamicLookupMixin):
    list_display = ['book__author', 'book__publisher__name',
                    'book__publisher__country']

    # custom short description
    book__publisher__country_short_description = 'Publisher Country'


@admin.register(models.Product)
class ProductAdmin(admin.ModelAdmin, DynamicLookupMixin):
    list_display = ('name', 'category__is_new')

    # to show as boolean field
    category__is_new_boolean = True

여기에 요점

호출 특별한 속성은 좋아 boolean하고 short_description로 정의해야합니다 ModelAdmin예를 들어, 특성, book__author_verbose_name = 'Author name'category__is_new_boolean = True.

호출 가능 admin_order_field속성은 자동으로 정의됩니다.

Django가 추가 쿼리를 피할 수 있도록 list_select_related 속성 을 사용하는 것을 잊지 마십시오 ModelAdmin.


1
방금 Django 2.2 설치로 이것을 시도해 보았고 어떤 이유로 든 다른 접근법은 그렇지 않았지만 나에게 효과적이었습니다. 현재 functools 또는 다른 곳에서 축소를 가져와야합니다.
Paul Brackin

5

django-related-admin을 정확하게 처리하는 PyPI에서 사용하기 매우 쉬운 패키지가 있습니다 . GitHub에서 코드를 볼 수도 있습니다 .

이것을 사용하여 달성하려는 것은 다음과 같이 간단합니다.

class PersonAdmin(RelatedFieldAdmin):
    list_display = ['book__author',]

두 링크 모두 설치 및 사용에 대한 자세한 정보를 포함하므로 변경 될 경우 여기에 붙여 넣지 않습니다.

부수적으로, 이미 다른 것을 사용하고 있다면 model.Admin(예를 들어 SimpleHistoryAdmin대신 사용 하고 있음) 다음과 같이 할 수 있습니다 class MyAdmin(SimpleHistoryAdmin, RelatedFieldAdmin).


getter_for_related_field는 1.9에서 작동하지 않으므로 사용자 정의를 좋아하는 사람들에게는 최선의 선택이 아닌 것 같습니다.
GriMel

4

인라인에서 시도하면 다음과 같은 경우가 아니면 성공하지 못합니다.

인라인으로 :

class AddInline(admin.TabularInline):
    readonly_fields = ['localname',]
    model = MyModel
    fields = ('localname',)

모델에서 (MyModel) :

class MyModel(models.Model):
    localization = models.ForeignKey(Localizations)

    def localname(self):
        return self.localization.name

-1

AlexRobbins의 대답은 처음 두 줄이 모델에 있어야하고 (아마도 가정 했습니까?) 자기 참조해야한다는 점을 제외하고는 저에게 효과적이었습니다.

def book_author(self):
  return self.book.author

그런 다음 관리자 부분이 잘 작동합니다.


-5

나는 이것을 선호한다 :

class CoolAdmin(admin.ModelAdmin):
    list_display = ('pk', 'submodel__field')

    @staticmethod
    def submodel__field(obj):
        return obj.submodel.field
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.