在搜索屏幕上,用户可以通过单击列标题对结果进行排序。不幸的是,这不适用于所有列。它适用于存储在表本身的名称和价格等常规字段。通过加入引用的表并使用该表的默认排序顺序,它也适用于多对一字段。
不起作用的是大多数功能领域和相关领域。(相关字段是一种功能字段。)当您单击该列时,它会忽略您。如果您更改要存储在数据库中的字段定义,那么您可以按它进行排序,但这有必要吗?有没有办法在不将其值存储在数据库中的情况下按功能字段进行排序?
显然已经对此进行了一些讨论,CampToCamp 发布了一个带有通用解决方案的合并提案。他们的博客中也有一些讨论。
我还没有尝试过他们的解决方案,但我确实通过覆盖该_generate_order_by()
方法为一个字段创建了一个特定的解决方案。每当用户单击列标题时,都会_generate_order_by()
尝试生成适当的ORDER BY
子句。我发现您实际上可以在ORDER BY
子句中放置一个 SQL 子查询来重现功能字段的值。
例如,我们添加了一个功能字段来显示每个产品的第一个供应商名称。
def _product_supplier_name(self, cr, uid, ids, name, arg, context=None):
res = {}
for product in self.browse(cr, uid, ids, context):
supplier_name = ""
if len(product.seller_ids) > 0:
supplier_name = product.seller_ids[0].name.name
res[product.id] = supplier_name
return res
为了按该列排序,我们用一些非常时髦的 SQL覆盖。_generate_order_by()
对于任何其他列,我们委托给常规代码。
def _generate_order_by(self, order_spec, query):
""" Calculate the order by clause to use in SQL based on a set of
model fields. """
if order_spec != 'default_partner_name':
return super(product_product, self)._generate_order_by(order_spec,
query)
return """
ORDER BY
(
select min(supp.name)
from product_supplierinfo supinf
join res_partner supp
on supinf.name = supp.id
where supinf.product_id = product_product.id
),
product_product.default_code
"""
存储该字段的原因是您将排序委托给 sql,这肯定比任何其他后续排序都具有更高的性能。