我想在序列化程序中设置上下文,而许多= True但我不知道如何。
在我的应用程序中,我有一组产品,每个产品都有价格。对于每个组,我设置一个包含该组产品的最高和最低价格的上下文。 我请求一个组(/ api / groups / id)或许多组(/ api / groups /?quantity = X)
我有一个工作解决方案,可以在特定的群组中提出申请。正确计算上下文并将其发送到序列化程序。
以下是代码:
观点:
def get(cls, request, pk, format=None):
"""
Return a specified ProductGroup.
"""
try:
product_group = ProductGroup.objects.get(pk=pk)
serializer = ProductGroupSerializer(product_group, context=get_context(product_group))
# Here context is like : {'lowest_product_price': XX, 'highest_product_price': YY}
return Response(serializer.data, status=status.HTTP_200_OK)
except Exception as e:
raise
return Response(data={}, status=status.HTTP_204_NO_CONTENT)
序列化器:
class ProductGroupSerializer(serializers.ModelSerializer):
lowest_product_price = serializers.SerializerMethodField()
highest_product_price = serializers.SerializerMethodField()
def get_lowest_product_price(self, obj):
return self.context.get('lowest_product_price', '')
def get_highest_product_price(self, obj):
return self.context.get('highest_product_price', '')
class Meta:
model = ProductGroup
fields = ('id',
'name',
'lowest_product_price',
'highest_product_price',
'creation_date',)
在请求许多群组时,我不知道如何处理上下文,我在设置序列化程序时使用了many = True属性。
以下是获取一组论坛的实际代码,应更改此代码:
def get(cls, request, format=None):
"""
List the latest ProductGroups. Returns 'product_group_quantity' number of ProductGroup.
"""
product_group_quantity = int(request.query_params.get('product_group_quantity', 1))
product_group_list = ProductGroup.objects.all().order_by('-id')[:product_group_quantity]
if product_group_list:
serializer = ProductGroupSerializer(product_group_list, context=???????, many=True)
return Response(serializer.data, status=status.HTTP_200_OK)
return Response(data={}, status=status.HTTP_204_NO_CONTENT)
解决方案感谢Kimamisa
基本上,您不需要知道您是处于多个案例还是单个案例中。最好的方法是始终将dict作为上下文传递,使用obj id作为键
序列化器:
class ProductGroupSerializer(serializers.ModelSerializer):
lowest_product_price = serializers.SerializerMethodField()
highest_product_price = serializers.SerializerMethodField()
def get_lowest_product_price(self, obj):
context_data = self.context.get(obj.id, None)
if context_data:
lowest_product_price = context_data['lowest_product_price']
else:
lowest_product_price = ''
return lowest_product_price
def get_highest_product_price(self, obj):
context_data = self.context.get(obj.id, None)
if context_data:
highest_product_price = context_data['highest_product_price']
else:
highest_product_price = ''
return highest_product_price
class Meta:
model = ProductGroup
fields = ('id',
'name',
'lowest_product_price',
'highest_product_price',
'creation_date')
答案 0 :(得分:1)
基本上,您不需要知道您是处于多个案例还是单个案例中。最好的方法是始终将dict作为上下文传递,使用obj id作为键