Reputation: 2472
Consider a table called DataTable
. It has two fields: A
and B
.
I want to return all rows from this table, and annotating a field called C
which is a concatenation of A
and B
fields.
Here is what I have tried:
from django.db.models import CharField, Value
from .models import DataTable
def Test(request):
query = DataTable.objects.all().annotate(C=Value('A' + '-' + 'B',
output_field=CharField()))
# the rest of the function...
The problem here is that C
is literally just the string literal "A - B" for every returned row.
I want to concatenate the values of A
and B
fields.
Upvotes: 24
Views: 23250
Reputation: 1558
Basically there are two approaches to achieve it.
First one:
First of all, you need to import the following expressions.
from django.db.models import F, Value, Func
then, concatenate the fields as below:
ann_concat = Customer.objects.annotate(
fullName = Func(F('first_name'), Value(' '),F('last_name'), function= 'CONCAT'))
In above example, I have concatenated first name and last name into a new field called fullName.
Second one: This approach is way shorter than the first one you only need to import Concat() and Value() for making the spaces functions.
from django.db.models.functions import Concat
short_syntax = Customer.objects.annotate(full_name = Concat('first_name',Value(' '),'last_name'))
Upvotes: 14
Reputation:
looks like you need concat:
from django.db.models import CharField, Value
from django.db.models.functions import Concat
query = DataTable.objects.annotate(C=Concat('A',
Value('-'), 'B', output_field=CharField()))
Upvotes: 33
Reputation: 8525
You can do so with Value()
and of course Concat
django
Value
is to set the white space or -
, try the following:
from django.db.models import Value, CharField
from django.db.models.functions import Concat
def Test(request):
query = DataTable.objects.annotate(C=Concat('A',Value('-') ,'B',
output_field=CharField())
# the rest of the function...
Upvotes: 1