如何使用Django Rest序列化程序序列化Floats列表列表?
我的数据是(我的对象列表的repr
):
[{
'id': '413',
'data': [
[None, 32.33125, None, None],
[None, 37.96, 48.70112359550562, 66.118],
[None, None, 58.06576923076923, 77.31023809523809],
[None, None, None, 110.0075],
[None, None, None, 139.89]
]
}, {
'id': '406',
'data': [
[None, 35.33125, None, None],
[None, 37.96, 43.123, 66.118],
[None, None, 58.12, 72,123],
[None, None, None, 119.000234],
[None, None, None, 139.89]
]
}]
对于尝试提出不同方法的用户,我需要解释我需要序列化程序类,因为我想使用generics.ListAPIView
,我需要设置serializer_class
属性。
答案 0 :(得分:3)
您必须创建适用于Field
值的Null
课程:
class FixedFloatField(serializers.FloatField):
def to_internal_value(self, data):
if data is None:
return data
return super().to_internal_value(data)
def to_representation(self, value):
if value is None:
return value
return super().to_representation(value)
(因为标准的一个会抛出TypeError: float() argument must be a string or a number, not 'NoneType'
)
现在使用此序列化程序(诀窍是使用ListField
):
class SearchResultSerializer(serializers.Serializer):
id = serializers.IntegerField()
data = serializers.ListField(
child=serializers.ListField(
child=FixedFloatField(
allow_null=True,
required=False,
default=None
)
)
)
答案 1 :(得分:1)
您可以使用biult-in json
模块。
data = [{
'id': '413',
'data': [
[None, 32.33125, None, None],
[None, 37.96, 48.70112359550562, 66.118],
[None, None, 58.06576923076923, 77.31023809523809],
[None, None, None, 110.0075],
[None, None, None, 139.89]
]
}, {
'id': '406',
'data': [
[None, 35.33125, None, None],
[None, 37.96, 43.123, 66.118],
[None, None, 58.12, 72,123],
[None, None, None, 119.000234],
[None, None, None, 139.89]
]
}]
import json
json_data = json.dumps(data)
您可以将其与DRF视图混合使用:
from rest_framework.response import Response
...
json_data = json.dumps(data)
return Response(json_data)
修改强>
使用ListAPIView
假设您的数据来自名为 Mymodel
的模型
# Serializer
from rest_framework import serializers
class MymodelSerializer(serializers.ModelSerializer):
class Meta:
model = Mymodel
# View
from rest_framework import generics
class MymodelList(generics.ListAPIView):
queryset = Mymodel.objects.filter(whatever=whatever)
def list(self, request):
# Note the use of `get_queryset()` instead of `self.queryset`
queryset = self.get_queryset()
serializer = UserSerializer(queryset, many=True)
return Response(serializer.data)