1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235
|
from typing import Union
from django.db.models import CharField, Field, expressions
class HStoreValue(expressions.Expression):
"""Represents a HStore value.
The base PostgreSQL implementation Django provides, always
represents HStore values as dictionaries, but this doesn't work if
you want to use expressions inside hstore values.
"""
def __init__(self, value):
"""Initializes a new instance."""
self.value = value
def resolve_expression(self, *args, **kwargs):
"""Resolves expressions inside the dictionary."""
result = dict()
for key, value in self.value.items():
if hasattr(value, "resolve_expression"):
result[key] = value.resolve_expression(*args, **kwargs)
else:
result[key] = value
return HStoreValue(result)
def as_sql(self, compiler, connection):
"""Compiles the HStore value into SQL.
Compiles expressions contained in the values
of HStore entries as well.
Given a dictionary like:
dict(key1='val1', key2='val2')
The resulting SQL will be:
hstore(hstore('key1', 'val1'), hstore('key2', 'val2'))
"""
sql = []
params = []
for key, value in self.value.items():
if hasattr(value, "as_sql"):
inner_sql, inner_params = value.as_sql(compiler, connection)
sql.append(f"hstore(%s, {inner_sql})")
params.append(key)
params.extend(inner_params)
elif value is not None:
sql.append("hstore(%s, %s)")
params.append(key)
params.append(str(value))
else:
sql.append("hstore(%s, NULL)")
params.append(key)
return " || ".join(sql), params
class HStoreColumn(expressions.Col):
"""HStoreColumn expression.
Generates expressions like:
[db table].[column]->'[hstore key]'
"""
contains_column_references = True
def __init__(self, alias, target, hstore_key):
"""Initializes a new instance of :see:HStoreColumn.
Arguments:
alias:
The table name.
target:
The field instance.
hstore_key
The name of the hstore key to include
in the epxression.
"""
super().__init__(alias, target, output_field=target)
self.alias, self.target, self.hstore_key = alias, target, hstore_key
def __repr__(self):
"""Gets a textual representation of this expresion."""
return "{}({}, {}->'{}')".format(
self.__class__.__name__, self.alias, self.target, self.hstore_key
)
def as_sql(self, compiler, connection):
"""Compiles this expression into SQL."""
qn = compiler.quote_name_unless_alias
return (
"%s.%s->'%s'"
% (qn(self.alias), qn(self.target.column), self.hstore_key),
[],
)
def relabeled_clone(self, relabels):
"""Gets a re-labeled clone of this expression."""
return self.__class__(
relabels.get(self.alias, self.alias),
self.target,
self.hstore_key,
self.output_field,
)
class HStoreRef(expressions.F):
"""Inline reference to a HStore key.
Allows selecting individual keys in annotations.
"""
def __init__(self, name: str, key: str):
"""Initializes a new instance of :see:HStoreRef.
Arguments:
name:
The name of the column/field to resolve.
key:
The name of the HStore key to select.
"""
super().__init__(name)
self.key = key
def resolve_expression(self, *args, **kwargs):
"""Resolves the expression into a :see:HStoreColumn expression."""
original_expression: expressions.Col = super().resolve_expression( # type: ignore[annotation-unchecked]
*args, **kwargs
)
expression = HStoreColumn(
original_expression.alias, original_expression.target, self.key
)
return expression
class DateTimeEpochColumn(expressions.Col):
"""Gets the date/time column as a UNIX epoch timestamp."""
contains_column_references = True
def as_sql(self, compiler, connection):
"""Compiles this expression into SQL."""
sql, params = super().as_sql(compiler, connection)
return "EXTRACT(epoch FROM {})".format(sql), params
def get_group_by_cols(self):
return []
class DateTimeEpoch(expressions.F):
"""Gets the date/time column as a UNIX epoch timestamp."""
contains_aggregate = False
def resolve_expression(self, *args, **kwargs):
original_expression = super().resolve_expression(*args, **kwargs)
expression = DateTimeEpochColumn(
original_expression.alias, original_expression.target
)
return expression
def IsNotNone(*fields, default=None):
"""Selects whichever field is not None, in the specified order.
Arguments:
fields:
The fields to attempt to get a value from,
in order.
default:
The value to return in case all values are None.
Returns:
A Case-When expression that tries each field and
returns the specified default value when all of
them are None.
"""
when_clauses = [
expressions.When(
~expressions.Q(**{field: None}), then=expressions.F(field)
)
for field in reversed(fields)
]
return expressions.Case(
*when_clauses,
default=expressions.Value(default),
output_field=CharField(),
)
class ExcludedCol(expressions.Expression):
"""References a column in PostgreSQL's special EXCLUDED column, which is
used in upserts to refer to the data about to be inserted/updated.
See: https://www.postgresql.org/docs/current/sql-insert.html#SQL-ON-CONFLICT
"""
def __init__(self, field_or_name: Union[Field, str]):
# We support both field classes or just field names here. We prefer
# fields because when the expression is compiled, it might need
# the field information to figure out the correct placeholder.
# Even though that isn't require for this particular expression.
if isinstance(field_or_name, Field):
super().__init__(field_or_name)
self.name = field_or_name.column
else:
super().__init__(None)
self.name = field_or_name
def as_sql(self, compiler, connection):
quoted_name = connection.ops.quote_name(self.name)
return f"EXCLUDED.{quoted_name}", tuple()
|