我有这两个模型:
class Shop(CustomBaseModel):
username = models.CharField(max_length=200)
bio = models.CharField(max_length=200)
class Item(CustomBaseModel):
shop = models.ForeignKey(Shop)
tags = models.TextField()
我在search_indexes.py中有这个索引:
class ItemIndex(indexes.SearchIndex, indexes.Indexable):
text = indexes.CharField(document=True, use_template=True)
tags = indexes.CharField(model_attr='tags')
这个item_text.txt文件:
{{ object.tags}}
这是我的观点:
def search(request):
form = ItemSearchForm(request.GET)
results = form.search()
return render(request, 'search/search.html', {
'items': results
})
这是我的表单:
class ItemSearchForm(SearchForm):
def search(self):
sqs = super(ItemSearchForm, self).search().models(Item, Shop)
return sqs
这是模板:
{% if items|length > 0 %}
<h1>Items</h1>
{% for item in items %}
<p>
{{ item.tags }}
</p>
{% endfor %}
{% endif %}
这是从标签搜索并正常工作。但是,如果有人包含该商店的用户名或简历,我该如何显示属于商店的所有商品?
答案 0 :(得分:2)
当使用 Haystack 并且您获得了结果查询集时,您有一个对象列表,这些对象的字段取决于您所写的内容:
templates/search/indexes/project_name/modelName_text.txt
但总有一个领域可以帮助你,领域object
如果我理解你想知道的问题:
我将告诉您如何在命令行中执行此操作,您可以将此代码应用于您的视图/模板:
from haystack.query import SearchQuerySet
# First we make a search to get some shops
# assuming you defined username field in search_indexes.py for Shop object
shop_list = SearchQuerySet().filter(username='something')
# or
shop_list = SearchQuerySet().filter(content='shop_username')
# Now (let's supose there is at least 1 shop) you can get the items like:
shop_list[0].object # This returns the shop object, so you can do
shop_list[0].object.item_set.all() # This returns all items belonging to this shop
在您的模板中,您可以尝试:
{{ object.object.item_set.all }} # This return a list of items belonging to shop
<ul>
{% for item in object.object.item_set.all %}
<li>{{item}}</li>
{% endfor %}
</ul>
这可能会让您感到困惑,因为您将变量调用了对象,但您需要记住,SearchQuerySet实例始终具有此object
字段来访问原始Django对象< / em>的
我建议您查看Haystack - SearchQuerySet API
在您的模板中,您的结果位于变量items
中,因此您可以执行以下操作:
# Assumming all the items are shops
{% for shop in items %}
{{shop.object.item_set}} # If the item is a SHop, this return all its items
{% endfor %}
要分离结果,因为我并非所有商品都是商店,您可以将结果分开并将另一个变量中的商店发送到模板,如:
def search(request):
form = ItemSearchForm(request.GET)
results = form.search()
return render(request, 'search/search.html', {
'items': results
'shops': results.model(Shop)
})
因此,您可以在模板中执行以下操作:
{% for shop in shops %}
{{shop.object.item_set}}
{% endfor %}
好的,现在它看起来你的模板中有项目......你想要一家商店的所有商品吗?
你说:
但是,如果有人包含该商店的用户名或简历,我该如何显示属于商店的所有商品?
所以你使用haystack来搜索物品,但希望结果是商店?
您可以添加到 item_text.txt 文件中:
{{ object.tags}}
# If you add this and you look for shop username
# or bio it will return all items of the shop
{{ object.shop.username}}
{{ object.shop.bio}}
# Adding this 2 fields items are indexed with the related shop username and bio
或者您也可以开始编制Shop模型。