mirror of
https://github.com/encode/django-rest-framework.git
synced 2025-07-28 00:49:49 +03:00
Merge branch 'master' of https://github.com/encode/django-rest-framework
This commit is contained in:
commit
e83840cffb
|
@ -603,7 +603,7 @@ The `to_internal_value()` method is called to restore a primitive datatype into
|
||||||
|
|
||||||
Let's look at an example of serializing a class that represents an RGB color value:
|
Let's look at an example of serializing a class that represents an RGB color value:
|
||||||
|
|
||||||
class Color(object):
|
class Color:
|
||||||
"""
|
"""
|
||||||
A color represented in the RGB colorspace.
|
A color represented in the RGB colorspace.
|
||||||
"""
|
"""
|
||||||
|
|
|
@ -319,7 +319,7 @@ Often you'll want to use the existing generic views, but use some slightly custo
|
||||||
|
|
||||||
For example, if you need to lookup objects based on multiple fields in the URL conf, you could create a mixin class like the following:
|
For example, if you need to lookup objects based on multiple fields in the URL conf, you could create a mixin class like the following:
|
||||||
|
|
||||||
class MultipleFieldLookupMixin(object):
|
class MultipleFieldLookupMixin:
|
||||||
"""
|
"""
|
||||||
Apply this mixin to any view or viewset to get multiple field filtering
|
Apply this mixin to any view or viewset to get multiple field filtering
|
||||||
based on a `lookup_fields` attribute, instead of the default single field filtering.
|
based on a `lookup_fields` attribute, instead of the default single field filtering.
|
||||||
|
|
|
@ -21,7 +21,7 @@ Let's start by creating a simple object we can use for example purposes:
|
||||||
|
|
||||||
from datetime import datetime
|
from datetime import datetime
|
||||||
|
|
||||||
class Comment(object):
|
class Comment:
|
||||||
def __init__(self, email, content, created=None):
|
def __init__(self, email, content, created=None):
|
||||||
self.email = email
|
self.email = email
|
||||||
self.content = content
|
self.content = content
|
||||||
|
|
|
@ -282,7 +282,7 @@ to your `Serializer` subclass. This is documented in the
|
||||||
|
|
||||||
To write a class-based validator, use the `__call__` method. Class-based validators are useful as they allow you to parameterize and reuse behavior.
|
To write a class-based validator, use the `__call__` method. Class-based validators are useful as they allow you to parameterize and reuse behavior.
|
||||||
|
|
||||||
class MultipleOf(object):
|
class MultipleOf:
|
||||||
def __init__(self, base):
|
def __init__(self, base):
|
||||||
self.base = base
|
self.base = base
|
||||||
|
|
||||||
|
|
|
@ -19,11 +19,6 @@ except ImportError:
|
||||||
RegexURLResolver as URLResolver,
|
RegexURLResolver as URLResolver,
|
||||||
)
|
)
|
||||||
|
|
||||||
try:
|
|
||||||
from django.core.validators import ProhibitNullCharactersValidator # noqa
|
|
||||||
except ImportError:
|
|
||||||
ProhibitNullCharactersValidator = None
|
|
||||||
|
|
||||||
|
|
||||||
def get_original_route(urlpattern):
|
def get_original_route(urlpattern):
|
||||||
"""
|
"""
|
||||||
|
|
|
@ -14,7 +14,8 @@ from django.core.exceptions import ObjectDoesNotExist
|
||||||
from django.core.exceptions import ValidationError as DjangoValidationError
|
from django.core.exceptions import ValidationError as DjangoValidationError
|
||||||
from django.core.validators import (
|
from django.core.validators import (
|
||||||
EmailValidator, MaxLengthValidator, MaxValueValidator, MinLengthValidator,
|
EmailValidator, MaxLengthValidator, MaxValueValidator, MinLengthValidator,
|
||||||
MinValueValidator, RegexValidator, URLValidator, ip_address_validators
|
MinValueValidator, ProhibitNullCharactersValidator, RegexValidator,
|
||||||
|
URLValidator, ip_address_validators
|
||||||
)
|
)
|
||||||
from django.forms import FilePathField as DjangoFilePathField
|
from django.forms import FilePathField as DjangoFilePathField
|
||||||
from django.forms import ImageField as DjangoImageField
|
from django.forms import ImageField as DjangoImageField
|
||||||
|
@ -30,8 +31,9 @@ from django.utils.timezone import utc
|
||||||
from django.utils.translation import gettext_lazy as _
|
from django.utils.translation import gettext_lazy as _
|
||||||
from pytz.exceptions import InvalidTimeError
|
from pytz.exceptions import InvalidTimeError
|
||||||
|
|
||||||
from rest_framework import ISO_8601, RemovedInDRF313Warning
|
from rest_framework import (
|
||||||
from rest_framework.compat import ProhibitNullCharactersValidator
|
ISO_8601, RemovedInDRF313Warning, RemovedInDRF314Warning
|
||||||
|
)
|
||||||
from rest_framework.exceptions import ErrorDetail, ValidationError
|
from rest_framework.exceptions import ErrorDetail, ValidationError
|
||||||
from rest_framework.settings import api_settings
|
from rest_framework.settings import api_settings
|
||||||
from rest_framework.utils import html, humanize_datetime, json, representation
|
from rest_framework.utils import html, humanize_datetime, json, representation
|
||||||
|
@ -740,55 +742,22 @@ class BooleanField(Field):
|
||||||
return bool(value)
|
return bool(value)
|
||||||
|
|
||||||
|
|
||||||
class NullBooleanField(Field):
|
class NullBooleanField(BooleanField):
|
||||||
default_error_messages = {
|
|
||||||
'invalid': _('Must be a valid boolean.')
|
|
||||||
}
|
|
||||||
initial = None
|
initial = None
|
||||||
TRUE_VALUES = {
|
|
||||||
't', 'T',
|
|
||||||
'y', 'Y', 'yes', 'YES',
|
|
||||||
'true', 'True', 'TRUE',
|
|
||||||
'on', 'On', 'ON',
|
|
||||||
'1', 1,
|
|
||||||
True
|
|
||||||
}
|
|
||||||
FALSE_VALUES = {
|
|
||||||
'f', 'F',
|
|
||||||
'n', 'N', 'no', 'NO',
|
|
||||||
'false', 'False', 'FALSE',
|
|
||||||
'off', 'Off', 'OFF',
|
|
||||||
'0', 0, 0.0,
|
|
||||||
False
|
|
||||||
}
|
|
||||||
NULL_VALUES = {'null', 'Null', 'NULL', '', None}
|
|
||||||
|
|
||||||
def __init__(self, **kwargs):
|
def __init__(self, **kwargs):
|
||||||
|
warnings.warn(
|
||||||
|
"The `NullBooleanField` is deprecated and will be removed starting "
|
||||||
|
"with 3.14. Instead use the `BooleanField` field and set "
|
||||||
|
"`null=True` which does the same thing.",
|
||||||
|
RemovedInDRF314Warning, stacklevel=2
|
||||||
|
)
|
||||||
|
|
||||||
assert 'allow_null' not in kwargs, '`allow_null` is not a valid option.'
|
assert 'allow_null' not in kwargs, '`allow_null` is not a valid option.'
|
||||||
kwargs['allow_null'] = True
|
kwargs['allow_null'] = True
|
||||||
|
|
||||||
super().__init__(**kwargs)
|
super().__init__(**kwargs)
|
||||||
|
|
||||||
def to_internal_value(self, data):
|
|
||||||
try:
|
|
||||||
if data in self.TRUE_VALUES:
|
|
||||||
return True
|
|
||||||
elif data in self.FALSE_VALUES:
|
|
||||||
return False
|
|
||||||
elif data in self.NULL_VALUES:
|
|
||||||
return None
|
|
||||||
except TypeError: # Input is an unhashable type
|
|
||||||
pass
|
|
||||||
self.fail('invalid', input=data)
|
|
||||||
|
|
||||||
def to_representation(self, value):
|
|
||||||
if value in self.NULL_VALUES:
|
|
||||||
return None
|
|
||||||
if value in self.TRUE_VALUES:
|
|
||||||
return True
|
|
||||||
elif value in self.FALSE_VALUES:
|
|
||||||
return False
|
|
||||||
return bool(value)
|
|
||||||
|
|
||||||
|
|
||||||
# String types...
|
# String types...
|
||||||
|
|
||||||
|
@ -816,9 +785,7 @@ class CharField(Field):
|
||||||
self.validators.append(
|
self.validators.append(
|
||||||
MinLengthValidator(self.min_length, message=message))
|
MinLengthValidator(self.min_length, message=message))
|
||||||
|
|
||||||
# ProhibitNullCharactersValidator is None on Django < 2.0
|
self.validators.append(ProhibitNullCharactersValidator())
|
||||||
if ProhibitNullCharactersValidator is not None:
|
|
||||||
self.validators.append(ProhibitNullCharactersValidator())
|
|
||||||
self.validators.append(ProhibitSurrogateCharactersValidator())
|
self.validators.append(ProhibitSurrogateCharactersValidator())
|
||||||
|
|
||||||
def run_validation(self, data=empty):
|
def run_validation(self, data=empty):
|
||||||
|
|
|
@ -143,7 +143,7 @@ class EndpointEnumerator:
|
||||||
return [method for method in methods if method not in ('OPTIONS', 'HEAD')]
|
return [method for method in methods if method not in ('OPTIONS', 'HEAD')]
|
||||||
|
|
||||||
|
|
||||||
class BaseSchemaGenerator(object):
|
class BaseSchemaGenerator:
|
||||||
endpoint_inspector_cls = EndpointEnumerator
|
endpoint_inspector_cls = EndpointEnumerator
|
||||||
|
|
||||||
# 'pk' isn't great as an externally exposed name for an identifier,
|
# 'pk' isn't great as an externally exposed name for an identifier,
|
||||||
|
|
|
@ -13,7 +13,7 @@ response content is handled by parsers and renderers.
|
||||||
import copy
|
import copy
|
||||||
import inspect
|
import inspect
|
||||||
import traceback
|
import traceback
|
||||||
from collections import OrderedDict
|
from collections import OrderedDict, defaultdict
|
||||||
from collections.abc import Mapping
|
from collections.abc import Mapping
|
||||||
|
|
||||||
from django.core.exceptions import FieldDoesNotExist, ImproperlyConfigured
|
from django.core.exceptions import FieldDoesNotExist, ImproperlyConfigured
|
||||||
|
@ -868,7 +868,7 @@ class ModelSerializer(Serializer):
|
||||||
models.FloatField: FloatField,
|
models.FloatField: FloatField,
|
||||||
models.ImageField: ImageField,
|
models.ImageField: ImageField,
|
||||||
models.IntegerField: IntegerField,
|
models.IntegerField: IntegerField,
|
||||||
models.NullBooleanField: NullBooleanField,
|
models.NullBooleanField: BooleanField,
|
||||||
models.PositiveIntegerField: IntegerField,
|
models.PositiveIntegerField: IntegerField,
|
||||||
models.PositiveSmallIntegerField: IntegerField,
|
models.PositiveSmallIntegerField: IntegerField,
|
||||||
models.SlugField: SlugField,
|
models.SlugField: SlugField,
|
||||||
|
@ -1508,28 +1508,55 @@ class ModelSerializer(Serializer):
|
||||||
# which may map onto a model field. Any dotted field name lookups
|
# which may map onto a model field. Any dotted field name lookups
|
||||||
# cannot map to a field, and must be a traversal, so we're not
|
# cannot map to a field, and must be a traversal, so we're not
|
||||||
# including those.
|
# including those.
|
||||||
field_names = {
|
field_sources = OrderedDict(
|
||||||
field.source for field in self._writable_fields
|
(field.field_name, field.source) for field in self._writable_fields
|
||||||
if (field.source != '*') and ('.' not in field.source)
|
if (field.source != '*') and ('.' not in field.source)
|
||||||
}
|
)
|
||||||
|
|
||||||
# Special Case: Add read_only fields with defaults.
|
# Special Case: Add read_only fields with defaults.
|
||||||
field_names |= {
|
field_sources.update(OrderedDict(
|
||||||
field.source for field in self.fields.values()
|
(field.field_name, field.source) for field in self.fields.values()
|
||||||
if (field.read_only) and (field.default != empty) and (field.source != '*') and ('.' not in field.source)
|
if (field.read_only) and (field.default != empty) and (field.source != '*') and ('.' not in field.source)
|
||||||
}
|
))
|
||||||
|
|
||||||
|
# Invert so we can find the serializer field names that correspond to
|
||||||
|
# the model field names in the unique_together sets. This also allows
|
||||||
|
# us to check that multiple fields don't map to the same source.
|
||||||
|
source_map = defaultdict(list)
|
||||||
|
for name, source in field_sources.items():
|
||||||
|
source_map[source].append(name)
|
||||||
|
|
||||||
# Note that we make sure to check `unique_together` both on the
|
# Note that we make sure to check `unique_together` both on the
|
||||||
# base model class, but also on any parent classes.
|
# base model class, but also on any parent classes.
|
||||||
validators = []
|
validators = []
|
||||||
for parent_class in model_class_inheritance_tree:
|
for parent_class in model_class_inheritance_tree:
|
||||||
for unique_together in parent_class._meta.unique_together:
|
for unique_together in parent_class._meta.unique_together:
|
||||||
if field_names.issuperset(set(unique_together)):
|
# Skip if serializer does not map to all unique together sources
|
||||||
validator = UniqueTogetherValidator(
|
if not set(source_map).issuperset(set(unique_together)):
|
||||||
queryset=parent_class._default_manager,
|
continue
|
||||||
fields=unique_together
|
|
||||||
|
for source in unique_together:
|
||||||
|
assert len(source_map[source]) == 1, (
|
||||||
|
"Unable to create `UniqueTogetherValidator` for "
|
||||||
|
"`{model}.{field}` as `{serializer}` has multiple "
|
||||||
|
"fields ({fields}) that map to this model field. "
|
||||||
|
"Either remove the extra fields, or override "
|
||||||
|
"`Meta.validators` with a `UniqueTogetherValidator` "
|
||||||
|
"using the desired field names."
|
||||||
|
.format(
|
||||||
|
model=self.Meta.model.__name__,
|
||||||
|
serializer=self.__class__.__name__,
|
||||||
|
field=source,
|
||||||
|
fields=', '.join(source_map[source]),
|
||||||
|
)
|
||||||
)
|
)
|
||||||
validators.append(validator)
|
|
||||||
|
field_names = tuple(source_map[f][0] for f in unique_together)
|
||||||
|
validator = UniqueTogetherValidator(
|
||||||
|
queryset=parent_class._default_manager,
|
||||||
|
fields=field_names
|
||||||
|
)
|
||||||
|
validators.append(validator)
|
||||||
return validators
|
return validators
|
||||||
|
|
||||||
def get_unique_for_date_validators(self):
|
def get_unique_for_date_validators(self):
|
||||||
|
|
|
@ -104,7 +104,7 @@ def get_field_kwargs(field_name, model_field):
|
||||||
if model_field.has_default() or model_field.blank or model_field.null:
|
if model_field.has_default() or model_field.blank or model_field.null:
|
||||||
kwargs['required'] = False
|
kwargs['required'] = False
|
||||||
|
|
||||||
if model_field.null and not isinstance(model_field, models.NullBooleanField):
|
if model_field.null:
|
||||||
kwargs['allow_null'] = True
|
kwargs['allow_null'] = True
|
||||||
|
|
||||||
if model_field.blank and (isinstance(model_field, (models.CharField, models.TextField))):
|
if model_field.blank and (isinstance(model_field, (models.CharField, models.TextField))):
|
||||||
|
|
|
@ -13,7 +13,6 @@ from django.utils.timezone import activate, deactivate, override, utc
|
||||||
|
|
||||||
import rest_framework
|
import rest_framework
|
||||||
from rest_framework import exceptions, serializers
|
from rest_framework import exceptions, serializers
|
||||||
from rest_framework.compat import ProhibitNullCharactersValidator
|
|
||||||
from rest_framework.fields import (
|
from rest_framework.fields import (
|
||||||
BuiltinSignatureError, DjangoImageField, is_simple_callable
|
BuiltinSignatureError, DjangoImageField, is_simple_callable
|
||||||
)
|
)
|
||||||
|
@ -747,7 +746,6 @@ class TestCharField(FieldValues):
|
||||||
field.run_validation(' ')
|
field.run_validation(' ')
|
||||||
assert exc_info.value.detail == ['This field may not be blank.']
|
assert exc_info.value.detail == ['This field may not be blank.']
|
||||||
|
|
||||||
@pytest.mark.skipif(ProhibitNullCharactersValidator is None, reason="Skipped on Django < 2.0")
|
|
||||||
def test_null_bytes(self):
|
def test_null_bytes(self):
|
||||||
field = serializers.CharField()
|
field = serializers.CharField()
|
||||||
|
|
||||||
|
@ -762,8 +760,8 @@ class TestCharField(FieldValues):
|
||||||
field = serializers.CharField()
|
field = serializers.CharField()
|
||||||
|
|
||||||
for code_point, expected_message in (
|
for code_point, expected_message in (
|
||||||
(0xD800, 'Surrogate characters are not allowed: U+D800.'),
|
(0xD800, 'Surrogate characters are not allowed: U+D800.'),
|
||||||
(0xDFFF, 'Surrogate characters are not allowed: U+DFFF.'),
|
(0xDFFF, 'Surrogate characters are not allowed: U+DFFF.'),
|
||||||
):
|
):
|
||||||
with pytest.raises(serializers.ValidationError) as exc_info:
|
with pytest.raises(serializers.ValidationError) as exc_info:
|
||||||
field.run_validation(chr(code_point))
|
field.run_validation(chr(code_point))
|
||||||
|
|
|
@ -182,7 +182,7 @@ class TestRegularFieldMappings(TestCase):
|
||||||
email_field = EmailField(max_length=100)
|
email_field = EmailField(max_length=100)
|
||||||
float_field = FloatField()
|
float_field = FloatField()
|
||||||
integer_field = IntegerField()
|
integer_field = IntegerField()
|
||||||
null_boolean_field = NullBooleanField(required=False)
|
null_boolean_field = BooleanField(allow_null=True, required=False)
|
||||||
positive_integer_field = IntegerField()
|
positive_integer_field = IntegerField()
|
||||||
positive_small_integer_field = IntegerField()
|
positive_small_integer_field = IntegerField()
|
||||||
slug_field = SlugField(allow_unicode=False, max_length=100)
|
slug_field = SlugField(allow_unicode=False, max_length=100)
|
||||||
|
@ -236,6 +236,27 @@ class TestRegularFieldMappings(TestCase):
|
||||||
|
|
||||||
self.assertEqual(repr(NullableBooleanSerializer()), expected)
|
self.assertEqual(repr(NullableBooleanSerializer()), expected)
|
||||||
|
|
||||||
|
def test_nullable_boolean_field_choices(self):
|
||||||
|
class NullableBooleanChoicesModel(models.Model):
|
||||||
|
CHECKLIST_OPTIONS = (
|
||||||
|
(None, 'Unknown'),
|
||||||
|
(True, 'Yes'),
|
||||||
|
(False, 'No'),
|
||||||
|
)
|
||||||
|
|
||||||
|
field = models.BooleanField(null=True, choices=CHECKLIST_OPTIONS)
|
||||||
|
|
||||||
|
class NullableBooleanChoicesSerializer(serializers.ModelSerializer):
|
||||||
|
class Meta:
|
||||||
|
model = NullableBooleanChoicesModel
|
||||||
|
fields = ['field']
|
||||||
|
|
||||||
|
serializer = NullableBooleanChoicesSerializer(data=dict(
|
||||||
|
field=None,
|
||||||
|
))
|
||||||
|
self.assertTrue(serializer.is_valid())
|
||||||
|
self.assertEqual(serializer.errors, {})
|
||||||
|
|
||||||
def test_method_field(self):
|
def test_method_field(self):
|
||||||
"""
|
"""
|
||||||
Properties and methods on the model should be allowed as `Meta.fields`
|
Properties and methods on the model should be allowed as `Meta.fields`
|
||||||
|
|
|
@ -344,6 +344,49 @@ class TestUniquenessTogetherValidation(TestCase):
|
||||||
]
|
]
|
||||||
}
|
}
|
||||||
|
|
||||||
|
def test_default_validator_with_fields_with_source(self):
|
||||||
|
class TestSerializer(serializers.ModelSerializer):
|
||||||
|
name = serializers.CharField(source='race_name')
|
||||||
|
|
||||||
|
class Meta:
|
||||||
|
model = UniquenessTogetherModel
|
||||||
|
fields = ['name', 'position']
|
||||||
|
|
||||||
|
serializer = TestSerializer()
|
||||||
|
expected = dedent("""
|
||||||
|
TestSerializer():
|
||||||
|
name = CharField(source='race_name')
|
||||||
|
position = IntegerField()
|
||||||
|
class Meta:
|
||||||
|
validators = [<UniqueTogetherValidator(queryset=UniquenessTogetherModel.objects.all(), fields=('name', 'position'))>]
|
||||||
|
""")
|
||||||
|
assert repr(serializer) == expected
|
||||||
|
|
||||||
|
def test_default_validator_with_multiple_fields_with_same_source(self):
|
||||||
|
class TestSerializer(serializers.ModelSerializer):
|
||||||
|
name = serializers.CharField(source='race_name')
|
||||||
|
other_name = serializers.CharField(source='race_name')
|
||||||
|
|
||||||
|
class Meta:
|
||||||
|
model = UniquenessTogetherModel
|
||||||
|
fields = ['name', 'other_name', 'position']
|
||||||
|
|
||||||
|
serializer = TestSerializer(data={
|
||||||
|
'name': 'foo',
|
||||||
|
'other_name': 'foo',
|
||||||
|
'position': 1,
|
||||||
|
})
|
||||||
|
with pytest.raises(AssertionError) as excinfo:
|
||||||
|
serializer.is_valid()
|
||||||
|
|
||||||
|
expected = (
|
||||||
|
"Unable to create `UniqueTogetherValidator` for "
|
||||||
|
"`UniquenessTogetherModel.race_name` as `TestSerializer` has "
|
||||||
|
"multiple fields (name, other_name) that map to this model field. "
|
||||||
|
"Either remove the extra fields, or override `Meta.validators` "
|
||||||
|
"with a `UniqueTogetherValidator` using the desired field names.")
|
||||||
|
assert str(excinfo.value) == expected
|
||||||
|
|
||||||
def test_allow_explict_override(self):
|
def test_allow_explict_override(self):
|
||||||
"""
|
"""
|
||||||
Ensure validators can be explicitly removed..
|
Ensure validators can be explicitly removed..
|
||||||
|
|
Loading…
Reference in New Issue
Block a user