Wagtail PostgreSQL поисковый бэкэнд показывает предупреждение "MyModel.search_fields содержит несуществующее поле", но полностью функционален и работает как положено - PullRequest
0 голосов
/ 08 ноября 2019

Привет, спасибо за вашу помощь заранее!

В проекте wagtail 2.2.2 я недавно добавил функцию поиска в поисковую систему PostgreSQL. Это работало отлично, пока я не попытался запустить поиск по отфильтрованному PageQuerySet по заданному тегу, который выдает эту ошибку:

FilterFieldError at /blog/tags/tag_slug/

Cannot filter search results with field "tag_id". Please add index.FilterField('tag_id') to BlogPost.search_fields.

Django Version: 2.0.13
Python Version: 3.6.8

...

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/queryset.py" in search
  12.                                      operator=operator, order_by_relevance=order_by_relevance, partial_match=partial_match)

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in search
  371.             partial_match=partial_match,

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in _search
  359.         search_query.check()

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in check
  157.         self._get_filters_from_where_node(self.queryset.query.where, check_only=True)

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in _get_filters_from_where_node
  108.             child_filters = [self._get_filters_from_where_node(child) for child in where_node.children]

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in <listcomp>
  108.             child_filters = [self._get_filters_from_where_node(child) for child in where_node.children]

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in _get_filters_from_where_node
  100.             return self._process_filter(field_attname, lookup, value, check_only=check_only)

File "/path/to/env/lib/python3.6/site-packages/wagtail/search/backends/base.py" in _process_filter
  73.                 field_name=field_attname

Exception Type: FilterFieldError at /trust-worthy/tags/presentation/
Exception Value: Cannot filter search results with field "tag_id". Please add index.FilterField('tag_id') to BlogPost.search_fields.

Я добавил FilterField в модель search_fields BlogPost, как это было сказано, и кажетсяработать нормально с правильными результатами поиска, возвращенными на отфильтрованном множестве. Единственная проблема сейчас состоит в том, что каждый раз, когда Django загружается, он показывает это предупреждение:

System check identified some issues:

WARNINGS:
blog.BlogPost: BlogPost.search_fields contains non-existent field 'tag_id'

Вот краткое изложение того, как настроены соответствующие модели:

from wagtail.core.models import Page
from wagtail.search import index
from taggit.models import Tag, TaggedItemBase
from modelcluster.contrib.taggit import ClusterTaggableManager
from modelcluster.fields import ParentalKey


class BlogIndex(Page):

    get_context(self, request):
        context = super().get_context(request)

        tag = Tag.objects.get(slug=some_tag_slug)
        pages = BlogPost.objects.descendant_of(self)\
            .live().public().order_by('-date')

        # The above <PageQuerySet> works fine to search
        # until I add this valid working filter:
        pages = pages.filter(tags=tag)

        # ...which causes the original error when searching that is
        # fixed by adding `tag_id` FilterField to BlogPost.search_fields
        pages = pages.search(some_search_query)

        # `pages` is now valid <PostgresSearchResults>
        context['pages'] = pages
        return context


class BlogPostTag(TaggedItemBase):
    content_object = ParentalKey('blog.BlogPost', related_name='tagged_items')


class BlogPost(Page):
    search_fields = Page.search_fields + [
        index.FilterField('tag_id'),  # This fixes the error but causes the warning
    ]
    tags = ClusterTaggableManager(through=BlogPostTag, blank=True)

Мой вопрос- что я делаю не так, чтобы вызвать предупреждение о несуществующем поле? Теперь поиск работает по отфильтрованному списку, но также верно, что tag_id не является полем в модели BlogPost. Есть ли другой правильный способ исправить ошибку Cannot filter search results и получить те же результаты?

...