1
0
mirror of https://github.com/django/django.git synced 2025-10-25 14:46:09 +00:00

[1.2.X] Fixed a suite of errors in the ORM -- a) fixed calling values_list().values_list() and changing whether the results are flat, b) fixed an issue with fields on the left-hand side of what becomes the HAVING clause not being included in the GROUP BY clause, and c) fixed a bug with fields from values() calls not being included in the GROUP BY clause. This fixed the recent test failures under postgresql. Backport of [14715].

git-svn-id: http://code.djangoproject.com/svn/django/branches/releases/1.2.X@14716 bcc190cf-cafb-0310-a4f2-bffc1f526a37
This commit is contained in:
Alex Gaynor
2010-11-26 14:28:27 +00:00
parent c8e9d35e5c
commit 56dc22d64c
6 changed files with 66 additions and 21 deletions

View File

@@ -976,8 +976,7 @@ class ValuesListQuerySet(ValuesQuerySet):
# If a field list has been specified, use it. Otherwise, use the # If a field list has been specified, use it. Otherwise, use the
# full list of fields, including extras and aggregates. # full list of fields, including extras and aggregates.
if self._fields: if self._fields:
fields = list(self._fields) + filter(lambda f: f not in self._fields, fields = list(self._fields) + filter(lambda f: f not in self._fields, aggregate_names)
aggregate_names)
else: else:
fields = names fields = names
@@ -987,6 +986,8 @@ class ValuesListQuerySet(ValuesQuerySet):
def _clone(self, *args, **kwargs): def _clone(self, *args, **kwargs):
clone = super(ValuesListQuerySet, self)._clone(*args, **kwargs) clone = super(ValuesListQuerySet, self)._clone(*args, **kwargs)
if not hasattr(clone, "flat"):
# Only assign flat if the clone didn't already get it from kwargs
clone.flat = self.flat clone.flat = self.flat
return clone return clone

View File

@@ -466,9 +466,11 @@ class SQLCompiler(object):
qn = self.quote_name_unless_alias qn = self.quote_name_unless_alias
result, params = [], [] result, params = [], []
if self.query.group_by is not None: if self.query.group_by is not None:
if len(self.query.model._meta.fields) == len(self.query.select) and \ if (len(self.query.model._meta.fields) == len(self.query.select) and
self.connection.features.allows_group_by_pk: self.connection.features.allows_group_by_pk):
self.query.group_by = [(self.query.model._meta.db_table, self.query.model._meta.pk.column)] self.query.group_by = [
(self.query.model._meta.db_table, self.query.model._meta.pk.column)
]
group_by = self.query.group_by or [] group_by = self.query.group_by or []
@@ -476,11 +478,13 @@ class SQLCompiler(object):
for extra_select, extra_params in self.query.extra_select.itervalues(): for extra_select, extra_params in self.query.extra_select.itervalues():
extra_selects.append(extra_select) extra_selects.append(extra_select)
params.extend(extra_params) params.extend(extra_params)
for col in group_by + self.query.related_select_cols + extra_selects: cols = (group_by + self.query.select +
self.query.related_select_cols + extra_selects)
for col in cols:
if isinstance(col, (list, tuple)): if isinstance(col, (list, tuple)):
result.append('%s.%s' % (qn(col[0]), qn(col[1]))) result.append('%s.%s' % (qn(col[0]), qn(col[1])))
elif hasattr(col, 'as_sql'): elif hasattr(col, 'as_sql'):
result.append(col.as_sql(qn)) result.append(col.as_sql(qn, self.connection))
else: else:
result.append('(%s)' % str(col)) result.append('(%s)' % str(col))
return result, params return result, params

View File

@@ -195,8 +195,9 @@ class Query(object):
Unpickling support. Unpickling support.
""" """
# Rebuild list of field instances # Rebuild list of field instances
opts = obj_dict['model']._meta
obj_dict['select_fields'] = [ obj_dict['select_fields'] = [
name is not None and obj_dict['model']._meta.get_field(name) or None name is not None and opts.get_field(name) or None
for name in obj_dict['select_fields'] for name in obj_dict['select_fields']
] ]
@@ -707,13 +708,20 @@ class Query(object):
# "group by", "where" and "having". # "group by", "where" and "having".
self.where.relabel_aliases(change_map) self.where.relabel_aliases(change_map)
self.having.relabel_aliases(change_map) self.having.relabel_aliases(change_map)
for columns in (self.select, self.aggregates.values(), self.group_by or []): for columns in [self.select, self.group_by or []]:
for pos, col in enumerate(columns): for pos, col in enumerate(columns):
if isinstance(col, (list, tuple)): if isinstance(col, (list, tuple)):
old_alias = col[0] old_alias = col[0]
columns[pos] = (change_map.get(old_alias, old_alias), col[1]) columns[pos] = (change_map.get(old_alias, old_alias), col[1])
else: else:
col.relabel_aliases(change_map) col.relabel_aliases(change_map)
for mapping in [self.aggregates]:
for key, col in mapping.items():
if isinstance(col, (list, tuple)):
old_alias = col[0]
mapping[key] = (change_map.get(old_alias, old_alias), col[1])
else:
col.relabel_aliases(change_map)
# 2. Rename the alias in the internal table/alias datastructures. # 2. Rename the alias in the internal table/alias datastructures.
for old_alias, new_alias in change_map.iteritems(): for old_alias, new_alias in change_map.iteritems():
@@ -1075,6 +1083,8 @@ class Query(object):
if having_clause: if having_clause:
if (alias, col) not in self.group_by:
self.group_by.append((alias, col))
self.having.add((Constraint(alias, col, field), lookup_type, value), self.having.add((Constraint(alias, col, field), lookup_type, value),
connector) connector)
else: else:

View File

@@ -194,7 +194,7 @@ class DateQuery(Query):
alias = result[3][-1] alias = result[3][-1]
select = Date((alias, field.column), lookup_type) select = Date((alias, field.column), lookup_type)
self.select = [select] self.select = [select]
self.select_fields = [None] self.select_fields = []
self.select_related = False # See #7097. self.select_related = False # See #7097.
self.set_extra_mask([]) self.set_extra_mask([])
self.distinct = True self.distinct = True

View File

@@ -675,6 +675,25 @@ class AggregationTests(TestCase):
attrgetter("name") attrgetter("name")
) )
def test_values_annotate_values(self):
qs = Book.objects.values("name").annotate(
n_authors=Count("authors")
).values_list("pk", flat=True)
self.assertEqual(list(qs), list(Book.objects.values_list("pk", flat=True)))
def test_having_group_by(self):
# Test that when a field occurs on the LHS of a HAVING clause that it
# appears correctly in the GROUP BY clause
qs = Book.objects.values_list("name").annotate(
n_authors=Count("authors")
).filter(
pages__gt=F("n_authors")
).values_list("name", flat=True)
# Results should be the same, all Books have more pages than authors
self.assertEqual(
list(qs), list(Book.objects.values_list("name", flat=True))
)
if run_stddev_tests(): if run_stddev_tests():
def test_stddev(self): def test_stddev(self):
self.assertEqual( self.assertEqual(

View File

@@ -1088,11 +1088,12 @@ class Queries5Tests(TestCase):
# Extra tables used to crash SQL construction on the second use. # Extra tables used to crash SQL construction on the second use.
qs = Ranking.objects.extra(tables=['django_site']) qs = Ranking.objects.extra(tables=['django_site'])
qs.query.get_compiler(qs.db).as_sql() qs.query.get_compiler(qs.db).as_sql()
qs.query.get_compiler(qs.db).as_sql() # test passes if this doesn't raise an exception. # test passes if this doesn't raise an exception.
qs.query.get_compiler(qs.db).as_sql()
def test_ticket9848(self): def test_ticket9848(self):
# Make sure that updates which only filter on sub-tables don't inadvertently # Make sure that updates which only filter on sub-tables don't
# update the wrong records (bug #9848). # inadvertently update the wrong records (bug #9848).
# Make sure that the IDs from different tables don't happen to match. # Make sure that the IDs from different tables don't happen to match.
self.assertQuerysetEqual( self.assertQuerysetEqual(
@@ -1278,15 +1279,15 @@ class Queries6Tests(TestCase):
) )
# The annotation->tag link is single values and tag->children links is # The annotation->tag link is single values and tag->children links is
# multi-valued. So we have to split the exclude filter in the middle and then # multi-valued. So we have to split the exclude filter in the middle
# optimise the inner query without losing results. # and then optimise the inner query without losing results.
self.assertQuerysetEqual( self.assertQuerysetEqual(
Annotation.objects.exclude(tag__children__name="t2"), Annotation.objects.exclude(tag__children__name="t2"),
['<Annotation: a2>'] ['<Annotation: a2>']
) )
# Nested queries are possible (although should be used with care, since they have # Nested queries are possible (although should be used with care, since
# performance problems on backends like MySQL. # they have performance problems on backends like MySQL.
self.assertQuerysetEqual( self.assertQuerysetEqual(
Annotation.objects.filter(notes__in=Note.objects.filter(note="n1")), Annotation.objects.filter(notes__in=Note.objects.filter(note="n1")),
@@ -1296,7 +1297,7 @@ class Queries6Tests(TestCase):
def test_ticket3739(self): def test_ticket3739(self):
# The all() method on querysets returns a copy of the queryset. # The all() method on querysets returns a copy of the queryset.
q1 = Tag.objects.order_by('name') q1 = Tag.objects.order_by('name')
self.assertNotEqual(id(q1), id(q1.all())) self.assertTrue(q1 is not q1.all())
class GeneratorExpressionTests(TestCase): class GeneratorExpressionTests(TestCase):
@@ -1447,6 +1448,16 @@ class EmptyQuerySetTests(TestCase):
) )
class ValuesQuerysetTests(BaseQuerysetTest):
def test_flat_values_lits(self):
Number.objects.create(num=72)
qs = Number.objects.values_list("num")
qs = qs.values_list("num", flat=True)
self.assertValueQuerysetEqual(
qs, [72]
)
class WeirdQuerysetSlicingTests(BaseQuerysetTest): class WeirdQuerysetSlicingTests(BaseQuerysetTest):
def setUp(self): def setUp(self):
Number.objects.create(num=1) Number.objects.create(num=1)