From 2712d4e5fee3d7a573f4162a1163e2a06b33bf96 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 6 Jun 2016 11:03:56 +0100 Subject: [PATCH 01/57] Note on obtain_auth_token and throttles/permissions. Closes #4128. [ci skip] (#4173) --- docs/api-guide/authentication.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/docs/api-guide/authentication.md b/docs/api-guide/authentication.md index 81f0e12d5..3f981c033 100644 --- a/docs/api-guide/authentication.md +++ b/docs/api-guide/authentication.md @@ -207,6 +207,10 @@ The `obtain_auth_token` view will return a JSON response when valid `username` a Note that the default `obtain_auth_token` view explicitly uses JSON requests and responses, rather than using default renderer and parser classes in your settings. If you need a customized version of the `obtain_auth_token` view, you can do so by overriding the `ObtainAuthToken` view class, and using that in your url conf instead. +By default there are no permissions or throttling applied to the `obtain_auth_token` view. If you do wish to apply throttling you'll need to override the view class, +and include them using the `throttle_classes` attribute. + + ##### With Django admin It is also possible to create Tokens manually through admin interface. In case you are using a large user base, we recommend that you monkey patch the `TokenAdmin` class to customize it to your needs, more specifically by declaring the `user` field as `raw_field`. From b1035b2a87528f7e325fdf356e15ce5456ff2324 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 6 Jun 2016 12:03:37 +0100 Subject: [PATCH 02/57] Minor docs tweaks. [ci skip] (#4174) --- docs/tutorial/quickstart.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/tutorial/quickstart.md b/docs/tutorial/quickstart.md index 5e3b522cc..0c9ddf8f2 100644 --- a/docs/tutorial/quickstart.md +++ b/docs/tutorial/quickstart.md @@ -130,7 +130,7 @@ Okay, we're done. We're now ready to test the API we've built. Let's fire up the server from the command line. - python ./manage.py runserver + python manage.py runserver We can now access our API, both from the command-line, using tools like `curl`... @@ -182,7 +182,7 @@ Or using the [httpie][httpie], command line tool... } -Or directly through the browser... +Or directly through the browser, by going to the URL `http://127.0.0.1:8000/users/`... ![Quick start image][image] From 04e5b5b20ac93186ee43f04a442d374c7bfcf57a Mon Sep 17 00:00:00 2001 From: Asif Saifuddin Auvi Date: Tue, 7 Jun 2016 17:13:35 +0600 Subject: [PATCH 03/57] removed AUTH_USER_MODEL compat property (#4176) Removed unnecessary `AUTH_USER_MODEL` compat variable. (No longer required) --- rest_framework/authtoken/models.py | 12 ++++-------- 1 file changed, 4 insertions(+), 8 deletions(-) diff --git a/rest_framework/authtoken/models.py b/rest_framework/authtoken/models.py index 50db18103..8df84105d 100644 --- a/rest_framework/authtoken/models.py +++ b/rest_framework/authtoken/models.py @@ -6,12 +6,6 @@ from django.db import models from django.utils.encoding import python_2_unicode_compatible from django.utils.translation import ugettext_lazy as _ -# Prior to Django 1.5, the AUTH_USER_MODEL setting does not exist. -# Note that we don't perform this code in the compat module due to -# bug report #1297 -# See: https://github.com/tomchristie/django-rest-framework/issues/1297 -AUTH_USER_MODEL = getattr(settings, 'AUTH_USER_MODEL', 'auth.User') - @python_2_unicode_compatible class Token(models.Model): @@ -19,8 +13,10 @@ class Token(models.Model): The default authorization token model. """ key = models.CharField(_("Key"), max_length=40, primary_key=True) - user = models.OneToOneField(AUTH_USER_MODEL, related_name='auth_token', - on_delete=models.CASCADE, verbose_name=_("User")) + user = models.OneToOneField( + settings.AUTH_USER_MODEL, related_name='auth_token', + on_delete=models.CASCADE, verbose_name=_("User") + ) created = models.DateTimeField(_("Created"), auto_now_add=True) class Meta: From a5f822d0671ce2412df666afa2b920039b302a0e Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 8 Jun 2016 15:55:09 +0100 Subject: [PATCH 04/57] Empty cases of .validated_data and .errors as lists not dicts for ListSerializer (#4180) --- rest_framework/serializers.py | 22 ++++++++++++++++++++++ tests/test_serializer_bulk_update.py | 2 ++ 2 files changed, 24 insertions(+) diff --git a/rest_framework/serializers.py b/rest_framework/serializers.py index 698730f53..3ec55724d 100644 --- a/rest_framework/serializers.py +++ b/rest_framework/serializers.py @@ -667,6 +667,28 @@ class ListSerializer(BaseSerializer): return self.instance + def is_valid(self, raise_exception=False): + # This implementation is the same as the default, + # except that we use lists, rather than dicts, as the empty case. + assert hasattr(self, 'initial_data'), ( + 'Cannot call `.is_valid()` as no `data=` keyword argument was ' + 'passed when instantiating the serializer instance.' + ) + + if not hasattr(self, '_validated_data'): + try: + self._validated_data = self.run_validation(self.initial_data) + except ValidationError as exc: + self._validated_data = [] + self._errors = exc.detail + else: + self._errors = [] + + if self._errors and raise_exception: + raise ValidationError(self.errors) + + return not bool(self._errors) + def __repr__(self): return unicode_to_repr(representation.list_repr(self, indent=1)) diff --git a/tests/test_serializer_bulk_update.py b/tests/test_serializer_bulk_update.py index 8d7240a7b..567a32507 100644 --- a/tests/test_serializer_bulk_update.py +++ b/tests/test_serializer_bulk_update.py @@ -46,6 +46,7 @@ class BulkCreateSerializerTests(TestCase): serializer = self.BookSerializer(data=data, many=True) self.assertEqual(serializer.is_valid(), True) self.assertEqual(serializer.validated_data, data) + self.assertEqual(serializer.errors, []) def test_bulk_create_errors(self): """ @@ -76,6 +77,7 @@ class BulkCreateSerializerTests(TestCase): serializer = self.BookSerializer(data=data, many=True) self.assertEqual(serializer.is_valid(), False) self.assertEqual(serializer.errors, expected_errors) + self.assertEqual(serializer.validated_data, []) def test_invalid_list_datatype(self): """ From bb22ab8ee7c5d484dde7112dbe5551bcfc89d7d3 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 8 Jun 2016 17:13:20 +0100 Subject: [PATCH 05/57] More robust form rendering in the browsable API (#4181) --- rest_framework/renderers.py | 50 +++++++++++--------- tests/browsable_api/test_form_rendering.py | 53 ++++++++++++++++++++++ 2 files changed, 81 insertions(+), 22 deletions(-) create mode 100644 tests/browsable_api/test_form_rendering.py diff --git a/rest_framework/renderers.py b/rest_framework/renderers.py index 264f7ac3b..7ca680e74 100644 --- a/rest_framework/renderers.py +++ b/rest_framework/renderers.py @@ -472,31 +472,37 @@ class BrowsableAPIRenderer(BaseRenderer): return if existing_serializer is not None: - serializer = existing_serializer - else: - if has_serializer: - if method in ('PUT', 'PATCH'): - serializer = view.get_serializer(instance=instance, **kwargs) - else: - serializer = view.get_serializer(**kwargs) + try: + return self.render_form_for_serializer(existing_serializer) + except TypeError: + pass + + if has_serializer: + if method in ('PUT', 'PATCH'): + serializer = view.get_serializer(instance=instance, **kwargs) else: - # at this point we must have a serializer_class - if method in ('PUT', 'PATCH'): - serializer = self._get_serializer(view.serializer_class, view, - request, instance=instance, **kwargs) - else: - serializer = self._get_serializer(view.serializer_class, view, - request, **kwargs) + serializer = view.get_serializer(**kwargs) + else: + # at this point we must have a serializer_class + if method in ('PUT', 'PATCH'): + serializer = self._get_serializer(view.serializer_class, view, + request, instance=instance, **kwargs) + else: + serializer = self._get_serializer(view.serializer_class, view, + request, **kwargs) - if hasattr(serializer, 'initial_data'): - serializer.is_valid() + return self.render_form_for_serializer(serializer) - form_renderer = self.form_renderer_class() - return form_renderer.render( - serializer.data, - self.accepted_media_type, - {'style': {'template_pack': 'rest_framework/horizontal'}} - ) + def render_form_for_serializer(self, serializer): + if hasattr(serializer, 'initial_data'): + serializer.is_valid() + + form_renderer = self.form_renderer_class() + return form_renderer.render( + serializer.data, + self.accepted_media_type, + {'style': {'template_pack': 'rest_framework/horizontal'}} + ) def get_raw_data_form(self, data, view, method, request): """ diff --git a/tests/browsable_api/test_form_rendering.py b/tests/browsable_api/test_form_rendering.py new file mode 100644 index 000000000..5a31ae0dd --- /dev/null +++ b/tests/browsable_api/test_form_rendering.py @@ -0,0 +1,53 @@ +from django.test import TestCase + +from rest_framework import generics, renderers, serializers, status +from rest_framework.response import Response +from rest_framework.test import APIRequestFactory +from tests.models import BasicModel + +factory = APIRequestFactory() + + +class BasicSerializer(serializers.ModelSerializer): + class Meta: + model = BasicModel + + +class ManyPostView(generics.GenericAPIView): + queryset = BasicModel.objects.all() + serializer_class = BasicSerializer + renderer_classes = (renderers.BrowsableAPIRenderer, renderers.JSONRenderer) + + def post(self, request, *args, **kwargs): + serializer = self.get_serializer(self.get_queryset(), many=True) + return Response(serializer.data, status.HTTP_200_OK) + + +class TestManyPostView(TestCase): + def setUp(self): + """ + Create 3 BasicModel instances. + """ + items = ['foo', 'bar', 'baz'] + for item in items: + BasicModel(text=item).save() + self.objects = BasicModel.objects + self.data = [ + {'id': obj.id, 'text': obj.text} + for obj in self.objects.all() + ] + self.view = ManyPostView.as_view() + + def test_post_many_post_view(self): + """ + POST request to a view that returns a list of objects should + still successfully return the browsable API with a rendered form. + + Regression test for https://github.com/tomchristie/django-rest-framework/pull/3164 + """ + data = {} + request = factory.post('/', data, format='json') + with self.assertNumQueries(1): + response = self.view(request).render() + self.assertEqual(response.status_code, status.HTTP_200_OK) + self.assertEqual(len(response.data), 3) From 9bffd354327ffc99a0c50ad140a86ede94f9dfba Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 13 Jun 2016 10:41:50 +0100 Subject: [PATCH 06/57] Handle bytestrings in JSON. Closes #4185. (#4191) --- rest_framework/utils/encoders.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/rest_framework/utils/encoders.py b/rest_framework/utils/encoders.py index 949c99eda..f883b4925 100644 --- a/rest_framework/utils/encoders.py +++ b/rest_framework/utils/encoders.py @@ -51,6 +51,9 @@ class JSONEncoder(json.JSONEncoder): return six.text_type(obj) elif isinstance(obj, QuerySet): return tuple(obj) + elif isinstance(obj, six.binary_type): + # Best-effort for binary blobs. See #4187. + return obj.decode('utf-8') elif hasattr(obj, 'tolist'): # Numpy arrays and array scalars. return obj.tolist() From c3b7fba918910553661095fed5d31e947a0fe2d6 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 13 Jun 2016 13:31:12 +0100 Subject: [PATCH 07/57] Exclude read_only=True fields from unique_together validation & add docs. (#4192) * Exclude read_only=True fields from unique_together validation * Test to ensure that unique_together validators can be removed * Do not add uniquness_extra_kwargs when validators are explicitly declared. * Add docs on validation in complex cases --- docs/api-guide/validators.md | 67 +++++++++++++++++++++++++++++++++- rest_framework/serializers.py | 11 +++++- tests/test_model_serializer.py | 2 - tests/test_validators.py | 39 ++++++++++++++++++++ 4 files changed, 115 insertions(+), 4 deletions(-) diff --git a/docs/api-guide/validators.md b/docs/api-guide/validators.md index e54ebfc38..edd099056 100644 --- a/docs/api-guide/validators.md +++ b/docs/api-guide/validators.md @@ -156,7 +156,7 @@ If you want the date field to be entirely hidden from the user, then use `Hidden --- -# Advanced 'default' argument usage +# Advanced field defaults Validators that are applied across multiple fields in the serializer can sometimes require a field input that should not be provided by the API client, but that *is* available as input to the validator. @@ -188,6 +188,71 @@ It takes a single argument, which is the default value or callable that should b --- +# Limitations of validators + +There are some ambiguous cases where you'll need to instead handle validation +explicitly, rather than relying on the default serializer classes that +`ModelSerializer` generates. + +In these cases you may want to disable the automatically generated validators, +by specifying an empty list for the serializer `Meta.validators` attribute. + +## Optional fields + +By default "unique together" validation enforces that all fields be +`required=True`. In some cases, you might want to explicit apply +`required=False` to one of the fields, in which case the desired behaviour +of the validation is ambiguous. + +In this case you will typically need to exclude the validator from the +serializer class, and instead write any validation logic explicitly, either +in the `.validate()` method, or else in the view. + +For example: + + class BillingRecordSerializer(serializers.ModelSerializer): + def validate(self, data): + # Apply custom validation either here, or in the view. + + class Meta: + fields = ('client', 'date', 'amount') + extra_kwargs = {'client' {'required': 'False'}} + validators = [] # Remove a default "unique together" constraint. + +## Updating nested serializers + +When applying an update to an existing instance, uniqueness validators will +exclude the current instance from the uniqueness check. The current instance +is available in the context of the uniqueness check, because it exists as +an attribute on the serializer, having initially been passed using +`instance=...` when instantiating the serializer. + +In the case of update operations on *nested* serializers there's no way of +applying this exclusion, because the instance is not available. + +Again, you'll probably want to explicitly remove the validator from the +serializer class, and write the code the for the validation constraint +explicitly, in a `.validate()` method, or in the view. + +## Debugging complex cases + +If you're not sure exactly what behavior a `ModelSerializer` class will +generate it is usually a good idea to run `manage.py shell`, and print +an instance of the serializer, so that you can inspect the fields and +validators that it automatically generates for you. + + >>> serializer = MyComplexModelSerializer() + >>> print(serializer) + class MyComplexModelSerializer: + my_fields = ... + +Also keep in mind that with complex cases it can often be better to explicitly +define your serializer classes, rather than relying on the default +`ModelSerializer` behavior. This involves a little more code, but ensures +that the resulting behavior is more transparent. + +--- + # Writing custom validators You can use any of Django's existing validators, or write your own custom validators. diff --git a/rest_framework/serializers.py b/rest_framework/serializers.py index 3ec55724d..3fcc85c3b 100644 --- a/rest_framework/serializers.py +++ b/rest_framework/serializers.py @@ -1243,6 +1243,11 @@ class ModelSerializer(Serializer): read_only_fields = getattr(self.Meta, 'read_only_fields', None) if read_only_fields is not None: + if not isinstance(read_only_fields, (list, tuple)): + raise TypeError( + 'The `read_only_fields` option must be a list or tuple. ' + 'Got %s.' % type(read_only_fields).__name__ + ) for field_name in read_only_fields: kwargs = extra_kwargs.get(field_name, {}) kwargs['read_only'] = True @@ -1258,6 +1263,9 @@ class ModelSerializer(Serializer): ('dict of updated extra kwargs', 'mapping of hidden fields') """ + if getattr(self.Meta, 'validators', None) is not None: + return (extra_kwargs, {}) + model = getattr(self.Meta, 'model') model_fields = self._get_model_fields( field_names, declared_fields, extra_kwargs @@ -1308,7 +1316,7 @@ class ModelSerializer(Serializer): else: uniqueness_extra_kwargs[unique_constraint_name] = {'default': default} elif default is not empty: - # The corresponding field is not present in the, + # The corresponding field is not present in the # serializer. We have a default to use for it, so # add in a hidden field that populates it. hidden_fields[unique_constraint_name] = HiddenField(default=default) @@ -1390,6 +1398,7 @@ class ModelSerializer(Serializer): field_names = { field.source for field in self.fields.values() if (field.source != '*') and ('.' not in field.source) + and not field.read_only } # Note that we make sure to check `unique_together` both on the diff --git a/tests/test_model_serializer.py b/tests/test_model_serializer.py index c6f7472aa..096cbc8d6 100644 --- a/tests/test_model_serializer.py +++ b/tests/test_model_serializer.py @@ -521,8 +521,6 @@ class TestRelationalFieldMappings(TestCase): one_to_one = NestedSerializer(read_only=True): url = HyperlinkedIdentityField(view_name='onetoonetargetmodel-detail') name = CharField(max_length=100) - class Meta: - validators = [] """) if six.PY2: # This case is also too awkward to resolve fully across both py2 diff --git a/tests/test_validators.py b/tests/test_validators.py index 9b388951e..5858ad374 100644 --- a/tests/test_validators.py +++ b/tests/test_validators.py @@ -239,6 +239,45 @@ class TestUniquenessTogetherValidation(TestCase): """) assert repr(serializer) == expected + def test_ignore_read_only_fields(self): + """ + When serializer fields are read only, then uniqueness + validators should not be added for that field. + """ + class ReadOnlyFieldSerializer(serializers.ModelSerializer): + class Meta: + model = UniquenessTogetherModel + fields = ('id', 'race_name', 'position') + read_only_fields = ('race_name',) + + serializer = ReadOnlyFieldSerializer() + expected = dedent(""" + ReadOnlyFieldSerializer(): + id = IntegerField(label='ID', read_only=True) + race_name = CharField(read_only=True) + position = IntegerField(required=True) + """) + assert repr(serializer) == expected + + def test_allow_explict_override(self): + """ + Ensure validators can be explicitly removed.. + """ + class NoValidatorsSerializer(serializers.ModelSerializer): + class Meta: + model = UniquenessTogetherModel + fields = ('id', 'race_name', 'position') + validators = [] + + serializer = NoValidatorsSerializer() + expected = dedent(""" + NoValidatorsSerializer(): + id = IntegerField(label='ID', read_only=True) + race_name = CharField(max_length=100) + position = IntegerField() + """) + assert repr(serializer) == expected + def test_ignore_validation_for_null_fields(self): # None values that are on fields which are part of the uniqueness # constraint cause the instance to ignore uniqueness validation. From 2e7fae7698c2a0dfc3cae6efa30f5b6fb9b1e90f Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 13 Jun 2016 16:32:43 +0100 Subject: [PATCH 08/57] limit=0 should revert to default limit (#4194) --- rest_framework/pagination.py | 1 + tests/test_pagination.py | 38 ++++++++++++------------------------ 2 files changed, 14 insertions(+), 25 deletions(-) diff --git a/rest_framework/pagination.py b/rest_framework/pagination.py index 153a77d33..fc20ea266 100644 --- a/rest_framework/pagination.py +++ b/rest_framework/pagination.py @@ -319,6 +319,7 @@ class LimitOffsetPagination(BasePagination): try: return _positive_int( request.query_params[self.limit_query_param], + strict=True, cutoff=self.max_limit ) except (KeyError, ValueError): diff --git a/tests/test_pagination.py b/tests/test_pagination.py index ba3cc7037..4ea706429 100644 --- a/tests/test_pagination.py +++ b/tests/test_pagination.py @@ -486,6 +486,19 @@ class TestLimitOffset: assert queryset == [1, 2, 3, 4, 5, 6, 7, 8, 9, 10] assert content.get('next') == next_url + def test_zero_limit(self): + """ + An zero limit query param should be ignored in favor of the default. + """ + request = Request(factory.get('/', {'limit': 0, 'offset': 0})) + queryset = self.paginate_queryset(request) + content = self.get_paginated_content(queryset) + next_limit = self.pagination.default_limit + next_offset = self.pagination.default_limit + next_url = 'http://testserver/?limit={0}&offset={1}'.format(next_limit, next_offset) + assert queryset == [1, 2, 3, 4, 5, 6, 7, 8, 9, 10] + assert content.get('next') == next_url + def test_max_limit(self): """ The limit defaults to the max_limit when there is a max_limit and the @@ -505,31 +518,6 @@ class TestLimitOffset: assert content.get('next') == next_url assert content.get('previous') == prev_url - def test_limit_zero(self): - """ - A limit of 0 should return empty results. - """ - request = Request(factory.get('/', {'limit': 0, 'offset': 10})) - queryset = self.paginate_queryset(request) - context = self.get_html_context() - content = self.get_paginated_content(queryset) - - assert context == { - 'previous_url': 'http://testserver/?limit=0&offset=10', - 'page_links': [ - PageLink( - url='http://testserver/?limit=0', - number=1, - is_active=True, - is_break=False - ) - ], - 'next_url': 'http://testserver/?limit=0&offset=10' - } - - assert queryset == [] - assert content.get('results') == [] - class TestCursorPagination: """ From 1633a0a2b1ae21bfa5d971c583039577a1e7abef Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 13 Jun 2016 16:52:45 +0100 Subject: [PATCH 09/57] Add test confirming that required=False is valid on a relational field (#4195) --- tests/test_relations_pk.py | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/tests/test_relations_pk.py b/tests/test_relations_pk.py index ba75bd94f..7a3d45927 100644 --- a/tests/test_relations_pk.py +++ b/tests/test_relations_pk.py @@ -340,6 +340,18 @@ class PKForeignKeyTests(TestCase): serializer = NullableForeignKeySourceSerializer() self.assertEqual(serializer.data['target'], None) + def test_foreign_key_not_required(self): + """ + Let's say we wanted to fill the non-nullable model field inside + Model.save(), we would make it empty and not required. + """ + class ModelSerializer(ForeignKeySourceSerializer): + class Meta(ForeignKeySourceSerializer.Meta): + extra_kwargs = {'target': {'required': False}} + serializer = ModelSerializer(data={'name': 'test'}) + serializer.is_valid(raise_exception=True) + self.assertNotIn('target', serializer.validated_data) + class PKNullableForeignKeyTests(TestCase): def setUp(self): From 9406e45b2cb16fd1dc5723c02bc1c5d40e045042 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Tue, 14 Jun 2016 12:23:39 +0100 Subject: [PATCH 10/57] Pass through strings as-in with DateTimeField (#4196) --- rest_framework/fields.py | 6 ++---- tests/test_fields.py | 2 ++ 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/rest_framework/fields.py b/rest_framework/fields.py index 68e4cdf91..5ed6d656c 100644 --- a/rest_framework/fields.py +++ b/rest_framework/fields.py @@ -1073,7 +1073,7 @@ class DateTimeField(Field): output_format = getattr(self, 'format', api_settings.DATETIME_FORMAT) - if output_format is None: + if output_format is None or isinstance(value, six.string_types): return value if output_format.lower() == ISO_8601: @@ -1133,7 +1133,7 @@ class DateField(Field): output_format = getattr(self, 'format', api_settings.DATE_FORMAT) - if output_format is None: + if output_format is None or isinstance(value, six.string_types): return value # Applying a `DateField` to a datetime value is almost always @@ -1146,8 +1146,6 @@ class DateField(Field): ) if output_format.lower() == ISO_8601: - if isinstance(value, six.string_types): - value = datetime.datetime.strptime(value, '%Y-%m-%d').date() return value.isoformat() return value.strftime(output_format) diff --git a/tests/test_fields.py b/tests/test_fields.py index 8b187ecd4..0dbdcad06 100644 --- a/tests/test_fields.py +++ b/tests/test_fields.py @@ -993,6 +993,8 @@ class TestDateTimeField(FieldValues): outputs = { datetime.datetime(2001, 1, 1, 13, 00): '2001-01-01T13:00:00', datetime.datetime(2001, 1, 1, 13, 00, tzinfo=timezone.UTC()): '2001-01-01T13:00:00Z', + '2001-01-01T00:00:00': '2001-01-01T00:00:00', + six.text_type('2016-01-10T00:00:00'): '2016-01-10T00:00:00', None: None, '': None, } From 798a971f200e807abc553be9ea803aed6e1e6045 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Tue, 14 Jun 2016 16:05:00 +0100 Subject: [PATCH 11/57] Simplfy TimeField passing through strings (#4197) * Simplfy TimeField passing through strings --- rest_framework/fields.py | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/rest_framework/fields.py b/rest_framework/fields.py index 5ed6d656c..aaf9ef14f 100644 --- a/rest_framework/fields.py +++ b/rest_framework/fields.py @@ -1196,7 +1196,7 @@ class TimeField(Field): output_format = getattr(self, 'format', api_settings.TIME_FORMAT) - if output_format is None: + if output_format is None or isinstance(value, six.string_types): return value # Applying a `TimeField` to a datetime value is almost always @@ -1209,8 +1209,6 @@ class TimeField(Field): ) if output_format.lower() == ISO_8601: - if isinstance(value, six.string_types): - value = datetime.datetime.strptime(value, '%H:%M:%S').time() return value.isoformat() return value.strftime(output_format) From 498ce85f34a9b32eb46e2317ceda9a5c127b2153 Mon Sep 17 00:00:00 2001 From: Kenneth Love Date: Wed, 15 Jun 2016 13:17:16 -0700 Subject: [PATCH 12/57] Update third-party-resources.md (#4200) --- docs/topics/third-party-resources.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/docs/topics/third-party-resources.md b/docs/topics/third-party-resources.md index 0b7d39b29..4be88d618 100644 --- a/docs/topics/third-party-resources.md +++ b/docs/topics/third-party-resources.md @@ -267,6 +267,7 @@ To submit new content, [open an issue][drf-create-issue] or [create a pull reque * [ViewSets and Routers - django-rest-framework part 3][viewsets-and-routers-django-rest-framework-part-3] * [Django Rest Framework User Endpoint][django-rest-framework-user-endpoint] * [Check credentials using Django Rest Framework][check-credentials-using-django-rest-framework] +* [Django REST Framework course][django-rest-framework-course] ### Videos @@ -363,3 +364,4 @@ To submit new content, [open an issue][drf-create-issue] or [create a pull reque [django-rest-messaging-centrifugo]: https://github.com/raphaelgyory/django-rest-messaging-centrifugo [django-rest-messaging-js]: https://github.com/raphaelgyory/django-rest-messaging-js [medium-django-rest-framework]: https://medium.com/django-rest-framework +[django-rest-framework-course]: https://teamtreehouse.com/library/django-rest-framework From 879652ec2e6d88fbd4e4a75c949fafcc11130e76 Mon Sep 17 00:00:00 2001 From: Ankush Thakur Date: Wed, 22 Jun 2016 01:37:55 +0530 Subject: [PATCH 13/57] Update 2-requests-and-responses.md (#4209) Make the usage of httpie accept headers more explicit. --- docs/tutorial/2-requests-and-responses.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/docs/tutorial/2-requests-and-responses.md b/docs/tutorial/2-requests-and-responses.md index c2e7e1c0a..511c50870 100644 --- a/docs/tutorial/2-requests-and-responses.md +++ b/docs/tutorial/2-requests-and-responses.md @@ -186,6 +186,8 @@ Similarly, we can control the format of the request that we send, using the `Con "style": "friendly" } +If you add a `--debug` switch to the `http` requests above, you will be able to see the request type in request headers. + Now go and open the API in a web browser, by visiting [http://127.0.0.1:8000/snippets/][devserver]. ### Browsability From 36ca4b8e069d6c4b1b8f8ce9799869f0eb9023e0 Mon Sep 17 00:00:00 2001 From: Rowan Seymour Date: Thu, 23 Jun 2016 11:37:15 +0200 Subject: [PATCH 14/57] Make offset_cutoff a class attribute in CursorPagination so that it can be easily overridden in subclasses (#4212) --- rest_framework/pagination.py | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/rest_framework/pagination.py b/rest_framework/pagination.py index fc20ea266..a66c7505c 100644 --- a/rest_framework/pagination.py +++ b/rest_framework/pagination.py @@ -407,7 +407,7 @@ class LimitOffsetPagination(BasePagination): class CursorPagination(BasePagination): """ - The cursor pagination implementation is neccessarily complex. + The cursor pagination implementation is necessarily complex. For an overview of the position/offset style we use, see this post: http://cramer.io/2011/03/08/building-cursors-for-the-disqus-api """ @@ -417,6 +417,12 @@ class CursorPagination(BasePagination): ordering = '-created' template = 'rest_framework/pagination/previous_and_next.html' + # The offset in the cursor is used in situations where we have a + # nearly-unique index. (Eg millisecond precision creation timestamps) + # We guard against malicious users attempting to cause expensive database + # queries, by having a hard cap on the maximum possible size of the offset. + offset_cutoff = 1000 + def paginate_queryset(self, queryset, request, view=None): self.page_size = self.get_page_size(request) if not self.page_size: @@ -647,18 +653,12 @@ class CursorPagination(BasePagination): if encoded is None: return None - # The offset in the cursor is used in situations where we have a - # nearly-unique index. (Eg millisecond precision creation timestamps) - # We guard against malicious users attempting to cause expensive database - # queries, by having a hard cap on the maximum possible size of the offset. - OFFSET_CUTOFF = 1000 - try: querystring = b64decode(encoded.encode('ascii')).decode('ascii') tokens = urlparse.parse_qs(querystring, keep_blank_values=True) offset = tokens.get('o', ['0'])[0] - offset = _positive_int(offset, cutoff=OFFSET_CUTOFF) + offset = _positive_int(offset, cutoff=self.offset_cutoff) reverse = tokens.get('r', ['0'])[0] reverse = bool(int(reverse)) From 2a3b4c98225f71ce718bfbe423c69a1406094452 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 23 Jun 2016 13:29:38 +0100 Subject: [PATCH 15/57] README sponsorship placement (#4214) README sponsorship placement. --- README.md | 21 +++++++++++++++++++-- 1 file changed, 19 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 0068df61f..eb7ad8f6d 100644 --- a/README.md +++ b/README.md @@ -11,8 +11,20 @@ Full documentation for the project is available at [http://www.django-rest-frame --- -**Funding**: If you use REST framework commercially we strongly encourage you to -invest in its continued development by [signing up for paid plan](https://fund.django-rest-framework.org/topics/funding/). +# Funding + +REST framework is a *collaboratively funded project*. If you use +REST framework commercially we strongly encourage you to invest in its +continued development by **[signing up for a paid plan][funding]**. + +The initial aim is to provide a single full-time position on REST framework. +Right now we're a little over 35% of the way towards achieving that. +Each basic tier sponsorship makes a significant impact, taking us around 1% +closer to our funding target. + +[![rover-image]][rover] + +*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover][rover].* --- @@ -169,6 +181,11 @@ Send a description of the issue via email to [rest-framework-security@googlegrou [group]: https://groups.google.com/forum/?fromgroups#!forum/django-rest-framework [sandbox]: http://restframework.herokuapp.com/ +[funding]: https://fund.django-rest-framework.org/topics/funding/ +[sponsors]: https://fund.django-rest-framework.org/topics/funding/#our-sponsors +[rover]: http://jobs.rover.com/ +[rover-image]: https://raw.githubusercontent.com/tomchristie/django-rest-framework/master/docs/img/rover.png + [oauth1-section]: http://www.django-rest-framework.org/api-guide/authentication/#django-rest-framework-oauth [oauth2-section]: http://www.django-rest-framework.org/api-guide/authentication/#django-oauth-toolkit [serializer-section]: http://www.django-rest-framework.org/api-guide/serializers/#serializers From 90bb0c58ce612a2f1bc00fb5c2373e3e2309ff05 Mon Sep 17 00:00:00 2001 From: Simon Charette Date: Thu, 23 Jun 2016 08:49:23 -0400 Subject: [PATCH 16/57] Prevented unnecessary distinct() call in SearchFilter. (#3938) * Prevented unnecessary distinct() call in SearchFilter. * Refactored SearchFilter lookup prefixes. --- rest_framework/filters.py | 50 +++++++++++++++++++++++++++++---------- tests/test_filters.py | 15 ++++++++++++ 2 files changed, 52 insertions(+), 13 deletions(-) diff --git a/rest_framework/filters.py b/rest_framework/filters.py index 3836e8170..4ac942957 100644 --- a/rest_framework/filters.py +++ b/rest_framework/filters.py @@ -10,6 +10,7 @@ from functools import reduce from django.conf import settings from django.core.exceptions import ImproperlyConfigured from django.db import models +from django.db.models.constants import LOOKUP_SEP from django.template import loader from django.utils import six from django.utils.translation import ugettext_lazy as _ @@ -132,6 +133,12 @@ class SearchFilter(BaseFilterBackend): # The URL query parameter used for the search. search_param = api_settings.SEARCH_PARAM template = 'rest_framework/filters/search.html' + lookup_prefixes = { + '^': 'istartswith', + '=': 'iexact', + '@': 'search', + '$': 'iregex', + } def get_search_terms(self, request): """ @@ -142,16 +149,31 @@ class SearchFilter(BaseFilterBackend): return params.replace(',', ' ').split() def construct_search(self, field_name): - if field_name.startswith('^'): - return "%s__istartswith" % field_name[1:] - elif field_name.startswith('='): - return "%s__iexact" % field_name[1:] - elif field_name.startswith('@'): - return "%s__search" % field_name[1:] - if field_name.startswith('$'): - return "%s__iregex" % field_name[1:] + lookup = self.lookup_prefixes.get(field_name[0]) + if lookup: + field_name = field_name[1:] else: - return "%s__icontains" % field_name + lookup = 'icontains' + return LOOKUP_SEP.join([field_name, lookup]) + + def must_call_distinct(self, opts, lookups): + """ + Return True if 'distinct()' should be used to query the given lookups. + """ + for lookup in lookups: + if lookup[0] in self.lookup_prefixes: + lookup = lookup[1:] + parts = lookup.split(LOOKUP_SEP) + for part in parts: + field = opts.get_field(part) + if hasattr(field, 'get_path_info'): + # This field is a relation, update opts to follow the relation + path_info = field.get_path_info() + opts = path_info[-1].to_opts + if any(path.m2m for path in path_info): + # This field is a m2m relation so we know we need to call distinct + return True + return False def filter_queryset(self, request, queryset, view): search_fields = getattr(view, 'search_fields', None) @@ -173,10 +195,12 @@ class SearchFilter(BaseFilterBackend): ] queryset = queryset.filter(reduce(operator.or_, queries)) - # Filtering against a many-to-many field requires us to - # call queryset.distinct() in order to avoid duplicate items - # in the resulting queryset. - return distinct(queryset, base) + if self.must_call_distinct(queryset.model._meta, search_fields): + # Filtering against a many-to-many field requires us to + # call queryset.distinct() in order to avoid duplicate items + # in the resulting queryset. + queryset = distinct(queryset, base) + return queryset def to_html(self, request, queryset, view): if not getattr(view, 'search_fields', None): diff --git a/tests/test_filters.py b/tests/test_filters.py index 646d8a625..4c3e2af0b 100644 --- a/tests/test_filters.py +++ b/tests/test_filters.py @@ -500,6 +500,21 @@ class SearchFilterM2MTests(TestCase): response = view(request) self.assertEqual(len(response.data), 1) + def test_must_call_distinct(self): + filter_ = filters.SearchFilter() + prefixes = [''] + list(filter_.lookup_prefixes) + for prefix in prefixes: + self.assertFalse( + filter_.must_call_distinct( + SearchFilterModelM2M._meta, ["%stitle" % prefix] + ) + ) + self.assertTrue( + filter_.must_call_distinct( + SearchFilterModelM2M._meta, ["%stitle" % prefix, "%sattributes__label" % prefix] + ) + ) + class OrderingFilterModel(models.Model): title = models.CharField(max_length=20, verbose_name='verbose title') From e1f7cc40822556d745e8a8827c9a14c9b076c5c9 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 23 Jun 2016 14:02:25 +0100 Subject: [PATCH 17/57] Minor refactoring of must_call_distinct (#4215) --- rest_framework/filters.py | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/rest_framework/filters.py b/rest_framework/filters.py index 4ac942957..fdd9519c6 100644 --- a/rest_framework/filters.py +++ b/rest_framework/filters.py @@ -156,14 +156,15 @@ class SearchFilter(BaseFilterBackend): lookup = 'icontains' return LOOKUP_SEP.join([field_name, lookup]) - def must_call_distinct(self, opts, lookups): + def must_call_distinct(self, queryset, search_fields): """ Return True if 'distinct()' should be used to query the given lookups. """ - for lookup in lookups: - if lookup[0] in self.lookup_prefixes: - lookup = lookup[1:] - parts = lookup.split(LOOKUP_SEP) + opts = queryset.model._meta + for search_field in search_fields: + if search_field[0] in self.lookup_prefixes: + search_field = search_field[1:] + parts = search_field.split(LOOKUP_SEP) for part in parts: field = opts.get_field(part) if hasattr(field, 'get_path_info'): @@ -195,10 +196,11 @@ class SearchFilter(BaseFilterBackend): ] queryset = queryset.filter(reduce(operator.or_, queries)) - if self.must_call_distinct(queryset.model._meta, search_fields): + if self.must_call_distinct(queryset, search_fields): # Filtering against a many-to-many field requires us to # call queryset.distinct() in order to avoid duplicate items # in the resulting queryset. + # We try to avoid this is possible, for performance reasons. queryset = distinct(queryset, base) return queryset From a20a75636c12b7c2ac60e157c3f8fb02bd7bca42 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Jos=C3=A9=20Padilla?= Date: Thu, 23 Jun 2016 09:12:51 -0400 Subject: [PATCH 18/57] Test against Django 1.10b1 (#4210) * Test against Django 1.10b1 * Test against Django master --- .travis.yml | 4 ++++ tox.ini | 6 ++++-- 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/.travis.yml b/.travis.yml index 7073c3d0c..58460398b 100644 --- a/.travis.yml +++ b/.travis.yml @@ -22,6 +22,10 @@ env: matrix: fast_finish: true + allow_failures: + - TOX_ENV=py27-djangomaster + - TOX_ENV=py34-djangomaster + - TOX_ENV=py35-djangomaster install: # Virtualenv < 14 is required to keep the Python 3.2 builds running. diff --git a/tox.ini b/tox.ini index 0fc41a881..1a160a299 100644 --- a/tox.ini +++ b/tox.ini @@ -6,7 +6,8 @@ envlist = py27-{lint,docs}, {py27,py32,py33,py34,py35}-django18, {py27,py34,py35}-django19, - {py27,py34,py35}-django110 + {py27,py34,py35}-django110, + {py27,py34,py35}-django{master} [testenv] commands = ./runtests.py --fast {posargs} --coverage -rw @@ -16,7 +17,8 @@ setenv = deps = django18: Django==1.8.13 django19: Django==1.9.7 - django110: Django==1.10a1 + django110: Django==1.10b1 + djangomaster: https://github.com/django/django/archive/master.tar.gz -rrequirements/requirements-testing.txt -rrequirements/requirements-optionals.txt basepython = From f81d516ae4fe0a5178a0c6c24dccb7fc6f68303a Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 23 Jun 2016 15:09:23 +0100 Subject: [PATCH 19/57] Robust uniqueness checks. (#4217) * Robust uniqueness checks * Add master to test matrix (allow_failures) --- .travis.yml | 9 ++++++--- rest_framework/validators.py | 35 +++++++++++++++++++++++++++-------- tests/test_validators.py | 16 ++++++++++++++++ 3 files changed, 49 insertions(+), 11 deletions(-) diff --git a/.travis.yml b/.travis.yml index 58460398b..c9d9a1648 100644 --- a/.travis.yml +++ b/.travis.yml @@ -19,13 +19,16 @@ env: - TOX_ENV=py27-django110 - TOX_ENV=py35-django110 - TOX_ENV=py34-django110 + - TOX_ENV=py27-djangomaster + - TOX_ENV=py34-djangomaster + - TOX_ENV=py35-djangomaster matrix: fast_finish: true allow_failures: - - TOX_ENV=py27-djangomaster - - TOX_ENV=py34-djangomaster - - TOX_ENV=py35-djangomaster + - env: TOX_ENV=py27-djangomaster + - env: TOX_ENV=py34-djangomaster + - env: TOX_ENV=py35-djangomaster install: # Virtualenv < 14 is required to keep the Python 3.2 builds running. diff --git a/rest_framework/validators.py b/rest_framework/validators.py index 83ad6f7d8..ef23b9bd7 100644 --- a/rest_framework/validators.py +++ b/rest_framework/validators.py @@ -8,6 +8,7 @@ object creation, and makes it possible to switch between using the implicit """ from __future__ import unicode_literals +from django.db import DataError from django.utils.translation import ugettext_lazy as _ from rest_framework.compat import unicode_to_repr @@ -15,6 +16,24 @@ from rest_framework.exceptions import ValidationError from rest_framework.utils.representation import smart_repr +# Robust filter and exist implementations. Ensures that queryset.exists() for +# an invalid value returns `False`, rather than raising an error. +# Refs https://github.com/tomchristie/django-rest-framework/issues/3381 + +def qs_exists(queryset): + try: + return queryset.exists() + except (TypeError, ValueError, DataError): + return False + + +def qs_filter(queryset, **kwargs): + try: + return queryset.filter(**kwargs) + except (TypeError, ValueError, DataError): + return queryset.none() + + class UniqueValidator(object): """ Validator that corresponds to `unique=True` on a model field. @@ -44,7 +63,7 @@ class UniqueValidator(object): Filter the queryset to all instances matching the given attribute. """ filter_kwargs = {self.field_name: value} - return queryset.filter(**filter_kwargs) + return qs_filter(queryset, **filter_kwargs) def exclude_current_instance(self, queryset): """ @@ -59,7 +78,7 @@ class UniqueValidator(object): queryset = self.queryset queryset = self.filter_queryset(value, queryset) queryset = self.exclude_current_instance(queryset) - if queryset.exists(): + if qs_exists(queryset): raise ValidationError(self.message) def __repr__(self): @@ -124,7 +143,7 @@ class UniqueTogetherValidator(object): field_name: attrs[field_name] for field_name in self.fields } - return queryset.filter(**filter_kwargs) + return qs_filter(queryset, **filter_kwargs) def exclude_current_instance(self, attrs, queryset): """ @@ -145,7 +164,7 @@ class UniqueTogetherValidator(object): checked_values = [ value for field, value in attrs.items() if field in self.fields ] - if None not in checked_values and queryset.exists(): + if None not in checked_values and qs_exists(queryset): field_names = ', '.join(self.fields) raise ValidationError(self.message.format(field_names=field_names)) @@ -209,7 +228,7 @@ class BaseUniqueForValidator(object): queryset = self.queryset queryset = self.filter_queryset(attrs, queryset) queryset = self.exclude_current_instance(attrs, queryset) - if queryset.exists(): + if qs_exists(queryset): message = self.message.format(date_field=self.date_field) raise ValidationError({self.field: message}) @@ -234,7 +253,7 @@ class UniqueForDateValidator(BaseUniqueForValidator): filter_kwargs['%s__day' % self.date_field_name] = date.day filter_kwargs['%s__month' % self.date_field_name] = date.month filter_kwargs['%s__year' % self.date_field_name] = date.year - return queryset.filter(**filter_kwargs) + return qs_filter(queryset, **filter_kwargs) class UniqueForMonthValidator(BaseUniqueForValidator): @@ -247,7 +266,7 @@ class UniqueForMonthValidator(BaseUniqueForValidator): filter_kwargs = {} filter_kwargs[self.field_name] = value filter_kwargs['%s__month' % self.date_field_name] = date.month - return queryset.filter(**filter_kwargs) + return qs_filter(queryset, **filter_kwargs) class UniqueForYearValidator(BaseUniqueForValidator): @@ -260,4 +279,4 @@ class UniqueForYearValidator(BaseUniqueForValidator): filter_kwargs = {} filter_kwargs[self.field_name] = value filter_kwargs['%s__year' % self.date_field_name] = date.year - return queryset.filter(**filter_kwargs) + return qs_filter(queryset, **filter_kwargs) diff --git a/tests/test_validators.py b/tests/test_validators.py index 5858ad374..32d41f2ba 100644 --- a/tests/test_validators.py +++ b/tests/test_validators.py @@ -48,6 +48,18 @@ class AnotherUniquenessSerializer(serializers.ModelSerializer): fields = '__all__' +class IntegerFieldModel(models.Model): + integer = models.IntegerField() + + +class UniquenessIntegerSerializer(serializers.Serializer): + # Note that this field *deliberately* does not correspond with the model field. + # This allows us to ensure that `ValueError`, `TypeError` or `DataError` etc + # raised by a uniqueness check does not trigger a deceptive "this field is not unique" + # validation failure. + integer = serializers.CharField(validators=[UniqueValidator(queryset=IntegerFieldModel.objects.all())]) + + class TestUniquenessValidation(TestCase): def setUp(self): self.instance = UniquenessModel.objects.create(username='existing') @@ -100,6 +112,10 @@ class TestUniquenessValidation(TestCase): rs = RelatedModelSerializer(data=data) self.assertTrue(rs.is_valid()) + def test_value_error_treated_as_not_unique(self): + serializer = UniquenessIntegerSerializer(data={'integer': 'abc'}) + assert serializer.is_valid() + # Tests for `UniqueTogetherValidator` # ----------------------------------- From ea92d505826aa19c3681884ac5022dcdadf0c20e Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 23 Jun 2016 15:41:25 +0100 Subject: [PATCH 20/57] Resolve tests against Django master (#4218) --- tests/test_versioning.py | 3 +++ 1 file changed, 3 insertions(+) diff --git a/tests/test_versioning.py b/tests/test_versioning.py index d4d8cfccb..5b77e8263 100644 --- a/tests/test_versioning.py +++ b/tests/test_versioning.py @@ -85,6 +85,7 @@ class TestRequestVersion: response = view(request) assert response.data == {'version': None} + @override_settings(ALLOWED_HOSTS=['*']) def test_host_name_versioning(self): scheme = versioning.HostNameVersioning view = RequestVersionView.as_view(versioning_class=scheme) @@ -173,6 +174,7 @@ class TestURLReversing(URLPatternsTestCase): response = view(request) assert response.data == {'url': 'http://testserver/another/'} + @override_settings(ALLOWED_HOSTS=['*']) def test_reverse_host_name_versioning(self): scheme = versioning.HostNameVersioning view = ReverseView.as_view(versioning_class=scheme) @@ -223,6 +225,7 @@ class TestInvalidVersion: response = view(request) assert response.status_code == status.HTTP_404_NOT_FOUND + @override_settings(ALLOWED_HOSTS=['*']) def test_invalid_host_name_versioning(self): scheme = versioning.HostNameVersioning view = RequestInvalidVersionView.as_view(versioning_class=scheme) From bc3485ab7d92c03044209186982a290228b004f3 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 23 Jun 2016 16:00:11 +0100 Subject: [PATCH 21/57] Namespace versioning with nested namespaces (#4219) Support nested namespaces with namespaced versioning. --- rest_framework/versioning.py | 13 ++++++++----- tests/test_versioning.py | 8 ++++++++ 2 files changed, 16 insertions(+), 5 deletions(-) diff --git a/rest_framework/versioning.py b/rest_framework/versioning.py index e27c7b316..763a92b4c 100644 --- a/rest_framework/versioning.py +++ b/rest_framework/versioning.py @@ -112,16 +112,19 @@ class NamespaceVersioning(BaseVersioning): Host: example.com Accept: application/json """ - invalid_version_message = _('Invalid version in URL path.') + invalid_version_message = _('Invalid version in URL path. Does not match any version namespace.') def determine_version(self, request, *args, **kwargs): resolver_match = getattr(request, 'resolver_match', None) if (resolver_match is None or not resolver_match.namespace): return self.default_version - version = resolver_match.namespace - if not self.is_allowed_version(version): - raise exceptions.NotFound(self.invalid_version_message) - return version + + # Allow for possibly nested namespaces. + possible_versions = resolver_match.namespace.split(':') + for version in possible_versions: + if self.is_allowed_version(version): + return version + raise exceptions.NotFound(self.invalid_version_message) def reverse(self, viewname, args=None, kwargs=None, request=None, format=None, **extra): if request.version is not None: diff --git a/tests/test_versioning.py b/tests/test_versioning.py index 5b77e8263..f53eddcbd 100644 --- a/tests/test_versioning.py +++ b/tests/test_versioning.py @@ -296,8 +296,12 @@ class TestHyperlinkedRelatedField(URLPatternsTestCase): class TestNamespaceVersioningHyperlinkedRelatedFieldScheme(URLPatternsTestCase): + nested = [ + url(r'^namespaced/(?P\d+)/$', dummy_pk_view, name='nested'), + ] included = [ url(r'^namespaced/(?P\d+)/$', dummy_pk_view, name='namespaced'), + url(r'^nested/', include(nested, namespace='nested-namespace')) ] urlpatterns = [ @@ -325,6 +329,10 @@ class TestNamespaceVersioningHyperlinkedRelatedFieldScheme(URLPatternsTestCase): field = self._create_field('namespaced', 'v2') assert field.to_representation(PKOnlyObject(5)) == 'http://testserver/v2/namespaced/5/' + def test_api_url_is_properly_reversed_with_nested(self): + field = self._create_field('nested', 'v1:nested-namespace') + assert field.to_representation(PKOnlyObject(3)) == 'http://testserver/v1/nested/namespaced/3/' + def test_non_api_url_is_properly_reversed_regardless_of_the_version(self): """ Regression test for #2711 From fdde44d9d1de7299a06fe618a98a5068a806e491 Mon Sep 17 00:00:00 2001 From: Laurent De Marez Date: Thu, 23 Jun 2016 17:03:24 +0200 Subject: [PATCH 22/57] Fix parsing multipart data using a nested serializer with list (#3820) It is possible that a key in a MultiValueDict has multiple values, lists are represented this way. When accessing a key in a MultiValueDict it only returns the last element of that key. This becomes a problem when parsing an html dict with a list inside of it. To fix this problem we have to get and set the value using .getlist() and .setlist(). --- rest_framework/utils/html.py | 6 ++++-- tests/test_serializer_nested.py | 29 +++++++++++++++++++++++++++++ 2 files changed, 33 insertions(+), 2 deletions(-) diff --git a/rest_framework/utils/html.py b/rest_framework/utils/html.py index 3b871027c..121c825c7 100644 --- a/rest_framework/utils/html.py +++ b/rest_framework/utils/html.py @@ -80,10 +80,12 @@ def parse_html_dict(dictionary, prefix=''): """ ret = MultiValueDict() regex = re.compile(r'^%s\.(.+)$' % re.escape(prefix)) - for field, value in dictionary.items(): + for field in dictionary: match = regex.match(field) if not match: continue key = match.groups()[0] - ret[key] = value + value = dictionary.getlist(field) + ret.setlist(key, value) + return ret diff --git a/tests/test_serializer_nested.py b/tests/test_serializer_nested.py index aeb092ee0..133600399 100644 --- a/tests/test_serializer_nested.py +++ b/tests/test_serializer_nested.py @@ -167,3 +167,32 @@ class TestNestedSerializerWithMany: expected_errors = {'not_allow_empty': {'non_field_errors': [serializers.ListSerializer.default_error_messages['empty']]}} assert serializer.errors == expected_errors + + +class TestNestedSerializerWithList: + def setup(self): + class NestedSerializer(serializers.Serializer): + example = serializers.MultipleChoiceField(choices=[1, 2, 3]) + + class TestSerializer(serializers.Serializer): + nested = NestedSerializer() + + self.Serializer = TestSerializer + + def test_nested_serializer_with_list_json(self): + input_data = { + 'nested': { + 'example': [1, 2], + } + } + serializer = self.Serializer(data=input_data) + + assert serializer.is_valid() + assert serializer.validated_data['nested']['example'] == set([1, 2]) + + def test_nested_serializer_with_list_multipart(self): + input_data = QueryDict('nested.example=1&nested.example=2') + serializer = self.Serializer(data=input_data) + + assert serializer.is_valid() + assert serializer.validated_data['nested']['example'] == set([1, 2]) From 8ab684187c862050bc90e4f3e7d56c8ab413fd11 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Fri, 24 Jun 2016 10:06:02 +0100 Subject: [PATCH 23/57] Tweak funding text. [skip ci] --- README.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/README.md b/README.md index eb7ad8f6d..88eaac3d6 100644 --- a/README.md +++ b/README.md @@ -18,9 +18,9 @@ REST framework commercially we strongly encourage you to invest in its continued development by **[signing up for a paid plan][funding]**. The initial aim is to provide a single full-time position on REST framework. -Right now we're a little over 35% of the way towards achieving that. -Each basic tier sponsorship makes a significant impact, taking us around 1% -closer to our funding target. +Right now we're a little over 43% of the way towards achieving that. +Every single sign-up makes a significant impact, as an example taking out a +basic tier sponsorship moves us about 1% closer to our funding target. [![rover-image]][rover] From 3a7bfdfa7040e3eb69aea179bf4370e3eb936b9a Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Fri, 24 Jun 2016 11:05:19 +0100 Subject: [PATCH 24/57] Add sentry as a premium sponsor [skip ci] (#4221) Add Sentry as a premium sponsor. --- README.md | 13 +++---- docs/img/premium/rover-readme.png | Bin 0 -> 65798 bytes docs/img/premium/sentry-readme.png | Bin 0 -> 25305 bytes docs/index.md | 54 +++++++++++++++++++++-------- 4 files changed, 47 insertions(+), 20 deletions(-) create mode 100644 docs/img/premium/rover-readme.png create mode 100644 docs/img/premium/sentry-readme.png diff --git a/README.md b/README.md index 88eaac3d6..9474f6da0 100644 --- a/README.md +++ b/README.md @@ -19,12 +19,15 @@ continued development by **[signing up for a paid plan][funding]**. The initial aim is to provide a single full-time position on REST framework. Right now we're a little over 43% of the way towards achieving that. -Every single sign-up makes a significant impact, as an example taking out a -basic tier sponsorship moves us about 1% closer to our funding target. +*Every single sign-up makes a significant impact.* Taking out a +[basic tier sponsorship](https://fund.django-rest-framework.org/topics/funding/#corporate-plans) moves us about 1% closer to our funding target. -[![rover-image]][rover] +

+ + +

-*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover][rover].* +*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/) and [Sentry](https://getsentry.com/welcome/).* --- @@ -183,8 +186,6 @@ Send a description of the issue via email to [rest-framework-security@googlegrou [funding]: https://fund.django-rest-framework.org/topics/funding/ [sponsors]: https://fund.django-rest-framework.org/topics/funding/#our-sponsors -[rover]: http://jobs.rover.com/ -[rover-image]: https://raw.githubusercontent.com/tomchristie/django-rest-framework/master/docs/img/rover.png [oauth1-section]: http://www.django-rest-framework.org/api-guide/authentication/#django-rest-framework-oauth [oauth2-section]: http://www.django-rest-framework.org/api-guide/authentication/#django-oauth-toolkit diff --git a/docs/img/premium/rover-readme.png b/docs/img/premium/rover-readme.png new file mode 100644 index 0000000000000000000000000000000000000000..eba3bdd029353e4f5a1ddbe37ac0ca5fd9b34056 GIT binary patch literal 65798 zcmZ^K1yo$kvM#}ch9H9zAOvS{g1aPWkl^m_1Ro^0LvZ&5cXuZ^gF|o)I_RMD;6L}i zd)`_1vDPeRSJ$_ztGl|Yy1FM!NkJMDjTj9M4i58^jD#{A+^eSN4-+c#Go@OvX!rRa zqPeKN=<`zy`hy|T^Yd#58BJ$6ICR{X&nvjJ48mug_m-*}E*kQ3e8%>+EQTibMy4$8 zwhqtSaBu?de9vEPOm4%Co10N9h?b|n&ZyYT4PUb*1US3`xD?5;# zo%xxA+1bO+#n7GE&YAjOFZu8HNSHbsJ6SroSlZjYdwH*+k-e*nAQjb%p#S^#uYS5% zn*EO?JLmsW>sdkIOAC;Vg%$X}!A#vP|39#omj5rz#Q6Ve<>2aM^N&s@#z0dWQ(IFz z7w2aj+y5%=d2IhL@c-$gyP?Csg#9y!|I$t1rRRLgrq1>@t}jENW@qUl#4hlULjOtr zpAq>NO5EPo!O7Iw`57j}^`4u;02FFpGQ z@^7U7wD>onS^Su2B&%gEHrA6Gy)X>G=N!8xo zM(7_kY+oMVaj^Us^55J43n~D7Sx5i2uKu-X|DiswS|PM&ng8tpgwW(79+~0bMBqM2 zh^o53I%-F0s+d<>yDd>K)rjArT1=wRCTMs?@)poVh#Jc}Ls|DJA7l9a`vlry6ZdoX z_~8QctXMgA6IA+wI5GIw{&19+b{K?#-ALcG8%(v^Ws_X?VE3^3rPF(#n-$;Rv$L(I zf~TuqbLV4Wkebr4r!+A_MIn#<9uT}e9SAn z_jPARu0~^B2O0kPiP8BGhN9Z&56+x=d)w|NT5iWLAVMMyU{hSU>zV3Am!@<}SoC%M zL%_H954k~+&TVZ~1Z~tC#X+M}bNivteE+YjY5p7^5e|{QAp=i{m%>cfCk=Vx&PGP| z3I7szIx3!g7w!piU4c?Vr=ZkT>gQ?x#X87y=qL1z+lt42jh(+2vnY}>%SSA|j^K{FY!ZMI}rd;MP0mJJyw&@`A=yca0h*+Ha*z zC@*lyrAYn)0l4S~Z&B%-Ns_dn2qA!{3{%A~`cV<$x*2_F15lhW9-tn&i>H<3A)Thz zRTU2(BRk&CVF-kAROvY=ZuV>I3JV}SCQff;+?G~#AEHZt?|?(jiugX)9{i}L4HlpP zC?GaM$^mLySoE2+k@iT-?kh~<%h${5%k~1eOHM*AEMYj>+1AKe&yxjgqCNaAnE0qS zx4xsntLZx{89q>GLXKyFr2OU7kgyv&t&eGWQwLri9LwMT;K)mgxSF*`xfTin!=RBO z`VG>NYwY+Ke)Z)GfLEpTusQhU%N38El(>o?(OIr zjpa|?3-rDLs?J#qe!&&@21Wk=?t&tUOFv1`^Ac$K9ALTT4Np{_oVDfv^B($G zP&SH7Nk@oy$GXvk{*>l;N&>bSfW9jHnjgc1P9v z7nx>}vOJeBor62QguFhSwzn6xIwtWVzZ`4F_t##52+qH>^bOi=;E2%hT^TkzJxr2s zn8QqKZ5E%ZH-U@qe|Za`m1_)zH}khrM_yz?tfr_KG}iz>C!SDK%pkohEIR z&)nOm6mNOZU)nUSz!tXP?)BYC>jtBX-)|B-qSNHt@3kDR4i|m^F%VcYPEVDODU57N zRz|e&>@WZ;9YtPTZUq?7iY127d{%T$Gz);u6-ynSK9~O2Hz^n0vFK$kEgBKg3IMaK zTeLSW!)S;u>s%?e5eJBy~0RA)l|R&uC5cr9y-q6|AE1g{wcl8Qdo2 z7nz#LC^mhPV~QNeTu#y*&*jC!z9jUp=vk^HTDZq3TgzLyC#@uCU>Bi0k~OFzsKfir zLZYUPRzci9_c2Ok$ay%0p6RLg zoUirCz_i_9er;w5lQ`pFRL^OMQ3$B-aF;lbCI?OT;m&fb;t3K!^LIM?Y)c2)rR4r- zgxEDTX7Kntd(I=Lm#J{$%`I)|~Ne575ESrO$jX-wWIDD&zPq4vR`Q_r>SXsPAD;I*-i!J(5NXWt zspy85u75#oWp&0pTa%ZpI_Rh(aMlMzsn>I|q@iR`@#*{GS#QtSh=qP#g&H-mSe*&z ztuK#rcO2}9ZXGnAK|@}ri(Z6nF2fpXqxA29`L+~}+V*YRp(EGK>bE5BBvtU~B2pTU zfDdi!9Bw-3o=6J;C*8}rO8l<{Nggv2M72dGt zzQk?2%6;^T#Ud#tq33iThI4cyuX=5I?EqsmKa+aULp3pFdKKw-9^v9qX<##O3&4RT zxyvTWMM?7j``)oxJRmz}mJxjndNEx3_x3^L(#UjXYD{q_Bc*YI6jUrJo+3Z1Jql4g zg3Fy*2I8kdR!sBQ<%3^o-U`mkHxWQqf|jV$Iadi?H24U&s7b5b7edI#ILJSH7?N)# zbW?zRZ`*A_2c5>N(ZUKS$JOL_YrM6v9s`PoQx*vV2>*xOTkJm3mUU0YnhMyS_XyJX0?^cszL0O{?qw9S9c7J}_ok=! zVkdG;N78>nAt|?|>sTY8odNgZ9~$TSX8h8ugH7-G>uY^be)mMqu?JRR&0%C1yu@il z+=lSe4F4~YQiZY*`xf-naCMN>+QqIj{aLnC6o$)yt_Fu4v1eZbqw@xa(A%E@5pufU z$$7}NHki#NxdL!WqcOarLKHF(cR}Qcz&m6;e~oiINZ2)y!SDe4_h?*wXH@v?z`z2v8p*hBSATL7a zn!|Y160bwu*^>Bv{qFsY($ck@S;V2aemwkoow~Eu$Gs0E2OC5?BJF$}L&NZyV{lxq zG(R#aN3A^G>M}eu-{>PJ`>36SG1>&?yjC1KbRO%XH+>Gb3iLjT@>PG&R~iPMKIdEh z)vdBRp+dI(LMJU+YlG$r_;kc-=QU?LV)Ro+*?U6;sLgGv=WTISClp1EO-)K?OA+qc zY=p8=Y{HRH=Pt#aupg1p$*c9b_Napo%X$-Sv?{Id4+4QC&+); z73uYPIEI!hA|B#`tKY?t3gM^lR)eV}tVY=>FNni&^d2T=-d9;`b2!AmsDp>Z0nad#iu$jz@f36 z=D#)iyco#L^S-i$M=>rM{@U+BGB%b&;$RC3HllMYD@1X}p=&_rd7nk;H}r zfn?w=#|K7P7<2oj@YZ-XWxQn@kp1B7E_9KNdcIj=!CQ4UB?~(QJF6L*$SzN4KIUm- zH033C`q=osY>NwFaOkC%)S`@Dj0nzTq>-i@2ePs71MYZh3^sTzoQOL2GY9%px*7eS zDa!-+w*5q85jLy4Myf6Gtv<5uJ}lQnAYczA!VlYNi) zgt%koVK|-MI=eQ!4fnsr%s#<7J9LTq1`&lGzG zg6ePUqUERgv^lCWU!uVH5Z_w$&r9S1IEzL;WPp zjo;1jCKfPQ6s?Ta`skQVd}!eOHZ|P#N4_8Dzq!vn)D%j!({%2!=T#Ni?H&vm_x2BE zyPPC&Y7L`!;;*U!B8-P)4v*R1rnc!F1mEk7fN=v5_k&guB%DY$GYW!dtu zzP#10fRSsV;Uj6jRc@iwo-LK7C%zLqj8j!%j_Rk~9cp?LZqT}!ZMtid?cuGpE*Lq= z-9gJA~(6er2Xm@vl~MXNeIJ4H~F!W!9asOt`Y1?!XM zr(rmx0p_csPk%Hlpv#@t<1~nSOX#WZQ@fw^z$X7(`oF<@Mqx0i^k(F`LwXy zAM6o9ElO#f`X%!Hlq)!Ba#rEz34nM>?{6+ymF*U*NOe@)6mY%BkmBK7nH|%JA6}p0 ztI$C8d`&M5Q|JCqPSk$>4EH1%dZbxvYiNv-u<^mr6YU2`Kj$OjZ6sV>sr`tQC)e z3zM_L-&({V3>a?4<4sF$-i0}Ns+zO+`G^$&k{szgy)Xb6cYnoiu30KUd@Rr}tv7Le z)hPdQI-tQ{71MW;Ej*%#j$olW&(B*jBw6l|jmRA;(O z1pPS?`RL=y(eWxy^hRm!3iQeeHht7Tj1r9i;j#qrRwUtE_M+3_8v78HWq`5*3%n$1y5&YScS{_ zCji?c>=)aYsa>cb$1$sS04_EL#r7uZ^;A{DV-d5DrRIt&HT3*-GdtU+ITo4j9PT1f z*3^)`9pcM%{PokxyU2=8BI*2IQR(NZz z!@?6a!k0IeuRnmkfW3ar$jtR5?Mz+JEE+aSWb7}-QhaxHka{UMjPLL0BC5OQ0>fEQ z1?@k9Wg8+wB5*MP=<4qPW+73|cDGg4>? zaB4CwdM(ND8uS))$2C9V*N`&F!Ad+9J8IUq*{!WhUK}ZYuNj>7e*} zZPu-B)Pa^*rQQc8C-I`% zG(hJ$%MP~o`umcGW_`9^eSj}E+QF3Q#anENVBta^gZ9`YvYMl|m=AH=V zVRpvn1LXdN$SQPm{7EdoB=m!0)?znl>k^NI$6PUMvPH0mIulN;-|2kDL-MHbSq zqP!v6CyNZ8V@PA0?6u~+fX;a;|1|gYB5$W|cw5DNm}Sd5kPEk#PV1t!6`aA^@kntO zRz-Vx5#&GXAh|~G8~LqbpE(fA3&~~D?RV!!)CFIX0NZDP!=Z`IpXo>)@IjD0%vPax zoGn0}(fzEb_m%E_$ZHoLo9#7Da?~!_wL5n0Z1d+50Q!lXo~}`;cqV*oLY5d~R?*fZ zb$FR1{AL)F3mQ(4mBafG3$%FTwB~hI)d-!9)YtrHy%wZZHYF-Qq$IP3w8#VFvKJu+ zgy|@?p_UpBh=0vva+%E`Eyj`IXDXp8KP9Vs`)|IBjR?58?b7-#3lj-EEe|C0{^P%I)vLH$&e`_5pt@3Ka<*+`XM$Q6yS)4 zAW01y1vXFX1m*t@k5IyAh+^vvNnGkM?_QYHanHlPk9cc}B#?8^`^rT>6bH|FxIwSB zTqM6)NeXaT$KpMj$8gPowK}!T!ptCl@vMnv;d+a&h2m| z#>!K3)%jx3nTGdhiuANJKJ*eKh?>h@ho{x}p9`^-yDl<0$_waT8{%yQbZsCto<8P^-a~j~YnOwOH8T>$CVG8ycC|Xp1 zA3n#%!4;)PT}z!@&pq4h9DwsvpoQWcGP-;`qwLpksq;TGyHg>^TFO6xOGieb-`Ank zZ$u5~zBq>xeTXKm{FC}mxwLi;JjEoOpNY*$+m7W%<~t$JNRBukGO8k85^e#XNc$+2 z%Z9`%8K&^Ia zX3c%Z=yLiWszwELr4=_{wg3|C+VT;F?ulrn2~OyRvE@=A>O^deG!eMtayc)!z1`YR>5BJ%^X*P3Img&7{E@5gp+T5wnw$OJUAY@R8~uaVQV%#} z(CMUc#oQh7`^fSAu1CDD_a=*&riI3!Gcr(Q5(PSJi`u%52*lfL{4gbU5}gEktE|=1 zn3zXY5puzzwMP-6sl6NO7URt$!D;pwJ1lJ^QgBfC4qmFOP}0BgjX|2HT)OFfQTQBu z>az!+e(?ZiWm`>*NgGVqZizS}x3!w{1VVwBRLQz5p`!U!kU^F zLbT|Y=tx8J+Js{%2Fh^!QwN$zLrI24DZ;{d9qTH`u*VWHUNgqp$JbU)8^dft13W;! z?kL0s?#*)Jbuy_Vl9*VBgX>o@=Ip_x(&wPQ$|mg()nqiFao2~5TIc0Zt{*jJY`Tm!pg)9T@(dokDdiZn zMdDXzmjtLVO^?niTCCkjF$sA?UYdy}gl2;-n3eRD-+$_os8hMd4jQo^Wcdbv$1!-S z9BV)}C?{U^R-q3c^lsR1(DU++jpAOKYN0yv@_o&;@m@XxHuCe?KqkGd;tWEb6a zww_zEZoD6`wix{eq>EFl>4NJ&6G0%6Vey>NS#wV`EVN54lVqtq{Ecr$glwV~wc~KHspm-kkV_Zt6X(o?kDv^=VL06a zhm(5aH-`2Do4I6@vapZLF@)-Nm+&U<_L{%TMg;LcDF?fP6Jq41S{rE1Ut;WVvt93@ zP~RJGjeFL=@9qtpa_CV7PZ8E;MQE2Le>eSrclos9^4xb8qj+3$Jx04)LfvV>YM(FF zi*AH5Ns#kJ^2y?b9Q@Zd_m-ET=vbF@Q#LFqVV!$HjX8qMa(+=L;C_1qefV8N(pF!* z)gRCm-ZThmBiR*gBtXiYv#&AXtnDJ<(-TaTf@PYrAT7<=$M#l5WzA$WtBSMO(x*+ zk_ahg)$`R9XP9xJy-LiD82q?RYUKmX(c+dIsq1m9Q0Y@pdK zxx$|V2cn5F$z!fcSHdhjX}%Z_BbDhPY^TIj(>8>e@i~xx4JcVJb zbDQD_F1>di7;=B)T6GhSE}Nh=ewn^c4OY4zmyff6*oD{(_}w9m5tX|_`}Am$mUw{% zDg+-7)ujBqf>j4dpXgXVe*YSz5gx=Sg^xjD->O`zJVgt>9gF%j~k7Qn+K;A=$vHduZi$Yt6;~@LG)WBOR}timt7s$-H}_T zlxkfZi0tY=cOg_)0XUP`@8!pGLhl9(7wICt(iqP;>q3bai?3E2e1-pf;siup{-AK# zBwExj^>Pj918lAZM z0pnMSRpiRsHJz;y81*J&1r2$&1^>oIPN^*htgwrlfDQNt+{wy-cTze(rT8w)xnh&Ui?*0*w*9%#R>EWHgxp?RJyFV)V{a zwQsK%a6XHZT*g$=6TVVIkUD0#(>Yx8F~Z}=K-<0loLm{Dicli2#QgR9-_K=V!7zf- z@%6J5@dejjBz+YMXRMkCF|12C8^*~MlvOKb!jFqz(&67o)*{Cg2<&xWyf(f^3JY+8 zLy^Zel1*UVx;k4kf{d&-j@L95Q2remvcnKnr`_Mq`87T}?T!-(6dXH2 )fJVhy| zORV1z=2KQpM=+IoF4$!8${zHdQLoi{dm&a__|YsGK8bTkW5;h2{GPg?J!Tf-9OYC- zB|ko>j&dTOL}{}4+tS}=mhN7w4Q#opo-yjMU<2PHR>vnGRA)73E5C8}(8>-T=fI5$ zfzgB=ER^W!+NP#fMJqfXs{&RmJ0;Lj4kxe7$4JE}TKEbgd4CFRlCJah`LOniQv_Vn zkc2x5?ZeAZsSXt8c+f>N)*>W{jwf~phs-SwegK z?IwLc?tJ8D0n)BS?Imc#0o^XfaZk7tWjOzEl_n);woc$0_TKGJ7`sBp{B(BRWo+#X z73hh;jIxF;m_*ty(6R`@s|zs`GD}3pq>gb)dR#Ye z5mMa3DC^w!AqI{&Sd*GzSz=W;k?Le$W^~`$++QkqEcc-{y?Iv&V!`&Y@VV?3FNY^} z-}Yo$4mKzlRB9ljYyV0j5=7b7AA%3&Pl{$1MS44n4ui<_eVO^JU%=yWU3!ir4EYv$ z{Qg#nF%!bnMn1^r(G9X$5LdF3^))s);uIo!P=+CQh-sWBbK??0Hsy9OU{{r2l?BTz z3>*c%W+S&-M9QuG@SlM~=Tek&vAis`4}nLwdpZKTZcpGV$19hqX2o=tk9%T1Iwp6w z#M#bs&0yRRatewV>xZE&Y=s-pX2n5=^oc6y#$_%4Tllq7IcBwOL&IqbWF9g|Yhn%~ zil{2gxt*NqZc}Nnw9L$m{>P6wsx8rGcV%s}7X1uuSZ{7pr92S-h_$WBd&#@tD&sR` zj>MwpV`b_mj**-#z$yJ;d#m@lo8I>APyd zBP}Y*XevD$H%$CEElpKfZtNTwm_a3(I)0^b2K+6C`R& zvWL1#JoGRYU|(csBoaJaH=T<+jqu;5JMIzdaxkNDpWCm!2^)V~S)W!^JHhAGvKe4q zY|YYQ*K%j%GpP^FI5kD@kX{X*Hr-d2P`RZecjR~ z?RHyQ;OLY_4-502c=;)Sd+v)eN8^K0rlcwMdugZ+ujNu+V;NHc4$~p~ZE3l=uIJWe zMsd4C%gHoAVPa~K3n2WB@8;;@v)gIQ2ussvz^)p2OcAErJ9PYP*Pi#8_8F^=gCxZ_ zD;Mc^3}l<${%t~&@5GIAvQQIv?#`HcQ!LlX(@&@FKK^-0TZ)&%hbRDPLR?!S zgj+!+JC-Dc-M4JrT(zo|g@i_-C zom!8E8YFfr2MC^$%Q*X8(O+*B-j0AGjk5h=v#u&)sb zSctQc;BBUkJ@hXE>6T&4dL!?`j})LZWYvWyTivG?!n*`d^WhZqPol}`TnYx)Itpq} z+7+fIdu_EWDRxbprr;>`HgC^v{A_l?i%pUu=W!vQ-@~&2LG!!OJ?|i4a?hiu19kiR zsRK-kC*a-hll<}N-R5^sV;2dJajpbi)~Hc@$vac$^Ur{EK^BJoSRc_^S4{=lVHgRIbT-Z-1E-9a{0e@}^3^p*F^(QDvZPP?yD{7C~q-QW5={qn$$ zzq8<|WYBMyN7Kgr(gx?xy$64ET}}$Y=DIhDVDtSRuaJ(C`$cWo)@6s+Dpm2J4jpeh zz>5MW&N4|k8c(>KFDAL>Ls<-%sFQ+4y;h^ z)oAFD3*{$6oNN=9Qb$dS&)Nem!E%GBP2N8{NWpS0PYFX-^0hIN_Gw;`$p|F+KFkp2 z8k%oL?zbS$`x>?fEoinM!(d$1`xDJ9(fTa=T}5GWaOa-xbE||C>&R7< zGybjqp`%Nni_%A?$k;FgYEE7^741jynq6;NcGSsR$NhUjzW4H^E8;^i44&9-@hfi7 zm&L=mHp`Z$>GWcCo%>rbt^VU8xPMQVyGJkqIr}_vVoLJn@4?_2><@Ti?XDe+d&hHa zzr%kobujNe94KG9wOM`RS{X-wxaIP4u$_rjT6G+V_4{0;+l{hF#!|pNXiF#Tqlx!< zc(T!8K}5%$P^yoz|2@1P;1NlhUTzCajnUXe&XEn|Ot@TUtR0%&F(Uc07XT+W_P0C2 zVomJ2)-swu05eo|F{Uv3OD%i5<`H@TIo{heB(C7^K2P;z65(bZE^Z_n5gM12tzEMI zP&&Zb`!n&qsWa&JFk4s)u*iYB6pV?+?u?V#oty*gf$kKj-@sw@w7Tv8}}@ z^IjViv-Mp#jQ|4qhIc~5j!2g0mWs2q?T7Izfpp&cY)0inbP$bp3W#pJCxCHt8m%od#8Qt@W%RV;Hwa3GS*le*1Hb z$nB)(Ab=N%sIk$aR!H3y$P`=Mf{hj4G;Q=)f(io7=)LrQ)JM$qga<4`v|?&e`Up7hf#h{ zx0rm?(WM@wbjHCYGo+ZptB({_-tC(YjKeO$L()f9`W-^k&B|jX8Yl!Nqy)fBb=@g^ ze{xBg4$jw5H&6nyj{pp_XMKuit;Y0|8?pr5qt%dL$S0)d9lW9*vektgasd zN$zy<)Mm!rE+oc?;i%=NfV!=Ld^41XoO<7FD>(%gfjwoP`s-)^Dsay@zK~sxb3WXF zKGAM+M-6;r1Pgm!WY4NQQN*TYWP88;rCE-DZ@Zml2)2%G_pQ+@Yx?tY7v|WETTyJD z?mQxI2Ia$EXr6wEj9}0b3Wf*Q#34LG^iR@Jp}>p|hnzxaNF_a@Gsl3!kw0X(K9hVe z?dOHgnT{C*$I!#v-=GRFE3^T>vuthG)*#oK(pqKsqEJl zJc2c~UwL!pTDO*m{*Oi-rx6>XM$stcR`?`;B?O;CZJqTro(Q=KW zs$=oIqu3j~4lM~rC>Rh;jnFU2pO~w88$LNd-PKwbvMN9!WW6)JX;9Q$iEH@~uz}7h z%{Pt*bkQ$Y-n1U^Il3t%;AdVI{3>{oP}$M@O1Lg9s}#M~AT2p%Gt%-?6p-Z-OkA5O zOb995d58Cop?Ce+u#FeSjEA*I-65pPhdFDn0;7A+3KyWnw0>rzgmlYLLzHyePNWeS z`qjODHmt2O`>9d!J{fGTe=~cyBjp>Nuj{c<51#M5tlZJnU}#+I^pl)~W!>B!((L>A zZ#zw}=`TN-8$6=f!JIqtC9wh{9zQB&QwFfYPms>wgv~?r>>cij!s-aJo3$os~$9aX$TS#`M&|TNP zRjUtA|MW9CVC7y_^rGNALGVVg%`BJ1&@8gi4i1@ZKvp_^Ri7P=Qlcywxz6>Uz z^tYoMLZ7-U?XMR~Av;5TM38XCO!C1@O=NXs%-%Hc2I6Hm$9rrO3mREDJIQbATe}_% z&6uvt)PLXBl1`LJ3KDtKSB;ZpowV5}5xwSR!o`R;bXDb!o z54Sh^d??7EA@o8wW;$Gey;(2T&qjH^0?gRtGs+**oh*k>EB9^6MUCk$fXrj~HplPV ztHkeESmwnMLLn>yxLm=&&-91reTWCc&0uF#zX-i3DeFgzUX+K4)9S>>o|uKt99fHj zNEAr)aMjT`hl59<%mVwzg@e~bC>UtiU&hky$v-D!dZd{!k7tNBBCSDp6Lo5F>?!0K zn|HOp9oP_q$)yFXw^J0~#8hM+Wq-R40`Cdm#K=|pUMCBhf?}dpj?`M8Y5drHS`JYbDaTa?oG)`-rA)nvr+T+PKVB?FMBSp>@CAw?A~`XIp_fJ4&_%0T$P=>;li%h%bVH+#5+6zb3y|H-__EX_+ds3KO0n75C5`N ztS93yyJ@o1REx26{4~}`!O?%^GetAwW_41{$+(cSoX<`DU?@B&Ci1|}5i{~A+DKKC zXyf8iE8E=k`Ol_u`aztahd@j6b?Tb;4r4K}6{1+7UmX`IXw&xPq7rmOYeRXT{5auR zz!jA`xC%=*c9-UZoy|4yyoBWT;X}6iJHMINns(kXt^0p-F8wWUAH=@RAQYoI8!`_T zz4ogh(s#znM#A7&lb%I0=!y~1=d5*$inT_fA<=U9y5=t5aGc*diVd4wXvk|nN@k1} zr<0qfod`t=WWJy2K}{v&Ge!XTge{yRk!Gm_> zR|5Z%d~&DJ9T*53zj7+oIaa^XocEdCy)8vJx+<+FI@ECXK6G9^pYjy@K z7h_J6_^1jk9#`7wAiDC!ZrDVQ1Xc?vJM>F9KptUlu{4>&i?HMIG-pu8sDBWYU&&N2 zJCQH4bZ8VoY_iWU8i)GT-#2tBr(0f6y{+C#i39$L8(n!4Z?qVsdd&}~S+^s*0Kdy? zf@ViHK!dnPz}CCfv7jU2Tvtns$gPU?%VE^5f*+_4hlZ z2h~PVYZ6E*W z@<4BA{fKt*j$34wmf|}x5WNFC_;GXQEF1k@2ugF(m}p6=LWY_e5=%Y(k*XT>!{0c6 zPO8xrm@OMNdXk3ztI51xq^~MR*qLy$r%J%L?A7oMmjfzq?5=f~Ze-I2u*{n*a~Bu$ z047D)WaT1)MaCU}e%M(zx-4hWf4HyaH0Ig~-U3!f+vX}?8=bkIF}LDAvA2U^6h4cM zw>L|{nTzeT$NSZ^LTrN2Ft1`S@>{4&HHI z`=j+;g967TA^eVCq=e!!+)78zuZP&IucogZ-job}g;ra06fWOQ2I@T;laJ-%4|mi9 zClO;h2@75w&$S(scUTYvB_H@Tga>!WjLBaOVG@y2KA~QWF8!z(hiM2y^WLAw{r>OOp3T&J#w%{2HpFIliea*|C}1^;@O9&|Q`g&aF3FUo?|P&zIvM z)PRL+!+JiP)}ds79F=>pqlezEHUYL1rA*1AO&X?^@(HzW){I8&(>4rmv;Ng$`{;>EOjd_-Z7KD996Zhf&5Bkr+$V1jH!pA@R31Bt(D@ zKhq-FN@gRGHEeUZESSeuV@<_W){>2y2@3o3t-T{f!(>X~l8=~k1Ff@3z*&55f?DBC zr0J-Wo{xkvDO{HN19zh0w*(#WhbJ=7iPk4<1${?wHg7%)k1}Ln**C>*yK4Sh@#Dpr zF}9rWMpcVw*>v{@AwqCx#$l%Q; zKJh3~SQP>Eu}nKtj*7}aE*;}!&=^DB^~ZQ%$!^i5<0v*=4{G?_T-ACo6pe5WxyMDQuLRXnml$ z)2*;BmK|^P_I#K$28(Amfm$v$V&qOcPaBJ4R$zAEu0eCg2;74H@zAf=Z@-ur7`9pp z+J}0ab2;WC#JmNz72Vujt#~l;#wWB9<~nY0kzIZ^*!r^Kc4jvehW2zLbedi~;W>Vq zjAH)P>*kMr)`>f`7wb2h^^CQsf`uOSHMa4T%pVfrb8#@Qc_zQlLDZU2YM}Ru!>w#_ zf|wD-Rw?u0HRvm{v7Pvr-iCbzpIq)+Ihg~Y)kBM$_j;0 z{30c%mf%sC=|H4UQ1Z#WvSfIOb=%O`$DzWs4dU@PdaDH>XjPH?@E1THy6CiEl?@4l z)R=OE$5Y2M^{$S9nR@x()|$?H%vmI{NrW#K9>JBqm(oT0cSG0;-wyYt=bfmF80Saq^3n!bFOY z>;azl{q|B|YfTs=tB)KjjS?ED2MeC|=B$=)drwMg7=4r>KnQdwDM1gY_7ve6NNgA& zV7X-=N4+z!iglV+$H@*;{<$T3BMwx{D(aAn48U{Rz?qWv#zNMe*STCdNY}e-EVh2s zWDVW2Z=2k_5rU-`*}D&~O=I5yotR%8qkr#E-QcCDgX(vD{P43@IFcAU1i8rA+8ex# zEGRI&L1h!{^wW3U8Y5}$JW|_^WTMe>Lg z^JiV`7%p~?1CL4u{9_|6#xA59Bgs#k*Lg)qqa0%eq(D=D4aQK4*9jn>jQfTe^5tdM zz7i)Q@BnNtmu7pGACWL&5QkphAE^O1-7vTB&;E4P+fXn$i4Mqnv70z#(%8B1}uzWbicM4teuiN&>s5Xu=j^Og)cVuEb;3bpu*g- zW>^J2riHcYGrY*q=+^&3)0YQA`9^J1NfMHfJ;|2rdzPsrWSL({cFL07WM9W*iOLp= ztP?`n_noot4932UeHmjPGnn<$`+o1A&wtNz-}gE9IoG+a>mk_R=#ij9`z!v>MkjRV z#qGtK(Q+iXv1!fI8mlsTnEej^qknDjHDl0NkE$>vG=)kJtr2Kgwt^MWP0RayHyvZ< zg_`j!I=LiTeZ?kjEn~C3$8}tc8lK*Iln3!@+$9#hSeW|tFHq<#LjrY%z|topQMDx z5M4=BCeu_|uQEG^``Ix-|6q*Xh_TVqXRK&bTqZ?{of~8ypf)GKuQOlkD)EasYP_MT#Uv5_=rd*2W?Bu?@ z&#D~@{(kS8w6}TtE0@949r||flUj*&IW7Ca2#4-kot-oX(_t0jJIz(-`7XsH5dR7O zGs7M`2hP}O0}jHQzZ z;Kp$*r?S+1fldm0_GY%s%0|PP`_2NaFaD4lbo0GsCxW-7kya?v6kl`pok zEPEPDy^A~8jYmTAHU8AzQE=Mx`~PT2b)kB8+K0PM6$x6@#S8~-5(#}z)+xuoq-0Hj zVs{?J{zX(&+d6Gmp~gqGn6D-~P#=OvKLp&i)A5i|JU;?CRrTW7n#tHRuPg#U{{l19 zy}&Z6NI%}q$2WPA)3Sbc8GReg$WkT_h$?4`pLgxw{>%vQ*KPlAjYH+|DF-^^;q8{g z=MSaK&&X=ha+%Hq`4*QxKN5~oYFuO$^h$D9*@&>bbTY=5&I>(Wy;UIPRFu)xVNx(K zJOi-t3+dev=|5HV4EjiWVh0Fy6P_-&zr%I=Mq52r8Ff0oPf`?w?{c#eOs1& zgFJe5>HEAKh97d?ki)+{h6@T9#&oA?3A-8&Kxp9bR&v+AUoh*b4QUKW6hj{w z<*tq|i8V>vc>QK~tjDeo_*ZnYm7L=PN!3&FhM} zbpe*`=kcyF^980wC+3ld%%@9ENpUZQ3I4lZvV7H$b&6#M4}%(+A|$VVLvC@urQ2q!j_KDd zs)(=u8M`IkAabeC{L7K%vV#2OOpR+#^!X!pL%GZKldvLO+@%%+XA#U?X?v3EIl_&~ z>oZc%ckaMWcHqtlYG_bB(aU;sC~4DaD;>;oM_ScD%$r8C{i>yB-Y* zF**%Wy<1)_(qcDYtnXg&vv zj~s@|15$=iY0+g%XZ9|w-KS%;OIy}b@K$CgqO>`IIo0CYkE*%wc%DFSb~QB*qh{*|!&|+fg5Qck24hNyIjUx0 z-sx|tOzNA;<~L^4pE@AEme(%+BTMbQ5ki;8T^4UamhCz!l#?q$nPs2AEB*>54aN!F zqT{>LUqGCsegZ^E!5BZm)p}$;<3-xO?zQh+ju3I1kzCqrNX6NWma~5SDWW~*1WS47 zn3556?tM;Utm}R-?6eX&a4eZNaJr&X-uP7n155JqnRx$^GmJcvVJf$;D`Z1vvtfH=Kwt2jymCk9A3sp51iKDSp_lP)vVlo z@q^xAK3T2$0>MKm4)vPTALkDcCbN8zKfL%Wk}TezS))W@84hDvkXd1UYl;qJ?I(NR z7!fjD1q*H@J4t4dXU$-;?Z`)N5cIj0g{pq!hpEmw*+^swvs6xRpmMICaM%r%tcH9SNw?cydlTOcC zrYdl|D1mXp|8OIfZ126h%`=}}aS}P&zI!{dd&=ImO=R<_sBB4P=vAEvSwjq zp!LIyo93^UqON!Fw}?+6u)TZ ztxf_-yJ$%uaNEJh)LO6;mr))wNS?V_Eb!tNCgC?|8A7~Fu?fWGDe6l$+hELNi1*Im z;4^>$;57SS{%mJVY$FeD)rjvv=c6USFPj?6NM#VBuq%B3_0RCptox>^HFsrWy{sN+ z-4g`wg08^R&Kl59YPGWbwO#U52c@CCW&pNtUTr8N2Z)*hRZVNQz%>r?jrfu9m_5C! z3!I^;J_nAbem1zKQFpCADUZpLW0h$rLMx6?KFt^IQO+Gs;`Vm;yL> zfBGEsHPdfo41m}udZ>QJWe2L?gBbuI=u>?rRo}XaSK8w;HI0wwF|xMnl4MD?%Own$nSR;NCCM6ZSZv|h@E^)#E zbj`MmLpO%DEY38Ajz^2u&e*rCy$~y>c+m;YeHROdoQjLX)orvP6=*BL=m>i4TPhib zEZ-4TM-uyr&TS6a__%qtT?1@6k{L!=KA&qxOk>0({Wni&-OmB}TdI3q>RzymF)?

%sf zdQG0#@Eqg>Z|Fk|Aj8XFb9WwbY&z_efnZMnia{ojj7gVwm>1f{qMqB*>M}8q8BT)3 z9k#NW_#LrNe1Qjk7XV!=r220WP0rg*C&uqQIMM0gkRVm+KWOdw-~iDO0fqPg#`6T4(rs|kW@5N(Pyvr^%xa#v_R{L`(hXehtW*fS~G zw#a9H5Fbj&5xsTI#ChPEr&#>LQ3`|5UHbl^m%&s^BV_ zk=UC$_dHphi-Rv~+aRsYftN?$pc(W**9x&nGPtrUOBoL zB$`e=!Q1s)6Lw=7Qv*2q*W`ZLa@BeU8j?86a;b_V?ZjF%1voCtzGi%)&}xrviy0Qz z)aY#+zTK*JCND{*M<9CW#Un>W8P3v;At&}r`2ZcS%$E5#3LWjN`jN0}&g4JVruDIN z>F1a6*WGK&URA8X`AIQHOuOfGdQhK!ef;@WfYqP}HCE_@L1Tp51{H_$0$I3>@#F7J zTY8&DpPiRy`4tp@mYr}%P!lFasI}yUt@-G}bXUcvT{W32ZEV@xZTN{NRpp8@L(Bw~j0BDP6<#g+GkEj97}gV;o`A&mz#p}q z+d~|7KyGgL4a3Kw=9mls5&yq=L4R~ zQ*8VXyW_uSqN5@J|MQ-cskM1{E|L+16sQMs$4)mNjXKKvS^K)z?NNjHq);}%eOB$?a*!VN}=URqp_pEP0 zFXP)Z-r!wii>H%@Bq;9(V6&lb=>vN7q|hPcZwP3I$S`E3FR}U~*EZI+n+E8j{Su8u ze@|#TOd4?gjuc4uKjDpJAHMS}lcIs&*q^4UhXctbXq5weO=s~)Q~HFR*U*t}h7QZN z3&rH+(GVLCk-p3#SZwAgfp9i@JX|hDIRbf6YK+0HK_u{RvE_%UV-FAdF3aSK_lDOq z#wq^$*5=elUoEZ!uPF3nyx|*C?-ljlHB|_%<0j7a&!N_GFs1Nz1O6mE=oPGF2wv=z zxQIVWfW9MTo0BV%DP+~&%O#6%o3C{njvVyz;otTI5sAxSP!TA4Qkd2=AJZ#LRTj9J zvRgr0g|EVv@>>}_c%7{Na0;XoZpMzY&N)S>e#WKO zQNAO;$s@Zv56fl#Xbt{B^+_2>&~;Nj4c7 z`UrV;OIR6*y6(fgh7F-jEzt1b`asA$ytt^JwQ3qD7X3jy6|U23BgpDCB{}s7GILn( z>PDy>iI@DhxxoRCEC!m)?c5$q$ky#tHE5(M{{7R3hw2_*k`wF8?q7i0CzN0MgTI*x zKvzQdHsEK?UyMx}`(N64cp2Lwgj>#!%t?d&%roi24J2`71urmJeIji4)L52C{f4vD zj>jc)kS}Aw1VVQYtvYq4?Y|yVSK2u7>o3*;4-I}SDY25oLHR+WqD%+}ja*iL^a@`+ z0@PP*OqL!a=-ehzs$F0oG~8jrd;!ag2omi0|mPDCn zANUzmXb5GRZbW4)9iL3^=ACzX18`jewk4(l!F@X^pkn@uF|e26%^=3I(}A(W7P94? zc4#hCw)Jelm}e6aax;Wv3s`9}Fgc3=)Z9{lmQV`@b?U_?LGMYNGUdF<&k{nK;?ak} zVLspX-28}@L(}*GC+yuf!9S8t)`)2`2UId)CZ};Uw(xS0k4W|?(u1AdVhT>iHbl(oJ}+NmYP*aVfs#+R>peJoD`m(&r__uXX61o$b|R}1Zlc|g$~46*OJJ7 z6u_I%hU(kw@jnXCk}Y{0gz+WvVMz!pKiwf9StnW4e#o#l%~`@DHM%(eM% z4b!i&k;x)WPyoJ2c6MtEw0KliJ42YR=mS80$8rLSz_rBb6J-0O)+ z1zYNFkZBf5ax4s#ayr@7;QImRr9#dav-0aO$$*sc&8euoL{&)?PD;AY#G6iBXpw^d z<=nMFMC8P=teExl)wDOXi4}k(Tf?V_+-M`5lX|#pfkG4gV-Qi{SF6s;h*igB*We2# zLGJ3~3$g?&4f&q$Y7%|@hRK>i01CbjSqD@6jlo2Cog#?0ySxLsdC`O3vv*$xqb3dlGwJ_3J}K$=N*L%p2!kDlCqZ=5OuLm(4rq%kT1=c(cz(^^xCLjjzefiJ0g>1~w{gpJ;SNsUz1|Nv$}4ByH5k8v zE}HswPizW!=N*Ivm;rV>fSr~gdU^d}u5&u4Tm;|~Cb)bLw%&Se!`=bjpLFw9+B9oV z2JF>ar|C<#OZOuFvGRm7WT-cJT;-xtd9t47^QYHcuoTq|&pO%WAJM=Ii|_i2O1Cak zb28aawfzK-@T2*djfeS8Dk(TDN#0nC}wnd?6Qk7!ZK= zOWDuEaVBYjGr+h8gyz=%(m}Y|@mY8Xbr?Ofv;IjhCI(d?#%qC@Z))byXL`uUA(Hrx*@Ylra`eSG{E|}J zR@nkhU}NImB^#enR=-L^S6G`urzy5nzu3pUO=gIDF`k8u>Xbi;OCn(pncOChPGxE$JioR|%|vEmxf1vF@C z(T3c>{%Te051fN+Ss|GVGHjRTD7+eyQ3(gqEw+Bvm)<&`p{B`5lxa%yulKZwMM57> zp!^|FP)ci~Z&QC5|D^E!64+gZQREAU^lFXXI}4y3?t9cv|bP&xa>)21i^<)QCR+mB{$Z31J1mzv1?CtiHyRum%Zh=%Mk z39mnEh&mrGx&`=Ex3XGhLYeCgnXoP~i@$Hq*E5D%rAmn8@i|os?Dg)ZflE1+@qt<` zVT}B_&*sn$um|t0GDna63}jLqezXblKok${D!tF+2W_+{pD}sHV765P(!J$?2eH`f zd|SAh%D+?T2yVODHimBCmIk}MfT%T7h&GVZIgMAe+Er)V){|^*j78+pv#+| zUHbBe1Kuv{Glo_`Yi5C7G3*tZl&M!`y=3nW&dn=)Bd@SWQrtTLpSgC(`n68N#$D;a=k0}HvhZ*^p?^g zz3Eyey(b#|tSoCirHN^CJ}DTxNtDFdkOLc=C1L%~daqZ!c|bCOJv7B!kzdgT;gc|2 z*JsAbfV0VuipP68Y_U@nbji=rW4D9j?s`HSt% zAB2$W=U#kxE7H(eLd3^|!6`%TGOVo5TGcZF^5^?=F#*0OB7=>>;(}47rF`b&Z|Wm* zZQQhm+wijWx%m#!rs;#w%r8bkO^hE;1KeEQ)``Zwq4A%ixgPM>AI)0ygqYnF__ggH zR=~~^K8*PMCNc2Gs^7M`XfMU9Oq&kSNW_nN2ozjn*qCFXeoxuU!Hwl=Gkv)a6!qM=g%`)Qjd3T6_Hwxdo1yx#zBTdnvn+qOaS1%yZHk7JvP!-fnA} zHrf6=2yqF&1cSKsK;9lR1vRLda18l$U;ev(jCSpLj#PSj*jv^|*F+iL4>5gDUY&_= zW$WAh7J?#>5b)r`ptNR5QqTdIzCezTK02;ov#TqkDxR{b%=gayRx}$j5@%XpS zxU13v?`fzX|9pa=J%G$-wIT*Pfy~G(0t3-fhw;z$7k4tuNKZ2cI zZ;gi{cU0iv9)NFeKK%_-(`jwFewHE~@}8vk@h5Sad;)|FIJ5ReJk7MnbK-Ko#_5-uf^I3K`~^~ukT4PtzPI;Y#e#x5rd zw|_Dm2V6{YvO&iCdtBVTfBPY#%PptG{KfL1?hiNABqG(4F`^&)C$HwO(myz-t@O#xmITmA5awe4uS}jZQHRK2G{&Ie~Rr9PGR~8wgIQrt!?Nvrv{;mh2F)PM4$ub`m zcH$GzYbO6z!q(m~9oBMQt=Mu@>EdJW--;PryNm?2`+mzTOYBt^VbQ^pZTSyr$@lN0L%J#aQk%bsfn0 zN)23j<~03&vKAl2A0O&R(hz@1gulY(jA0Ub%KuEE!nJ<@&Bj2A97;L0>ISkN~*vvD5Ph8 z10pmpO3xNcV$dk$|Z zQWI4pUi=Xhepm3vZnJT8dn9EuW9#@=U5%68>Ss$6zTT04!a)_S@{lPhg=I@JcX61HqvVW0T{~ZCdCKeXl?~N z_ciOuoLl>%0o0?MXF?$OE`Bo3)Z*Sg4k5>qj|#T5vpyq&#t#}>Jpa+QR3$ot2?rXd zFt0$k8ce#y7!tcoIwen?{ITwT6YyYBBpq|`#j8O-=)^DoOSh$8Uw)@^px7Vv=IMf+7xMQJ8JN*KC`MzAktnkRbnz)nlYyZ zJ7TRzRLJ5P9Rv`HZ+z)9D_@%BK3r&wdO&8~vPRb^Q!?l~0c~6VP(@SyTfReBUOUg^{CQHgFb*Y@JLQVw4k8sQvz|TGR#h&y#NcMc%HHwxL;l3ElC6(MGPf zpfZOJri+6^(AdVetuGqVCqJ_&;^-lPdKoAzM*Osq_)SU;$?)r>HgPU-N*(uJ`0 zM+^H00QjJ4;MmrC;MbsVtQZ2cKsH3E><4$A{3QG6l3A-fpRG6JkvNx7J(dG2Qt>Vy zWeS?!x|0t8w5;DJ7Y~I)>p}QdKT2kocwTW0SI^I&CtJK$h{KBB`4*ptcIlwtSt;IV z1&$_K?BF7C|DN@`d7$tky0;rT&nUbWy_#^Gz0oeDOU{_v#v-R|2eu*z0XLoy!yAf^ zisv;RNiGpomfjd1b3?s)?nWn{z`@fACxZ*K;DM|2Fq)M!Ic`q-=8n`BA27G;1>E^QG>LK zW`a8gS5|o|cj;MUiY1{TOBk3b#2!CUH{C!11c5Fc>={j-s;3IeBt$&Ent1d5mA`+g zO=?D1N+#cwOiq~0ZxJ?1w-x5Zs)Ll}lO8MYz&}Utx6(&TjzxH}6pl*TCWd zne#G=BWp4tZ!-iSY3GQ&vfy=V;1={u6v3`e;KDjoY{5Ntsqbz2EgjAy_$*0-fhEYr z*`msobnc*`6??9#L_v1}af=^v;>pb=@4jdtU2vS{_`tD#70j3tJ6gZAUvP<|-$RCb zDFb8BbVnyP=n5rjSAfiL!UrCA!CoFUEphFAPj)`+(GBSXa^C9|Q0V+pYHQ(B875m1 zmVATrF|+@v8HMW(nr~WurM?5tLT?befxk!<$9Bu8Ld)A+e|Vkj zJ_k27Yrd*TU;1x_E8BF*_T)+Jz4))I(D|M@W=qzCtKYB+Adi-t#ALs1@iL?=cr(=+ z1zG3wIjiX0B~u0OFQfx-dAnJb=tD_ zpcJx&e?^u&UMhLxBa<)qzwVe}pch*z065P+)i2-y#{ur2xPnJ!{%S!{=>SON zg{FeG0JvS_#y9WN-UVIj0X^(9wh3Yzc$CV~O8pLYcD=|6CsH5KvcCAD)uXRHXww4@ zH3*I&L+@DQCLxta!Vy z3rVNvRrzz;7jqfp0Y2`V&2=LIM|GZq582q3E14bk#;QW!6Eq~+t{db?J~}tzQmS?6 zH-}o5oLUzj~J;bZe6F!R1A53jHtNK`W>tbEj|FAx6)_rpw4;>{zloZ2Rqa@iP zpE@NBtzJiOi@AQjb978^bu<46)}WH_7qY5I^v91mZ0m?fLJh`1QU%;zkxMvK9Ig8l zq79U#oix-h?~Pt{Jpq-f-mlwZ5wIzFg^gW{n`2 zPVpedmZ_p2>f&c}R#zt>ar`lQL^rr(=(@1uOVEf_2|REPa}tpVQR9KE_p2~>2&D&) z%%=nJe8v|u-L8WPU1$CdiMUID8M^oPEV@-fwDVloJBNNqc8Ni1*CJ{)Q_F+(s)_-=?=>HUUtz#Zx&l>?ek z>HDAK^gDwV{ZABbY~6D2FZrN9U#F^`8F*rfaO&M10;#8L)2XYEddxbxLi_Eene?_HQwf$?WX{E+|J@#~7I@{YwJnds=$sG`kZY zS2}r*Z`}S-nq{k1%^%WtQkO-L%(snKYQLufUZEITdyxI~D7zbg4Zv1x%YRf|I<2>| zF5PTvTyroWvwT{)?nuWaf2+MP@!ivEu7|pzUY5+4?Z-+sTG$0+z*aX}Si;!>*1iN9 zk16VhHs0j-WfnoKiig?P4|PY*H&JNoGZO9a@ZM%nS!xI_=U}YqXyHc)cY25VD1c|_ z!O(l361%0(<}xkdG;y=zsml*ZjuCD(5H#)OL3GE%=Ywt$nl{A)v~{if%9qhx3t3)O zPf@(v8oi&Uy0x(~a$9Y3^&&mDD`&rj*4-W%uKpH!)e!#Ch=k%nRRt^llK(1p_U&sy z8Uwj@vg*p!k#dPCT`%ckk!45qWSQxQ&=7ozJ{)jv7>!y^J=5PpTb)7lDcjv;naAzL z+%kizg5B#mM?(T3HWuqcXV*cgFh|p##nitRY<~?onAqrwNvZM=*R_&!(cQqMQ~>Ze zHN1&*95VuK_IW%o(*gO@Z^-CP4ko4n@d>E1tn<3fL*F~A`Z?B=_Jgebv8e6UG7_J( zH>I4`h<*dKTKGa5;{W@t1a;_U(eTxttE#fxz7#3@MCFe}2J5_9PmV+^=Re zs>`g)7C1l;?*Zmx3I;Kp(!5PrJy`mFOJL*51*O35ix^3UiVQu}&H_4~yIhJjAw72odW-+4EK5O#q(-t}W9&ZLBK)BTvKb1n7IoVPqlTW6KkW!1J(Naw^ zomu?XGOs7C$qjRNOc7yF%yeMd()@K(JcCAg$!tEiRMVmeAZF%+GWoM1@x}ndwwtL{ zM|2b2ugqQ3siZ2UEbWg>spJ7!m<68+J{Aw#m!4l;Bj1_zq39#ffD_9=%k|;7Ucw)f z9%SD^n~#QP9}2qcBKu{D>+kFnVRGBIhugC)`SOtbT?=VKlxRi|d6ee5}s3kwNKkcT)*;6$-x~jWoH$@ z&+s{3Fpo!GlJF0zPZgU&q~)CN_yPQTPu`KB>xt&%*OGMpW$s~2*P?wX zaMMbk>tiUoqG1klW`poYm?Ga@2FThF+46j8xd2MeLkt?6@1mGW@#iQtMPl3)){m{T z1rpto3lkV1Ji#J-s5n>PU((6Wz|Cbjdu;{PlqVwU!uAl$2#E<1ar zH}9T5#)J;j6DfGFR-ZuJk)###EUKI5bV;U#+;K2Y$t(jJfo9B4i!^eC5h-UGDc7m6 zdl&F}-zV>e=Z~ujkexe6BSvFG$aIP4?v4`SH?PodVJ?ThM%->I+W#4+w5zSgbvU071aGo;2Dhy#k(hQ_ z3n1Bi%|_D~l>rZIZ`6_rDZzgDGIx)9E~RyN#h&(V&gH-Io~&Pf+{V{;0@JK~dW?VK zpEVqEZ7una)S(1#LDfiggXD0iT@o?rUYPG!?P-&67fw^I2FE+n!irzAg%V*y{OAY4 zh?sC-{2aM`L3M1lk#V+y0<-kl>Sh7?ZH9XN5T-@A3=?(E=tsy`VTMB)WuNy>CKVM) zo4%M9=+Dzv>VO=R!yhGgOLuhx6GvyXJNBkKIcN-SBPQ40e~V<6y@Gb;G`lC|9yUfb zKDQA4{wZj-S8S#H>f%z`9h@@b)r!{r3xNvP0h8qwMF+cy+- z&E%f1TFU=m^MyD8ZU}kDs74=Gjo{P5H+3%S`km6MpGKq@P)?E{o`Lg|u-_?c#756o z@Y>=|8XoXy@wV3`PQz5Q^@7?)4o?y6i(TzGEl z{-?xD&MdU9`m<><*U`Y3s;dBKvG0~%zVs|PUqoW?Yj^XjQCSOX%IZPTkh}Xf+T$!+ zYy0p#5tRfaWT4{9&W&KW*i&D-^?IB432z7N2}>tZpQFy+jfMj+pS^C$?PCczbU;cz z+L9;7uIclU>hSk3lf5@?+z;`r^f-wGwQViad+OdXS_dM2u``OUQOR8eQv)c!fkApm z+|X6V!{e3t6P(4yZ8BfpQW!KheeWD^_=vB5fJKLKsvYDC2wL$2Hu2VrHl*Y(UgT6& z_V*Q&bn;w0^Dljq|0I!U!_y&ahp!5S4s)rHbXdBkn(~L*};dbV6^AufPspic{9}0Go=2 ztr49Tw(7)N+<0H)b5`<;nb&K8p&`tI9#jH)@*TG z18VqW*NgKV^Zg-rUnkyW3o+e*rTPW!vsXCzJjVMLLc6)&dUR1e7hc<*HlNG#T-DrC zL$QNbYV`)++bPzdXS+2u^Ka5JM2txQ-nU>}2|-g>N4FF8dRn7}VG~lbeTOg58;CXSC44&u4;518i(&!d3kXzn$Op z%Ot0}UCUK4F%t)HJ5;9&L{`q8*_Z=^F0AUW)KJ(M4FE7M9`aVXy_8$!^f^M^Y zVv6rpE!YOE6~k)wfVrFSWQZZ?FZQd$HZUgF^ub-B4{0j-slsOtC{s^|ZNVGBo})qs zaQBJ6ADSmUeCVAw?W>~vV?9b8~ox7Mlj&%!wd4II2>J~5Mm6{>e zNz8XTTFv3(X>xF<=91zfjF81DWbd^rTBE&j?~gp~ zna&`GGP<~b*M7;J5O?)!XxYri8uvn*r>qfws=b}*)i@7JdyyB`Qtf+cfb_pcA8u!H z*_JUwt&qy%My#HY1F2EuX5tdNy)8a2$OAVNCB^%@8ciN}wj?^5`MPX2&S9 zDhDXbWV+50Yn^XR=ySnJzij%kbzh|}X{3oo#r*~bN5dy!voHU_{c&ElW42b^@_Xwc zhCo0=Hl7|VJJA|ibBq4v!}dF)iFghrM@@KaeZVy4&A;qaJ21djul`-B-QvSU_Vtoz z$tWYrb9S2BhZaTI4e#!s?6O!D$1^B<(Cf~JuX2E_vBZNk@V1c6h;-)PONaO8gi+mF zKwNu4JOra_Wh_~2CG_i_U)&Xq2R|Quh%MjbPb;_uis={KTAY$o;BYj= zM6wy8*-m=#!-&@a6tY-|v> zsU8u7KA{8P%#`@vBz(xSq}hC;{9s)0xRw&IGdEQ>Q92XkV-KrhJa_J{tE4%rCcU z9{iaQoo+cc+?V&17cF0&7>Z?Z7vwRQwAi*Bw8>`vV|vw1Mlm6KqRFxN)xn2PW%T3- z0bm8u!1~Nk5aP=X9)H|hG)pQBASzTL3_!W0PDZt0d=s3|`r|b81ZhmIr2j(}*M#Wp zQQTcTsQI=jX0!8@IzW8jVYRI!(@f8a`UAt@W4w78J`c5}exeqbzh0_5=4ePBcdK&V zslzO&tf!kUeoj1Y^!?|-8hO9F*O*IYaORK9oM%TTN;cR3p(GE|uSs6R|2;HE&Yp@1 zdx>$W0+0@M`F-|t$`<|aGBe+@@9|v;%kERnTTZ6gHuGkE^;2Aq-N#wpEsU28`cNLT zwaxHF?K5ahyJw}Ix0fei)w{<7IN|_&G}2;mroVpxJG3TXX5L~H{IcXuSCTINi<)|zNdKp!ip|@!*r!_sWoH{u`%3KE&BEiE*Yp!z zO64!2;{n%V9&nD6!;%1C7SPYEMq{Kl@xpb{ydeGn|JZX<+5ETNMA-*a%gxYC%4P}Q z(<(?b!+*yOD-5FT+4-Wl8c4FH)l=Dw^rF3##S6k8tu9bWhH>aod z|79|TJiF%)T|6QUoxr)e%mQlzC)v-2+c!Gt6W<&f#|E~pWQpl3-;p3jdYI6tFVt*kGC%+U|KYW+{#&bW5UgMZ&Mv>vD@&%>mmKKF;`FWBpBXXl)Eeg?o(kVP{XW&LCxK3P%Z>6?04)Ikg0 z3WK1H0@-ApwS}Kz&O+Wo@ZJn?B3t_zb(7I{k&V{c<-YNg)BSo5>_2JVDnyV#T5B){>I&JPo zgTb}mG@|*`Kx!WJ?f5wJ9|LyE%%ig*&8898bju`l*^I>2^WnH^*RqT~+DloW0e=PJ zdQF9sw2CiAB(UX65nThTS(%RYo$K1z6W{FFPrq>?JU2X)2&1U39Pzw=Rqm356?=R` zC~6Q*palITLOtcl>7#7^)SPimiNC_#c1Q>JeGHC-kB7&$7&=>2+^f8#fNIFEQ0#H_ zpq7~4j><>HjVla1sgVnhKcU`jO`oe{K3_-E+h%o!9fOi^akx zIfeFfQEEzh!!vePH#l<#v)s*lYrb$^?}7}9bYK4~*Rh8Lnq*Qj@$2KAX4jYref)gD z{`2@yGdKlz_{Ecfcr6~u;YqT}T5XvFk`~Xhj90wNq2#tM`5Y1k_GHBU#$VbGkp`*k zWc6?CeO3_`V1Y&-`oURDe3wK^w;XMG0DNZ`1J%|9^~ZfK7rmV<*IG%exySIX*z_l1 zevt1#Xh}=Gy*Qqjjvc6us+1J4d%*Kd`>^Je@adM?FQ>J7{`xF_3x=ymbi{0Jsyp-# zc1ZWA+Frc>3qOB?Hyqwox$jW&=<{|A9y5RX zrs8~Resrm;|NI*rcGcHEV4OsNm~C3%uMWWn`tVaOg5_3v^0%XYA!e!9 z6eWE3Qu(IA909m;fxEM%h4Xvv@kYAe&nrp0@Dm3$^N1Q+?Q~6-CJ-i&;pKrwJLsi^ zJiocAS`rvzKB)~+k;ypJMsFr_B#{*$cda~GEG(ebb?9HwZ(H$-O&hCU$%BdTtXu=O z1xcfRQu1Vkc=FQ?H5j%+Qw0?8m9ASV?RY&Nx%TCyDO_iyAf9@p?hnOT0;1c=HEl-V zML30NK=8$;1*PeWI%G$dwwYZ)E3iGj!KJ1k6Gy-Q;%Pe{`BdbCDN{K}zS(OotVFmUQ zkvqYk2t0HvE5BE>9(jL?S$hyeeF`GgR{B5Qt&HH2QI6P`SdTB)qD0Ib7Ot>r;?6E7 z5YhK}V|Z6PgXlq`&<%tr5vkO@vMYR|)`qf{sw+{o%)W8c<%J@cz_wIPPls0nyl(Pl zlpVeT(QPK_4MIB=h1c(W~K9nvB1Z8JPW7jJ0+7xU7?R&b7moiEVvfe5Mya*#;D)Vq=lk&4K}}{Qtm_TH8Nx zR94ZzTiWvJ|AC`1_7TgdjXtK0Tpidxq#1srFx@B6QOYX@oYuo%sTd!7+`Li<2_>vf z+Dj`mqq<8U81QF|nkm=duA&&tMSd2JQRi%47-bGLuY z`tC5qWk$ae_iJ=gxF}n=Qq)a9iMDSAs@af`-(l?xAKfaq-;Ofkg6sAQs zP*zzY$s@s2PnvH)bXfMK@~O$RV=v$^6H!iWH8#ZJ5omLkq2X;r!AK)?LQ(`N!ytRUTGx__ECUm*gCSNRG%FQWPUGr(dpiOOChv zQzk?TZ)eIj6-Ji~HlNepanhUW#86+3(i^wc2lj#5-=UA@9cq$%HMF!9y!&23taiAt= zK@9U?^s!{i6e2wTah;U)V7Z@v%uz6)p7(R7Sb3Hz$0@q=H|TEu6$p|+GWr31HBv&i zae)}UnPj?Xv9r+7nwgw&gyJDF5@oxJ*>%b7r=RW~ACe);w zVv&y2F9YPoAIvIB25dh^R9dtP6w?@zic!*%qrczT=ilr-X)ZXhKnn_%*~GFn=@z{h zg#HtAZJ?DW4Mk2$?tc*hSg4E7&~=fLG_@~9>Ydfbxw@OaNZZq6gZz2RCH|`UrHYN3 z!uR;gxpovPAxi!XZ^+@3$#(HrFC$xeA!FK#^ZD%J*bs{c^3Imc+d*5e7YC>NJqq}V zvC5Wr^;WQ4Cw(5h+@z9~OTRVyk5chjLqD$)$z@$)Cw$+R#9J6)t8w6>yNdk@?NU&0+@sSDx6?MSs|X@?MflUt;@?ZW|}To(7m%tMy4B>Xp{Z=}~TpPl`gWttCD zbpq9zb3xM;PJ6?{gHqS}n$V;)rSA!3cOS0WmU4Ax2Y41vpqE|QDR)fDWX4U#J2!DU^C$Cbv1bM(l zE&sO9Y_QvVTU?L>V=k%uKm9c!L3Fbu(`j0pt&@mS0l9scw{KZ}A$Uowt7)?YnT#F% zDmzM@g#-j(5?J#}K#VLVJ`ng5WeHq7DL>g!_M_e#K{6t?!vJ37>r z{58)T@>X@(;^~y;ANF<;AB$4tHaC1qpl};wA<#WU;|QLd#piRe*U<9zFhMfnCreP` zproR3QdNGEAGd+A>MIjXMB$9t_a5yDvEa}-dwQL~Z|_ikDNSiNE^z2W`oaK#$J64! zHW0Gu)2n^!nnq)gqib_3(=6iu>^0o^2)6ec9(!9$WcOkwWuAz-M^d)Uspm_ZTUsjd z+Yc!zasp_aJy-T`8_4q*cp6$CURMKC38LP7F8>BQB&?OPH8Rn#N*$Jn-_%|L$y-pk z-M>Vhn}-f{B7Q_^YGLP~YdhrKNu4jYEJbTY0bSL=BhEIF4GWGn4ss>aLX9j$vV$v> zy0X?eKxzr&hY;v{&QU$r@T1;rd?v+7!Qiy=hZ6pg4u7r959x}`xHYsBq;HeX&#VeV zoScFY^5>ud zLdTJmF2$gY*C8KmstK3vT?5-*l0W^G-llLpc#LIM628hu(5cY9^gCH4OQ45idx@0l z@9y{!dS3bFLXJPWb0W=&H%gCeV;K3xQR44~ng>kvzAU6aAYMK_sFQyHI`-ECNhIjR zU{0GD@h~XscBp!Eqfkg3eRah^=6~d&pa9D+6Uwi;?DC^N$|`@Dg%W7`PJ>fFgMM)a zGvi70Cv>wL#XlOMZ^j_!Prp?^n40vu%~1Hw`deQi|;F032(^h#Eo3 zb?yGb#uzCOlKIWsd495xPri$ch`9x~JBR_xW=ij`M&~usVZo0lT}rNOW1>7$Z;>5S z16(sI%(ZsjWH!N3dX`1~Qz0@oUr({21et}y@zp6zdH|%Atqx0*S3+quW0QV^bX$z~qEyHC*x9Vex$RDF`{y{1uDiin zLS3!3*5Ge2HQ#{0-xi^1`{0($73UzCVaRA$FcD53K8i#JOP1tK@TD^8BF>TTSzhNv zbJpjIxMkJKe(R7u>V=>4p5I=HjZVo5;&18PWt9V{z6*q%=lGhITA3q;1PU}plP(T7 zTh)P&jBJuU)h|`Rw#nL6g$4-Vmh5BP6GQa5os1>Jlv(XFT|_x4^0vIu>@E88&wC@V zeorJWy;&+TXJ6F*ly>#UP58TG2LsX#usvyll2YW#C&D5jfBBAo!l$Ux1U$JJv0sZ5M=eKpoZ zd1~%N^mKh%NDSn)g_6dvaUIVlffH{}htz7lW&{TAwhvdYC@R zNZHfWA9ZkB!U9xE41YnI;F=D3$1o5{mEDh<*}WvZ1>jJ=8xU-bxT^jWjGp51O&zM$ zkyY*WiuBws%HLWh_mq54N0$(wUOkG)#GXf+)Hn&!nx8BT(Yt*8WqSgROht!MC9J7> zD{JyJ)WlRwe7XGs|JX_tj};Xk=)JyBtnjl=TJG8D1}#2=Eb06)TS1kYcm)#rST$*v z0&G7<72X|-&;v$g?tS-e`w6@(YS)3__KycTWylc4pV~^jXyTx9i$W%vhG* z_DOF(=ofr)cCv8I`IaYMN=9iDaP(DjcdU;EfE&sUcw56j8{BUGJL_5gI19yO)ySgO z7Vu=zq`SgdP`FIYXUqCm?D^sh{f=xU3una@j{A2#z+=Z_%|R7^(yK4sts9X-Y#<&P zmFEitmDC~RXA$U1-?}I?mIZ9P1RWeZhyLec_%#g_Gf}i;@}Xje-Qz|*y+=DEm)O2l zgZHKb9N=vo@hML{nNH^=JvDvn!Z@Z>tlMyO9h z7t794Mccy=jUgxQX2K&^YLnpO{#l^Hd8%=BX5#rHsyA#Zpw4A3s^=^I*=FEIk-P9c zTGPo?(Z`j`k3gtDg&jro@k0}%&yZB2jn4J{-58Ddoq+P-||8#EGnZ3q^{o1pR{X2lfv%l()C_`S=#v|fsX~}bXszGEYo!!I%2y^H|NI~7S(~V^;mQx| zk*SV3L)qQR(=7f=WPhZRUW1}xH*Ya6@y1hmqvY+ZqkZu7?dD|I(AV>v5i_Gw>*C9rscxr z0SAF6J7yTQyuFK7YFCv+p^*sVPPUt8&Y+Cp6re#eLSz0t&D-R)y!;%S67cKpS;xb9 ze?HGh*fET4RMWUNvCPp$xEMKS*HB6R#OYl?u6CDw3H|S!gC*xxLSMpdRpM#{E;(Oo zx$j;<-xsQ+-KNQNRfpVK{uEyo_76++{93Rt-t!2o&I@yf7nWuq7_B+6bY-*>4=|Y|uuQi|x zP#-7h7-Rpj*r=zdnqM)IZ@oq*i_(44O{rm}j+`TD zH;rb!(K%F-H^r;$W7u{lzG{ovVv0R8AF7L5-m|A^!>V{{(0e^*hN7r~xl0a{6cWW+ zyzLWJBd$OdzwxAS|98qjM@ipk(FsJ?2B>^!pW&Cplh=A`wC_TU5oq4{B=CpVG8cJ; zKCXfGm&>-AoF4~Ue=Ul$tAsYZn{nFOC=mKKq)>XP;so2_>EHEEE9r&)aJ>_H6URaS z)BEnCYxek)#Qtg1efCTSiT9sgwmZFsuVPM6LBC$V^^y)R2y#=0``4|=+tEnnmz=S~a{Vx!Vz8zu#(u}#8FsZN*i-41%V63QW4|NIk*USm^Ra8xxhA)8S7uzIi)AGu<0vra8SkG{7yU zk2b5<-^+$?cJGLJa)w7NmE-LKEA=Jv(*aEx)uSygihWY6@t z;N|Yq*QdrwXi9({`JXAE$5Sa#7l2#p`kNXyaF6&-=C=3d+lj8DrZvR&skiMd$^9)O z@2PNSI6(a=3^0!E;n5fD&XO_5IEhBQ%(s)^zKOQFpNuTol|$uUqeMVEf?KJflN%C9 zu>`ox77JHQda=bVke`E2Vp;J6O99o78i`=QLoR7WaFI{m7NF zTv92eXDs)Ja__GB=pTF4s1^i&18TC`d*7eFjhxiUzvqa)6LXFQ^149HhQ{tQ_tx9C z7z;xSF>7K^&>l?JN!Hp0;U}}<(wY1jju6tE^Uj+qVGiA5!K08*mnUC8tP|UBdGuDs zZHKh0ZZj15_Co^VK`Ew|0@4ZtrQbWkK6xm3|G=#DR0Yh%=;)qN-*?T!7;MXUFUre>-=Kgt48_+t+ckq`UkS9fi!}dZkT8=Qh`=wKDpaG|n`Kq2 z?3M5Ger&#B-_^hR<;2(7`NBk8N&m%9`XN>uxd5JK(nF4G!^ze#B;s#KB0caIW%of? z4J3tF?cPbS^tyj0KH*Ae^x@Ppq(cDrcCP9CInLXFp&p;>3Z72rde+e3Mb+xmj1ar* z=X-88mMn098b|=UmZJ$F7zFbIm^YS)h`K(x_V^`@8dDsL- zC=;-z12@Rtwl%J1z|G(}HLLqsuI;wV(T4V3K;yG6-QGywV+i|ZFYuY)I_DkNqnp88 z=h}aQ4x6x?_8UWD5V1?8>cWQ&cK3I>QSZ^%IeoOSeyj(D){C#{&9u54bP_#{0CdDe zwcQL@2+%AQZPVwV2T#{7oRKvrJCMP&B}dwME1`aU zUAIlAzDLn*Jk%}vFC7-+*?^Gyd~Bj9;e0MTdkYkG+RN^~&E~?@ija}=Ch8D-94bZF zQm6%h?=rq)v+{k(=v$QInMX z#XQtQMOb%P6n0eu>vx`;)~7lDa2NE|{*DajQoii9rN3ct2gKc<7JJ!h2%#&$d^l=y zto;=#d$tGFsDQk&Fv$N48r9Y*KzCslDZz}j_!fD41L*wUom$1f?ACJ`XqOVf@xiEPZ)tZtbCn8d_#i1f&Y3Y;oMS z+qplTcAlM_L2s;hmG33OEn4-Id1#{ncciQL*<*MMdT0e#Bxxf)`Y(9pLLqnw8hZ*d{HW>oLptuzGmb$mj#wn3_S=T^JD=3WdmaktNMCxRm2{hmckYxp&Ia3?n;i` zU#-<|b|NcJsEdcRRWG_fF8_shAQshrxa7s&QxJuw?7~3Q_qFlDz8rwYW`|p)XFpAS z0R7;0_L8xc{|sSzv>XUX!ny61s78~}T+D;?M=AXd9F9vZa&bP{K_7jgX$2wG5ahvj zefv;jx_STU=W}0b#c$(ioZFyJ(%xt}DvhkpeA}Ak{?PwuUTPW3#ApHJiwciXW=OFAN?h3J^sZ8K@FeB;$44@B;Kv(@;ReTH_id;)hHCD&Pw8Oidx zU8fxXqBmzZzU?pOh#zHEXZm9NTsZtG~>$gc&C zq(}TOEfXbW>|VM*gJMyKJ2x@=VKaOB`~%#Cw&@=%h#k}m456|8eaEzJX)k2E+?ZSJ zO9u~yPV#@boWd`&3G*W<02KFJ0*Vu-jI6ODv?cq4y&Cu0Ku9m)%0+BJZ$eD;1DL+XhMnzYQkONhxiFvWXjn2w!M=m_n$1JbG$2SHj zaHekN-3O_#TDM--8z}YVIO?EH-LiJHd%;8ANJY_andjJfo2G)6N`1CLXKWGFiQggHHcG+Wrj&I*l68!?*JYLt zeUt_Xx7`MGh(X78#d6l$fmNGyU?Mt)qiQm+k(+hGoGj={rAeF}lu$%qbvTk(#=C2O z94&NrpLC}A*!UMz5ZifpU;1$?b-TL`FRW?%i)f0aqhyo0-`y%?juI^4#{s;fRvZ^O z6J)s&zHPc4uTv_+%DJO%91J?BZmtOMGeWu45jPulud3JJc|e~R5cp1;;<3<>To4Le z&)$dRImE|GRd780mlYT%I!(#Jo@~psbbZ&1V6%dX@|m6QMdS)1S8-9>Q~gQPO^=a6 z;^emTkx3*h-W+JBy%zOx&%;jTd>c!VTOaC8@<%E%tej9RY5NS*RpGp8lTB_$9CiC{ zxzb}A(u@tuvF!!#JokbbJDVKGgxoSZ==&Wsex?%+cjs9Hz|H(Ii(cFE)s=tAy(iM) zTj4j~iI$oey?-{knd*Y?cBfJC*SA;biLdgu#>wnhO#99*D8*o7H^=f}xRW!8Kp^D& zP8Z(7dA6{jlmNO8IKRwF_fl&0a-4}1EbQgGRpQ+`;j8w52dJ^m{b<@D6nlwOKHQlX znaPsQ^Lm-H2L4Tl=jx)qvMfiMqAbK-G`oDj-wbhu2w$Y*hVx1#>J3%&s3fbE>(JJf zFywa~my{=bST-WJTxL~&AnM>l%T_lM(F6r@8Bdy*S&Fbm@~$sL6hQcZ3kRA@_jxQ} zi{|s37DN+Nvb$L{s0jkkgl&{$&BKSz$Q4~mqJE2zE23bPTf3YX(ASP+xqRUloRDpW zeIUKC8F2chLKL(yNar?&x3*C+16L81dUmvD;COde_X$U?kCcM%*GA$E{9i_;7cT7P znC^QbI1K`iiIKMWaom4Nz9d~I$18`PF7(6hV1m-c@p~3}1@3hixipqCTtL>VQ0<)* za(pMwO|wyR;y>CTYK4EmQaZjaQA^FhmX+Qr@h=>mPJT z4*HwUDKUeZk+N@^Vlnq}oMelD)ca{q3sP@sF{xvD&(tf5zq$!;z;O}A5qTc$nNDMe zHuxrP4-SL{W&b2^Swv<)&T%kG2@OxS!X2aG@k`ocP`U_kw#6}9?MkA%mY`|1oke zu49O~&>CzpEEHGjFMRCK`HySG1DFsT808sxHGZkdRup{Jt(;{c^1YDcIWEh_ms4wD z9!>ABX|rS^51ljiv#6M((s{N0vA1ro#km1%PvJJwyyNu;jdhn(yF;xI;k%`xf^oa1 zt)ip7#24O!YOIR&&;4M0f{zp;i4TFA4`JR1J3aS9EjOAmKGB&|Q5X*M`pDr_F{Ex| zmmFN{ih32z5(14^!cHPx<00R!G+syjQKgdB?KSHf@-vtNdu9N+4`@g#fe63dwW515 z-2wT)Z}05CTe4TCN^`(@Mmn|Bp;&VDznozaITc%1Q#=D(b0F!)3vgQ(NzdN7{4rKZEx$1Hqm zmH3_rdsFzSVAEH$@85yH0(ABa7%JD~FIgSYC@I@>on$1yfA8%rHQjXrI(Eiq{aaK6 z@s0nP@4jJ!FUpLolE!|Bp6R9zkZkoFfA=FPN70@Ez(OjUu74gbwE*i?4e?q+4_6i1 zZzbVo`qW8C6wDxJ&3rvWXEB2XC_hscy&Lu<32z(=+$@Qm-X-EYP!@Qu> z?aDUd@%aAPV+w)C?c5mx?v)NigxJ4(L|p|=y%Ye(^<11CgE1L|f$oC+VxEUqMe(sB ztL+2e=Uz9xVR$d8TVRRi2aZCu=NJ4+!;C5k%#l*<$K3@qdiAl~)=Buu_E`xsR?GmZ z-G~#<|HZYj>~^JJ)xqqayY!y3aaCtLM@(e3_AwBUFI4v1V3d%Ov?M;{8;Ug<;0MLY zJ1HSdA8+xrxdKomZ~9Kxr5~O1Of$OSbr|Gg5coW20{3W!ov}n1KNY5(w@E2|co6X2 zquM0=`jl}WKfk#A@vqF)Hm@LYpL*2|Afd+DvFttsp*Hpe*Q9UU=H0E7{8~iRl{z7A2cXuaMA#(Q--S`hbrTzvTGa&lf2~#sfT;cQYKkPh_N#YEW*mKLMs!*6fPKG5nYYuM-(DePiu#P&3`Fb z1Kl(q5|v<^Vzl%29#mB4J^1tuo zNj9b)-!mlkTpVfBAIC%t2*5q_o2pA`ifk%Pl<1r-=|0(_3|{HOiq0iI_7)y`y@ET> z{d)5~L!Vau`O=`Qz{dJXXB9_NXTisaGDW$kbs^rKPz-?oQ~xXQ>kS=Zu1iF$3_9Uv zGfaMVHOVSQr_-z%B<0ZcLlk+U)jZo>94=W>#=n)Y&*mqur&M%$kzk8^KyXxqBWEwM^Ey8=(0gRs% zUFA`@DU#UvQBcv!;~Qs5b4XTcs60vupw>RNi;B2FL$J)?`3KW`FYdSBYxtrN+=}{w2c_v2|?fY-gZWqs0(3){(AI@9zW8$ zU(txO-Dag1Wc_4xIwE+-}NbCrX#Cd83p8Q zt!RJIrS>8HoNPtJQJIsxa?io4_R}a2c$kfIFV87Jg1@}qlexvy510LKL1-Vyvc=y@ z(3x%;uw0!NFUE0JbYt3Z-ncgpnbV{wj9uNx^Yp#yKA+GLU!^Gsw*}<5tVgB92lNV3 z<2mWpXbdy??W2||d?x)fOpzEuQoA za*e4B+i3JDy)c9ClVk+muKR0?8&Rd4H>M-ubmr%1{qgpoSLu&-i3(v~cwq4w1VWQ} z{$=LhK`0xqVDYE$1s%hm5kpze-6r?l@$Qr%>?77L`{0?tYxa}~?BYF-^=P|U;WQED zUx8Lal3rKQSr7?W&F-+$lZcObNlX`7T64c%kstOYBk~w-6;({rapi)*F2|G#+d`AL z$WWb>x^pB>mxv_4rO!hoBI|8|0pH#?65pp$dWbQ_`Y=1Y&>oO666UtQ( zCFR%Aoa@<1i99#@T07Cl2Aas{*&?DZvE_8r04a^pLi^<{^$cM;+2>~XtYD*_Pb8Qrzu&{XOcJ95 zUr{G>z7^-V!fdz9H&PTLs4>*!?W~F=UVDx?JYZG~#nLmCHi)^mL4fhY+;UsmSaQH)9-tXd?=xbZlH- z-8cT}v(MMD36~M}ahe3&v1ZHuS?s(o zbK@bF+4|>@Hx+wP<6nMx3ox{P^**#Y&tz|du6jn?T1?9+L9N^Hw2|bCFR;404~UMcV1mhI&8?i zekZya0(Wl8(*M^A1V{J}A+FC8%Y-)_>TKuJ~n&n95Q6-zg5q zKkIa=S9-ZlQv%ozP-nOO*Jww8EY4He=Dw-n**^ zK&XV&_~}mK!!eTV`ytxJ&`8l=(YMo~e{3AzalB~Idu!v-{;m@_mYPCaACtI|lPUf_ z=W%OXOPKGT-gVz?b58czRlb+)nz%BfXm7fe3;vt^=JiE0t|G$gDGXR!{0_JSpgdRJ zASk0Io{5`npo5U}W}5DC%k>9))yEcTYH5uu?viU z4H9(e98@QylmXva2Q+HO4OR|w=MV#;{xCDA0PJ|Po$3i5-sJ{>m|=fE7M=`5>d$ws z(2iZ5$<%@Oli>}oN3E~lf8?!DTlU$}p@-SMYJgWq1C0AL76S^lUyLlJ-wJ*h6u$`1 zb|P5iVRzK+D-UfeX%eY&ywEa>q3c8hgwJ~Sf1S<@63SQU-xv$*Y7MNzu#rigN77ap zG>X%9e&;Gx6tvA(tEGI{d9w3dc18?(plB`{bYHZ{+V!+&XEC)LdQesL4B?$Ww{#Sm zFI~7fn*7I+d+};5%l2ayzlgM@X0m66Y)oWVX*s^&=3wt9({L}{M!F(y4e-7Si)4@B zT)|eZ%|XlDLtVTI+c%KlrTg>^MB+{>I^5@5+Z|%}Fo)x`&Fi(e7a1FFc!x}T*3^qD zVT6-z@cGFQZg{~|ux0x~(b_qka{dI&i>c(z^uelt9{3it=+J74zFwL+`ki`gf{?(~ z@&e_Y91;}X)-T47#35`|`VfesqnbkgzETvU;x*qkrds(2uIZ=0EHnqrB>P#Us2_$GlVk8O-oM6K`uq`&q72UwUpP zuZ$=d#9*i7b*e2}0^NBnxmOxu-#9$;sn-zEXGS*~DPvT{VRHRU+1McQ;9SvS$@un8 zfBf_Ow=TYs){(*5Jh<0muO9W}aElwqRfpvB8W?l;zF`D3XiOLWhwlB7zB9!1TypgM zxwrBd{?%ja$Dz^|wvwixwNUQVN9YUZ?yqHffg7gUvsr|X^onD6LG|rjqEs>(IgkCE z5yI#v0s2!%&VFp6C1I7yY=yZva~fBL6Y3I?pY;>P_$@h}>J zJO1V3Ne7iHUTAM7FgW(Q4;`Yx1j=yPk>P_I` zInMmig0T}JS5t?Yp}rzt6#X_%e|zZ<32>z6P;-l3FJwI7#)v6#4<1s0x2PVj3pdV3 z0!Id4U(xUi33O6+SjgZVj6Pv1$h(O;x9HzPz4ko*fZRQLZJ|Xe6oTGA={s+*KgEuL z_g#0s6B;Scb>{seDDRjE8#K7yl;AIaSfFThLHd|?e0^#ZI*J)ao^!BQlBSa}a?v>~ zGv$<_-|w=W{Z69h`yq>4;^oiiD*I~%p4%Ra^_<(og{hx9Q_9mzm%lf;=`1HzhEe@J z0Rc>}{#)CV)crervF1U$gyV=-K3_PKYa)Mweii1( zypna0Qj0J8OtZjv(|FoWPQ>r8QSnA>kq);))X}(;wPKjj<&!I*5do~YR{Vghp+lCo zSWA3*R>Z9=Yc@Zw1lXeeyvIU--ap21>8-bpr%A?;>6r2EGR>x?Mu)y12(V(m zV-|2JN#8-GEzmK)h9tg*)TaA63(cV`8cedrczM&)(7wzSf2Vjn2x1tlTYum&CitVS zBoeM#$CguWXCG^r%KSa{3?dmv4%z`$ts-?l{CJJ(-tRp!BEYAnjTiFM0kga_PN3cA zz_=({vbCaM*4K$-PwJ;sBueDrRA_;ce12bKmgY(0aPwu_$hI`kmwx*Z{Kjd_QtE5o zIkt$B`bo=EF?V6Mk3k_eC8Uy7@J~igA%+`LUs_RyWelh`ae>_ATW&~k;5|Ipt?RPS zypo%!`*Ik1>@wJ3t9!Qhi|&buDfh$;F^MnkJ{^sF(feU!VQ+ivwUEDu%ayQMMyQ>` zdCO+`P$_}3pgp_42f#rdCGoG#^A{Q!-Pi%ze?qcxTwkmyKug zMiFu|^$L#mJCw02$#c~YKWQ!PHT!-O>q1^h3r>Y5{h*qh$Mh`I4*fk6M#|FZvs`2} zI+1I<7ir46E%z-P)f7RwVI5N`SUs`=zbC?a=8g+eH#-hG8<##@CM0`S#aNq~OZaxi zi7O3|dECl?zWoqvrcO~5eLUf>K6UC4$u{m1Gg#3Lr`AmeT{@g3R2ltcqR}E4;+j{h za=5reGQ&iPR|R@(ozAz)gfZ^lPmG?Y+s?HNIK!l1FB`7+M}OZ3FMoh5jh&pxt05M- zoqVU#$`YI|E1-~#ubQWszv06_Sm}@)h6E45mGW8(<-$IgTUMCi`FtHa$FizD9sCob z=DOu(EoB9%XWP4dz2GY;cS6pdl8XnAw9EOJOosQ-o|z*_!Fpk?H|bzkkAfQLXQ#d8 z$JpL0+gc}vVg@I~bhozoW#Q}08@+h-Erp_fR5b?3v*)^T1n>B3`}E22q{FAW#(4F? zNoJ8cNvW#PV$K<*LU zCj1h81}Sq4o@4zzvvi_Dz4RmY3!D=vHMDO?8XyFYF|N)WO>*Q)9+2zXyqD8QxOy^^ zuKel1M_j^gfy3~1iu~#0bT#(G%lM=S&yOq*s_)bAd~x=3zKwE*q4Z z-Mz~eDS5+@Zh|WPjmoRVW-T1_riTg18gDgso83~fsw$x=hq%g+U#M*BFx(XXFzE|q zF1O!J#iLfa7h!|SZ^YSxW1+NKIUC;qs62`yaxQEgt&=%6zYSDSP>c9B{cIo7zjR4h zd4HBeZWbAg-zk^A)UFnpc+AgJv@5j9cnBj~gHN^(J9>X09`b2nCK?Xe2lUK1777qr zCfZk)n>ZcryE-*T+qi2EGfQPV*4NuEDmN^8K9A|%C+mLKSDCAB|13x=Xz=6~rC zC+$VtA?|j=xnV5}PYqOaxYI;cj-2;DD)_1{Cm`r6p`5G69>YXb1q_5hyp^e{{HDvH zw?#kr_WMm;4a+daungBRxCY+x%2~y{VX4Qw<zV`Q;Cb)tKSePb9oJxPMDC4^w(Dobo1T??MD=qUZa}{9iE) z_@jQAzA$li!?Nn?FOCb*cRt)?Y28aQ%9`o36MF1EEHH$8@0)!L9z<@pqysjA&3w${ zfe(t&bdgn*+a{)-0EvKXOh(ld!^0sblz>%Z7~8@&V;e* zs#9=-R#~UeY5R>te1?6WZSBbQY>F8?LN(1^jq)^*U215;*qCIXAsvJ(ZR zHaVy>=}Gr0*4XgLSqF5fx%Yk69&A5qh6`w(1l~?Ngk}XT#6vt^fs|!ZK5<8N^N`133;O1lScslG`#*n4V!v*Uv5aYgV zZrFthCn>639c91J27H%7$yA;MI%Mb}s$0Cy>zRD9vX+YOq0<$nw}ECpNJt`TGM~lO z?t*@-a?a8fqJ}o4OK0L4(V+GK{GED+mvD5shs?ike>5nQ8f(sPNn228{$albTU;^*s8ST-i` za`rla$t>1D87DdXHdV!cMq8zEw{nF&M#CA!XvQ^d28k?GOTHY>@D-|m%2>=2vR zX6XY~=A;w#i|i*xo0{LGh=KB)0`kUbb62J%SlqmP^T6?aZ}`77gIa=6sFZ)@ky za;Wp;g42NA#Wa*1^3nGUyjv{j0~GB%0)REP9YiTc1E{;HTTTo9Q0BV_8oqA5O|PD-JwpA2gR%Ya`#it*Kl|tXJiGUO?>*;r&gG0=? zc#!SVZhW^F$0|*Q`X!(V|J1jz3Tf2FOzcD+Er%UMu+&}ZseBA|GuF)Q5nEtyM1P@= zd-{7eu%L*1MF*l)G53KiQP)rVqWsqhWbw-#rN7}7f;(< zCa&+Ukx%$>Qc5sq$ijryo&NT{)X5=bWcQE`4mAo(aG~_cX9mo3Yp(* z9B%<{8@EHn`5XcsGFi7cHD};HIm4&?n!xh&)(fsH@4arde<0uliS#(NmWe&z58A zCJD6?XACn%%_<-0DLiT6>tCQ_$+`#Wu%m3Zlep{br(FRii>&c5)k8K33SH{|NQ*3F*NrJbdIP`&rBxVv=rs9sF8Lgy_z!YZEMkD*JO zEZ0D_&I8LW?lfd;31_K^!O#j5rks_};77L~j@*-z(G>dD$G*_GG|)16FC_ky5OpY4 zxSvy2M16EA`m-38jk0v>PX+v}KMKfgh_gTq!DXvy+ZC@20BhooY*OlR62<2zxR3^Myo%+V`F4AX~^`c z5UNV|nT9h&bt4I^L@xj%5v-bjhhL*WVMy4#Ph-AHyCOks$Te2)*P1$CbtOOP z-HL<9x8T$Gt+peweflG=s=$DLge}=?C-H+k&bt4h%u$k#D>2km{ z$<%=UzwKZ8%Q}l~lG*?>{M_l3x;H}n16x3-G!_*)?PRkeRm!m#N&We)up$dUTnfr+ zw@;i%3F53(*|Yo3VLEl^EzbI9-28REdZr?k`T?DA*}@SMg;c5KL#RdY`qpFPqtP}= zF81?Ir)&e|PMKy$&f?jS1R2x8I!+1UZxa+hKhF8whz*l+U;im=YO&g`;B`l($Zq;d zR#%wMyXfA$WLd+i+DQKqYqif?n9Jv0KL5Ng1>_DHaiNZJW}YhO@-F#}ahDd>DA}Tp z33}%_$aIE)Eu5IZZ7}|`9nuKS3cQK{q>sq22u^HfU-=en=HTy7{D|UtpURiD9lCg~ zowfsUzGef2C!*Z^5hrb(=Y|pz^3bP6ZkIyl$>e&Ei*h{Ep-pHWoi0{wQbU z=OxRd@zY|tW^XyXnwVK{W!hxJsCe5uo)z~x@?y}Z)$QV&eb5t*x|IPsS5cx1R}@E# z0bLmKb6EK?Z=T&*0Bvb>tp}ZK;HvSvokFd5VrRLt_FC_?XOb+Bt?Mn!kmoe)SAYo* zjcmDA>^DTZ%JyHlLJkBqSa7ZOb;KXbJ?HIfnh)9rzlG3WeRp*|oZS4o2zt##jLvs8 z8oCA0N`H;%xw#!2b)f11)xML>^wdwePLZ6-jCX#2C3(n9_F0rPSKt_R@T)N`6{Q8G zq|t2dQ0gP@$xk)Ejm2c8#vX{iZk^U(FpQ7>BR=!tWh9ciZkMumVz0dE4e+Q;E{(t)Wt}2=+0gP$EAO@BO$X-KDwHsT zGMCJK-`^E3A%&*XKPmW;vK3oZl*pO6SJSVl+NvKQ1FsIZkJ*%sPy4Q!`CR3kGKMte zYZB;+a{5}}hQ|0}x~oHBmwp7Bkan^RF# zNw!WMc-@RsTr|NzQzchJa94tDxvezR`1pI!4A2BG zo3}sn8t3S5Iwyn)@ec5HmVHki%g+`fe+TsYEs0!=NE`f-XCw#rOb+jb>< zuiUazyec-8(Qi!b@Fb8WH|S)QSV%U#cy+uDzCzr()HHu@Wz;ntn2eRrRwO|Qy!v!g zE9g}ETw^H(d zS`zkXSpQBHaN_X^wYK>CfS1G63v%VpcE}?rM?%zEO2pLEoLCmBxs4xGxA;Zg5(sGL z$!U*B4I?$eqCnaSg$miBwTB55U#cUpE%RnO~p;@DchG; zRuS*qVxV3?(S?oVhBNx57qy-cI{#EU62}asLzj!L{xU?mbe^p~Icsh;91=Zc&U)wE z39}xLoMo$q$xJeg_`M2_9s|$l-&xB^8e$2Va)DJZH$4tjpYQt+ycqq@;3y`Zia9q) zgdav8syhZ<0C_hE9-w?Z(oMUU#baMLxNotkM^ww{Z@F3xv$fq6T}z5OPP}auYjNi+ zG*Qi>J#pmSO>D<$S^NMdhnQ}K-kW3*9u{A##WO2i zyrV_W?#@1ImvIZ8IJquavTs7i$9y?H&Jv&heSIBGLzFOBpxk2)M$Pu6k;2FxAh<6VhizOnb}kt88L zJ(Uz4GE@7e!_T7M@Y^+;^C6lvVSa;&_hO88c|sL{s?v}@+4+4H2jGr-5q@|;fHPljC+&DV{ad3PydW1mXC)W`UjKg;lX@Uqe7 zGTkeOB7x~`jay|p_hN-a3rSctO%$o2V%foGS<<~{dHekDoz`L|JV*=5P;#%A zGZ!l}{$51-*K}lK)#zP=7svj$-kF5bxarvy!tX-Q+oM_^ZzB&}FYeQ=+b-TKdGzt| zU=~!pl+u-as(#c??Y)JfUc{4=XM7zct@?2{&5P~hi9C;wkx@@G(ytPfYE)vaBrl93 zJMAVFPR=ZIpU|sx`apinkGWTV5_D^n(UrKpgn~vV)-&H(iLjS&Z9Q-Lr`g!b42Z?~ z#SR`exCgvKkesv;JZlcur?clNk{x&^2wpbZmJNb&zQqsB(|k4 zYOsHb;FH9j&iw!EISwU5Cq=S-cGY*nK2a8#d0DS7?;IHM-Iiw>5Byooefbq*vN+p- z?$PGuh?=_(u#ISYkF#?i<&FhLci-9wQ++;URoxJ&`+EIJHvKEnyXpSbk@piNfGgP0 zf_!^NKJHG76{X(Lcb7lsRn!CSkh=|@xBQYFG6~>5jcx`#y4s6^X&_L|m3j%YL4_&_ z&RyYCzlpq}*xy9Etmsx^&O{>oPx8Q0@!H&qy;q)Nn};CI=_=_g*DH^))ldJ7rAbQS zZpu5Sd!?vKTMt9MVd~-RqbA*O*Oo$#={)P91)pVV9)BC$S$9QuxAhwuj08W-kmqjz zkHG(`b3Vm=_Ya^=&;9YAbhCdtDV1BM$Qln{{zN#L!-&f5+x-d(E7r8{Uhk;&4^-R_ ziHciqd!APQeE6f&mlTx+=klw1-S>Qob@AlU43g2(RJ>=aFO{T*_o5xx0E{JDaUUC_ zOrGudvvK#x@!>h;SFf;LTP2NALzP;=n z)99S-?U3*WAC+i(;}yh0U9dP$)B=deKzvH{S%*iDAl!xRcY_}g?JxDgr7`Dl7w5@x zrS4-NDc5;~WL8p(A9$U;+JcG{o zvQ%e(KfXvEt2UjT&EE|ho1UYLVoIh_6Yn*Q(HX&tyuaZ?b%U0*bhYRN z{J>_`yFm(55jR{hG98-{yv%vHst2&sx$)Q=!KN?UfU<15B}rXuLE1y)GTXX5oV0p8 zyAKFB0CT>29AL9F1Hgl?^`e?k7;-x_xnILjX zy3hA}5miATO*;vod90l@%v%b^!h0K(4URSy%?>#~zrMx_1Gs4|EQ z%}YnyBAtlLCA&`FR-awjryqIRis0$lu+i{7jc85C9Xe)zV<@#HeN$j=j%Lwrh*cw zel`_Rz#(tGxJ1&sR;W>*OJa$qzQi$zm&yg?QWkR9iM-k+wm}My0QeO6>541_=caV! z^oL*qaq1^xLBwIm1Oae`fCR2ze1*tJNt-n@KA*0Y&6{fSc@->B2H(-Vnx4FHD%UF4 z)t7kB(IB#w`B#=__QIL;fVLcOm`eUg$MdLj?C0yV{#=s5STkT$D*RjAgIZkdT(r1@ zWTbdjLtTg^S#04(Kj_u8WkFBSfq5g@X2|6L!*b~nW{IoH?2cK3M=#aODf+8{bzPs zU40Tw<8=0;UmboZ%h%<#-pIU)lI@-2$f3NnOe(+SH;kHlW3owb`JYwk@$$=fhP*n) zQtS-M#H|Iqo2NooHLYY8=rb_`E5O}m*X71N5m5Z_&k(&I${l*GN*WsXU8F?-UpQyPmFzi0hlkETyxWAU5ett9}Ldi zY`bHD%Z(EPQ8EFz5s1eJX#2R*X%3In1W|_E7oQ_Q)N&fL-^-Mq^%MScfkMzv5J={c zmFV_qf$z{Q9y`nv$C4lX;4-%wvQ6_xICa1f0ga7V&soi}*&0*^a{FlQgO1IC_GYs! ze^YO#Cmza>KiKV7cZOk#c2!Kb^W#2+(ZjrE$8xDB#G69<2R}>c@<+=)x2kwqVv};@ zu92m8M>eayO#V|-$yRpRX@y4C=h^?xMl^NQ_mqPUHU{-_27u0wZ7a)}v~I31f&fT&99>r`GR*u1{JvS06HsjFEhb zii)eU2BBVU!C?&R62Dt2(kAJw&4SFH!h?JYOdqbVFPMX+-k0}@azBB0uO2_7V{nUz z@Sr!M>Zd86l_D`}6EsuQ8FgiS;ZP|y;(|W;yTZlP8-w51qCXZS{V7F?5Jo-~R!7^n z`rHwF)LizbLZ?T+^{M$xcUsaczvbEUq4=~K+``8UAkXSNo{?>H82i5UEXDTGR(wkm z_3m|_m~#19%Od%X3(O;g-{j$otN!7Q8$PjG(NRV@GI za-sd1SD|i=#rx~BVUAfyt`nNpcmEkGCkhA|hpXSy`PAPC>%NsueqbCV0_czS&2)pi z&o2P)+AV3pV<&73b}j?h7twyhF4hza+To3DY7CW`^hFfYQfvv@`2-(I@=_^<{^cgc zovwG{C=Iqi&zNshnNsj@-Q1OjZiL5SRQ7_Um5j1+GBdRh3X16qi%or?lLIffq}Xm_ zI9`2uB$r1WaeHw!~F~xRuE=xlw`Li<5J&-X}WKPUn+=k z^hPp%-_wr+CNf%iCJC-)m7`jay>!SGo=QWQwK|w?Mx?%zF?%Z>IZ53<&_e?#XEck- z%C|7bG4l6~pKyb~EG@3?>X)y^P~9#2lvZVH(3y>|9;ecee)m4pl-neeeKJ@-x8@js z-_ZcOa9djD_0znn=?d*K9`&*qsJC~Y71W%uyYZdEJKZUEs#@TRFlGTc0Me_+n`(Wk z15fj0ox}N%?;v|4e>t?h*JrgT9`w?Ud}*4rz=B;*jU}=wtk5+Trx95Vn#nD;UJU|Y z8~37BxJI6OfymEN9)9OpB&+(7R!+h*PTfZbnxzAmj;tA%UpqP2sqkO?M#NssNMQfu zX-g8=azD8p2m}_o4=svnp-e|&bjYdeOG#F+LlR(cJ;EgI_(tOQRgLeV;h%M%P{rO{ zj21MT*F(cS-A9fhhO;?Ft&^>TRQt@pLn{KcE9B$rtwTIIlj-GKGtbK0HvMvQbhQQp zz%BsO85>>JKdW8HjsDq(m+)}ty;&j()Q^02mwmt3W18@+Mq9~zy_w_<=+QTBun&dj zc{|-k71g{^o5MTa{(1{0KzLctF?n`&Z{kHDDXqQI%d*Vat`+@FO2?Ed`-tlFp7Kar ze&s+mD*Q|=AVV_f^52ry6JwKpAlpP|&jeZvVSbj4ev1=dANg7{u?JrC$lNktlCD5|2()C;wZKY5YsR&g|kHH3lr6=UDRok8C=8zEY?mpw zVo&(oNfo@BTr7@J<}N8N@b@ysr2*Wp%Di!?3PISeZ;-K7a}^Ye-mgeI*8%H_#p2h4rAS&Y&~93Fnd@ieQhqhvJg$dd`%VGmz%cMywQI z>S)OJ=y%Ir^3sfftZUDwyr|Nd7aSeq)?__nsX6*eq`F4Uy$V50~y$$#n>1msEBFwGw!lg%xt@MirhG35oZ|F?XKffm0MTZe%w zne+c8o9)?7G!JMl)CM12sjC(IC~S<)-<)t)A8C(GBZUEP2J~i!)VYJwyZUbO`KWAVh+H4L_HTxPfmQ>u!~aE>%LDHoo=Mw?lW@TI0*o^XZgy=n`a9D5Lp7+yuxvVcl~j!4 zvQe7*OA92_n<2};mHd<%g|-tV%^GT1?(M7;jP+NMGD*@s!tAwatz^Tg!*wL#eep0f z&D7(htUEEl34YK+D$5-MmmX-R?h+IMkt7zP1|ahg(XYMjJ3qjbH*8hFKXRuas0zr( zaP;1z!3`sY&dghs)m4_w8+P#!C4yo$tv7;TiF<7;XS6E?|hW?vc zmAqq)gpI9KyoULL6)&rplPn=8p=Tt@Nrm1tM>2ke4KP2FCdotLvQV2qy@36*gslcS zudhq&NzZR~{g*V@vxuA-I-koRIsQ$1P46t*V$4>yvizC)jn1b!M9|4jo3Xi_mBBl3 zbQ=R%aM`Tp4K3H_XQOYGBA2m!UW@ycr@2i&-aY59t}#JtRKZCi&pCTJP~@kWoAe-4&4X5Emb%3FEf?nI^~Y&fA@nW15UViw>O zXg+!}l{?e^6c(k*&1GGqpSwOtTOcp=4qKTaXuUPB60LHEKJP3JvcKti6c~hYDWCdl zw1yrGWP^5vHE$+(95*LW+du`@oyuob*rA&${+gx^_EotzMNylWA08V$3aRA1<^cB% zp){t2q8Pl7W~Yq$7!%d$F~6;ob4sl_nS%i2V@(}t77xsZBb3$nY!Cuv*rq)!`Da+{ z8TQ_cdrLyu8-Wk#2F(K|F46kMu(ASWzecW?Td0nWb+>{xiK$XfPL}0|H6c4XdC^!s zvT#c4G8YjwRF^uBom6X&eXV3!zFRh?#QZsGw-~qT@$&to%S3QH`)!qMwB(%O@_QWg)yOJd!kQJWVOvCacDB8m&vQ3~d z7?F^`?&WrG?^&G;5Wa~nFu&2j73MBQSzd6{@o13Oc;n`%`iqdQ24OA!M+^zx*&%wa zER5Zp#&;EjA64)r<#o?s$&;ABJr0t8$Yu+DbsU#^{#466BqnCRmI&Z&*g#$+g0Nkj zgs%3jJ(v9G!=O(Iao7@9`RJ1fd`;jdner~x!(=o<#tfbOySjDri%PTMQ#O6V1G~~2 z&a!iF_7{jWTyf>fL|Zr-Uh#JXwUottoVn<=k^<=v!iUANgzx2^1)pRvTAJ#d+8LHf z`a@XdK<%w?dmq~tc$EL@RTX=M)^gM6AG57Ny2OlWIRg{8_1R04OtP||iI23|`4YvB zGg4VsXiqMv;c|A!`x%YF?7k(J9@?@NWBgMZ>HUh#$mFXp$tKLuBOcYx^O+k8C>pqY zm_0oT#SXGg%O^exVroE@^A4(y8k6;ON4B0a0HpMHj$VNRZ|`~CfFp!7gCcNl(#0Y?u^D^LeAIJhus09d#D;h<#ZwmrusLR zU@C?&;~C`cY_j=Y#stg4*KpBqX-z;#=I@7sD-%HL5(#{FzJ8Z_g5O%R+w+*tHkF4L zU_9tcls&0@*6qi^oqtN5hIYA>Bu^NfzWbD9YSg zw?6%n?Z2x9iP91^2-d{RSk^L|+)^>g|IaYC!m~c~zo#a#Q%?-oQ*UyW&{fV&-nh+O zvu}2oFVp;c>$#3BMCc2?^F&8dicTTf47ajpGVgbU!eie`&>`E2?cDezPC?84>`1H~3yGtEBpH z8NG77SM%9FG|eq=)}!&zp$p0P&1`atiL{=b*+E*0c@8ldGE~nB7w>BL#XT1*P(vo+ zEllP&8zrK)$3{|MOAP9znF^Dr^0K8~fcQ~utLRp%jeN4p*YO4W`GUt0KTEodT!czl~m~F@1N$hR~43!0hoaM5nETbF)%GM;aPMyUXoyIZ)MPkDeOuY>L z-nl#Nl|T!vc0ZCz+9bQdtfF8y&mo-f_mZlxJn@$JjlQvc%P5^&Ean}7U{|C$#R#-L z7=k$Ij`#abUd(obmmCW6JpMRnJ+21WB!7yDbV|~@>B)`;E6HEAd=iL zGqSkYhi$zx-X=+MRKRtW=?8~F;Qyu;ENf6NU(!`bFDS#L+J<%BXRfDdGtF9~ z%%hgBFaE`Yer+kRE~<1uTU$~fXNt$B-)_tu-d}MY@z@aR@8=6L@~Pw9hGq=ZKh%SP19Y+4`zdIbc?Y$ zI@KHNhrFNV&111*k6&rWR&y9CGHCZ4aK>nTnG|7KI8J=C(GL(klbRlhkfke&iOIM?dDxn7|%EY6(A;0>SK8 z10izpZGYU9N+bcih8=gX(!#&pt!1O`h=Q>euQAJ4_rALul9;3>_#Uo~`Az*Z+aZC| z35U!{5WkE|bk=?I>Ei$Tr`U7UA8UF7ICEqKxdl5E7Gm4-<9S4H%vY_VDh1STyvA>v@(T81qLe393k|BxGS zYS1%}x-E10L(Ccq8^)=6#!xf;zB-8h4@K0e+Eol>AJ-4hg+45G0J;6x^{T)Y{%858 zsTz{rNop>pzI(H!j-){PoagqC$vL(*_c*ZhU)(hbRrR%GJPy*G3v%l(lHEMQMh@pZ~WKFS_ zR!You?`)ZFrk4bK0nZF-%C zCi^~x2y;JKzDz5~+)i4AF}m`1=KkvApR+T+Sute0Z}?#EXnz08EKbdS^Rsm4+q-px z)843((QD03ild?2>}9NwdNO#Re(H#w-~ziJ=8a{2BYNoFV}EJ>fhK3)7w2*+ zY1(j#m)bN;q^j#PM?k&fC9BNZg#)KL)7mZ;X4#bQ(V6p(^Mv-3yBu*Mu6m39<#$Uq zgOM%)pIs8@isP)LDbE3m3(g{)Pg17df{odBPclEUO-v?M4e&a@nyC2tuGiCu8sR$@ z7qI(YCq$`@;V#)qIrZwiMEWx0Sf2en7Zf(!PjBPb&~Zoz^CasCeg-?o2*A#N8rMr+ zLQ2f1I{MuPU{14In@5iTGvDhr?FVO!)4ms_ZytU~0Y(3y+Tk;O&Iy$9py*hTQ$D`6 z)36EI0BKQ-ke+uc?YQJ^%WSjctmdkZ@wI0nLjz0ISA;&%MTuwXLZV#vW**p>RD9o- z>~X3=T4U2}xr8M4HNvrmf?($ZV=3t%F1ifd_%$qCq;pC3yU}4UF(We|@OYt1(z5CP zRJW}AYA>lO`{fMwY26zl1Kp#e`E%w?&7l zvYtJIW_=#v@@5M|uRi(M;Mz(O8eio{n*i=dvpO{fYFqYycPmSA8F=@9u8-louhvrG zW%cm(CnsvBiW;6`VqZcguKGXEkA3BAB;%({3WQyX$5r9?Z zPS#Jx-IqWf`v}VTG0U~8_xWcabW}3e9)2Y#7Ssq^gQx~|v;le2neBhw5T z(|lC|L;efBE`#f!Es~iU<8nd=e0G#s`3kh3^2RhM|!e<5< z&CzqpR4Lp-lw86GqO;P;F0;|mU$gi~Wpbzm{?t-xyw{Gr$LKB|k|(A|b)wznVNXTl zG)itxb|awO+$TK7p9z9n`b-?dn?|KbZ6`eNSN_YeX(l@bD26jOy%=1VRk^ftnlV^^ z;q(bI8=c^SCwrrMw#Lr{AZz+EIA%EiRTi$CCg0{oToJj37J!39NKohH;b#E%z-04; z@|Gfw7khFiLm%_wMWZG2oA;&1?Txc8H+zcclhiYW?3?tWC)KDFe=_T>rmzMyEeJ@~ zI=jjSR*|iSljr`%3G7KHJ)7UWek=>&RiU85lQG~!tWZ>;^gK7x1BA`$VajiXH zGi&~rVfk09`y91G$FOX0fn4n-5p+ zN)j4a>?K)*SGzJ^mAB{1y9<-o-!sqU3cxS>G-yMCppiA-Z2##znpWbpFzE)X& z&c)^vJTJo`D@wbX$JotQqL>`yqZyJYGrf@_)OUEY@;jll=N>oPheXL3`Q2a`>@Ik)$$qM zo5Ys{lbXfU&w`776(37$^C5QZ1>0VjpW{DV2?rY*@Agm?+%DwKdix5+L_@1$tt>Q6 z!sIm>xwYkfJ@|Rv%SIgvJ`r~UY~1Y$qGZrh*;tu5>S3)5Xit{Qi#x^?vu6R(gv8t+F8r4H*?Id&Ir8Ndpi zpjOwmEq=@FwJ6bOcC&gc^R~LG1r}9A@3cn6wb=;0)$;luR(zdq4HG$Ke6p z0+-5j)Tz2IdpE5$Jl=dAw31~PHR16fJB(5;DXXJo;etPvq zf9HFY;Elb-N7xee%M?PrC~-_Su)3>g)M=k{8`|beW}bL>a(LViUN7goA3&_s;fx}O zJk;F<)vjzCNO$NZ9T8dzuU0pIeXLQ0e|)Z`|5`$}|C$snAcGqHBZfZwraveOQCzLd zme!6{UxV7L^(<^WtL_+1iIi8l=Q%pKKrNklxFIt-FtaywqjH7S<X1X!H8omyu(e-sJT zI#cmE;~MS~gI<^*5}NwM-XK%!i*_8ov#0S|zfR>>@v2rhe-nx*yFNuK%{CyJQ1yCq z7jz*1z!QF!s}D{#N3p&6gW@-e`yF&hwtXj_+jcDG(?Vmsw>Sseqh7}U;<4F4%G_}& zbqit^1}7!jg6Aylz@F%hfi!9byMPJitj33WcvV6{7yE{75Yt^W_a%Uj1497^ce+DY zsn%O7(rcp)AHRCe&(lO@NmBuWI2RT~ygHITF^u(~Oe4A~6u$}8{})Z_YkKh@MBJTJ z$Z9f7>GrHjH)>_8NbANjbl-%_G{~!s<9n#U-ITI%Y_P^A$xlvshzA|r#6umObzbN8l$Y%@1X;2nKQsl?6W^d{CW7^N5$E{c$UHf9gV+q^zX?36S_H}7 zsem(FT)4*)SNeh8$cU(189Nk^hO~0GtD@VLte71+dAnTu&xzI!@Lbxz`#$U-eJ6lF z#_@H|JRCQ$Yq=J=yOEx{+w(^{r~<28^*(aF{IPmP2aVA1l9F-9Zj;C0^Y9~<6O?Yt z??P$zpt~NJdx15z0qsa<^Dg1hwVLBfuoMJSrHBrygA6VoThk0sNuEaOUhr}Q(#y4u zvf!4sNy9(S^#1(N9g}*iQDH{&rjt{bLZ$j2{XX=G7mK-7!&!3;ci@ zD=a<#hFpMugLXEF#6c2#6NvJcx_ZCz%Z;z{jXd_o-Vjl5{;LW_xTqTsjqJ@4m?X`X zPH~(goH`WXm;X@en3l0Fwhh2I5A{ zH|%lNUZ&A?ABypOX9$@-h4cpoY2}5%?JG}Iar!)8V8aRXpUx0-zZuLyt`FmtNs5w!u4u)1u}ocSv=}_gTHuV0iY=DmyJNn5_yTC+<8jOfG1)hqXj?e0 z=EJcq<#w|?#Q=o&@iEnPofP9Rc+(tg=Y}~ZvVdn0tHOm**lG&<^2Te;WL=LvqQTX# z<5!SF^L4}M?$;qgUa%L5f z?jX5o64WZ=%1!ew4@&O@YiKv4Vm(O1*R96@-*$=$;^nu7+*}>}VaLNLHU<&%frJ4K z>=Ka;bW;I_`|AcyOkAv^7!MP!EV~wJbUrk^5(^JUm2b^HcwHCRp&fE1D>DcdDjsB zLH3}HI1{AsXLUwA%l!DK<4BNn)OA4p2I8-X>tFSmW%6PAW2uh1v@Yj_Qp|I%mF>7g zj!xa5X|^>>YcyUlfC`tc`mO=w_-p|$snP);ZI>6Dd?EO}in4hdrOGz%vyVVTkS0(K`jX)>f-*Igc zoQ8z4%my!m2y^4iM;RQ`ZC8OTtoEC}z>)q;27Kiy(Emn)DvBZ1rJ}$dkB9~tY_2Jl zlV7b~!Yih8#f>N2&(=i9rH!WF6KyAKHuujYL9AFo(SM*zusE;=S<+Uz-MB&n^VZ}l zDId<4w7im9?sR#0b+dC6O)|JFH**q~59t_XQn3@qwE9uofeDqraTbDP-=(FuGH2ci8iQHggKyXW6YQkY||H zW5V$%iotc|M_(G|7Wf)5X&}4C1l2!u2$Jm!i^ePYbanM!Lg^unQory_U^^#Q@=7E zpQ;(eck@ievR?TI1Jezn3phJ|?_*Xv+UWt8!R2I}F&_F2j-J5@%yT6VrsTabgRKGP zO)Z@5R7FUW+B=RD#g(A zwT{0Gul3I}Casz@-ZPDQMzEmVRP)^c?y&#n85$1^ zXtjgfQt5dUYF_{E<9Y7}|GeU1^>Z$&_Nh(UI2kU9kP}46OL>(2q#h=5)M@s-VlS-&EPrh;~Ozk<=&Nt3px}_9{)~dJYeZX zu;Ngi)gI`0-|LQY5UqZ)`7WQ0XNfux!cfjf*5ekXhKq3>AyMd+&xfV}huM$K2a(*c zqiPd;nX*oq?7U(2t(MMzn~GPZCK>%Mw3mDjy^!S(DcW5*ZGh3=xj*DM*-37`iRXVN zj*%`kL)@50E}#Fpd`%F8p$(3OLk~pdb?%}k&4SJwrf!dTiyY;=`MnVlbS1_|(}eq%hJ>N?i_f)>nBo$s~T z+k^s+W@O*OUk7tk3)it6Vg&m3JJqD;>8s9%QDghx=dK>h-Ity3n2YK=O`s{Qw>)m` zCaz(rb9Ub@zg_OU4pO47e@kx-{h<5>;yo=;o{%9X%{nWd>93YQ9a($3-1`rMf%i5c zK15DdzvGGP#zD|=S5E|3p_#M_TZk7<>isCaH&9>N+P>K~4ez4i^pt1O!3ytEdtP2xt@VLkj~1Y^mid+5`TBFcp#&0=`AV zzvx2(-(hXOYS@E-z@vS9Kta+nuz@h-X3FXg>asH2hSrw!`bO3U#`G?hHb7_)5MCE< z;G?CngFdl~rG=F}w+kQXUl82D=Z|IvQsTcr9L)Jh)nyfkMXc?NiP`8`=^07+;fRTe zdF_l$xRpf3|Ah{G<0Jjy;9$eez~JocOz+G>Z*6DFz{JJH#lXnSz|2esgrKu`wQ|sR zp|i3l`+Jc88b{RF-q6m>#=*?miuhw(eFJMp2R>5L4?_R__xC&<%uN1G$;$p;%K|Qt z;iHFviJp<+e?v2NG5bHzK6?I7G$X_RUX_iboyA{kGBRW^wlKCdwsNos;xYZNmLitD2e?tF7N8{gg zSQ!5YoqzQF1JlTm+uqUOr?H{KKlTf_Ykx_}xQgmK z81pkTGO=?rvU4-D5;HM=Jg~FyGW-Y3KW6aJBVuQ)?_h1GY;A49|JO1sKVFGh=z%-_ zpZ)(rv5Q@XP+r%d8#1`Gg&7FLv)H6H2Zr?t~} z`>ebKZGflq+48f~q=$iv`)Df5It$BwR;v93qp#F&m;|Kr0~L3FdQ`9g5E5i&270HQc74 z54slTj-b~6C;$JM|9^=d0zPPi{PW#w`=s%cBv9`DErTawAQ(7^jFZ zZ9(^67f;2)-zXp+$cV2$OQOU24upeH(@KH_?s58A;$q}ci9^a(qs|T?CZ%eG47u#? zQuyJ}T}1pyJ8nVIm}5>Mhs}B0kfjDnXcs(CTH9jCxg&8waahwWQ>tjf5`~>6s1HLr zRG$8zO>4|xwlta-kKBBXWqfG*fnQ*zi|JZh(tma3?5fE=knts3jT?Typt;a}iDf}H znN6i$a)#~bO*C@fAEYv7*2nPiB8s(t)(1iR4FeR`i#zE{NL+mq0(Px7*EX00zuON@ zi8(txSfywr#)ZIO3n7KsY@L98NZ1ZKF(#|p<}BoRTEpnq)yDG5`}MfC)cA0%K{K-M z>xpWWDF)#j@ed^zvUg=WK&G1W@k{>NJqPkhJBrK)Jh+>=fX3x`cUz)LwHjN6s@`G- zD&czzQHWr!N*#jv0xkoe#+JvWK98baC9ir%K{cH~3Hyt)WVZ@~p_0wqwlG{3l-2<= zwhrS@t={?q_S0e-=V-NddWk!gl$?vc0aS?i*N0av^OYYn8m&KLN=o6>-IQT`e*%q% z8Xc{zMAgyx9~EIAWKI}Rt+<;{hK;-@1=eKMUej7sWWQ+_PJ3y3vd!BK|Eka)9Gy zx$wk}je=x69I%27+|;hp=1>yi?mBX+6oRWn4hGeCPB&!QZzi9`OV6zJwbhI5c4fn3 zpmze{fO?2e2;BGJ!H}#UJ1`qr>4w<5BahxG)o*V>UKgh1i!pkcN9Wcj)h~A=u0!xw zqJhZ75Qvc=Uz$X=MV#@tz)B=UXX^knB^LwrYQMxSkCeh#Hev&lK)R= zZV1MZCFVSerGw{&r80g-hfjoEG5Hcu;#M8b@K-XR8_+%?-t2B4e0!o71UU)zIfXG; zmity1KS7uPr;2hlB*$-B1Hud6#q%L14;a8{bQ%bC;&Op8H?1r;{FZ7p=QSZY??OW4 z+;mq9CBv>|eqne^-v;FzGJndHcNyYo@cod0mjFR(kAk=g7~cY75LZHi=J%TO04s^C zq2E1q)BOYS_Y+PX*;7!5QWA(-<*Uq9M5Du}1LcH`?&q5Z@A~m8Tr*2Bb;8g{7hp*T z1*~93-G%iJA+9Wycy_My%wc+_0S~p&Ji2WQOEe6}Q9u*6U473V zbni0f&s)68$G`5&uBTb@;T{VX$&g`u2ckd_!3INAek5x*u8f%5;WO~+NsOsn#evj=ltLGh zUEtlp2qqmiXyf0*jHQ~vl_Oe3B`{y~%4t;-l!=^qpxqvDAX4q7b?}o+XrtI8z83ZM zsny91KQWySMy2-B*&2BqV5?WCzgWJq)w#W}k@eWOdVIO~fQJ7zsWO`ti+ASBo5%!% z2WXT+>urKq_)&vx#W#3noKy-TD zp?JY3<#y+&@&9Z|n%?!Y!~S8X4iGd1`W7w2Brh^+9w_nUs9(aZ`;sq_3g}^c zP<;|8k_z#?pFDC6qjMcy?-eEoL@G_?Q}^i81Y(ARqkFnd@m*9?u1{I-6#|aks--7$ znHwSz#Vcv-Zalz+fkT0#QnD2SjoMMIv7@ikjAvzcKY#h1HQ|%wa03=DQp7yDHjPu6 zW;*YNqlb8qX{2pF+f)M$c__P@R@X5ZbXV~zgqz-ustX?_g)yD zI1aY#YcNO$>U$&tP;(+>w`O&Go2xc3(I=GXUkv3P7J$B|X>XEI_gT|jY^Lt0ZY5-L zi|4L!;47mPd%7HY4VNmYDvDh8eAOYr~?62WGw z^5AINrX$7QGl&uqZz%L&^YY4Cr4Q=PGQ zY)2H@UA^HUss^F4;?uBo6pPN1X9K#0!nD4S_3vapMQNrQRkPj?thw(sxx75B58Hm$ zm8H6f24SSOtZQCoc+;Xw6SE9ZVWVCTd&zkG-hE7*ZU>Cb?-!+2#;z-48rdFG#{q)K zFc9I1P^)pm8@s2Q>qw++Ll+cgb!|(@8U~v zv-(l(-IzHOOC8Ql`^fM>TOZzKXwR=<8!QrjR?G}!ppu4LpL-+>qs^=jeuU!V$tWf_ zq-@aagC2o(*L1FV`~AFy^Xt(jJ-pY0i$XBCWA~!nui7*2I?e5EC$IS2Bd+8(A8Zm; zU_=!Z0&;tTTOg$m#s(5knv8KVTXQ>9d`L7g4#^UdzF&YG?xp7XG!RJTwU$S_$FphJa9cb#fIdm@kRXs8tcp za@G3N2BySb@k*B;^Oz~ocS_|XqHz|WehBJmSJbstU#|3y#sv5B=`KG2ptRUS~a)g_{< zP3{#4wO4{EXe)aCF`hbp52RW-?27g>LTqinwpriXUcMzzJNqzC?7`ccqZeDfE>?^k)lud8`Cg8j$hu342inWNltT=;Ev7F9hSp(8` z!Q5EGB)6dRx!fn!FrD3UWFdfGTV4#}$g-x0RK3r>2_=R&IG^l`eLYijgDM0`FjnK( zwHNDPR<9NDbj( zibAH>gy9?c4JRzVmYu$uJB&C;oaBj6V2s!zZTq=O>GuQ=7?!yN>uw z7Ma$AGK>%s1Ia+-A22Wq@>N1%=#&cJj3n(5`k<=cm#}b%#)hF;ia8kA+rz>R6Um<4 z!j3;7N<(>l!ebP3wcC@pHX=dY#N7T2n12bIc|KDvD~l?w0oCE7;&Pyp$#KgV_A4jE zYDp7@5i~*UW{#kXo!XWnru9j;15bWQxts;e#o-*MkJb3}3PraKi8}~d^mvYTZ<0GT z?VGz3)y{y3^r12p3d0m|e{7|;U!Q!wmFwM#}D~W=EYsCcytoS<=Ta zq3EtCDlm8t7pFQ`6P3DzXOBy35+}qKdNs4n&***i4d+w#0fOqlXctR$7+LqXFo^cD z<)B98ItvM!S3}vH^lz7;n*cf$Zvq~8;R^Qv+cM~5CFImUJZ|?06c_H&bZN@v5_*$) ziE!%NQNO}^pngK)@Sz(3w<1uTvu`OEr3=9bOKW)-rFgt{*%5cbR%8);_p;!1_nE7u zY)GHgIOg*wJe&PV&WZH5xrMekWzrzIXSv>8LvI%7+TD=D+(1cZSYMD2cLP!)%FG3m z69}pgdVQ0AZi!fRX4du-a<>)&QO{i{4#TS0?0U;mm-~mtNZI_f$4ivOlq1%u`{blG zMvbx+?s5;f#c(|$trYGp|6OdzZb-rnOsPlI$t|lO`S=2S0OFS{Jkw3hcgqcGXH#W@DRi*-e#GT0FyPQxKGy z8+}^|-^G%Pr;?>$P!E-h1MWt$QCBJVJ4{X$)2ClD?M^a*z3NEs=;k@ZVOWKomyfku zu%`sfX2Hb)w|8^#>*h0a#mzs%fH4*wv>Z;ofk zuwQhI#ah=sFDUdLw-|+8?m!Ph_!>7$;dV~Nd*@ETprvQlz-f0r~&rtI=UQoJ3ZOK4V z9&5cNcr+fV)hC(j2mtDZBdjcyFSvPPj6>m{3>#g-0EDsaK=>0r@%rNdhZ|N;%0Pq* z;lu;-k3`(CVCvCE1PDM*Cho*p$Lc%V(>+UjSy-wh%We%t+L}hY^&y7Zb!)JbsgF;c7eA0;P=sx(@)D+C;S%E^1^xoK(#rA zhJKBuhRG2|!;r-?k>k%j8Usx{JNaTQw6$5FVQ&yjzqpjS{an7V)+~0Bfvql+>x0Pm zMDoDHa`*IWbvKS~1z%2&Axd&zi(SxS%><5nNr41H2^2W^)_BmgTRu~iQRRw4?Od!y92h1 zZb)!*e>uI+WSOOz4{wrxilZb%3iIAap970q11JbyY%`mb*O42-OXrfT1rx zm^D)7!L%?rvr(~rDyVE76$vkAkQ^2+elo-VPd7Op&PVvBurOXJu9XjO93zIi9Ly+-`)#9@{Wk2+r6UFz~O*Fz4Bu zd(=d65MO97yx$~8>3m<(QqKb#oB&MV*tr-8OncCvGP=gTWFZ9-ZW`6R*P7dThWqZC z9A2O1@p0XJF_U6fnXei-$PC_d%a1jOg{tI)Xc+{k?|_kpo-^Y>`DQ~EQKgROvfFY* z(jW33c$K_fJkX=`HWUiCT;VP#+0RGclN$9;#Z>mAsgU`-&k@wC;MYLK=F-f!b*0gu zA^<~Pbvs~c6?34`iBe@{z0Af)X1!^{bA0hbY%AX1CR<;qsvQRpkx3O9ETsdi-HL5L zPBXT{t%?np#kzoKgF334UuVs4*w+kdvZxm3LVxra6)n>4`lMStdWK|aF~fOCptMaL zZ>Dx3Geq1(&pVsp5}q55vLr9QLj$usDaNTZJ#HBaey4d0xG+Hbh8sd$iW4jjBKrw` z0#whfppemVdQl}gqiLRIk^PH}uCpSo!nr56EbrTmrC+yY;KiTF%CoAxkcqtJ*TCkP zVr6HZO>=@)B$c3SUNn5U6StWSSQdE(c88D1!U6W%^PLDWpS+~s;Jqq#>BHs^`@ zcVVamK{g~qS~a5k3ereUN1F1_6v3ye7{8k@H|T8Cxdejo)XT=^26?Af;&&I(*=uyw z@&$x_fJy_*M5uqI2Wv7q?1`huQ0C)xdJU9tsTO#qWd>Cy zZ*CC;E?KsT9@IVGshb9#RkU(9esa>5Yx8uEI>Sgk99E9v)uM<5qu^ZudULf&&@2nW zrYw{!;scU3Z8;cGIc;0)l_PMmqW86Pj!vP0*IMF+!JDN890f$r(5PYC7Cpf96?KkzIGr;qYw6zE4ScW#Chy`lmE`Ox%(d?jb~(aUDgFa2@o4dX*Nq1{CE zLdsYP9c4i5Ycd5-B^JGOUoRBDdt-H*{&;emjYK9T0+)UXpmM>XTU-=)0Kbg}GWjVP z)D{^GV(Zzijx;n8(gK}S;@twcWzXB73M|eQpyQKpy6JUkOS={XM&CUB9!I({$Y}j$V zq}A<6?QalMScp~3_hy%-pxmbPY2=-G5Ge+((U$;>&gs6P^994h&oTUgsxd%PxU_BldnYfUVIZ#%1 z#e3l(qpG+;Y{x@${;U4pggrRthOq7EcEm|O&@h}g&{bsWdjTph7;rqk0i$k}Xn1YQ z6Bx!M%A;7Y{cEJO0dZYIG#Nv4g_xQK0!>juuPJoaIU`A4I=o61=fQcB`SM9x2zz+6 zESoP@CTD`DOHAowDT?A~pRm4$e)WS#r>;@ws-E;IdRmpY3ZO_V2}#Y1SFl-EoV#^6o-hb;}!vIY++_=ql({_u9@MII&ySIHe1^RF9l%{!{sSzX zr_%DK)Vj)xv7W*srl4b$5tc(jg7536FgQn%!Z`y_J>`j&s)D z1=H-~vgqtx2r8t?5)eJ?$+NMZZoDce$l3~4kYdNTw%!~!gKs29lWnCxz1_`O%oi@D z2N_3tlJ15Tm3`?nXZi2;;Xhd~MCm2qXISI|GuIQ-!}}KKc~b?c{Be0wdpnX6wS@v6 zqrU|Zu$k0(w@MbP#Pq?nY$*(Wf1J}RbMv5Gf%$VBb9aKw+wqBn*>R#pef|WX zpg2^vQ5J|Rt7joN*kJ+P zi>Iyh3)zp!6Loc(klpc(cEeX?<&z`&4Xb^DGsFJ$a7}aSZXai`iD7i3LV@b1E-usW zyN9oz`q`s*_sWLDo1uh*dmzfNj4twvp4<+9l8J&OyIx+oS|1gjzQ$trYkbgB7f>-dU(AyUIkn z#TS-{u1F%*C=A(|@zCm9bZ3j~fpR`7^TUMer$J*RPaoi}(n9nw%9EE@D$Dbc`p7{Q znN`gX@b3y1A18p&WCqZPYp2{TnVPTq<%NPZO$T?|l2q;N$(dudo+4FkwD6$)SRm0= zOeHSoSkdltBWPD-^%w92>4i$!zYF8@SZ1%;a>9>m1||eXE73*>p9QgZRH5e&r_euS z7!IBxQQet#CKmcr`mW=-r$wGeuTiz|d~_@hTJdibdERXSIobyHPm-ROS{$YW3*-6s zI!N3?8(FP!l6F~dUB7U2;!Rqo+z?v6hLJALbeu4}J-jaP9t$sujBV4N!1ErW(h28K z0;P5?;FI=#5C}Din%?!zGSO(@13MxYfd-NBNx-++R>JI`%@e{nhDS}d>DVMl%vqfA zYopP!E_ztlLNCc^@ZoS|&H}alwySmn=Zt4R@xt}NYm^sBxX(;t(rb#Af>E17>K3fM zS+SmlvH4|Ce}J{e{VP9Sh}&A?LTuA2)q1l;;iUKrrR^a&p%3z8_L@P?+j5%nGtE7V ziH3=%>6o5d+D^xTY%K0pf)d{TbDefet?=_fV z<#Kk$-9+P~!Mf19Z3N(KiM#q@$B?123G>el>vdsqI@h{KOGZ-UL9!rwCiA5{-Pm9oU zs&;=rf3fMO5wtfhnf9Zk=!_o@I0N=`YQDQ1Lg*Svmt6-=7MpFqSGe?P*IE}- zt?b{HIMWB+FOS$SMenn!wQW@HN~3CY(#!4w(kkFjPIMg!{1J!*3;#i??xtZ|=#39V8EmGr>2cpSWR45Nm(!xxI^gfNo9He{ zvKVdHUKxCW zm~U|Y#@8zY&zmMK8|tC5Xw{mV2oxM^kE!Y7Spxqan&Z*l=^56kv>P3){W;T7mvWLH zhP7_ne27#8{*VVXz8F+3^SpO|D!H!%`rCFwJw-Z=wdn6KPFR3b%BCSL+?+-_6_HQbN)=b}ba269&k$7{iQu=f zkE*d`S?C+XjZv*`t{gI-^MZ!ADMiI#f$%oPV-T40O*~EQFHhDdQv4v+-60Z)yb&ts z8R4Auf>w!4;zPe4V{Y?{e{XZurhXhHS0BM?cY5HpGMjU!X}9Kcu;O$ZLTN8M1|Ln~ zDo8=i?w??Afv@CQk$gI@!QmD?Rz8CubX)XshLorfKtF3M=pz_pHgYd|#; zxChTVOToOXcPVI3SPt*`^7V*%I)In;8@@o6+7f!8MFLqm6Kjsk^f(s2r&+m_iBCH3 zWeoXw+>ca<|FR1AR0?*Fyo5sB$z^bxS7-_k#>28^{GoX1fy}=(S|X6 zFmoyH7DpY`2!yl6+^<&>e!E*!x#apeTk-Z4>5kxoQjI*YSl|Vi-I`$Vi+u4!K{Z%p zGK_YcJD78F+v`g3^{*8^^)*eec^jmKGVYo|F2#Vj^j9*Kr>l8;e8B}oZ>tInk>y3V z1iO~0;uu+I@mlDa4#V!zOpf_;a#=lx0)n?ZVV}_N=%@pHh=88%Q7C#1LlkMkz;_7~t{WGC_es_swKXLY?(YQm6-8*C>M!K!_fx8yq3HOYNA>4%o^f@m% z3q$Mu=;{q-mf7LJ&-=@fwJCt`1(`ZF?B} zi>j(;p~m(+CaH4uN8VNK;ajWSR0Bb+W;M=Q7s}v;1*}J7XWUfz;aLx;Y->xWfMJH- zz#Gm^Bk$;hd7i-I_ap^?1IMrU@*OQ00_3E(Kl2`she|gJJF3jg@UsG|R({K#dI-W! zVk(N2lIKYJ@t!B&0F5=#w!Hx`Y}_BmckbA0Ge&h-zg;&0@iSMYAO{NB2Zcx? z|Mr2lw=ESp)um(ur}@^2vcUH$-sWVmOGE1}87zR&cvu>S=-X3Szuk2?n7ob$h!s9jfbo7l_){+Dau`|6DdvIKbm4`w8Ku`E*>^nA~ z+a>)-M?(A-e?xRz@uzW4v|HP~K2ar*+ku3ZOFApK@3h6UV2yDzlx0*Dd8K!($cMDfi;O3xtC}lW zc2JdFg-A8`v_g=~i+{S&%-n8$s{?n$DFHz*OtyV5$z401Y=_cuuMr#U+|avdxv?l- zd%NHsY#5E_Di#*^?AC5B`17(LAmw_N#-$x?@dbg$EE#K~*>=<(Ioo`776z3}L z(;eN3Az-0q5~yKEVILNfbbcs%P|G(7g=WeMw{>EM?A4_kRQJu~@LYVS$C z4OZXPPQhWdASg)8)uL6k>A;G;p^M2GEqqjx?xSB{r;MpaA=E2@uJ7;pWR3hJ$qNq# zmQt>ebmeN!5rg0y_p_gNCduhct+^IwjQBlFix?&^6P2%D&?q~f{nIKifU?=NTPG|LHf zdpT?+hBlS`^Hc=~n}2fBsCyPxcO!dY3I-V5@WDO+kfzb?NID+_*)QIq4eJDglUoAc zI?>d#{^|41kA2c#@8$m*h+IMkG#Wp{mC3vj_c0b4EY1GdehbW!upQ+HHTSVNyOG?x z8TL=D$l0|681#C5il4Kv9xt1izm6WiEu&T?xGNMTjF~fe5_vCnjjg{T-X6X)rn7>T zj5B##H$0?O?U!|Jl?~JUvah8|3gNK?GQvnN9rI=3R{Ovna9@KI7q#3t_~%>%m_0mG zIQY}9i!7*Sc`=Zl?6j~wuCM#~{^Rnw%jh@l-A1KGT3G{s#%+VHN(!6U+|qXeuXPHi zRmdbYosnDOsdh)#N}l?V2v>{b{bosNkQ2cwDgEUl$^mJ4H4sXz8;CPH>iu_;Z$k_# zXa#lRIC->+MO4e}oKLS<&-izIC;sT{8(8B5*Zg0a2FQ*BG{fkZlFXE;lC_@m<1@Ww zdIAt#P?BnSpF69^9U86h4?-L#G<=D!7G-9ZIY%*_qIA4-!KAFVK~)~!(4a${Pt5wS zG?FV!#93YE{qvZQ1*$RY*l46YIJQi|XsdHVfhlFD7Em{30~IRigfAnQ#$(~$C+!CVOF2X>1JSyF5@D86g~E!?dFgl8LiAikb9w& zm})2V+FeQe@vn7McJIfAF(M3Pbs&I4~w1abqO(wr4_&Q_dx$PMp zFs)w2)|yPhUN@K9DO6NkW!JKbV9(lcT&G&A=+Lwp{W#<*N?dtf2Wo@%0aezCTJU>Y z!zp|W;~sln0O9MVdguz`B5ga_wDd%T!Kn-3w~YZ}`bf_t! zNv503K#i}_5DAmqVI?DRmt_x}h+znH2TYD3*n>&6Osl&Gw+wlut70(m>FE@-^&+@$ ztM&%RdY*)+^+*BbK)j)ve<K#x}b_F9O?0dUkt19O)@Kgy+Khgh$U zFBuGnM62=bukeetlQ-Kox^U*wpBB+gyH7~`Xv5onLrh=ShnT#d-^xvN>VAj9@oARZ zV$3ZvYvfH~V6{}FZqbrlfT^Vlh0AD7qQq9wikc10Zg!g3ZAnixWMpVc9BHx;8nD%n z2Tff7^t7yBa68~cd4BWZmr~VQy)>t_2FfgLT$LfuvpYWji_p3#PD1{Z{o2k zhDLVB=(z8|ID-XcG^ZmAzQniu3YQf@ocxM>`IW@aOY_mZKS&Wy;y*YMhcO607bFpk zuGJe~dXBld$G7uV{)fKPt2sTL;}1u7Hf+vl(`9yYaVt;5eekE7wjovNLF1a<9ay)U z4#mfwx_-@aPpa;4&L4m&5pJnsUF;tlHytOT8#V^*Z(3D)8d`Gi;x}{aZ$i%K#?ja| zq=qs=dx;ju&@T)ijw7e;;LntIiYMheHg(q4x$Ex0yWU1D*r$6e2+@n{pp;Uak$&$Z zSTvHx8jxhy__6)$7&h5a2kgkuCHr5l{fcLb6;F6wD$*rJ7S7G|#VMT>_)qD$bOTXOr7zoDqkxtS_`WJ5c zI>J1Y;7DwUf$EDWS`hn=5FezMK45a%5G<`FcGwM%n35pf&n7+SpLZCv<~vMX(>B-^ zX}&yo){de=jV0fw>momCQ521<33Ui`h`XYS#@CVi%&EpUwOh&&#BDdYLobtHJYSs{ zR1eOnQcZ|}WtkQJHNGS53$JhR`rv$|-mXSG5Z=}U9nyiw04!i+@|-s{9KX?L(VfLyT6nvXPqA^(b^48{Tc1qMk`e*8 z)?b5?qlL|}_o41=KC*e9he5)X%Oa%x2_x*Z)gm68_ZDy2eutn#)WTB3J&H+x}r zphahp{|JHaQoVV9N|%zxBfpAw`ug_cTJx!w-+|50)JEI68CY870qA4c8zH_9lCXBW z0##g~}N9K(WV$KDGqQgiWlYl{zJ{0C|;fro%DRog0jrwAFGZ(XiE$upB`ngG|06-B|!Z zx-;169<)SVa>5;mK9Wx$?of|{={cys-$$%V80t*fUK&=m6JQA6!@Xbm6Om}Kiy4n$ zt^G^Ya!$H>6{=YS%voblbnGnXx7hstx$R|1AFLqXy>ncQngXWL5Xct#drge~uuFfm ze_*x19xl5co4I|P!_wn5!3=9N9Zz4N^n3EiN8oCFXuCu38S?9-{!p>5PZWh2zT~+) zHQj05*t_gF3iGdbNNFiKW*%bt%i1`)Ltq_|_;GMJWI$vuI~A68CPV#kJv{05rBaR< zSTNdkCDyME|A5g{^M)c0HDI-IE4B@)2}D0A4OS0Sm_hVYUm7mA#&{`F=LN~Yq*jaM1-J7$qUM|CK_C_i0}22pPB6^X4jv%2g8kCkkI{- z#~7@JG`=j^7dh6ixfVtwbCBkBqf^K??={#>BD?|2km}N5%9D(FW;)BZYFEPGgt#70 zWF+RK<7>x&3e%IN4PN2hUIUUu?P~cMPLABt$7$|>tq5f~Q&fO5+uv6Q2^A=>VBx!Z5mQd1hi5ilM9x!BXh z>HfIoVS9*_UhbI_g~en96qmZy4P)g&4m5ZCQ>P&dyZXzAl;3}*n&_~4b<7ur0L3Ym zX?Vb50H#IOf=1v;i`?wV0-oD|ahW}xoJ-03=r*!p z|Bd*y06mVmmpcYWRK1RP*<(MEj+d=@xljV$c;|6hwD(gz0dg3_P*SQ@$8!-VjzLpj zt)yo#D~26>gE05+G|_=m?s;Nit?b)52@yb^tL`Of1X|kiuXC8g5}|M1Y^upPd z4iCV%F^VV&!7mP6N-k;FY5vrB6{?FxK*=@wZ1j9>P{nB)s-X$bO=R;ha@RiLlp57yz(?BI~G-`c#gqFGv$5M&o$xU7dW590gS#boA&= z1#U`4xbt(zy%R6y>v#2E1~u1j>DNuJ>4K0}zf^k@elchmiG;-)-4wnqiFyY>0VO*Z zMXU+CyW0G#KRQaIHCO)8N^a`fj=V0oHI$XqM$WwOo%bQfel{uoqOKzs1v-C8)Db;Z z*~VD9hK1(^W@Eru(|x{{gKR^3X5%+FK$w3F=Kk6Q*|nq4b-Nlm zHap0$#1$7VR3ic#4Y7|4bS^@#i zv$s4wbb507qWQ6zgqe4naU}}N#*H0yBnoJpyJ3PG!Eyvk6n3ZsQx=hThih*?Q5Q-4 z3Ud$95F8EF&rGNHUuk5Li9+Z4rlgqaDeZDiMO%UU~4PgLgILoaw~G>ImO{I~=bwIL32SKgVHx)$0!( zc~rYe{Qf(=CvJyeB-}Z#_oL#(!^Yx5nKp%+LYv`YPxe`4*E(9`IPokMA5g!V?@VJk z3&^ZGg~)pPS-n9FqE)x{u7;x75|iE=8n5{W;)?eSa}0a(w6LA_{fYs&WBY@U8cM_S zk)2vM*ZH!8CI+KU4KW31qp>P4Azn1QEcOeijD$1bO`CX<&NuaLTh>JQ!iP zfo06}Z18CGu08qSJe!x=8hNE+rHr_e1PRd@L)v*)UDx~M62=vTFNeldyDgQ1Zrzi|c>UPRyOr_0H-FcT0kGzLm$T`}{*JUs`)w(>Hj6^lmwtrKYki^1ID9C~EeXHH(_66J$qQ3zGZ;D8(14YXF+FnT_iq zf1}51K;g*A&}lTQttdOR*Ecg!pgT1e?b(}CW-YZC`dq>};d6k1)reN){R&G-Zd$|#P_V9ORwJ*Z=v2sjb3|P zWWwp0J`Aw?RRZP>J@a+3KYo;>ir_~(u)6h=+NMgy3uW)E^n3jf>!%@Rk-}PF61A%K zE4Po+cgE5Y)MJ$A(ZtHY#c%w3m77~=iosR{v!m8j7!`Uf{x4uil*~E}HGf`CRx{i7 z)R3-tg`-C77Pe}A9^i|g-@9m8YfCITp4|umVI3O5v)YSFo!vZILxk<#V%=|n9lz>| z_Hib8SERyJy#~wKZJrco%dNPC$A+K9eJ#M0aiM{sCvI>CxOpLhyIL5PQ}mjXF_UKF z5!sp)B2URv>+!V4J|Q0QJWY+$2}Q&=q7z87yHVg*4Kx!*ZCO$GT-$bjqRCmnIGA8y z$l968vnY?Qv^Vm3y{X7^(}0mYNOHJbun0z|5?Hn~dcl6>-77|T?tu6FUCqCDsl4QVKz+hLI$@}S9gbl_~yu~IKJPWp&`zQP#Me9f&8-=^lt_Z96qx}el- zkB5PX#CnbKukiO>?XFf~8JLlu3(1%dsh8$;B7 zs~iKwXs#J22%b;ix#AuHDjCd+rzJIh6( zcCzObAIUh;*!+7$;V#fo32GX?=9iHfj;>l7t$5bnxVQrC>tx#bhEeV>u*<>#OzY7B zu;X9vwvwBH;IdrXd9+EH-!P&r_+j|?u|xsrj@~JFzW&k+&xJ5m5qaD<0pl@sbQjy+ zW!ox#Xhdz0_Cane9a~S`J5C375q3Q|*Z8A5#yM(({MzuKKzR@*4hZTIUa40y($MPM zivX-HjDwj%)0-x~`bAgln0t4CPe?c#3JoNlR?4G`4W~VPr=%jMm-cdUGa-?wNbdtd z61^2S1LCILs!wv)iDWss3kQkFWgK$K03#1IK|IH_-&Wf^la=m?--hzQhKc% zUsBj5$dH~3Ke`H5FHwUfjzI@7;8JhcslCFjo){UzDbsPdWu`GnpjZvxQ$Q$k*Fu5$ znPF=j7eWyN!hI?f!%C~>TWxqXB44%k9c?@CGgSDsiH#$-Z?&~->m}jT+zc3!u(&aa zRGmrNQv~9OpL9Wkv*^0kd`tcYTJDc$*078x0;^3!(q;iIjmndc0C`*0qho=PHcI4c(hDF z-tYZF)6*Ln7D}NW4JOGn#7qcuu~X#s?KGKOhlMd09g$gV{4nj6xamNbTr_AU|MLAv(G<$f6B(;>nh&H_+Pwzz-RQUs5 zJ7HHG8wbeowxpkG`o?KA5;KYR8XE;NInnGSZQz$2f7!tS4}SD$V;g*%UEvBfoewn% zRe)cC&{`&=cV=6$66wM|pS@_xs9U5lt%539)|cOC|il|>&#Q`XBNKc<+KMkBJ-=_bng}?WK+iu5Hz%J z6CJEGbU$?lz!335G({7QQ}?`e>|I>A4rIQ@M-w#@RL~GYss08m#*qTT_ZpI%lOHCK zf?nbHW7vh5YknR}&5I#TmvGTwBGn0`bH)eb-(8*lKIT>D+Ff~!(oeZv?rF!L>TCnn z77oG>BmWUfHdUK3Icnrn2Jss&iK38s8=Yo`s#_-H7kJgxwL)&izf8g^{~o+Z?FY#I zf9;)hTU2e-_Q?V1E-C305P?AkL=b7|7;*rS9J;%a6iEpwDajd-lI|E9hLG-V>3Zir z-sdAce?DK}I`*-zy|2C2xqj!lWy1jx=75F;G2y36NSIEl>l~u9PDp1|PoTk^THm?( zA4g(EokAj?xM?6u#{j@@!jte#rT*AIYjtv4dXmZLhRkV!Uv=-?oBN{;-7z1iXxeJc z`mn9IbfYLW>88F2Ah?_$x>c74T}4~z3MW30kl_PL^83P*%degb*j$PJ2=B+8h> zF~zz#%(D1)V5~KPD%m#ofaBU@j8j zZSZo>@nt_*wBZ32X5E^RBGp2QGTtI(%ph?j6nfO;jh#L*E~_{A(P@<^8>%$jgN5_^rw2BhE(<>`ttB_T6hBPA_PfDT6}r4S4jwr2)Q0BQyZdlUHlKY z{kI;^&TpXhZS+rrsc|wz0k7>#LeS+zfA=mwvdr`P1jF732L)j#d4gZtb6{5w+dwB8#%56x82;uZb;2|?7R z&!BC5@wHAhtBhMX4MSi5t;M1mLU7wMdtBM39(XayWj7hXp0zdPpWG)&#vrkHJs(P= z)!RcRBgdEHY?hjq-Xg(O)!pJ1P2z!$J|#Z%TI`@Db*F77041F&r6(jkC*ekT?JE#rthUXhjXGPv(m3hx} z95BE2n;}absXIA?!Cdk2l1YnG@jk~=57+{6>_{gd&oZYiQB>8Kx4yH9hl2zh_G=gW zlMqnQGUmhYU--K8!~rRjflZ8;gwU<0hDO`d3WOY3gWY$qAYft*+Z4Ik(j_&&ze8%? z_Col8?O>lVmD;CW4E4hM$?CUZQNWf!-}tBcKpDi7j-6<^+?RQmn$B`k@r2(sVO3=0B-yQM*Kr{&Y^us8G1u) z&Ho@=Zoaql0jZ=h1DrWE?fkYvv3gogXC4S;vGqhFlAdr^MA)I>S;bRxbzgnzECP~A zblA-(4+RMHwdi5o%%EG5`(94HOtiVa1jxDdyp;Sq8*fNEr5&v_moCvlyo33q97CJ_ z%5K~vpn5d2OfiA+pPJ)Eb>7iT&PVKD=YpDnrKJr$>hxN`x{yR=RcQXcAL)R}8A6qex-c8WHX&1T(lVi|TzP z*g_J_wtxMPFi|NfJy-$I%%Z@!&Jn10Z_^Xsx==VoJ{57bVg53BdUMA z9Me2#ikc8Vk)+q!D}m2D#cE^^VvZ~RXjAMcMEM)nr$P&X({+<7n^Ug0=SB(?^$yq5 zK2O6()kUQsiqQZSrt8T3XP4bG=lbQgcfs{!w}y$)o2#6T;n>q*CRG>8G)IEI(G@z$ zx7q6NJn~)k=I}urfX>%slu(IL_0%4{5jh$bSZKF1Mg4?VObTS5&jvRMYFsk4>H;S0483Yt1iekN<{a z?~I|1(1bMk%#i_m`>&+3CR;Oy&hX{(vPUB4dAI$a;vxxgWkzR1>r>5`maei#mk)m% zGX66{7^sA;TlAi>WhQrYG=z;ciGiA%_Z{3J|JV&N}jb!aUI0qi&`l1`P zS2=2EQQlQ-%gx2!NHr0F|NV83Qdo>%;Ku%Ov*Zf8ONui3SFOLG`AIce4{NiT)H62y z)Ex&ICa05weR=j57CU4Q)LG{RPa@+oRd_0_f%C9zPevBSk&>9+;3q#K?;rL3$ z-LPRcT*!g_tN#qu6>*+1<0~>!=f5QdQ}~{Us_G(jy&yK#(U|gkz)Z2%HC7+D%n5^E zB=cS|Im~(liNnz7fw&6Q)FU=TJU=@HbagVavE}OuywQKW3@Ys}E9C>E87^n%oNWHA z-m0JuCfu)|Gg|JGDl1j8JO5_*?MTL?+bm>grmCfdBwo>!u&oPeZ4zhS?uIffCpbA% zB81|2Hk%P?P1tf>UT_Cr>C545>IOqGqF&*JL}SR6;w#R_nxM!eG?%I@=WqB?uB&=Z z=cMmp&z1%YDGdg6mu+AZGz9?Yv{KC?WN74iuh{1OqGVI*T?#)7521J~TfbM=d+)H; z{WqC2_0>z)cX~3vqhs9prTxN-iy7G6k86pfq^CJ8ZCEwXc3MJ76dvt8NbueA>Tp-c zQj>m&8KR)dO4u_-u`S!XqrB`S9;G&66Tj+~(tYp+{G?l3$7x$tudo(z-LSO1Sx;eD zXTpKqphmGA$vZzeVSM_tS2k|2P24e^L^0C-0aS7*aCm)M2mik3cj++ya6I)OkhM}6 zl0U+za&N}dPyNqWP5bxnS$s8vqeP}ur&Z!sqV6mZSp2T~NXFm;H&D=7Vln|g@cqVr zFsK9@Xtgn_axm2_*;;JbaLwi~X)`c%bOFzzvq5J_@HPlV0%E7|)cl~|Uym{}UsKVD z=HkqvB~@V^y9_!9)KCu_j;#Nb9unB&*|YhUOMx>qS=wY{Ov;9S!EUL|Ci6k}#R-`5 ziGi!LmNPyMBVeW3bUJQs3mdMNQyJpbGWb^u*qzjvFuM^Z91Yog@1~lxH6$xdS!c*r z4pS_k3s@tMI+UJ{VcivL)WmaB#X z9nYpz_K<2W6qafU$~FywxHlxe?aXI~KXAEW)%qGWh3_^y5(RmOkBseBztAo#Ru;xD ziaqlVw`14Wz}0%kPCc_!`nNMvvNlcRCTY0&x+_YvWvBGB=6R|w4ax`@BI5L>UbxcH+}QQ5Ymu{G zwxr~BSTbF?K+=bYF`4?Eq>K2LVnllDBGvW-DkwQQ)Sc%prv#Kb=+}f?sRkB(`9m#q z0xH7J1tP#Q9w`k+SIaky@~}Lf>dv)n4{29UMhZM<-yaKc`*;tXXmpZ#LxVPJVd@=+ z(C69r?V^>4->5(UF#%|pjP6H?Duunpz)<@;(Z5&KN>6|B;|s7Jq3UK#Uu=`BYq78*3Dm$>wI?8fV{wC*sTTP}3?(-lE<43r0nyzPPDS zqmMGk0Y2dw@R@AhvLXczi{1F2!IT1HF3%Z$P z?|9-1qxQKv8~E<+a%58cLA~)1FCTSi^_!0M#Tea+S%h!?6HB)FHskrK1)|DCEjiqv zg?hBmK*PiubeDk1#JT{AU#M(}F3jt5wEEP8R3f^#Awf+a-# zy1-(;n#Dg|;Ms)tXNl#}G7u=0=*FaW|M`Qq`_hxA1mmyH@)1cMGaFC61h6Uy=-h!i z=XL1{(oXS{db+1gJ_eXLfn}IioIB`W>ZZ*)>WgE&bMhF|Xux+bXtn<$ zr>sj=0mfXa7oRGrv#hFX#1K>#DUbRVVeZtHPlUEl@OZZiH7$xVWK5s^=z6>5Z3%CS zvw*ONnS;-yBUTGOkDH)EV_;-{Oc6XjGQ#i%Z_-a9;xIag!1Vm@OQ`ac!Axaoj zxCCkN+1Ew6?_`a}$iYip%24wo&^z76Ps=MkGp%lGrVEv6M-IzF?BwCIzK~SrbvQOU z72@nb&b1*-OrhltyO%3Mq@8iW;rqrz(+EOI)ax5vNphFT+7{(M@AL4!b7z8+H9h;8 z+91l;i)a=il#mtVL2^F%LAx3^S7%Q-J{VZ=6Y!bVmMs#;>Lh)aP5?w|F)z0L2YvLa z^#=PGw7niR*Sd>_UbJWYoohaLL^{6Wjd0r`!s17Cp_SXp_|cyA7n*5x4P7E$jMmUy zu0V5>xfW*@=OVThdue=%{@_UZqh0eZUa7zMA&a-qjD=C`w8_*k^t!9Cr%BI&_Li z+^E8eV>G5$E zl~*w0Re$+!b8!tN!#0eAf;<*2P$yTF!=*(#-A%P0ol9h0D!i~Rz;%Qe`3vVNQ~sTrcYq%1aeA=h~C zYI{4hl+FG%*Dc>M?6(aQ;Oa&tDsW1JvXRm;Yk;d{+4v+a?r=E?L&cUR)-%VL=*rnwq_yS#dc z2i!D31XttYbckXMMcaNXo_BxZn6@Ma?6T{!X`*^!+f z6^Mo$D0=^jj_IeM?!!dh6)Iz@FNh#QI3Ex9ItRo|t)xUGMJ-caZe#je3s{bX-{)hz zQwwEncvuH()pzspWn11#Wn-smQv%~a!X<@m4Iwc-g4*qR9Z{i$g~6tTk>B5#X0ctr zDu>IwmyEogSh>{>;r}^viAq&kkb;D5SuMm(gzK=4dQO-X*;I6=LSOuz@#Oeb(7Db6 zuq>=dU%w?*q6*V>vh{*QMjc`I3Y)i58u=;e%s_!6EZ;$28?yemlaF0JU9i>J*HeIm zc{Q}Tbs&5wEk?3vm;d3M&|)eap5elL?dZ*;zH)+{gg30h&-em863yyk-iOYiW3W_X z8tav6N%Z5548pjL2j`VQ|7n$1&il{+20}5X7BN&pfhwPHQ)tyK4T74Y2kSZStbc#C zt60gK$LqDnW81o?jOjf?=;1i>F(c(A7Ohhb9p=gcN|3&!r3V2q;gc+MScb(Q5bCOU-#cq2^3)d#Sw`yTtd z)Svfn^ys5WJ=f`8^0J(*SU{~kX_MFv)i2oHh^=lyIzb)oZ0ZHizRlhxYEKcwyM!bc zHO#gn!aA6rrWtexjeSHZ>HlqQYpXX#<+F%F;mVCWJftC0{=PdbRuDo*YIBW(&3WMz zE#;^oDO43aj}r^KkF`R6{osCu`1(dk&*N-Z*C?eUNVn>bc&i!4q(-;cc+j(zp$Naw z-V=Z6;?;N34l^dt!z}SJwVfbj{HA{+aQM~|$PKDra5~jSUv46D4CW&>+46l8`Fchd z)-PH%X5)P}hbI?SIgLlunjX4^>z-#>WE@XoEWbSzSUM(vhm+2(U#Q05p2(vTWCK+i z)sxvYoTsZq-_fR@*nD|8Y@`G-3BoT-W?`u=;{V;S4yd1dSh=j3FlHcbHMrs};l0ju zaNk}(aTH`2c@a7GW~4`OH6ina+6f^t7f~w&PTpYF19X0U?flRiYFvp z6!JaFFCVu+$yDjLKldGDgJq-1ZY9UjSA5X|dsdlFujZuC5PY6Gz9kj){M;43-wm=8 z2cKYhA=K=%-F{GD0(lkosI*W!Jj#Ni&o-Bm^z?spaP&4@2Qbh!RxD>Ugf^N>IHLO*+y#C>wO_oeW1yqTY-^*S$MJ5;q=W4X9+1gDH53W`& z`WlO_;~>~#=+D(39pIMJ!75Eb;v3x8AuluDbe0enpH|7sX=EuLUkN%iFz-1S$S))puE}E5JiJ|PKO}Kj_(nbR|e|Gq9^1T0D z6i%SsAc4#@`9K#E)rtM;g-w!&p@9`{F6UzJM36(p7f1<=k{Ne7$NdPdEKttqzMB_CEN@iZ1(Nf|+~g57 z<8nPXcuucCLr1CPnKHjTI^>~Ov9q3XIC53zcqwhrlU*8BnXlx>ONi#n0=C0aNEMOR zk!rS3Qd4(k?R3WmZIHXpyi)NUxiV}5Y{>Y~zEaBTA^jA!ZV!$FSOLm#Dmw$8sdWa} z;iUPbywiNHuo&@EhD0a|<34SVlsJ94Jh!nqql4k#OI4A~pJaNhHO$NHj+l%$g|+T3 z%;&}kH8c9S?Gr@qZF1;?XuELB)usfJGV}Q3eEYNRxBs4dJ^$tXKXKe~Bq(({PJL%; z<7wH10rgh{G(p_G<-g2iW(Nsq=omQY!4l2(tmqh65f~U^pv6xZSh)09SVt$-aagz{ zG7e#^(kny)^9n&|!FfULglb~x|F_`( c`aMJ+fA4$<_|ck#+Bq~uxsUHFWgsE{5B_$eW&i*H literal 0 HcmV?d00001 diff --git a/docs/index.md b/docs/index.md index 9204a4f11..cc8d183f4 100644 --- a/docs/index.md +++ b/docs/index.md @@ -1,3 +1,22 @@ + +

@@ -38,24 +57,28 @@ Some reasons you might want to use REST framework: * [Serialization][serializers] that supports both [ORM][modelserializer-section] and [non-ORM][serializer-section] data sources. * Customizable all the way down - just use [regular function-based views][functionview-section] if you don't need the [more][generic-views] [powerful][viewsets] [features][routers]. * [Extensive documentation][index], and [great community support][group]. -* Used and trusted by large companies such as [Mozilla][mozilla] and [Eventbrite][eventbrite]. +* Used and trusted by internationally recognised companies including [Mozilla][mozilla], [Red Hat][redhat], [Heroku][heroku], and [Eventbrite][eventbrite]. --- -We are a [collaboratively funded project](https://fund.django-rest-framework.org/topics/funding/). -Many thanks to our sponsors for ensuring we can continue to develop, support and improve Django REST framework. +## Funding -Rover.com +REST framework is a *collaboratively funded project*. If you use +REST framework commercially we strongly encourage you to invest in its +continued development by **[signing up for a paid plan][funding]**. + +The initial aim is to provide a single full-time position on REST framework. +Right now we're a little over 43% of the way towards achieving that. +*Every single sign-up makes a significant impact.* Taking out a +[basic tier sponsorship](https://fund.django-rest-framework.org/topics/funding/#corporate-plans) moves us about 1% closer to our funding target. + +

+
+ +*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/) and [Sentry](https://getsentry.com/welcome/).* --- @@ -270,6 +293,8 @@ OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [mozilla]: http://www.mozilla.org/en-US/about/ +[redhat]: https://www.redhat.com/ +[heroku]: https://www.heroku.com/ [eventbrite]: https://www.eventbrite.co.uk/about/ [markdown]: http://pypi.python.org/pypi/Markdown/ [django-filter]: http://pypi.python.org/pypi/django-filter @@ -284,6 +309,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [modelserializer-section]: api-guide/serializers#modelserializer [functionview-section]: api-guide/views#function-based-views [sandbox]: http://restframework.herokuapp.com/ +[sponsors]: https://fund.django-rest-framework.org/topics/funding/#our-sponsors [quickstart]: tutorial/quickstart.md [tut-1]: tutorial/1-serialization.md From 57122f042216db00903820bc9f6ff17f5a9f7a29 Mon Sep 17 00:00:00 2001 From: Ken Lewerentz Date: Sat, 25 Jun 2016 22:05:28 +0700 Subject: [PATCH 25/57] Added missing colon in extra_kwargs documentation --- docs/api-guide/validators.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/api-guide/validators.md b/docs/api-guide/validators.md index edd099056..2c3d15676 100644 --- a/docs/api-guide/validators.md +++ b/docs/api-guide/validators.md @@ -216,7 +216,7 @@ For example: class Meta: fields = ('client', 'date', 'amount') - extra_kwargs = {'client' {'required': 'False'}} + extra_kwargs = {'client': {'required': 'False'}} validators = [] # Remove a default "unique together" constraint. ## Updating nested serializers From 1037a2742e39eac6777924725e2bf2e13447fa80 Mon Sep 17 00:00:00 2001 From: decore <278972894@qq.com> Date: Tue, 28 Jun 2016 10:15:42 +0800 Subject: [PATCH 26/57] Update pagination.md --- docs/api-guide/pagination.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/api-guide/pagination.md b/docs/api-guide/pagination.md index 65ea2b3e6..0dd935ba3 100644 --- a/docs/api-guide/pagination.md +++ b/docs/api-guide/pagination.md @@ -47,7 +47,7 @@ You can then apply your new style to a view using the `.pagination_class` attrib class BillingRecordsView(generics.ListAPIView): queryset = Billing.objects.all() - serializer = BillingRecordsSerializer + serializer_class = BillingRecordsSerializer pagination_class = LargeResultsSetPagination Or apply the style globally, using the `DEFAULT_PAGINATION_CLASS` settings key. For example: From d41ddc9e5f3346892e46659245522d4be8abdc1a Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 29 Jun 2016 12:16:42 +0100 Subject: [PATCH 27/57] Update README.md --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 9474f6da0..fc9bd43a5 100644 --- a/README.md +++ b/README.md @@ -18,7 +18,7 @@ REST framework commercially we strongly encourage you to invest in its continued development by **[signing up for a paid plan][funding]**. The initial aim is to provide a single full-time position on REST framework. -Right now we're a little over 43% of the way towards achieving that. +Right now we're a little over 45% of the way towards achieving that. *Every single sign-up makes a significant impact.* Taking out a [basic tier sponsorship](https://fund.django-rest-framework.org/topics/funding/#corporate-plans) moves us about 1% closer to our funding target. From 1d2fba906e6a66288263e0cc6d997e51a88df008 Mon Sep 17 00:00:00 2001 From: Vikalp Jain Date: Wed, 29 Jun 2016 21:57:17 +0530 Subject: [PATCH 28/57] Fix issues with routers for custom list-route and detail-routes (#4229) --- rest_framework/routers.py | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/rest_framework/routers.py b/rest_framework/routers.py index 027a78cc1..70a1149ab 100644 --- a/rest_framework/routers.py +++ b/rest_framework/routers.py @@ -144,7 +144,9 @@ class SimpleRouter(BaseRouter): Returns a list of the Route namedtuple. """ - known_actions = flatten([route.mapping.values() for route in self.routes if isinstance(route, Route)]) + # converting to list as iterables are good for one pass, known host needs to be checked again and again for + # different functions. + known_actions = list(flatten([route.mapping.values() for route in self.routes if isinstance(route, Route)])) # Determine any `@detail_route` or `@list_route` decorated methods on the viewset detail_routes = [] @@ -154,6 +156,7 @@ class SimpleRouter(BaseRouter): httpmethods = getattr(attr, 'bind_to_methods', None) detail = getattr(attr, 'detail', True) if httpmethods: + # checking method names against the known actions list if methodname in known_actions: raise ImproperlyConfigured('Cannot use @detail_route or @list_route ' 'decorators on method "%s" ' From 6ff9840bdecbd877732d678e08c84bfaf288a3f8 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Mon, 4 Jul 2016 16:38:17 +0100 Subject: [PATCH 29/57] Schemas & client libraries. (#4179) * Added schema generation support. * New tutorial section. * API guide on schema generation. * Topic guide on API clients. --- docs/api-guide/schemas.md | 383 ++++++++++++++++++ docs/img/corejson-format.png | Bin 0 -> 20499 bytes docs/index.md | 7 + docs/topics/api-clients.md | 294 ++++++++++++++ docs/tutorial/6-viewsets-and-routers.md | 26 +- .../7-schemas-and-client-libraries.md | 216 ++++++++++ mkdocs.yml | 3 + requirements/requirements-optionals.txt | 1 + rest_framework/compat.py | 10 + rest_framework/filters.py | 20 + rest_framework/pagination.py | 14 + rest_framework/renderers.py | 17 +- rest_framework/routers.py | 43 +- rest_framework/schemas.py | 300 ++++++++++++++ rest_framework/utils/encoders.py | 7 +- rest_framework/viewsets.py | 1 + runtests.py | 2 +- schema-support | 0 tests/test_routers.py | 2 +- tests/test_schemas.py | 137 +++++++ 20 files changed, 1449 insertions(+), 34 deletions(-) create mode 100644 docs/api-guide/schemas.md create mode 100644 docs/img/corejson-format.png create mode 100644 docs/topics/api-clients.md create mode 100644 docs/tutorial/7-schemas-and-client-libraries.md create mode 100644 rest_framework/schemas.py create mode 100644 schema-support create mode 100644 tests/test_schemas.py diff --git a/docs/api-guide/schemas.md b/docs/api-guide/schemas.md new file mode 100644 index 000000000..9fa1ba2e3 --- /dev/null +++ b/docs/api-guide/schemas.md @@ -0,0 +1,383 @@ +source: schemas.py + +# Schemas + +> A machine-readable [schema] describes what resources are available via the API, what their URLs are, how they are represented and what operations they support. +> +> — Heroku, [JSON Schema for the Heroku Platform API][cite] + +API schemas are a useful tool that allow for a range of use cases, including +generating reference documentation, or driving dynamic client libraries that +can interact with your API. + +## Representing schemas internally + +REST framework uses [Core API][coreapi] in order to model schema information in +a format-independent representation. This information can then be rendered +into various different schema formats, or used to generate API documentation. + +When using Core API, a schema is represented as a `Document` which is the +top-level container object for information about the API. Available API +interactions are represented using `Link` objects. Each link includes a URL, +HTTP method, and may include a list of `Field` instances, which describe any +parameters that may be accepted by the API endpoint. The `Link` and `Field` +instances may also include descriptions, that allow an API schema to be +rendered into user documentation. + +Here's an example of an API description that includes a single `search` +endpoint: + + coreapi.Document( + title='Flight Search API', + url='https://api.example.org/', + content={ + 'search': coreapi.Link( + url='/search/', + action='get', + fields=[ + coreapi.Field( + name='from', + required=True, + location='query', + description='City name or airport code.' + ), + coreapi.Field( + name='to', + required=True, + location='query', + description='City name or airport code.' + ), + coreapi.Field( + name='date', + required=True, + location='query', + description='Flight date in "YYYY-MM-DD" format.' + ) + ], + description='Return flight availability and prices.' + ) + } + ) + +## Schema output formats + +In order to be presented in an HTTP response, the internal representation +has to be rendered into the actual bytes that are used in the response. + +[Core JSON][corejson] is designed as a canonical format for use with Core API. +REST framework includes a renderer class for handling this media type, which +is available as `renderers.CoreJSONRenderer`. + +Other schema formats such as [Open API][open-api] (Formerly "Swagger"), +[JSON HyperSchema][json-hyperschema], or [API Blueprint][api-blueprint] can +also be supported by implementing a custom renderer class. + +## Schemas vs Hypermedia + +It's worth pointing out here that Core API can also be used to model hypermedia +responses, which present an alternative interaction style to API schemas. + +With an API schema, the entire available interface is presented up-front +as a single endpoint. Responses to individual API endpoints are then typically +presented as plain data, without any further interactions contained in each +response. + +With Hypermedia, the client is instead presented with a document containing +both data and available interactions. Each interaction results in a new +document, detailing both the current state and the available interactions. + +Further information and support on building Hypermedia APIs with REST framework +is planned for a future version. + +--- + +# Adding a schema + +You'll need to install the `coreapi` package in order to add schema support +for REST framework. + + pip install coreapi + +REST framework includes functionality for auto-generating a schema, +or allows you to specify one explicitly. There are a few different ways to +add a schema to your API, depending on exactly what you need. + +## Using DefaultRouter + +If you're using `DefaultRouter` then you can include an auto-generated schema, +simply by adding a `schema_title` argument to the router. + + router = DefaultRouter(schema_title='Server Monitoring API') + +The schema will be included at the root URL, `/`, and presented to clients +that include the Core JSON media type in their `Accept` header. + + $ http http://127.0.0.1:8000/ Accept:application/vnd.coreapi+json + HTTP/1.0 200 OK + Allow: GET, HEAD, OPTIONS + Content-Type: application/vnd.coreapi+json + + { + "_meta": { + "title": "Server Monitoring API" + }, + "_type": "document", + ... + } + +This is a great zero-configuration option for when you want to get up and +running really quickly. If you want a little more flexibility over the +schema output then you'll need to consider using `SchemaGenerator` instead. + +## Using SchemaGenerator + +The most common way to add a schema to your API is to use the `SchemaGenerator` +class to auto-generate the `Document` instance, and to return that from a view. + +This option gives you the flexibility of setting up the schema endpoint +with whatever behaviour you want. For example, you can apply different +permission, throttling or authentication policies to the schema endpoint. + +Here's an example of using `SchemaGenerator` together with a view to +return the schema. + +**views.py:** + + from rest_framework.decorators import api_view, renderer_classes + from rest_framework import renderers, schemas + + generator = schemas.SchemaGenerator(title='Bookings API') + + @api_view() + @renderer_classes([renderers.CoreJSONRenderer]) + def schema_view(request): + return generator.get_schema() + +**urls.py:** + + urlpatterns = [ + url('/', schema_view), + ... + ] + +You can also serve different schemas to different users, depending on the +permissions they have available. This approach can be used to ensure that +unauthenticated requests are presented with a different schema to +authenticated requests, or to ensure that different parts of the API are +made visible to different users depending on their role. + +In order to present a schema with endpoints filtered by user permissions, +you need to pass the `request` argument to the `get_schema()` method, like so: + + @api_view() + @renderer_classes([renderers.CoreJSONRenderer]) + def schema_view(request): + return generator.get_schema(request=request) + +## Explicit schema definition + +An alternative to the auto-generated approach is to specify the API schema +explicitly, by declaring a `Document` object in your codebase. Doing so is a +little more work, but ensures that you have full control over the schema +representation. + + import coreapi + from rest_framework.decorators import api_view, renderer_classes + from rest_framework import renderers + + schema = coreapi.Document( + title='Bookings API', + content={ + ... + } + ) + + @api_view() + @renderer_classes([renderers.CoreJSONRenderer]) + def schema_view(request): + return schema + +## Static schema file + +A final option is to write your API schema as a static file, using one +of the available formats, such as Core JSON or Open API. + +You could then either: + +* Write a schema definition as a static file, and [serve the static file directly][static-files]. +* Write a schema definition that is loaded using `Core API`, and then + rendered to one of many available formats, depending on the client request. + +--- + +# API Reference + +## SchemaGenerator + +A class that deals with introspecting your API views, which can be used to +generate a schema. + +Typically you'll instantiate `SchemaGenerator` with a single argument, like so: + + generator = SchemaGenerator(title='Stock Prices API') + +Arguments: + +* `title` - The name of the API. **required** +* `patterns` - A list of URLs to inspect when generating the schema. Defaults to the project's URL conf. +* `urlconf` - A URL conf module name to use when generating the schema. Defaults to `settings.ROOT_URLCONF`. + +### get_schema() + +Returns a `coreapi.Document` instance that represents the API schema. + + @api_view + @renderer_classes([renderers.CoreJSONRenderer]) + def schema_view(request): + return generator.get_schema() + +Arguments: + +* `request` - The incoming request. Optionally used if you want to apply per-user permissions to the schema-generation. + +--- + +## Core API + +This documentation gives a brief overview of the components within the `coreapi` +package that are used to represent an API schema. + +Note that these classes are imported from the `coreapi` package, rather than +from the `rest_framework` package. + +### Document + +Represents a container for the API schema. + +#### `title` + +A name for the API. + +#### `url` + +A canonical URL for the API. + +#### `content` + +A dictionary, containing the `Link` objects that the schema contains. + +In order to provide more structure to the schema, the `content` dictionary +may be nested, typically to a second level. For example: + + content={ + "bookings": { + "list": Link(...), + "create": Link(...), + ... + }, + "venues": { + "list": Link(...), + ... + }, + ... + } + +### Link + +Represents an individual API endpoint. + +#### `url` + +The URL of the endpoint. May be a URI template, such as `/users/{username}/`. + +#### `action` + +The HTTP method associated with the endpoint. Note that URLs that support +more than one HTTP method, should correspond to a single `Link` for each. + +#### `fields` + +A list of `Field` instances, describing the available parameters on the input. + +#### `description` + +A short description of the meaning and intended usage of the endpoint. + +### Field + +Represents a single input parameter on a given API endpoint. + +#### `name` + +A descriptive name for the input. + +#### `required` + +A boolean, indicated if the client is required to included a value, or if +the parameter can be omitted. + +#### `location` + +Determines how the information is encoded into the request. Should be one of +the following strings: + +**"path"** + +Included in a templated URI. For example a `url` value of `/products/{product_code}/` could be used together with a `"path"` field, to handle API inputs in a URL path such as `/products/slim-fit-jeans/`. + +These fields will normally correspond with [named arguments in the project URL conf][named-arguments]. + +**"query"** + +Included as a URL query parameter. For example `?search=sale`. Typically for `GET` requests. + +These fields will normally correspond with pagination and filtering controls on a view. + +**"form"** + +Included in the request body, as a single item of a JSON object or HTML form. For example `{"colour": "blue", ...}`. Typically for `POST`, `PUT` and `PATCH` requests. Multiple `"form"` fields may be included on a single link. + +These fields will normally correspond with serializer fields on a view. + +**"body"** + +Included as the complete request body. Typically for `POST`, `PUT` and `PATCH` requests. No more than one `"body"` field may exist on a link. May not be used together with `"form"` fields. + +These fields will normally correspond with views that use `ListSerializer` to validate the request input, or with file upload views. + +#### `encoding` + +**"application/json"** + +JSON encoded request content. Corresponds to views using `JSONParser`. +Valid only if either one or more `location="form"` fields, or a single +`location="body"` field is included on the `Link`. + +**"multipart/form-data"** + +Multipart encoded request content. Corresponds to views using `MultiPartParser`. +Valid only if one or more `location="form"` fields is included on the `Link`. + +**"application/x-www-form-urlencoded"** + +URL encoded request content. Corresponds to views using `FormParser`. Valid +only if one or more `location="form"` fields is included on the `Link`. + +**"application/octet-stream"** + +Binary upload request content. Corresponds to views using `FileUploadParser`. +Valid only if a `location="body"` field is included on the `Link`. + +#### `description` + +A short description of the meaning and intended usage of the input field. + + +[cite]: https://blog.heroku.com/archives/2014/1/8/json_schema_for_heroku_platform_api +[coreapi]: http://www.coreapi.org/ +[corejson]: http://www.coreapi.org/specification/encoding/#core-json-encoding +[open-api]: https://openapis.org/ +[json-hyperschema]: http://json-schema.org/latest/json-schema-hypermedia.html +[api-blueprint]: https://apiblueprint.org/ +[static-files]: https://docs.djangoproject.com/en/dev/howto/static-files/ +[named-arguments]: https://docs.djangoproject.com/en/dev/topics/http/urls/#named-groups diff --git a/docs/img/corejson-format.png b/docs/img/corejson-format.png new file mode 100644 index 0000000000000000000000000000000000000000..36c197a0d02a78fa165f3cd123343ca87a27f102 GIT binary patch literal 20499 zcmZU(V{~P~vpyV7Y}>Xbwrx8nwv&l%+nHoyV`5KiYhs%x=9{^{`@i?D^_~xB?cH6~ zwX3>&Rn=1!siYu@0E-I?0s?{{EhVM`0s_kR^?U&R?dxAq3V8(t1e?rCR8&b?RFqiB z*}>e()(iwhD>U^7q?Y<*%g1?_qSNtZlEjI|iG7hUGUA5Qv4&U*GIB9S3NvzFQ4xx; zm^iu^3WeC9n2;LzCFR}g#??pur|%`-^n{;wqxmFnTVd2uzvm!d_)j;G|;DjrA{!mCf>T+r2uPDg|VYHs=Ba^1}Qb%Plf$7KsR$4EaUTeEw`47kI>xJ2k-2hL|Z>zR0qBF;H4eNy2xTr?;)$u7_ z-;QeE=v^UrC<%l{C_qp%u4U>VH9+knX7ATK8=V4HX)s&w$K`HfF?tz`oykw z3ZaSnRT7FUra`0E(pXLTgW3ZgE(~1CXn!`<(qv(_iRS0rrz!SL`kJ8k^VRcrt0hZFFmnC2qaMRgLs^@jf@iyZ-(YY+UC z_>(;;^~9EaK*{O95O+mHa56sEI7jyhaG(1Qep}Kb+-l+aG!!_4h!{!o>h&4|v?}Cm zpvpH+=-6iz(6+)62l;;aSbYZQa|UjPX%W7Ykrg;qPr!pXJrij=a)7vvAK$w_5oON6 zfoS!BI_^|>LvTCGhOJuG1wdQQCifwF27n-oFO$Qe_YwXCbqz#ehFaEUJj#_A|-;dT3`>NxRXhyTzxV(LMs_j5S%ufuGGhws2Vk-ZUs zLR0(+x+X)7U@eTzAd8E@5|KbnbR{REk+e=UUszU5fZ0d8g$wRyHhE%3we-O?vSq%^ zP?961L{p7vizpvn@8j!}GdX0o(Xyt;a;I|VTtc>qzaNq?R;_U5IBnf{^6~mn8DKcXQSJ2Kls}RBAaoN5hUE8s zk}IKl!Zbke2a%CPB*=|WsiFOa77g(T*+O?k7eVi!nV{jLHlc2yp{2>9Ayl4FdZU~} z6OX76vneFHL9S2Gl07HsCTCPqQMvr7Ro$RjOc*;fQj}StrM*sEmZ|{ z1$_ma8iCq$Ic8aTd1yID89{k}d1D!qvWIF<;fHj;6qz(YYEL*>OjSfxkxdL3niixH zp^^LmVn=T$aDnhw@^}6*^>N6_?-ME4NLLD1dDrRV?s>Mk@tN#-s5y%{&H1fg{?h># z$mTO<*G5vtWk$#58RlZxkl0N)8#qX88mte@Q_MRVVj1w6ZyBr^HO%~`SpajRG>c}l zICDm0d$T+vVXY8tcx^DP2JM>0m^%7K=SJ%WuZEKPr3S?M52HQPc_W~ytVJaN&s^91 z2(WDSXd&3Q*()#=xPyGOGK?~)JT}{Z6PX<8f>g?D!E@v`g{8-w&XrD~iLVK{46^KD zPiXIZiF`?VX@9B6N6&}L=f_v-`Pb9@2hNX0Pv0MkH_br5ZNTCDKHN6len&s&@bsWV zFHxU=+$YKB6#*%)tvmTu*%}L@5V{iPH7Xay3uqDrc=+b~c>9$ge^+F%;Ik3}O)BUz57(xqZE z2RjEkmpTVvg=dvu9c7(l1vcz9TsBZNC?1p@-0dgr;~sR6UZp&yFr^Zy8>um?b5+a~ z*Hx4iNoiE6=cuEqIji$j-^pc4uZnQ1wkbkZ78WNJ%@y9-wCrA9Z!CNGZ;;gw`zzk( zJ$j2jcwJVn^H#TurWScAxQWCnPO4v2{SD#i;gRmr^OX@5>KEPX9O9K{kr$lAon+FP z(=n~q)e-#dVMAr$&RP**=>&j_~;H#&`AP+jIHR`Oc;Qt5B{$Hbpu$JN1a@h!4#*b1HHs;@q|q z<<{gZc@b-;2~ewumqJSDqGw|v&sQt>E#rA_3P z?~||C{kMCtd+QDUZS2kODf`v%+7PJ@t_+SGqW#-qVu5ka?aq+(=oVsa7{;%QR$;asJ<^opw3Srygp?$97p2ebLD2!xk8nbAS*jySCcn5g&=;CDp)x1EEWB^1i?TQg+y@v?b+=k843X}VQUN-=?Yx0eUwN9h>IaHO!5u=22Y z(GbzjQ5sRcQQ@+`Wlj}baus;r_hN=K3shp~{<2;+#55cB z1eA}r!q!OWy*p0c{~dALJJaV(aah5;xU-tCaNm`(6j_t`%&oDkn5SnOBw z>GKkOoStpS(TzBSv+)v$5f zv87D+l=?@#e({iFuPOa3@a&9)oYe}b3L;E*egN6~1_@F|0AeHtBW=@7DdsI`K|#=6;Vpzs8WaaOublERZeCVWm$TBfP;!7nPH}-qP4WkH1Op9<{v%!JYC^#~=)oanEsZehIm$RvO6^RoURicdxMEYvQ*c>)qfDpdt-z^t zRUH_;g9h+T&NhEL)W!s+c~_%W>Dv1J9bJXuO5u&;Ldi)*@@(60Z%#7bz~M9Ho9ue) zLV87iF?g`KxkAE5@Ikv{@T5RjG>6}VJ&G}kBA2KU^NsMsoyXQi$HH;QBhI-76j%Sp$}%j6sP{8g)Nn*PHj{zHx-)sVBUVp=Xw&QZ35 z!B4djO)+{MdOv+u$M#n_my^_nhQ`bz((zncc3Ka$K6TY2UdEiR4A;?Le_tAmV}~#f zbTWDBE8mt^YE<v0At}gFsGPqnbLfZJ`Ea++Ss3e?U#Nsl^#58O>59C zFLS=v!i^JSn_|vKPWFfH>BBsrYlxA_kX86DT(W2W&UF>UDZ=s1pv~B-AFCT|@Nj8x zes*aAI{#u}X8cL#DXS$!uIsA3?tdf;gEmTO1(RvQjr&X<%1wcFu(_e)9raLC{-f;C z64sK!I{sAVr1&%*HwsT2Z#gR_TRDqPxAj7{v8u_-^nEeyuYGA(UT`H~;sd`_=I907 zLqANvRN8RE?+1ut4puQ|EK)90Fj2CgDu^ht9Wo0x;s?$xi)+j}o;yP)F)5?7e~Jvd z?48eq(fML)&eJvoP%M*tsHiv?5YCg#gg>PaDX^Pn?WzXfg-132cV5wAz>Ei9bJS$| zC6_;M-mj4FaYXu474gTnXIRL$(1AbCg|oY9Ne%O(7V9!i;}Fv((^GkPG*^|DHC2@r ze1<+d1B1WPcPoOKI+nEbl&di+0cE;vFAsnB&g_nT-7Yo!eBDJQ021>zhwE$N3>lkMkXUVNpTea?6mc6He&!SzD-cV+Qa7a!91wUZ<^|Aff zSl_BF?v{WRSX4u#27hDdI!*lU-|y!m@sitA3+6E$ip(u7x;uUEYA$`3Y`39)#s48% z7T|x@dk%e5cSB@beq^xQGy-jz=|1k{dgQ--{X17q)F3$IpY}n@#QWB)d!s$6XS4Ot z1LBI|E_9rDmhrAd+6*H(M2E~AA`pdN2vtm&3f}~RfW-h#fWVIj&h!gEnT9R1IK?f3 zU{~qjZg=e9a{qZ^xUaUU-;h|dPWiYA8uF;}x$~?}EN@@DobtpklVx?tZtoqu}}#FLbPMq&x7b%w z^ZG4ury?g$PZP&+sr*(CQ5~{4uqMp{rH;r*WG$`0SCtu5F8BV1scsQ0uHuW}w^taVqgR zS)nU=8jM$n*O*0{t!po6_dF+IiFK@W=6W7=D)8gTdb)Qb-uL`5<|TQCbLCC6O>#DP zLv%tBEPoRZ#XpUs{qB#;`Ml?$O>rcXDuM&-R-TtXu>bUEfx9vEXYt_HIo`+Ci{QFM zU%{%CJtxR_Sr9D(FycK%5K=nJJZXsDAY2d|3=qXr@Fz9;fT@#DUwgYXM)k3E@l-r|s&9WZK!VN`9wW}Iyvf3&@QybHg( zdw_d5bx?nBaHPMDw_UrLNP$dpOj|@bK?W8%5%CbMkHNH(**cEa1$j{1T2wzL+aMGt zlP4-H=MFfH8O$5udo>)8qz zXrzwEu36c6Iv4vDJW{aKpD0PLx<$yFY@aRd-6{Bb9{H49)aeU(C|*O6X%RMEk@l!5 zZctPkSN%iR!uR5Gvg=-6-rM1^ncLmx%HT5f5(_88+tq2rV#SgDviO~RSnk|*?Wn>5 z9!@Y_#IJ<@?9;DPriZeAs^N#f(DCv&LM2d%UdWI@cqPc8vd4EJ{1FHXA%bHtvTZU5 zVcW8+dlF4*%(37a5%3xMnD9^|{RJS6BZd!_U%dH)N(2XLbdI>oQ!V!Q7)(lJ)rgb6 z3BYsR;R^Y=`Z;=5G~OQK4z8n%Crc-9H~eQ(uk?x{m#C*aiPVm)Q|d03a(0Gz&QGI?E*41K09T3_&B{C+nH?xAm#>Lmu|bca@H&>EyR z+}X5ia1Ypsj0;;IdbWCxt;wEho_;sYH^n!+mkF3ZQJ?6!s9i-{rO36}l_r$e9ZSa; zonQ#1ztIG-Cm5s_r|c!AtIcS*s=;bbX_T+}`cG4-^Kgi}QN>zLl2(7e(AIb7cX@{o z1|{21ZxGX(XcNK|N0eaACUCslsYO;!SJOtuZ4bV3u1-9PS z-@?HbgDXU_MF1nU{cdCxzp#JVnB4D{prR(NAR5Ro@$z{M@Vb3y>G9+^-Eo;Mwc$6S zol!X)LZU}t_)*vJ5~x;qq+P5ZMRllSV6ifq8BX=67|`lNvv_uT7e2*~c|XS^byxYE>8R<;yk)lJw4t_^v|sqs z|Ade`UQLIv?!|8n#!f((3jTf#KOxGVz-0>ZLs)VK=m+Hm4lq_;fkq63+jd{ri;3Vt zjmVK8BtFCDjzK!4Kjcn>=|IX3_6-6Ia_`YP8D7&qslBNNA(Lb=3y}z+NV3SKP~?$* z6p||=DqR#*6k`?&NcJnbx)RKD9C93H8_m0 zE#)gTD$@GNURl`H;lpIWA!nxp=s8riW6SmS`ulPb))9*3__Vl!cqBbM<3K|F11rYkVI+SIwqBPQia=d*?zr3uBw#V@!(gwdzj4> zCo`wbsU5EH{J|PxHM(63Z%{`_ySLZ+Wz9Xt!}$7@@AmceyV28LDwVY2vczuwyC>n> z?uBgW&2X(7m37Is)i2Ifw%{x3t+Rc(md`zOH(Sp|3CJ*cu3Xn=21cQ-LS zhyYf=BHGzm&-n7PCf$tb9t8*isBX`NZMV%a2p4}(;LBh*(#I=j+9#MTOz$`|>R@8V=xOKpRZai_;q&DAdbBfhH7547v$c2O@#H7{FAAQo z=YPXYq{RP4;%dWBswJ;PEb8EFM$Ey;&d5wE0830v%;#)s&Z8nG@!#xUZ~UZ|uC9(e zOiUgg9*iDrj1JBgOf1~o+)T`@OsuR7Ula^3KkQwNJsIp>$o{j)|651Q%mv_V<>+eV zU{CySU1JjmH&=dA(tm>f=l7rQH1o9jUrF{Z|E<=Sf=vHrm{=H@nf_<(FIK*PqdZDh zo@TaMVpeu$_AXyC1lX84`TmRk|2Ol$68{gU_WyFSvU2}l&i^y>-<*6*{}lK?3jN1g z|26t$E&*6RrvEX$0PLJE2m%PmcQ9!&VKqUT}0DzqqjQAjrt#lY_<=Zbs!@i{mBC`WiXRXC-j zvJ#Floo;N!cXr*L6BZWs1;4PIoJsD1bPD5E?qO zSdw3w5fW6G7y?YhoCE~bL0AY`3JD@)V(wQSdHNR>G8iaHBQi*23o$Wt5!4saiLzpn z>=zYuU_gR4bijZvGBU&*_!rS#8P#a<7gdOm&!iNQR8qG;MB?EE5d^BG3^f0VcpP z(V1&q(eD<`cC`W0q3a%V)Bn>qyg0hmlZ@GN=4XJkBk<7Z1C-3Xe)#TWzTWjjMK1e0 zgEhLTmBhk~I8mb5!+x@&1e1^nB|)H(DTOJf@BR5oJ(;aYBa=d!z4=|MBmuBv>)n3A ziK37=VHDa2n7tL#?kQrfEQ;kjkpF&eF)Nvt5hV1D%<<`Zr%aa06qCahRr$-lITFNa zHvkg0QX8_+{r4q@cg(}d>~JU|ALfF#EOskY`=0lQ)}kMu?~j0i2o$G8g6J8~H10GX z7DkrWw_<0v~N3baBw$o!0El_HGAN}!=F&Nr$1QT0sP(%PwP3Y z#Px4qEKnU&K1P0TdqjIR9hZM<{oieT&H+R&q%aJ@W`8?8m?UCxLpM4+_HKrWJmlQD zg1CSa&L91PZ~Xz=3MrYUPpP#&ke_#opCQ3eNT*xlOg%B7a9D^^OnOiz5BZg&Cevi< zN8YVxL_Z*>zbfbcQQj9g^7l)mpqQNGj(j4Yh9s^f_yYHLIIyvg+0NKJwaF0wzf9naxt5X zS}a2!6!PCh@5hpsmX^H)9_xY6z@xLwyOu3Kyrb#-WmzeyAp!z|?&?@Z!|s@9ET&zo zo~O{MexmnTqMh^A#+5b~s#_q?X?GyfvJqq1vw@wg=K2N8elg=MJYuq`zFye_DDZxw zxVNZjxcKMehUgPTwM1?fA=3e1Z{{-2&~l7aSl*OK{PCRssofKs|Kkwn{reGWFgO&V z(Zl(w08akPLMgN92r@yw^T*}Y2jb_w;b-XQYtQF=)=DhrW<*{dVdvwf_lvOC%Sq`? zQ?0N3u>VddmTT7H;^NB=OYuIqo`FFP5#?dDbI;3SEw01cN&W{-8k1oS2lQd2j)jX0 zTld=mlT8r7Yr#B2(Y;)IiF3AFtaEiA{t{npd;7oz2n;xQ);M;Y77Q|)S5uwlL>sB}o8%)rTmxq>~ z*qgoKvun9@=e4!9CiB&$rLc~xZrwd#FF4XMv*F8J`W-IaFOozbEyOsYSR6KqQs0+5 ztLxB#^r0hxNAB2R1kQDk!+i374jm2Aw=x>EPY#=I#X)<230HL)h+jxjR-? zg3I7?BK3P7Hw?G1qg=nFxX5!_fRXi)A*+6Jfy994p!K*42l zY3E&@7NWOps4VnIESM>4sox9d%??{Nx#j!~Yf{zGI+sZlvcGv*%+hmL(BkdZnvFNw z-87VWs*TQ0Umz8BW92}|QQkZ$-UrYWjpj?_v)ET0k0vsI5zz}wu={K)=JJGARM5Ul zd@i+g7ZaIuk3JLM22zYBf=uV~mJ%J0jmf+RIEn1ke(7FsIZN94dfBlJJ~jzkF3zkE z{3&q1pz0M9Su`3RfrQtg@cH2Ixm3Hd;PNF97L~5qwz1n1xo+gS)5t#hDO&>|x?(^ea zXI`(~B$SZN#A_i&3-cw}Qp$5kNwy&^b1(7hS~M~u!Q3|HzgKlr(oAM?$l9cx|4o!b z$W+1v4%u@%nLd}1sLGQ4`1lgrJ;m9SfaL$w&%>XV`*+cRBW&b4W?0y-!}vowihTid zb#XtQ3D3kH9@zgqo$uP?C*lz}kLQ2Lpu`Y} z7)nU7TzNkL7pfk5(S{ifaJbtWj<=bNGA_TF%wQ3<5yqEm#!bRRXaW;3jpw_K@DnOq ztd}+AAcsDTEi#915&$COa-!l-9?$-2lJ`eVW|_dFB9y9`V3MA&jyVLhM-Nd-&ngiD zTWnWZ6DDHnFKKPY%-*V+ZvcPE;Qi~`ZI&v}VV)k=H;Gl#G`R0%kBZmO6knQrsGTJ;Xt_hQT`aJGBkX>x(C%$MQ zrfC1SDJM*K-WU?l86`TCJ@dy<2g|tl`q#d&DMq*^boU)gDbsUYl|5+Fvilrvmv1gd zQ;;3D8g{({JD%u7VhRd%-sAS!B;U}6?6ZBJs*`aRMx>;|Af&rB0JnB-jRspDTfXfb z(zlu1E|h*(kA8~dq=Y-TqWDYN>rQ(^C&!eAACxFnx9=#qi}_|$%1*X%8?s9%(z$Nt z9Os9PHRZzdb%f>W4RjMM(`w&+`a*yJoT?o$HrWH6SW*Xaa>i(CI=Xpsv5N?#moLX4 z&JgQhE}(V(lCZy$`xf2v1h=97{B;jKsuP`TCoCazMt8RbIH(bS0tEYiUam}7CR^GSbM$RJ#^YdMCV-7OnQ$bp;OcpKm1^T*k{$i1f z9~gYXkAAJ}d7+d4MveqnfjlAyry_pCaaWCm8irZrps-57UTxZcqHsbq<&u@^PnW6- z{Z(@Q<-e9T6y2vYzcp!B?hHVNLvXGBaZ+jqkNf3R4kbNRalj(qy*?ou>t_qMn;ep8c4K61nb*F@^>Frfw8#M0e$@{#WUobFYTtAi049h(l&_UU&a zz#=kb%N~JB+~fB7RmRl}Xab(XXJ69V%hkR(X{nE!EC>eUb+Hb5jD>EMe>F?_{k)u%1h zjSiNGV@O`9Q9ZYkxhifQF~F8GG-%HX6M2s!hiAH)NoC#fMx7m|@48gJ$jl!G@KyER ziw^@7SE-8nRY{guakv6n))zFX?dEVfGncQ=Mftw3W;?`^HK1uc zV7H#G!(mIne-ou6v8p_l#WyYWZ$?k(P#<)-sgPad^CK4Lt{h~9(8M1a-thr@f#s;g zb(IaV4tCKIdKivuYF3~odlC*-n=?p$WBLs{{`rv>x`h~b96BQRAe*4V7^1j&-&^j4 zB;{CC+C))yW@I&qRHhVlPKn@;Thj!kDNki^Q_WaeLDtBT9AU{KuGj!ea|JTouufBJ zb7ND*ppZZz=E>-d38N3=i0M<}S!?qz15{?mq8lKO;D5!>tfh>_6Hgmg|-N_XRh>mIFjm+35A(mxJ3hye)5r%f;CwSyQOXh?4 zx+sJXNzN(I*YgB^$W!tp&jhqspSNga1}-}Jyc^E<0tkZ1yLslWM@QT-!)^}iZwdLJ zPTu6W_DdsI%CYW)leBG+NP9OOv;V@jC8AZJENuIYq_$kP^K&_tpm!l&3qNYI=hx?= z#bY? zl}EY3#VPH8KLcZj>@-a{6b`61os*h)_*4m5cO@Hk+!qeBcP5LkS>@LUrdKn!g>%&90@BbTFYob*boAl zv>yitM;7|3*}+uXdTop@z=e+RY^niEzZGjQw6dMe1Dv06uW{35!F`+WvQ&xN>$D@%B&xIRmb}_&}hqy~t=J z$fe{E3x~U5TQREL<^1&CkyJ{UT6q(TT?rMX7X;}Jn9YiCg~;o7%y?#B*d%*%qZzQB z{uW&B_sNVjibsIZ(2Me_ZZM8h3YVy;JsmF(mM?nEd5a=BB+ z!qwfZY!+vc00=2T8@?e5X%)OZ(1E3X4Xz!b-95&3{9k*UPWf;9RQGb!dy$d&pmE}1 zfb)J;5pzE!I582wpl@!lF>AE&9L$f*PQ-R)b zEvtLX-K!CEwzyWNItR~df2masa7#KPn}1QT;jqcN%1e7Wi4xD)H|C7)$8QKRjvHyt zW234Q19n&6!Q0mQM}19DkXdEvHwkkl zI8Cv3K97bEHW!Gns7R$tdUM2r&r2hm@cD{*1G#DVwOWPzf?SAA`7RR|G?}H{bHv%; z!qT41@WBcqXjA-$K$C*_DW`w=~@;W-QnZ{Q@646ENCnVgqt# zJf|JF2aA}%8Z5v2o+&sJl7W#k!dQK+3ZCQak> z*nZKd1}0Y15Uee(I41u`3_T)Nz2(TiQQwPl)DRu-Bn^kJ3+Gx*Z~mr6xBA_{yD#_> zAgz0Q^s>M0;4?cSBb8#Nn^)lTPQhH53v4)Qp=rn2v?6OKNZ`j|8A1%)yrrI%*?6+$ zQ2X`sZ9Gxd9L4r-lQ0s>?{muim0rjAp8udtI&9OQXKrA zsKoj@$`tow^P@aMEbA~5_mZ$!U)*MsXDQRkZI@d_fy0haX_ulo!`7FbU{o0;%LZc8 z>&WuAqiiP^X~K-(W?OVROA)cF2X)-RB-iZ13=dOhzSBWewUA7Ik@+FN9nE*`&6QK; zjI(8LxA;O?0v%Gydt@o<%wmHZ3Q3&Efb@|vX>K$0)WBRvH>q4zQt`O{FQ>x|Ult)N z0Jbo~o@g~Wk?GVcEJLUI$x%Sj6Osh(|3&aDD!$GN5hxtBkVDdVMl6i`PA|GWT4%yl z8g7Bjtb+d!_+t78d{uUnxBLUXK)%imNN+^rKi~@s%!<3ADiMNl+N{=vj0c-NPtKo@Y?&BkwJx(ap&YnXZ93m zzOEuihZ_clQS&Opsk6xy#=(?-7fRjph{)&uiu}9tji>oRH%u*{IDRuMC=OBfNqNi; zY;2hN$EhrNO9$R0)TYRVjeUOST`P9DI&c_pi=BtOSvfWvx|H@y%YVCy>2)!`9S(y` zJy#FN{ex-2`*(|OH6(DL>GgKAxNh@Ru=ZCslDU81fIRXHbP;4GgAOw|M{)m)y7p*> zPf9I8G>+g4Q5Bz1ElOF22q~^*MM;e4VmBJK%EushmoMYRa!sN4*rd#m_&JB^_ZoEG zJT>xit_5qED2ehrp6l(y1R-u*}bvz;@ZIsa?(L#76g#-0hnVTZ;U zV&Ybhfv?|YbPZ?7#CgU@mp_C`-URKD+#~Yp;`qw_9%j|7gRiwr^36&Lp3?mZ)U1;c z()Y?+w{i!8f(Xm`rT*iQX;CU?=Dj#1<2YDNzbpBtDYl;8S)by-+{>Z!>9k)miHbnk zp5A!^A(HmlrKE86miT2Unq1*br(M;(nc>b zIXxF zHwHMmE&f~;Nv(>jtvSq6Y=!^u+|>Nr#BbcJ*mxr{DYC`nq*WuIh)Jfz2YVbTr}xEg zLtZg~^g(qtcuA9AOk#OxXqnmSPjJRBcD%Fx%g978e=L4KIEhNzrYlIBI zH7*tmVoREJFW^^zHqypU<5M!L{1bKD%)yurNPKfuAME<_JT8&J6XE%80n#%xXMBbu z!I&hLVC6EYkzbkmgPWQg8Sc~66Pc=U_jqN)_nh(s>8TPK@lkC^d!ab?zwrg*OEeXK zHrpdvze35cb`&NOir6cM@b`8;;9mOM1<*+-<^`;_6dJbt20ke-yppvB&JKzrLq`f( zCucs+qiEU(NH6~?opry*OxaKikm)?4IZwc=yP-p(b;haMx`XTw3s75jJG9;3;N-W= z1xHkVWs@If0+f)JH1H1f{R)N;^WFkoz~YbL76;Vr%{o6K}J+o#Z;`cR3{3^eTPv`M~z4B>_9$1XFyhWLXuzek~qptr==`jq$r($6M z#!daHg)?RsYU%$=H!+h)RCIh5$#0ss#6qvnOkm0QAa$S9E!6G2dEWlyBCJtu%dBjakgbpXakU)hu;xO z%5Tnc&J^jd`Xh#Ta#Jf`adGwP8)8Yd`ktVw{czBcLCZvqmx|u!Ih|H5W95}PTTx5= zpM708B|ckhT64LfA-eRs{R6d2lY4k-B+C6?30nGRi%f|@#!=@BvPIK(Wvg3gN?(Oy zlLBwTnu3qe0W_TX%^N|%QjUO`kP&uzt5+({B{VCOSR!<8j?KkqZH}K+>`ZY^2-w(6 zUBVu^?F*v&Y%&0?h8GNer7M@{+rnqPmQz$j)vRR(q48d*T3d1=Ephi#k_(48lga5Q zrN?@_>w$E8(eUX;5WH?zrm@=G*~XvuP&&%B7AAp^KntTAf_^2v0hT`_qx9=u(409; zNlq5-peGGyx7XS!!cqZW@Kf3EUBP1kWmIvj2XB0AFguH9iRO7m*v zQUSxg(a_4Ce!H>#tvscT(M%5HX2#lqgUN7`MV$jOwBD;7x?Z_UN7r`NLk5YmOQN0kxmJ;e&4XT60Ij?-+J0h=sOnJ2n?M@P+Rsfmb>Hn zOU^E8?Ib55MgLdBNjgBQ>DYl!=>GE@G3W?D@U@RygTZlc376&UGm*Bb(7?qT@* z#r>CRY`iv9gH8U%ua^KMBLyn~%F4?U3sbp4<+Dv(10QvUl_qzXMY&U}=+5Nun@LWI zlLNA$`)50*f^(;72%*&h(iHi-m$Leh~aAecP zUy?#}nNKwCH#PFn-enlzuv@Q5tY?kI)b`x1ckFhQiuuc7!e7!FjR#;b#U^|G_9@Y6 z#7p)XvU($gH`P6;47RugwM_m_`+-0Z0IJc9QvMuBGznbd^28BHHc$b6{FMH9qS<_( zSoru>KiA=R}HhV9P<1&zDFt=bW;kUAdca%y9qc51Ia|5Od` zO_7Ft)9G5-=T(V`X`^G$Ub4}W@iA7F)~VG!c!wpj4iP9ujBEs|Nt%?#{#DcyLUu$1 zC1E?NLzn(n?-Tn9;gX=c$^TU!r$~rR5AoATrN5&5q=>JK0kto^=&RV-%l$=^)2~AQ zuMUWc@)cXgs&zyeT)|u~x}yq99Ti1d>>$kge@mS*Q>jL7oyOd%kf!ZOm6o1PCy=&KGW1deomHi8Qa{bXolhY7cyM!J zO}$GtgSPpqh*Hzj4=^{WcRB&As+M zHinL_cxiJvas*Ctp4EJ8_rc_%HDIdNG(vzjx6GF+{%UQ-CjX90m#AGEENpUwVAa+) zGo~bnn)zIBj8Wbn2>G{yVfENwpddr_*91`Xt^=o+>ozgPDi*JW~u zTmo5&9qb%Zufu(k$*Dej^a01-V}4(soh?`lb5(;Bjdi>*O0mAM;X<3EQLB+EOS=lX zMA}ExXy`kF^a#B?Ei-td)nDRh3HeyN`3$KhR)&5tOkOsWy6?zoGYOfCQxi$D?Cx_Ng6E^Wg9)0hD=5#T8p)n$vbdD0-6}I9xQD!=e-CjRz%DTkjIGqz5BPjT-n&l zg66BJCFmN>*ES`p{R(Pa;t9N&)G|Vz@_8SHMdn6J#N_&!iw1}0S5GvEk{?fz#=O0~ z9dGwnTSev;o6#Pp_2UnCAB+_u>1wPZukXYHF6MtPYRM$`utOiH>Wbcwau@fe(~(5DT_ZjLbHN!w)1cend8Z;%;S z*&smu?Go)18FNxu8sV*w%Qa$Zn!im{W`$>E4W71ud9QVRGp)D#bYGCmjVj;V+I2(V z0w63dhF#DdKEEARfAyrX=&y80j~aAAt}Qb>gq8nEd%w_tan2S0hm9(mtwoQukfe*^Pb;FKS2i}1hs8z;^dHVIpB$cmHjPq^=~6WLLfby|kiIo^WJ8dDNq znb0i`1~s0YIUoOxO!SLXd0my>V0m~)wBL`@eAZA%W)i(n3Tib4#&kIzC2DR=u4vYXSq4Fy2?Rc-K!S0ZLiK1wd}0*b67UI&w8^o zKUXMAR#pSPyvFwhXV|p*N;@pf+LgFNGCNBL2T|Zhx+|kTBw?X*YRWH_HrtQREEqc* z$=Aeh^aickZ4(mWnUcC}17_#w^d+V=fzTrv+F*TCV@34fzu(7dhh%l|Z0eQXW6Je( z!mYP7!6>xu|46i2F!VLFHS!6=(kVY~lq#LaCX_;rcLFSiOHU#Cv-KREN`G;!jei*EfA5E`8l@~=}TMdAz3EUuJfrTTL4JEX+X=KcR^ z=n41*J)+PU_lM@sKYs0hFQXy`a~S{O8TyYHu>d^oTdww8JKu0kXx5;B_n&AaY*uLh z0tXc65eOj(HGnymh=Ta^`HNeHtH@WymB#sn#IeX2ZpmRIMzosnNcyyHYf*7hH1bie z^&w1N>p=ySFnb}2qbZhW=DcaGuCQW)s zl3;JXq~Xg4cPZgg&EsP_r&6_{6&`DoUf9u%>4Ihdm@BdATd$o9TBnVYiD$DIc{pAv zd-FE-tkv=v!vv@aGEo!!4mE%KcVb!-Q!ZU8m}bfJ*X~2OTpn8yDSpDKjM6qA3+B zEzHg^fddm0YR{ZQ%#r-r1?qy4X#7BHyLJQSezh9ge!vIm^7Evb>i`1_EcdjCGCEri z_G{k~yiXU}9Q$Qj*+sWs?$3CJySlozIW9Ig3GeRicKWKK)}_z^>umlJMvjl4z#*0wjibw15c z&*`T-sEBI9fyHDX=I7^EWwH>wBj?8|9+x}8sMi``-2YY5JDWBA|4KL$f2h9yk4Mx9 z*|$MRmh241mMzL|>}$e|vG02n$vO=tVhnw@(SQjrGc+>C(DdbbGF^|M&zlD^vl7+Qrh&uSOVo7t@ zJ}-41mOWZM;@p&C;pTApbi8e8#(x{Npg>aH`9&$bDV-4@72g|>GL<^%ad4X*!*tI7 z{HXY~+1`3qsMYK=TPAx{XK3c=MKz*SAT}?;d z4yYZ}^%AEh4_58BxI2e@4S3NC{_W!M&k&(EO3MfSEcu9rb-ERfMQtz7z+?UF+4!AUQ}6+H8aCv%xtaQ zL|~ZFWn=5drzpw%gYtOQTGMCWZ;Fl)8I1oM|K~wFRw#q!u;dpt#eBbAhM-6a+5gf< z4Y)G^HQn~;lJ9x#xvHMMoptpI+b8lX)2rGHMYzDFF5$z@2X-~1A4ZWoq(zpAwDcJ@ z=ecq8Z*8ZaoA~(^3+v#xh2U)dFb~j@^N8* z%v56>cesY)>*IH38~wIs|1KtRQ50;p1FYOqSp}h<-BphGyBf?(xpC*?Qp!7aFVy1@r^9{BtgbwpUl14T-0B;9Flu;qu?A3^UCH>eJ2I5io=IgUi)F*~fCE?QP5>gU00 z;m@5(3eQ)TP?~D_(e;%>)s^)u(mRed#=;S7^9!>d7pmVoR3JTg%%&aUPoi=Yqb*02 zo+aizFz1{0GPi8caY!U^M9x7MtwQHK4y1BuZw<#Xo~QA(M~Cao`L|IySTYOeeeM@y zLvo5o!m|D6Awx5!QAdN1GRlfDEKY4@eddT;ITg5^n=tze(WzW}q14DZr|ibhwg@D` zuXXPaxHQWKR>9eOSfu@mqkvd&!O0`XpJ&R3nk^Kfdx$#BHrd2tri(AK*C-~tYoxqO zz5@|@B4fxvrw7_>Kb;tO#~zSAaToN<6rYxM-)N0%eb-cBz6~fN#E0e6WiyG+#kuXS zf01oYaO3d^2za+564ZOTUC?KeeNZ+bJrjH`el{`Y$5D_C%o%@G&EJ+(Eiw0-W0g|2 zJb@Fu`fYn*=0)r~D`L##OS84U7kzj8hVf+bD+s6!Wn%*pT5Q+**2aM=s~cJWls%gB zEkBkATWbd`_*1#gjaIl7PS}FF{*)A`kiT6`O{+-vAMCuZgKykdrOTUBd4=wMd~^bk$BJ)VWZ$#} zsFCWzn@?otJVV~_rN3V&+Hi0}H8^^~GX%}m6+hrduKXQ*5$){Jt>CKBmsTI0kbKtb zTxX?~w8H1ZsV;XQxgKc;5Av`aS`>T{>)`?Y8t7DC%H*E;B6FWso!bWkRXso1=UYQX z1_uW#bjLRzvFX11w)Wxvff3};K#VWkK%b*Xj}zkG?vB!-nq}{^%sHx@ajxOS=Vzub zMYVcHHomNp|8^5$(Zh)4WS0}n*@P?~n6%XbJbipgJ?rUZP}H5E-eR@DC`WTyzVeWG z2Q7r#0lx&mBO7|D30o05rvVG0r)(;~Pd$VN%ZHI#3{{yNfE3)k3fNZM&m^J&ZfA1R z5uIm^_*5V!nY46~e>T8dSEo{h2cTJ5fKV5h2sDZ}(zNK#*T?dQLXpk6+C7psfZ|yb zUyb_3rNS(dz;qoLds*zAuu4Qkgis!ZLmWYoepYvVxb)a(Ih|E79pXF9x8lw4kl||B zG1cYG24lWz@I-N^9<-sWD^LuQREx+G6da~`cA=ki(11G?kU&V&ffq#sMyu0xc5&PP z#3}_$*FG@fWqs%}BzE_l^8`61P@Vq}9u8ca58uBx>^z!XqFt{ma$`i(=e{3w*seW) z0~*fQaXDugAwoXqe;3)VP=67iN-y;;8FAqmQ~K$}E=qs(_o;gXOofAE#a8ou0r(#QFWJUkg!6 z`&wj4&?(BWTJT2bs}J%eYR@n@o@|y*ep4;hRQZa84s`gdugzAyBNy>$f zL)I|G4vx)%Vnol+h}u&Bp!9JQ+bFnrWw6Omh_AE|2cN8zR2&pyH!#d@t&xmV?`x(M zlTK`So3ex7r;2OC_{E6&WCTWA5G5v;K$tK3?0Yt%_F><3Sf9Z#8}|Z?Gd46lZ@#qs z9xLo)9Kd2TK^Y?}|A;9$_`+Mqq4JoUpvpSd=LH(#?rsD2anmO#o#;^#w-B#x73ip#Kbt z41T&RloW!`@ci=gF&9~$XR}EC_R_uJgP`T%`&A^2OI4c;jCT&OpOFIN^~fOZw_d?!2ehNnNi^al^(>IP9)0QnW59 z(^Z0SjH!|dH`XV{RhUL#Y;ftnVFa?h=31fNWY`l$aF!|~lOlkq6n%P{96d+QO9kX| zj|gCa=@WsQik;_JmHF!_`Lrubu-<%Z=D?~b>M7Ugd?Syq7(~hyMJ8)8q{t(;&hrlI zxi=5{>aC@-aVywu&4&X$EoHo-dw}R2XL|^9MRdJ0ZR1cer~jOXK#F4m*zVVF_17)7 zV$I3J*Ad1!z@*oBfJ8vmd&MkfpaIDaP&S%rRb(2Lt7urZ2VAMNbp9nEonM3D)&v4$ z>}l!zOI_C#KnM}~V;7SeU8;SMFsHaVqP8`mUC_CXP!<#=yJ-CUb}w z7w<5vJuMF~N|R3lo*c9d$T9#@2g(}eGBla)3j|(gY0l&WX72$$kP7*qN$}7v1qcBC z@C(j8z$5B=vtvdCxE>L!^1MJ{eAAxV<>`wHGjH*t>^j|(AnyLs1g#;a!dThSzanKB W6-VWcKNo4ud8WozM*kXmru+}qf?_iO literal 0 HcmV?d00001 diff --git a/docs/index.md b/docs/index.md index cc8d183f4..072d80c66 100644 --- a/docs/index.md +++ b/docs/index.md @@ -91,6 +91,7 @@ REST framework requires the following: The following packages are optional: +* [coreapi][coreapi] (1.21.0+) - Schema generation support. * [Markdown][markdown] (2.1.0+) - Markdown support for the browsable API. * [django-filter][django-filter] (0.9.2+) - Filtering support. * [django-crispy-forms][django-crispy-forms] - Improved HTML display for filtering. @@ -214,6 +215,7 @@ The API guide is your complete reference manual to all the functionality provide * [Versioning][versioning] * [Content negotiation][contentnegotiation] * [Metadata][metadata] +* [Schemas][schemas] * [Format suffixes][formatsuffixes] * [Returning URLs][reverse] * [Exceptions][exceptions] @@ -226,6 +228,7 @@ The API guide is your complete reference manual to all the functionality provide General guides to using REST framework. * [Documenting your API][documenting-your-api] +* [API Clients][api-clients] * [Internationalization][internationalization] * [AJAX, CSRF & CORS][ajax-csrf-cors] * [HTML & Forms][html-and-forms] @@ -296,6 +299,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [redhat]: https://www.redhat.com/ [heroku]: https://www.heroku.com/ [eventbrite]: https://www.eventbrite.co.uk/about/ +[coreapi]: http://pypi.python.org/pypi/coreapi/ [markdown]: http://pypi.python.org/pypi/Markdown/ [django-filter]: http://pypi.python.org/pypi/django-filter [django-crispy-forms]: https://github.com/maraujop/django-crispy-forms @@ -318,6 +322,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [tut-4]: tutorial/4-authentication-and-permissions.md [tut-5]: tutorial/5-relationships-and-hyperlinked-apis.md [tut-6]: tutorial/6-viewsets-and-routers.md +[tut-7]: tutorial/7-schemas-and-client-libraries.md [request]: api-guide/requests.md [response]: api-guide/responses.md @@ -339,6 +344,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [versioning]: api-guide/versioning.md [contentnegotiation]: api-guide/content-negotiation.md [metadata]: api-guide/metadata.md +[schemas]: 'api-guide/schemas.md' [formatsuffixes]: api-guide/format-suffixes.md [reverse]: api-guide/reverse.md [exceptions]: api-guide/exceptions.md @@ -347,6 +353,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [settings]: api-guide/settings.md [documenting-your-api]: topics/documenting-your-api.md +[api-clients]: topics/api-clients.md [internationalization]: topics/internationalization.md [ajax-csrf-cors]: topics/ajax-csrf-cors.md [html-and-forms]: topics/html-and-forms.md diff --git a/docs/topics/api-clients.md b/docs/topics/api-clients.md new file mode 100644 index 000000000..5f09c2a8f --- /dev/null +++ b/docs/topics/api-clients.md @@ -0,0 +1,294 @@ +# API Clients + +An API client handles the underlying details of how network requests are made +and how responses are decoded. They present the developer with an application +interface to work against, rather than working directly with the network interface. + +The API clients documented here are not restricted to APIs built with Django REST framework. + They can be used with any API that exposes a supported schema format. + +For example, [the Heroku platform API][heroku-api] exposes a schema in the JSON +Hyperschema format. As a result, the Core API command line client and Python +client library can be [used to interact with the Heroku API][heroku-example]. + +## Client-side Core API + +[Core API][core-api] is a document specification that can be used to describe APIs. It can +be used either server-side, as is done with REST framework's [schema generation][schema-generation], +or used client-side, as described here. + +When used client-side, Core API allows for *dynamically driven client libraries* +that can interact with any API that exposes a supported schema or hypermedia +format. + +Using a dynamically driven client has a number of advantages over interacting +with an API by building HTTP requests directly. + +#### More meaningful interaction + +API interactions are presented in a more meaningful way. You're working at +the application interface layer, rather than the network interface layer. + +#### Resilience & evolvability + +The client determines what endpoints are available, what parameters exist +against each particular endpoint, and how HTTP requests are formed. + +This also allows for a degree of API evolvability. URLs can be modified +without breaking existing clients, or more efficient encodings can be used +on-the-wire, with clients transparently upgrading. + +#### Self-descriptive APIs + +A dynamically driven client is able to present documentation on the API to the +end user. This documentation allows the user to discover the available endpoints +and parameters, and better understand the API they are working with. + +Because this documentation is driven by the API schema it will always be fully +up to date with the most recently deployed version of the service. + +--- + +# Command line client + +The command line client allows you to inspect and interact with any API that +exposes a supported schema format. + +## Getting started + +To install the Core API command line client, use `pip`. + + $ pip install coreapi + +To start inspecting and interacting with an API the schema must first be loaded +from the network. + + + $ coreapi get http://api.example.org/ + + snippets: { + create(code, [title], [linenos], [language], [style]) + destroy(pk) + highlight(pk) + list([page]) + partial_update(pk, [title], [code], [linenos], [language], [style]) + retrieve(pk) + update(pk, code, [title], [linenos], [language], [style]) + } + users: { + list([page]) + retrieve(pk) + } + +This will then load the schema, displaying the resulting `Document`. This +`Document` includes all the available interactions that may be made against the API. + +To interact with the API, use the `action` command. This command requires a list +of keys that are used to index into the link. + + $ coreapi action users list + [ + { + "url": "http://127.0.0.1:8000/users/2/", + "id": 2, + "username": "aziz", + "snippets": [] + }, + ... + ] + +To inspect the underlying HTTP request and response, use the `--debug` flag. + + $ coreapi action users list --debug + > GET /users/ HTTP/1.1 + > Accept: application/vnd.coreapi+json, */* + > Authorization: Basic bWF4Om1heA== + > Host: 127.0.0.1 + > User-Agent: coreapi + < 200 OK + < Allow: GET, HEAD, OPTIONS + < Content-Type: application/json + < Date: Thu, 30 Jun 2016 10:51:46 GMT + < Server: WSGIServer/0.1 Python/2.7.10 + < Vary: Accept, Cookie + < + < [{"url":"http://127.0.0.1/users/2/","id":2,"username":"aziz","snippets":[]},{"url":"http://127.0.0.1/users/3/","id":3,"username":"amy","snippets":["http://127.0.0.1/snippets/3/"]},{"url":"http://127.0.0.1/users/4/","id":4,"username":"max","snippets":["http://127.0.0.1/snippets/4/","http://127.0.0.1/snippets/5/","http://127.0.0.1/snippets/6/","http://127.0.0.1/snippets/7/"]},{"url":"http://127.0.0.1/users/5/","id":5,"username":"jose","snippets":[]},{"url":"http://127.0.0.1/users/6/","id":6,"username":"admin","snippets":["http://127.0.0.1/snippets/1/","http://127.0.0.1/snippets/2/"]}] + + [ + ... + ] + +Some actions may include optional or required parameters. + + $ coreapi action users create --params username example + +## Authentication & headers + +The `credentials` command is used to manage the request `Authentication:` header. +Any credentials added are always linked to a particular domain, so as to ensure +that credentials are not leaked across differing APIs. + +The format for adding a new credential is: + + coreapi credentials add + +For instance: + + coreapi credentials add api.example.org "Token 9944b09199c62bcf9418ad846dd0e4bbdfc6ee4b" + +The optional `--auth` flag also allows you to add specific types of authentication, +handling the encoding for you. Currently only `"basic"` is supported as an option here. +For example: + + coreapi credentials add api.example.org tomchristie:foobar --auth basic + +You can also add specific request headers, using the `headers` command: + + coreapi headers add api.example.org x-api-version 2 + +For more information and a listing of the available subcommands use `coreapi +credentials --help` or `coreapi headers --help`. + +## Utilities + +The command line client includes functionality for bookmarking API URLs +under a memorable name. For example, you can add a bookmark for the +existing API, like so... + + coreapi bookmarks add accountmanagement + +There is also functionality for navigating forward or backward through the +history of which API URLs have been accessed. + + coreapi history show + coreapi history back + +For more information and a listing of the available subcommands use +`coreapi bookmarks --help` or `coreapi history --help`. + +## Other commands + +To display the current `Document`: + + coreapi show + +To reload the current `Document` from the network: + + coreapi reload + +To load a schema file from disk: + + coreapi load my-api-schema.json --format corejson + +To remove the current document, along with all currently saved history, +credentials, headers and bookmarks: + + coreapi clear + +--- + +# Python client library + +The `coreapi` Python package allows you to programatically interact with any +API that exposes a supported schema format. + +## Getting started + +You'll need to install the `coreapi` package using `pip` before you can get +started. Once you've done so, open up a python terminal. + +In order to start working with an API, we first need a `Client` instance. The +client holds any configuration around which codecs and transports are supported +when interacting with an API, which allows you to provide for more advanced +kinds of behaviour. + + import coreapi + client = coreapi.Client() + +Once we have a `Client` instance, we can fetch an API schema from the network. + + schema = client.get('https://api.example.org/') + +The object returned from this call will be a `Document` instance, which is +the internal representation of the interface that we are interacting with. + +Now that we have our schema `Document`, we can now start to interact with the API: + + users = client.action(schema, ['users', 'list']) + +Some endpoints may include named parameters, which might be either optional or required: + + new_user = client.action(schema, ['users', 'create'], params={"username": "max"}) + +## Codecs + +Codecs are responsible for encoding or decoding Documents. + +The decoding process is used by a client to take a bytestring of an API schema +definition, and returning the Core API `Document` that represents that interface. + +A codec should be associated with a particular media type, such as **TODO**. + +This media type is used by the server in the response `Content-Type` header, +in order to indicate what kind of data is being returned in the response. + +#### Configuring codecs + +The codecs that are available can be configured when instantiating a client. +The keyword argument used here is `decoders`, because in the context of a +client the codecs are only for *decoding* responses. + +In the following example we'll configure a client to only accept `Core JSON` +and `JSON` responses. This will allow us to receive and decode a Core JSON schema, +and subsequently to receive JSON responses made against the API. + + from coreapi import codecs, Client + + decoders = [codecs.CoreJSONCodec(), codecs.JSONCodec()] + client = Client(decoders=decoders) + +#### Loading and saving schemas + +You can use a codec directly, in order to load an existing schema definition, +and return the resulting `Document`. + + schema_definition = open('my-api-schema.json', 'r').read() + codec = codecs.CoreJSONCodec() + schema = codec.load(schema_definition) + +You can also use a codec directly to generate a schema definition given a `Document` instance: + + schema_definition = codec.dump(schema) + output_file = open('my-api-schema.json', 'r') + output_file.write(schema_definition) + +## Transports + +Transports are responsible for making network requests. The set of transports +that a client has installed determines which network protocols it is able to +support. + +Currently the `coreapi` library only includes an HTTP/HTTPS transport, but +other protocols can also be supported. + +#### Configuring transports + +The behaviour of the network layer can be customized by configuring the +transports that the client is instantiated with. + + import requests + from coreapi import transports, Client + + credentials = {'api.example.org': 'Token 3bd44a009d16ff'} + transports = transports.HTTPTransport(credentials=credentials) + client = Client(transports=transports) + +More complex customizations can also be achieved, for example modifying the +underlying `requests.Session` instance to [attach transport adaptors][transport-adaptors] +that modify the outgoing requests. + +[heroku-api]: https://devcenter.heroku.com/categories/platform-api +[heroku-example]: http://www.coreapi.org/tools-and-resources/example-services/#heroku-json-hyper-schema +[core-api]: http://www.coreapi.org/ +[schema-generation]: ../api-guide/schemas.md +[transport-adaptors]: http://docs.python-requests.org/en/master/user/advanced/#transport-adapters diff --git a/docs/tutorial/6-viewsets-and-routers.md b/docs/tutorial/6-viewsets-and-routers.md index f1dbe9443..00152cc17 100644 --- a/docs/tutorial/6-viewsets-and-routers.md +++ b/docs/tutorial/6-viewsets-and-routers.md @@ -130,27 +130,7 @@ Using viewsets can be a really useful abstraction. It helps ensure that URL con That doesn't mean it's always the right approach to take. There's a similar set of trade-offs to consider as when using class-based views instead of function based views. Using viewsets is less explicit than building your views individually. -## Reviewing our work +In [part 7][tut-7] of the tutorial we'll look at how we can add an API schema, +and interact with our API using a client library or command line tool. -With an incredibly small amount of code, we've now got a complete pastebin Web API, which is fully web browsable, and comes complete with authentication, per-object permissions, and multiple renderer formats. - -We've walked through each step of the design process, and seen how if we need to customize anything we can gradually work our way down to simply using regular Django views. - -You can review the final [tutorial code][repo] on GitHub, or try out a live example in [the sandbox][sandbox]. - -## Onwards and upwards - -We've reached the end of our tutorial. If you want to get more involved in the REST framework project, here are a few places you can start: - -* Contribute on [GitHub][github] by reviewing and submitting issues, and making pull requests. -* Join the [REST framework discussion group][group], and help build the community. -* Follow [the author][twitter] on Twitter and say hi. - -**Now go build awesome things.** - - -[repo]: https://github.com/tomchristie/rest-framework-tutorial -[sandbox]: http://restframework.herokuapp.com/ -[github]: https://github.com/tomchristie/django-rest-framework -[group]: https://groups.google.com/forum/?fromgroups#!forum/django-rest-framework -[twitter]: https://twitter.com/_tomchristie +[tut-7]: 7-schemas-and-client-libraries.md diff --git a/docs/tutorial/7-schemas-and-client-libraries.md b/docs/tutorial/7-schemas-and-client-libraries.md new file mode 100644 index 000000000..8d772a5bf --- /dev/null +++ b/docs/tutorial/7-schemas-and-client-libraries.md @@ -0,0 +1,216 @@ +# Tutorial 7: Schemas & client libraries + +A schema is a machine-readable document that describes the available API +endpoints, their URLS, and what operations they support. + +Schemas can be a useful tool for auto-generated documentation, and can also +be used to drive dynamic client libraries that can interact with the API. + +## Core API + +In order to provide schema support REST framework uses [Core API][coreapi]. + +Core API is a document specification for describing APIs. It is used to provide +an internal representation format of the available endpoints and possible +interactions that an API exposes. It can either be used server-side, or +client-side. + +When used server-side, Core API allows an API to support rendering to a wide +range of schema or hypermedia formats. + +When used client-side, Core API allows for dynamically driven client libraries +that can interact with any API that exposes a supported schema or hypermedia +format. + +## Adding a schema + +REST framework supports either explicitly defined schema views, or +automatically generated schemas. Since we're using viewsets and routers, +we can simply use the automatic schema generation. + +You'll need to install the `coreapi` python package in order to include an +API schema. + + $ pip install coreapi + +We can now include a schema for our API, by adding a `schema_title` argument to +the router instantiation. + + router = DefaultRouter(schema_title='Pastebin API') + +If you visit the API root endpoint in a browser you should now see `corejson` +representation become available as an option. + +![Schema format](../img/corejson-format.png) + +We can also request the schema from the command line, by specifying the desired +content type in the `Accept` header. + + $ http http://127.0.0.1:8000/ Accept:application/vnd.coreapi+json + HTTP/1.0 200 OK + Allow: GET, HEAD, OPTIONS + Content-Type: application/vnd.coreapi+json + + { + "_meta": { + "title": "Pastebin API" + }, + "_type": "document", + ... + +The default output style is to use the [Core JSON][corejson] encoding. + +Other schema formats, such as [Open API][openapi] (formerly Swagger) are +also supported. + +## Using a command line client + +Now that our API is exposing a schema endpoint, we can use a dynamic client +library to interact with the API. To demonstrate this, let's use the +Core API command line client. We've already installed the `coreapi` package +using `pip`, so the client tool should already be installed. Check that it +is available on the command line... + + $ coreapi + Usage: coreapi [OPTIONS] COMMAND [ARGS]... + + Command line client for interacting with CoreAPI services. + + Visit http://www.coreapi.org for more information. + + Options: + --version Display the package version number. + --help Show this message and exit. + + Commands: + ... + +First we'll load the API schema using the command line client. + + $ coreapi get http://127.0.0.1:8000/ + + snippets: { + highlight(pk) + list() + retrieve(pk) + } + users: { + list() + retrieve(pk) + } + +We haven't authenticated yet, so right now we're only able to see the read only +endpoints, in line with how we've set up the permissions on the API. + +Let's try listing the existing snippets, using the command line client: + + $ coreapi action snippets list + [ + { + "url": "http://127.0.0.1:8000/snippets/1/", + "highlight": "http://127.0.0.1:8000/snippets/1/highlight/", + "owner": "lucy", + "title": "Example", + "code": "print('hello, world!')", + "linenos": true, + "language": "python", + "style": "friendly" + }, + ... + +Some of the API endpoints require named parameters. For example, to get back +the highlight HTML for a particular snippet we need to provide an id. + + $ coreapi action snippets highlight --param pk 1 + + + + + Example + ... + +## Authenticating our client + +If we want to be able to create, edit and delete snippets, we'll need to +authenticate as a valid user. In this case we'll just use basic auth. + +Make sure to replace the `` and `` below with your +actual username and password. + + $ coreapi credentials add 127.0.0.1 : --auth basic + Added credentials + 127.0.0.1 "Basic <...>" + +Now if we fetch the schema again, we should be able to see the full +set of available interactions. + + $ coreapi reload + Pastebin API "http://127.0.0.1:8000/"> + snippets: { + create(code, [title], [linenos], [language], [style]) + destroy(pk) + highlight(pk) + list() + partial_update(pk, [title], [code], [linenos], [language], [style]) + retrieve(pk) + update(pk, code, [title], [linenos], [language], [style]) + } + users: { + list() + retrieve(pk) + } + +We're now able to interact with these endpoints. For example, to create a new +snippet: + + $ coreapi action snippets create --param title "Example" --param code "print('hello, world')" + { + "url": "http://127.0.0.1:8000/snippets/7/", + "id": 7, + "highlight": "http://127.0.0.1:8000/snippets/7/highlight/", + "owner": "lucy", + "title": "Example", + "code": "print('hello, world')", + "linenos": false, + "language": "python", + "style": "friendly" + } + +And to delete a snippet: + + $ coreapi action snippets destroy --param pk 7 + +As well as the command line client, developers can also interact with your +API using client libraries. The Python client library is the first of these +to be available, and a Javascript client library is planned to be released +soon. + +For more details on customizing schema generation and using Core API +client libraries you'll need to refer to the full documentation. + +## Reviewing our work + +With an incredibly small amount of code, we've now got a complete pastebin Web API, which is fully web browsable, includes a schema-driven client library, and comes complete with authentication, per-object permissions, and multiple renderer formats. + +We've walked through each step of the design process, and seen how if we need to customize anything we can gradually work our way down to simply using regular Django views. + +You can review the final [tutorial code][repo] on GitHub, or try out a live example in [the sandbox][sandbox]. + +## Onwards and upwards + +We've reached the end of our tutorial. If you want to get more involved in the REST framework project, here are a few places you can start: + +* Contribute on [GitHub][github] by reviewing and submitting issues, and making pull requests. +* Join the [REST framework discussion group][group], and help build the community. +* Follow [the author][twitter] on Twitter and say hi. + +**Now go build awesome things.** + +[coreapi]: http://www.coreapi.org +[corejson]: http://www.coreapi.org/specification/encoding/#core-json-encoding +[openapi]: https://openapis.org/ +[repo]: https://github.com/tomchristie/rest-framework-tutorial +[sandbox]: http://restframework.herokuapp.com/ +[github]: https://github.com/tomchristie/django-rest-framework +[group]: https://groups.google.com/forum/?fromgroups#!forum/django-rest-framework +[twitter]: https://twitter.com/_tomchristie diff --git a/mkdocs.yml b/mkdocs.yml index 19d1b3553..b10fbefb5 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -20,6 +20,7 @@ pages: - '4 - Authentication and permissions': 'tutorial/4-authentication-and-permissions.md' - '5 - Relationships and hyperlinked APIs': 'tutorial/5-relationships-and-hyperlinked-apis.md' - '6 - Viewsets and routers': 'tutorial/6-viewsets-and-routers.md' + - '7 - Schemas and client libraries': 'tutorial/7-schemas-and-client-libraries.md' - API Guide: - 'Requests': 'api-guide/requests.md' - 'Responses': 'api-guide/responses.md' @@ -41,6 +42,7 @@ pages: - 'Versioning': 'api-guide/versioning.md' - 'Content negotiation': 'api-guide/content-negotiation.md' - 'Metadata': 'api-guide/metadata.md' + - 'Schemas': 'api-guide/schemas.md' - 'Format suffixes': 'api-guide/format-suffixes.md' - 'Returning URLs': 'api-guide/reverse.md' - 'Exceptions': 'api-guide/exceptions.md' @@ -49,6 +51,7 @@ pages: - 'Settings': 'api-guide/settings.md' - Topics: - 'Documenting your API': 'topics/documenting-your-api.md' + - 'API Clients': 'topics/api-clients.md' - 'Internationalization': 'topics/internationalization.md' - 'AJAX, CSRF & CORS': 'topics/ajax-csrf-cors.md' - 'HTML & Forms': 'topics/html-and-forms.md' diff --git a/requirements/requirements-optionals.txt b/requirements/requirements-optionals.txt index 241e1951d..54c080491 100644 --- a/requirements/requirements-optionals.txt +++ b/requirements/requirements-optionals.txt @@ -2,3 +2,4 @@ markdown==2.6.4 django-guardian==1.4.3 django-filter==0.13.0 +coreapi==1.21.1 diff --git a/rest_framework/compat.py b/rest_framework/compat.py index dd30636f4..9c69eaa03 100644 --- a/rest_framework/compat.py +++ b/rest_framework/compat.py @@ -156,6 +156,16 @@ except ImportError: crispy_forms = None +# coreapi is optional (Note that uritemplate is a dependancy of coreapi) +try: + import coreapi + import uritemplate +except (ImportError, SyntaxError): + # SyntaxError is possible under python 3.2 + coreapi = None + uritemplate = None + + # Django-guardian is optional. Import only if guardian is in INSTALLED_APPS # Fixes (#1712). We keep the try/except for the test suite. guardian = None diff --git a/rest_framework/filters.py b/rest_framework/filters.py index fdd9519c6..caff1c17f 100644 --- a/rest_framework/filters.py +++ b/rest_framework/filters.py @@ -72,6 +72,9 @@ class BaseFilterBackend(object): """ raise NotImplementedError(".filter_queryset() must be overridden.") + def get_fields(self, view): + return [] + class DjangoFilterBackend(BaseFilterBackend): """ @@ -128,6 +131,17 @@ class DjangoFilterBackend(BaseFilterBackend): template = loader.get_template(self.template) return template_render(template, context) + def get_fields(self, view): + filter_class = getattr(view, 'filter_class', None) + if filter_class: + return list(filter_class().filters.keys()) + + filter_fields = getattr(view, 'filter_fields', None) + if filter_fields: + return filter_fields + + return [] + class SearchFilter(BaseFilterBackend): # The URL query parameter used for the search. @@ -217,6 +231,9 @@ class SearchFilter(BaseFilterBackend): template = loader.get_template(self.template) return template_render(template, context) + def get_fields(self, view): + return [self.search_param] + class OrderingFilter(BaseFilterBackend): # The URL query parameter used for the ordering. @@ -330,6 +347,9 @@ class OrderingFilter(BaseFilterBackend): context = self.get_template_context(request, queryset, view) return template_render(template, context) + def get_fields(self, view): + return [self.ordering_param] + class DjangoObjectPermissionsFilter(BaseFilterBackend): """ diff --git a/rest_framework/pagination.py b/rest_framework/pagination.py index a66c7505c..6ad10d860 100644 --- a/rest_framework/pagination.py +++ b/rest_framework/pagination.py @@ -157,6 +157,9 @@ class BasePagination(object): def get_results(self, data): return data['results'] + def get_fields(self, view): + return [] + class PageNumberPagination(BasePagination): """ @@ -280,6 +283,11 @@ class PageNumberPagination(BasePagination): context = self.get_html_context() return template_render(template, context) + def get_fields(self, view): + if self.page_size_query_param is None: + return [self.page_query_param] + return [self.page_query_param, self.page_size_query_param] + class LimitOffsetPagination(BasePagination): """ @@ -404,6 +412,9 @@ class LimitOffsetPagination(BasePagination): context = self.get_html_context() return template_render(template, context) + def get_fields(self, view): + return [self.limit_query_param, self.offset_query_param] + class CursorPagination(BasePagination): """ @@ -706,3 +717,6 @@ class CursorPagination(BasePagination): template = loader.get_template(self.template) context = self.get_html_context() return template_render(template, context) + + def get_fields(self, view): + return [self.cursor_query_param] diff --git a/rest_framework/renderers.py b/rest_framework/renderers.py index 7ca680e74..e313998d1 100644 --- a/rest_framework/renderers.py +++ b/rest_framework/renderers.py @@ -22,7 +22,8 @@ from django.utils import six from rest_framework import VERSION, exceptions, serializers, status from rest_framework.compat import ( - INDENT_SEPARATORS, LONG_SEPARATORS, SHORT_SEPARATORS, template_render + INDENT_SEPARATORS, LONG_SEPARATORS, SHORT_SEPARATORS, coreapi, + template_render ) from rest_framework.exceptions import ParseError from rest_framework.request import is_form_media_type, override_method @@ -790,3 +791,17 @@ class MultiPartRenderer(BaseRenderer): "test case." % key ) return encode_multipart(self.BOUNDARY, data) + + +class CoreJSONRenderer(BaseRenderer): + media_type = 'application/vnd.coreapi+json' + charset = None + format = 'corejson' + + def __init__(self): + assert coreapi, 'Using CoreJSONRenderer, but `coreapi` is not installed.' + + def render(self, data, media_type=None, renderer_context=None): + indent = bool(renderer_context.get('indent', 0)) + codec = coreapi.codecs.CoreJSONCodec() + return codec.dump(data, indent=indent) diff --git a/rest_framework/routers.py b/rest_framework/routers.py index 70a1149ab..a71bb7791 100644 --- a/rest_framework/routers.py +++ b/rest_framework/routers.py @@ -22,9 +22,11 @@ from django.conf.urls import url from django.core.exceptions import ImproperlyConfigured from django.core.urlresolvers import NoReverseMatch -from rest_framework import views +from rest_framework import exceptions, renderers, views from rest_framework.response import Response from rest_framework.reverse import reverse +from rest_framework.schemas import SchemaGenerator +from rest_framework.settings import api_settings from rest_framework.urlpatterns import format_suffix_patterns Route = namedtuple('Route', ['url', 'mapping', 'name', 'initkwargs']) @@ -255,6 +257,7 @@ class SimpleRouter(BaseRouter): lookup=lookup, trailing_slash=self.trailing_slash ) + view = viewset.as_view(mapping, **route.initkwargs) name = route.name.format(basename=basename) ret.append(url(regex, view, name=name)) @@ -270,8 +273,13 @@ class DefaultRouter(SimpleRouter): include_root_view = True include_format_suffixes = True root_view_name = 'api-root' + schema_renderers = [renderers.CoreJSONRenderer] - def get_api_root_view(self): + def __init__(self, *args, **kwargs): + self.schema_title = kwargs.pop('schema_title', None) + super(DefaultRouter, self).__init__(*args, **kwargs) + + def get_api_root_view(self, schema_urls=None): """ Return a view to use as the API root. """ @@ -280,10 +288,33 @@ class DefaultRouter(SimpleRouter): for prefix, viewset, basename in self.registry: api_root_dict[prefix] = list_name.format(basename=basename) + view_renderers = list(api_settings.DEFAULT_RENDERER_CLASSES) + schema_media_types = [] + + if schema_urls and self.schema_title: + view_renderers += list(self.schema_renderers) + schema_generator = SchemaGenerator( + title=self.schema_title, + patterns=schema_urls + ) + schema_media_types = [ + renderer.media_type + for renderer in self.schema_renderers + ] + class APIRoot(views.APIView): _ignore_model_permissions = True + renderer_classes = view_renderers def get(self, request, *args, **kwargs): + if request.accepted_renderer.media_type in schema_media_types: + # Return a schema response. + schema = schema_generator.get_schema(request) + if schema is None: + raise exceptions.PermissionDenied() + return Response(schema) + + # Return a plain {"name": "hyperlink"} response. ret = OrderedDict() namespace = request.resolver_match.namespace for key, url_name in api_root_dict.items(): @@ -310,15 +341,13 @@ class DefaultRouter(SimpleRouter): Generate the list of URL patterns, including a default root view for the API, and appending `.json` style format suffixes. """ - urls = [] + urls = super(DefaultRouter, self).get_urls() if self.include_root_view: - root_url = url(r'^$', self.get_api_root_view(), name=self.root_view_name) + view = self.get_api_root_view(schema_urls=urls) + root_url = url(r'^$', view, name=self.root_view_name) urls.append(root_url) - default_urls = super(DefaultRouter, self).get_urls() - urls.extend(default_urls) - if self.include_format_suffixes: urls = format_suffix_patterns(urls) diff --git a/rest_framework/schemas.py b/rest_framework/schemas.py new file mode 100644 index 000000000..cf84aca74 --- /dev/null +++ b/rest_framework/schemas.py @@ -0,0 +1,300 @@ +from importlib import import_module + +from django.conf import settings +from django.contrib.admindocs.views import simplify_regex +from django.core.urlresolvers import RegexURLPattern, RegexURLResolver +from django.utils import six + +from rest_framework import exceptions, serializers +from rest_framework.compat import coreapi, uritemplate +from rest_framework.request import clone_request +from rest_framework.views import APIView + + +def as_query_fields(items): + """ + Take a list of Fields and plain strings. + Convert any pain strings into `location='query'` Field instances. + """ + return [ + item if isinstance(item, coreapi.Field) else coreapi.Field(name=item, required=False, location='query') + for item in items + ] + + +def is_api_view(callback): + """ + Return `True` if the given view callback is a REST framework view/viewset. + """ + cls = getattr(callback, 'cls', None) + return (cls is not None) and issubclass(cls, APIView) + + +def insert_into(target, keys, item): + """ + Insert `item` into the nested dictionary `target`. + + For example: + + target = {} + insert_into(target, ('users', 'list'), Link(...)) + insert_into(target, ('users', 'detail'), Link(...)) + assert target == {'users': {'list': Link(...), 'detail': Link(...)}} + """ + for key in keys[:1]: + if key not in target: + target[key] = {} + target = target[key] + target[keys[-1]] = item + + +class SchemaGenerator(object): + default_mapping = { + 'get': 'read', + 'post': 'create', + 'put': 'update', + 'patch': 'partial_update', + 'delete': 'destroy', + } + + def __init__(self, title=None, patterns=None, urlconf=None): + assert coreapi, '`coreapi` must be installed for schema support.' + + if patterns is None and urlconf is not None: + if isinstance(urlconf, six.string_types): + urls = import_module(urlconf) + else: + urls = urlconf + patterns = urls.urlpatterns + elif patterns is None and urlconf is None: + urls = import_module(settings.ROOT_URLCONF) + patterns = urls.urlpatterns + + self.title = title + self.endpoints = self.get_api_endpoints(patterns) + + def get_schema(self, request=None): + if request is None: + endpoints = self.endpoints + else: + # Filter the list of endpoints to only include those that + # the user has permission on. + endpoints = [] + for key, link, callback in self.endpoints: + method = link.action.upper() + view = callback.cls() + view.request = clone_request(request, method) + try: + view.check_permissions(view.request) + except exceptions.APIException: + pass + else: + endpoints.append((key, link, callback)) + + if not endpoints: + return None + + # Generate the schema content structure, from the endpoints. + # ('users', 'list'), Link -> {'users': {'list': Link()}} + content = {} + for key, link, callback in endpoints: + insert_into(content, key, link) + + # Return the schema document. + return coreapi.Document(title=self.title, content=content) + + def get_api_endpoints(self, patterns, prefix=''): + """ + Return a list of all available API endpoints by inspecting the URL conf. + """ + api_endpoints = [] + + for pattern in patterns: + path_regex = prefix + pattern.regex.pattern + + if isinstance(pattern, RegexURLPattern): + path = self.get_path(path_regex) + callback = pattern.callback + if self.should_include_endpoint(path, callback): + for method in self.get_allowed_methods(callback): + key = self.get_key(path, method, callback) + link = self.get_link(path, method, callback) + endpoint = (key, link, callback) + api_endpoints.append(endpoint) + + elif isinstance(pattern, RegexURLResolver): + nested_endpoints = self.get_api_endpoints( + patterns=pattern.url_patterns, + prefix=path_regex + ) + api_endpoints.extend(nested_endpoints) + + return api_endpoints + + def get_path(self, path_regex): + """ + Given a URL conf regex, return a URI template string. + """ + path = simplify_regex(path_regex) + path = path.replace('<', '{').replace('>', '}') + return path + + def should_include_endpoint(self, path, callback): + """ + Return `True` if the given endpoint should be included. + """ + if not is_api_view(callback): + return False # Ignore anything except REST framework views. + + if path.endswith('.{format}') or path.endswith('.{format}/'): + return False # Ignore .json style URLs. + + if path == '/': + return False # Ignore the root endpoint. + + return True + + def get_allowed_methods(self, callback): + """ + Return a list of the valid HTTP methods for this endpoint. + """ + if hasattr(callback, 'actions'): + return [method.upper() for method in callback.actions.keys()] + + return [ + method for method in + callback.cls().allowed_methods if method != 'OPTIONS' + ] + + def get_key(self, path, method, callback): + """ + Return a tuple of strings, indicating the identity to use for a + given endpoint. eg. ('users', 'list'). + """ + category = None + for item in path.strip('/').split('/'): + if '{' in item: + break + category = item + + actions = getattr(callback, 'actions', self.default_mapping) + action = actions[method.lower()] + + if category: + return (category, action) + return (action,) + + # Methods for generating each individual `Link` instance... + + def get_link(self, path, method, callback): + """ + Return a `coreapi.Link` instance for the given endpoint. + """ + view = callback.cls() + + fields = self.get_path_fields(path, method, callback, view) + fields += self.get_serializer_fields(path, method, callback, view) + fields += self.get_pagination_fields(path, method, callback, view) + fields += self.get_filter_fields(path, method, callback, view) + + if fields and any([field.location in ('form', 'body') for field in fields]): + encoding = self.get_encoding(path, method, callback, view) + else: + encoding = None + + return coreapi.Link( + url=path, + action=method.lower(), + encoding=encoding, + fields=fields + ) + + def get_encoding(self, path, method, callback, view): + """ + Return the 'encoding' parameter to use for a given endpoint. + """ + # Core API supports the following request encodings over HTTP... + supported_media_types = set(( + 'application/json', + 'application/x-www-form-urlencoded', + 'multipart/form-data', + )) + parser_classes = getattr(view, 'parser_classes', []) + for parser_class in parser_classes: + media_type = getattr(parser_class, 'media_type', None) + if media_type in supported_media_types: + return media_type + # Raw binary uploads are supported with "application/octet-stream" + if media_type == '*/*': + return 'application/octet-stream' + + return None + + def get_path_fields(self, path, method, callback, view): + """ + Return a list of `coreapi.Field` instances corresponding to any + templated path variables. + """ + fields = [] + + for variable in uritemplate.variables(path): + field = coreapi.Field(name=variable, location='path', required=True) + fields.append(field) + + return fields + + def get_serializer_fields(self, path, method, callback, view): + """ + Return a list of `coreapi.Field` instances corresponding to any + request body input, as determined by the serializer class. + """ + if method not in ('PUT', 'PATCH', 'POST'): + return [] + + fields = [] + + serializer_class = view.get_serializer_class() + serializer = serializer_class() + + if isinstance(serializer, serializers.ListSerializer): + return coreapi.Field(name='data', location='body', required=True) + + if not isinstance(serializer, serializers.Serializer): + return [] + + for field in serializer.fields.values(): + if field.read_only: + continue + required = field.required and method != 'PATCH' + field = coreapi.Field(name=field.source, location='form', required=required) + fields.append(field) + + return fields + + def get_pagination_fields(self, path, method, callback, view): + if method != 'GET': + return [] + + if hasattr(callback, 'actions') and ('list' not in callback.actions.values()): + return [] + + if not hasattr(view, 'pagination_class'): + return [] + + paginator = view.pagination_class() + return as_query_fields(paginator.get_fields(view)) + + def get_filter_fields(self, path, method, callback, view): + if method != 'GET': + return [] + + if hasattr(callback, 'actions') and ('list' not in callback.actions.values()): + return [] + + if not hasattr(view, 'filter_backends'): + return [] + + fields = [] + for filter_backend in view.filter_backends: + fields += as_query_fields(filter_backend().get_fields(view)) + return fields diff --git a/rest_framework/utils/encoders.py b/rest_framework/utils/encoders.py index f883b4925..e5b52ea5f 100644 --- a/rest_framework/utils/encoders.py +++ b/rest_framework/utils/encoders.py @@ -13,7 +13,7 @@ from django.utils import six, timezone from django.utils.encoding import force_text from django.utils.functional import Promise -from rest_framework.compat import total_seconds +from rest_framework.compat import coreapi, total_seconds class JSONEncoder(json.JSONEncoder): @@ -64,4 +64,9 @@ class JSONEncoder(json.JSONEncoder): pass elif hasattr(obj, '__iter__'): return tuple(item for item in obj) + elif (coreapi is not None) and isinstance(obj, (coreapi.Document, coreapi.Error)): + raise RuntimeError( + 'Cannot return a coreapi object from a JSON view. ' + 'You should be using a schema renderer instead for this view.' + ) return super(JSONEncoder, self).default(obj) diff --git a/rest_framework/viewsets.py b/rest_framework/viewsets.py index 05434b72e..7687448c4 100644 --- a/rest_framework/viewsets.py +++ b/rest_framework/viewsets.py @@ -98,6 +98,7 @@ class ViewSetMixin(object): # resolved URL. view.cls = cls view.suffix = initkwargs.get('suffix', None) + view.actions = actions return csrf_exempt(view) def initialize_request(self, request, *args, **kwargs): diff --git a/runtests.py b/runtests.py index 1627e33b2..e97ac0367 100755 --- a/runtests.py +++ b/runtests.py @@ -14,7 +14,7 @@ PYTEST_ARGS = { FLAKE8_ARGS = ['rest_framework', 'tests', '--ignore=E501'] -ISORT_ARGS = ['--recursive', '--check-only', '-p', 'tests', 'rest_framework', 'tests'] +ISORT_ARGS = ['--recursive', '--check-only', '-o' 'uritemplate', '-p', 'tests', 'rest_framework', 'tests'] sys.path.append(os.path.dirname(__file__)) diff --git a/schema-support b/schema-support new file mode 100644 index 000000000..e69de29bb diff --git a/tests/test_routers.py b/tests/test_routers.py index acab660d8..f45039f80 100644 --- a/tests/test_routers.py +++ b/tests/test_routers.py @@ -257,7 +257,7 @@ class TestNameableRoot(TestCase): def test_router_has_custom_name(self): expected = 'nameable-root' - self.assertEqual(expected, self.urls[0].name) + self.assertEqual(expected, self.urls[-1].name) class TestActionKeywordArgs(TestCase): diff --git a/tests/test_schemas.py b/tests/test_schemas.py new file mode 100644 index 000000000..7d3308ed9 --- /dev/null +++ b/tests/test_schemas.py @@ -0,0 +1,137 @@ +import unittest + +from django.conf.urls import include, url +from django.test import TestCase, override_settings + +from rest_framework import filters, pagination, permissions, serializers +from rest_framework.compat import coreapi +from rest_framework.routers import DefaultRouter +from rest_framework.test import APIClient +from rest_framework.viewsets import ModelViewSet + + +class MockUser(object): + def is_authenticated(self): + return True + + +class ExamplePagination(pagination.PageNumberPagination): + page_size = 100 + + +class ExampleSerializer(serializers.Serializer): + a = serializers.CharField(required=True) + b = serializers.CharField(required=False) + + +class ExampleViewSet(ModelViewSet): + pagination_class = ExamplePagination + permission_classes = [permissions.IsAuthenticatedOrReadOnly] + filter_backends = [filters.OrderingFilter] + serializer_class = ExampleSerializer + + +router = DefaultRouter(schema_title='Example API' if coreapi else None) +router.register('example', ExampleViewSet, base_name='example') +urlpatterns = [ + url(r'^', include(router.urls)) +] + + +@unittest.skipUnless(coreapi, 'coreapi is not installed') +@override_settings(ROOT_URLCONF='tests.test_schemas') +class TestRouterGeneratedSchema(TestCase): + def test_anonymous_request(self): + client = APIClient() + response = client.get('/', HTTP_ACCEPT='application/vnd.coreapi+json') + self.assertEqual(response.status_code, 200) + expected = coreapi.Document( + url='', + title='Example API', + content={ + 'example': { + 'list': coreapi.Link( + url='/example/', + action='get', + fields=[ + coreapi.Field('page', required=False, location='query'), + coreapi.Field('ordering', required=False, location='query') + ] + ), + 'retrieve': coreapi.Link( + url='/example/{pk}/', + action='get', + fields=[ + coreapi.Field('pk', required=True, location='path') + ] + ) + } + } + ) + self.assertEqual(response.data, expected) + + def test_authenticated_request(self): + client = APIClient() + client.force_authenticate(MockUser()) + response = client.get('/', HTTP_ACCEPT='application/vnd.coreapi+json') + self.assertEqual(response.status_code, 200) + expected = coreapi.Document( + url='', + title='Example API', + content={ + 'example': { + 'list': coreapi.Link( + url='/example/', + action='get', + fields=[ + coreapi.Field('page', required=False, location='query'), + coreapi.Field('ordering', required=False, location='query') + ] + ), + 'create': coreapi.Link( + url='/example/', + action='post', + encoding='application/json', + fields=[ + coreapi.Field('a', required=True, location='form'), + coreapi.Field('b', required=False, location='form') + ] + ), + 'retrieve': coreapi.Link( + url='/example/{pk}/', + action='get', + fields=[ + coreapi.Field('pk', required=True, location='path') + ] + ), + 'update': coreapi.Link( + url='/example/{pk}/', + action='put', + encoding='application/json', + fields=[ + coreapi.Field('pk', required=True, location='path'), + coreapi.Field('a', required=True, location='form'), + coreapi.Field('b', required=False, location='form') + ] + ), + 'partial_update': coreapi.Link( + url='/example/{pk}/', + action='patch', + encoding='application/json', + fields=[ + coreapi.Field('pk', required=True, location='path'), + coreapi.Field('a', required=False, location='form'), + coreapi.Field('b', required=False, location='form') + ] + ), + 'destroy': coreapi.Link( + url='/example/{pk}/', + action='delete', + fields=[ + coreapi.Field('pk', required=True, location='path') + ] + ) + } + } + ) + self.assertEqual(response.data, expected) From b04bd8618ca956c2ceab36a8729cab822f0cff93 Mon Sep 17 00:00:00 2001 From: cobaltchang Date: Tue, 5 Jul 2016 22:36:52 +0800 Subject: [PATCH 30/57] Fix the error without specified encoding when compiling (#4246) Fix setup.py error on some platforms --- setup.py | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/setup.py b/setup.py index 0fef70f1f..86870489f 100755 --- a/setup.py +++ b/setup.py @@ -4,6 +4,7 @@ import os import re import shutil import sys +from io import open from setuptools import setup @@ -16,7 +17,7 @@ except ImportError: print("warning: pypandoc module not found, could not convert Markdown to RST") def read_md(f): - return open(f, 'r').read() + return open(f, 'r', encoding='utf-8').read() def get_version(package): From b10de374765d4abd42fae354d7ed5e875a9b2127 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Tue, 5 Jul 2016 15:58:36 +0100 Subject: [PATCH 31/57] Funding text tweaks [ci skip] (#4247) --- README.md | 7 +++---- docs/index.md | 5 ++--- 2 files changed, 5 insertions(+), 7 deletions(-) diff --git a/README.md b/README.md index fc9bd43a5..89e73de83 100644 --- a/README.md +++ b/README.md @@ -18,16 +18,15 @@ REST framework commercially we strongly encourage you to invest in its continued development by **[signing up for a paid plan][funding]**. The initial aim is to provide a single full-time position on REST framework. -Right now we're a little over 45% of the way towards achieving that. -*Every single sign-up makes a significant impact.* Taking out a -[basic tier sponsorship](https://fund.django-rest-framework.org/topics/funding/#corporate-plans) moves us about 1% closer to our funding target. +Right now we're a little over 50% of the way towards achieving that. +*Every single sign-up makes a significant impact.*

-*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/) and [Sentry](https://getsentry.com/welcome/).* +*Many thanks to all our [wonderful sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/) and [Sentry](https://getsentry.com/welcome/).* --- diff --git a/docs/index.md b/docs/index.md index 072d80c66..6f4b0bf07 100644 --- a/docs/index.md +++ b/docs/index.md @@ -68,9 +68,8 @@ REST framework commercially we strongly encourage you to invest in its continued development by **[signing up for a paid plan][funding]**. The initial aim is to provide a single full-time position on REST framework. -Right now we're a little over 43% of the way towards achieving that. -*Every single sign-up makes a significant impact.* Taking out a -[basic tier sponsorship](https://fund.django-rest-framework.org/topics/funding/#corporate-plans) moves us about 1% closer to our funding target. +Right now we're a little over 50% of the way towards achieving that. +*Every single sign-up makes a significant impact.*
-*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/), [Sentry](https://getsentry.com/welcome/), and [Stream](https://getstream.io/?utm_source=drf&utm_medium=banner&utm_campaign=drf).* +*Many thanks to all our [wonderful sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/), [Sentry](https://getsentry.com/welcome/), and [Stream](https://getstream.io/?utm_source=drf&utm_medium=banner&utm_campaign=drf).* --- @@ -243,6 +243,7 @@ General guides to using REST framework. * [3.1 Announcement][3.1-announcement] * [3.2 Announcement][3.2-announcement] * [3.3 Announcement][3.3-announcement] +* [3.4 Announcement][3.4-announcement] * [Kickstarter Announcement][kickstarter-announcement] * [Mozilla Grant][mozilla-grant] * [Funding][funding] @@ -368,6 +369,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [3.1-announcement]: topics/3.1-announcement.md [3.2-announcement]: topics/3.2-announcement.md [3.3-announcement]: topics/3.3-announcement.md +[3.4-announcement]: topics/3.4-announcement.md [kickstarter-announcement]: topics/kickstarter-announcement.md [mozilla-grant]: topics/mozilla-grant.md [funding]: topics/funding.md diff --git a/docs/topics/3.4-announcement.md b/docs/topics/3.4-announcement.md new file mode 100644 index 000000000..d3af44298 --- /dev/null +++ b/docs/topics/3.4-announcement.md @@ -0,0 +1,172 @@ + + +# Django REST framework 3.4 + +The 3.4 release is the first in a planned series that will be addressing schema +generation, hypermedia support, API clients, and finally realtime support. + +--- + +## Funding + +The 3.4 release has been made possible a recent [Mozilla grant][moss], and by our +[collaborative funding model][funding]. If you use REST framework commercially, and would +like to see this work continue, we strongly encourage you to invest in its +continued development by **[signing up for a paid plan][funding]**. + +The initial aim is to provide a single full-time position on REST framework. +Right now we're over 60% of the way towards achieving that. +*Every single sign-up makes a significant impact.* + + +
+ +*Many thanks to all our [awesome sponsors][sponsors], and in particular to our premium backers, [Rover](http://jobs.rover.com/), [Sentry](https://getsentry.com/welcome/), and [Stream](https://getstream.io/?utm_source=drf&utm_medium=banner&utm_campaign=drf).* + +--- + +## Schemas & client libraries + +REST framework 3.4 brings built-in support for generating API schemas. + +We provide this support by using [Core API][core-api], a Document Object Model +for describing APIs. + +Because Core API represents the API schema in an format-independent +manner, we're able to render the Core API `Document` object into many different +schema formats, by allowing the renderer class to determine how the internal +representation maps onto the external schema format. + +This approach should also open the door to a range of auto-generated API +documentation options in the future, by rendering the `Document` object into +HTML documentation pages. + +Alongside the built-in schema support, we're also now providing the following: + +* A [command line tool][command-line-client] for interacting with APIs. +* A [Python client library][client-library] for interacting with APIs. + +These API clients are dynamically driven, and able to interact with any API +that exposes a supported schema format. + +Dynamically driven clients allow you to interact with an API at an application +layer interface, rather than a network layer interface, while still providing +the benefits of RESTful Web API design. + +We're expecting to expand the range of languages that we provide client libraries +for over the coming months. + +--- + +Current support for schema formats is as follows: + +Name | Support | PyPI package +---------------------------------|-------------------------------------|-------------------------------- +[Core JSON][core-json] | Schema generation & client support. | Built-in support in `coreapi`. +[Swagger / OpenAPI][swagger] | Schema generation & client support. | The `openapi-codec` package. +[JSON Hyper-Schema][hyperschema] | Currrently client support only. | The `hyperschema-codec` package. +[API Blueprint][api-blueprint] | Not yet available. | Not yet available. + +--- + +You can read more about any of this new functionality in the following: + +* New tutorial section on [schemas & client libraries][tut-7]. +* Documentation page on [schema generation][schema-generation]. +* Topic page on [API clients][api-clients]. + +It is also worth noting that Marc Gibbons is currently working towards a 2.0 release of +the popular Django REST Swagger package, which will tie in with our new built-in support. + +--- + +## Supported versions + +The 3.4.0 release adds support for Django 1.10. + +The following versions of Python and Django are now supported: + +* Django versions 1.8, 1.9, and 1.10. +* Python versions 2.7, 3.2(\*), 3.3(\*), 3.4, 3.5. + +(\*) Note that Python 3.2 and 3.3 are not supported from Django 1.9 onwards. + +--- + +## Deprecations and changes + +The 3.4 release includes very limited deprecation or behavioral changes, and +should present a straightforward upgrade. + +#### Use fields or exclude on serializer classes. + +The following change in 3.3.0 is now escalated from "pending deprecation" to +"deprecated". Its usage will continue to function but will raise warnings: + +`ModelSerializer` and `HyperlinkedModelSerializer` should include either a `fields` +option, or an `exclude` option. The `fields = '__all__'` shortcut may be used +to explicitly include all fields. + +#### Microsecond precision when returning time or datetime + +Using the default JSON renderer and directly returning a `datetime` or `time` +instance will now render with microsecond precision (6 digits), rather than +millisecond precision (3 digits). This makes the output format consistent with the +default string output of `serializers.DateTimeField` and `serializers.TimeField`. + +This change *does not affect the default behavior when using serializers*, +which is to serialize `datetime` and `time` instances into strings with +microsecond precision. + +The serializer behavior can be modified if needed, using the `DATETIME_FORMAT` +and `TIME_FORMAT` settings. + +The renderer behavior can be modified by setting a custom `encoder_class` +attribute on a `JSONRenderer` subclass. + +--- + +## Other improvements + +This release includes further work from a huge number of [pull requests and issues][milestone]. + +Many thanks to all our contributors who've been involved in the release, either through raising issues, giving feedback, improving the documentation, or suggesting and implementing code changes. + +The full set of itemized release notes [are available here][release-notes]. + +[sponsors]: https://fund.django-rest-framework.org/topics/funding/#our-sponsors +[moss]: mozilla-grant.md +[funding]: funding.md +[core-api]: http://www.coreapi.org/ +[command-line-client]: api-clients#command-line-client +[client-library]: api-clients#python-client-library +[core-json]: http://www.coreapi.org/specification/encoding/#core-json-encoding +[swagger]: https://openapis.org/specification +[hyperschema]: http://json-schema.org/latest/json-schema-hypermedia.html +[api-blueprint]: https://apiblueprint.org/ +[tut-7]: ../../tutorial/7-schemas-and-client-libraries/ +[schema-generation]: ../../api-guide/schemas/ +[api-clients]: api-clients.md +[milestone]: https://github.com/tomchristie/django-rest-framework/milestone/35 +[release-notes]: release-notes#34 diff --git a/docs/topics/api-clients.md b/docs/topics/api-clients.md index 635fd8ae0..25b0c6145 100644 --- a/docs/topics/api-clients.md +++ b/docs/topics/api-clients.md @@ -59,7 +59,7 @@ exposes a supported schema format. To install the Core API command line client, use `pip`. Note that the command-line client is a separate package to the -python client library `coreapi`. Make sure to install `coreapi-cli`. +python client library. Make sure to install `coreapi-cli`. $ pip install coreapi-cli diff --git a/docs/topics/release-notes.md b/docs/topics/release-notes.md index 201549b45..5bfdad09b 100644 --- a/docs/topics/release-notes.md +++ b/docs/topics/release-notes.md @@ -40,12 +40,94 @@ You can determine your currently installed version using `pip freeze`: ## 3.4.x series -### 3.4 +### 3.4.0 -**Unreleased** +**Date**: [14th July 2016][3.4.0-milestone] -* Dropped support for EOL Django 1.7 ([#3933][gh3933]) -* Fixed null foreign keys targeting UUIDField primary keys. ([#3936][gh3936]) +* Don't strip microseconds in JSON output. ([#4256][gh4256]) +* Two slightly different iso 8601 datetime serialization. ([#4255][gh4255]) +* Resolve incorrect inclusion of media type parameters. ([#4254][gh4254]) +* Response Content-Type potentially malformed. ([#4253][gh4253]) +* Fix setup.py error on some platforms. ([#4246][gh4246]) +* Move alternate formats in coreapi into separate packages. ([#4244][gh4244]) +* Add localize keyword argument to `DecimalField`. ([#4233][gh4233]) +* Fix issues with routers for custom list-route and detail-routes. ([#4229][gh4229]) +* Namespace versioning with nested namespaces. ([#4219][gh4219]) +* Robust uniqueness checks. ([#4217][gh4217]) +* Minor refactoring of `must_call_distinct`. ([#4215][gh4215]) +* Overridable offset cutoff in CursorPagination. ([#4212][gh4212]) +* Pass through strings as-in with date/time fields. ([#4196][gh4196]) +* Add test confirming that required=False is valid on a relational field. ([#4195][gh4195]) +* In LimitOffsetPagination `limit=0` should revert to default limit. ([#4194][gh4194]) +* Exclude read_only=True fields from unique_together validation & add docs. ([#4192][gh4192]) +* Handle bytestrings in JSON. ([#4191][gh4191]) +* JSONField(binary=True) represents using binary strings, which JSONRenderer does not support. ([#4187][gh4187]) +* JSONField(binary=True) represents using binary strings, which JSONRenderer does not support. ([#4185][gh4185]) +* More robust form rendering in the browsable API. ([#4181][gh4181]) +* Empty cases of `.validated_data` and `.errors` as lists not dicts for ListSerializer. ([#4180][gh4180]) +* Schemas & client libraries. ([#4179][gh4179]) +* Removed `AUTH_USER_MODEL` compat property. ([#4176][gh4176]) +* Clean up existing deprecation warnings. ([#4166][gh4166]) +* Django 1.10 support. ([#4158][gh4158]) +* Updated jQuery version to 1.12.4. ([#4157][gh4157]) +* More robust default behavior on OrderingFilter. ([#4156][gh4156]) +* description.py codes and tests removal. ([#4153][gh4153]) +* Wrap guardian.VERSION in tuple. ([#4149][gh4149]) +* Refine validator for fields with kwargs. ([#4146][gh4146]) +* Fix None values representation in childs of ListField, DictField. ([#4118][gh4118]) +* Resolve TimeField representation for midnight value. ([#4107][gh4107]) +* Set proper status code in AdminRenderer for the redirection after POST/DELETE requests. ([#4106][gh4106]) +* TimeField render returns None instead of 00:00:00. ([#4105][gh4105]) +* Fix incorrectly named zh-hans and zh-hant locale path. ([#4103][gh4103]) +* Prevent raising exception when limit is 0. ([#4098][gh4098]) +* TokenAuthentication: Allow custom keyword in the header. ([#4097][gh4097]) +* Handle incorrectly padded HTTP basic auth header. ([#4090][gh4090]) +* LimitOffset pagination crashes Browseable API when limit=0. ([#4079][gh4079]) +* Fixed DecimalField arbitrary precision support. ([#4075][gh4075]) +* Added support for custom CSRF cookie names. ([#4049][gh4049]) +* Fix regression introduced by #4035. ([#4041][gh4041]) +* No auth view failing permission should raise 403. ([#4040][gh4040]) +* Fix string_types / text_types confusion. ([#4025][gh4025]) +* Do not list related field choices in OPTIONS requests. ([#4021][gh4021]) +* Fix typo. ([#4008][gh4008]) +* Reorder initializing the view. ([#4006][gh4006]) +* Type error in DjangoObjectPermissionsFilter on Python 3.4. ([#4005][gh4005]) +* Fixed use of deprecated Query.aggregates. ([#4003][gh4003]) +* Fix blank lines around docstrings. ([#4002][gh4002]) +* Fixed admin pagination when limit is 0. ([#3990][gh3990]) +* OrderingFilter adjustements. ([#3983][gh3983]) +* Non-required serializer related fields. ([#3976][gh3976]) +* Using safer calling way of "@api_view" in tutorial. ([#3971][gh3971]) +* ListSerializer doesn't handle unique_together constraints. ([#3970][gh3970]) +* Add missing migration file. ([#3968][gh3968]) +* `OrderingFilter` should call `get_serializer_class()` to determine default fields. ([#3964][gh3964]) +* Remove old django checks from tests and compat. ([#3953][gh3953]) +* Support callable as the value of `initial` for any `serializer.Field`. ([#3943][gh3943]) +* Prevented unnecessary distinct() call in SearchFilter. ([#3938][gh3938]) +* Fix None UUID ForeignKey serialization. ([#3936][gh3936]) +* Drop EOL Django 1.7. ([#3933][gh3933]) +* Add missing space in serializer error message. ([#3926][gh3926]) +* Fixed _force_text_recursive typo. ([#3908][gh3908]) +* Attempt to address Django 2.0 deprecate warnings related to `field.rel`. ([#3906][gh3906]) +* Fix parsing multipart data using a nested serializer with list. ([#3820][gh3820]) +* Resolving APIs URL to different namespaces. ([#3816][gh3816]) +* Do not HTML-escape `help_text` in Browsable API forms. ([#3812][gh3812]) +* OPTIONS fetches and shows all possible foreign keys in choices field. ([#3751][gh3751]) +* Django 1.9 deprecation warnings ([#3729][gh3729]) +* Test case for #3598 ([#3710][gh3710]) +* Adding support for multiple values for search filter. ([#3541][gh3541]) +* Use get_serializer_class in ordering filter. ([#3487][gh3487]) +* Serializers with many=True should return empty list rather than empty dict. ([#3476][gh3476]) +* LimitOffsetPagination limit=0 fix. ([#3444][gh3444]) +* Enable Validators to defer string evaluation and handle new string format. ([#3438][gh3438]) +* Unique validator is executed and breaks if field is invalid. ([#3381][gh3381]) +* Do not ignore overridden View.get_view_name() in breadcrumbs. ([#3273][gh3273]) +* Retry form rendering when rendering with serializer fails. ([#3164][gh3164]) +* Unique constraint prevents nested serializers from updating. ([#2996][gh2996]) +* Uniqueness validators should not be run for excluded (read_only) fields. ([#2848][gh2848]) +* UniqueValidator raises exception for nested objects. ([#2403][gh2403]) +* `lookup_type` is deprecated in favor of `lookup_expr`. ([#4259][gh4259]) +--- ## 3.3.x series @@ -127,6 +209,8 @@ You can determine your currently installed version using `pip freeze`: * Removed support for Django 1.5 & 1.6. ([#3421][gh3421], [#3429][gh3429]) * Removed 'south' migrations. ([#3495][gh3495]) +--- + ## 3.2.x series ### 3.2.5 @@ -410,6 +494,7 @@ For older release notes, [please see the version 2.x documentation][old-release- [3.3.1-milestone]: https://github.com/tomchristie/django-rest-framework/issues?q=milestone%3A%223.3.1+Release%22 [3.3.2-milestone]: https://github.com/tomchristie/django-rest-framework/issues?q=milestone%3A%223.3.2+Release%22 [3.3.3-milestone]: https://github.com/tomchristie/django-rest-framework/issues?q=milestone%3A%223.3.3+Release%22 +[3.4.0-milestone]: https://github.com/tomchristie/django-rest-framework/issues?q=milestone%3A%223.4.0+Release%22 [gh2013]: https://github.com/tomchristie/django-rest-framework/issues/2013 @@ -726,3 +811,88 @@ For older release notes, [please see the version 2.x documentation][old-release- [gh3636]: https://github.com/tomchristie/django-rest-framework/issues/3636 [gh3605]: https://github.com/tomchristie/django-rest-framework/issues/3605 [gh3604]: https://github.com/tomchristie/django-rest-framework/issues/3604 + + +[gh2403]: https://github.com/tomchristie/django-rest-framework/issues/2403 +[gh2848]: https://github.com/tomchristie/django-rest-framework/issues/2848 +[gh2996]: https://github.com/tomchristie/django-rest-framework/issues/2996 +[gh3164]: https://github.com/tomchristie/django-rest-framework/issues/3164 +[gh3273]: https://github.com/tomchristie/django-rest-framework/issues/3273 +[gh3381]: https://github.com/tomchristie/django-rest-framework/issues/3381 +[gh3438]: https://github.com/tomchristie/django-rest-framework/issues/3438 +[gh3444]: https://github.com/tomchristie/django-rest-framework/issues/3444 +[gh3476]: https://github.com/tomchristie/django-rest-framework/issues/3476 +[gh3487]: https://github.com/tomchristie/django-rest-framework/issues/3487 +[gh3541]: https://github.com/tomchristie/django-rest-framework/issues/3541 +[gh3710]: https://github.com/tomchristie/django-rest-framework/issues/3710 +[gh3729]: https://github.com/tomchristie/django-rest-framework/issues/3729 +[gh3751]: https://github.com/tomchristie/django-rest-framework/issues/3751 +[gh3812]: https://github.com/tomchristie/django-rest-framework/issues/3812 +[gh3816]: https://github.com/tomchristie/django-rest-framework/issues/3816 +[gh3820]: https://github.com/tomchristie/django-rest-framework/issues/3820 +[gh3906]: https://github.com/tomchristie/django-rest-framework/issues/3906 +[gh3908]: https://github.com/tomchristie/django-rest-framework/issues/3908 +[gh3926]: https://github.com/tomchristie/django-rest-framework/issues/3926 +[gh3933]: https://github.com/tomchristie/django-rest-framework/issues/3933 +[gh3936]: https://github.com/tomchristie/django-rest-framework/issues/3936 +[gh3938]: https://github.com/tomchristie/django-rest-framework/issues/3938 +[gh3943]: https://github.com/tomchristie/django-rest-framework/issues/3943 +[gh3953]: https://github.com/tomchristie/django-rest-framework/issues/3953 +[gh3964]: https://github.com/tomchristie/django-rest-framework/issues/3964 +[gh3968]: https://github.com/tomchristie/django-rest-framework/issues/3968 +[gh3970]: https://github.com/tomchristie/django-rest-framework/issues/3970 +[gh3971]: https://github.com/tomchristie/django-rest-framework/issues/3971 +[gh3976]: https://github.com/tomchristie/django-rest-framework/issues/3976 +[gh3983]: https://github.com/tomchristie/django-rest-framework/issues/3983 +[gh3990]: https://github.com/tomchristie/django-rest-framework/issues/3990 +[gh4002]: https://github.com/tomchristie/django-rest-framework/issues/4002 +[gh4003]: https://github.com/tomchristie/django-rest-framework/issues/4003 +[gh4005]: https://github.com/tomchristie/django-rest-framework/issues/4005 +[gh4006]: https://github.com/tomchristie/django-rest-framework/issues/4006 +[gh4008]: https://github.com/tomchristie/django-rest-framework/issues/4008 +[gh4021]: https://github.com/tomchristie/django-rest-framework/issues/4021 +[gh4025]: https://github.com/tomchristie/django-rest-framework/issues/4025 +[gh4040]: https://github.com/tomchristie/django-rest-framework/issues/4040 +[gh4041]: https://github.com/tomchristie/django-rest-framework/issues/4041 +[gh4049]: https://github.com/tomchristie/django-rest-framework/issues/4049 +[gh4075]: https://github.com/tomchristie/django-rest-framework/issues/4075 +[gh4079]: https://github.com/tomchristie/django-rest-framework/issues/4079 +[gh4090]: https://github.com/tomchristie/django-rest-framework/issues/4090 +[gh4097]: https://github.com/tomchristie/django-rest-framework/issues/4097 +[gh4098]: https://github.com/tomchristie/django-rest-framework/issues/4098 +[gh4103]: https://github.com/tomchristie/django-rest-framework/issues/4103 +[gh4105]: https://github.com/tomchristie/django-rest-framework/issues/4105 +[gh4106]: https://github.com/tomchristie/django-rest-framework/issues/4106 +[gh4107]: https://github.com/tomchristie/django-rest-framework/issues/4107 +[gh4118]: https://github.com/tomchristie/django-rest-framework/issues/4118 +[gh4146]: https://github.com/tomchristie/django-rest-framework/issues/4146 +[gh4149]: https://github.com/tomchristie/django-rest-framework/issues/4149 +[gh4153]: https://github.com/tomchristie/django-rest-framework/issues/4153 +[gh4156]: https://github.com/tomchristie/django-rest-framework/issues/4156 +[gh4157]: https://github.com/tomchristie/django-rest-framework/issues/4157 +[gh4158]: https://github.com/tomchristie/django-rest-framework/issues/4158 +[gh4166]: https://github.com/tomchristie/django-rest-framework/issues/4166 +[gh4176]: https://github.com/tomchristie/django-rest-framework/issues/4176 +[gh4179]: https://github.com/tomchristie/django-rest-framework/issues/4179 +[gh4180]: https://github.com/tomchristie/django-rest-framework/issues/4180 +[gh4181]: https://github.com/tomchristie/django-rest-framework/issues/4181 +[gh4185]: https://github.com/tomchristie/django-rest-framework/issues/4185 +[gh4187]: https://github.com/tomchristie/django-rest-framework/issues/4187 +[gh4191]: https://github.com/tomchristie/django-rest-framework/issues/4191 +[gh4192]: https://github.com/tomchristie/django-rest-framework/issues/4192 +[gh4194]: https://github.com/tomchristie/django-rest-framework/issues/4194 +[gh4195]: https://github.com/tomchristie/django-rest-framework/issues/4195 +[gh4196]: https://github.com/tomchristie/django-rest-framework/issues/4196 +[gh4212]: https://github.com/tomchristie/django-rest-framework/issues/4212 +[gh4215]: https://github.com/tomchristie/django-rest-framework/issues/4215 +[gh4217]: https://github.com/tomchristie/django-rest-framework/issues/4217 +[gh4219]: https://github.com/tomchristie/django-rest-framework/issues/4219 +[gh4229]: https://github.com/tomchristie/django-rest-framework/issues/4229 +[gh4233]: https://github.com/tomchristie/django-rest-framework/issues/4233 +[gh4244]: https://github.com/tomchristie/django-rest-framework/issues/4244 +[gh4246]: https://github.com/tomchristie/django-rest-framework/issues/4246 +[gh4253]: https://github.com/tomchristie/django-rest-framework/issues/4253 +[gh4254]: https://github.com/tomchristie/django-rest-framework/issues/4254 +[gh4255]: https://github.com/tomchristie/django-rest-framework/issues/4255 +[gh4256]: https://github.com/tomchristie/django-rest-framework/issues/4256 +[gh4259]: https://github.com/tomchristie/django-rest-framework/issues/4259 diff --git a/mkdocs.yml b/mkdocs.yml index b10fbefb5..0b89988b1 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -65,6 +65,7 @@ pages: - '3.1 Announcement': 'topics/3.1-announcement.md' - '3.2 Announcement': 'topics/3.2-announcement.md' - '3.3 Announcement': 'topics/3.3-announcement.md' + - '3.4 Announcement': 'topics/3.4-announcement.md' - 'Kickstarter Announcement': 'topics/kickstarter-announcement.md' - 'Mozilla Grant': 'topics/mozilla-grant.md' - 'Funding': 'topics/funding.md' diff --git a/rest_framework/__init__.py b/rest_framework/__init__.py index 6f02b8039..ab1a16597 100644 --- a/rest_framework/__init__.py +++ b/rest_framework/__init__.py @@ -8,7 +8,7 @@ ______ _____ _____ _____ __ """ __title__ = 'Django REST framework' -__version__ = '3.3.3' +__version__ = '3.4.0' __author__ = 'Tom Christie' __license__ = 'BSD 2-Clause' __copyright__ = 'Copyright 2011-2016 Tom Christie' diff --git a/rest_framework/locale/ach/LC_MESSAGES/django.mo b/rest_framework/locale/ach/LC_MESSAGES/django.mo index a91bc8b323901c1ec2e6b2cbbaba7c19085ab063..495c1ce7d7e83414ea9a9c8b538eb04f08d0bd4f 100644 GIT binary patch delta 90 zcmZowqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;KoBLI_#9OwW5 delta 90 zcmZo4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|Rz?7t5*;c4 diff --git a/rest_framework/locale/ach/LC_MESSAGES/django.po b/rest_framework/locale/ach/LC_MESSAGES/django.po index bfb8b75cc..a245f1510 100644 --- a/rest_framework/locale/ach/LC_MESSAGES/django.po +++ b/rest_framework/locale/ach/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Acoli (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ach/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: ach\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/ar/LC_MESSAGES/django.mo b/rest_framework/locale/ar/LC_MESSAGES/django.mo index 719bb0b318cd7893e394a3c335855cd27d5af81e..06471de238d2249bd794f744ebb7c4c710622b4f 100644 GIT binary patch delta 1608 zcmY+@e`u6-9KiAKcH7;4=$$*A=9T))oR-_UojY63)Vak7PqW$t$snHGle^mP;JMQn zXmhot3ECgu78WFd(sXgf?Oa4c5(EWNe-%AXLBZ&sLInR9L=g1;JkLYqm-{}i=lgxW zKR@5^U2gq->%_0|ni)k(kslymtx~EV+e17^kJc#Ff;-W`qj(>lLTNvP_v1V^;P;qB z7b6&{RjLnTIDpS!FTRW2N=>MrdD%rpJgig(pTr(~4{4xgWzG?~!A<+vMVf((yV z91QBmv6J#yjN)gQz^{YyBFf(G;uhvtOT4V6VqKlTgEaC}djp?9)}WpaJc6>2=Wz|5 z3d(PzM52rx_#Mj5|3UVsdh7jh2C$9tL9AhZHO|Xgd^PYA(nrnXcD#v+YNhVr7RvR@ z{3A-CLHPvA@x6l&;WyZfcZ2!};ga!o;w1LrTlf`DNXUnX(?0wFWyOnl7F%QfS(R`P zTr!Qaqs!QVv$zg_!ri!pvXQQp{)8v-H01@9{#~p51@Bo!{AJ<{ z6)aX=!mW56)A$3*8P_wr4A_EID9Iqp#oJ7l`y)G+#mEM>kvqw9?u}&D<3$MmOI$m- z|NhEla+!!DxhKhLCCP3jw5-Rw19AZ+B9hpYm*gl2pch)XuqkqqENPRE_uR;{Iw;Gf zR1cHaljU#GLY4?fl3U8(*h})C=lH!ON3ww|mrW-^2^|le2^&NCm#v(>5bB8Z+m>0h zhATHi9o5YPS!;CIcriO#wCsW!@YR3Rc81L3mX3yZ)fT;ud&BLaj5V%b3THMPvWG1@ zn>((aG7E)Q^7gPAv`qWhh#EZc!dSMbZ-f_@dDAKHSRcZqwa9QvUBE`rI#WX z8@iLJ?MCX6o>Z5};W! zwT#D#`LSN|v7n-IyRNso*(tlz&b;Bwx>L@aJL#Tt&pV&$w#Ibiiu;Ch!}(DE*0{EE zvT=WCGY!ksl$=>-&hJoiU!%j6`u`VwE4nS=EVz?2ylyz3GhW$n7Mv0<)acvMBhA5_ z_kPoTvFD<)4tJW)bIelG@5kOu^IB$U=bdZHeO4&T use4^JK#I{#3PpEaMAUUefme$zB8oz&zUO^c4;(+|8OQgW^E_vxYq_)dA>eu- zh%jR(qo+oQUQ9UnL;S=L{z4twoI*5X0@eCSY{NW8@Gc(1bsWY&n8ab15dFA>hw(X% z2vHQ9Oyc}-yw+Y&!T|X*R2#g;POPAT^;?8!#X;PTQ@9r|VG~O9;0mh$e~LTsT{W+u zIihA z@93SN*4|R!~{%5%L^FBV#v%iwTPGKd7AG8CZQ)E#jQkW2A6a zG*nfno~v7{a5HGT;QZFxQ13)lK!oL#t68R9H>9aG$#1S;*;jkOAt$t6d0#W+8!arq zYbWJ&-6uKbHe`vh=Dw4SMU1E(9f-#Ux{at|cutK+(wRbbKAW4344Dg=xZY<(4@C@n zUB9)?VBM%WzYsZ{H)rQ(%!OP&uAemv*-Ty^&tJ@4zH&`ZT+P|DC!VB3 tYTj5mVvYue?~6)&&i7aR{2rjc8wejj>(nav, 2015 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Arabic (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ar/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,74 +19,74 @@ msgstr "" "Language: ar\n" "Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "اسم المستخدم/كلمة السر غير صحيحين." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "المستخدم غير مفعل او تم حذفه." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." -msgstr "" +msgstr "رمز غير صحيح" #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "رمز التفويض" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "المفتاح" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "المستخدم" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "أنشئ" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "الرمز" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "الرموز" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "اسم المستخدم" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "كلمة المرور" #: authtoken/serializers.py:20 msgid "User account is disabled." @@ -124,7 +125,6 @@ msgid "Not found." msgstr "غير موجود." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -133,7 +133,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -141,214 +140,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "هذا الحقل مطلوب." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "لا يمكن لهذا الحقل ان يكون فارغاً null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" ليس قيمة منطقية." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "لا يمكن لهذا الحقل ان يكون فارغاً." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "تأكد ان الحقل لا يزيد عن {max_length} محرف." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "تأكد ان الحقل {min_length} محرف على الاقل." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "عليك ان تدخل بريد إلكتروني صالح." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "هذه القيمة لا تطابق النمط المطلوب." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "الرجاء إدخال رابط إلكتروني صالح." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "الرجاء إدخال رقم صحيح صالح." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "تأكد ان القيمة أقل أو تساوي {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "تأكد ان القيمة أكبر أو تساوي {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "الرجاء إدخال رقم صالح." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "تأكد ان القيمة لا تحوي أكثر من {max_digits} رقم." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "صيغة التاريخ و الوقت غير صحيحة. عليك أن تستخدم واحدة من هذه الصيغ التالية: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "صيغة التاريخ غير صحيحة. عليك أن تستخدم واحدة من هذه الصيغ التالية: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "صيغة الوقت غير صحيحة. عليك أن تستخدم واحدة من هذه الصيغ التالية: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" ليست واحدة من الخيارات الصالحة." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "لم يتم إرسال أي ملف." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "الملف الذي تم إرساله فارغ." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "تأكد ان اسم الملف لا يحوي أكثر من {max_length} محرف (الإسم المرسل يحوي {length} محرف)." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "أرسل" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "صفحة غير صحيحة" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "معرف العنصر \"{pk_value}\" غير صالح - العنصر غير موجود." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -365,41 +351,38 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "قيمة غير صالحة." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "مرشحات" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "مرشحات الحقول" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "الترتيب" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "البحث" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 @@ -413,27 +396,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -441,15 +420,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/be/LC_MESSAGES/django.mo b/rest_framework/locale/be/LC_MESSAGES/django.mo index cf959f6d9fb4bf89764a8ab67ec323c64e3cfbc5..13a9e256933805d001779e1ba01f975a592d26b5 100644 GIT binary patch delta 90 zcmeBY?Pr}Znaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<_4iMgX4>9h3k7 delta 90 zcmeBY?Pr}Znafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZde$&3J{njO{v diff --git a/rest_framework/locale/be/LC_MESSAGES/django.po b/rest_framework/locale/be/LC_MESSAGES/django.po index 6fe59735f..5aaa072ae 100644 --- a/rest_framework/locale/be/LC_MESSAGES/django.po +++ b/rest_framework/locale/be/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Belarusian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/be/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: be\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/ca/LC_MESSAGES/django.mo b/rest_framework/locale/ca/LC_MESSAGES/django.mo index e9d5355e1f5641ec5e75b8c3d454e0b0b9fd0858..7418c1ed05769800a93e799c05042bf4a73c7c7e 100644 GIT binary patch delta 75 zcmZ4Iz0P}sjwqM8uAz~Fp_!GT@nkbmIVjiE%FtwToT#`$NJf5cVzGjAMp0&QNoJ~o TO-X*P0}v-e1vXC=l@tH~A5IqS delta 75 zcmZ4Iz0P}sjwqM0u7RO~p@o&P#bh&4IVjg0#ElabSBOX~%S\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Catalan (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ca/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: ca\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Header Basic invàlid. No hi ha disponibles les credencials." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Header Basic invàlid. Les credencials no poden contenir espais." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Header Basic invàlid. Les credencials no estan codificades correctament en base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Usuari/Contrasenya incorrectes." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Usuari inactiu o esborrat." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Token header invàlid. No s'han indicat les credencials." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Token header invàlid. El token no ha de contenir espais." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Token header invàlid. El token no pot contenir caràcters invàlids." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Token invàlid." @@ -58,23 +58,23 @@ msgstr "Token invàlid." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "No trobat." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Mètode \"{method}\" no permès." @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "No s'ha pogut satisfer l'Accept header de la petició." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Media type \"{media_type}\" no suportat." @@ -140,214 +138,201 @@ msgstr "Media type \"{media_type}\" no suportat." msgid "Request was throttled." msgstr "La petició ha estat limitada pel número màxim de peticions definit." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Aquest camp és obligatori." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Aquest camp no pot ser nul." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" no és un booleà." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Aquest camp no pot estar en blanc." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Aquest camp no pot tenir més de {max_length} caràcters." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Aquest camp ha de tenir un mínim de {min_length} caràcters." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Introdueixi una adreça de correu vàlida." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Aquest valor no compleix el patró requerit." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Introdueix un \"slug\" vàlid consistent en lletres, números, guions o guions baixos." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Introdueixi una URL vàlida." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" no és un UUID vàlid." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Introdueixi una adreça IPv4 o IPv6 vàlida." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Es requereix un nombre enter vàlid." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Aquest valor ha de ser menor o igual a {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Aquest valor ha de ser més gran o igual a {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Valor del text massa gran." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Es requereix un nombre vàlid." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "No pot haver-hi més de {max_digits} dígits en total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "No pot haver-hi més de {max_decimal_places} decimals." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "No pot haver-hi més de {max_whole_digits} dígits abans del punt decimal." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "El Datetime té un format incorrecte. Utilitzi un d'aquests formats: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "S'espera un Datetime però s'ha rebut un Date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "El Date té un format incorrecte. Utilitzi un d'aquests formats: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "S'espera un Date però s'ha rebut un Datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "El Time té un format incorrecte. Utilitzi un d'aquests formats: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "La durada té un format incorrecte. Utilitzi un d'aquests formats: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" no és una opció vàlida." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "S'espera una llista d'ítems però s'ha rebut el tipus \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Aquesta selecció no pot estar buida." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" no és un path vàlid." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "No s'ha enviat cap fitxer." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Les dades enviades no són un fitxer. Comproveu l'encoding type del formulari." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "No s'ha pogut determinar el nom del fitxer." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "El fitxer enviat està buit." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "El nom del fitxer ha de tenir com a màxim {max_length} caràcters (en té {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Envieu una imatge vàlida. El fitxer enviat no és una imatge o és una imatge corrompuda." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Aquesta llista no pot estar buida." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "S'espera un diccionari però s'ha rebut el tipus \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Cursor invàlid." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "PK invàlida \"{pk_value}\" - l'objecte no existeix." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Tipus incorrecte. S'espera el valor d'una PK, s'ha rebut {data_type}." @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Hyperlink invàlid - L'objecte no existeix." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Tipus incorrecte. S'espera una URL, s'ha rebut {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "L'objecte amb {slug_name}={value} no existeix." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valor invàlid." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Dades invàlides. S'espera un diccionari però s'ha rebut {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "Cap" msgid "No items to select." msgstr "Cap opció seleccionada." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Aquest camp ha de ser únic." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Aquests camps {field_names} han de constituir un conjunt únic." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Aquest camp ha de ser únic per a la data \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Aquest camp ha de ser únic per al mes \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Aquest camp ha de ser únic per a l'any \"{date_field}\"." @@ -440,15 +418,19 @@ msgstr "Aquest camp ha de ser únic per a l'any \"{date_field}\"." msgid "Invalid version in \"Accept\" header." msgstr "Versió invàlida al header \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Versió invàlida a la URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Versió invàlida al hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Versió invàlida al paràmetre de consulta." diff --git a/rest_framework/locale/ca_ES/LC_MESSAGES/django.mo b/rest_framework/locale/ca_ES/LC_MESSAGES/django.mo index 96a0b1ebb8a981b8d762b8c0e8319ee1e54c53a6..3a733aa1bff6f023acaa798f4d55f94a713ada8d 100644 GIT binary patch delta 90 zcmbQhGJ$2nWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{Wo!i~yb#9Tflo delta 90 zcmbQhGJ$2nWG-V}149Kv3oB!biF4%~Av|*+PulKWK|2o*h>J diff --git a/rest_framework/locale/ca_ES/LC_MESSAGES/django.po b/rest_framework/locale/ca_ES/LC_MESSAGES/django.po index c4f9df6cb..c9ce5fd13 100644 --- a/rest_framework/locale/ca_ES/LC_MESSAGES/django.po +++ b/rest_framework/locale/ca_ES/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Catalan (Spain) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ca_ES/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: ca_ES\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/cs/LC_MESSAGES/django.mo b/rest_framework/locale/cs/LC_MESSAGES/django.mo index 459b3f01f444090391c6d45f9f44edd71036c949..1c98eb62d30fb3a73710923f9bd0428ea2b38668 100644 GIT binary patch delta 118 zcmX@^cHC`)hH$32uAz~Fp_!GTv9^JsfdN;5ziv=!S!Qu&ex9yNVo9o%f{}rtnXUmu zovD?fiM9a{aQP$_m*|ERCFT|9B$nhCSt*2M!EqWfqrYrYhK!mAfdN;5ziv=!S!Qu&ex9yNVo9o%f{}rtnXUmu zojF*Y0Z^S!VsVLXNKs;5aZX}Mevy?zL}FQHYLS9}QA&PcX{CZqMLvY(kdv90UzVA; Jd7|((egFVhC3ye< diff --git a/rest_framework/locale/cs/LC_MESSAGES/django.po b/rest_framework/locale/cs/LC_MESSAGES/django.po index 43c571130..8ba979350 100644 --- a/rest_framework/locale/cs/LC_MESSAGES/django.po +++ b/rest_framework/locale/cs/LC_MESSAGES/django.po @@ -9,9 +9,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Czech (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/cs/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,40 +19,40 @@ msgstr "" "Language: cs\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Chybná hlavička. Nebyly poskytnuty přihlašovací údaje." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Chybná hlavička. Přihlašovací údaje by neměly obsahovat mezery." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Chybná hlavička. Přihlašovací údaje nebyly správně zakódovány pomocí base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Chybné uživatelské jméno nebo heslo." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Uživatelský účet je neaktivní nebo byl smazán." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Chybná hlavička tokenu. Nebyly zadány přihlašovací údaje." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Chybná hlavička tokenu. Přihlašovací údaje by neměly obsahovat mezery." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Chybný token." @@ -60,23 +60,23 @@ msgstr "Chybný token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -125,7 +125,6 @@ msgid "Not found." msgstr "Nenalezeno." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metoda \"{method}\" není povolena." @@ -134,7 +133,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Nelze vyhovět požadavku v hlavičce Accept." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Nepodporovaný media type \"{media_type}\" v požadavku." @@ -142,214 +140,201 @@ msgstr "Nepodporovaný media type \"{media_type}\" v požadavku." msgid "Request was throttled." msgstr "Požadavek byl limitován kvůli omezení počtu požadavků za časovou periodu." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Toto pole je vyžadováno." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Toto pole nesmí být prázdné (null)." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" nelze použít jako typ boolean." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Toto pole nesmí být prázdné." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Zkontrolujte, že toto pole není delší než {max_length} znaků." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Zkontrolujte, že toto pole obsahuje alespoň {min_length} znaků." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Vložte platnou e-mailovou adresu." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Hodnota v tomto poli neodpovídá požadovanému formátu." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Vložte platnou \"zkrácenou formu\" obsahující pouze malá písmena, čísla, spojovník nebo podtržítko." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Vložte platný odkaz." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" není platné UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Je vyžadováno celé číslo." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Zkontrolujte, že hodnota je menší nebo rovna {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Zkontrolujte, že hodnota je větší nebo rovna {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Řetězec je příliš dlouhý." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Je vyžadováno číslo." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Zkontrolujte, že číslo neobsahuje více než {max_digits} čislic." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Zkontrolujte, že číslo nemá více než {max_decimal_places} desetinných míst." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Zkontrolujte, že číslo neobsahuje více než {max_whole_digits} čislic před desetinnou čárkou." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Chybný formát data a času. Použijte jeden z těchto formátů: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Bylo zadáno pouze datum bez času." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Chybný formát data. Použijte jeden z těchto formátů: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Bylo zadáno datum a čas, místo samotného data." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Chybný formát času. Použijte jeden z těchto formátů: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" není platnou možností." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Byl očekáván seznam položek ale nalezen \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Nebyl zaslán žádný soubor." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Zaslaná data neobsahují soubor. Zkontrolujte typ kódování ve formuláři." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Nebylo možné zjistit jméno souboru." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Zaslaný soubor je prázdný." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Zajistěte, aby jméno souboru obsahovalo maximálně {max_length} znaků (teď má {length} znaků)." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Nahrajte platný obrázek. Nahraný soubor buď není obrázkem nebo je poškozen." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Byl očekáván slovník položek ale nalezen \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Chybný kurzor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Chybný primární klíč \"{pk_value}\" - objekt neexistuje." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Chybný typ. Byl přijat typ {data_type} místo hodnoty primárního klíče." @@ -366,25 +351,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Chybný odkaz - objekt neexistuje." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Chybný typ. Byl přijat typ {data_type} místo očekávaného odkazu." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekt s {slug_name}={value} neexistuje." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Chybná hodnota." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Chybná data. Byl přijat typ {datatype} místo očekávaného slovníku." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -414,27 +396,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Tato položka musí být unikátní." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Položka {field_names} musí tvořit unikátní množinu." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Tato položka musí být pro datum \"{date_field}\" unikátní." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Tato položka musí být pro měsíc \"{date_field}\" unikátní." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Tato položka musí být pro rok \"{date_field}\" unikátní." @@ -442,15 +420,19 @@ msgstr "Tato položka musí být pro rok \"{date_field}\" unikátní." msgid "Invalid version in \"Accept\" header." msgstr "Chybné číslo verze v hlavičce Accept." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Chybné číslo verze v odkazu." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Chybné číslo verze v hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Chybné čislo verze v URL parametru." diff --git a/rest_framework/locale/da/LC_MESSAGES/django.mo b/rest_framework/locale/da/LC_MESSAGES/django.mo index 7820bdd3e93b02293df5e92d506df9ccfcbbc40e..9c17c3a405ef51c7a68fe18da1fd52289e1ffb74 100644 GIT binary patch delta 93 zcmbQ~JJWZAnHZP3uAz~Fp_!GT@ni=vIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=OzSu8*0Ni{X`~Uy| delta 93 zcmbQ~JJWZAnHZO`u7RO~p@o&P#bgIDIY$WB9LUu+00J(b#Nra&kfOxA;+({i{30ub lh{UqY)FK7{qLlo?(n\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Danish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/da/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,40 +19,40 @@ msgstr "" "Language: da\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Ugyldig basic header. Ingen legitimation angivet." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Ugyldig basic header. Legitimationsstrenge må ikke indeholde mellemrum." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Ugyldig basic header. Legitimationen er ikke base64 encoded på korrekt vis." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Ugyldigt brugernavn/kodeord." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Inaktiv eller slettet bruger." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Ugyldig token header." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Ugyldig token header. Token-strenge må ikke indeholde mellemrum." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Ugyldig token header. Token streng bør ikke indeholde ugyldige karakterer." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Ugyldigt token." @@ -60,23 +60,23 @@ msgstr "Ugyldigt token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -125,7 +125,6 @@ msgid "Not found." msgstr "Ikke fundet." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metoden \"{method}\" er ikke tilladt." @@ -134,7 +133,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Kunne ikke efterkomme forespørgslens Accept header." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Forespørgslens media type, \"{media_type}\", er ikke understøttet." @@ -142,214 +140,201 @@ msgstr "Forespørgslens media type, \"{media_type}\", er ikke understøttet." msgid "Request was throttled." msgstr "Forespørgslen blev neddroslet." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Dette felt er påkrævet." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Dette felt må ikke være null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" er ikke en tilladt boolsk værdi." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Dette felt må ikke være tomt." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Tjek at dette felt ikke indeholder flere end {max_length} tegn." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Tjek at dette felt indeholder mindst {min_length} tegn." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Angiv en gyldig e-mailadresse." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Denne værdi passer ikke med det påkrævede mønster." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Indtast en gyldig \"slug\", bestående af bogstaver, tal, bund- og bindestreger." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Indtast en gyldig URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" er ikke et gyldigt UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Indtast en gyldig IPv4 eller IPv6 adresse." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Et gyldigt heltal er påkrævet." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Tjek at værdien er mindre end eller lig med {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Tjek at værdien er større end eller lig med {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Strengværdien er for stor." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Et gyldigt tal er påkrævet." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Tjek at der ikke er flere end {max_digits} cifre i alt." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Tjek at der ikke er flere end {max_decimal_places} cifre efter kommaet." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Tjek at der ikke er flere end {max_whole_digits} cifre før kommaet." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datotid har et forkert format. Brug i stedet et af disse formater: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Forventede en datotid, men fik en dato." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Dato har et forkert format. Brug i stedet et af disse formater: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Forventede en dato men fik en datotid." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Klokkeslæt har forkert format. Brug i stedet et af disse formater: {format}. " -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Varighed har forkert format. Brug istedet et af følgende formater: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" er ikke et gyldigt valg." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Flere end {count} objekter..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Forventede en liste, men fik noget af typen \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Dette valg kan være tomt." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" er ikke et gyldigt valg af adresse." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Ingen medsendt fil." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Det medsendte data var ikke en fil. Tjek typen af indkodning på formularen." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Filnavnet kunne ikke afgøres." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Den medsendte fil er tom." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Sørg for at filnavnet er højst {max_length} langt (det er {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Medsend et gyldigt billede. Den medsendte fil var enten ikke et billede eller billedfilen var ødelagt." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Denne liste er muligvis ikke tom." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Forventede en dictionary, men fik noget af typen \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Værdi skal være gyldig JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Indsend." -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Ugyldig cursor" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Ugyldig primærnøgle \"{pk_value}\" - objektet findes ikke." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Ugyldig type. Forventet værdi er primærnøgle, fik {data_type}." @@ -366,25 +351,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Ugyldigt hyperlink - objektet findes ikke." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Forkert type. Forventede en URL-streng, fik {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Object med {slug_name}={value} findes ikke." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Ugyldig værdi." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Ugyldig data. Forventede en dictionary, men fik {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtre" @@ -414,27 +396,23 @@ msgstr "Ingen" msgid "No items to select." msgstr "Intet at vælge." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Dette felt skal være unikt." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Felterne {field_names} skal udgøre et unikt sæt." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Dette felt skal være unikt for \"{date_field}\"-datoen." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Dette felt skal være unikt for \"{date_field}\"-måneden." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Dette felt skal være unikt for \"{date_field}\"-året." @@ -442,15 +420,19 @@ msgstr "Dette felt skal være unikt for \"{date_field}\"-året." msgid "Invalid version in \"Accept\" header." msgstr "Ugyldig version i \"Accept\" headeren." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Ugyldig version i URL-stien." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Ugyldig version i hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Ugyldig version i forespørgselsparameteren." diff --git a/rest_framework/locale/da_DK/LC_MESSAGES/django.mo b/rest_framework/locale/da_DK/LC_MESSAGES/django.mo index 0e1cc36efce4bf67188b4092a8d23fca1d107dfb..f34583e4c20fbd84e69fe3c25847ea9bc43df310 100644 GIT binary patch delta 90 zcmbQpGLdD%WG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WqKi~yd<9T)%r delta 90 zcmbQpGLdD%WG-V}149Kv3oB!biF4%~Av|*+PulKWU34QXN_V diff --git a/rest_framework/locale/da_DK/LC_MESSAGES/django.po b/rest_framework/locale/da_DK/LC_MESSAGES/django.po index 7ec27dee2..bb512e284 100644 --- a/rest_framework/locale/da_DK/LC_MESSAGES/django.po +++ b/rest_framework/locale/da_DK/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Danish (Denmark) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/da_DK/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: da_DK\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/de/LC_MESSAGES/django.mo b/rest_framework/locale/de/LC_MESSAGES/django.mo index ce4458e0019ecbb7a953ea7b87b69c1cbad72051..317124886528d1de71f4021441d60acd700235dc 100644 GIT binary patch delta 2376 zcmZA2e@sL2RbwzW#nfVX4 zTHV>^Ki2$1rIl;me_Tq9^}|-nQEhEji@D0SVy!ltO`GfeIp^?4J>z>{&vQIKp6~N~ z&+(tGKX-?JNRK~lXntZDQ50v)2`pW}53SZ?Oaa!Rh5K+N9>Y95hdDTny8c^Sigz&? zGm?xc!#pg-4s6D8+-gkNTyr`mjNkHP&EBiZKoNIPSo+SdYJ={(YsF zo8x|5fp1|t-at+4mV5kxYhkMH7iJc8syN{VSimJ<1S=7&2iTW z0K7f=)Y6jfAzV*)lTb|&P*HH_P^5<~bHo<}8WvRMBmm_QmbAC+mHJ8s5x zjQjC=j4`jEZrDr77vTxi9$&;l{1Ua-ciiJy+*Ic^qE_@UGDkCt)%aqV&Q3a4@ernv zW;YID4^CqzW|MXwK7p#05AYF8V)+hXFSgx{Vt#oI-`D z(}wMM5_vDp3~I*N`OZ=nBCBRrqYoRg7LTJQ@*e7XkL7IL9%S3iDQv>CsFj?>wV2K_ zv2|hNqf^C!r%`);0d>P!)D6p6R|?fUiySf&?)YsiWBfkyY%}NToCH<5ZZlgO%?DO3@D zhgz{)sPpgQW{l;d(u+PU;Q8hZ9bI@;2k@rreQagC{9(rd+`@PgE&LsIej4d2flAa$ zcB5)&0uyi+7vRsh9_MfqT2yX$kj?=*%H%p~X=c#EIpk|;Qdc`Gl8f4+I*h@1LdB`< z=i7EVyd-whM~ttt{TXk-Qu`>^qeXBpKz7ys-*yM)&gb9GpovH&s6)H5W05U3U4-`CL+mHi^y=x; zx{c5ttLe2`MjX(9rVrIFyXWk;YD}%e!TxPiMYj;DcnZ}13g+N^OQfUMXTI&G)94Q3 zu$f3ABKH$>BVQ$c?6JB>pA3u`U!*g2N%S4h7Ej!czQhT)@m)+ax>TFs{2P)ZmpmEBdhffY*wq)AF-U9wbn1(dVik#WS!mbeVz00+~+yx ze9t*t?_2Cmd|Qxp+9*TB8sch(SpqLD;fr!H+pHAdLkF*51uo)REXy&w9V4jU58)m7 zFa|J*)%X$az-zb*L%FUAJ5HsI3m;-LW-l`vz;@h>XK*XdVFwm2Hw)u1>hCXOCw_(H zxb7CS0&GEbXaIG6!t+Jc^FF{j4fS^_d0Yta#h`2}YJ@GQ7sapv&*FCc23xRXg;@tu@GOyL>85Is4%}}KtKF1!sfg{+(+xzhX?!`<-(~X0;AK$>;=wozU*pZ+zLggjg ziGN`$HZy;EzzNg{ub^fouO!`(O58@f%kvrBLwg3by$Vasl9CtiUD=;y#R{Ix>UIvMqS+Yz_-uuR^7;!}B?8 zr9FoZuDLUPUn8pH!&t}r?I|i+G#9ZJ^B8_3M(_wGP$T~d9n4}yYNQpYDQ`s|{#*16 z6^&j4Ql8bZHiEvmX$1G33C;}nbkYSaG?fhEK0^8DaCAGPZAHG^qTVaVOn_VN_1un{ z+B`xj{eMx4=)c`VXa}fpVr%^AvJ`d^+Ab=CL^Cl&WD#V^JvKX#iE_^YcB{Mn;AYXT z;9rS*L~DzxXtuOSl@6s&g-N4$@6T}?|9!EYZx-b~LTEMX&`{|lv>jD+L~DU56=6ap zJB|B~W`KI1*VejH=}lu*%86EaCZQZ}A=(LT8MeGzmhioo&|=gfqT&#KqLk3ln|w5< zIN6u;S*k2|C@1yA%H_V)^9AQJlI^Q5C3F43DcJF(=&cB z{?ODT&bH(6bglVlY%D$7A8X=gV~3}rherebqtRnwr!94)=!P%#;OZZ9Q^VyE XU+Vn&`po3j4L>C3E9;WQRr~${XVK-< diff --git a/rest_framework/locale/de/LC_MESSAGES/django.po b/rest_framework/locale/de/LC_MESSAGES/django.po index c30dd7555..057a69f1c 100644 --- a/rest_framework/locale/de/LC_MESSAGES/django.po +++ b/rest_framework/locale/de/LC_MESSAGES/django.po @@ -5,7 +5,7 @@ # Translators: # Fabian Büchler , 2015 # Mads Jensen , 2015 -# Niklas P , 2015 +# Niklas P , 2015-2016 # Thomas Tanner, 2015 # Tom Jaster , 2015 # Xavier Ordoquy , 2015 @@ -13,9 +13,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: German (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -23,74 +23,74 @@ msgstr "" "Language: de\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Ungültiger basic header. Keine Zugangsdaten angegeben." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Ungültiger basic header. Zugangsdaten sollen keine Leerzeichen enthalten." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Ungültiger basic header. Zugangsdaten sind nicht korrekt mit base64 kodiert." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Ungültiger Benutzername/Passwort" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Benutzer inaktiv oder gelöscht." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Ungültiger token header. Keine Zugangsdaten angegeben." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Ungültiger token header. Zugangsdaten sollen keine Leerzeichen enthalten." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Ungültiger Token Header. Tokens dürfen keine ungültigen Zeichen enthalten." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Ungültiges Token" #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Auth Token" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Schlüssel" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Benutzer" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Tokens" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Benutzername" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Passwort" #: authtoken/serializers.py:20 msgid "User account is disabled." @@ -129,7 +129,6 @@ msgid "Not found." msgstr "Nicht gefunden." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Methode \"{method}\" nicht erlaubt." @@ -138,7 +137,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Kann die Accept Kopfzeile der Anfrage nicht erfüllen." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Nicht unterstützter Medientyp \"{media_type}\" in der Anfrage." @@ -146,214 +144,201 @@ msgstr "Nicht unterstützter Medientyp \"{media_type}\" in der Anfrage." msgid "Request was throttled." msgstr "Die Anfrage wurde gedrosselt." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Dieses Feld ist erforderlich." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Dieses Feld darf nicht Null sein." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" ist kein gültiger Wahrheitswert." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Dieses Feld darf nicht leer sein." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Stelle sicher, dass dieses Feld nicht mehr als {max_length} Zeichen lang ist." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Stelle sicher, dass dieses Feld mindestens {min_length} Zeichen lang ist." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Gib eine gültige E-Mail Adresse an." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Dieser Wert passt nicht zu dem erforderlichen Muster." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Gib ein gültiges \"slug\" aus Buchstaben, Ziffern, Unterstrichen und Minuszeichen ein." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Gib eine gültige URL ein." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" ist keine gültige UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Geben Sie eine gültige UPv4 oder IPv6 Adresse an" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Eine gültige Ganzzahl ist erforderlich." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Stelle sicher, dass dieser Wert kleiner oder gleich {max_value} ist." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Stelle sicher, dass dieser Wert größer oder gleich {min_value} ist." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Zeichenkette zu lang." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Eine gültige Zahl ist erforderlich." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Stelle sicher, dass es insgesamt nicht mehr als {max_digits} Ziffern lang ist." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Stelle sicher, dass es nicht mehr als {max_decimal_places} Nachkommastellen lang ist." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Stelle sicher, dass es nicht mehr als {max_whole_digits} Stellen vor dem Komma lang ist." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datums- und Zeitangabe hat das falsche Format. Nutze stattdessen eines dieser Formate: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Erwarte eine Datums- und Zeitangabe, erhielt aber ein Datum." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Datum hat das falsche Format. Nutze stattdessen eines dieser Formate: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Erwarte ein Datum, erhielt aber eine Datums- und Zeitangabe." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Zeitangabe hat das falsche Format. Nutze stattdessen eines dieser Formate: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Laufzeit hat das falsche Format. Benutze stattdessen eines dieser Formate {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" ist keine gültige Option." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Mehr als {count} Ergebnisse" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Erwarte eine Liste von Elementen, erhielt aber den Typ \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Diese Auswahl darf nicht leer sein" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" ist ein ungültiger Pfad Wahl." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Es wurde keine Datei übermittelt." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Die übermittelten Daten stellen keine Datei dar. Prüfe den Kodierungstyp im Formular." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Der Dateiname konnte nicht ermittelt werden." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Die übermittelte Datei ist leer." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Stelle sicher, dass dieser Dateiname höchstens {max_length} Zeichen lang ist (er hat {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Lade ein gültiges Bild hoch. Die hochgeladene Datei ist entweder kein Bild oder ein beschädigtes Bild." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Diese Liste darf nicht leer sein." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Erwarte ein Dictionary mit Elementen, erhielt aber den Typ \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Wert muss gültiges JSON sein." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Abschicken" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Ungültiger Zeiger" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Ungültiger pk \"{pk_value}\" - Object existiert nicht." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Falscher Typ. Erwarte pk Wert, erhielt aber {data_type}." @@ -370,25 +355,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Ungültiger Hyperlink - Objekt existiert nicht." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Falscher Typ. Erwarte URL Zeichenkette, erhielt aber {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekt mit {slug_name}={value} existiert nicht." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Ungültiger Wert." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Ungültige Daten. Dictionary erwartet, aber {datatype} erhalten." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filter" @@ -418,27 +400,23 @@ msgstr "Nichts" msgid "No items to select." msgstr "Keine Elemente zum Auswählen." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Dieses Feld muss eindeutig sein." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Die Felder {field_names} müssen eine eindeutige Menge bilden." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Dieses Feld muss bezüglich des \"{date_field}\" Datums eindeutig sein." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Dieses Feld muss bezüglich des \"{date_field}\" Monats eindeutig sein." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Dieses Feld muss bezüglich des \"{date_field}\" Jahrs eindeutig sein." @@ -446,15 +424,19 @@ msgstr "Dieses Feld muss bezüglich des \"{date_field}\" Jahrs eindeutig sein." msgid "Invalid version in \"Accept\" header." msgstr "Ungültige Version in der \"Accept\" Kopfzeile." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Ungültige Version im URL Pfad." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Ungültige Version im Hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Ungültige Version im Anfrageparameter." diff --git a/rest_framework/locale/el/LC_MESSAGES/django.mo b/rest_framework/locale/el/LC_MESSAGES/django.mo index fc2120f7f371fbb381747daa830f56dca521fb92..c7fb97b2ca50c64f7f8d5b0a30b4d462f148575b 100644 GIT binary patch literal 13507 zcmd6sdypK(eaFWEgDngg;SduN)0|CsY4>!p5cp(agoLm_uSh2m42hWA9o>y?cW2q1 z)uS$|fF6Jn2yqOdDo%nOh?Ao9$bl5;gybu`QgP+s*|L*AoKP{vf3Bn|`z6}aOFZu|xb8CkaaBL$c{hPi zfCl^$cr$nc`~>(f;K#xL1~q=+hdu8Gupe9iJ_P2#ZQvsCAb2@A0p15rf@{DZr?`qi z4{-n6;Jx5?!ENBRS9soC;7)Kk_^04Q;P=5n@b-_m_W`($`#%Oh3H}?n5WMP2$KOq$ zp5K$=FsS*S2JZyF3G(Ot7yrcPWmmcNUImKIQt)mt0zU`-1-J_Q0hk9DT@5YpQBeJM zg13UNf|BDufVYGH0gBG`AN9P&;4PrW{~EX!dg2c zJ${fL{Qw1;@cl!52VO;Jpa;gRg+7 z+H0oxJ&-@|UH)mFAAvHRE12XLz=fdhZwD8H1EBOf42tj9LG}AqdjAe6`}r}r4E*@V zoL)DAx_<@~|6d2y@1H>f{wFB@uKRgsS8Koza(@^U{TIMHz&`*7z;A+&fIkAY&J8es zJ-8*sGN^SvlivRxxP<%H!N2){=lv_VjQiIxe(C9La1(evlYAQ73HE`10?JOm0ZOk| z!o2kGFsOdJz!-cTNL&l>~Z1w(MXffw);ct5xeV-$aX1WF%MU;(_Ghb3?fY=GYbYv2ZqjU{;B0C6er zZBTao1Morcnoq$a_!#&icn*9P+)S_-1>XiS4R7_YxPA|V;^TCRKLI!BJw}Nry)S`} zfJZ=$zYJnef)N;jKLjPO$8Ynz&w}G1Cg7b0SAyRLmx5R0Y;^TjgOYa{6#riZwfQ;l@IG)1qVktxp!jy6z+v#O!2);-on?o= z1AYel+w}etj9qrR5eixL# z-iUC;*InR7unv9z+(r}qYiU=|T9`7fR5(%cWyq&r>WZ7of_ zW70N;O8@uLHqmt93f^k_%jKL$`MsSc{h&50Pr$AVx3}?EHh8lha;>6mp-HX_Y0|f@ z4GydvKa~EKZRmQ8ruFMWq*izOZD^>*`vUFfXu58oNtW_|U6;@#%X?_jfv%6zK1O?- zCcR!x(}jC_*Vtd3f3m~hpnZfU-QX(TdfFh(r=b#Wh^9+6_^UMeiZ0oT{40CO{;#8b zGJW{#plsw*>HSKO@MEvLQp7B6T+r>^w9T}Kbi?&|+ST@#i=Fmo-*{N5HsXDKCajxE z6dT{{@=IaS3`bEZ@GE(5)*gk?C@ci$=}`6KQPb(gyp3Qcp{-ljuFiWaO+BdX3Th^( z)uNh-3WY|k78Lcu@e@|!V1)OuSqq+Mgk3Kyjq>n}cMYfyMPot5TglI$5{Csp4x@@G zFjlvIscv=$wZN{sT8nmtMNwQ8HA+SMtWN*>j=hG_mS|9q&B{U{sK#bA@QXo>&b7dg zgQB;Z|7O%@!dg@rF*~AK*^l#PYdtVgg|*=0CyiQ4Dsw8{VE~I6%BwMbKd^!jv-8Vo*E60F6stEEcOr&Ew^; zvb_{kM&i+Z*sx#o3vp1Z&o-_SO_$5uW9i|i+JZpef3gfq|X$hN@ry-z&*-yt^E&aK9Tt@R zu$1Y)ry8K9B0Lu5kHd}FjM$i_Tlp3fboa3i*WItXPgqdQ@N0Xuyf6;R_4c&!-fCdd z@VH$!`}(@ZmXOOlN3F3IxFak{dfu88*H(~QjU^d>)(DpOI=#e0-n3VUz)U@^p_)a6 zuR;*+LNw!u!gt)BXJ~ayVYd;?K9JYS5`H}_w1S}_7`6kea!Ja4X|MVP%a)pe1=$$8 zwlddv$GEAFwxcnY7W>47dR37|%=emOL(~=DJ7K-moy1a)YVFYyM@D8?PFv%P+M2dP zvl{M@#gc0gS_^9G z8?TO~9@+;d(fNnR%7<-z%_*zy?lzgG7S&5JVXBa9xNLEHVKYrvu^ru6c7s|$v9rJG z*Xz5Z8cDlF$69UX7I#w0$87ps=I(2)zB8oLN4inf(sP1QBDARXeECEpAVgHj6XgIO z&U+69d%g93N!cB*Q^`X0koVRH@n}>;YjooW<&Z79N~LJGYLE4u79n#PPhB8t3ki(rR4sf4k<}w_@Ciovb^}YB$yh{=^?|Q>rL$ zljzm0P6!pD2yb?>u?)wfwJ45Ddb}m@YlTs7iw$5d8j;B&Q}Szafh~4v-VmAHrf-s? zMavO&L|Ni0`(xBCYhoP>D=Wy_mAAwz z&&8bCvJ72(6>VdkXaCo|trdS5kHRrZ(THM+b%0iC$>y6ped~>CHL9r$!Sh4k*^V5Z zo3u>O9PN;>wOWdN)hsTZQB7mt#u+wL_eKrVuw9r@P95NV)M3_QiEQew(#f~!wow&f zH;2dWqh|jZzhJ|OYQ$n#*J|)Ey@nGiTPg!hQN-Q9u7t=AfIoK5{%=GAY=itE7I~H>-SVyU!8>;!0ddZKY+8|Po%7}Q?XiYV3 zU_Kj1<$Gy`^g+H5mG5C#Wu$@Fb3=h&9yAZsf?&+tIvU5-!T$c;yLabfO&RV8_Nae< z(XKH^O&jOhYs?Mwe%?sC@t7jV%J#8twCq?K~t&P z+xm(n%h|{2&5Bzq=B5>9;I`!pyyUfHs#W$9X_6Dk$>f~j-|^&JGLcN0=e^ApG+o`w~{I5I+nj6qSHr<#Ys3jA%>E($+71C_JlU7%)JVCNRhnS zd^$M-Q)iQj)}&|bl#|T^&4ZTDXC;K@{w^Wtb|N{G9EAY{luYSCMqU%Fb;7B z^nk@#=c4aqaymKNd~SX-**In-QOoBPzot;vspbLNelK~^sqjSeIc7ZtrxVhsm0Eky zNfgQwE$IoEOUE4Jq3hi|WS34Klc0i0Hw{b45HogtTD|6_$4MkQfkcl(O=3%rS6baB z5+@PMrzLs{;Y)(DE-WME_oSD+3{~Eps|P zll(dTC5K7II94ZFq_la`SW--ZewxpT^~qF|$O+42!Kb0eYFZN>ZSL=!==^_WNoqa9 zsu4cFS`w1q{vU|wC2I$7z{(qPjppy7iU})xY#V{M!VCI-Qe2}<$^D#+*}9A#C+C`n zTUzRQC}m@mtXgY7lN>S4XHojoG7yaFec~ZK(E1sW>OT5nnVnEGae+%k=2MdGNkny= zpU!>IgI*wbOav9AVFWdFos;p#g|RdAR;0i=<|E%3MAMXFU01Z>huK8+fHe#2WodXOn%wg!Ra%3ll2`z2IxU=7D>@*(qq)~D1hM;&F3{(W+3M#Sm4{u zg9L-@OIhG__LM`q*h7|z4JVoLwBm~usy&rN#yXYkHA}Y6;pl)auQK*5#NQ&kJe3J% ztYba|gIt*dP3HNc#K$0sQ4+O_>zUq^JaJ0cCn>q)P2%d=)yW91s6sA?Ms^^I=t+@U zM2^#w^lZdZBa!~UuE0!^W%hHd*OmtOos6E~u4<$=S%TF;%t5BKzg3jB&tiLvF;xXM zhfVYH^9)VZ0pe@wJ<;@%ufg?O@Pv%paa0TFdgCQu#=6sLq4bvG`6Y8tjR{+Y`6KCxGnV&dsrP+gimK0=9a%0pZXn_GZKISDmn&0X684iL z?~M^xW6!94&L=QSsAXI3th?)xmFEeY;jF}Fu_deZj8paqGTB4%tZf}2hMp4{8$)we zgUU}T?-at1B!4A~a>3f^Z%U`)U2Ni-@5d~#L5Rxwdm3Z(*jZXe+Hg6IDHu=pDqSzo za?4AOPd|}=ZzSh!v+iizq}#C!^Qrxv$G7YfE|}13h{_Uemu2lb2QO?nyp4dkzEe0mt z#(sr2)60IPYgh88A4qz7^Mt;bBwu0l`7NVw76tdUD$2gBru&#P6OyOcv%b|if)Hcv z{etUhk~hQxtJk3lw%ReLZ0F{o?uoPe+}_J`R`1S{&{F20%zm;Fm(yrNL5|aNx~ZNY zb7qT&q-FUmR%kk&@NvCbm)|_(>4~jTbLwwoaEft zeFuW;FDkW?GIY?C60;+fSTn)9vr|GIQ`#lT@U&&pf!!1n{h597hF&JeM7~p?@w5Bu z(afMCtHXcYeua=G_q7Ssp8i-KZB0TAo8~Uj5#6-J(T-aCN;k+(cF5Rx-EBt%-&dPfI7Tz(JekOXkoqS(L=Mo;+bp z9r?PFruket1*6)B1({9~mx4#@1n*!fi|*3}1@M`5)clCeIo5qTL;hVfd#EOfANPK$B#yE)#gU&b4IB3}JFGc%<&4T^ zO)`etGo*+A)*I$yCFy7uWD~F($K8y=lei#_PIbN*lBV3gxO2*bkG0BZ^zbt|Ft*3^ zt&fha1NMw@p3upJ^?A;H2&&yRGF;kaoqt1x@sJ#_Wfyu}ErOpOS5@wWm7rbyFHg(u!}%Y<_E?kU(5(5 zGpT*<`n8S^u`PRuB(@ZhIQV5Og3#H2TG1&Xy`mFveQ#3S!s|&??h8w{^y{LlAg9Vw zWy+gr(CzF-aVv47 xZix7N`hb-CklV5|E3KA*wYiph4@2F`&ZL2mJNp@^9TByBeb?gTPcqAU{|n7SqWb^< delta 151 zcmX?{*}!6PPl#nI0}wC*u?!Ha05LNV>i{tbSOD=cprj>`2C0F8$#=w}xr}uU3>6G5 ztc)!tJBrIWLb&EYuC@UXaQP$_m*|ERCFT|9B$nhCSt&#$mSv_EDfkzq, 2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Greek (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/el/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,441 +18,423 @@ msgstr "" "Language: el\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." -msgstr "" +msgstr "Λανθασμένη επικεφαλίδα basic. Δεν υπάρχουν διαπιστευτήρια." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." -msgstr "" +msgstr "Λανθασμένη επικεφαλίδα basic. Τα διαπιστευτήρια δε μπορεί να περιέχουν κενά." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." -msgstr "" +msgstr "Λανθασμένη επικεφαλίδα basic. Τα διαπιστευτήρια δεν είναι κωδικοποιημένα κατά base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." -msgstr "" +msgstr "Λανθασμένο όνομα χρήστη/κωδικός." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." -msgstr "" - -#: authentication.py:173 -msgid "Invalid token header. No credentials provided." -msgstr "" +msgstr "Ο χρήστης είναι ανενεργός ή διεγραμμένος." #: authentication.py:176 -msgid "Invalid token header. Token string should not contain spaces." -msgstr "" +msgid "Invalid token header. No credentials provided." +msgstr "Λανθασμένη επικεφαλίδα token. Δεν υπάρχουν διαπιστευτήρια." -#: authentication.py:182 +#: authentication.py:179 +msgid "Invalid token header. Token string should not contain spaces." +msgstr "Λανθασμένη επικεφαλίδα token. Το token δε πρέπει να περιέχει κενά." + +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." -msgstr "" +msgstr "Λανθασμένη επικεφαλίδα token. Το token περιέχει μη επιτρεπτούς χαρακτήρες." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." -msgstr "" +msgstr "Λανθασμένο token" #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Token πιστοποίησης" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Κλειδί" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Χρήστης" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Δημιουργήθηκε" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Tokens" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Όνομα χρήστη" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Κωδικός" #: authtoken/serializers.py:20 msgid "User account is disabled." -msgstr "" +msgstr "Ο λογαριασμός χρήστη είναι απενεργοποιημένος." #: authtoken/serializers.py:23 msgid "Unable to log in with provided credentials." -msgstr "" +msgstr "Δεν είναι δυνατή η σύνδεση με τα διαπιστευτήρια." #: authtoken/serializers.py:26 msgid "Must include \"username\" and \"password\"." -msgstr "" +msgstr "Πρέπει να περιέχει \"όνομα χρήστη\" και \"κωδικό\"." #: exceptions.py:49 msgid "A server error occurred." -msgstr "" +msgstr "Σφάλμα διακομιστή." #: exceptions.py:84 msgid "Malformed request." -msgstr "" +msgstr "Λανθασμένο αίτημα." #: exceptions.py:89 msgid "Incorrect authentication credentials." -msgstr "" +msgstr "Λάθος διαπιστευτήρια." #: exceptions.py:94 msgid "Authentication credentials were not provided." -msgstr "" +msgstr "Δεν δόθηκαν διαπιστευτήρια." #: exceptions.py:99 msgid "You do not have permission to perform this action." -msgstr "" +msgstr "Δεν έχετε δικαίωματα για αυτή την ενέργεια." #: exceptions.py:104 views.py:81 msgid "Not found." -msgstr "" +msgstr "Δε βρέθηκε." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." -msgstr "" +msgstr "Η μέθοδος \"{method\"} δεν επιτρέπεται." #: exceptions.py:120 msgid "Could not satisfy the request Accept header." -msgstr "" +msgstr "Δεν ήταν δυνατή η ικανοποίηση της επικεφαλίδας Accept της αίτησης." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." -msgstr "" +msgstr "Δεν υποστηρίζεται το media type \"{media_type}\" της αίτησης." #: exceptions.py:145 msgid "Request was throttled." -msgstr "" +msgstr "Το αίτημα έγινε throttle." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." -msgstr "" +msgstr "Το πεδίο είναι απαραίτητο." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." -msgstr "" +msgstr "Το πεδίο δε μπορεί να είναι null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." -msgstr "" +msgstr "Το \"{input}\" δεν είναι έγκυρο boolean." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." -msgstr "" +msgstr "Το πεδίο δε μπορεί να είναι κενό." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." -msgstr "" +msgstr "Επιβεβαιώσατε ότι το πεδίο δεν έχει περισσότερους από {max_length} χαρακτήρες." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." -msgstr "" +msgstr "Επιβεβαιώσατε ότι το πεδίο έχει τουλάχιστον {min_length} χαρακτήρες." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." -msgstr "" +msgstr "Συμπληρώσατε μια έγκυρη διεύθυνση e-mail." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." -msgstr "" +msgstr "Η τιμή δε ταιριάζει με το pattern." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." -msgstr "" +msgstr "Εισάγετε ένα έγκυρο \"slug\" που αποτελείται από γράμματα, αριθμούς παύλες και κάτω παύλες." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." -msgstr "" +msgstr "Εισάγετε έγκυρο URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." -msgstr "" +msgstr "Το \"{value}\" δεν είναι έγκυρο UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." -msgstr "" +msgstr "Εισάγετε μια έγκυρη διεύθυνση IPv4 ή IPv6." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." -msgstr "" +msgstr "Ένας έγκυρος ακέραιος είναι απαραίτητος." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." -msgstr "" +msgstr "Επιβεβαιώσατε ότι η τιμή είναι μικρότερη ή ίση του {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." -msgstr "" +msgstr "Επιβεβαιώσατε ότι η τιμή είναι μεγαλύτερη ή ίση του {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." -msgstr "" +msgstr "Το κείμενο είναι πολύ μεγάλο." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." -msgstr "" +msgstr "Ένας έγκυρος αριθμός είναι απαραίτητος." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." -msgstr "" +msgstr "Επιβεβαιώσατε ότι δεν υπάρχουν παραπάνω από {max_digits} ψηφία." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." -msgstr "" +msgstr "Επιβεβαιώσατε ότι δεν υπάρχουν παραπάνω από {max_decimal_places} δεκαδικά ψηφία." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." -msgstr "" +msgstr "Επιβεβαιώσατε ότι δεν υπάρχουν παραπάνω από {max_whole_digits} ακέραια ψηφία." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Η ημερομηνία έχεi λάθος μορφή. Χρησιμοποιήστε μια από τις ακόλουθες μορφές: {format}" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." -msgstr "" +msgstr "Αναμένεται ημερομηνία και ώρα αλλά δόθηκε μόνο ημερομηνία." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Η ημερομηνία έχεi λάθος μορφή. Χρησιμοποιήστε μια από τις ακόλουθες μορφές: {format}" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." -msgstr "" +msgstr "Αναμένεται ημερομηνία αλλά δόθηκε ημερομηνία και ώρα." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Η ώρα έχει λάθος μορφή. Χρησιμοποιήστε μια από τις ακόλουθες μορφές: {format}" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Η διάρκεια έχει λάθος μορφή. Χρησιμοποιήστε μια από τις ακόλουθες μορφές: {format}" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." -msgstr "" +msgstr "Το \"{input}\" δεν είναι έγκυρη επιλογή." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." -msgstr "" +msgstr "Περισσότερα από {count} αντικείμενα..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." -msgstr "" +msgstr "Αναμένεται μια λίστα αντικειμένον αλλά δόθηκε ο τύπος \"{input_type}\"" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." -msgstr "" +msgstr "Η επιλογή δε μπορεί να είναι κενή." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." -msgstr "" +msgstr "Το \"{input}\" δεν είναι έγκυρη επιλογή διαδρομής." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." -msgstr "" +msgstr "Δεν υποβλήθηκε αρχείο." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." -msgstr "" +msgstr "Τα δεδομένα που υποβλήθηκαν δεν ήταν αρχείο. Ελέγξατε την κωδικοποίηση της φόρμας." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." -msgstr "" +msgstr "Δε βρέθηκε όνομα αρχείου." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." -msgstr "" +msgstr "Το αρχείο που υποβλήθηκε είναι κενό." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." -msgstr "" +msgstr "Επιβεβαιώσατε ότι το όνομα αρχείου έχει ως {max_length} χαρακτήρες (έχει {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." -msgstr "" +msgstr "Ανεβάστε μια έγκυρη εικόνα. Το αρχείο που ανεβάσατε είτε δεν είναι εικόνα είτε έχει καταστραφεί." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." -msgstr "" +msgstr "Η λίστα δε μπορεί να είναι κενή." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." -msgstr "" +msgstr "Αναμένεται ένα λεξικό αντικείμενων αλλά δόθηκε ο τύπος \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." -msgstr "" +msgstr "Η τιμή πρέπει να είναι μορφής JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "Υποβολή" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "Λάθος σελίδα." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" -msgstr "" +msgstr "Λάθος cursor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." -msgstr "" +msgstr "Λάθος κλειδί \"{pk_value}\" - το αντικείμενο δεν υπάρχει." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." -msgstr "" +msgstr "Λάθος τύπος. Αναμένεται τιμή κλειδιού, δόθηκε {data_type}." #: relations.py:240 msgid "Invalid hyperlink - No URL match." -msgstr "" +msgstr "Λάθος σύνδεση - δε ταιριάζει κάποιο URL." #: relations.py:241 msgid "Invalid hyperlink - Incorrect URL match." -msgstr "" +msgstr "Λάθος σύνδεση - δε ταιριάζει κάποιο URL." #: relations.py:242 msgid "Invalid hyperlink - Object does not exist." -msgstr "" +msgstr "Λάθος σύνδεση - το αντικείμενο δεν υπάρχει." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." -msgstr "" +msgstr "Λάθος τύπος. Αναμένεται URL, δόθηκε {data_type}." + +#: relations.py:401 +msgid "Object with {slug_name}={value} does not exist." +msgstr "Το αντικείμενο {slug_name}={value} δεν υπάρχει." #: relations.py:402 -#, python-brace-format -msgid "Object with {slug_name}={value} does not exist." -msgstr "" - -#: relations.py:403 msgid "Invalid value." -msgstr "" +msgstr "Λάθος τιμή." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." -msgstr "" +msgstr "Λάθος δεδομένα. Αναμένεται λεξικό αλλά δόθηκε {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "Φίλτρα" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "Φίλτρα πεδίων" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "Ταξινόμηση" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "Αναζήτηση" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 #: templates/rest_framework/vertical/radio.html:2 msgid "None" -msgstr "" +msgstr "None" #: templates/rest_framework/horizontal/select_multiple.html:2 #: templates/rest_framework/inline/select_multiple.html:2 #: templates/rest_framework/vertical/select_multiple.html:2 msgid "No items to select." -msgstr "" +msgstr "Δεν υπάρχουν αντικείμενα προς επιλογή." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." -msgstr "" +msgstr "Το πεδίο πρέπει να είναι μοναδικό" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." -msgstr "" +msgstr "Τα πεδία {field_names} πρέπει να αποτελούν ένα μοναδικό σύνολο." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." -msgstr "" +msgstr "Το πεδίο πρέπει να είναι μοναδικό για την ημερομηνία \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." -msgstr "" +msgstr "Το πεδίο πρέπει να είναι μοναδικό για το μήνα \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." -msgstr "" +msgstr "Το πεδίο πρέπει να είναι μοναδικό για το έτος \"{date_field}\"." #: versioning.py:42 msgid "Invalid version in \"Accept\" header." -msgstr "" +msgstr "Λάθος έκδοση στην επικεφαλίδα \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." +msgstr "Λάθος έκδοση στη διαδρομή URL." + +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." msgstr "" -#: versioning.py:144 +#: versioning.py:147 msgid "Invalid version in hostname." -msgstr "" +msgstr "Λάθος έκδοση στο hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." -msgstr "" +msgstr "Λάθος έκδοση στην παράμετρο" #: views.py:88 msgid "Permission denied." -msgstr "" +msgstr "Απόρριψη πρόσβασης" diff --git a/rest_framework/locale/el_GR/LC_MESSAGES/django.mo b/rest_framework/locale/el_GR/LC_MESSAGES/django.mo index 67022a7f764708dd90e4ebb5696030a81fb70082..67018c3f97c474c10811d60112af016f806d3b22 100644 GIT binary patch delta 90 zcmeBY>1UZRnaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u1UZRnafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|VMYL>>K#-7 diff --git a/rest_framework/locale/el_GR/LC_MESSAGES/django.po b/rest_framework/locale/el_GR/LC_MESSAGES/django.po index 645a1a8c6..051a88783 100644 --- a/rest_framework/locale/el_GR/LC_MESSAGES/django.po +++ b/rest_framework/locale/el_GR/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Greek (Greece) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/el_GR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: el_GR\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/en/LC_MESSAGES/django.mo b/rest_framework/locale/en/LC_MESSAGES/django.mo index 06dc754a8d9fca02a5d8c0e2c534ad0ba349e006..13760f707539fa5c2f961f3edb61ce0ef08c3b1b 100644 GIT binary patch delta 2351 zcmbW&TWl0n9LMp0?-vwlOK;S|fI_*n$RcfZORrm7E4AfPiWIOc?b0@}yVBhd4aRv= zY)GhKMH7S+6E6uqR%`IVL`c+#h|y>;D%ymEkQfsQ`hb1#`=djJpwVQN0I8n{jGLD`2A+})p0<(S$VLhJ02K*Yg;KIAif;fQs z{3LecWxNlU+-+8fO{f>#hB_bhbj?oC(G6#@7H=Vcwt8XeP3uq@H=!Ohj1S>7Hse(c zVc9)q>v1n~%8sF~JB6$98`MnB<62z0i0ANp>!Py(ccE_Z5_aJS*obKbsT(%q62?9L zcnp=vGpNi?BU5VU{qem2c{%B4aJ~^W6RjMybbaXRhH*MocpOV`79G5dMfe+LVmbp> z#d7cgEJVt{+I+Vlms%g{J|n0ydLB#h1%G@7mGGNItiRU!TTUp0%EhS*gQ)R#R58V{ z4v(SM_<}#agGwM!oVuD#>$!=e&rvmW2sQPup?1xzOGlYrL1p?Y z>PESwRf9!XjjgC{6Gdfo7`0o@`|8V@$xdv+DeT9uupX;;NCOU{cFpS;ME3?AU9h4u zwQUAaMfDD9EiWOL*fszBU%tyoLpKazExM>(^FHcDFQPKOgnH2LsNGP#EVXMQ$gXki zEjp_Do2YG5=AVmg113yR2#Ft1CHix>QE~PELwRl4B*)NUw5jn|?w4xrZh0BUK@A@ydT`s1IGWw&{( z!!p)EOWcbZA4Mhb5xTnYdpZvOfqKJ|RsM`%7UN0O3rwN5&8w(ga{+hbZOp_Tri1#m z9lqnJOpp5Gmr=Xs9BSA6R7KvJnj4%*!(Bu$xidTDZlF*~x3B9)FPEA$84}n)j9Z1$*YvnJmsUd zCWY<8t$tr~67u^FYA*K>>BK=obKRdjlv7mROiweXwus<&%)-QQ@=Q*J8=0 zF1BJ7c48$S!W=w{>&#Mijz$v$Q_ck6YNr1l#_=k4Vq}Kd3fzSacoJLjCe~xcqrv-q zxPktsxB!30Fy`k43!IM{U*nrH>!qOyk6qA+UbNCsez4T|nr5q^d`$?vcN?_nO#x8j**)mVm_pbMYHAzY0=p(ZSN%&@%tOszh?=Jym5gzW z@_cJ{13jpnzKV+Ran#BuQP*h7^=Ca9BvA~PGrkcO+e5BDj@rPVNE%o^@$s+%wZK+f zhX*j3O=E(FR&)_{J-$UI=huTEdDs@yU3O?7@PnKtpMf)Ye zYX`NLA2dGzI#ZRl0RQZ?e3kM5+lK9~ts~Gmsd!YKT{ra+s*29`#q^1sNbwq4T^gdy zr1CRluTXcSzt1UAi2X!)8Tn`A-#;bRMru7ZNv)x7rmApy_B?f!IuvEO!tnpnNJq&; zO88|vuOTWS_sd#dl{=J$esZX#>!bLo=#IWX)sKWq%h=Irjnl^p!fUhBebMgRWmVNN zFIHE-tS)^eTI#wh)cqqG^}3S#`}_8J?fZ5P?0xesZ`I&H(2DQw-!rhkKRLFjD3\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: English (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/en/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: en\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Invalid basic header. No credentials provided." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Invalid basic header. Credentials string should not contain spaces." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Invalid basic header. Credentials not correctly base64 encoded." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Invalid username/password." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "User inactive or deleted." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Invalid token header. No credentials provided." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Invalid token header. Token string should not contain spaces." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Invalid token header. Token string should not contain invalid characters." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Invalid token." @@ -58,23 +58,23 @@ msgstr "Invalid token." msgid "Auth Token" msgstr "Auth Token" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Key" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "User" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Created" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "Tokens" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "Not found." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Method \"{method}\" not allowed." @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Could not satisfy the request Accept header." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Unsupported media type \"{media_type}\" in request." @@ -140,214 +138,201 @@ msgstr "Unsupported media type \"{media_type}\" in request." msgid "Request was throttled." msgstr "Request was throttled." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "This field is required." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "This field may not be null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" is not a valid boolean." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "This field may not be blank." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Ensure this field has no more than {max_length} characters." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Ensure this field has at least {min_length} characters." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Enter a valid email address." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "This value does not match the required pattern." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Enter a valid \"slug\" consisting of letters, numbers, underscores or hyphens." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Enter a valid URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" is not a valid UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Enter a valid IPv4 or IPv6 address." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "A valid integer is required." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Ensure this value is less than or equal to {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Ensure this value is greater than or equal to {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "String value too large." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "A valid number is required." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Ensure that there are no more than {max_digits} digits in total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Ensure that there are no more than {max_decimal_places} decimal places." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Ensure that there are no more than {max_whole_digits} digits before the decimal point." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime has wrong format. Use one of these formats instead: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Expected a datetime but got a date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Date has wrong format. Use one of these formats instead: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Expected a date but got a datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Time has wrong format. Use one of these formats instead: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Duration has wrong format. Use one of these formats instead: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" is not a valid choice." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "More than {count} items..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Expected a list of items but got type \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "This selection may not be empty." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" is not a valid path choice." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "No file was submitted." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "The submitted data was not a file. Check the encoding type on the form." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "No filename could be determined." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "The submitted file is empty." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Ensure this filename has at most {max_length} characters (it has {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Upload a valid image. The file you uploaded was either not an image or a corrupted image." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "This list may not be empty." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Expected a dictionary of items but got type \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Value must be valid JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Submit" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "ascending" + +#: filters.py:337 +msgid "descending" +msgstr "descending" + +#: pagination.py:193 msgid "Invalid page." msgstr "Invalid page." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Invalid cursor" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Invalid pk \"{pk_value}\" - object does not exist." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Incorrect type. Expected pk value, received {data_type}." @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Invalid hyperlink - Object does not exist." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Incorrect type. Expected URL string, received {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Object with {slug_name}={value} does not exist." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Invalid value." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Invalid data. Expected a dictionary, but got {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filters" @@ -412,27 +394,23 @@ msgstr "None" msgid "No items to select." msgstr "No items to select." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "This field must be unique." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "The fields {field_names} must make a unique set." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "This field must be unique for the \"{date_field}\" date." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "This field must be unique for the \"{date_field}\" month." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "This field must be unique for the \"{date_field}\" year." @@ -440,15 +418,19 @@ msgstr "This field must be unique for the \"{date_field}\" year." msgid "Invalid version in \"Accept\" header." msgstr "Invalid version in \"Accept\" header." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Invalid version in URL path." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "Invalid version in URL path. Does not match any version namespace." + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Invalid version in hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Invalid version in query parameter." diff --git a/rest_framework/locale/en_AU/LC_MESSAGES/django.mo b/rest_framework/locale/en_AU/LC_MESSAGES/django.mo index 288595123478d0817f3b1c44d2884635461fd3ca..d24f22cb4b2367d46fdbcafb48bf468210d420d8 100644 GIT binary patch delta 90 zcmbQjGKFQrWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{Woki~ykI9U%Y! delta 90 zcmbQjGKFQrWG-V}149Kv3oB!biF4%~Av|*+PulKW\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: English (Australia) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/en_AU/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: en_AU\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/en_CA/LC_MESSAGES/django.mo b/rest_framework/locale/en_CA/LC_MESSAGES/django.mo index aee511aa1352bcb292c4d565d7c35a2259d0e06f..ef1569c0b30c91945f3c2ba99a232cec7c1602b7 100644 GIT binary patch delta 90 zcmbQpGLdD%WG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WqKi~yd<9T)%r delta 90 zcmbQpGLdD%WG-V}149Kv3oB!biF4%~Av|*+PulKWU34QXN_V diff --git a/rest_framework/locale/en_CA/LC_MESSAGES/django.po b/rest_framework/locale/en_CA/LC_MESSAGES/django.po index 2bb5b573b..144694345 100644 --- a/rest_framework/locale/en_CA/LC_MESSAGES/django.po +++ b/rest_framework/locale/en_CA/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: English (Canada) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/en_CA/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: en_CA\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/en_US/LC_MESSAGES/django.mo b/rest_framework/locale/en_US/LC_MESSAGES/django.mo index 1f28ebba03d951523b3e9fa42d14ec34fc1aa2c0..3714ec8fabd768dd705dfcfe8f58ab3b6d58faaf 100644 GIT binary patch delta 20 bcmeyx^owaiFPFKlp^<{2nU$gO#OaR#OF#z~ delta 20 bcmeyx^owaiFPE{dfuVw-g_W_z#OaR#OCtvw diff --git a/rest_framework/locale/en_US/LC_MESSAGES/django.po b/rest_framework/locale/en_US/LC_MESSAGES/django.po index f88a3e567..3733a1e33 100644 --- a/rest_framework/locale/en_US/LC_MESSAGES/django.po +++ b/rest_framework/locale/en_US/LC_MESSAGES/django.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,40 +17,40 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,212 +138,199 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -362,25 +347,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -410,27 +392,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -438,15 +416,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/es/LC_MESSAGES/django.mo b/rest_framework/locale/es/LC_MESSAGES/django.mo index fa87eb02f6d6bb983902834ff2fb54091386e228..1ddc885dee3fb7cd254ac0f3b099b02b1e3afc91 100644 GIT binary patch delta 894 zcmXZaO-NKx6u|K_g=1KlxoD~}=lNX>nr~)wYSMB>Qv*SzSCCD_BLqclV%`)EF5V&n zSAj&7h9XpMD<*=FTC_4;)60*L)&h z4~o=_$jTv+MqI}h+(83t4vQSa6gJ=lhHwr8_!49I0ngxHti;YEA{TK8M{or%qc13u z#4AB@{|^?K7-r%-_MllM(u=pz#<$pkp`)H@yhJ>Yn&>w2sf4OUPT^@hfwxefKf^x! zgej~d`wF}kaz#oR++-q*(|8u2;vjC}1&kS9C9`;r_#5g1^)({h*oFzrV=KPGL5}2v{ E2SQK@Mf7C!Xb+;H1PVeg;X`kIPuK3t=XZYh-rxD1-}y}^=aMfY`|RZs zk+p*&H6pTDEph_CVKeTcfi;Ij>M?<}n85%(K`*|>2!6$OEIBOV!A`t}{dfZx@j90J zM7r>nPwan#A`^W~Y+^S?j)+{uduZZEY{TGD#~~aboL$& z)RXW8osHF^em{g-@Pf@iE8az2Fn-+m@iJ;WhPtr_s4aN4=PGKVQu^k?(?~8kiv|uN zhbH$?TQ-dxl6*p4?+21n>`!(ERtK^ARDq}l|d^Le=v&SIw!t^+S4LxW$%$sWF56~7srvrD7tV8 z-S`O4;ZxL>tl&+oqN*~?psq8HKFu)8Kr4HPv|E<(6z(ita{sC_ad!_meNPx%!yKiZVcnVGz0j%IUl<7zrJHf$L^+04Y}d24vWXd6kV2uy3-%yp(l M%(S&s^iF#I0?BQ4Z~y=R diff --git a/rest_framework/locale/es/LC_MESSAGES/django.po b/rest_framework/locale/es/LC_MESSAGES/django.po index f443b2e28..b8a89aeb6 100644 --- a/rest_framework/locale/es/LC_MESSAGES/django.po +++ b/rest_framework/locale/es/LC_MESSAGES/django.po @@ -3,18 +3,18 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# nnrcschmdt , 2015 +# Ernesto Rico-Schmidt , 2015 # José Padilla , 2015 -# Miguel González , 2015 -# Miguel González , 2015-2016 +# Miguel Gonzalez , 2015 +# Miguel Gonzalez , 2015-2016 # Sergio Infante , 2015 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 18:16+0000\n" -"Last-Translator: Miguel González \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Spanish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/es/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -22,40 +22,40 @@ msgstr "" "Language: es\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Cabecera básica inválida. Las credenciales no fueron suministradas." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Cabecera básica inválida. La cadena con las credenciales no debe contener espacios." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Cabecera básica inválida. Las credenciales incorrectamente codificadas en base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Nombre de usuario/contraseña inválidos." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Usuario inactivo o borrado." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Cabecera token inválida. Las credenciales no fueron suministradas." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Cabecera token inválida. La cadena token no debe contener espacios." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Cabecera token inválida. La cadena token no debe contener caracteres inválidos." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Token inválido." @@ -63,23 +63,23 @@ msgstr "Token inválido." msgid "Auth Token" msgstr "Token de autenticación" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Clave" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "Usuario" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Fecha de creación" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "Tokens" @@ -128,7 +128,6 @@ msgid "Not found." msgstr "No encontrado." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Método \"{method}\" no permitido." @@ -137,7 +136,6 @@ msgid "Could not satisfy the request Accept header." msgstr "No se ha podido satisfacer la solicitud de cabecera de Accept." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Tipo de medio \"{media_type}\" incompatible en la solicitud." @@ -145,214 +143,201 @@ msgstr "Tipo de medio \"{media_type}\" incompatible en la solicitud." msgid "Request was throttled." msgstr "Solicitud fue regulada (throttled)." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Este campo es requerido." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Este campo no puede ser nulo." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" no es un booleano válido." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Este campo no puede estar en blanco." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Asegúrese de que este campo no tenga más de {max_length} caracteres." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Asegúrese de que este campo tenga al menos {min_length} caracteres." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Introduzca una dirección de correo electrónico válida." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Este valor no coincide con el patrón requerido." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Introduzca un \"slug\" válido consistente en letras, números, guiones o guiones bajos." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Introduzca una URL válida." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" no es un UUID válido." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Introduzca una dirección IPv4 o IPv6 válida." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Introduzca un número entero válido." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Asegúrese de que este valor es menor o igual a {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Asegúrese de que este valor es mayor o igual a {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Cadena demasiado larga." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Se requiere un número válido." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Asegúrese de que no haya más de {max_digits} dígitos en total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Asegúrese de que no haya más de {max_decimal_places} decimales." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Asegúrese de que no haya más de {max_whole_digits} dígitos en la parte entera." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Fecha/hora con formato erróneo. Use uno de los siguientes formatos en su lugar: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Se esperaba un fecha/hora en vez de una fecha." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Fecha con formato erróneo. Use uno de los siguientes formatos en su lugar: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Se esperaba una fecha en vez de una fecha/hora." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Hora con formato erróneo. Use uno de los siguientes formatos en su lugar: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Duración con formato erróneo. Use uno de los siguientes formatos en su lugar: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" no es una elección válida." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Más de {count} elementos..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Se esperaba una lista de elementos en vez del tipo \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Esta selección no puede estar vacía." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" no es una elección de ruta válida." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "No se envió ningún archivo." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "La información enviada no era un archivo. Compruebe el tipo de codificación del formulario." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "No se pudo determinar un nombre de archivo." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "El archivo enviado está vació." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Asegúrese de que el nombre de archivo no tenga más de {max_length} caracteres (tiene {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Adjunte una imagen válida. El archivo adjunto o bien no es una imagen o bien está dañado." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Esta lista no puede estar vacía." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Se esperaba un diccionario de elementos en vez del tipo \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "El valor debe ser JSON válido." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Enviar" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "Página inválida." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Cursor inválido" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Clave primaria \"{pk_value}\" inválida - objeto no existe." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Tipo incorrecto. Se esperaba valor de clave primaria y se recibió {data_type}." @@ -369,25 +354,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Hiperenlace inválido - Objeto no existe." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Tipo incorrecto. Se esperaba una URL y se recibió {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objeto con {slug_name}={value} no existe." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valor inválido." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Datos inválidos. Se esperaba un diccionario pero es un {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtros" @@ -417,27 +399,23 @@ msgstr "Ninguno" msgid "No items to select." msgstr "No hay elementos para seleccionar." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Este campo debe ser único." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Los campos {field_names} deben formar un conjunto único." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Este campo debe ser único para el día \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Este campo debe ser único para el mes \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Este campo debe ser único para el año \"{date_field}\"." @@ -445,15 +423,19 @@ msgstr "Este campo debe ser único para el año \"{date_field}\"." msgid "Invalid version in \"Accept\" header." msgstr "Versión inválida en la cabecera \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Versión inválida en la ruta de la URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Versión inválida en el nombre de host." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Versión inválida en el parámetro de consulta." diff --git a/rest_framework/locale/et/LC_MESSAGES/django.mo b/rest_framework/locale/et/LC_MESSAGES/django.mo index ee9c40c2b63ff58a7f819ddf82980a809985b465..8bed3993091edd5eba9ee23912b87934b09915ee 100644 GIT binary patch delta 118 zcmbQ^GRI|uhH$32uAz~Fp_!GTv9^JsfdN;5ziv=!S!Qu&ex9yNVo9o%f{}rtnXUmu zovD?fiM9a{aQP$_m*|ERCFT|9B$nhCSt*2M!EqWfqrYrYhK!mAfdN;5ziv=!S!Qu&ex9yNVo9o%f{}rtnXUmu zojF*Y0Z^S!VsVLXNKs;5aZX}Mevy?zL}FQHYLS9}QA&PcX{CZqMLvY(kdv90UzVA; Jd7^MP9{|?VB=Z0O diff --git a/rest_framework/locale/et/LC_MESSAGES/django.po b/rest_framework/locale/et/LC_MESSAGES/django.po index 5ccd9226c..c9701cca7 100644 --- a/rest_framework/locale/et/LC_MESSAGES/django.po +++ b/rest_framework/locale/et/LC_MESSAGES/django.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Estonian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/et/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: et\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Sobimatu lihtpäis. Kasutajatunnus on esitamata." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Sobimatu lihtpäis. Kasutajatunnus ei tohi sisaldada tühikuid." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Sobimatu lihtpäis. Kasutajatunnus pole korrektselt base64-kodeeritud." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Sobimatu kasutajatunnus/salasõna." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Kasutaja on inaktiivne või kustutatud." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Sobimatu lubakaardi päis. Kasutajatunnus on esitamata." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Sobimatu lubakaardi päis. Loa sõne ei tohi sisaldada tühikuid." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Sobimatu lubakaart." @@ -59,23 +59,23 @@ msgstr "Sobimatu lubakaart." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Ei leidnud." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Meetod \"{method}\" pole lubatud." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Päringu Accept-päist ei suutnud täita." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Meedia tüüpi {media_type} päringus ei toetata." @@ -141,214 +139,201 @@ msgstr "Meedia tüüpi {media_type} päringus ei toetata." msgid "Request was throttled." msgstr "Liiga palju päringuid." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Väli on kohustuslik." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Väli ei tohi olla tühi." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" pole kehtiv kahendarv." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "See väli ei tohi olla tühi." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Veendu, et see väli poleks pikem kui {max_length} tähemärki." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Veendu, et see väli oleks vähemalt {min_length} tähemärki pikk." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Sisestage kehtiv e-posti aadress." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Väärtus ei ühti etteantud mustriga." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Sisestage kehtiv \"slug\", mis koosneks tähtedest, numbritest, ala- või sidekriipsudest." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Sisestage korrektne URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" pole kehtiv UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Sisendiks peab olema täisarv." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Veenduge, et väärtus on väiksem kui või võrdne väärtusega {max_value}. " -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Veenduge, et väärtus on suurem kui või võrdne väärtusega {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Sõne on liiga pikk." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Sisendiks peab olema arv." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Veenduge, et kokku pole rohkem kui {max_digits} numbit." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Veenduge, et komakohti pole rohkem kui {max_decimal_places}. " -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Veenduge, et täiskohti poleks rohkem kui {max_whole_digits}." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Valesti formaaditud kuupäev-kellaaeg. Kasutage mõnda neist: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Ootasin kuupäev-kellaaeg andmetüüpi, kuid sain hoopis kuupäeva." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Valesti formaaditud kuupäev. Kasutage mõnda neist: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Ootasin kuupäeva andmetüüpi, kuid sain hoopis kuupäev-kellaaja." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Valesti formaaditud kellaaeg. Kasutage mõnda neist: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" on sobimatu valik." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Ootasin kirjete järjendit, kuid sain \"{input_type}\" - tüübi." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Ühtegi faili ei esitatud." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Esitatud andmetes ei olnud faili. Kontrollige vormi kodeeringut." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Ei suutnud tuvastada failinime." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Esitatud fail oli tühi." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Veenduge, et failinimi oleks maksimaalselt {max_length} tähemärki pikk (praegu on {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Laadige üles kehtiv pildifail. Üles laetud fail ei olnud pilt või oli see katki." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Ootasin kirjete sõnastikku, kuid sain \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Sobimatu kursor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Sobimatu primaarvõti \"{pk_value}\" - objekti pole olemas." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Sobimatu andmetüüp. Ootasin primaarvõtit, sain {data_type}." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Sobimatu hüperlink - objekti ei eksisteeri." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Sobimatu andmetüüp. Ootasin URLi sõne, sain {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekti {slug_name}={value} ei eksisteeri." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Sobimatu väärtus." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Sobimatud andmed. Ootasin sõnastikku, kuid sain {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Selle välja väärtus peab olema unikaalne." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Veerud {field_names} peavad moodustama unikaalse hulga." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Selle välja väärtus peab olema unikaalne veerus \"{date_field}\" märgitud kuupäeval." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Selle välja väärtus peab olema unikaalneveerus \"{date_field}\" märgitud kuul." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Selle välja väärtus peab olema unikaalneveerus \"{date_field}\" märgitud aastal." @@ -441,15 +419,19 @@ msgstr "Selle välja väärtus peab olema unikaalneveerus \"{date_field}\" märg msgid "Invalid version in \"Accept\" header." msgstr "Sobimatu versioon \"Accept\" päises." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Sobimatu versioon URLi rajas." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Sobimatu versioon hostinimes." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Sobimatu versioon päringu parameetris." diff --git a/rest_framework/locale/fa/LC_MESSAGES/django.mo b/rest_framework/locale/fa/LC_MESSAGES/django.mo index 4b0b24bc2f1de50cd2d90d779dc1bba70ac760f6..0f9b58f3fe5acf170bbbcee2f9a590321759f36f 100644 GIT binary patch delta 89 zcmey({F`~gWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey g$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{EfQ0m^J1vj6}9 delta 89 zcmey({F`~gWG-V}149Kv3oB!biF4%~Av|*+PulKWx>U diff --git a/rest_framework/locale/fa/LC_MESSAGES/django.po b/rest_framework/locale/fa/LC_MESSAGES/django.po index 986c56594..0aa9ae4c6 100644 --- a/rest_framework/locale/fa/LC_MESSAGES/django.po +++ b/rest_framework/locale/fa/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Persian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/fa/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: fa\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/fa_IR/LC_MESSAGES/django.mo b/rest_framework/locale/fa_IR/LC_MESSAGES/django.mo index 05d849e0849e8f2a4697719b5a11a60ab4f1ffb9..9a02cb05e285cf893658f1f689c2e9d688646f25 100644 GIT binary patch delta 90 zcmeBR>0p^Knaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;KMBLJ9m9Q^0p^Knafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|9!3D3{vAI6 diff --git a/rest_framework/locale/fa_IR/LC_MESSAGES/django.po b/rest_framework/locale/fa_IR/LC_MESSAGES/django.po index 94388647f..75b6fd156 100644 --- a/rest_framework/locale/fa_IR/LC_MESSAGES/django.po +++ b/rest_framework/locale/fa_IR/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Persian (Iran) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/fa_IR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: fa_IR\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/fi/LC_MESSAGES/django.mo b/rest_framework/locale/fi/LC_MESSAGES/django.mo index cd904e35cd5ce2b2f7c8b2ff4128363545f3de61..cb13cdaae78d64290c050162c2ec26193513cf08 100644 GIT binary patch delta 93 zcmeD5>-5`TCdOs1YiOikXl7+-JlR1^&Jn^jwK6o(HUI)HpTy!4-H@WhyyBe1lKdho kg^-N=+{9u9=ZvDv;*!i%1)GxmTn8Xdh6-$+FP0?$0ML^iPXGV_ delta 93 zcmeD5>-5`TCdOr~Yhb8gXkle+G1);(&Jn^j2XeIyfPl*\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Finnish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/fi/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,40 +19,40 @@ msgstr "" "Language: fi\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Epäkelpo perusotsake. Ei annettuja tunnuksia." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Epäkelpo perusotsake. Tunnusmerkkijono ei saa sisältää välilyöntejä." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Epäkelpo perusotsake. Tunnukset eivät ole base64-koodattu." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Epäkelpo käyttäjänimi tai salasana." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Käyttäjä ei-aktiivinen tai poistettu." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Epäkelpo Token-otsake. Ei annettuja tunnuksia." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Epäkelpo Token-otsake. Tunnusmerkkijono ei saa sisältää välilyöntejä." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Epäkelpo Token-otsake. Tunnusmerkkijono ei saa sisältää epäkelpoja merkkejä." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Epäkelpo Token." @@ -60,23 +60,23 @@ msgstr "Epäkelpo Token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -125,7 +125,6 @@ msgid "Not found." msgstr "Ei löydy." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metodi \"{method}\" ei ole sallittu." @@ -134,7 +133,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Ei voitu vastata pyynnön Accept-otsakkeen mukaisesti." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Pyynnön mediatyyppiä \"{media_type}\" ei tueta." @@ -142,214 +140,201 @@ msgstr "Pyynnön mediatyyppiä \"{media_type}\" ei tueta." msgid "Request was throttled." msgstr "Pyyntö hidastettu." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Tämä kenttä vaaditaan." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Tämän kentän arvo ei voi olla \"null\"." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" ei ole kelvollinen totuusarvo." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Tämä kenttä ei voi olla tyhjä." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Arvo saa olla enintään {max_length} merkkiä pitkä." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Arvo tulee olla vähintään {min_length} merkkiä pitkä." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Syötä kelvollinen sähköpostiosoite." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Arvo ei täsmää vaadittuun kuvioon." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Tässä voidaan käyttää vain kirjaimia (a-z), numeroita (0-9) sekä ala- ja tavuviivoja (_ -)." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Syötä oikea URL-osoite." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "{value} ei ole kelvollinen UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Syötä kelvollinen IPv4- tai IPv6-osoite." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Syötä kelvollinen kokonaisluku." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Tämän arvon on oltava enintään {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Tämän luvun on oltava vähintään {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Liian suuri merkkijonoarvo." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Kelvollinen luku vaaditaan." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Tässä luvussa voi olla yhteensä enintään {max_digits} numeroa." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Tässä luvussa saa olla enintään {max_decimal_places} desimaalia." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Tässä luvussa saa olla enintään {max_whole_digits} numeroa ennen desimaalipilkkua." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Virheellinen päivämäärän/ajan muotoilu. Käytä jotain näistä muodoista: {format}" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Odotettiin päivämäärää ja aikaa, saatiin vain päivämäärä." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Virheellinen päivämäärän muotoilu. Käytä jotain näistä muodoista: {format}" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Odotettiin päivämäärää, saatiin päivämäärä ja aika." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Virheellinen kellonajan muotoilu. Käytä jotain näistä muodoista: {format}" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Virheellinen keston muotoilu. Käytä jotain näistä muodoista: {format}" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" ei ole kelvollinen valinta." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Enemmän kuin {count} kappaletta..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Odotettiin listaa, saatiin tyyppi {input_type}." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Valinta ei saa olla tyhjä." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" ei ole kelvollinen polku." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Yhtään tiedostoa ei ole lähetetty." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Tiedostoa ei lähetetty. Tarkista lomakkeen koodaus (encoding)." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Tiedostonimeä ei voitu päätellä." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Lähetetty tiedosto on tyhjä." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Varmista että tiedostonimi on enintään {max_length} merkkiä pitkä (nyt {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Kuva ei kelpaa. Lähettämäsi tiedosto ei ole kuva, tai tiedosto on vioittunut." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Lista ei saa olla tyhjä." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Odotettiin sanakirjaa, saatiin tyyppi {input_type}." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Arvon pitää olla kelvollista JSONia." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Lähetä" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Epäkelpo kursori" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Epäkelpo pääavain {pk_value} - objektia ei ole olemassa." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Väärä tyyppi. Odotettiin pääavainarvoa, saatiin {data_type}." @@ -366,25 +351,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Epäkelpo linkki - objektia ei ole." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Epäkelpo tyyppi. Odotettiin URL-merkkijonoa, saatiin {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objektia ({slug_name}={value}) ei ole." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Epäkelpo arvo." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Odotettiin sanakirjaa, saatiin tyyppi {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Suotimet" @@ -414,27 +396,23 @@ msgstr "Ei mitään" msgid "No items to select." msgstr "Ei valittavia kohteita." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Arvon tulee olla uniikki." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Kenttien {field_names} tulee muodostaa uniikki joukko." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Kentän tulee olla uniikki päivämäärän {date_field} suhteen." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Kentän tulee olla uniikki kuukauden {date_field} suhteen." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Kentän tulee olla uniikki vuoden {date_field} suhteen." @@ -442,15 +420,19 @@ msgstr "Kentän tulee olla uniikki vuoden {date_field} suhteen." msgid "Invalid version in \"Accept\" header." msgstr "Epäkelpo versio Accept-otsakkeessa." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Epäkelpo versio URL-polussa." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Epäkelpo versio palvelinosoitteessa." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Epäkelpo versio kyselyparametrissa." diff --git a/rest_framework/locale/fr/LC_MESSAGES/django.mo b/rest_framework/locale/fr/LC_MESSAGES/django.mo index 531cc46b5dec5a0acc874182e1be8111759ecb4b..2bc60c63a1e7c38332b1c06124ebff5b552c2e06 100644 GIT binary patch delta 93 zcmbOfGAU$(xj2`(uAz~Fp_!GT@nlDFIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=Ofq0P+0Nkn_eE\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: French (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -21,40 +21,40 @@ msgstr "" "Language: fr\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "En-tête « basic » non valide. Informations d'identification non fournies." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "En-tête « basic » non valide. Les informations d'identification ne doivent pas contenir d'espaces." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "En-tête « basic » non valide. Encodage base64 des informations d'identification incorrect." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Nom d'utilisateur et/ou mot de passe non valide(s)." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Utilisateur inactif ou supprimé." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "En-tête « token » non valide. Informations d'identification non fournies." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "En-tête « token » non valide. Un token ne doit pas contenir d'espaces." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "En-tête « token » non valide. Un token ne doit pas contenir de caractères invalides." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Token non valide." @@ -62,23 +62,23 @@ msgstr "Token non valide." msgid "Auth Token" msgstr "Jeton d'authentification" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Clef" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "Utilisateur" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Création" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "Jeton" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "Jetons" @@ -127,7 +127,6 @@ msgid "Not found." msgstr "Pas trouvé." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Méthode \"{method}\" non autorisée." @@ -136,7 +135,6 @@ msgid "Could not satisfy the request Accept header." msgstr "L'en-tête « Accept » n'a pas pu être satisfaite." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Type de média \"{media_type}\" non supporté." @@ -144,214 +142,201 @@ msgstr "Type de média \"{media_type}\" non supporté." msgid "Request was throttled." msgstr "Requête ralentie." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Ce champ est obligatoire." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Ce champ ne peut être nul." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" n'est pas un booléen valide." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Ce champ ne peut être vide." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Assurez-vous que ce champ comporte au plus {max_length} caractères." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Assurez-vous que ce champ comporte au moins {min_length} caractères." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Saisissez une adresse email valable." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Cette valeur ne satisfait pas le motif imposé." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Ce champ ne doit contenir que des lettres, des nombres, des tirets bas _ et des traits d'union." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Saisissez une URL valide." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" n'est pas un UUID valide." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Saisissez une adresse IPv4 ou IPv6 valide." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Un nombre entier valide est requis." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Assurez-vous que cette valeur est inférieure ou égale à {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Assurez-vous que cette valeur est supérieure ou égale à {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Chaîne de caractères trop longue." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Un nombre valide est requis." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Assurez-vous qu'il n'y a pas plus de {max_digits} chiffres au total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Assurez-vous qu'il n'y a pas plus de {max_decimal_places} chiffres après la virgule." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Assurez-vous qu'il n'y a pas plus de {max_whole_digits} chiffres avant la virgule." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "La date + heure n'a pas le bon format. Utilisez un des formats suivants : {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Attendait une date + heure mais a reçu une date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "La date n'a pas le bon format. Utilisez un des formats suivants : {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Attendait une date mais a reçu une date + heure." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "L'heure n'a pas le bon format. Utilisez un des formats suivants : {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "La durée n'a pas le bon format. Utilisez l'un des formats suivants: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" n'est pas un choix valide." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Plus de {count} éléments..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Attendait une liste d'éléments mais a reçu \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Cette sélection ne peut être vide." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" n'est pas un choix de chemin valide." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Aucun fichier n'a été soumis." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "La donnée soumise n'est pas un fichier. Vérifiez le type d'encodage du formulaire." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Le nom de fichier n'a pu être déterminé." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Le fichier soumis est vide." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Assurez-vous que le nom de fichier comporte au plus {max_length} caractères (il en comporte {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Transférez une image valide. Le fichier que vous avez transféré n'est pas une image, ou il est corrompu." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Cette liste ne peut pas être vide." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Attendait un dictionnaire d'éléments mais a reçu \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "La valeur doit être un JSON valide." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Envoyer" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "Page invalide." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Curseur non valide" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Clé primaire \"{pk_value}\" non valide - l'objet n'existe pas." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Type incorrect. Attendait une clé primaire, a reçu {data_type}." @@ -368,25 +353,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Lien non valide : l'objet n'existe pas." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Type incorrect. Attendait une URL, a reçu {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "L'object avec {slug_name}={value} n'existe pas." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valeur non valide." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Donnée non valide. Attendait un dictionnaire, a reçu {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtres" @@ -416,27 +398,23 @@ msgstr "Aucune" msgid "No items to select." msgstr "Aucun élément à sélectionner." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Ce champ doit être unique." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Les champs {field_names} doivent former un ensemble unique." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Ce champ doit être unique pour la date \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Ce champ doit être unique pour le mois \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Ce champ doit être unique pour l'année \"{date_field}\"." @@ -444,15 +422,19 @@ msgstr "Ce champ doit être unique pour l'année \"{date_field}\"." msgid "Invalid version in \"Accept\" header." msgstr "Version non valide dans l'en-tête « Accept »." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Version non valide dans l'URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Version non valide dans le nom d'hôte." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Version non valide dans le paramètre de requête." diff --git a/rest_framework/locale/fr_CA/LC_MESSAGES/django.mo b/rest_framework/locale/fr_CA/LC_MESSAGES/django.mo index cd0a91340e7cd76179136ab12b81d454e887b7cd..1771787f8a38aee2306456baddf8901ccb76ce34 100644 GIT binary patch delta 90 zcmeBY>1UZRnaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u1UZRnafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|VMYL>>K#-7 diff --git a/rest_framework/locale/fr_CA/LC_MESSAGES/django.po b/rest_framework/locale/fr_CA/LC_MESSAGES/django.po index f26ed453b..84cbdf4cc 100644 --- a/rest_framework/locale/fr_CA/LC_MESSAGES/django.po +++ b/rest_framework/locale/fr_CA/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: French (Canada) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/fr_CA/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: fr_CA\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/gl/LC_MESSAGES/django.mo b/rest_framework/locale/gl/LC_MESSAGES/django.mo index 761037249231da752320dce282cd550027a2b9c3..030e25f9404b394648d6213e662d64c6891d9892 100644 GIT binary patch delta 90 zcmZo>X=a%)naf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;K&BLI}}9PR)B delta 90 zcmZo>X=a%)nafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|c18f3dL1wT diff --git a/rest_framework/locale/gl/LC_MESSAGES/django.po b/rest_framework/locale/gl/LC_MESSAGES/django.po index ba0b788fc..5ec55729e 100644 --- a/rest_framework/locale/gl/LC_MESSAGES/django.po +++ b/rest_framework/locale/gl/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Galician (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/gl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: gl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/gl_ES/LC_MESSAGES/django.mo b/rest_framework/locale/gl_ES/LC_MESSAGES/django.mo index 281b6e66b7e66e840451489ae54e0fd19a7deba4..90c4212bacbc7d7515ae06b7fd6ff961fe04394f 100644 GIT binary patch delta 91 zcmbQsI+u0ACoXecLn8%4Gb=;miGSoAAv{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey i$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z~*R1Cq@AM&>epO delta 91 zcmbQsI+u0ACoW@M149Kv3oB!biGSoAAv|*+PulKW\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Galician (Spain) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/gl_ES/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: gl_ES\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -59,23 +59,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -141,214 +139,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valor non válido." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "Ningún" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -441,15 +419,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/he_IL/LC_MESSAGES/django.mo b/rest_framework/locale/he_IL/LC_MESSAGES/django.mo index feef64e1b36c9be38b32bf05c413c471116f8199..55ffe5403c8cf163011f5511c6f3a6b5209be7d5 100644 GIT binary patch delta 90 zcmbQhGJ$2nWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{Wo!i~yb#9Tflo delta 90 zcmbQhGJ$2nWG-V}149Kv3oB!biF4%~Av|*+PulKWK|2o*h>J diff --git a/rest_framework/locale/he_IL/LC_MESSAGES/django.po b/rest_framework/locale/he_IL/LC_MESSAGES/django.po index cee35fedc..686ae6fa7 100644 --- a/rest_framework/locale/he_IL/LC_MESSAGES/django.po +++ b/rest_framework/locale/he_IL/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Hebrew (Israel) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/he_IL/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: he_IL\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/hu/LC_MESSAGES/django.mo b/rest_framework/locale/hu/LC_MESSAGES/django.mo index 9053ad62fefb8c069bc5eaafbfcfbb5be1cf8948..cb27fb740a8f8efca1fd9c8264bb56df60d5b078 100644 GIT binary patch delta 75 zcmZ4NzSw<3oe-C~uAz~Fp_!GT@#GF6IVjiE%Ftx;1|e~Ukc|A?#9{^KjH1lqlFU>E To09xo2Ov&{3T%EZv_}8{Ou-ng delta 75 zcmZ4NzSw<3oe-C?u7RO~p@o&P#pDhlIVjg0#N8kyt`Lz}mYG_l;9r!IUszhHU{jF~ TVL9Yv=H-`VCT@N%v_}8{Q#Kgz diff --git a/rest_framework/locale/hu/LC_MESSAGES/django.po b/rest_framework/locale/hu/LC_MESSAGES/django.po index 669a7bffa..7f3081fff 100644 --- a/rest_framework/locale/hu/LC_MESSAGES/django.po +++ b/rest_framework/locale/hu/LC_MESSAGES/django.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Hungarian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/hu/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: hu\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Érvénytelen basic fejlécmező. Nem voltak megadva azonosítók." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Érvénytelen basic fejlécmező. Az azonosító karakterlánc nem tartalmazhat szóközöket." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Érvénytelen basic fejlécmező. Az azonosítók base64 kódolása nem megfelelő." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Érvénytelen felhasználónév/jelszó." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "A felhasználó nincs aktiválva vagy törölve lett." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Érvénytelen token fejlécmező. Nem voltak megadva azonosítók." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Érvénytelen token fejlécmező. A token karakterlánc nem tartalmazhat szóközöket." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Érvénytelen token." @@ -59,23 +59,23 @@ msgstr "Érvénytelen token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Nem található." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "A \"{method}\" metódus nem megengedett." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "A kérés Accept fejlécmezőjét nem lehetett kiszolgálni." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Nem támogatott média típus \"{media_type}\" a kérésben." @@ -141,214 +139,201 @@ msgstr "Nem támogatott média típus \"{media_type}\" a kérésben." msgid "Request was throttled." msgstr "A kérés korlátozva lett." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Ennek a mezőnek a megadása kötelező." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Ez a mező nem lehet null értékű." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "Az \"{input}\" nem egy érvényes logikai érték." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Ez a mező nem lehet üres." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Bizonyosodjon meg arról, hogy ez a mező legfeljebb {max_length} karakterből áll." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Bizonyosodjon meg arról, hogy ez a mező legalább {min_length} karakterből áll." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Adjon meg egy érvényes e-mail címet!" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Ez az érték nem illeszkedik a szükséges mintázatra." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Az URL barát cím csak betűket, számokat, aláhúzásokat és kötőjeleket tartalmazhat." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Adjon meg egy érvényes URL-t!" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Egy érvényes egész szám megadása szükséges." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Bizonyosodjon meg arról, hogy ez az érték legfeljebb {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Bizonyosodjon meg arról, hogy ez az érték legalább {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "A karakterlánc túl hosszú." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Egy érvényes szám megadása szükséges." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Bizonyosodjon meg arról, hogy a számjegyek száma összesen legfeljebb {max_digits}." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Bizonyosodjon meg arról, hogy a tizedes tört törtrészében levő számjegyek száma összesen legfeljebb {max_decimal_places}." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Bizonyosodjon meg arról, hogy a tizedes tört egész részében levő számjegyek száma összesen legfeljebb {max_whole_digits}." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "A dátum formátuma hibás. Használja ezek valamelyikét helyette: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Időt is tartalmazó dátum helyett egy időt nem tartalmazó dátum lett elküldve." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "A dátum formátuma hibás. Használja ezek valamelyikét helyette: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Időt nem tartalmazó dátum helyett egy időt is tartalmazó dátum lett elküldve." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Az idő formátuma hibás. Használja ezek valamelyikét helyette: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "Az \"{input}\" nem egy érvényes elem." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Elemek listája helyett \"{input_type}\" lett elküldve." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Semmilyen fájl sem került feltöltésre." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Az elküldött adat nem egy fájl volt. Ellenőrizze a kódolás típusát az űrlapon!" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "A fájlnév nem megállapítható." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "A küldött fájl üres." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Bizonyosodjon meg arról, hogy a fájlnév legfeljebb {max_length} karakterből áll (jelenlegi hossza: {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Töltsön fel egy érvényes képfájlt! A feltöltött fájl nem kép volt, vagy megsérült." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Érvénytelen pk \"{pk_value}\" - az objektum nem létezik." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Helytelen típus. pk érték helyett {data_type} lett elküldve." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Érvénytelen link - Az objektum nem létezik." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Helytelen típus. URL karakterlánc helyett {data_type} lett elküldve." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Nem létezik olyan objektum, amelynél {slug_name}={value}." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Érvénytelen érték." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Érvénytelen adat. Egy dictionary helyett {datatype} lett elküldve." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Ennek a mezőnek egyedinek kell lennie." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "A {field_names} mezőnevek nem tartalmazhatnak duplikátumot." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "A mezőnek egyedinek kell lennie a \"{date_field}\" dátumra." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "A mezőnek egyedinek kell lennie a \"{date_field}\" hónapra." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "A mezőnek egyedinek kell lennie a \"{date_field}\" évre." @@ -441,15 +419,19 @@ msgstr "A mezőnek egyedinek kell lennie a \"{date_field}\" évre." msgid "Invalid version in \"Accept\" header." msgstr "Érvénytelen verzió az \"Accept\" fejlécmezőben." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Érvénytelen verzió az URL elérési útban." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Érvénytelen verzió a hosztnévben." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Érvénytelen verzió a lekérdezési paraméterben." diff --git a/rest_framework/locale/id/LC_MESSAGES/django.mo b/rest_framework/locale/id/LC_MESSAGES/django.mo index 350d64a3b89e2d42301c885b4d4dc018ea2b21e3..beb9643b0570cfa42a3e5fad53aee3664ce79141 100644 GIT binary patch delta 90 zcmeyz{EvCUWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WpJi~#Ap9o+x` delta 90 zcmeyz{EvCUWG-V}149Kv3oB!biF4%~Av|*+PulKW2=@Mjjsk diff --git a/rest_framework/locale/id/LC_MESSAGES/django.po b/rest_framework/locale/id/LC_MESSAGES/django.po index 1137755c8..c84add0a4 100644 --- a/rest_framework/locale/id/LC_MESSAGES/django.po +++ b/rest_framework/locale/id/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Indonesian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/id/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: id\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/it/LC_MESSAGES/django.mo b/rest_framework/locale/it/LC_MESSAGES/django.mo index 8af8bc74694ef0ffc80d50e8c594e49bc6636d0c..5d52d3dcfde88ac19716f27a7d8c3904b3987413 100644 GIT binary patch delta 93 zcmew!@I7FInHZP3uAz~Fp_!GT@ni=vIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=OzSs>x03rJxo&W#< delta 93 zcmew!@I7FInHZO`u7RO~p@o&P#bgIDIY$WB9LUu+00J(b#Nra&kfOxA;+({i{30ub lh{UqY)FK7{qLlo?(n\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Italian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -21,40 +21,40 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Header di base invalido. Credenziali non fornite." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Header di base invalido. Le credenziali non dovrebbero contenere spazi." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Credenziali non correttamente codificate in base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Nome utente/password non validi" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Utente inattivo o eliminato." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Header del token non valido. Credenziali non fornite." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Header del token non valido. Il contenuto del token non dovrebbe contenere spazi." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Header del token invalido. La stringa del token non dovrebbe contenere caratteri illegali." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Token invalido." @@ -62,23 +62,23 @@ msgstr "Token invalido." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -127,7 +127,6 @@ msgid "Not found." msgstr "Non trovato." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metodo \"{method}\" non consentito" @@ -136,7 +135,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Impossibile soddisfare l'header \"Accept\" presente nella richiesta." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Tipo di media \"{media_type}\"non supportato." @@ -144,214 +142,201 @@ msgstr "Tipo di media \"{media_type}\"non supportato." msgid "Request was throttled." msgstr "La richiesta è stata limitata (throttled)." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Campo obbligatorio." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Il campo non può essere nullo." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" non è un valido valore booleano." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Questo campo non può essere omesso." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Assicurati che questo campo non abbia più di {max_length} caratteri." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Assicurati che questo campo abbia almeno {min_length} caratteri." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Inserisci un indirizzo email valido." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Questo valore non corrisponde alla sequenza richiesta." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Immetti uno \"slug\" valido che consista di lettere, numeri, underscore o trattini." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Inserisci un URL valido" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" non è un UUID valido." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Inserisci un indirizzo IPv4 o IPv6 valido." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "È richiesto un numero intero valido." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Assicurati che il valore sia minore o uguale a {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Assicurati che il valore sia maggiore o uguale a {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Stringa troppo lunga." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "È richiesto un numero valido." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Assicurati che non ci siano più di {max_digits} cifre in totale." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Assicurati che non ci siano più di {max_decimal_places} cifre decimali." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Assicurati che non ci siano più di {max_whole_digits} cifre prima del separatore decimale." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "L'oggetto di tipo datetime è in un formato errato. Usa uno dei seguenti formati: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Atteso un oggetto di tipo datetime ma l'oggetto ricevuto è di tipo date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "La data è in un formato errato. Usa uno dei seguenti formati: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Atteso un oggetto di tipo date ma l'oggetto ricevuto è di tipo datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "L'orario ha un formato errato. Usa uno dei seguenti formati: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "La durata è in un formato errato. Usa uno dei seguenti formati: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" non è una scelta valida." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Più di {count} oggetti..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Attesa una lista di oggetti ma l'oggetto ricevuto è di tipo \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Questa selezione potrebbe non essere vuota." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" non è un percorso valido." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Non è stato inviato alcun file." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "I dati inviati non corrispondono ad un file. Si prega di controllare il tipo di codifica nel form." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Il nome del file non può essere determinato." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Il file inviato è vuoto." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Assicurati che il nome del file abbia, al più, {max_length} caratteri (attualmente ne ha {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Invia un'immagine valida. Il file che hai inviato non era un'immagine o era corrotto." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Questa lista potrebbe non essere vuota." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Era atteso un dizionario di oggetti ma il dato ricevuto è di tipo \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Il valore deve essere un JSON valido." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Invia" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Cursore non valido" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Pk \"{pk_value}\" non valido - l'oggetto non esiste." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Tipo non corretto. Era atteso un valore pk, ma è stato ricevuto {data_type}." @@ -368,25 +353,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Collegamento non valido - L'oggetto non esiste." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Tipo non corretto. Era attesa una stringa URL, ma è stato ricevuto {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "L'oggetto con {slug_name}={value} non esiste." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valore non valido." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Dati non validi. Era atteso un dizionario, ma si è ricevuto {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtri" @@ -416,27 +398,23 @@ msgstr "Nessuno" msgid "No items to select." msgstr "Nessun elemento da selezionare." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Questo campo deve essere unico." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "I campi {field_names} devono costituire un insieme unico." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Questo campo deve essere unico per la data \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Questo campo deve essere unico per il mese \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Questo campo deve essere unico per l'anno \"{date_field}\"." @@ -444,15 +422,19 @@ msgstr "Questo campo deve essere unico per l'anno \"{date_field}\"." msgid "Invalid version in \"Accept\" header." msgstr "Versione non valida nell'header \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Versione non valida nella sequenza URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Versione non valida nel nome dell'host." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Versione non valida nel parametro della query." diff --git a/rest_framework/locale/ja/LC_MESSAGES/django.mo b/rest_framework/locale/ja/LC_MESSAGES/django.mo index 048da56fd3776f05337b9498f6444bf9546a7a85..1f934cc378a47eb5d4f15aec1e1bde9e58f6acf2 100644 GIT binary patch delta 93 zcmZ1)yEJwKqd1qjuAz~Fp_!GT@nmjsIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Japanese (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ja/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: ja\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "不正な基本ヘッダです。認証情報が含まれていません。" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "不正な基本ヘッダです。認証情報文字列に空白を含めてはいけません。" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "不正な基本ヘッダです。認証情報がBASE64で正しくエンコードされていません。" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "ユーザ名かパスワードが違います。" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "ユーザが無効か削除されています。" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "不正なトークンヘッダです。認証情報が含まれていません。" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "不正なトークンヘッダです。トークン文字列に空白を含めてはいけません。" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "不正なトークンヘッダです。トークン文字列に不正な文字を含めてはいけません。" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "不正なトークンです。" @@ -59,23 +59,23 @@ msgstr "不正なトークンです。" msgid "Auth Token" msgstr "認証トークン" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "キー" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "ユーザ" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "作成された" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "トークン" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "トークン" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "見つかりませんでした。" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "メソッド \"{method}\" は許されていません。" @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "リクエストのAcceptヘッダを満たすことができませんでした。" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "リクエストのメディアタイプ \"{media_type}\" はサポートされていません。" @@ -141,214 +139,201 @@ msgstr "リクエストのメディアタイプ \"{media_type}\" はサポート msgid "Request was throttled." msgstr "リクエストの処理は絞られました。" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "この項目は必須です。" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "この項目はnullにできません。" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" は有効なブーリアンではありません。" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "この項目は空にできません。" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "この項目が{max_length}文字より長くならないようにしてください。" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "この項目は少なくとも{min_length}文字以上にしてください。" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "有効なメールアドレスを入力してください。" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "この値は所要のパターンにマッチしません。" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "文字、数字、アンダースコア、またはハイフンから成る有効な \"slug\" を入力してください。" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "有効なURLを入力してください。" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" は有効なUUIDではありません。" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "有効なIPv4またはIPv6アドレスを入力してください。" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "有効な整数を入力してください。" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "この値は{max_value}以下にしてください。" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "この値は{min_value}以上にしてください。" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "文字列が長過ぎます。" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "有効な数値を入力してください。" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "合計で最大{max_digits}桁以下になるようにしてください。" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "小数点以下の桁数を{max_decimal_places}を超えないようにしてください。" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "整数部の桁数を{max_whole_digits}を超えないようにしてください。" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "日時の形式が違います。以下のどれかの形式にしてください: {format}。" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "日付ではなく日時を入力してください。" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "日付の形式が違います。以下のどれかの形式にしてください: {format}。" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "日時ではなく日付を入力してください。" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "時刻の形式が違います。以下のどれかの形式にしてください: {format}。" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "機関の形式が違います。以下のどれかの形式にしてください: {format}。" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\"は有効な選択肢ではありません。" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr " {count} 個より多い..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "\"{input_type}\" 型のデータではなく項目のリストを入力してください。" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "空でない項目を選択してください。" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\"は有効なパスの選択肢ではありません。" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "ファイルが添付されていません。" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "添付されたデータはファイルではありません。フォームのエンコーディングタイプを確認してください。" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "ファイル名が取得できませんでした。" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "添付ファイルの中身が空でした。" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "ファイル名は最大{max_length}文字にしてください({length}文字でした)。" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "有効な画像をアップロードしてください。アップロードされたファイルは画像でないか壊れた画像です。" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "リストは空ではいけません。" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "\"{input_type}\" 型のデータではなく項目の辞書を入力してください。" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "値は有効なJSONでなければなりません。" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "提出" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "カーソルが不正です。" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "主キー \"{pk_value}\" は不正です - データが存在しません。" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "不正な型です。{data_type} 型ではなく主キーの値を入力してください。" @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "ハイパーリンクが不正です - リンク先が存在しません。" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "不正なデータ型です。{data_type} 型ではなくURL文字列を入力してください。" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "{slug_name}={value} のデータが存在しません。" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "不正な値です。" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "不正なデータです。{datatype} 型ではなく辞書を入力してください。" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "フィルタ" @@ -413,27 +395,23 @@ msgstr "なし" msgid "No items to select." msgstr "選択する項目がありません。" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "この項目は一意でなければなりません。" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "項目 {field_names} は一意な組でなければなりません。" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "この項目は \"{date_field}\" の日に対して一意でなければなりません。" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "この項目は \"{date_field}\" の月に対して一意でなければなりません。" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "この項目は \"{date_field}\" の年に対して一意でなければなりません。" @@ -441,15 +419,19 @@ msgstr "この項目は \"{date_field}\" の年に対して一意でなければ msgid "Invalid version in \"Accept\" header." msgstr "\"Accept\" 内のバージョンが不正です。" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URLパス内のバージョンが不正です。" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "ホスト名内のバージョンが不正です。" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "クエリパラメータ内のバージョンが不正です。" diff --git a/rest_framework/locale/ko_KR/LC_MESSAGES/django.mo b/rest_framework/locale/ko_KR/LC_MESSAGES/django.mo index ac88a062dc30575bd46c86f2479fcd819a420a1f..6410f0b1cd6cd733df113762a4664c01ecae63ff 100644 GIT binary patch delta 93 zcmZ4Hx6E(DW+5(fT|*-ULo+Kwu4oEH24RRj?_^&vgLeWT?Pq8DTCF053xwnE(I) delta 93 zcmZ4Hx6E(DW+5(PT?0b}LklZoi^+S1\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Korean (Korea) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ko_KR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: ko_KR\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "기본 헤더(basic header)가 유효하지 않습니다. 인증데이터(credentials)가 제공되지 않았습니다." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "기본 헤더(basic header)가 유효하지 않습니다. 인증데이터(credentials) 문자열은 빈칸(spaces)을 포함하지 않아야 합니다." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "기본 헤더(basic header)가 유효하지 않습니다. 인증데이터(credentials)가 base64로 적절히 부호화(encode)되지 않았습니다." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "아이디/비밀번호가 유효하지 않습니다." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "계정이 중지되었거나 삭제되었습니다." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "토큰 헤더가 유효하지 않습니다. 인증데이터(credentials)가 제공되지 않았습니다." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "토큰 헤더가 유효하지 않습니다. 토큰 문자열은 빈칸(spaces)를 포함하지 않아야 합니다." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "토큰 헤더가 유효하지 않습니다. 토큰 문자열은 유효하지 않은 문자를 포함하지 않아야 합니다." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "토큰이 유효하지 않습니다." @@ -59,23 +59,23 @@ msgstr "토큰이 유효하지 않습니다." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "찾을 수 없습니다." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "메소드(Method) \"{method}\"는 허용되지 않습니다." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Accept header 요청을 만족할 수 없습니다." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "요청된 \"{media_type}\"가 지원되지 않는 미디어 형태입니다." @@ -141,214 +139,201 @@ msgstr "요청된 \"{media_type}\"가 지원되지 않는 미디어 형태입니 msgid "Request was throttled." msgstr "요청이 지연(throttled)되었습니다." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "이 항목을 채워주십시오." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "이 칸은 null일 수 없습니다." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\"이 유효하지 않은 부울(boolean)입니다." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "이 칸은 blank일 수 없습니다." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "이 칸이 글자 수가 {max_length} 이하인지 확인하십시오." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "이 칸이 글자 수가 적어도 {min_length} 이상인지 확인하십시오." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "유효한 이메일 주소를 입력하십시오." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "형식에 맞지 않는 값입니다." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "문자, 숫자, 밑줄( _ ) 또는 하이픈( - )으로 이루어진 유효한 \"slug\"를 입력하십시오." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "유효한 URL을 입력하십시오." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\"가 유효하지 않은 UUID 입니다." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "유효한 IPv4 또는 IPv6 주소를 입력하십시오." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "유효한 정수(integer)를 넣어주세요." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "이 값이 {max_value}보다 작거나 같은지 확인하십시오." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "이 값이 {min_value}보다 크거나 같은지 확인하십시오." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "문자열 값이 너무 큽니다." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "유효한 숫자를 넣어주세요." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "전체 숫자(digits)가 {max_digits} 이하인지 확인하십시오." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "소수점 자릿수가 {max_decimal_places} 이하인지 확인하십시오." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "소수점 자리 앞에 숫자(digits)가 {max_whole_digits} 이하인지 확인하십시오." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime의 포멧이 잘못되었습니다. 이 형식들 중 한가지를 사용하세요: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "예상된 datatime 대신 date를 받았습니다." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Date의 포멧이 잘못되었습니다. 이 형식들 중 한가지를 사용하세요: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "예상된 date 대신 datetime을 받았습니다." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Time의 포멧이 잘못되었습니다. 이 형식들 중 한가지를 사용하세요: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\"이 유효하지 않은 선택(choice)입니다." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "아이템 리스트가 예상되었으나 \"{input_type}\"를 받았습니다." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "파일이 제출되지 않았습니다." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "제출된 데이터는 파일이 아닙니다. 제출된 서식의 인코딩 형식을 확인하세요." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "파일명을 알 수 없습니다." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "제출된 파일이 비어있습니다." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "이 파일명의 글자수가 최대 {max_length}를 넘지 않는지 확인하십시오. (이것은 {length}가 있습니다)." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "유효한 이미지 파일을 업로드 하십시오. 업로드 하신 파일은 이미지 파일이 아니거나 손상된 이미지 파일입니다." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "아이템 딕셔너리가 예상되었으나 \"{input_type}\" 타입을 받았습니다." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "커서(cursor)가 유효하지 않습니다." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "유효하지 않은 pk \"{pk_value}\" - 객체가 존재하지 않습니다." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "잘못된 형식입니다. pk 값 대신 {data_type}를 받았습니다." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "유효하지 않은 하이퍼링크 - 객체가 존재하지 않습니다." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "잘못된 형식입니다. URL 문자열을 예상했으나 {data_type}을 받았습니다." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "{slug_name}={value} 객체가 존재하지 않습니다." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "값이 유효하지 않습니다." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "유효하지 않은 데이터. 딕셔너리(dictionary)대신 {datatype}를 받았습니다." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "" msgid "No items to select." msgstr "선택할 아이템이 없습니다." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "이 칸은 반드시 고유해야 합니다." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -441,15 +419,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "\"Accept\" header내 버전이 유효하지 않습니다." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URL path내 버전이 유효하지 않습니다." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "hostname내 버전이 유효하지 않습니다." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "쿼리 파라메터내 버전이 유효하지 않습니다." diff --git a/rest_framework/locale/mk/LC_MESSAGES/django.mo b/rest_framework/locale/mk/LC_MESSAGES/django.mo index e2a518f71325e547319530bac20437003629b347..ac9a48193d7df5680b8e91070daa80cbdbc1713f 100644 GIT binary patch delta 75 zcmew#^gn1roe-C~uAz~Fp_!GT@#GF6IVjiE%Ftx;1|e~Ukc|A?#9{^KjH1lqlFU>E To09xo2Ov&{3T%EZG(!vkhxHj= delta 75 zcmew#^gn1roe-C?u7RO~p@o&P#pDhlIVjg0#N8kyt`Lz}mYG_l;9r!IUszhHU{jF~ TVL9Yv=H-`VCT@N%G(!vkj%pd8 diff --git a/rest_framework/locale/mk/LC_MESSAGES/django.po b/rest_framework/locale/mk/LC_MESSAGES/django.po index 5818124ae..d53a30677 100644 --- a/rest_framework/locale/mk/LC_MESSAGES/django.po +++ b/rest_framework/locale/mk/LC_MESSAGES/django.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Macedonian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/mk/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: mk\n" "Plural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Невалиден основен header. Не се внесени податоци за автентикација." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Невалиден основен header. Автентикационата низа не треба да содржи празни места." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Невалиден основен header. Податоците за автентикација не се енкодирани со base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Невалидно корисничко име/лозинка." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Корисникот е деактивиран или избришан." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Невалиден токен header. Не се внесени податоци за најава." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Невалиден токен во header. Токенот не треба да содржи празни места." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Невалиден токен." @@ -59,23 +59,23 @@ msgstr "Невалиден токен." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Не е пронајдено ништо." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Методата \"{method}\" не е дозволена." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Не може да се исполни барањето на Accept header-от." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Media типот „{media_type}“ не е поддржан." @@ -141,214 +139,201 @@ msgstr "Media типот „{media_type}“ не е поддржан." msgid "Request was throttled." msgstr "Request-от е забранет заради ограничувања." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Ова поле е задолжително." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Ова поле не смее да биде недефинирано." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" не е валиден boolean." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Ова поле не смее да биде празно." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Ова поле не смее да има повеќе од {max_length} знаци." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Ова поле мора да има барем {min_length} знаци." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Внесете валидна email адреса." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Ова поле не е по правилната шема/барање." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Внесете валидно име што содржи букви, бројки, долни црти или црти." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Внесете валиден URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Задолжителен е валиден цел број." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Вредноста треба да биде помала или еднаква на {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Вредноста треба да биде поголема или еднаква на {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Вредноста е преголема." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Задолжителен е валиден број." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Не смее да има повеќе од {max_digits} цифри вкупно." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Не смее да има повеќе од {max_decimal_places} децимални места." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Не смее да има повеќе од {max_whole_digits} цифри пред децималната точка." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Датата и времето се со погрешен формат. Користете го овој формат: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Очекувано беше дата и време, а внесено беше само дата." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Датата е со погрешен формат. Користете го овој формат: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Очекувана беше дата, а внесени беа и дата и време." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Времето е со погрешен формат. Користете го овој формат: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "„{input}“ не е валиден избор." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Очекувана беше листа, а внесено беше „{input_type}“." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Ниеден фајл не е качен (upload-иран)." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Испратените податоци не се фајл. Проверете го encoding-от на формата." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Не може да се открие име на фајлот." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Качениот (upload-иран) фајл е празен." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Името на фајлот треба да има највеќе {max_length} знаци (а има {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Качете (upload-ирајте) валидна слика. Фајлот што го качивте не е валидна слика или е расипан." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Невалиден pk „{pk_value}“ - објектот не постои." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Неточен тип. Очекувано беше pk, а внесено {data_type}." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Невалиден хиперлинк - Објектот не постои." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Неточен тип. Очекувано беше URL, a внесено {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Објектот со {slug_name}={value} не постои." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Невалидна вредност." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Невалидни податоци. Очекуван беше dictionary, а внесен {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Ова поле мора да биде уникатно." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Полињата {field_names} заедно мора да формираат уникатен збир." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Ова поле мора да биде уникатно за „{date_field}“ датата." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Ова поле мора да биде уникатно за „{date_field}“ месецот." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Ова поле мора да биде уникатно за „{date_field}“ годината." @@ -441,15 +419,19 @@ msgstr "Ова поле мора да биде уникатно за „{date_fi msgid "Invalid version in \"Accept\" header." msgstr "Невалидна верзија во „Accept“ header-от." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Невалидна верзија во URL патеката." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Невалидна верзија во hostname-от." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Невалидна верзија во query параметарот." diff --git a/rest_framework/locale/nb/LC_MESSAGES/django.mo b/rest_framework/locale/nb/LC_MESSAGES/django.mo index a0bdb3a49184449bd82e8037f9830fba15338b75..d3dfe100a7f558c9f067d9a720b6889c1a501b9f 100644 GIT binary patch delta 93 zcmX@@bJ}NvnHZP3uAz~Fp_!GT@ni=vIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=OzStUm0RI{u5C8xG delta 93 zcmX@@bJ}NvnHZO`u7RO~p@o&P#bgIDIY$WB9LUu+00J(b#Nra&kfOxA;+({i{30ub lh{UqY)FK7{qLlo?(n\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Norwegian Bokmål (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/nb/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: nb\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Ugyldig basic header. Ingen legitimasjon gitt." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Ugylid basic header. Legitimasjonsstreng bør ikke inneholde mellomrom." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Ugyldig basic header. Legitimasjonen ikke riktig Base64 kodet." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Ugyldig brukernavn eller passord." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Bruker inaktiv eller slettet." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Ugyldig token header. Ingen legitimasjon gitt." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Ugyldig token header. Token streng skal ikke inneholde mellomrom." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Ugyldig token header. Tokenstrengen skal ikke inneholde ugyldige tegn." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Ugyldig token." @@ -59,23 +59,23 @@ msgstr "Ugyldig token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Ikke funnet." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metoden \"{method}\" ikke gyldig." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Kunne ikke tilfredsstille request Accept header." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Ugyldig media type \"{media_type}\" i request." @@ -141,214 +139,201 @@ msgstr "Ugyldig media type \"{media_type}\" i request." msgid "Request was throttled." msgstr "Forespørselen ble strupet." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Dette feltet er påkrevd." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Dette feltet må ikke være tomt." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" er ikke en gyldig bolsk verdi." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Dette feltet må ikke være blankt." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Forsikre deg om at dette feltet ikke har mer enn {max_length} tegn." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Forsikre deg at dette feltet har minst {min_length} tegn." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Oppgi en gyldig epost-adresse." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Denne verdien samsvarer ikke med de påkrevde mønsteret." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Skriv inn en gyldig \"slug\" som består av bokstaver, tall, understrek eller bindestrek." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Skriv inn en gyldig URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" er ikke en gyldig UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Skriv inn en gyldig IPv4 eller IPv6-adresse." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "En gyldig heltall er nødvendig." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Sikre denne verdien er mindre enn eller lik {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Sikre denne verdien er større enn eller lik {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Strengverdien for stor." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Et gyldig nummer er nødvendig." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Pass på at det ikke er flere enn {max_digits} siffer totalt." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Pass på at det ikke er flere enn {max_decimal_places} desimaler." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Pass på at det ikke er flere enn {max_whole_digits} siffer før komma." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime har feil format. Bruk et av disse formatene i stedet: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Forventet en datetime, men fikk en date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Dato har feil format. Bruk et av disse formatene i stedet: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Forventet en date, men fikk en datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Tid har feil format. Bruk et av disse formatene i stedet: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Varighet har feil format. Bruk et av disse formatene i stedet: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" er ikke et gyldig valg." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Mer enn {count} elementer ..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Forventet en liste over elementer, men fikk type \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Dette valget kan ikke være tomt." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" er ikke en gyldig bane valg." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Ingen fil ble sendt." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "De innsendte data var ikke en fil. Kontroller kodingstypen på skjemaet." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Kunne ikke finne filnavn." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Den innsendte filen er tom." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Sikre dette filnavnet har på det meste {max_length} tegn (det har {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Last opp et gyldig bilde. Filen du lastet opp var enten ikke et bilde eller en ødelagt bilde." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Denne listen kan ikke være tom." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Forventet en dictionary av flere ting, men fikk typen \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Verdien må være gyldig JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Send inn" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Ugyldig markør" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Ugyldig pk \"{pk_value}\" - objektet eksisterer ikke." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Feil type. Forventet pk verdi, fikk {data_type}." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Ugyldig hyperkobling - Objektet eksisterer ikke." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Feil type. Forventet URL streng, fikk {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekt med {slug_name}={value} finnes ikke." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Ugyldig verdi." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Ugyldige data. Forventet en dicitonary, men fikk {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtre" @@ -413,27 +395,23 @@ msgstr "Ingen" msgid "No items to select." msgstr "Ingenting å velge." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Dette feltet må være unikt." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Feltene {field_names} må gjøre et unikt sett." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Dette feltet må være unikt for \"{date_field}\" dato." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Dette feltet må være unikt for \"{date_field}\" måned." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Dette feltet må være unikt for \"{date_field}\" år." @@ -441,15 +419,19 @@ msgstr "Dette feltet må være unikt for \"{date_field}\" år." msgid "Invalid version in \"Accept\" header." msgstr "Ugyldig versjon på \"Accept\" header." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Ugyldig versjon i URL-banen." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Ugyldig versjon i vertsnavn." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Ugyldig versjon i søkeparameter." diff --git a/rest_framework/locale/nl/LC_MESSAGES/django.mo b/rest_framework/locale/nl/LC_MESSAGES/django.mo index 8b70ddbd68f7ef3424197c35c3c064fbb5abc4f5..8f9c2dcdede91e1447e0c78de83f7534d2561ac5 100644 GIT binary patch delta 3697 zcmZvddu$ZP8NkQ!E4*wtZ6&Hs8nsoTRw1g=s7-{NwnBZV;*Ug4o22ERKJsq*Ql-%R;Yd^>Re#^!6=>Sg zefyi4o&9FM*W7En9=~_?ok-c&6fJ?YAU&l@orC);c+e(pSE>y@2rX#f9q=U>g@1qz z@Sjk=k1SBC8Lov3;Xc>_M`0X31}ou3xI?K~b&1X(6W5Cz;HzDXzX9eR8MqI=1N&h6;=+3k_cMMPu7rPw5m>dPaKJVw^LK}wRcefmDEtE4053y+>KYF@ zX+>4R;wmT`^}tQggWKS9Z~*=dcEWfyo52U5tQ&`)fft~7@>j4OUWH58Uo|dOY8_ky zMZsaX2cCs@!QVhpSiMZCCK!b>-VDW(-B4VgE%ID({yVUg`B$NM;B_b=dmoA(nVek% zo9WcS0cgP^um+xiW$-*C3hD{C7Jds7ZuLfyzk~eL`#eO?Je2fVgpzs~fiiA~>tGj@ z5RcUme>wT{#f7gx8NUl9iLS$5*s#11+aW09vrsJf8I*OuhZg)8$^q+Y!{kzfu$=KZ zC+|8OZ^9QB#Y;uWdCoWc%-7O zu&@h?X9i#o44@q7yKob{3dNOcVoI%oo1koPtT^_dxc&)7q(Zun&=G5?)UcQFqeWhV5`vGQ7_fSE;o$ucC#e%q zlJ^mK5WWOw%juM3W(8aX#li>_mv4nhn1gb_D-h$W> zBUEviGazi@J<*4^#QuVt!VVAdfHYA=M8YNswHHBe*zV)G2a&^zha_Jp2-S~>Wzyt8 zJHuWfksqLc0vSZ)4iE#w{l$V>gzG*mDZCf90iIH7V@L$qg-AP4Kb|~j3Ckoy}B2f-6|v6UC8}m@8)A0UCG>)#i?UZ@`St$+jgFk zkkaI@Sz0F|$tO+9QxaM30cpFD>abTxM7kx)yjsy@E?30OYZdin6Lyd`A5=VCVU2hh z?V6*NM=J+>Z3j9z_oK@G(waR7r+O^Uw_vYjCzHO;o4+jluy)YV*`#&K$p+fbtHA>2 zt}Lp(t<+9w^VX8DM;v#`&N@jek+yw1A?wVNss=Ms^+D-AecJR^_cVCEwt}?nT4xg8 zq#HbBIf2gQJ3CFP`iIMg{G|3BH>D2R`TVr!Cr!)J_$qDtiL@FHq%HKr|{n+Q&Ks*$vlxAHox6M^Ho|Fgi9MnQ8-?ejEjfT7CCQ*;tf{}ZNhYpxz&H05JJG$0eUA=u>-R6^; z==Q>JLtj_Vo$F`|_uKiPW5l=JeAW&;zt0*;dpSFA4WxaJ>u76h;N|*}L~&y7=}{yJ zF?X`zCuM2ROPSWjRg2RYk=FVYrub%mdz8EW0KW^My5;yaW zZB<$F&B_P9))V6-XKPcmUb3~P!}3mrY1?5-)>@8h;!Oj`0}=s0B}wr(!MA-Y!>6em zlYx`Nxue>jwiD^#meum&|9)}nYV+%+=7l%4ntwG#V?`ZVXI%0T6T>9GRTaw`y0Xbn zRg)UR;}T76*|$a~rBixJyLof5IcmPqys5IIkR9f!=2mmAWodcVOJVGimbQ`(v$mz( z9BJ8Oo^82WZZmD0$5$LOZ?5QzcsI0XsLu@bX_}+W=93jK@Y(mGE6QBk&Y2gZb>>ge zWnsn6M+etyLV*82U9g?%9uLc6lf@c|S@<|MA%$y>x5k%ssvSBX*lsc}TCI#{zS%lC zJM8&^DD)=Oed6tDk1D6^SgLb5De#n@);Pc?n@PYa-?mfMH03fyrUg!hOg`f2j2h9I zd{FR$BnTeQlCEK3X0)3mzjsooIFnPIIVD%u2`br4SkIJF4;Sj&O3K6Vm~Cx!i}eio zRJb3sOqiOORl$a=G<~sS|9v?;8S5_5=3*pj{u(F<|`2Fo$5ECam?=!RSn3>=F z-h2GcGd&|;g>HCOQPxr`se8vMHH24g;6OQgqf#~aDr)=~BlrW(z=`?6eYIFYzY801 zGuGoMF2j@9jeq4_R-jamQX}eV8l9XthxcHpP^mU_@m72p*Wg9$z?+ML^8?sR|9K4I z_b3avf-|vfV&H8k&v9@8zJRmvJa#a?x=f>;KW@26sil~}<#-$$@mHLTdQx!Re4Imn z5G67Pa4wEv6Mltq-xO}T4VR$Y{|JY29L@EQ;7rC>CuqpbKhODxoS#~)E5R5dlYuL;BSdvHW%yoCmPq4uLp$Blk1;AS=kRL1LiZD?0Fl`!`;}7M{py4hGp1NO#G$M%k*1t8@`{X z)M1p6K2Q>bcoa4Ll!^X=)i{Z8$UqG!&)JA~<6gWAzs5dnWmV!+D9Ly+O#Ii= zs3nzU?=yHip1{rcCwAfnW+@&ibWdc1YE019l9>O*F0m?wrc{LK#juhqk<8T>uF_n*~8c&r{O_ki?Eo{jq-x4|@sw9x?r6ihsU>d0< zRLNv{J0#J1ZK7b6y-<+0_Z8kdcB*jccw0H?!r0`=)5qDSsrzjHwD;`UX|1+0G-kgE z&9lYD;j!l8<9W8C#IpxWPTPA+o9t_)`-)l{nwoWUdq-=#?FvV_f^Hk#c}szYyZcDN>`*QExM4`z1h#SbNeR%hJxk~>^y?4|JRygY5+pHW}5!-;3i zo~U*`8!4N`pUca-ONZlb|DfNfx-$Nt@qD-6@m-_s@v=_)Sah1rFK@A*mPhUS@}qgX z?d9?XlViqr;&J0?hx?2@S5adND#CV8MSl3&som~&k72Z*^c^Q|_g5?|xO&c>sW?48 z!4&pY))pp`3C1)gZr`e$Z-1-oxREmhCS`A}T4Xa-HQ|i((*4Pl(aCK(?Wc?x-fq(N z^Qz@5wP6wij&JH^sNuNd_-Q@F6|rk)d^cg#JtnnN=K7z1ue--?iImyhk&5E~d5V28 z60vVbN<063uD@&8=;*_)H=OaeNGBW7-1v=Zofk9l0XJr}bA3c@b6v3=te$SWtJ{hE zNOcFtQ`I#bzpS3iae`jOajpKzuB}-~>tIcXEr}kabu3ynL3@squ&+l;?RRX-rRa*< zqzM)jjhU^fj5|b_TzR^ugE zuRS_@vkld?*fS*&+h4b#J&`03?)D+g?xixrzK)rc;|%%rs^{8_$)Wya#`9$e*K_(w ay>0gIy4uicqX*4axrgP*{2XiM=zjnVslP`6 diff --git a/rest_framework/locale/nl/LC_MESSAGES/django.po b/rest_framework/locale/nl/LC_MESSAGES/django.po index b89af0606..6b9dd127b 100644 --- a/rest_framework/locale/nl/LC_MESSAGES/django.po +++ b/rest_framework/locale/nl/LC_MESSAGES/django.po @@ -3,14 +3,17 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: +# Hans van Luttikhuizen , 2016 # mikedingjan , 2015 +# mikedingjan , 2015 +# Hans van Luttikhuizen , 2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Dutch (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/nl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,78 +21,78 @@ msgstr "" "Language: nl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." -msgstr "Ongeldige basic header. Geen login gegevens opgegeven." +msgstr "Ongeldige basic header. Geen logingegevens opgegeven." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." -msgstr "Ongeldige basic header. login gegevens kunnen geen spaties bevatten." +msgstr "Ongeldige basic header. logingegevens kunnen geen spaties bevatten." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." -msgstr "Ongeldige basic header. login gegevens zijn niet correct base64 versleuteld." +msgstr "Ongeldige basic header. logingegevens zijn niet correct base64-versleuteld." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Ongeldige gebruikersnaam/wachtwoord." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Gebruiker inactief of verwijderd." -#: authentication.py:173 -msgid "Invalid token header. No credentials provided." -msgstr "Ongeldige token header. Geen login gegevens opgegeven" - #: authentication.py:176 +msgid "Invalid token header. No credentials provided." +msgstr "Ongeldige token header. Geen logingegevens opgegeven" + +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Ongeldige token header. Token kan geen spaties bevatten." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." -msgstr "" +msgstr "Ongeldige token header. Token kan geen ongeldige karakters bevatten." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Ongeldige token." #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Autorisatietoken" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Key" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Gebruiker" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Aangemaakt" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Tokens" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Gebruikersnaam" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Wachtwoord" #: authtoken/serializers.py:20 msgid "User account is disabled." -msgstr "Gebruikers account is inactief." +msgstr "Gebruikersaccount is gedeactiveerd." #: authtoken/serializers.py:23 msgid "Unable to log in with provided credentials." @@ -97,11 +100,11 @@ msgstr "Kan niet inloggen met opgegeven gegevens." #: authtoken/serializers.py:26 msgid "Must include \"username\" and \"password\"." -msgstr "Moet een \"gebruikersnaam\" en \"wachtwoord\" bevatten." +msgstr "Moet \"username\" en \"password\" bevatten." #: exceptions.py:49 msgid "A server error occurred." -msgstr "Er is een server fout opgetreden." +msgstr "Er is een serverfout opgetreden." #: exceptions.py:84 msgid "Malformed request." @@ -109,248 +112,233 @@ msgstr "Ongeldig samengestelde request." #: exceptions.py:89 msgid "Incorrect authentication credentials." -msgstr "Ongeldige authenticatie gegevens." +msgstr "Ongeldige authenticatiegegevens." #: exceptions.py:94 msgid "Authentication credentials were not provided." -msgstr "Authenticatie gegevens zijn niet opgegeven." +msgstr "Authenticatiegegevens zijn niet opgegeven." #: exceptions.py:99 msgid "You do not have permission to perform this action." -msgstr "Je hebt geen toegang om deze actie uit te voeren." +msgstr "Je hebt geen toestemming om deze actie uit te voeren." #: exceptions.py:104 views.py:81 msgid "Not found." msgstr "Niet gevonden." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Methode \"{method}\" niet toegestaan." #: exceptions.py:120 msgid "Could not satisfy the request Accept header." -msgstr "Kan niet voldoen aan de opgegeven \"Accept\" header." +msgstr "Kan niet voldoen aan de opgegeven Accept header." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." -msgstr "Ongeldig media type \"{media_type}\" in aanvraag." +msgstr "Ongeldige media type \"{media_type}\" in aanvraag." #: exceptions.py:145 msgid "Request was throttled." msgstr "Aanvraag was verstikt." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." -msgstr "Dit veld is verplicht." +msgstr "Dit veld is vereist." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Dit veld mag niet leeg zijn." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." -msgstr "\"{input}\" is een ongeldige boolean waarde." +msgstr "\"{input}\" is een ongeldige booleanwaarde." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Dit veld mag niet leeg zijn." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Zorg ervoor dat dit veld niet meer dan {max_length} karakters bevat." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Zorg ervoor dat dit veld minimaal {min_length} karakters bevat." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Voer een geldig e-mailadres in." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." -msgstr "Deze waarde voldoet niet aan het benodigde formaat." +msgstr "Deze waarde voldoet niet aan het vereisde formaat." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." -msgstr "Voer een geldige \"slug\" in bestaande uit letters, cijfers, underscore of streepjes." +msgstr "Voer een geldige \"slug\" in, bestaande uit letters, cijfers, lage streepjes of streepjes." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Voer een geldige URL in." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." -msgstr "\"{value}\" in een ongeldige UUID." +msgstr "\"{value}\" is een ongeldige UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." -msgstr "" +msgstr "Voer een geldig IPv4- of IPv6-adres in." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Een geldig getal is vereist." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." -msgstr "Zorg ervoor dat deze waarde minder of gelijk is aan {max_value}." +msgstr "Zorg ervoor dat deze waarde kleiner is dan of gelijk is aan {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." -msgstr "Zorg ervoor dat deze waarde groter of gelijk is aan {min_value}." +msgstr "Zorg ervoor dat deze waarde groter is dan of gelijk is aan {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." -msgstr "Tekstuele waarde is te lang." +msgstr "Tekstwaarde is te lang." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." -msgstr "Een geldig nummer is verplicht." +msgstr "Een geldig nummer is vereist." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." -msgstr "Zorg ervoor dat er niet meer dan {max_digits} getallen zijn in totaal." +msgstr "Zorg ervoor dat er in totaal niet meer dan {max_digits} cijfers zijn." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." -msgstr "zorg ervoor dat er niet meer dan {max_decimal_places} getallen achter de komma zijn." +msgstr "Zorg ervoor dat er niet meer dan {max_decimal_places} cijfers achter de komma zijn." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." -msgstr "Zorg ervoor dat er niet meer dan {max_whole_digits} getallen voor de komma zijn." +msgstr "Zorg ervoor dat er niet meer dan {max_whole_digits} cijfers voor de komma zijn." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime heeft een ongeldig formaat, gebruik 1 van de volgende formaten: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." -msgstr "Verwacht een datetime, in plaats kreeg een date." +msgstr "Verwachtte een datetime, maar kreeg een date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." -msgstr "Date heeft het verkeerde formaat, gebruik 1 van de onderstaande formaten: {format}." +msgstr "Date heeft het verkeerde formaat, gebruik 1 van deze formaten: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." -msgstr "Verwacht een date, in plaats kreeg een datetime" +msgstr "Verwachtte een date, maar kreeg een datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Time heeft het verkeerde formaat, gebruik 1 van onderstaande formaten: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Tijdsduur heeft een verkeerd formaat, gebruik 1 van onderstaande formaten: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" is een ongeldige keuze." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." -msgstr "" +msgstr "Meer dan {count} items..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." -msgstr "Verwacht een lijst met items, kreeg een type \"{input_type}\" in plaats." +msgstr "Verwachtte een lijst met items, maar kreeg type \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." -msgstr "" +msgstr "Deze selectie mag niet leeg zijn." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." -msgstr "" +msgstr "\"{input}\" is niet een geldig pad." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." -msgstr "Er is geen bestand opgestuurd" +msgstr "Er is geen bestand opgestuurd." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "De verstuurde data was geen bestand. Controleer de encoding type op het formulier." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." -msgstr "Bestandsnaam kan niet vastgesteld worden." +msgstr "Bestandsnaam kon niet vastgesteld worden." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Het verstuurde bestand is leeg." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." -msgstr "Zorg ervoor dat deze bestandsnaam minstens {max_length} karakters heeft (momenteel {length})." +msgstr "Zorg ervoor dat deze bestandsnaam hoogstens {max_length} karakters heeft (het heeft er {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." -msgstr "Upload een geldige afbeelding, de geüploade afbeelding is geen afbeelding of mogelijk corrupt geraakt," +msgstr "Upload een geldige afbeelding, de geüploade afbeelding is geen afbeelding of is beschadigd geraakt," -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." -msgstr "" +msgstr "Deze lijst mag niet leeg zijn." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." -msgstr "Verwacht een dictionary van items, in plaats kreeg een type \"{input_type}\"." +msgstr "Verwachtte een dictionary van items, maar kreeg type \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." -msgstr "" +msgstr "Waarde moet valide JSON zijn." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "Verzenden" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "Ongeldige pagina." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Ongeldige cursor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Ongeldige pk \"{pk_value}\" - object bestaat niet." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." -msgstr "Ongeldig type. Verwacht een pk waarde, ontving {data_type}." +msgstr "Ongeldig type. Verwacht een pk-waarde, ontving {data_type}." #: relations.py:240 msgid "Invalid hyperlink - No URL match." @@ -365,41 +353,38 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Ongeldige hyperlink - Object bestaat niet." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Ongeldig type. Verwacht een URL, ontving {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Object met {slug_name}={value} bestaat niet." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Ongeldige waarde." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Ongeldige data. Verwacht een dictionary, kreeg een {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "Filters" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "Veldfilters" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "Sorteer op" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "Zoek" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 @@ -413,27 +398,23 @@ msgstr "Geen" msgid "No items to select." msgstr "Geen items geselecteerd." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Dit veld moet uniek zijn." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "De velden {field_names} moeten een unieke set zijn." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Dit veld moet uniek zijn voor de \"{date_field}\" datum." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Dit veld moet uniek zijn voor de \"{date_field}\" maand." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Dit veld moet uniek zijn voor de \"{date_field}\" year." @@ -441,18 +422,22 @@ msgstr "Dit veld moet uniek zijn voor de \"{date_field}\" year." msgid "Invalid version in \"Accept\" header." msgstr "Ongeldige versie in \"Accept\" header." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." -msgstr "Ongeldige versie in URL pad." +msgstr "Ongeldige versie in URL-pad." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." -msgstr "Ongeldige versie in host naam." +msgstr "Ongeldige versie in hostnaam." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Ongeldige versie in query parameter." #: views.py:88 msgid "Permission denied." -msgstr "Toegang niet toegestaan." +msgstr "Toestemming geweigerd." diff --git a/rest_framework/locale/nn/LC_MESSAGES/django.mo b/rest_framework/locale/nn/LC_MESSAGES/django.mo index 43d080aa67cdb810998a30d1065253dcdb605a7d..a2c1e01f8dd4127b3f67ffe9bd98d580454c2ddc 100644 GIT binary patch delta 90 zcmeBS>0y~Lnaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u0y~Lnafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|0Y(6!&K*kt diff --git a/rest_framework/locale/nn/LC_MESSAGES/django.po b/rest_framework/locale/nn/LC_MESSAGES/django.po index 26a625b6d..bd4d690d2 100644 --- a/rest_framework/locale/nn/LC_MESSAGES/django.po +++ b/rest_framework/locale/nn/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Norwegian Nynorsk (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/nn/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: nn\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/no/LC_MESSAGES/django.mo b/rest_framework/locale/no/LC_MESSAGES/django.mo index 730768a272bbc0c161dc6435e89bf8d700c44b64..2c058c8c754c1bcbc5fdabc169a794b53b619f26 100644 GIT binary patch delta 90 zcmZo+Xwqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;KEBLJ189Pt1E delta 90 zcmZo+X4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|4n_c+E*&!f diff --git a/rest_framework/locale/no/LC_MESSAGES/django.po b/rest_framework/locale/no/LC_MESSAGES/django.po index 4a3d609ca..1ddd6675f 100644 --- a/rest_framework/locale/no/LC_MESSAGES/django.po +++ b/rest_framework/locale/no/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Norwegian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/no/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: no\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/pl/LC_MESSAGES/django.mo b/rest_framework/locale/pl/LC_MESSAGES/django.mo index f228dfc7c72f6d5c1a7c86d8cd61ebe20b6f29e7..8af27437f01d85967413cde8c9ce0b58231f0f36 100644 GIT binary patch delta 895 zcmXZaPe_w-9LMob=@v~w(ag%)p33z{nYsB`ZI!uJ5@HT=VI&397FyZ^+q(7?lF*?b zJw^X-UHU5odFfK83cN?`)S*Llh$86H`->afUf<{YJkRgX_xpREdzpLT*7z${N?+DV z-I6Nnr6@LSkal7cx8fLX#Ov6GkC3n4^T#Wy;12wY33PaPH4bAhp21Ui53~3iPvX&5 z`8q^!w^cfUpK(8SZjv&10ng(zJc7-empzSFxPFK>aX2gysvmh&=dc5>VH}^LixoVK zYa`Mc9Etc+kf1DI%wveCLj4m(r;sEyG4YUos#a;Lhn=ncl zEuX|byo`hR+9$99Yqm*^cnsTd6zPg)aXa2e2j3xU(pR(=1?WcrJCUl&MZ2FxhL(p` zp*ge#FIMwQXyg082xFB>c>*i_8?=>w#4c3(!a(qQLuhX-o^axOQt|HjbW1qB zeA$zVyB%G8LWB8IIhHHtFO{b9Wv`fWaueQkzT{*kij$@CWWhO5_NM#zjaL&34_a#mhK`k8uQl;3y6@ z$X6f1qXy{$e#Vp7)yPe}iP!NZ4q;u>f5&i^@iN+n8-o&|hLA^f6+6+#2)@8>Ea4ff zZI-HWwAq&e1Q{j{;S>(weY}Vpcm-P=DT{MxiEQFtba|;4&tebWMccqScHnQU!&b^@ z^D*qlA|~;TPhbm{wUQMM<1rjZx}teJj7#X?J0vH4L2FTYn^b{aNLA&c-A^G)E00#8 z1+;|Mw&pj`*7v^?Y$w=B<9A~yDg(L5hjzcnN=^orNT6TMwV2E$|7croLhbE7|@q#;^isF@W=U z8t-8oKcKa68~v~ic}Ve;$96j{iv(8sw`iGv#4!HpSUnfmtf`8I!VxDDPekJn2I_-- z3}cQPNw__oVSZIfuQ(G*PkXnDId7&gop4fKX7XCr8Odb}&Z)c&rj8dF^xw#PleyJr I^^3Lt0BsO(kN^Mx diff --git a/rest_framework/locale/pl/LC_MESSAGES/django.po b/rest_framework/locale/pl/LC_MESSAGES/django.po index fdf4904bb..b8592e9b7 100644 --- a/rest_framework/locale/pl/LC_MESSAGES/django.po +++ b/rest_framework/locale/pl/LC_MESSAGES/django.po @@ -5,14 +5,14 @@ # Translators: # Janusz Harkot , 2015 # Piotr Jakimiak , 2015 -# Maciek Olko , 2015-2016 +# m_aciek , 2015-2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-07 21:25+0000\n" -"Last-Translator: Maciek Olko \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Polish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/pl/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,40 +20,40 @@ msgstr "" "Language: pl\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Niepoprawny podstawowy nagłówek. Brak danych uwierzytelniających." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Niepoprawny podstawowy nagłówek. Ciąg znaków danych uwierzytelniających nie powinien zawierać spacji." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Niepoprawny podstawowy nagłówek. Niewłaściwe kodowanie base64 danych uwierzytelniających." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Niepoprawna nazwa użytkownika lub hasło." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Użytkownik nieaktywny lub usunięty." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Niepoprawny nagłówek tokena. Brak danych uwierzytelniających." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Niepoprawny nagłówek tokena. Token nie może zawierać odstępów." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Błędny nagłówek z tokenem. Token nie może zawierać błędnych znaków." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Niepoprawny token." @@ -61,23 +61,23 @@ msgstr "Niepoprawny token." msgid "Auth Token" msgstr "Token uwierzytelniający" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Klucz" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "Użytkownik" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Stworzono" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "Tokeny" @@ -126,7 +126,6 @@ msgid "Not found." msgstr "Nie znaleziono." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Niedozwolona metoda \"{method}\"." @@ -135,7 +134,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Nie można zaspokoić nagłówka Accept żądania." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Brak wsparcia dla żądanego typu danych \"{media_type}\"." @@ -143,214 +141,201 @@ msgstr "Brak wsparcia dla żądanego typu danych \"{media_type}\"." msgid "Request was throttled." msgstr "Żądanie zostało zdławione." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "To pole jest wymagane." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Pole nie może mieć wartości null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" nie jest poprawną wartością logiczną." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "To pole nie może być puste." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Upewnij się, że to pole ma nie więcej niż {max_length} znaków." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Upewnij się, że pole ma co najmniej {min_length} znaków." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Podaj poprawny adres e-mail." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Ta wartość nie pasuje do wymaganego wzorca." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Wprowadź poprawną wartość pola typu \"slug\", składającą się ze znaków łacińskich, cyfr, podkreślenia lub myślnika." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Wprowadź poprawny adres URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" nie jest poprawnym UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Wprowadź poprawny adres IPv4 lub IPv6." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Wymagana poprawna liczba całkowita." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Upewnij się, że ta wartość jest mniejsza lub równa {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Upewnij się, że ta wartość jest większa lub równa {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Za długi ciąg znaków." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Wymagana poprawna liczba." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Upewnij się, że liczba ma nie więcej niż {max_digits} cyfr." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Upewnij się, że liczba ma nie więcej niż {max_decimal_places} cyfr dziesiętnych." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Upewnij się, że liczba ma nie więcej niż {max_whole_digits} cyfr całkowitych." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Wartość daty z czasem ma zły format. Użyj jednego z dostępnych formatów: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Oczekiwano datę z czasem, otrzymano tylko datę." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Data ma zły format. Użyj jednego z tych formatów: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Oczekiwano daty a otrzymano datę z czasem." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Błędny format czasu. Użyj jednego z dostępnych formatów: {format}" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Czas trwania ma zły format. Użyj w zamian jednego z tych formatów: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" nie jest poprawnym wyborem." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Więcej niż {count} elementów..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Oczekiwano listy elementów, a otrzymano dane typu \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Zaznaczenie nie może być puste." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" nie jest poprawną ścieżką." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Nie przesłano pliku." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Przesłane dane nie były plikiem. Sprawdź typ kodowania formatki." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Nie można określić nazwy pliku." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Przesłany plik jest pusty." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Upewnij się, że nazwa pliku ma długość co najwyżej {max_length} znaków (aktualnie ma {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Prześlij poprawny plik graficzny. Przesłany plik albo nie jest grafiką lub jest uszkodzony." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Lista nie może być pusta." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Oczekiwano słownika, ale otrzymano \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Wartość musi być poprawnym ciągiem znaków JSON" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Wyślij" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "Niepoprawna strona." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Niepoprawny wskaźnik" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Błędny klucz główny \"{pk_value}\" - obiekt nie istnieje." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Błędny typ danych. Oczekiwano wartość klucza głównego, otrzymano {data_type}." @@ -367,25 +352,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Błędny hyperlink - obiekt nie istnieje." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Błędny typ danych. Oczekiwano adresu URL, otrzymano {data_type}" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Obiekt z polem {slug_name}={value} nie istnieje" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Niepoprawna wartość." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Niepoprawne dane. Oczekiwano słownika, otrzymano {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtry" @@ -415,27 +397,23 @@ msgstr "None" msgid "No items to select." msgstr "Nie wybrano wartości." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Wartość dla tego pola musi być unikalna." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Pola {field_names} muszą tworzyć unikalny zestaw." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "To pole musi mieć unikalną wartość dla jednej daty z pola \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "To pole musi mieć unikalną wartość dla konkretnego miesiąca z pola \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "To pole musi mieć unikalną wartość dla konkretnego roku z pola \"{date_field}\"." @@ -443,15 +421,19 @@ msgstr "To pole musi mieć unikalną wartość dla konkretnego roku z pola \"{da msgid "Invalid version in \"Accept\" header." msgstr "Błędna wersja w nagłówku \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Błędna wersja w ścieżce URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Błędna wersja w nazwie hosta." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Błędna wersja w parametrach zapytania." diff --git a/rest_framework/locale/pt/LC_MESSAGES/django.mo b/rest_framework/locale/pt/LC_MESSAGES/django.mo index 9553b8f7ae0e46b54d4aed4f473515eb364357ea..9e3c7ab2f490b065535b03e05a2df1c16cb38e88 100644 GIT binary patch delta 90 zcmZo=X=Rx(naf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;KkBLJ3I9P|JH delta 90 zcmZo=X=Rx(nafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|PDTKn;vF^s diff --git a/rest_framework/locale/pt/LC_MESSAGES/django.po b/rest_framework/locale/pt/LC_MESSAGES/django.po index c1217b2d6..9f1de1938 100644 --- a/rest_framework/locale/pt/LC_MESSAGES/django.po +++ b/rest_framework/locale/pt/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Portuguese (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/pt/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: pt\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/pt_BR/LC_MESSAGES/django.mo b/rest_framework/locale/pt_BR/LC_MESSAGES/django.mo index 20a41eb1f7bbc11f247fe8dd8755893c878296d4..1dd7287f36ab955d7ab8281100108cc84f22c8dd 100644 GIT binary patch delta 93 zcmez8|IdGenHZP3uAz~Fp_!GT@ni=vIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=OzF52<03}-#c&9&-Qy diff --git a/rest_framework/locale/pt_BR/LC_MESSAGES/django.po b/rest_framework/locale/pt_BR/LC_MESSAGES/django.po index 8b55e9ed9..2c90f14ca 100644 --- a/rest_framework/locale/pt_BR/LC_MESSAGES/django.po +++ b/rest_framework/locale/pt_BR/LC_MESSAGES/django.po @@ -11,9 +11,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Portuguese (Brazil) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/pt_BR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -21,40 +21,40 @@ msgstr "" "Language: pt_BR\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Cabeçalho básico inválido. Credenciais não fornecidas." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Cabeçalho básico inválido. String de credenciais não deve incluir espaços." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Cabeçalho básico inválido. Credenciais codificadas em base64 incorretamente." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Usuário ou senha inválido." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Usuário inativo ou removido." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Cabeçalho de token inválido. Credenciais não fornecidas." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Cabeçalho de token inválido. String de token não deve incluir espaços." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Cabeçalho de token inválido. String de token não deve possuir caracteres inválidos." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Token inválido." @@ -62,23 +62,23 @@ msgstr "Token inválido." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -127,7 +127,6 @@ msgid "Not found." msgstr "Não encontrado." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Método \"{method}\" não é permitido." @@ -136,7 +135,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Não foi possível satisfazer a requisição do cabeçalho Accept." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Tipo de mídia \"{media_type}\" no pedido não é suportado." @@ -144,214 +142,201 @@ msgstr "Tipo de mídia \"{media_type}\" no pedido não é suportado." msgid "Request was throttled." msgstr "Pedido foi limitado." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Este campo é obrigatório." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Este campo não pode ser nulo." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" não é um valor boleano válido." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Este campo não pode ser em branco." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Certifique-se de que este campo não tenha mais de {max_length} caracteres." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Certifique-se de que este campo tenha mais de {min_length} caracteres." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Insira um endereço de email válido." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Este valor não corresponde ao padrão exigido." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Entrar um \"slug\" válido que consista de letras, números, sublinhados ou hífens." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Entrar um URL válido." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" não é um UUID válido." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Informe um endereço IPv4 ou IPv6 válido." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Um número inteiro válido é exigido." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Certifique-se de que este valor seja inferior ou igual a {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Certifque-se de que este valor seja maior ou igual a {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Valor da string é muito grande." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Um número válido é necessário." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Certifique-se de que não haja mais de {max_digits} dígitos no total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Certifique-se de que não haja mais de {max_decimal_places} casas decimais." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Certifique-se de que não haja mais de {max_whole_digits} dígitos antes do ponto decimal." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Formato inválido para data e hora. Use um dos formatos a seguir: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Necessário uma data e hora mas recebeu uma data." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Formato inválido para data. Use um dos formatos a seguir: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Necessário uma data mas recebeu uma data e hora." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Formato inválido para Tempo. Use um dos formatos a seguir: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Formato inválido para Duração. Use um dos formatos a seguir: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" não é um escolha válido." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Mais de {count} itens..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Necessário uma lista de itens, mas recebeu tipo \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Esta seleção não pode estar vazia." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" não é uma escolha válida para um caminho." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Nenhum arquivo foi submetido." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "O dado submetido não é um arquivo. Certifique-se do tipo de codificação no formulário." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Nome do arquivo não pode ser determinado." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "O arquivo submetido está vázio." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Certifique-se de que o nome do arquivo tem menos de {max_length} caracteres (tem {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Fazer upload de uma imagem válida. O arquivo enviado não é um arquivo de imagem ou está corrompido." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Esta lista não pode estar vazia." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Esperado um dicionário de itens mas recebeu tipo \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Valor devo ser JSON válido." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Enviar" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Cursor inválido" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Pk inválido \"{pk_value}\" - objeto não existe." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Tipo incorreto. Esperado valor pk, recebeu {data_type}." @@ -368,25 +353,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Hyperlink inválido - Objeto não existe." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Tipo incorreto. Necessário string URL, recebeu {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objeto com {slug_name}={value} não existe." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Valor inválido." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Dado inválido. Necessário um dicionário mas recebeu {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtra" @@ -416,27 +398,23 @@ msgstr "Nenhum(a/as)" msgid "No items to select." msgstr "Nenhum item para escholher." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Esse campo deve ser único." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Os campos {field_names} devem criar um set único." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "O campo \"{date_field}\" deve ser único para a data." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "O campo \"{date_field}\" deve ser único para o mês." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "O campo \"{date_field}\" deve ser único para o ano." @@ -444,15 +422,19 @@ msgstr "O campo \"{date_field}\" deve ser único para o ano." msgid "Invalid version in \"Accept\" header." msgstr "Versão inválida no cabeçalho \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Versão inválida no caminho de URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Versão inválida no hostname." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Versão inválida no parâmetro de query." diff --git a/rest_framework/locale/pt_PT/LC_MESSAGES/django.mo b/rest_framework/locale/pt_PT/LC_MESSAGES/django.mo index 82403c3cad8a9408909e20cbf276b8692e5b2af6..754e181547eb0e92090f8f04a285eb70141ebb66 100644 GIT binary patch delta 90 zcmbQnGL2=zWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WpPi~yoc9VY+) delta 90 zcmbQnGL2=zWG-V}149Kv3oB!biF4%~Av|*+PulKW\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Portuguese (Portugal) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/pt_PT/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: pt_PT\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/ro/LC_MESSAGES/django.mo b/rest_framework/locale/ro/LC_MESSAGES/django.mo index 77dc7d0f23fce6a90c9cf8c60fa31fd568372e46..5a113ab72d84c7bb47d55264e7b4a938aa00e46b 100644 GIT binary patch literal 10895 zcmb`NdyE~|UB{=*6E{sDr6GL~PPQanC%$)g9oum>**MPHZZ>``_S!UUgPEOs_U_no zXKv=td(fJo!e2tiAbkN}mU{sjsWLMT)q%H#7r zXYOnFI<}LJJokI&&N;vHJHPk&t-pKcjlUjnMcg0f-f=?^ya*n;nGde+twC@v_#9}! zUj^?2{}8+f{Cn_j@V`LKzw<|e;A7wvxCJ~2Ho%kMHt-k0Tfjd6p9H@S9sqw(<2;i- z#q%$NPk?_7o&-PifgpGoJPkeyz6>4&zYETS58US8TksIizYTr@d<(o2y#0fozk5Ob z{&S)xD)&a$iLt}`4FEs-|qK&JE(PbfV;sA+ynkTI1m0a*aWxT!CK&FL5({N zPJ&+rCC9%29{~Rq)H)ye(IA)xKM897r@;mA1#k|06BNBWek=$+3f=?i`4Le2cnXx< zlNw*FfB!x327do@Q2YNDD1Cho6dnEeN#JAPUEn-uz|Vjm0@uMC!7qTQAow+K3j7L) zs)KLW__rYcg75JmI&XtAoex0dC%`*FJwE_WgEOG?y9|o&uYnr(&HDKtLD|m_z+K?o zKkoH<6x8zzp!ok2P~-j%G~j=L;_t2xd%HRS-o*2Zpw|Ba_#pTj;0*W;@EP!JQ2RUr z^B)0^*VqBI&ll?FFM`{7{u=o2?+b!|044vw!uaJ6Z-dhBM!Bf2A>6g1v~-11wI8n!KNj@7r|5Do8Ufh24Tu>&Vm;F zQ&4_zKTI433-EK`tDx4s2c{qy90FyZZEzR(#Tvf}KF#z0f}+3hQ`jK*c~J6v2{hpE zf_uO}10M%(=EqNi`@vQ4C2&7@3&N4z9tM8~{2VAgUI8W7?||atjtOs1yFvNGLGVfN z0=NwRG5E8fLHMF~4!j?H0mSrzS3uEu6@+B)R{eb2PkVYhLCLuVYW!&slEFpLfWHGi z0=`;5|2Mde=a1j#{dNKTAkQU;=>)$3>iutmw}P*OlFzs5_kRPT+TdU6_cy^TB!k;Q zLSFC?sP*PR>3I#*_`d{ERq#(Bstj(zS%nkeW8j_|pRe)jp!WNHkSzyyBLt=fkAc!_ z1d9Hb!JEK;18)Vt5AFp257fAwTagWzfb#n{L0AvI17Zrn`w3o>+r6Onu>;inXTbM? zC%LsB+&3UJ_b=ST?N_qWwZ((`e5n2|I?{!%N4cNohAnqV=L_889aD2LRQCG>_ae70 z$!nkc=56bl3aX+{Ar)!>DzPHS+J${N?*AWj+K9ZR(#NjUa z)Y1C8;>wftcLOROeTMt}+`4d8rvu4R*A3i?eexUmj4r}`Kqw1-o;%{cg{BS@33V=~>ra zZrPx&hdnqSmA&fP&3%mfpdPrM;#SPiwcP^>UXRmmRbHGhabeP|G@&^gCUMIwXIWyy zw0Y$b(P|b)_8kUv!*bOOMnSi-n-@B9Vqsr1*lP-#pS8KMd7kAai=ryeZA&jaKXF>x zHt%6Gx6f7a$jh|qEN^;OvHDVW#-_nuzS^{mqp*y#)I`kHW0(|X&F0qayPIcc2= zHCf8NA|gEa7lnz_qJ+e(S@*wOY&sHU+YWYEhdM8d#B{prBs~551Fb|{B=EarfrP)TgTzxJh z!dlxb+sWLjNObc|GZ|xXu(w{n+d9gJ^DKEr+gW2St)&Jx!coEmLHg}@2fV`6#1_T4 zc`!7XhY0!sVxmZ@_JoPDw1|r`#^^Ef#Fi4%Hsd{#FI9@46cJh|#L?>cF0Sb0I81C| z@$3%026vgT)nfFfF(-~467R#)Y$uG9q4DRs7B#itu_b?8u1eE(F-?#1EeMQ`aSk^+ zZgfl>DQ1NEd2KH)ZKvpyEzftYsRQUKJzSg^nVTS&Yn*k!S>Q^XNP5A68W&RJma`=j zUNM3-gTW~A&@}xWA}~{wIjY%4_=;?N7SXIDiqLcW4pX~l6m~0n<%zsjmI#YD>IFkX zFzg3b<&v8F*+_gJg!SHV z5=)Wg{n--7kj${0zQ(upHSL7vG(1=qOSX9ur)NyV3{)VQ6Zxan@dM%RDkF|ApO(T~ z8U7*}+H+XZfLJ$dW5m6^pr(oS?wQ&{C*UM|=jo;LVP9WYmDT8QmrQGm8mE}JR>*L; z>~VU1ls2l^%^qyKqE=Asoa%-}v6kf|?cO@hYKIxN%%fC`Q>+P6k+&9^S>Y4lx$%ALjF#mOGEK-eFq($|c01y$wsto1A?0 z3Im*p4J@pqAnSJC6R$iMbLPmh^xmsz7wZD|Sp+B2a2b!nF_NsUSmGR@ms*DNO_Q-j z)$L}v$`Cw14!!Nj;d!Xb1kvb+gcIE)3stlDbVfCeeH(Asta?7HOy!0^QBG~~KI$-M zu|zfvSLqbGbX#?`u%{7l`pDgf2_qLyR3o;hS;l|8%GqY=U=Aj3tXQrna*f?g-#tJiI#_gP)+40~s*Oo(+`i-SLOp7EevwRk* zXB|X5znZJ2wdS!h>pa07)ju?&tn)b2(sqT|8%s9q%$j4&NniTJSN%min>D+ae#b{>k)SaO>7R z+h=FCZhdsiQ1c+I44YTj>a`ZUISuy@dSfz^b>H}{xZ>dKOz!ff@uQ*;{}>vX7h;V$k{%H$%<#pP?Sq-Ac~y~!J2bHIUC z@2v|I_>T&8wH8+BHRRSE>0xo>@0^YpNFpJUuT*&&UvSZSFIp|Dq}O8LD4(Rf_P((NizVRgnm=k53umJL8SG+*~>hR;O zXcF9_;eN#YYcF@YngDa|m?VMu@jnFW`_!iRq4T`Ah}#fmvyHQtFPVs2#-JLSubnU^ zmL*izc6{^Vf^TM!Ij@&c-Mxt76@(;V*4>Niq%+#Y=u^YDF;2MdR%s;d){Ktj(`nX3 z(w;Mk$R^A~Bz)+!;O2X1I$=L7?|&<^l2O?P`vS_l8$Fc&?FLEzO)Ujetc?t^KYUT-2$6W%n9lQ>dT^F^kgEyolOh-$;~Wvn2zu?;iK0cD%_f9)@^ zvZ=9THW5)DMt14~VII4_OdZuX$8?Tn9Nyqi^=DTnHTT#w!>lMH9XqsX53YFc6^B=u z-#v4+=`N3m!R7D*=20KZn}#I8_BV4rl#M*kRFW;1!U#HwWxjhuuu*~B2ls9u8x%wooY^(=p$aE+dx6{vz4H~L5%DJ{FPsG%UjyZPj98Pd2Z zN1Y!a?m=Rsv<}-&f;AsnZgE3zXuzWPqzx3jZe640x-4c$-eXCOvyCnum{+7oHKW+Z zcxxEgQq8(Dm9xMNT)z7y`UdCgw|X7=9?DjgFPu0Rm?^Uu=9#ib?M#!GFVTZPS?8J| zsk?)X3fKN`&VxentuR$Lp_r=^(B^?EX+xRA6-Ovzc&}=Q7h2NvMpACYx)oLXrRs+~ zYm*A87*}mPr>m&+>lZ!TY|O3m-t7lLvraNrSL{?J1~CUqW1I;DO6t8w59 z_FT=s(O%fFf2n}C7u-3FgCemfj{Khm%L*!OeAZRO zuTurK#1rQ!El|;GM#0n85j?I&-@->X6GP~1 z)70UY9BoEtj%=D#qn-9lfXpO2SAyzw%&vWMf|QnMn3Qx;H7(bXC*BaLf?H$Exj+*ucZrYgC1P)+UHY> z`8;w*Nd+i{tbSOD=Sprj>`2C0F8$#=w}xr}uU3>6G5 ztc)!tJBrIWLb&EYuC@UXaQP$_m*|ERCFT|9B$nhCSt&#$mSv_EDfkzq, 2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Romanian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ro/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,441 +18,423 @@ msgstr "" "Language: ro\n" "Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." -msgstr "" +msgstr "Antet de bază invalid. Datele de autentificare nu au fost furnizate." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." -msgstr "" +msgstr "Antet de bază invalid. Şirul de caractere cu datele de autentificare nu trebuie să conțină spații." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." -msgstr "" +msgstr "Antet de bază invalid. Datele de autentificare nu au fost corect codificate în base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." -msgstr "" +msgstr "Nume utilizator / Parolă invalid(ă)." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." -msgstr "" - -#: authentication.py:173 -msgid "Invalid token header. No credentials provided." -msgstr "" +msgstr "Utilizator inactiv sau șters." #: authentication.py:176 -msgid "Invalid token header. Token string should not contain spaces." -msgstr "" +msgid "Invalid token header. No credentials provided." +msgstr "Antet token invalid. Datele de autentificare nu au fost furnizate." -#: authentication.py:182 +#: authentication.py:179 +msgid "Invalid token header. Token string should not contain spaces." +msgstr "Antet token invalid. Şirul de caractere pentru token nu trebuie să conțină spații." + +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." -msgstr "" +msgstr "Antet token invalid. Şirul de caractere pentru token nu trebuie să conțină caractere nevalide." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." -msgstr "" +msgstr "Token nevalid." #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Token de autentificare" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Cheie" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Utilizator" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Creat" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Tokenuri" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Nume de utilizator" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Parola" #: authtoken/serializers.py:20 msgid "User account is disabled." -msgstr "" +msgstr "Contul de utilizator este dezactivat." #: authtoken/serializers.py:23 msgid "Unable to log in with provided credentials." -msgstr "" +msgstr "Nu se poate conecta cu datele de conectare furnizate." #: authtoken/serializers.py:26 msgid "Must include \"username\" and \"password\"." -msgstr "" +msgstr "Trebuie să includă \"numele de utilizator\" și \"parola\"." #: exceptions.py:49 msgid "A server error occurred." -msgstr "" +msgstr "A apărut o eroare pe server." #: exceptions.py:84 msgid "Malformed request." -msgstr "" +msgstr "Cerere incorectă." #: exceptions.py:89 msgid "Incorrect authentication credentials." -msgstr "" +msgstr "Date de autentificare incorecte." #: exceptions.py:94 msgid "Authentication credentials were not provided." -msgstr "" +msgstr "Datele de autentificare nu au fost furnizate." #: exceptions.py:99 msgid "You do not have permission to perform this action." -msgstr "" +msgstr "Nu aveți permisiunea de a efectua această acțiune." #: exceptions.py:104 views.py:81 msgid "Not found." -msgstr "" +msgstr "Nu a fost găsit(ă)." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." -msgstr "" +msgstr "Metoda \"{method}\" nu este permisa." #: exceptions.py:120 msgid "Could not satisfy the request Accept header." -msgstr "" +msgstr "Antetul Accept al cererii nu a putut fi îndeplinit." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." -msgstr "" +msgstr "Cererea conține tipul media neacceptat \"{media_type}\"" #: exceptions.py:145 msgid "Request was throttled." -msgstr "" +msgstr "Cererea a fost gâtuită." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." -msgstr "" +msgstr "Acest câmp este obligatoriu." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." -msgstr "" +msgstr "Acest câmp nu poate fi nul." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." -msgstr "" +msgstr "\"{input}\" nu este un boolean valid." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." -msgstr "" +msgstr "Acest câmp nu poate fi gol." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." -msgstr "" +msgstr "Asigurați-vă că acest câmp nu are mai mult de {max_length} caractere." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." -msgstr "" +msgstr "Asigurați-vă că acest câmp are cel puțin{min_length} caractere." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." -msgstr "" +msgstr "Introduceți o adresă de email validă." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." -msgstr "" +msgstr "Această valoare nu se potrivește cu şablonul cerut." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." -msgstr "" +msgstr "Introduceți un \"slug\" valid format din litere, numere, caractere de subliniere sau cratime." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." -msgstr "" +msgstr "Introduceți un URL valid." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." -msgstr "" +msgstr "\"{value}\" nu este un UUID valid." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." -msgstr "" +msgstr "Introduceți o adresă IPv4 sau IPv6 validă." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." -msgstr "" +msgstr "Este necesar un întreg valid." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." -msgstr "" +msgstr "Asigurați-vă că această valoare este mai mică sau egală cu {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." -msgstr "" +msgstr "Asigurați-vă că această valoare este mai mare sau egală cu {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." -msgstr "" +msgstr "Valoare șir de caractere prea mare." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." -msgstr "" +msgstr "Este necesar un număr valid." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." -msgstr "" +msgstr "Asigurați-vă că nu există mai mult de {max_digits} cifre în total." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." -msgstr "" +msgstr "Asigurați-vă că nu există mai mult de {max_decimal_places} zecimale." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." -msgstr "" +msgstr "Asigurați-vă că nu există mai mult de {max_whole_digits} cifre înainte de punctul zecimal." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Câmpul datetime are format greșit. Utilizați unul dintre aceste formate în loc: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." -msgstr "" +msgstr "Se aștepta un câmp datetime, dar s-a primit o dată." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Data are formatul greșit. Utilizați unul dintre aceste formate în loc: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." -msgstr "" +msgstr "Se aștepta o dată, dar s-a primit un câmp datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Timpul are formatul greșit. Utilizați unul dintre aceste formate în loc: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Durata are formatul greșit. Utilizați unul dintre aceste formate în loc: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." -msgstr "" +msgstr "\"{input}\" nu este o opțiune validă." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." -msgstr "" +msgstr "Mai mult de {count} articole ..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." -msgstr "" +msgstr "Se aștepta o listă de elemente, dar s-a primit tip \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." -msgstr "" +msgstr "Această selecție nu poate fi goală." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." -msgstr "" +msgstr "\"{input}\" nu este o cale validă." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." -msgstr "" +msgstr "Nici un fișier nu a fost sumis." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." -msgstr "" +msgstr "Datele prezentate nu sunt un fișier. Verificați tipul de codificare de pe formular." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." -msgstr "" +msgstr "Numele fișierului nu a putut fi determinat." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." -msgstr "" +msgstr "Fișierul sumis este gol." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." -msgstr "" +msgstr "Asigurați-vă că acest nume de fișier are cel mult {max_length} caractere (momentan are {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." -msgstr "" +msgstr "Încărcați o imagine validă. Fișierul încărcat a fost fie nu o imagine sau o imagine coruptă." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." -msgstr "" +msgstr "Această listă nu poate fi goală." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." -msgstr "" +msgstr "Se aștepta un dicționar de obiecte, dar s-a primit tipul \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." -msgstr "" +msgstr "Valoarea trebuie să fie JSON valid." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "Sumiteţi" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "Pagină nevalidă." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" -msgstr "" +msgstr "Cursor nevalid" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." -msgstr "" +msgstr "Pk \"{pk_value}\" nevalid - obiectul nu există." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." -msgstr "" +msgstr "Tip incorect. Se aștepta un pk, dar s-a primit \"{data_type}\"." #: relations.py:240 msgid "Invalid hyperlink - No URL match." -msgstr "" +msgstr "Hyperlink nevalid - Nici un URL nu se potrivește." #: relations.py:241 msgid "Invalid hyperlink - Incorrect URL match." -msgstr "" +msgstr "Hyperlink nevalid - Potrivire URL incorectă." #: relations.py:242 msgid "Invalid hyperlink - Object does not exist." -msgstr "" +msgstr "Hyperlink nevalid - Obiectul nu există." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." -msgstr "" +msgstr "Tip incorect. Se aștepta un URL, dar s-a primit \"{data_type}\"." + +#: relations.py:401 +msgid "Object with {slug_name}={value} does not exist." +msgstr "Obiectul cu {slug_name}={value} nu există." #: relations.py:402 -#, python-brace-format -msgid "Object with {slug_name}={value} does not exist." -msgstr "" - -#: relations.py:403 msgid "Invalid value." -msgstr "" +msgstr "Valoare nevalidă." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." -msgstr "" +msgstr "Date nevalide. Se aștepta un dicționar de obiecte, dar s-a primit \"{datatype}\"." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "Filtre" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "Filtre câmpuri" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "Ordonare" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "Căutare" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 #: templates/rest_framework/vertical/radio.html:2 msgid "None" -msgstr "" +msgstr "Nici unul/una" #: templates/rest_framework/horizontal/select_multiple.html:2 #: templates/rest_framework/inline/select_multiple.html:2 #: templates/rest_framework/vertical/select_multiple.html:2 msgid "No items to select." -msgstr "" +msgstr "Nu există elemente pentru a fi selectate." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." -msgstr "" +msgstr "Acest câmp trebuie să fie unic." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." -msgstr "" +msgstr "Câmpurile {field_names} trebuie să formeze un set unic." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." -msgstr "" +msgstr "Acest câmp trebuie să fie unic pentru data \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." -msgstr "" +msgstr "Acest câmp trebuie să fie unic pentru luna \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." -msgstr "" +msgstr "Acest câmp trebuie să fie unic pentru anul \"{date_field}\"." #: versioning.py:42 msgid "Invalid version in \"Accept\" header." -msgstr "" +msgstr "Versiune nevalidă în antetul \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." +msgstr "Versiune nevalidă în calea URL." + +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." msgstr "" -#: versioning.py:144 +#: versioning.py:147 msgid "Invalid version in hostname." -msgstr "" +msgstr "Versiune nevalidă în numele de gazdă." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." -msgstr "" +msgstr "Versiune nevalid în parametrul de interogare." #: views.py:88 msgid "Permission denied." -msgstr "" +msgstr "Permisiune refuzată." diff --git a/rest_framework/locale/ru/LC_MESSAGES/django.mo b/rest_framework/locale/ru/LC_MESSAGES/django.mo index ac67f09a3be91baa792881c22e91fe1d9dac66f8..be0620a3328bfbfca68e546d34b94bbe152402ca 100644 GIT binary patch delta 3379 zcmZYAe^8Xi8Nl%c6a)kUgkRCpkhQLh=NiRlh}iM6HbpiygPKP(*kNW z22xtrG-)%b)&7_^GjWIq6I8%zC(}%I%=>00GiftT>!g{ z_WkU>_ulTayU%<4Y0uxg`aa5=_L8D>QfE_ZQj|K4O{rWcJu{Rl#e=BPU>T0$9Q-{N z<6V^R=cOw(3zuOAZo>*}$EA1z)9_8)s8pZ2Ok*=QzDn4@w;Jicfa~!+Y{&derB>m7 zd;~AxHv9M~ZN?W-w(vt-j2`ys0Pe;^ zcpcB+YN9@hH<7VbBM-~>11PW86?_ao!CLfivmQH8em5@Q3<>RX8Z1VAiA(VzGDKd( zMwGKUgc9*ZT#N5x1?KUv9MyUx?^H8BiXF(})p?wWZzHFq-a|>czhVZ?V~}OCH5D{? zW7N}l7<=#u{1gdZZ6q2=mH^61&Y}c(lgl3bCq9L3WSaCxa1EyOu1UZRC=>UiBJ{;%S%d58AH%u$Yutbz;|?sVQ7Q>#3<)Hk znn}G^WUO>58zFJTx5I64VGOrOQpvGMk%WAlDv2sZRcyU(Ofwd^&~Z!DrFXRx2&I6)h#Jpi>Q)Ba*k3Sph|Lmo!UuFqe>~I=DMwa zU#8J~hAKzdM3tOrrq)rtR8GbH%>Xx{cVeF;h?I3yNxJ_m^>hlU^Ak6p##E}jZc^mT zXS=QVn<7ne(fxgp_G)S?b(?f3Tc|m1EB-4=)3l^En%>l+X+7R(ml;g`)(pKXbifL# z4W>S`#LP|Gkk$~kyiv<%_N5KZ*wh>LM*X3n>B+5+eU=tX&fmJ@P>l|SHP&jc&lk2L zrZM9$1)Kd=z^9+}2clLuqBh5kt;j4$PVqixnRQvOquo?+u#@_1XzcJqV0VgIU% z>gBq+wyt`Gr>eTDDq}}WMXPnlFYBn-#Ie-rI!wU&W5fq>+oB8Z8X%qp4yqX5&K^Liez)Npr+)SbKE&*kJ%I29<`^m zbHX06FWXn`5p%uZlkyAplzoLyC$&A2cyN-($9Zg=4@R7mIIhf{IoiBkcs%nw&%eb$ zBle`3DDs$tMemrYq6OF-TT^^9Wz{HyU3LZ-;}WCD#8;gmd(s)SFEfQb>h#-V&Vb}s zjb`Yp_PCpCX78+pvEtchlFEN7cby^UnA7hJYWo@!UX?MG{a>G$>N&-+Up;&`Wx+Lu z9Ff`LGZFK!mH^z_lLT>+wT{d$Fx%&*#%`C^BqdFnW?hu+4Dgi+zQ_d5pvj#-D>gDO zGdb;tbid=AGM5*$R=nZPJs}&!TBhtv+J4i0e#m*=9@EY#KAE_e%_hCHj9$pA5X%KWUXz4@Gc;0((#*;iPC+m*BEmzg<@ab=%ldD3Nv zlzo;bWTD6HYnoFTv1Kd9oYNAnxm#9~&WL<{z`kNU3zz5qh$Y}nej>}I%par&8i!Aj3mE&ibJezqw4e$yF@r7r1DGVgkd%n8rX^jGW&XW0DM hQ<9_Xm+eX7l{In>rfE@$xn7i?I-%Y7A!}*dzW}AZ2VDRF delta 1917 zcmZA1Uu;uV9Ki9@vaMTj8~fME){R@Yf&0_0TL&v;vOkK04P;x${xHaBT$O2A-P&!A z8S5U9WC_uDV326UglM8fiCm%)@j(btiP?)jmqM_%9|HzrWl1pugnwbI!eO z?>WEUx##!8-wr3gDa<&fh#s1o7PTuC!7CYj5Pexnd9WW1jAJF9#Cy?1`Q7JOjz6Lo zGaX7bU;w-D5I&6Oup4h66lH{QiU>~W?h za1g5)A5Hrz%Ku!&&GUFhcdDkL2oO5aGJtn3U*s?Xylyn!yf zg9hg0E5)Kz9X8@-l=~4Z#b;0^b`mA!*HNC6yDoLV4wG`Bi;mQ847cC{N~$lW$G1^d z;3-Hws12p2QLM)c*o0r>2<9^T_4s(&MQmpLG7hl6R&a>1r-c0Pq%&WVs>xMsWPBH; zBwm&y6FGuA@O2!;pKu1dS>{pv2$o3@8TBx1KZKZmwRy% z`Kh{$4R{MBvq@)7YDQhy#)Szi#y4;~euz@rzfelk!1U+v0FL07Sc^V(sBF?ngBZn+@fz;LW9+yNT){rfXE`B`$-&>o`o(Eg1IeI$FAzL_1@`*Vi$2RTdTl5^6o-MKf-yu4z&_OCmk9R=6) zNu)lef}ucAca~OmriQHy>-~gtcQ~H#?wbxz#-rgxY&v8Nhi4}u)5hNE@z~VN zywUb_EY<6XPE5vTC&K1yr2)IHD*H~aR(td#<%@d2U8^(QpX$ZR3UjpLoi%#FQ*1uw zdC6vas`4}RCpCp;bW^KM8#Q(2q1qR0`p>#PJy(BL_c!$GUmBXV&+9j*ykFS0>Ho?+ P*YvDShXPA_V@uyZH5&6| diff --git a/rest_framework/locale/ru/LC_MESSAGES/django.po b/rest_framework/locale/ru/LC_MESSAGES/django.po index 980a9e5b4..b73270906 100644 --- a/rest_framework/locale/ru/LC_MESSAGES/django.po +++ b/rest_framework/locale/ru/LC_MESSAGES/django.po @@ -5,14 +5,15 @@ # Translators: # Kirill Tarasenko, 2015 # koodjo , 2015 -# Mikhail Dmitriev , 2015 +# Mike TUMS , 2015 +# Sergei Sinitsyn , 2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Russian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,74 +21,74 @@ msgstr "" "Language: ru\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Недопустимый заголовок. Не предоставлены учетные данные." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Недопустимый заголовок. Учетные данные не должны содержать пробелов." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Недопустимый заголовок. Учетные данные некорректно закодированны в base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Недопустимые имя пользователя или пароль." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Пользователь неактивен или удален." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Недопустимый заголовок токена. Не предоставлены учетные данные." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Недопустимый заголовок токена. Токен не должен содержать пробелов." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." -msgstr "" +msgstr "Недопустимый заголовок токена. Токен не должен содержать недопустимые символы." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Недопустимый токен." #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Токен аутентификации" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Ключ" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Пользователь" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Создан" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Токен" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Токены" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Имя пользователя" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Пароль" #: authtoken/serializers.py:20 msgid "User account is disabled." @@ -126,7 +127,6 @@ msgid "Not found." msgstr "Не найдено." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Метод \"{method}\" не разрешен." @@ -135,7 +135,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Невозможно удовлетворить \"Accept\" заголовок запроса." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Неподдерживаемый тип данных \"{media_type}\" в запросе." @@ -143,214 +142,201 @@ msgstr "Неподдерживаемый тип данных \"{media_type}\" в msgid "Request was throttled." msgstr "Запрос был проигнорирован." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Это поле обязательно." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Это поле не может быть null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" не является корректным булевым значением." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Это поле не может быть пустым." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Убедитесь что в этом поле не больше {max_length} символов." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Убедитесь что в этом поле как минимум {min_length} символов." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Введите корректный адрес электронной почты." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Значение не соответствует требуемому паттерну." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Введите корректный \"slug\", состоящий из букв, цифр, знаков подчеркивания или дефисов." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Введите корректный URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" не является корректным UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." -msgstr "" +msgstr "Введите действительный адрес IPv4 или IPv6." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Требуется целочисленное значение." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Убедитесь что значение меньше или равно {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Убедитесь что значение больше или равно {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Слишком длинное значение." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Требуется численное значение." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Убедитесь что в числе не больше {max_digits} знаков." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Убедитесь что в числе не больше {max_decimal_places} знаков в дробной части." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Убедитесь что в цисле не больше {max_whole_digits} знаков в целой части." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Неправильный формат datetime. Используйте один из этих форматов: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Ожидался datetime, но был получен date." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Неправильный формат date. Используйте один из этих форматов: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Ожидался date, но был получен datetime." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Неправильный формат времени. Используйте один из этих форматов: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Неправильный формат. Используйте один из этих форматов: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" не является корректным значением." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." -msgstr "" +msgstr "Элементов больше чем {count}" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Ожидался list со значениями, но был получен \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." -msgstr "" +msgstr "Выбор не может быть пустым." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." -msgstr "" +msgstr "\"{input}\" не является корректным путем до файла" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Не был загружен файл." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Загруженный файл не является корректным файлом. " -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Невозможно определить имя файла." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Загруженный файл пуст." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Убедитесь что имя файла меньше {max_length} символов (сейчас {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Загрузите корректное изображение. Загруженный файл не является изображением, либо является испорченным." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." -msgstr "" +msgstr "Этот список не может быть пустым." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Ожидался словарь со значениями, но был получен \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." -msgstr "" +msgstr "Значение должно быть правильным JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "Отправить" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "Неправильная страница" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Не корректный курсор" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Недопустимый первичный ключ \"{pk_value}\" - объект не существует." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Некорректный тип. Ожилалось значение первичного ключа, получен {data_type}." @@ -367,75 +353,68 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Недопустимая ссылка - объект не существует." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Некорректный тип. Ожидался URL, получен {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Объект с {slug_name}={value} не существует." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Недопустимое значение." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Недопустимые данные. Ожидался dictionary, но был получен {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "Фильтры" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "Фильтры полей" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "Порядок сортировки" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "Поиск" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 #: templates/rest_framework/vertical/radio.html:2 msgid "None" -msgstr "" +msgstr "Ничего" #: templates/rest_framework/horizontal/select_multiple.html:2 #: templates/rest_framework/inline/select_multiple.html:2 #: templates/rest_framework/vertical/select_multiple.html:2 msgid "No items to select." -msgstr "" +msgstr "Нет элементов для выбора" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Это поле должно быть уникально." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Поля {field_names} должны производить массив с уникальными значениями." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Это поле должно быть уникально для даты \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Это поле должно быть уникально для месяца \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Это поле должно быть уникально для года \"{date_field}\"." @@ -443,18 +422,22 @@ msgstr "Это поле должно быть уникально для года msgid "Invalid version in \"Accept\" header." msgstr "Недопустимая версия в заголовке \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Недопустимая версия в пути URL." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Недопустимая версия в имени хоста." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Недопустимая версия в параметре запроса." #: views.py:88 msgid "Permission denied." -msgstr "" +msgstr "Доступ запрещен" diff --git a/rest_framework/locale/sk/LC_MESSAGES/django.mo b/rest_framework/locale/sk/LC_MESSAGES/django.mo index 83237889833cddac18370ba584b677f8c4fbdcf3..dda693e32c59738c5bcd1218feb7157b3a5a6078 100644 GIT binary patch delta 118 zcmX@?dDwG!EqWfqrYrYhK!+tSB(nej delta 118 zcmX@?dDwGmAfdN;5ziv=!S!Qu&ex9yNVo9o%f{}rtnXUmu zojF*Y0Z^S!VsVLXNKs;5aZX}Mevy?zL}FQHYLS9}QA&PcX{CZqMLvY(kdv90UzVA; Jd7`k9AOQYSB=rCQ diff --git a/rest_framework/locale/sk/LC_MESSAGES/django.po b/rest_framework/locale/sk/LC_MESSAGES/django.po index 208c063ac..1c22d09f0 100644 --- a/rest_framework/locale/sk/LC_MESSAGES/django.po +++ b/rest_framework/locale/sk/LC_MESSAGES/django.po @@ -8,9 +8,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Slovak (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/sk/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: sk\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Nesprávna hlavička. Neboli poskytnuté prihlasovacie údaje." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Nesprávna hlavička. Prihlasovacie údaje nesmú obsahovať medzery." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Nesprávna hlavička. Prihlasovacie údaje nie sú správne zakódované pomocou metódy base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Nesprávne prihlasovacie údaje." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Daný používateľ je neaktívny, alebo zmazaný." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Nesprávna token hlavička. Neboli poskytnuté prihlasovacie údaje." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Nesprávna token hlavička. Token hlavička nesmie obsahovať medzery." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Nesprávny token." @@ -59,23 +59,23 @@ msgstr "Nesprávny token." msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Nebolo nájdené." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metóda \"{method}\" nie je povolená." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Nie je možné vyhovieť požiadavku v hlavičke \"Accept\"." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Požiadavok obsahuje nepodporovaný media type: \"{media_type}\"." @@ -141,214 +139,201 @@ msgstr "Požiadavok obsahuje nepodporovaný media type: \"{media_type}\"." msgid "Request was throttled." msgstr "Požiadavok bol obmedzený, z dôvodu prekročenia limitu." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Toto pole je povinné." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Toto pole nemôže byť nulové." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" je validný boolean." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Toto pole nemože byť prázdne." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Uistite sa, že toto pole nemá viac ako {max_length} znakov." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Uistite sa, že toto pole má viac ako {min_length} znakov." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Vložte správnu emailovú adresu." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Toto pole nezodpovedá požadovanému formátu." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Zadajte platný \"slug\", ktorý obsahuje len malé písmená, čísla, spojovník alebopodtržítko." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Zadajte platnú URL adresu." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" nie je platné UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Je vyžadované celé číslo." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Uistite sa, že hodnota je menšia alebo rovná {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Uistite sa, že hodnota je väčšia alebo rovná {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Zadaný textový reťazec je príliš dlhý." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Je vyžadované číslo." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Uistite sa, že hodnota neobsahuje viac ako {max_digits} cifier." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Uistite sa, že hodnota neobsahuje viac ako {max_decimal_places} desatinných miest." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Uistite sa, že hodnota neobsahuje viac ako {max_whole_digits} cifier pred desatinnou čiarkou." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Nesprávny formát dátumu a času. Prosím použite jeden z nasledujúcich formátov: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Vložený len dátum - date namiesto dátumu a času - datetime." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Nesprávny formát dátumu. Prosím použite jeden z nasledujúcich formátov: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Vložený dátum a čas - datetime namiesto jednoduchého dátumu - date." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Nesprávny formát času. Prosím použite jeden z nasledujúcich formátov: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" je nesprávny výber z daných možností." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Bol očakávaný zoznam položiek, no namiesto toho bol nájdený \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Nebol odoslaný žiadny súbor." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Odoslané dáta neobsahujú súbor. Prosím skontrolujte kódovanie - encoding type daného formuláru." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Nebolo možné určiť meno súboru." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Odoslaný súbor je prázdny." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Uistite sa, že meno súboru neobsahuje viac ako {max_length} znakov. (V skutočnosti ich má {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Uploadujte prosím obrázok. Súbor, ktorý ste uploadovali buď nie je obrázok, alebo daný obrázok je poškodený." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Bol očakávaný slovník položiek, no namiesto toho bol nájdený \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Nesprávny kurzor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Nesprávny primárny kľúč \"{pk_value}\" - objekt s daným primárnym kľúčom neexistuje." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Nesprávny typ. Bol prijatý {data_type} namiesto primárneho kľúča." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Nesprávny hypertextový odkaz - požadovný objekt neexistuje." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Nesprávny typ {data_type}. Požadovaný typ: hypertextový odkaz." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekt, ktorého atribút \"{slug_name}\" je \"{value}\" neexistuje." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Nesprávna hodnota." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Bol očakávaný slovník položiek, no namiesto toho bol nájdený \"{datatype}\"." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -413,27 +395,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Táto položka musí byť unikátna." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Dané položky: {field_names} musia tvoriť musia spolu tvoriť unikátnu množinu." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Položka musí byť pre špecifický deň \"{date_field}\" unikátna." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Položka musí byť pre mesiac \"{date_field}\" unikátna." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Položka musí byť pre rok \"{date_field}\" unikátna." @@ -441,15 +419,19 @@ msgstr "Položka musí byť pre rok \"{date_field}\" unikátna." msgid "Invalid version in \"Accept\" header." msgstr "Nesprávna verzia v \"Accept\" hlavičke." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Nesprávna verzia v URL adrese." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Nesprávna verzia v \"hostname\"." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Nesprávna verzia v parametri požiadavku." diff --git a/rest_framework/locale/sv/LC_MESSAGES/django.mo b/rest_framework/locale/sv/LC_MESSAGES/django.mo index d560de6e148ec09886153f5ccc95854ea689da9d..cbecec44db41c28528e50379a8db597b0f7bb909 100644 GIT binary patch delta 2471 zcmY+^e@sv_(-_c_mx z?{hAz}TiHam+MzGn>g)*3GOff!*7RGTAp29->73bhTsQ>4r88Z*d za5^?&DR$s;d=UfqF>Wv>Wt?U6}UW;hv6>N@Al&Z_%3QCFW^%A3p04WDabOW97|9g?7#={FxKLas17r;jhTyu zsP-DvOtzqw{($F*cYh3%xPKnC0u!h$yN2pVH)AC@k4io^poN{7i_c&(9z}M+ypCmf z9NBJj(eoGNW3F*gKetfnGlNcMV-Bjl6w5J)+TyNU_Fp4E>HY8=sy&HHqPtjyb7r}F zyA9PojGDn$sNY>i3#U*6%+GU@%QRvN?Ge-fj^Z+W6N7jrkM-Y4S*b_lm(JHCun_&e6&Y?iSVJ8&b8qyBdTJ1}@3`G&D0R5X&0 zkiN|~r~yrSrjs$+t2G$H=a3U;&Y%W5fkpTeY64TJV_L?|X55Rr@DzqH%Oa7n73*~V zZ7SN6cTmUV0xrQR)G;h7c9*ymL$r5eBfgFGcpW()reuM8ysA;{PSlq4p$2#q8JqbK z^}Gr6^L%rg3VCCE{F=T@K58YZQ3Gj1eg7<~qhntC6I61YLmkH-Q0MwL3}E1XW704a zHRA%T!6lfCJvg7|n_enf%0sBEd7V16GNlYVDw6)tce=Vs>5~0^+9kGK@Q6?+-o*=r30HLBp&30<{ zF3D82UFn359=m29BDAG8Q9-m5D%xJ%JgPCI$YX5WJjV0 z?BRi-8moQZK))Te8uktKMu&UD*1F+={t(ga-AEkI&zY7otTD$&=j`*h_1S}VPa>_r z7f7+9y*+lqXI=F9TMl;jg%2by7H9g>n$Lb34M#NQD+`K}{y*kBi@x`TlO}DjMv!=Jr>6Y7dbI#41&bzib?bgh-_De7?TyQi!+NK#4 zM_|w&fx@>eB+}T*A_(z_S{hM_L{M3fIWi%^e%QNHANKw}KA*4m{qcE! z-k+}@Z=dT+UoOde#b~3%y~J-hW@$XLfCKF#zgZQ|Vi14ATD*nJuzI1{-55h%KZ^I@ z)7Xd(HsELY0A9n**i?`;Z3pP|aN<*pqQB5=5Vv3}9>aG05#w08$Si`7q5l0S_Tu+g zgUjzQE5T0G3k{;qPkO$Jy5DJR(NzDYb0;SnIWQ?}N6oMk^`IoS;S6rVpRp4wi_Aip zK>qA72mS6C*5O4|=6s9I?!y`kV;_bvja!xK_vviJe~@cz-4e5<*o_+RLd_tBnvvsq z(mVe(YQ}${mL#v(y}kxlG48+sK7m1e4omS3Oy|)#MThL#hj>4Jjx3X1N8R`)>IOv& z^05}nvB4X6VVH3owUp1IUi2*LcfWY!8>rd{@bq=Krj-0^4U^u9H&HXci2C857{tYQ zxi1z*711tSjnmkK-{J`R%FHTohvz=eL%4?X@8Xv}vrDLnzEw{CmD(S8&9!&~H4ahI zdXaw5J)SRO1Lvo4J)Xy{Sjbc3IDi@-N7cx$7{w4b8^9E5=4Y`3Z>H&NrxRhiUHB5} z!tZbp%gCeFa2!d7y^LI9@1S1f3(wzCsjsYbA2^0=2zwi~WT$XB&fqdF0Qoa?s5E)$W6!|Jb9{TYD zYGRi$qWyo3j&?ykuR|6sgi2W)Rb2h3B|3<#id{hd>^cW6O<;xlz39MAjCW%cXK*84 zMg6{pkBaQ^d=hJUz8#{Ylzo5^yoD>VmBUWliOS3;$i3_m2GPgURZP|B!~a{e*U>B~ z^z28e8+!M*Ua zH!(TYI53geJ2{@1N=-z9!-@ULv5DZeiQTEE_B|8aa3JOOqT|WEsr|`B=6HEYj&rVJ kWP0UNe`amfIbX(CQ{>B3tXP)obglZzsi, 2015 -# Joakim Soderlund, 2015 +# Joakim Soderlund, 2015-2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Swedish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/sv/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,74 +19,74 @@ msgstr "" "Language: sv\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Ogiltig \"basic\"-header. Inga användaruppgifter tillhandahölls." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Ogiltig \"basic\"-header. Strängen för användaruppgifterna ska inte innehålla mellanslag." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Ogiltig \"basic\"-header. Användaruppgifterna är inte korrekt base64-kodade." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Ogiltigt användarnamn/lösenord." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Användaren borttagen eller inaktiv." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Ogiltig \"token\"-header. Inga användaruppgifter tillhandahölls." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Ogiltig \"token\"-header. Strängen ska inte innehålla mellanslag." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Ogiltig \"token\"-header. Strängen ska inte innehålla ogiltiga tecken." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Ogiltig \"token\"." #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Autentiseringstoken" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Nyckel" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Användare" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Skapad" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Token" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Tokens" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Användarnamn" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Lösenord" #: authtoken/serializers.py:20 msgid "User account is disabled." @@ -125,7 +125,6 @@ msgid "Not found." msgstr "Hittades inte." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "Metoden \"{method}\" tillåts inte." @@ -134,7 +133,6 @@ msgid "Could not satisfy the request Accept header." msgstr "Kunde inte tillfredsställa förfrågans \"Accept\"-header." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "Medietypen \"{media_type}\" stöds inte." @@ -142,214 +140,201 @@ msgstr "Medietypen \"{media_type}\" stöds inte." msgid "Request was throttled." msgstr "Förfrågan stoppades eftersom du har skickat för många." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Det här fältet är obligatoriskt." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Det här fältet får inte vara null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" är inte ett giltigt booleskt värde." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Det här fältet får inte vara blankt." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Se till att detta fält inte har fler än {max_length} tecken." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Se till att detta fält har minst {min_length} tecken." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Ange en giltig mejladress." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Det här värdet matchar inte mallen." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Ange en giltig \"slug\" bestående av bokstäver, nummer, understreck eller bindestreck." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Ange en giltig URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value} är inte ett giltigt UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Ange en giltig IPv4- eller IPv6-adress." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Ett giltigt heltal krävs." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Se till att detta värde är mindre än eller lika med {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Se till att detta värde är större än eller lika med {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "Textvärdet är för långt." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Ett giltigt nummer krävs." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Se till att det inte finns fler än totalt {max_digits} siffror." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Se till att det inte finns fler än {max_decimal_places} decimaler." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Se till att det inte finns fler än {max_whole_digits} siffror före decimalpunkten." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datumtiden har fel format. Använd ett av dessa format istället: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Förväntade en datumtid men fick ett datum." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Datumet har fel format. Använde ett av dessa format istället: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Förväntade ett datum men fick en datumtid." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Tiden har fel format. Använd ett av dessa format istället: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Perioden har fel format. Använd ett av dessa format istället: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" är inte ett giltigt val." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "Fler än {count} objekt..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Förväntade en lista med element men fick typen \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Det här valet får inte vara tomt." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" är inte ett giltigt val för en sökväg." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Ingen fil skickades." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Den skickade informationen var inte en fil. Kontrollera formulärets kodningstyp." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Inget filnamn kunde bestämmas." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Den skickade filen var tom." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Se till att det här filnamnet har högst {max_length} tecken (det har {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Ladda upp en giltig bild. Filen du laddade upp var antingen inte en bild eller en skadad bild." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Den här listan får inte vara tom." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Förväntade en \"dictionary\" med element men fick typen \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Värdet måste vara giltig JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Skicka" -#: pagination.py:189 -msgid "Invalid page." +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:407 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 +msgid "Invalid page." +msgstr "Ogiltig sida." + +#: pagination.py:427 msgid "Invalid cursor" msgstr "Ogiltig cursor." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Ogiltigt pk \"{pk_value}\" - Objektet finns inte." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Felaktig typ. Förväntade pk-värde, fick {data_type}." @@ -366,25 +351,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Ogiltig hyperlänk - Objektet finns inte." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Felaktig typ. Förväntade URL-sträng, fick {data_type}." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "Objekt med {slug_name}={value} finns inte." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Ogiltigt värde." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Ogiltig data. Förväntade en dictionary, men fick {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filter" @@ -414,27 +396,23 @@ msgstr "Inget" msgid "No items to select." msgstr "Inga valbara objekt." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Det här fältet måste vara unikt." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "Fälten {field_names} måste skapa ett unikt set." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Det här fältet måste vara unikt för datumet \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Det här fältet måste vara unikt för månaden \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Det här fältet måste vara unikt för året \"{date_field}\"." @@ -442,15 +420,19 @@ msgstr "Det här fältet måste vara unikt för året \"{date_field}\"." msgid "Invalid version in \"Accept\" header." msgstr "Ogiltig version i \"Accept\"-headern." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "Ogiltig version i URL-resursen." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Ogiltig version i värdnamnet." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Ogiltig version i förfrågningsparametern." diff --git a/rest_framework/locale/tr/LC_MESSAGES/django.mo b/rest_framework/locale/tr/LC_MESSAGES/django.mo index 14f5dc981f0819346e1355b1e01fbf482e93b10f..818aad27929ca67ead8eca3a42804446d8192935 100644 GIT binary patch delta 894 zcmXZaO-NKx6u|Lgq1l+GC{8u0H*K`ZhJ57&^f>*n<5yjorA4L+A^L zCtUcsarhJP@DBSz#Jen3)Ec1q+T+Sq_Dp2vASgP*Y&|6&-6 z=uR7J$4gL*RCn1{PqihHPUrI3e`i#F=XMNu1x;{_bXZhV4z zHCw0~{Egg# z2*G)>*u(?uM{SeNzyOx<4j#t3@33v-orik37haQMzN9V ztgs9o#*#;18$L%{_zhXB6%1gQ{_n#W+WZJQ=%H;ei)-*bTFV!37k)u2u#Q1HMv&Xo z3A8+;xDLJR1b%`Uv;=q2PW}X~GfU{hW!#9r(cVe}4`nqb&^nh!Dc%eY!y?)No?!#NLVFW$(enL3 zdovN*W$Pv|j#seVp6_DD4pj(-Wo-Vt^O2M5fl{3z7wf#aQ_FFDt%+)?#06VY;Y#<4-o8e AqyPW_ diff --git a/rest_framework/locale/tr/LC_MESSAGES/django.po b/rest_framework/locale/tr/LC_MESSAGES/django.po index 50722b3d8..17e6e4a73 100644 --- a/rest_framework/locale/tr/LC_MESSAGES/django.po +++ b/rest_framework/locale/tr/LC_MESSAGES/django.po @@ -6,7 +6,7 @@ # Dogukan Tufekci , 2015 # Emrah BİLBAY , 2015 # Ertaç Paprat , 2015 -# José Alaguna , 2016 +# Yusuf (Josè) Luis , 2016 # Mesut Can Gürle , 2015 # Murat Çorlu , 2015 # Recep KIRMIZI , 2015 @@ -15,9 +15,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-09 23:45+0000\n" -"Last-Translator: José Alaguna \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Turkish (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/tr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -25,40 +25,40 @@ msgstr "" "Language: tr\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Geçersiz yetkilendirme başlığı. Gerekli uygunluk kriterleri sağlanmamış." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Geçersiz yetkilendirme başlığı. Uygunluk kriterine ait veri boşluk karakteri içermemeli." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Geçersiz yetkilendirme başlığı. Uygunluk kriterleri base64 formatına uygun olarak kodlanmamış." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Geçersiz kullanıcı adı/parola" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Kullanıcı aktif değil ya da silinmiş." -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Geçersiz token başlığı. Kimlik bilgileri eksik." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Geçersiz token başlığı. Token'da boşluk olmamalı." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Geçersiz token başlığı. Token geçersiz karakter içermemeli." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Geçersiz token." @@ -66,23 +66,23 @@ msgstr "Geçersiz token." msgid "Auth Token" msgstr "Kimlik doğrulama belirteci" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Anahtar" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "Kullanan" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Oluşturulan" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "İşaret" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "İşaretler" @@ -131,7 +131,6 @@ msgid "Not found." msgstr "Bulunamadı." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "\"{method}\" metoduna izin verilmiyor." @@ -140,7 +139,6 @@ msgid "Could not satisfy the request Accept header." msgstr "İsteğe ait Accept başlık bilgisi yanıt verilecek başlık bilgileri arasında değil." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "İstekte desteklenmeyen medya tipi: \"{media_type}\"." @@ -148,214 +146,201 @@ msgstr "İstekte desteklenmeyen medya tipi: \"{media_type}\"." msgid "Request was throttled." msgstr "Üst üste çok fazla istek yapıldı." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Bu alan zorunlu." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Bu alan boş bırakılmamalı." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" geçerli bir boolean değil." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Bu alan boş bırakılmamalı." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Bu alanın {max_length} karakterden fazla karakter barındırmadığından emin olun." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Bu alanın en az {min_length} karakter barındırdığından emin olun." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Geçerli bir e-posta adresi girin." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Bu değer gereken düzenli ifade deseni ile uyuşmuyor." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Harf, rakam, altçizgi veya tireden oluşan geçerli bir \"slug\" giriniz." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Geçerli bir URL girin." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" geçerli bir UUID değil." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Geçerli bir IPv4 ya da IPv6 adresi girin." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Geçerli bir tam sayı girin." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Değerin {max_value} değerinden küçük ya da eşit olduğundan emin olun." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Değerin {min_value} değerinden büyük ya da eşit olduğundan emin olun." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "String değeri çok uzun." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Geçerli bir numara gerekiyor." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Toplamda {max_digits} haneden fazla hane olmadığından emin olun." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Ondalık basamak değerinin {max_decimal_places} haneden fazla olmadığından emin olun." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Ondalık ayracından önce {max_whole_digits} basamaktan fazla olmadığından emin olun." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime alanı yanlış biçimde. {format} biçimlerinden birini kullanın." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Datetime değeri bekleniyor, ama date değeri geldi." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Tarih biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Date tipi beklenmekteydi, fakat datetime tipi geldi." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Time biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Duration biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" geçerli bir seçim değil." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "{count} elemandan daha fazla..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Elemanların listesi beklenirken \"{input_type}\" alındı." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Bu seçim boş bırakılmamalı." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" geçerli bir yol seçimi değil." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Hiçbir dosya verilmedi." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Gönderilen veri dosya değil. Formdaki kodlama tipini kontrol edin." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Hiçbir dosya adı belirlenemedi." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Gönderilen dosya boş." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Bu dosya adının en fazla {max_length} karakter uzunluğunda olduğundan emin olun. (şu anda {length} karakter)." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Geçerli bir resim yükleyin. Yüklediğiniz dosya resim değil ya da bozuk." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Bu liste boş olmamalı." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Sözlük tipi bir değişken beklenirken \"{input_type}\" tipi bir değişken alındı." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Değer geçerli bir JSON olmalı." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Gönder" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "Geçersiz sayfa." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Sayfalandırma imleci geçersiz" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Geçersiz pk \"{pk_value}\" - obje bulunamadı." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Hatalı tip. Pk değeri beklenirken, alınan {data_type}." @@ -372,25 +357,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Geçersiz bağlantı - Obje bulunamadı." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Hatalı tip. URL metni bekleniyor, {data_type} alındı." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "{slug_name}={value} değerini taşıyan obje bulunamadı." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Geçersiz değer." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Geçersiz veri. Sözlük bekleniyordu fakat {datatype} geldi. " -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtreler" @@ -420,27 +402,23 @@ msgstr "Hiçbiri" msgid "No items to select." msgstr "Seçenek yok." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Bu alan eşsiz olmalı." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "{field_names} hep birlikte eşsiz bir küme oluşturmalılar." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Bu alan \"{date_field}\" tarihine göre eşsiz olmalı." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Bu alan \"{date_field}\" ayına göre eşsiz olmalı." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Bu alan \"{date_field}\" yılına göre eşsiz olmalı." @@ -448,15 +426,19 @@ msgstr "Bu alan \"{date_field}\" yılına göre eşsiz olmalı." msgid "Invalid version in \"Accept\" header." msgstr "\"Accept\" başlığındaki sürüm geçersiz." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URL dizininde geçersiz versiyon." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Host adında geçersiz versiyon." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Sorgu parametresinde geçersiz versiyon." diff --git a/rest_framework/locale/tr_TR/LC_MESSAGES/django.mo b/rest_framework/locale/tr_TR/LC_MESSAGES/django.mo index 5fa743b50e80374a743a42495f008818753c0db2..a3a8ca0d57ea9e7fd39683f59274b8adccf003f1 100644 GIT binary patch delta 894 zcmXZaPe{{Y9LMob#Fot>C2HlI{;Xx1to-SgHH=&ewek?AMINg4chcry+rhg03hEkU z5ZWQnQAA;#BqHdhNCc}(T@pO*(y@r%U-lb}*Y|n$?E8G5@AJ%!JsW$I*yw%PApP7a zbxL}@OWKE3Jb-_2FLv&h!gv~^cop059!7A%cL^sMf5$D@*CM6yIF90d9Klt*h}$Fb zG)zz+i%q=6li1iQP2f2!;R`&2t?X`za(D{gqZRrOt-x-o+Jk9K;C0`5w0x_06l3ku zHoVmCNt+3#nV@LR;1QffTeyrjG2lp-F^^|)1)DM2Ar0ao?7=)*C+E-#`G`&U3*-13 zt*{P$Jb~vu0^4vNZQ)mp;TqZo4fOvYwjhU8#`hN5Mh|flzCvsHJGB3QLTcAKc4Lr9 zZd1KT4a(qF^llS`2=1UIcz|~D$7r2d#voSF3i^SzaSa2wg9l@si=Y*f#1tOG5u8E0 znh$6PtRlCd^}3z{WJ@v;!+xCf$B)n!enzW&4ITW80~p;e4dDbf;8SeG1++Ku5-s01 zv^Nv#s;|3%F5@fMWzTn(z$#lpYt0JUUDg&e!CF&jAnx`#?%|Z%|0Er5OV@|Vl$+@3 y45)vgV~Q= zW(UmdRg>9%tl}a3gZr?p*(`zsxCgIdE8fK@&evVUi;TbFHcYmd^2+4vsl6xcp6)%u0&%vfE84u|4PZkqMf%8O-1;YT*)&VZbrFf(1N-%NWM!Ub7xdU?&z(C;0@`$a`$WpP0bk zsK#Rac>+g#0u`J?E&PIQxQZ$et06{x{sUjCF;oEqQ3ut^loc-5H~W( zZCV%7gXM8M`V#~pg4?JB_fR{3h&q`i3}O}4(05efb=-tIc`!P;W>h0CX7L#I;|%I* z-k~;FMQ*{?YWfx++Yu(>=;HbM_yKC+M^xvl=-^*GiqUqnK0JpF_!zh1JnBs>pz?i1 zy_trN+PYCpF}{o)dcLy+>TD5pG|Q;FT(6u8{%Q=liDb%2WwLJOQ7+Qj%dp!y>}J!M z&LqFkkXN2gjFh~|a?zWfDrKF)sq&`x{<-YNo-bAtTJaQ-eAF;G? A9smFU diff --git a/rest_framework/locale/tr_TR/LC_MESSAGES/django.po b/rest_framework/locale/tr_TR/LC_MESSAGES/django.po index efbd689e6..171826a63 100644 --- a/rest_framework/locale/tr_TR/LC_MESSAGES/django.po +++ b/rest_framework/locale/tr_TR/LC_MESSAGES/django.po @@ -3,14 +3,14 @@ # This file is distributed under the same license as the PACKAGE package. # # Translators: -# José Alaguna , 2015-2016 +# Yusuf (Josè) Luis , 2015-2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-09 23:48+0000\n" -"Last-Translator: José Alaguna \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Turkish (Turkey) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/tr_TR/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -18,40 +18,40 @@ msgstr "" "Language: tr_TR\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "Geçersiz yetkilendirme başlığı. Gerekli uygunluk kriterleri sağlanmamış." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "Geçersiz yetkilendirme başlığı. Uygunluk kriterine ait veri boşluk karakteri içermemeli." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "Geçersiz yetkilendirme başlığı. Uygunluk kriterleri base64 formatına uygun olarak kodlanmamış." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "Geçersiz kullanıcı adı / şifre." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "Kullanıcı aktif değil ya da silinmiş" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "Geçersiz token başlığı. Kimlik bilgileri eksik." -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "Geçersiz token başlığı. Token'da boşluk olmamalı." -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "Geçersiz token başlığı. Token geçersiz karakter içermemeli." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "Geçersiz simge." @@ -59,23 +59,23 @@ msgstr "Geçersiz simge." msgid "Auth Token" msgstr "Kimlik doğrulama belirteci" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "Anahtar" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "Kullanan" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "Oluşturulan" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "İşaret" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "İşaretler" @@ -124,7 +124,6 @@ msgid "Not found." msgstr "Bulunamadı." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "\"{method}\" metoduna izin verilmiyor." @@ -133,7 +132,6 @@ msgid "Could not satisfy the request Accept header." msgstr "İsteğe ait Accept başlık bilgisi yanıt verilecek başlık bilgileri arasında değil." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "İstekte desteklenmeyen medya tipi: \"{media_type}\"." @@ -141,214 +139,201 @@ msgstr "İstekte desteklenmeyen medya tipi: \"{media_type}\"." msgid "Request was throttled." msgstr "Üst üste çok fazla istek yapıldı." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "Bu alan zorunlu." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "Bu alan boş bırakılmamalı." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "\"{input}\" geçerli bir boolean değil." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "Bu alan boş bırakılmamalı." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "Bu alanın {max_length} karakterden fazla karakter barındırmadığından emin olun." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "Bu alanın en az {min_length} karakter barındırdığından emin olun." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "Geçerli bir e-posta adresi girin." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "Bu değer gereken düzenli ifade deseni ile uyuşmuyor." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "Harf, rakam, altçizgi veya tireden oluşan geçerli bir \"slug\" giriniz." -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "Geçerli bir URL girin." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "\"{value}\" geçerli bir UUID değil." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "Geçerli bir IPv4 ya da IPv6 adresi girin." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "Geçerli bir tam sayı girin." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "Değerin {max_value} değerinden küçük ya da eşit olduğundan emin olun." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "Değerin {min_value} değerinden büyük ya da eşit olduğundan emin olun." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "String değeri çok uzun." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "Geçerli bir numara gerekiyor." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "Toplamda {max_digits} haneden fazla hane olmadığından emin olun." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "Ondalık basamak değerinin {max_decimal_places} haneden fazla olmadığından emin olun." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "Ondalık ayracından önce {max_whole_digits} basamaktan fazla olmadığından emin olun." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "Datetime alanı yanlış biçimde. {format} biçimlerinden birini kullanın." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "Datetime değeri bekleniyor, ama date değeri geldi." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "Tarih biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "Date tipi beklenmekteydi, fakat datetime tipi geldi." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "Time biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "Duration biçimi yanlış. {format} biçimlerinden birini kullanın." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "\"{input}\" geçerli bir seçim değil." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "{count} elemandan daha fazla..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "Elemanların listesi beklenirken \"{input_type}\" alındı." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "Bu seçim boş bırakılmamalı." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\" geçerli bir yol seçimi değil." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "Hiçbir dosya verilmedi." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "Gönderilen veri dosya değil. Formdaki kodlama tipini kontrol edin." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "Hiçbir dosya adı belirlenemedi." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "Gönderilen dosya boş." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "Bu dosya adının en fazla {max_length} karakter uzunluğunda olduğundan emin olun. (şu anda {length} karakter)." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "Geçerli bir resim yükleyin. Yüklediğiniz dosya resim değil ya da bozuk." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "Bu liste boş olmamalı." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "Sözlük tipi bir değişken beklenirken \"{input_type}\" tipi bir değişken alındı." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "Değer geçerli bir JSON olmalı." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "Gönder" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "Geçersiz sayfa." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "Geçersiz imleç." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "Geçersiz pk \"{pk_value}\" - obje bulunamadı." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "Hatalı tip. Pk değeri beklenirken, alınan {data_type}." @@ -365,25 +350,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "Geçersiz hyper link - Nesne yok.." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "Hatalı tip. URL metni bekleniyor, {data_type} alındı." -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "{slug_name}={value} değerini taşıyan obje bulunamadı." -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "Geçersiz değer." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "Geçersiz veri. Bir sözlük bekleniyor, ama var {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "Filtreler" @@ -413,27 +395,23 @@ msgstr "Hiç kimse" msgid "No items to select." msgstr "Seçenek yok." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "Bu alan benzersiz olmalıdır." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "{field_names} alanları benzersiz bir set yapmak gerekir." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "Bu alan \"{date_field}\" tarihine göre eşsiz olmalı." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "Bu alan \"{date_field}\" ayına göre eşsiz olmalı." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "Bu alan \"{date_field}\" yılına göre eşsiz olmalı." @@ -441,15 +419,19 @@ msgstr "Bu alan \"{date_field}\" yılına göre eşsiz olmalı." msgid "Invalid version in \"Accept\" header." msgstr "\"Kabul et\" başlığında geçersiz sürümü." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URL yolu geçersiz sürümü." -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "Hostname geçersiz sürümü." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "Sorgu parametresi geçersiz sürümü." diff --git a/rest_framework/locale/uk/LC_MESSAGES/django.mo b/rest_framework/locale/uk/LC_MESSAGES/django.mo index 79396f543536eb6d2a2bb3842c62d7733c575cad..bfcb776e763fa2dc91969ef5117861e5c817186e 100644 GIT binary patch literal 13352 zcmchcYm8jwdB;zIKw}6bK+>c@^0FxxgJ*UZjDa-*9zSqoPuhP(>-97GoRVU7=Q$sw$m{)T&8aswiKov`UpKQE&Os-~V~f z%$(VacLArzKJ!19_kG^y{ygX1cdowV#egHnc|GUSi-X`f@Uctz;VA!V5Znkp4La}- zz?;A$;3vT!fFB3{8`S)(KNtkpfxX}&@KG=WJ^?NPcY~LKZ-5VhC&1OYc3ChyTPsCa`0Q=qu@K>0C?LK{(S^K#{Dbcr@4?IX(+Y?}Y@P zOP+rlyqM>I1xo(!g0j~SLDA8}TY&4pkAbT|2R;Q}15SdMfCoTK5F7-1!B;^{9sEs# ze-H9M_#r={^D|Jcb2&tQ4ZIrE{cT_$*bmCSL!kJ69n`qLOz!^~l>ht!Tn2vpT5s2N zpzim9;{PnDao-0W_;XPFee9#&uU3N};Ql#K>mLAb2M>Y$;M?Gn;LkwG`8dpf0^FEj z5tN+!lKZcNcX0nYcH8l++3|nDyTE&4UV4wg zjo?e*Ch%WDOdYI5s2JP;ZU^56C&33%)?V;5_(gEl4MFf#@KrDZKgnV{!QG(7UHT~> z)4vaf-2W7O8Qkc+AO8frnft{z2EjUTJ@_Q}jRgM(6d!{he-17J zZ_1E+z&;R{4PtOBxEqwd{~Z*)%_IX<7`zBdj*}p)20sO#0H4|0lc9fX4MsB6?{aU$PY&58NUo`Cu9N5Kzq%J*CQj*3$HknADfz<}ICXrOQ+oe0XO8nS zP8~OLe#EXiKbLSRACMg%+E$f<+yGCz=S=uk{NX;+<}2e_0^e>!>e zCGb*C`Js-LoY&ix&&j&P9W8I_TJ>%N=cBse_$=pDcI9KsE_){PrEyU?nb%xGiy|7}m0GQ#EpNiF1pHaN}Q8UA|PUL1Ms7`X}47MxvH4zHc)1 ziWl?!aq~#2T1Pdt(Xb}gxeQHHt{D5rB{x|NpV>SdOYWV&&jt&o zlOM^~G~W>YxLRBb3kxSOK8nL`_S4&Bh9cA}DWVQzF|L#%i$iV6M_63?LRh>WGfx)t zrOkz?G*TPgjt_^GFjtEz)w$-C;^}&se=Z}!#M&%djBQmkI&-GGHIK)^-emG_aW@|p zS&EDi^Tvv-R&s<9ff5!_q!-5r;2cv6QMEeTJQ(WCLj~;w(NitdM|xZ?E>-i@S{|pz z$qP|UYFgraL~>Ct5hv9gR;Y@j(TOslXnIT&TeE)KQoRP3xo~)x(KE(u+VGfoPfv@A zVZM+W|4cc;OvCUvtau!%*W8HZG~Ft;AkaO=0p_n3T6IU}r0NW6S4DpuQMYZK+j zCFyaqZnpPy%`Kpp1t4LYO5L)Nt=L}9L4t6-WX zq_13*--c=?QAOyvJ!sRupK`KU zUe(Da`BJV>A13RxRM6wX669KnAOT@i@<`;ysTbAyP%%$NhH~=QN)Du{cSEX)@Jgji z2Ke+wxu`}3oKTZW5kEEB7V>yDNSt##Pir-){J&ZBwy&5pwNrJcdF{Fi$)EfatWOLT ztk-%~vk9ppuZ1^w-5A5Q(Mnva74jpMh!A479J{wWVVpj+&3W1F#S};guxAIMK zG&GLrBZ^X2F&v|Bp$6qqKT;u*CbZR}G7;LsW(8AR)~yV-o0I|;_DL@2m1u6mTC zqRplQyh=CkVOo(Ki}$DbT+nh880$RKl2=v`Q?jMC!KWv5toom1IrwmUes1Hs$Fsqc zur(YT7o#E5DTb}UMo-)+Ot23tYJnKDtgpnXZJ9O0nJ0YC9dHkC4ND`j+wjQ7LAOQ8 zlXO0|XhS3oX4Y0m^23>j>Lb<6U_9U!tzS2ou@5fDWgf=E2izTf{mU|acW3(VaQ({$ z`tQ8GufMO4ftd}_w!G5JEaUDP=wEt!AIGA{X!SFLm9SJTgtfRbfY#$8Dqb~OQBNDW z`)YCVLC#$AAe)Pe_cN_DQb+BX!6+;axJ_e~Fki~ka^E^ytCa_Od&kGevo(>;Z;77K zoZexRGecin%e3Xp^w0jhmxN#o^w!6E7cW}7X6+*#jrC{y7Of&o`GU<1(t`}RTJ%h< zm+!57X}Nu>kmpux8eE;Zr!!8xY>6tFN7R6k&<5N+L-|@;kO5a8TeQBwmt!Hb8oN~o zT&Zlg)fIOx=UYy1R@_>;slRWe6QP z-PhmezVa16g)x1LnbXglI~Ffrl-gcsoM{|&&4aFSvT?S#qj9uxviUWh9dDd=jW?RR z8mF538)qAb{e!o7Gu7P3s56Z-%>#|o>3xXvQPTW3Y=N`WCfOSnp0Y(xxaPAgd7!z+ z%}q{=T3#aK&OOTcEsn;kuz#B6Pa)xyYwm0uWwpchJCzL@uOQ4>B;C_I)Hvd)?d9?m z%wiLaMqb|vAzcSMc|2r zSdsONNtnYXU*q2aX<@4ICc{w?Q%^Q`LG_zVgcgJ48fU#)J&*Dw%(~m&p4Jj#*;dNB z#tXdlo`GSxW2FSdg&NG#~}$13}mxaMgg zrs~s>Bj_4DC7X8bZQ+4rScQy+HV!XDNEt)f7&Ir^uVmImg;16tO4!|;SoUhC4x;I~ z<}Px+Z6zj~TMOVoqTE6TAeISJctLGGW(j#@Az?K4JH#RfbX=>ou{ML*Ta`(0t0_V} zwZ%5SwWp=6UW7-bZQ4v!8ddb45`K%HQ^!~WH4<;!!C{C<=pjYJ8WvgqtWi^N zsIM@0pyFt0%1NgJ%tyI<_`6tV2G57RJ!Kt*ip+Ns>dMGoejha|fHW%$SZVqW=rkR* z*Hax=xns4ih2#wHWtl%=qDqGqwN|n_5Hz};`}*JI^GGT`dO!UPN>#VkMHW3$j8uls zQB%A9#OnZ$M9%3B(X}D_?#TKgz8~vh##A>fW%%BbnkcVRm!!V>6bT5QTM!rRU^Kzh zE*K^6F(TGeL)L{Kzrz!N4HHePU0!d?tiHB^PIMMEfWkCJj z^Y{wdA~t0wF0dh4O`WA0Z@H7NfHLldU0%J)5h713Bkb%Vl2)2K6eG6`EJqJ{EcbY{em5=ipV1ykn>s0BIHy!2l}{B+_-FYnc8O{6}J zl}NB4KIpws9yyCID3DXlpcTzo!s(aKSt_dMV4@@J3=cW#^1j1VDkDAEC!sI;N}#=H zMGd2R=KZrwo}Q3fL#DYGpMm!Ik3tU-TJ+3GR<-Xl-jNX6f45jLjn=*eb5rp%@6v>V zulyKrkHQ}H%oP{2Fzywip5dq}vNDxyY#;B|u)XZ7&s>$WGa5nvNJQZHNcs;Y-v1P$ zZ=o7}_3I0tIAX$!c9(Q6NP;F)tvG3roZC3&CjB2(^yd`Tu#AI}J!9O;qt9!1g(tG7 zj8D6Plzf6D(bDewEIzHYOu?<^l}emgah83LRt@*tE3!uS7fySou|1=MQmtjX%I~4r z2A6656+CMn%Ax@<&C4pl$NrD&ktS3p5AT{ zAxyxL6@-lRSC-(E9q_dFZg_hmNs*?H8(KR=c!gm~6-u(SsqLU^dA$O&wMDp#;1SoU zlFq#Mw#)l1m`nD?+n0^wo}X#SU1d;<&@J(?ahQL6Tv+bYu7GWuE3w&4TOxfe_}yCV z+4PVUBaTt z*ChH$K00k5K_PvV#q~EL`{O}JM~FNNIrGxggd{g7?8|wi(sWO;_k10o)Y?wvzR;wz z28E`TkP>%msTwmo{}, 2016 +# Illarion , 2016 +# Kirill Tarasenko, 2016 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Ukrainian (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/uk/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,441 +20,423 @@ msgstr "" "Language: uk\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." -msgstr "" +msgstr "Недійсний основний заголовок. Облікові дані відсутні." -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." -msgstr "" +msgstr "Недійсний основний заголовок. Облікові дані мають бути без пробілів." -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." -msgstr "" +msgstr "Недійсний основний заголовок. Облікові дані невірно закодовані у Base64." -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." -msgstr "" +msgstr "Недійсне iм'я користувача/пароль." -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." -msgstr "" - -#: authentication.py:173 -msgid "Invalid token header. No credentials provided." -msgstr "" +msgstr "Користувач неактивний або видалений." #: authentication.py:176 -msgid "Invalid token header. Token string should not contain spaces." -msgstr "" +msgid "Invalid token header. No credentials provided." +msgstr "Недійсний заголовок токена. Облікові дані відсутні." -#: authentication.py:182 +#: authentication.py:179 +msgid "Invalid token header. Token string should not contain spaces." +msgstr "Недійсний заголовок токена. Значення токена не повинне містити пробіли." + +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." -msgstr "" +msgstr "Недійсний заголовок токена. Значення токена не повинне містити некоректні символи." -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." -msgstr "" +msgstr "Недійсний токен." #: authtoken/apps.py:7 msgid "Auth Token" -msgstr "" +msgstr "Авторизаційний токен" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" -msgstr "" +msgstr "Ключ" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" -msgstr "" +msgstr "Користувач" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" -msgstr "" +msgstr "Створено" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" -msgstr "" +msgstr "Токен" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" -msgstr "" +msgstr "Токени" #: authtoken/serializers.py:8 msgid "Username" -msgstr "" +msgstr "Ім'я користувача" #: authtoken/serializers.py:9 msgid "Password" -msgstr "" +msgstr "Пароль" #: authtoken/serializers.py:20 msgid "User account is disabled." -msgstr "" +msgstr "Обліковий запис деактивований." #: authtoken/serializers.py:23 msgid "Unable to log in with provided credentials." -msgstr "" +msgstr "Неможливо зайти з введеними даними." #: authtoken/serializers.py:26 msgid "Must include \"username\" and \"password\"." -msgstr "" +msgstr "Має включати iм'я користувача та пароль" #: exceptions.py:49 msgid "A server error occurred." -msgstr "" +msgstr "Помилка сервера." #: exceptions.py:84 msgid "Malformed request." -msgstr "" +msgstr "Некоректний запит." #: exceptions.py:89 msgid "Incorrect authentication credentials." -msgstr "" +msgstr "Некоректні реквізити перевірки достовірності." #: exceptions.py:94 msgid "Authentication credentials were not provided." -msgstr "" +msgstr "Реквізити перевірки достовірності не надані." #: exceptions.py:99 msgid "You do not have permission to perform this action." -msgstr "" +msgstr "У вас нема дозволу робити цю дію." #: exceptions.py:104 views.py:81 msgid "Not found." -msgstr "" +msgstr "Не знайдено." #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." -msgstr "" +msgstr "Метод \"{method}\" не дозволений." #: exceptions.py:120 msgid "Could not satisfy the request Accept header." -msgstr "" +msgstr "Неможливо виконати запит прийняття заголовку." #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." -msgstr "" +msgstr "Непідтримуваний тип даних \"{media_type}\" в запиті." #: exceptions.py:145 msgid "Request was throttled." -msgstr "" +msgstr "Запит було проігноровано." -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." -msgstr "" +msgstr "Це поле обов'язкове." -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." -msgstr "" +msgstr "Це поле не може бути null." -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." -msgstr "" +msgstr "\"{input}\" не є коректним бульовим значенням." -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." -msgstr "" +msgstr "Це поле не може бути порожнім." -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." -msgstr "" +msgstr "Переконайтесь, що кількість символів в цьому полі не перевищує {max_length}." -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." -msgstr "" +msgstr "Переконайтесь, що в цьому полі мінімум {min_length} символів." -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." -msgstr "" +msgstr "Введіть коректну адресу електронної пошти." -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." -msgstr "" +msgstr "Значення не відповідає необхідному патерну." -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." -msgstr "" +msgstr "Введіть коректний \"slug\", що складається із букв, цифр, нижніх підкреслень або дефісів. " -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." -msgstr "" +msgstr "Введіть коректний URL." -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." -msgstr "" +msgstr "\"{value}\" не є коректним UUID." -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." -msgstr "" +msgstr "Введіть дійсну IPv4 або IPv6 адресу." -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." -msgstr "" +msgstr "Необхідне цілочисельне значення." -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." -msgstr "" +msgstr "Переконайтесь, що значення менше або дорівнює {max_value}." -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." -msgstr "" +msgstr "Переконайтесь, що значення більше або дорівнює {min_value}." -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." -msgstr "" +msgstr "Строкове значення занадто велике." -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." -msgstr "" +msgstr "Необхідне чисельне значення." -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." -msgstr "" +msgstr "Переконайтесь, що в числі не більше {max_digits} знаків." -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." -msgstr "" +msgstr "Переконайтесь, що в числі не більше {max_decimal_places} знаків у дробовій частині." -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." -msgstr "" +msgstr "Переконайтесь, що в числі не більше {max_whole_digits} знаків у цілій частині." -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Невірний формат дата з часом. Використайте один з цих форматів: {format}." -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." -msgstr "" +msgstr "Очікувалась дата з часом, але було отримано дату." -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Невірний формат дати. Використайте один з цих форматів: {format}." -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." -msgstr "" +msgstr "Очікувалась дата, але було отримано дату з часом." -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Неправильний формат часу. Використайте один з цих форматів: {format}." -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." -msgstr "" +msgstr "Невірний формат тривалості. Використайте один з цих форматів: {format}." -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." -msgstr "" +msgstr "\"{input}\" не є коректним вибором." -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." -msgstr "" +msgstr "Елементів більше, ніж {count}..." -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." -msgstr "" +msgstr "Очікувався список елементів, але було отримано \"{input_type}\"." -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." -msgstr "" +msgstr "Вибір не може бути порожнім." -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." -msgstr "" +msgstr "\"{input}\" вибраний шлях не є коректним." -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." -msgstr "" +msgstr "Файл не було відправленно." -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." -msgstr "" +msgstr "Відправленні дані не є файл. Перевірте тип кодування у формі." -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." -msgstr "" +msgstr "Неможливо визначити ім'я файлу." -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." -msgstr "" +msgstr "Відправленний файл порожній." -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." -msgstr "" +msgstr "Переконайтесь, що ім'я файлу становить менше {max_length} символів (зараз {length})." -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." -msgstr "" +msgstr "Завантажте коректне зображення. Завантажений файл або не є зображенням, або пошкоджений." -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." -msgstr "" +msgstr "Цей список не може бути порожнім." -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." -msgstr "" +msgstr "Очікувався словник зі елементами, але було отримано \"{input_type}\"." -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." -msgstr "" +msgstr "Значення повинно бути коректним JSON." -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" +msgstr "Відправити" + +#: filters.py:336 +msgid "ascending" msgstr "" -#: pagination.py:189 +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." -msgstr "" +msgstr "Недійсна сторінка." -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" -msgstr "" +msgstr "Недійсний курсор." #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." -msgstr "" +msgstr "Недопустимий первинний ключ \"{pk_value}\" - об'єкт не існує." #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." -msgstr "" +msgstr "Некоректний тип. Очікувалось значення первинного ключа, отримано {data_type}." #: relations.py:240 msgid "Invalid hyperlink - No URL match." -msgstr "" +msgstr "Недійсне посилання - немає збігу за URL." #: relations.py:241 msgid "Invalid hyperlink - Incorrect URL match." -msgstr "" +msgstr "Недійсне посилання - некоректний збіг за URL." #: relations.py:242 msgid "Invalid hyperlink - Object does not exist." -msgstr "" +msgstr "Недійсне посилання - об'єкт не існує." #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." -msgstr "" +msgstr "Некоректний тип. Очікувався URL, отримано {data_type}." + +#: relations.py:401 +msgid "Object with {slug_name}={value} does not exist." +msgstr "Об'єкт із {slug_name}={value} не існує." #: relations.py:402 -#, python-brace-format -msgid "Object with {slug_name}={value} does not exist." -msgstr "" - -#: relations.py:403 msgid "Invalid value." -msgstr "" +msgstr "Недійсне значення." #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." -msgstr "" +msgstr "Недопустимі дані. Очікувався словник, але було отримано {datatype}." -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" -msgstr "" +msgstr "Фільтри" #: templates/rest_framework/filters/django_filter.html:2 #: templates/rest_framework/filters/django_filter_crispyforms.html:4 msgid "Field filters" -msgstr "" +msgstr "Фільтри поля" #: templates/rest_framework/filters/ordering.html:3 msgid "Ordering" -msgstr "" +msgstr "Впорядкування" #: templates/rest_framework/filters/search.html:2 msgid "Search" -msgstr "" +msgstr "Пошук" #: templates/rest_framework/horizontal/radio.html:2 #: templates/rest_framework/inline/radio.html:2 #: templates/rest_framework/vertical/radio.html:2 msgid "None" -msgstr "" +msgstr "Нічого" #: templates/rest_framework/horizontal/select_multiple.html:2 #: templates/rest_framework/inline/select_multiple.html:2 #: templates/rest_framework/vertical/select_multiple.html:2 msgid "No items to select." -msgstr "" +msgstr "Немає елементів для вибору." -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." -msgstr "" +msgstr "Це поле повинне бути унікальним." -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." -msgstr "" +msgstr "Поля {field_names} повинні створювати унікальний масив значень." -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." -msgstr "" +msgstr "Це поле повинне бути унікальним для дати \"{date_field}\"." -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." -msgstr "" +msgstr "Це поле повинне бути унікальним для місяця \"{date_field}\"." -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." -msgstr "" +msgstr "Це поле повинне бути унікальним для року \"{date_field}\"." #: versioning.py:42 msgid "Invalid version in \"Accept\" header." -msgstr "" +msgstr "Недопустима версія в загаловку \"Accept\"." -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." +msgstr "Недопустима версія в шляху URL." + +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." msgstr "" -#: versioning.py:144 +#: versioning.py:147 msgid "Invalid version in hostname." -msgstr "" +msgstr "Недопустима версія в імені хоста." -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." -msgstr "" +msgstr "Недопустима версія в параметрі запиту." #: views.py:88 msgid "Permission denied." -msgstr "" +msgstr "Доступ заборонено." diff --git a/rest_framework/locale/vi/LC_MESSAGES/django.mo b/rest_framework/locale/vi/LC_MESSAGES/django.mo index a055d763a364964c42cb63ea396a2ada7557adaf..578308acfd9abd19134b6dd40f85fb5ecbce465e 100644 GIT binary patch delta 90 zcmeyz{EvCUWG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WpJi~#Ap9o+x` delta 90 zcmeyz{EvCUWG-V}149Kv3oB!biF4%~Av|*+PulKW2=@Mjjsk diff --git a/rest_framework/locale/vi/LC_MESSAGES/django.po b/rest_framework/locale/vi/LC_MESSAGES/django.po index 0f8415b51..ea43efb95 100644 --- a/rest_framework/locale/vi/LC_MESSAGES/django.po +++ b/rest_framework/locale/vi/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Vietnamese (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/vi/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: vi\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/zh_CN/LC_MESSAGES/django.mo b/rest_framework/locale/zh_CN/LC_MESSAGES/django.mo index ecd7a91eb16f364fa0360fc7fbd39b25a49c22be..5ba81a865ad7aef3a93f1a08a8d83700339ef844 100644 GIT binary patch delta 93 zcmbR4H{EZ;RWUAeT|*-ULo+KwoEH24RRj?_^&vgLeWT?PqJMo+R06wf9w*UYD delta 93 zcmbR4H{EZ;RWUAOT?0b}LklZoi^=!J\n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Chinese (China) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/zh_CN/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,40 +20,40 @@ msgstr "" "Language: zh_CN\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "无效的Basic认证头,没有提供认证信息。" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "认证字符串不应该包含空格(基本认证HTTP头无效)。" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "认证字符串base64编码错误(基本认证HTTP头无效)。" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "用户名或者密码错误。" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "用户未激活或者已删除。" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "没有提供认证信息(认证令牌HTTP头无效)。" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "认证令牌字符串不应该包含空格(无效的认证令牌HTTP头)。" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "无效的Token。Token字符串不能包含非法的字符。" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "认证令牌无效。" @@ -61,23 +61,23 @@ msgstr "认证令牌无效。" msgid "Auth Token" msgstr "认证令牌" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "用户" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "令牌" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "令牌" @@ -126,7 +126,6 @@ msgid "Not found." msgstr "未找到。" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "方法 “{method}” 不被允许。" @@ -135,7 +134,6 @@ msgid "Could not satisfy the request Accept header." msgstr "无法满足Accept HTTP头的请求。" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "不支持请求中的媒体类型 “{media_type}”。" @@ -143,214 +141,201 @@ msgstr "不支持请求中的媒体类型 “{media_type}”。" msgid "Request was throttled." msgstr "请求超过了限速。" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "该字段是必填项。" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "该字段不能为 null。" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "“{input}” 不是合法的布尔值。" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "该字段不能为空。" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "请确保这个字段不能超过 {max_length} 个字符。" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "请确保这个字段至少包含 {min_length} 个字符。" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "请输入合法的邮件地址。" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "输入值不匹配要求的模式。" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "请输入合法的“短语“,只能包含字母,数字,下划线或者中划线。" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "请输入合法的URL。" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "“{value}”不是合法的UUID。" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "请输入一个有效的IPv4或IPv6地址。" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "请填写合法的整数值。" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "请确保该值小于或者等于 {max_value}。" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "请确保该值大于或者等于 {min_value}。" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "字符串值太长。" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "请填写合法的数字。" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "请确保总计不超过 {max_digits} 个数字。" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "请确保总计不超过 {max_decimal_places} 个小数位。" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "请确保小数点前不超过 {max_whole_digits} 个数字。" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "日期时间格式错误。请从这些格式中选择:{format}。" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "期望为日期时间,得到的是日期。" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "日期格式错误。请从这些格式中选择:{format}。" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "期望为日期,得到的是日期时间。" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "时间格式错误。请从这些格式中选择:{format}。" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "持续时间的格式错误。使用这些格式中的一个:{format}。" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "“{input}” 不是合法选项。" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "多于{count}条记录。" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "期望为一个包含物件的列表,得到的类型是“{input_type}”。" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "这项选择不能为空。" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "“{input}” 不是有效路径选项。" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "没有提交任何文件。" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "提交的数据不是一个文件。请检查表单的编码类型。" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "无法检测到文件名。" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "提交的是空文件。" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "确保该文件名最多包含 {max_length} 个字符 ( 当前长度为{length} ) 。" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "请上传有效图片。您上传的该文件不是图片或者图片已经损坏。" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "列表字段不能为空值。" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "期望是包含类目的字典,得到类型为 “{input_type}”。" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "值必须是有效的 JSON 数据。" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "保存" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "无效游标" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "无效主键 “{pk_value}” - 对象不存在。" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "类型错误。期望为主键,得到的类型为 {data_type}。" @@ -367,25 +352,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "无效超链接 -对象不存在。" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "类型错误。期望为URL字符串,实际的类型是 {data_type}。" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "属性 {slug_name} 为 {value} 的对象不存在。" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "无效值。" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "无效数据。期待为字典类型,得到的是 {datatype} 。" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "过滤器" @@ -415,27 +397,23 @@ msgstr "无" msgid "No items to select." msgstr "没有可选项。" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "该字段必须唯一。" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "字段 {field_names} 必须能构成唯一集合。" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "该字段必须在日期 “{date_field}” 唯一。" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "该字段必须在月份 “{date_field}” 唯一。" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "该字段必须在年 “{date_field}” 唯一。" @@ -443,15 +421,19 @@ msgstr "该字段必须在年 “{date_field}” 唯一。" msgid "Invalid version in \"Accept\" header." msgstr "“Accept” HTTP头包含无效版本。" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URL路径包含无效版本。" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "主机名包含无效版本。" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "请求参数里包含无效版本。" diff --git a/rest_framework/locale/zh_Hans/LC_MESSAGES/django.mo b/rest_framework/locale/zh_Hans/LC_MESSAGES/django.mo index cffdae362001044baa09a3a24b87ea50bab071ad..396aded071dcd23c423b058c51168a736bea1410 100644 GIT binary patch delta 93 zcmX@&bHrzZnHZP3uAz~Fp_!GT@ni=vIY$WB)XLCA+W-i-d=iUGbVG^~^NMp4OY)1X k6hboca}$ddoHL3ti%T+76>LiKa~*&<87i=OzSvTJ0Qv+S`v3p{ delta 93 zcmX@&bHrzZnHZO`u7RO~p@o&P#bgIDIY$WB9LUu+00J(b#Nra&kfOxA;+({i{30ub lh{UqY)FK7{qLlo?(n, 2015 +# cokky , 2015 # hunter007 , 2015 # nypisces , 2015 msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Chinese Simplified (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/zh-Hans/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,40 +20,40 @@ msgstr "" "Language: zh-Hans\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "无效的Basic认证头,没有提供认证信息。" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "认证字符串不应该包含空格(基本认证HTTP头无效)。" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "认证字符串base64编码错误(基本认证HTTP头无效)。" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "用户名或者密码错误。" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "用户未激活或者已删除。" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "没有提供认证信息(认证令牌HTTP头无效)。" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "认证令牌字符串不应该包含空格(无效的认证令牌HTTP头)。" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "无效的Token。Token字符串不能包含非法的字符。" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "认证令牌无效。" @@ -61,23 +61,23 @@ msgstr "认证令牌无效。" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -126,7 +126,6 @@ msgid "Not found." msgstr "未找到。" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "方法 “{method}” 不被允许。" @@ -135,7 +134,6 @@ msgid "Could not satisfy the request Accept header." msgstr "无法满足Accept HTTP头的请求。" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "不支持请求中的媒体类型 “{media_type}”。" @@ -143,214 +141,201 @@ msgstr "不支持请求中的媒体类型 “{media_type}”。" msgid "Request was throttled." msgstr "请求超过了限速。" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "该字段是必填项。" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "该字段不能为 null。" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "“{input}” 不是合法的布尔值。" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "该字段不能为空。" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "请确保这个字段不能超过 {max_length} 个字符。" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "请确保这个字段至少包含 {min_length} 个字符。" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "请输入合法的邮件地址。" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "输入值不匹配要求的模式。" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "请输入合法的“短语“,只能包含字母,数字,下划线或者中划线。" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "请输入合法的URL。" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "“{value}”不是合法的UUID。" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "请输入一个有效的IPv4或IPv6地址。" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "请填写合法的整数值。" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "请确保该值小于或者等于 {max_value}。" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "请确保该值大于或者等于 {min_value}。" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "字符串值太长。" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "请填写合法的数字。" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "请确保总计不超过 {max_digits} 个数字。" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "请确保总计不超过 {max_decimal_places} 个小数位。" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "请确保小数点前不超过 {max_whole_digits} 个数字。" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "日期时间格式错误。请从这些格式中选择:{format}。" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "期望为日期时间,获得的是日期。" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "日期格式错误。请从这些格式中选择:{format}。" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "期望为日期,获得的是日期时间。" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "时间格式错误。请从这些格式中选择:{format}。" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "持续时间的格式错误。使用这些格式中的一个:{format}。" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "“{input}” 不是合法选项。" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "多于{count}条记录。" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "期望为一个包含物件的列表,得到的类型是“{input_type}”。" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "这项选择不能为空。" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "\"{input}\"不是一个有效路径选项。" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "没有提交任何文件。" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "提交的数据不是一个文件。请检查表单的编码类型。" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "无法检测到文件名。" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "提交的是空文件。" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "确保该文件名最多包含 {max_length} 个字符 ( 当前长度为{length} ) 。" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "请上传有效图片。您上传的该文件不是图片或者图片已经损坏。" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "列表不能为空。" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "期望是包含类目的字典,得到类型为 “{input_type}”。" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "值必须是有效的 JSON 数据。" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "提交" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "无效游标" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "无效主键 “{pk_value}” - 对象不存在。" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "类型错误。期望为主键,获得的类型为 {data_type}。" @@ -367,25 +352,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "无效超链接 -对象不存在。" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "类型错误。期望为URL字符串,实际的类型是 {data_type}。" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "属性 {slug_name} 为 {value} 的对象不存在。" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "无效值。" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "无效数据。期待为字典类型,得到的是 {datatype} 。" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "过滤器" @@ -415,27 +397,23 @@ msgstr "无" msgid "No items to select." msgstr "没有可选项。" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "该字段必须唯一。" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "字段 {field_names} 必须能构成唯一集合。" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "该字段必须在日期 “{date_field}” 唯一。" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "该字段必须在月份 “{date_field}” 唯一。" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "该字段必须在年 “{date_field}” 唯一。" @@ -443,15 +421,19 @@ msgstr "该字段必须在年 “{date_field}” 唯一。" msgid "Invalid version in \"Accept\" header." msgstr "“Accept” HTTP头包含无效版本。" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "URL路径包含无效版本。" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "主机名包含无效版本。" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "请求参数里包含无效版本。" diff --git a/rest_framework/locale/zh_Hant/LC_MESSAGES/django.mo b/rest_framework/locale/zh_Hant/LC_MESSAGES/django.mo index d33604524b1bd71b84486a858d72aeb44b7f192c..08954cc4b5b4a72098439b06e44d3f66a3a0aba6 100644 GIT binary patch delta 90 zcmbQpGLdD%WG-`ELn8%4Gb=;miF4%~Av{wnLlbQSAmH*zEH2RvDN4*M&PgoEFS1ey h$;i)5ELL#ND9S7@$xKzSDap@u0ODk*z{WqKi~yd<9T)%r delta 90 zcmbQpGLdD%WG-V}149Kv3oB!biF4%~Av|*+PulKWU34QXN_V diff --git a/rest_framework/locale/zh_Hant/LC_MESSAGES/django.po b/rest_framework/locale/zh_Hant/LC_MESSAGES/django.po index ea6a45312..1960f1f5d 100644 --- a/rest_framework/locale/zh_Hant/LC_MESSAGES/django.po +++ b/rest_framework/locale/zh_Hant/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Chinese Traditional (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/zh-Hant/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: zh-Hant\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/locale/zh_TW/LC_MESSAGES/django.mo b/rest_framework/locale/zh_TW/LC_MESSAGES/django.mo index 6371fcea7fd84e256c8240ad704f5cdbe3ced0c9..b3158f9eb92fc5e7e91b9b98d96ef3e651fe3bf3 100644 GIT binary patch delta 90 zcmeBT>0+5Mnaf<)&`811%*xPs;#@gL2+!2Y&_vq+2)KL_i%WDviW2jRa}rDPi>wqv hGV*g1ixr$RiZY8!GE)_7O7e3ZfH)Z{u<;KcBLJD)9RmOW delta 90 zcmeBT>0+5Mnafz$z)-=^!phiU;#@gL2+thI(>4GCE}z8W65WuZ#Ju91#FG3XD}{)} ivdq*X1^=Ry{KC>o1)GX|2+JWSGcUg^GjZb|K1KkbW*tQU diff --git a/rest_framework/locale/zh_TW/LC_MESSAGES/django.po b/rest_framework/locale/zh_TW/LC_MESSAGES/django.po index 8858ce17c..9bfb23c6b 100644 --- a/rest_framework/locale/zh_TW/LC_MESSAGES/django.po +++ b/rest_framework/locale/zh_TW/LC_MESSAGES/django.po @@ -7,9 +7,9 @@ msgid "" msgstr "" "Project-Id-Version: Django REST framework\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-03-01 18:38+0100\n" -"PO-Revision-Date: 2016-03-01 17:38+0000\n" -"Last-Translator: Xavier Ordoquy \n" +"POT-Creation-Date: 2016-07-12 16:13+0100\n" +"PO-Revision-Date: 2016-07-12 15:14+0000\n" +"Last-Translator: Thomas Christie \n" "Language-Team: Chinese (Taiwan) (http://www.transifex.com/django-rest-framework-1/django-rest-framework/language/zh_TW/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,40 +17,40 @@ msgstr "" "Language: zh_TW\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: authentication.py:71 +#: authentication.py:73 msgid "Invalid basic header. No credentials provided." msgstr "" -#: authentication.py:74 +#: authentication.py:76 msgid "Invalid basic header. Credentials string should not contain spaces." msgstr "" -#: authentication.py:80 +#: authentication.py:82 msgid "Invalid basic header. Credentials not correctly base64 encoded." msgstr "" -#: authentication.py:97 +#: authentication.py:99 msgid "Invalid username/password." msgstr "" -#: authentication.py:100 authentication.py:195 +#: authentication.py:102 authentication.py:198 msgid "User inactive or deleted." msgstr "" -#: authentication.py:173 +#: authentication.py:176 msgid "Invalid token header. No credentials provided." msgstr "" -#: authentication.py:176 +#: authentication.py:179 msgid "Invalid token header. Token string should not contain spaces." msgstr "" -#: authentication.py:182 +#: authentication.py:185 msgid "" "Invalid token header. Token string should not contain invalid characters." msgstr "" -#: authentication.py:192 +#: authentication.py:195 msgid "Invalid token." msgstr "" @@ -58,23 +58,23 @@ msgstr "" msgid "Auth Token" msgstr "" -#: authtoken/models.py:21 +#: authtoken/models.py:15 msgid "Key" msgstr "" -#: authtoken/models.py:23 +#: authtoken/models.py:18 msgid "User" msgstr "" -#: authtoken/models.py:24 +#: authtoken/models.py:20 msgid "Created" msgstr "" -#: authtoken/models.py:33 +#: authtoken/models.py:29 msgid "Token" msgstr "" -#: authtoken/models.py:34 +#: authtoken/models.py:30 msgid "Tokens" msgstr "" @@ -123,7 +123,6 @@ msgid "Not found." msgstr "" #: exceptions.py:109 -#, python-brace-format msgid "Method \"{method}\" not allowed." msgstr "" @@ -132,7 +131,6 @@ msgid "Could not satisfy the request Accept header." msgstr "" #: exceptions.py:132 -#, python-brace-format msgid "Unsupported media type \"{media_type}\" in request." msgstr "" @@ -140,214 +138,201 @@ msgstr "" msgid "Request was throttled." msgstr "" -#: fields.py:266 relations.py:206 relations.py:239 validators.py:79 -#: validators.py:162 +#: fields.py:269 relations.py:206 relations.py:239 validators.py:98 +#: validators.py:181 msgid "This field is required." msgstr "" -#: fields.py:267 +#: fields.py:270 msgid "This field may not be null." msgstr "" -#: fields.py:603 fields.py:634 -#, python-brace-format +#: fields.py:608 fields.py:639 msgid "\"{input}\" is not a valid boolean." msgstr "" -#: fields.py:669 +#: fields.py:674 msgid "This field may not be blank." msgstr "" -#: fields.py:670 fields.py:1664 -#, python-brace-format +#: fields.py:675 fields.py:1675 msgid "Ensure this field has no more than {max_length} characters." msgstr "" -#: fields.py:671 -#, python-brace-format +#: fields.py:676 msgid "Ensure this field has at least {min_length} characters." msgstr "" -#: fields.py:708 +#: fields.py:713 msgid "Enter a valid email address." msgstr "" -#: fields.py:719 +#: fields.py:724 msgid "This value does not match the required pattern." msgstr "" -#: fields.py:730 +#: fields.py:735 msgid "" "Enter a valid \"slug\" consisting of letters, numbers, underscores or " "hyphens." msgstr "" -#: fields.py:742 +#: fields.py:747 msgid "Enter a valid URL." msgstr "" -#: fields.py:755 -#, python-brace-format +#: fields.py:760 msgid "\"{value}\" is not a valid UUID." msgstr "" -#: fields.py:791 +#: fields.py:796 msgid "Enter a valid IPv4 or IPv6 address." msgstr "" -#: fields.py:816 +#: fields.py:821 msgid "A valid integer is required." msgstr "" -#: fields.py:817 fields.py:852 fields.py:885 -#, python-brace-format +#: fields.py:822 fields.py:857 fields.py:891 msgid "Ensure this value is less than or equal to {max_value}." msgstr "" -#: fields.py:818 fields.py:853 fields.py:886 -#, python-brace-format +#: fields.py:823 fields.py:858 fields.py:892 msgid "Ensure this value is greater than or equal to {min_value}." msgstr "" -#: fields.py:819 fields.py:854 fields.py:890 +#: fields.py:824 fields.py:859 fields.py:896 msgid "String value too large." msgstr "" -#: fields.py:851 fields.py:884 +#: fields.py:856 fields.py:890 msgid "A valid number is required." msgstr "" -#: fields.py:887 -#, python-brace-format +#: fields.py:893 msgid "Ensure that there are no more than {max_digits} digits in total." msgstr "" -#: fields.py:888 -#, python-brace-format +#: fields.py:894 msgid "" "Ensure that there are no more than {max_decimal_places} decimal places." msgstr "" -#: fields.py:889 -#, python-brace-format +#: fields.py:895 msgid "" "Ensure that there are no more than {max_whole_digits} digits before the " "decimal point." msgstr "" -#: fields.py:1004 -#, python-brace-format +#: fields.py:1025 msgid "Datetime has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1005 +#: fields.py:1026 msgid "Expected a datetime but got a date." msgstr "" -#: fields.py:1082 -#, python-brace-format +#: fields.py:1103 msgid "Date has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1083 +#: fields.py:1104 msgid "Expected a date but got a datetime." msgstr "" -#: fields.py:1151 -#, python-brace-format +#: fields.py:1170 msgid "Time has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1215 -#, python-brace-format +#: fields.py:1232 msgid "Duration has wrong format. Use one of these formats instead: {format}." msgstr "" -#: fields.py:1240 fields.py:1289 -#, python-brace-format +#: fields.py:1251 fields.py:1300 msgid "\"{input}\" is not a valid choice." msgstr "" -#: fields.py:1243 relations.py:71 relations.py:442 -#, python-brace-format +#: fields.py:1254 relations.py:71 relations.py:441 msgid "More than {count} items..." msgstr "" -#: fields.py:1290 fields.py:1437 relations.py:438 serializers.py:520 -#, python-brace-format +#: fields.py:1301 fields.py:1448 relations.py:437 serializers.py:524 msgid "Expected a list of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1291 +#: fields.py:1302 msgid "This selection may not be empty." msgstr "" -#: fields.py:1328 -#, python-brace-format +#: fields.py:1339 msgid "\"{input}\" is not a valid path choice." msgstr "" -#: fields.py:1347 +#: fields.py:1358 msgid "No file was submitted." msgstr "" -#: fields.py:1348 +#: fields.py:1359 msgid "" "The submitted data was not a file. Check the encoding type on the form." msgstr "" -#: fields.py:1349 +#: fields.py:1360 msgid "No filename could be determined." msgstr "" -#: fields.py:1350 +#: fields.py:1361 msgid "The submitted file is empty." msgstr "" -#: fields.py:1351 -#, python-brace-format +#: fields.py:1362 msgid "" "Ensure this filename has at most {max_length} characters (it has {length})." msgstr "" -#: fields.py:1399 +#: fields.py:1410 msgid "" "Upload a valid image. The file you uploaded was either not an image or a " "corrupted image." msgstr "" -#: fields.py:1438 relations.py:439 serializers.py:521 +#: fields.py:1449 relations.py:438 serializers.py:525 msgid "This list may not be empty." msgstr "" -#: fields.py:1491 -#, python-brace-format +#: fields.py:1502 msgid "Expected a dictionary of items but got type \"{input_type}\"." msgstr "" -#: fields.py:1538 +#: fields.py:1549 msgid "Value must be valid JSON." msgstr "" -#: filters.py:35 templates/rest_framework/filters/django_filter.html.py:5 +#: filters.py:36 templates/rest_framework/filters/django_filter.html:5 msgid "Submit" msgstr "" -#: pagination.py:189 +#: filters.py:336 +msgid "ascending" +msgstr "" + +#: filters.py:337 +msgid "descending" +msgstr "" + +#: pagination.py:193 msgid "Invalid page." msgstr "" -#: pagination.py:407 +#: pagination.py:427 msgid "Invalid cursor" msgstr "" #: relations.py:207 -#, python-brace-format msgid "Invalid pk \"{pk_value}\" - object does not exist." msgstr "" #: relations.py:208 -#, python-brace-format msgid "Incorrect type. Expected pk value, received {data_type}." msgstr "" @@ -364,25 +349,22 @@ msgid "Invalid hyperlink - Object does not exist." msgstr "" #: relations.py:243 -#, python-brace-format msgid "Incorrect type. Expected URL string, received {data_type}." msgstr "" -#: relations.py:402 -#, python-brace-format +#: relations.py:401 msgid "Object with {slug_name}={value} does not exist." msgstr "" -#: relations.py:403 +#: relations.py:402 msgid "Invalid value." msgstr "" #: serializers.py:326 -#, python-brace-format msgid "Invalid data. Expected a dictionary, but got {datatype}." msgstr "" -#: templates/rest_framework/admin.html:118 +#: templates/rest_framework/admin.html:116 #: templates/rest_framework/base.html:128 msgid "Filters" msgstr "" @@ -412,27 +394,23 @@ msgstr "" msgid "No items to select." msgstr "" -#: validators.py:24 +#: validators.py:43 msgid "This field must be unique." msgstr "" -#: validators.py:78 -#, python-brace-format +#: validators.py:97 msgid "The fields {field_names} must make a unique set." msgstr "" -#: validators.py:226 -#, python-brace-format +#: validators.py:245 msgid "This field must be unique for the \"{date_field}\" date." msgstr "" -#: validators.py:241 -#, python-brace-format +#: validators.py:260 msgid "This field must be unique for the \"{date_field}\" month." msgstr "" -#: validators.py:254 -#, python-brace-format +#: validators.py:273 msgid "This field must be unique for the \"{date_field}\" year." msgstr "" @@ -440,15 +418,19 @@ msgstr "" msgid "Invalid version in \"Accept\" header." msgstr "" -#: versioning.py:73 versioning.py:115 +#: versioning.py:73 msgid "Invalid version in URL path." msgstr "" -#: versioning.py:144 +#: versioning.py:115 +msgid "Invalid version in URL path. Does not match any version namespace." +msgstr "" + +#: versioning.py:147 msgid "Invalid version in hostname." msgstr "" -#: versioning.py:166 +#: versioning.py:169 msgid "Invalid version in query parameter." msgstr "" diff --git a/rest_framework/routers.py b/rest_framework/routers.py index a71bb7791..69d73e842 100644 --- a/rest_framework/routers.py +++ b/rest_framework/routers.py @@ -273,10 +273,11 @@ class DefaultRouter(SimpleRouter): include_root_view = True include_format_suffixes = True root_view_name = 'api-root' - schema_renderers = [renderers.CoreJSONRenderer] + default_schema_renderers = [renderers.CoreJSONRenderer] def __init__(self, *args, **kwargs): self.schema_title = kwargs.pop('schema_title', None) + self.schema_renderers = kwargs.pop('schema_renderers', self.default_schema_renderers) super(DefaultRouter, self).__init__(*args, **kwargs) def get_api_root_view(self, schema_urls=None): diff --git a/rest_framework/serializers.py b/rest_framework/serializers.py index 3fcc85c3b..8c39202f4 100644 --- a/rest_framework/serializers.py +++ b/rest_framework/serializers.py @@ -1013,12 +1013,12 @@ class ModelSerializer(Serializer): if fields is None and exclude is None: warnings.warn( "Creating a ModelSerializer without either the 'fields' " - "attribute or the 'exclude' attribute is pending deprecation " + "attribute or the 'exclude' attribute is deprecated " "since 3.3.0. Add an explicit fields = '__all__' to the " "{serializer_class} serializer.".format( serializer_class=self.__class__.__name__ ), - PendingDeprecationWarning + DeprecationWarning ) if fields == ALL_FIELDS: diff --git a/rest_framework/settings.py b/rest_framework/settings.py index 946b905c6..68c7709e8 100644 --- a/rest_framework/settings.py +++ b/rest_framework/settings.py @@ -19,8 +19,6 @@ back to the defaults. """ from __future__ import unicode_literals -import warnings - from django.conf import settings from django.test.signals import setting_changed from django.utils import six @@ -218,7 +216,7 @@ class APISettings(object): SETTINGS_DOC = "http://www.django-rest-framework.org/api-guide/settings/" for setting in REMOVED_SETTINGS: if setting in user_settings: - warnings.warn("The '%s' setting has been removed. Please refer to '%s' for available settings." % (setting, SETTINGS_DOC), DeprecationWarning) + raise RuntimeError("The '%s' setting has been removed. Please refer to '%s' for available settings." % (setting, SETTINGS_DOC)) return user_settings diff --git a/tests/test_settings.py b/tests/test_settings.py index 658c61997..9ba552d28 100644 --- a/tests/test_settings.py +++ b/tests/test_settings.py @@ -1,7 +1,5 @@ from __future__ import unicode_literals -import warnings - from django.test import TestCase from rest_framework.settings import APISettings @@ -25,13 +23,10 @@ class TestSettings(TestCase): Make sure user is alerted with an error when a removed setting is set. """ - with warnings.catch_warnings(record=True) as w: - warnings.simplefilter("always") + with self.assertRaises(RuntimeError): APISettings({ 'MAX_PAGINATE_BY': 100 }) - self.assertEqual(len(w), 1) - self.assertTrue(issubclass(w[-1].category, DeprecationWarning)) class TestSettingTypes(TestCase): From e107c1dc35896ad11ca662c2379754b36b6c9e30 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 13 Jul 2016 16:33:27 +0100 Subject: [PATCH 42/57] Resize sponsor images --- docs/img/premium/rover-readme.png | Bin 50446 -> 53118 bytes docs/img/premium/sentry-readme.png | Bin 21795 -> 24584 bytes docs/img/premium/stream-readme.png | Bin 13940 -> 19341 bytes 3 files changed, 0 insertions(+), 0 deletions(-) diff --git a/docs/img/premium/rover-readme.png b/docs/img/premium/rover-readme.png index 3436a049c6c0b8deb7aca2140e7784d43461e476..aeef1de4f4fde08476547984fa27046c2fadaec9 100644 GIT binary patch delta 52469 zcmV)WK(4=ziUaRT4 zGLr!VW&|`jJTH?`0~M2i17-^`GaxZGIxsgnIWv>-1A%|~;++)$06+jqL_t(|0qni! z+h*5w-glXL4GJ{4CBmnjXQlv#+PR zT+^)A@7M^eC!}}m(7#E?YhQQ6piHtNnHbgk!gJgVX1=+q#?4_X+Z!(6T1m0qzeXdl zo{+B5fyFK72rcfFZ3Et5GfzD8_W2FUBo|92orr(tIKj+omN`O7o4$-1Q_nmJoj-q3 zRW{kO-@y2F@Kqmy^@McQ58)d)poQyHpv6rR7~4%=iNRGT1Jfme0AEN#5o1~NM780( zC@n+`-4yMZQh?3zMc;{Nq#HpS>j~*<8nIr0*j#O|MRq~dH)sJq zIX6!d@N6g^i-Jdgk)R(^-#bi`*zH zE7fD$2AB;44UWNK@phifX5jVa)f0jBgmk5j6$@}>amFZMwM{l(tTUPsrv~68B`tqu z`rcHcVR^SaH*-jqLo)$P4}aREgYn!?+bDk1iv(HCYZekt(T)2s(5YY(wBdYFaf$9jqu5*T2yKhzW_4hgga?L}N%lH)`LRsy~3g$mY8uuqAq5*IKhoLFIccsqZQw46~8 zeEdfr%qk0Qcm->pTmyjK2qhgeSxjvT58TLEe-5KPFEbnF;Pv*}M_}{Xt6bMOMqpfV zBjkcc@6|NIEUd`cp2nQUD2UlhFq0As=kA2sQMCQ zEy7c5hiX#EdF(?VeBF0Dgyw%!-*g4<_GpJl!*5Ar!m~Q@STcUn28f)C^&#ydn@!Vw zYIx@T_4Z|p!1^B2WedF&*D9#BHCnRJZyJF5%i>E?0WdBkGkI-AuKFY%^H4cK6bvAo z#Y4k;GQ~pzfpZ)kuY>6qG zuVrIfV1k%W5}kP5u}^={MoV$26PJr-1kZSALf4!N0!9W4>i85i)y3!+2-Z8R8G-eL zw3^X;16iKavx)8HqD|n1sD)!3E3)t`N(i%q6Ra06inY9{Y1xLyboaxRE!KZbd@%^yY$JOx<|~=# z2VoAiZM$$W(X!cu2jZe>9%MBSV&E%XR@gA~(x#X<%?Vij^=hdRSWiex4R3^dqK~t^ z=DQ}n*9I$#MPt%5E=V*X5l!$Bm2H-BIUx{GA4=7V)!LKrmJU`N?j|`+7$u#E42^Y> zh(cjLwM#;C?XQ-rf=Q}Hu8G$hfl1i2-8w%nIekhgX980W5LohC^+

DIv}&Pz^MX9z*=SaG+j{|(L<%Lm zSIxL6y!Z?0Uwu}Ec)U1RBx$&|JkVB?#q4(J=+q*#_#=O#dEm;ww5-OGI*BAr01qyD znvdm*uDKL1ev}E?Zb6e$`ppr0dXFiRrvwllZRLlP3bllcC#s19LOUMnI9AApt@<#L zxZyP|H3fWH*_vPuP`mk7fY-a19)b0Qbm=jCa}sKnyGrJm7S3D(3qV9Hp7BJq+T(d8 z;U*bc_(gv!3NJ2FfknV?xzpB56?$PzQ?#_x7f;y+tM@`m22!A*qz=c(7gTLYI!O%8 zS4+QmTmM{N)3?3t5Bm5w;Vm;{<)k_W7Ojj5kHEB>wyo=AMIQ$`!MGieNy~=|+6Js| zmJxyVgtUyP&SmyuV6v-taX8zgKTZEEs?G=0PC|dRpt6J!(0r*aKCE7{+1C&bev?cL z-D(}6S>~2uT9}|J$jD%1L5p5Ok|w}G-+!T<+gZ{~LmR#n_2&A(O~mS@6C0Z=S{KMl z8svt%j-4$JxN)W}{c|8Z)i)g*5|ukJm45X{kY%lJRx<+Y328N>S+YD~d)4>a6K+0{ zX&Zl~O(&@wS_lKIkt^*pI?14jB)8KQOk+w~(3m}pT2vCw9!#jMD7Hm)TPA#PIbn{t z(yM0crfFszYTa`><10CoJcDXe8q7<(553$j3)+q;g5m0Z^NjtHmKXxHag|)u6MJ;U z2oDu7fYc!m7ck1Kc2i767X12lRU)vSkS>2AjGmD5Sy^o+v=6r$N3B0kWNlagNf5w8 zWEf2+i-0}l1q%g+Dj~pM+$|@POOC0NY_f$fJm|6t0M^rsD!e`!ZsL;FwiRr|BL!K7 z_qiAwRvJq-Y|uHOK_9>ZpJB)u@z^@a1|K~@lbTv@{Dz=-jJL#+VU+bd-ZcPyeyV@R z$v7*DE)teRB{8*K)?o))C?qL!T*KDuw-tf)g!Hz;R&$btG|oy1>Nb;kgr zn1;pM^Z=l#KFcpSfE4vdmBxCJHV*bISuZgysOB?g5`$=ZL1PESJfa0|(1?h%*o;hQ z!+{fHqA6ZG1{%HK)tr*p#5?C3^)-JzyjT=PqdiC)6GTpDcxAAL&hsGkL zBYQ(ML<~K4NF1?nVnVMGMFOs9%`nG}fc3`Pjlgt;TYsUZJ?o){+88=u@jNu@KB&_dMvK~n7BeU+rmgBI!e@u!#vU263H6X zj65q~MKi{Jrluiyk;k~dt#e?fU>Vdd0@k>_kC5(F@B4}HncjAFb zJWbPk9o_dTn#r>+E7M|AXG{z&17F+5_6Z$$X};ji3m9O_55d$I&)hdBl%_?Z=*Q#< zTz{kXxm@HlZBaPwlq`SDpcrP2Slf{J30qlizoocp6Iyo>NSA0OV6hf`NV6?_7GQJy zdi#P1tnVRR5R!`nn5dqN)HTBzmPsj~0T5KFekT?1tRcW&JSzp6EyCII=Y-=r%*JYw zf$7B3VvGaBqD2wK3e}#&f-#Dw`B*%#xORh%ZH1;AB{fXgQG9>!MyDEW-;B?67NpIL zZ`5byqZ+_2t&c=Ru?}=%&>RMC41h`HSMh)ghgv{eD)5#I4>GCMDiZY3^q*ns7jBX+ z0(F=NO>7d`XBu^iMFi{RXGLH=A^oiAfUBA0iIo``kY;7W`j-*_la*v+r23wubWF@% zN}Acj$z%tGv?PD77}N{JJ?j!)%$S3GPj!S<8+hX)p|(~iYTE=o0wT*csXy*TVFO} zFiKCTo@|CN>$q&J!Ynl#KC&p_Ja>{?_9jbOqvSy>M3=0l!D#l$p~X=-D9L5(+u`2^Ku zMwVqPsNVpEj%-cK)5z*C_UnHFlq4A#UWPd9(WgAq-yHviiGxFp&pFG}kIXnFxH zqx82f@FQO}R_cPb=`p3-%?Q0=Rim$9Em|0t?#Gr&H_*aUJ^>x+W?X?GTjX(iOqOHP zLD3>J#M7JsXI&P2A#H)zt6^AANN+R?G>JUNH0g6lR@0H0NvTQbbmIw^_0dVlR7Fby zF}Z&>mT7i#x(|NT)f58s`3tWG@idM5bdZmIYPwB>iC?uBEOabf16B7Tp7V6Ob<;Q9 zoPOnkwbn`Q$csX7(9`Bm1^vY`_8VuwqOL{y;>D&CH~Q4R+1}`}8v9%Q#;G3nylC@> zK+(eEM6YeytqO&vD*Djb3@Z{Eo@Sy8y$F964%4j5q?VtJiPtx?2&^Zh3Wk4OXMu6E zCY&dqC$Od-GY$BB!l`f4T6EBdEE5@7qz!0BI=2O_g+pyUrq#v@#1G!W#82I&`1(-6 zG{!+Q@mzFaLuXktT5FGmu@NE`ntN{BCVK#1@s4%Vm5-*2ywJ{d0bhs+n#4HC80CM@ z?F4Tc$!gMhEn5E|bPX+SXe>u;)TIY-P}r8zBW7zw2R?;ZKwl6Mn9FszycfN|BTo9} zD={;^g1DOEJcqvX+Up6a#yopA>P$1x7jH z+OVwF>ve)gCa@|eBDz*m@(bUK&Ru^SBn}Lu%^$`6u_J)mW#5R8CXu2My`it=<$f>F z2yU9#XgMPv-oek7I)4ot<(GdG9a6+$+oB%`c;L3J!EL|$!CMXFz>tkEqmF_Vf5((K zj3P~oEQu(-v2MQdk?zRZI;dNiVd~Itcrhsc7+v33BYY(7pbq%8qXVcMZeboF#yBjlkiN>VIv_H$X_G4ZX z4|GJ$R2vRT2-^J7)?Z>6+{k}sdRa8$i%x>4af*-OY0l_3jd>F>pgkwNXNGG369Qb= z08afh*SCtmJ3Aru+^VV2$$@U>jkZiEDkilGlZ*d33LB$0_k4(LRZwF=A{=7 zFwfdTq8HlIALxY|gKu~Xr$4o)7E;>E@B}x}x4QQG{OEA&K=dThSDSwjt1^OPxcV)( zdFOm-_cj#0gu7>{+C)xsrw@(-RQO4G+6G4sR8tFuC)^slg=|reKo_G37SdU zu&$vKre|R#pmA5-LL`4>K1rc*aza5gWWqw!{jPf|)8}t-QPZC-ALHkoNlz@2K%-6^ zrFTjylb+zpfAY<-SEJ@7aD}A;ZD=3SWrWXrGoC)W0=iWqygsUN%j=6j4 zw@&Jr2-{*z4WkcDFZAEdd@VIyRPp9MPMmYVd7EWQi#h-h#t7 zYt^P}s8WPOQ5O?nGP)X=+NLgo-VwcbY(nz9olOGwJ>)gz0Px>5nrNy?CZ2HfNhKb- zEy@XpehDNo^{?!F?`Ra!c<4))C%gFt=-OIr-~^lFJcEC00gV=6ZzqCS8CwLk0irMc z(_#Zx-dHB;!i)A!Sb#bKrJiU+HOgpN(Suy4Bh?+3=A&;7#)0P_x?>H<{;N=-XM{y| z5=F^uyDb;lDr#pO)UaUc#K8vO^Mc=D3vUFm&G_0viJUBy#kR=8L+&IrpGS~ejRlo_ zwM*?>RUv=hIn_HZA+a#VQWJ*0!Jv8p2+)-IRnt^6fSJSp;3J|1LBNzOPGqz^W3-_F zx5DlgJ$!RfbQ>U+(KE^8O2;+50D!eh~D&y53b zB{MzHMefDd%SME3>Za00`3+vAIv|Sh4 zRy>x2U8P4pFT}x^nZI!%+jhu3|6J z^=yVYCx$XDfW#t_ul4Oa=2>CpmqZ)m8lNBewQY;GVq4oJJyB;Vfg@MCMjC&t zp(JYA24ZjwL1?;AgLYSqhMUEk5p6Q*Vovl}r>+r!7ko)Zs4Vxtv27t`i3vl|OeMku z{o^@`dj~Y$F$pOn-1BWV2{eb8i(bM^)+zRUtDf8wdR)Cw6;jAxHnFq*NSZ zlEU?}t%X^V;I?6=DPl+Z$%1$sAL0|XcWIvhbqJ|rv!vM1=xG|PLVnVNJ*ajWhwv6Q zsVW#W6VTC;xPT-}e3ouy7L}AhzLbA_Up$P0u*2i$M1yF0@{R7+qFjNATf+FSdmqToy{f)o91 z#oKM8fzi+=#)M8_?U+jaqG@ zT1|(<=$YH%l_z+KAM4l?-fm-rWyh4VsX60EFV01O@EN)qJGJPxPmP0ze;6OB**0W^ zIc$O26dbZZdJ*iAF9m<*tM)uOMIWqCv`!0;oDo)|F^P-(W}IQs zHEE4Wt+C;$n|2g!*@jx3th5QS6*#4J85)x=0uxp?K|98!Oo@M#wjjX30;a2lyhh;pvYs8-n0K zpicn-EPSppkiKZW*Fz1l;1Sbu3@y7eyWk77B4h?j6K{M#NVi)R;xAU_{#^`zHNvi~ zgwz8(n^?Wr#)*FbjXFJ;hBs2Rmd-e7m_Cp*K|D!3L+CRZCpsph^_1SMIcAo)kX?MP zdjgl@Owq{z^w^5x2|F;#l-Sy@hJ_sJ$g+QJkJyc&Kf+oQ=0Tvoj14-q{e-1-Pls(q zYk2cbk+T|c!G}yVr40l0$i%1Uff9fC=c2Z0Tti$IR84=rAfI}`yTG0%yrom7JO^w&-!;79~ z9s7dfRd7TOjJBxpzu=(hxYABPxRKVvBN+khkEv#T^N#(2sG=oM| zgyP!UUVB&BGRhvQo=X`-W{k>gK+k&?6|kmedQ1f9v&1~1m}r!)(;E-XM!~HVJ8VlP zk;T=-EY_-!n*|6U?9s&@Ns0wYb@~xo_E5uwkZ+yHqD|@Ljyx7nU~IEk0;dmcM8yHx^F9=9A3mE3nL(6%^}y+m z(vuwOh8ZC)JTFa9RvWseXc+x&TU+r?5}*JBYiX`V?CULbEos3XYzC=fo8|a~kF9@= zqwYA2#)>=f3g0|-w9yKW<3_EQUoid~NgTWg!!<)lreX7j zt;0s@OD2j?!^tzphBN0*3@6W>9L}6SrM)NYJLh-|Bq=2;=Aq*w zosO?M{*kob>fpR^sa2^@bb$eOG0lGk%|c#%)wPk3W`n{If~AEH2vu z1ku8!&ce#9hCZbiZ`Tc{Ztr7FW9GeT&y82R^J@Y(@kQpeHKynp4=4IrFc5!>6&EYz zy=|Q1+Yj*FZhXVWctX=i1&TN&U>sQ~={T?(hE4iM^4Yj)^RRj2)?xRSeZvhq4h(y@ z-7@Umx_{Wcb>Fak%kE+O#_NVHN=92mLn7L=VYB}>kXR}hB&4(F&M6U{8qSKRh^J(JbFI#5PH${pn2ZaAiCWn1*``fLDMjsA`2)`+9658Sj+}B z@lhCMG$OAQPE#oG*j6;6mH5zCo5eOREOb{t@*$mI#tAfEpd+t+N@9P>6t@?G;!plf zn$rpff%?O)vdwVX1@9yidJ`Gha1$0d>r6fsZ!b7%=vu5gYPSW8w&Ig@YZDA%0H$8Y z18K8ZfzJ;Mtl`_ZQHf{MHt*q(d~Vut`*3jA-NVg0?i}`QKQL_Dykpq1L5XMcHtiLW zd@g;7V8^MmC;WHv+!22#rH2oHZ+PPMzjLxWb@uph_WWskjxRXq7&$PC2QE4|_+xa) z1O(o34H1M_Z@KhnUq;_Mp|lCz_W%jVLhwM=q;;Fo78H=NJ=hHw4!WM$Ug(}A5F#*A zng%HibK7#JR;cM~L0ClBMPoZ6B6v$Sy%$``>x2_nc*}{2S>S)UU0H&_T4w2#Oi%1G z&L*%C&~X8-KXY9Kj+9O^p)V(9@L3p2Q1h6(^oWoDWrr~i0xcEeDq&esz-;Z4U}*NZ z8_0rEx1t=IR25SHdl8- zQlLEmJqoJ*qe35CPg3^_3B3CnN>AWWTbL6~4Y(6f4?gVBdGwhH^ynBmwdX(gv97ig zZLP^!0%A!at!1f0-@1ishN>q?m=PZHtKExrf+By&;=GwBCji}#OmrEVy_N_KY?KjO zp~5`VJBc9-VE!7ep36#my5IWXYsqa>1WKf0%9X1TzYwR4;708YZ5p-=d$#W%4(`0$ zf4A>?|8VD?`;?q^wHa4r%^upl`|clZ-*wOM{TKdf_`#ts4NtuG;Bfk^PKGNmi6y2h zY7T$8T8bA5*oBx^F>Kav_|;Nh-3f{D@#L(fJR2lKJdu0g1Tj9-nlYQklNKBe>4n|H zIH!g&^m7SmHyw3hMVp)!*|7FPX5sZ-kr`N(SYi2rn7(BNWGg%IbPdq{70u7BV$LGj zN?5yNDrq7qj5LbZ#f*a%8u79?lHh4r$l`xy4x^p0smfT4x(dF)j7TZqiq{S$oI7+F z_TKC7A8ym4KCts$IuyHZf&6OdT(@P<@R{3wd$@1^FARVC>>mzad-jXkTY6P-)Kx$E zOI#@PWJILE%))1yt95f#CZsX=9-kTv&tA0!1MEXHhDva!7Xull4C^QZd@_bmjf;QG zF>@GiWwV9V5>#6@JV|6Bs_9cdS)F9E*Mlnfv9lAF_-O;v-#k&x`weeh)GlqFWX${H zBnA#m(M^g%Znnmifb1a#&x#35#?ir zl51jhMeO?Fo_(Jh-habqhXdE$IqZMZ6|rTW3u-f$UGLj|^YHmQ|CtUsZyNse$$vS# ze)6RZSB2IyZ8lf2r}yTWsxFS2$qTL(qUQMrXG1iG68@HOWaFq8}5K#C3ntDUYnu z_E^=Fv|=L$KoUPXX_VLHhY6;cT5c4JfcEQT^u5y-cYYuwrn#WhH_10`255Ejk2A-pJcBQiEZlfbZnvuKPlj?GwJRGPZS%$pZ^J1U6^&jfW+nM3dw5N3B zk?yoXj8ybskRzAGzvbp3)bQw8)?)8y-^uy+ve@V zE!Qa#UH^&U!#Dk^F4f@BW{?>5(%qzoRKKXxdb?5i-+0bR4JI)Tc zTJwM!@v|gfdAO@8A(1e87q#Q=Us2+^5PX*7G&W5OS=zN72T^?|ovOv%U3jv(7;N|` zw9{JH+J@E)LH5!h&Yn^BTbiPI=lxDlT?aQQbH5p=RV=kh8n%!TLN{)0S}`!JqXLiLHyjf+JneM7eNDeZYLdAPa zB&Zq@5+|FhWl^%!tjCppBwh?xYai< zTGTsu!#RJYU%d67>hA6bb*J}F6)zrnQPdQ~#7?yX>QR{1hhjF5^OYXLD?cI4qPZ}s zwMyoF4+_yPILp8bp@t)31XH6Aam>$vvEnL0z@H%o0hh`QZ#f2&4j_>hHA0ehCz#aH zX)zX6Nd$n36UwZ%OxtXQEl%XT|aykUsRWv_p)Qo&R_BmWF$-|dI7-q>})%qF>| zCIC^ODu=&CQ~ZY8QpH3aWLrk0CQk4dy^-``6pU(k5< zsDlrN4vDG~k#vl0VJr_-!1b@Kr>68xfvwgFEFxiEEZq;Qb4P2SCx7;7@fE-lzwGEuGoas0liq5jMM7r`-eOvK1_j{ z==ZYDz_8MKz{aKJ)yK$5nv>70_K2dzqOz%klHmuTrBtJzJt1I->x6^Y*fPSwH%))F zfnY*P8e`Id1|5J~6!p9`4p`VnTASCjg==z>apM~n6-g`&OFiGVIf1>gIg4Wux(S9B zPEB98dAIh8J~sT?ZU4=1^Ugch56^nM-k|1jn0N2}$nf-$hxBHFvzZzi3jerzB2|J? zJGZ?E>3LY=R_!+sf7!uTY(nbA;)Q>xFnRiC4R|4q!4?6(>697@x7k3>mN5ux7C+RT z%s}>^5!D&k(+*fc<7aH4Nt%RkQjJ}(`<~ZJ+6;g0=m-oj`049O-MDL#}Vpa z*4(evn@P_~U^#dZ0P@cTgOpzh77C^D?hD6Kgv-gvqY6<`JB!h_K+{HPw%PkZDn&9x znz4^fQ^JytlIf){v~i^y?zVqptYyo>o)JWpGObK%(~Pq28QxZ4Q^D{P`LV8is2(JN zPk4kjZMRLQ%^0etsYxH5iRZ{``bjRnZ{4_Kc#rmqK7Gr7G2FHHgIDyqBHnQn_v+

o;&iW->HNdSmL7qHL%y?uEsboL$H4~23~@eD>osv zQw}7HK$Dtadm7XPFB~v1lq^8{#nbdmAY=eH7Ca4Y4A7<#1*03O&@lFue+@85ZgtJh3^U|r}ehSL&u-h zdyJ0z{vTet#(?nVNS>A3xp~iU-PS#Ro8(&h!F^cozWyV_4`2Fgz3ffTx^=7+O0N$M zgkjb9AP7LDN80AO!s;tGAyxGH*EkuUpeoq4(jm!wPMAAcO<{kZhM;$0y*C6O3rBL? zhrJa|LeV7g)8ZvT^svSRQPc=~uZIpYBc83g@Ke}E)+Dp-Q*EM9I;#rg1>UUGlxDeD z+XUIn$ySo$*Sy3sL9n$QnvobUc*lM0w~z!QQp;|$6ASU_g{_Xm4ciV3zi{9m4fo&t zg<zn(Et)G8*{YS$WAO4?*LnogaPM^^YiRCAUNxQaQ?{_NQqX&B5tGzwmv&0)G z*Q(sL=R-<{*AGW{Rf+9N)$^JP+H&gmW5-+$pRhnJ5l8R>0~8}z10 z&jP!7emH-sJ(C9yeRX*7<*(_+%}))VzwP&Q`1t|tEv?O42Cmd;jI2~2E$TO9r3Q)PFvJ)Yo9iNM~l^Im)jSI zq6k{NMHS;ben~{4A}*uU(k1$FoXW_}I=r}Z_xp!mI{15fGXE26x)(7;;H|e_IQGQw z)7O8#H=I%I^ZxC~aC{svoOP6jpB(!7@aoAIhTpjJUko481HYTs=>Dnq?EUEQ@ZoRy zLjn%GV(w9?0iDKT8h^Z~p?>Q@Sp$wMFCo<;!1uAK2qyD4kOcv3T8^gGhC0PlM@@do zp@*UBT1wfAfsVf}w0p6s_NtX0@rS)@#C3m?>KYm7;D2~pYV2aGC)SmSZrgK@PU`-) zZvfn`^AVdgiJACZ$~`-r9*&UCCvXw~Siz3|Pou2(C?wjP-b4MQ?zV^%)^**Ne`tXhMUv{}!?|sVa zRup?F>mR^ORP{Ys7&}>0V`x`qhM8~Hzue6$Dj_AP3W*v_?w;@+v`#=1zNSjivPjY- zX)s9BU=V2I1P^~|ccQYmp`>I=)lh$XjDh;bN*R>F_p&rCxFid#o$#^UnhoEzW$*CG z1HU=^;(_1QrSAQP%{QC<+~^M7pR-4gO&rv#S3ffR^wsYUUw-=E`reZ>96r=PJVG*M zUU$5JUyyXle=3|Zt(nt?XCC)B1x~(dP&(%{Z^8$L7q)?NR-AFJTyWGF!sx+wU{Ul-uE&j9R8teixPDE?Sf zd=tFmZ~p3=r}QNm$(ty!B=mZ$pdm)o@}Ex)@!n|f{ner|!&R{P$;*G=7+yO0yuPu< zfwCO(_)hVr)iHIPJ>DDj(*Bdf1A1vcSH2X5rF(jvzM68Ke&9U*vLS^5P>V6gZpNfB zYIn(At$HJ0V=ixfMI|JHGscWS>A(B59d$qoFoAX}{oc+}n4((29|cyREo+7w`%#u@ z7kpSH6;rfPCEX}j+vI=P0v@XhH>)QbhheMs7Cx#Q+J5=A-`8d1xAu${pW?Y~_j`uV z-}-yQ?K|(4A}qnf*h$Z}0Sjof2|FkI;G#g(KG0WNj85J{IgZqE(&W}vIFy7Yv7wD# z=>1D<{GdZj9e(Q1!9vX?6yFbIFE2sJn_xYyZ>l|_J<_A6ULJq_b{OQbTy*Ky*q6V= zc(Wc1<__xD^oB<+N-VqZ{2yOViJ_x49t+PsjXh(7;hr*aBy)rb6V5cQknNR~kQ5Zh zi2xEHZL-wUcQO*BVi|(!Ez%VV87iUI)~g1|lZ0t>dYYLOeNy-E%&!80d#eRGFQ0gBIHvbY zbMUH?|b4!1>Gq!Ei#gN?LKH0;p7>#n9 zwc#HMfxQPib7tIAYM#qnUr`CE$DSxUfR1cZO`2>)r3%_v=m~jnoj9`ML^MlPoj@#% z$kPD7Qd)3c5hiz}b74U@5bA>pV$CD2Y<#e@JcIf2?~1L6-`{}&e7r4&y5Y`(-Fz7Sx; z*>k6d6K9U-Tnt~&czcDL5`TR7tHaly{R5q3enmblZ_2V4_SBIFhr@bZET6i@6I`@U zxSEdZ@)D$>Jty=fZ6(jA{gy`~m$+fPw&@e!wo`vrq@K3e>mGx_e|6Xs_5^9W1P@08 zE^ocO(S0j^RYc~;yB$F4j#$=;f=o;WgpEJikkRs@gMc0bK~cY207rR+EL1IWe@$!qV*eWJ%Nk)$?BO>c$kZT(#Dhz+DHPJp{qmvYkE1+B%35h^CikgPhbX5~T zYKIsaO4nn9X^}xdh}k>n&|84;orpXV2rZ?qX-BZpYDYw9%qm3x3c9w4){D5QjatNE z4R`O}vg6%v@+7u7f98g(Rr|Nyrq{aOp@ekCw5=Q4y)e*?eVAcKustxKoN#7ufB=6( zBBmwqVq8m1wwviLBne&UmU*n+`k|G zLhq91Gt}?i^U=3`xcf7e&5+L?eQbD4pSM0M{djnR$@X>h)SQW+NNfDs_YZB`xYJ2;&(<6LOxAxEB|5)@ z&~iMrWhs0W8^_BVqGT^zqob&L5IdG&Uen3pSGZ#JCQtHm68sgNFZ%K`|8Dr|Gyh(X zM!Y=Sbe$5g?zvg!rSy|ZdJn(yP2K<$G1d=Aka6u;!nI!oP9kf^XGHZ z5nJVrbZyzxkE>vZtjQ3mMX7(je~r=yVVaufCM+H(F8AKj<-HGyKxA$ci!syFCcHiE z`6Zu7GX;VRoCy0DN|LOY3m^z;5j!X@Tm7%5(Y_d|rC5c;UoYrVfV@n{|Iue6JoixOL}! z+S~ZB9y_?h4~UY4P7gV0{PdBZ3{SoOli|>bCx>G?_j68PyKupo{u#zs_N>%rj1~)V zXc)Yg#~$@FS9`Wzc;D5W|HRoN!(*@goj#EG2fFv_`#Se@LWicihY#NH%fs%U z!#kJrcG@o-du;g8%U^%d-cjB$G`i8k+AaDuzJTx;pPdZc9<)byQt_EH6k?StbZ2Yv%XV}f-?q_q(Gm=An3wk zFkNJ^c1(xI;u#Os2z1Fnrw>_ZK;|uMX7;ay*P!)Dli?6bp8kK_r_K;s0y5e%!1Oor ze(23N`g`)~u3Fio=c;z;T+)us*XcaVDcp6zJxcnq6VQ$=yNA1!gt+bCUAsT%`=PkI zcwTPXdCzd4zIAq3kE=ZV%6Enzzx>tV*`tpPr|K&gco(l!+rR2NP)MRr=}6Gppaa8m zdI$8Q!wbis7~X#d_^x9`po~0fxvELd}19GIARjJP2}Q8WIckMno19 znMmOdS0B3Qq#!R)2hBs2$F*m0R?m-})}(Us!#)`Vo%1WMT+IQWp zg(Bki;U|Bue0?~1=BUPpUt-C09LH#s8V5-@J8!*-n5PmCO=QNZfh_(p$H&T0>t(sp}INViQh5Q8CzZB9aT zSStaCHeJI&2bk_!ZZA(lnmIf+S?Co9w`y{e6bQ~3$c0ET;T`KrXlj=nFAgF(8x&-) zn0Id7JKU;oeeufFJzH-YcJnF>(H+xOomWo1q|ePfJv{mP!}`TMG@Ra`Nh+CbT_+<% zGlqY$Inw}B0c0`i_+E!e`!DfQKYCUclE+qE?#<&Ei2>H&s@;_Zm~x%I^7;YY<^5T` z7@p5EzuCfxc&-X^r}cS#a_7O9zwW~)qSq7I-s3zDql}IJCl-#s0uITEvqzQKzNJL> zuHl{=KIKc*oGUsh_>0G$8ou|^Uku-V{y%>Yr_SdUADzs$>WAV^y}*q_)Mb{Zbf|hr zc8q(%_+#Hn>olyD^yiGp@>tv8n?Aytlv?<*1p1Dgb(x&x`Ye|0LX9{<3mpgN9bq6IU;m@5c4r-grT zofg^$_5Pas{TRlryY9Xq-WNhhNYGyl*8Lwe8dg^`+QP z-t?P3oO=BAANnxLzYHG0imw9!wfcYF5*z*$6-Wd>r}Hx0Z1|1m|4<9)v`$jruH^sv z@XXPNhKFDMwqpFClFdK!UGQMT!-NQ}W?(~&P3tz&9#Q2~d6*-}k+MaiD zV^I^oWDTd5i4>{^2b2V`Z3}zc_|jOYSHEzmd0aP(S`QZu6!0V*<^%d>Kcs)m4fwQ2pzKK^obi zy`Yckql2G4_&a)2;cc*9v@nr)sP%>&|7iH2-re)$Yd;?T_PIYC9(nx-!%6MhN2cUs zY!?~j?hFK;!z11-xQycIr8$4^co0JxRoKJ1W6%4C&mH_P^&X-NlWx=fyqd$>yY_r! zcv0^Jdg=Jnx-s#kuy_U&XLV_NBDeFMh-6`bh$-hfe)`&Xbolm|uj=sy*4K3fjvF6I z+`dQ43?)wv-Lv=OIuUb`TLW#CK5XmS zB&I(r242u@_3mJv`GWf?NA?SrSsu z)DBQ5px%8X5Du_v(`aUpVmd?)wqV53aApqpos>d$$%F#Dd z(8!bd@7w{;!?3DeWMl5?hR zzU##6BrIEadDlm7{I%hLUW#_9Ws9D>yJPqJhJ$*I2$$eJcNJWGc2ab#t1X|2xoJkl z!1UkamHUf0XC#mk(I&mRLsO72&X_o%y;oN!59qLZ+maG`oA-Z&0BJy$zn;*4l|(E3 znPs&wWuQkFLp_(OE=FkmpE%GI4KX>RvEj<2l#d%6#g%byU#A({<%*F(XYf;#*yllk*kah+$Z3U-;;$Se!m`7;Y666Fr6A1bQ zF67WxAXP)lxt5RV%NC!1zy0^#bTYEC+VJas^JWTpb^riC07*naRCRX_pTFbxeJ*C7 zzN#9VsPfO&Nv#u;?G1CrGq%rVUTT}GQk-u&tHa1#^i>?JO#bS;3!lk(|GrPly44w8 z9^l-+{dR@6cF80;<5aQtYIFcHkc`1B4jw-k1n0`*X6+I2Y@QQ;X~8{i1V&^Wirl&L zeZ!60Z_}Q}@_sWg+KN)a;Ro$V)g|i*1)bIrW7IWci|R`{cH3(TVCGx`l-W= zM%Do)$;OzIm4Z+4iqHxJ-hK$$?J|Du$K^;yn6WxDwj6rPRSjg4intRmPYO1~Z7MAO z1ljQ~o3=!M3L{$GIC!g`{ra3fL42vdw47M|#an+zN$GcoeOqsq^wK27)=ihj ztmYT&bX^4zX4MLN5GT$Y(DAL4M|&h}OO*dkZoxEXT`&rOl|lKrJy zZ9DJH%s*%Z%YVUX6rZZa0$dPe$_WxH$%^w==v=L&x~MaMz2|gi_Vc<&s$Mc;V4JtN zIE88#LC{v^IY3)~S@`F4Az`ncS-i=6e-^mJ4TqbjbYZ|Z;d)GDifWtJ>%-;=W_z)d zb(G>Z4i|uR*tjBD^Xl>>BzZkLPP>Dtw!=9hD}V&eLmor|sVPuF_iF3`K$hCDY~8$l z__Qu}a|pA48il0xsRO??d|HWVw?6w!!a>n^J_)6mST%=M$4?(!4b=-WNOG_0?q{xE zq0oy#I=5)=i2ICg-T5A$zgl3rgbqo8gv`5*nEV+$k|56Nk41pbE*>3$6NH>&X`E=` zfh~cH3@`G?InUvmF7w}_D{}1JE~}8#pV3XAFY4TX7`E6XwR%Zb% zecH&pRrhmo6X&Hrw^-_aM)k~*M|8PBSAn6a`A>6PAHjh1e{hUdjSwBLp&BZ$!v(+1 zu(q4alaMrkV=}2WK~10tSmKvy!e}SKWa)tmtP>gZ{JD5^)KcIN>b@6V`>~pZPvCs| zmfzBU$?<>e`*!BT>+#2svf+#_$?~q{)hy^ct_N0m=QF$P93t@Vysjed(F?oYzwa0I zE4})c$vNM%k%vnv^JKirGj*JJaNJ|nQ(m=ZxD$4UY!(V=88;zV1thf^=lyyt=7t@& zF7@i#3Ef-uw65}TwJ-Aw(|d-+Oj(6>W1(+9j}wE?rF6y>*|*WMo`Ys+GlrkCBsFR}M*a68__NbIAP4YXwx3CjEuQ8k!xeHPhTRcoJ+DiEDa?5Kl66tcW~ z77);c^TKfCoQdEHqIXkkK+LN*{SooI_I^k=;;sI7;5t#^_w-7UUzZkHX}djt zB^L&odqiG3{-jJQ+=XtuWe7JC^1huHPCPO01+k~5Gc!7wdYj(oe8&Axp7 zNk;#Yo2WrRLlH&cVaVR2qNH(h92h5PVRl0#B6@XNT>7TX%Wyls(mD7k=!XJN8rA+>iH2qwSBC1v;?A9{g<%|{FJ^Ts1j`qOLcgs2+bFk4Emp^s63ikZ*NApO+qM2{IcSpO`Zv+K0&NUL2lAs1&5N$D2xHc@ptg$rZbW{{MTP6UWY#snRwhn0Lh6CbuktW z4eVXqwd;d=ht%r-kdzuf`1*|YE?zzLVv1Y85jKecRE_BiMV!k(1rn*tuSy@#b1{@lP`o^G66=0_J# z=rHXu?km$_+lGybq3pnt9=`OjYzCaSn=lmG^7>l6(NmAx@Vs8UgkgE*r>}h9hnv=r zL8v_)X(z6=KJcod?3VX`kQ&{I%VX!^)5czpu_zap=g11lYnqV8alEim0T6;}c! zG8`q2G0~_nvHgeZ9;M(J2bZc7xMpF5SELd_X7A-`u@oCHyT{FQ0mD zc=pJne(VCv+DgxxS$_dnT1?whYV_~?z*l+i(_=bY-{Sky-?H&y;M^g%D{$LFY?f7R zi<&lXv@sgSHD#xNvW7<3%m|~^U+X=iHepQ@QakBAeVk6{Yzw=M^FD#;n0DP1;EZJu z#(`*#VENU3NryG3^+>?73h98yGCrYCLvtcI3rpH!f)1$kY7gC^%ws4I>9aa#F5wn{ zGn#}?=uwvMyznQw)O*4wv+>K1jwm_p)q9QDLs~}Rf#aipXAYPBNhGa@7;2DVSJ$e_`_8q5;l z9f$(C5-}(H-=oKo?$iyW+_JFj^0c0_d`53XI3r&u@k55lptjvD)>Ocz!`|7?MQDqm zePNCEp`T%Y=3KkYnkFPifS@Q)9RTMPfbL95tiEA#r6QZ9cLM3=wQuOj`6pj{(7(zn$$nm+J(Op40`r@C7K}$Y z^29z7BsRJzuR|U7Dt7CYB+Dq=q0Nid#^Mm;oNUN{f5)7Sp)3SrJ<0_Q*5fT)C~N%G zV-M@Vj(hY?v*q5ylba!bQ z*@cKbq#w9fPCTnLNPHDLj4h*At`9r}ogaK=i+kZIxJOAF*Px-{KQavjwl-yL6B5qx zMHj-KhqVIUixaW2xc?L5^8kQAXklQ4BJmB#6GUV zkd*%9vHxxOyO+MKlikmFQcVeF(K6nb&E$LX$OFSypZ((SgF|2Pp;~+#Bf$%?&A5rj zI+jqlU*`qA&*(K@k?Ld^{e+uQ@yN)3j7;rJdnX>oNX2oPM$hz4VvbCV-mQD64(Nu? zOTD8$(k{M5CvPn{a`F|;A06y2*cTq33sWXDj{>(QiTJw(0e$$1^B zJ)-kpkJKT1%>(?<|M`z|uaCqzbXZNxFs~nY0KiW}mDiA)3!Bok09!_9c@GMIt+3XP z&YiBd$rOt*mncFG4KWgs>7CL<>WS9@LWUaifk03PohAB^_9_mact%%l?kG8{UvbE^ zW7GAex8%!+wj7Alh3tL$=mWzaJ@$f5fPQj#kDg}d8L{o!)!(#f%dk;dm@8?VwB#_4 zSHC`d_}jiBbeiYZ#-uZgg=CX|)OecytX|o%Nx#^uSI#>bap=oAEP~DGWK?8>>}A}T z{E0e|XDlb@Gx?`6XJlvG<@M*|DE3LW90d!&%@M?7eVsJR5&Cd-{DRMzrTs-o^UQ&&&@vFVzy-SBqJf-AX zHxr^wro`-6ivA>6;5|dJ1dmeL2mNq<@P=O+K77-!tjW0}R6nhMM_s=E!e3M}A^}#E zae$DjV$LVJQ{BjhBdg0iRdpnFAH4YG;l6#J(v^^pj+7I{rMH;4$5)&@?}a#;+iK+G zM!lFFACKxA@SHGz&f_1OU31lpli2yaB?a)VAed*8#+ehLya4TpKD~2T=SEg5A+guR zOVu8JcOrcV75&&lx^q zxlk&W3{J0y8mJ;mVx>cipM|l_7>J)kHy@F3gwjr%N*l}X&T{J&o-Ici&QkjLG|5PQ z%F#|tb{ZPOMS$Ga1|k;%m$vKK1UHRwL=|NOy~_sOk^8(psq;lo#)htD&Ee8BTD(m3 z8f#V4BtTbx+vCMRU-t5J7&icR((yf0lELdacxf4XMLGXc62#+BqR0M9s%jS7i#qAd z7emmy8ikKEa`PaUmw9_5dugbQ{VZafh#%HRAKf+$!kFloK*zrseaoTVxBYm1UOn-WE^s`i^KjF>RM=$ua75)o`zHTFf&Y4cL_~LyfBfdZH{8DK-ZeRq&6qxN z_%+i)57L-K?2W9GXr?OYz`B-e-+!uZBD{)k$Z1`k14kdA{Tpz%hH*ngqw8l^upF|$a-a zV;@`e@x~-05qV}sQnrbO1(u(qa5Xp)d{%Zmp%dmmd4&rc8b$$Qu7I+h}LtJXxC#f71?sy%#x*NDw`7AXpr(ZQr!pFEr!Ll*=ky;e0`R zdas>+NsB923T>ZFn*RV`w}(nLPIJ~|vUihiCAn+Q$A-`7J>`4+%wT+4mfgtZ7Lo5g z|L3|h`$7GXVLLik%yZ8PP&0ef?jLZ%O(7`}{77&wqXMn)UWY{-D)G=~z-FR)UZ!1|z`HkJua|e-GVIZf zbejfURnr7#Dje6BPWct&9n+kDSK6|PD>t9!Zpp#~cpdx(7!4}Cd9tktr;jj)B2)?s2{eqp?KB?d&M({m@Dv-+cBz4No2Yi4?|C zCt%b|WgZs2akyvS{liCZ{B^x3?v`Pzp4Zx}y`)g*;aCzIdpH~_y>?QIN0+8~wZuz$ z=g})?UK)@gK|uV ze2>2RgW;Pm{Gsaa`!<5+>qWb=E+;IpaVPDh2f+7e_i(|9q{W}Tkg-RvG+B-82$$@{^jtU7yrzE&&zSAahrhNExK9qpuV{J zG2WY`7w+%SH`0D)sh8Pbuf=)Co_mKgdhym#eNf;DJw*AqKC(!H;z|D_f^m`=8`!_{ zP7{LTpm1k~M|J+^*b}b}_v;>+yYvhtYZ^UiXZ3XiPB7;LT_R4;A=&$Vy_dan` zW+$VF?ienA);-bZG_)z5e9~h)!b^4B=ty@4Wb@dhYJ~9%o>Q8}`a5+ny%4 z09N=?P`e|?T+e8UfjLTCw*i`Zfyaz1!&Si5tCpXCkftd3c+^g_AqaA~cL_ZS2+$au znlxsBUI=E3O7D^)Is+qk$?S-w+aXs?a3!N_KHdD4r~aSe#UqamA3yK~eOcoJdYRkK zpZnTWKHu}IzOG6#`ug+#X*i|?;bc^{U?TSuv3vh3xBs)@eK-69n735;73W;j^_ytm0NU&`}U_#{vUqf|9yKu>GL$a z8e^*-b0LwjP*0paGQ6alMxW5VM&H%P8o31ldFdQ-i#f7(JZVF`iyBgnZ2au&6>jJc>?nA zm``vcL(ix+XRBT9die=y43tclb524u^_M*y5mZ1NGHj`sDB59r_#XeLSu^r$41boDcZxs_f11E~QQS7$fSrmx=QaM|CdZIen-8 zftSCg@6hYyxX$%(E&&%QoB-rbX+9hDOSk^MWd?I;TNVP}x977)A2|Mtx&ron-LUv$ zJyw!W_?*_cpG;Fl&4Hq~K_^6yc+cm5(O19ggv6f6j*Yuz<5u}}N{5Fp>CKZ*>Hei> zeZusjdqo)xJ1|cy@d(co@2O6#!8iRpadn%g;(5Cz3x3WE-)ffE^_d_ZwK%0k-Z5&6 zW1qA!$WLjA{%_F}$2H{daVitJtv%eUvL9|$udMZTu(n7KPgoNqkgacOr z=#17II5yBogChOq?4`3b$;b#z4G*No$x)Rr|pmG+|dRlp1hMt!cdK& z`s0SV-?-yn=w03)n+?8jt5EoGBQG!8uMb^*;D*oXaPC39tnC}RrQy5!1o(@2ff{z$ zf6US8drjy(;r@W$HlVN13dcWikdjdSr+&w1!Boo&q?5^nZ{!&G38mJ5M8Akf&*sfr z^{uzNm-fmO4B@I2=hR3_oCfg2&lMY@<7p$h`J7<>ZPpLb?RweT=WqLGI!yc6njNO` zYLus5duaI2I-T&W?vC$dG}XX?Qm3{E*nqLuE0l_HR2l{PG?D)o}OT zkD3nDG72{ExgGZE-o598!=am>9Uf6q;%xv=aW9hY>h&Z}2xP*41|LSAKaWqiG$Izv zb3EpdadMZlbKFAvBJ%iQ8E5qhyt>4SPaW}zrDYZN93R$usCY4 z)%p=U?f5-O2;6;t^q8r!Ra@4KZUuTZyGu_k||)YaFy-^;Up{(G}K5JtkA!7#DOWj*L+V5=-~zgHS&9IJzqy z_I##s^T<^MB(L1;q|MOvT67Jillbyt(2|#)kUTFP(5TF=bHY2$=1L5T0#kep6mfE& zVA8Gy!X6Q?3gt4o53hFJHC(^-ChZ0E+xqlLVDz2qjwpRsU>L1jD!6kyB}36}8*qSo@WYF^uMr{2l5e~0!w z^!cZUbc5t0I(NitLx_dWZp9h3@U3IXJnxA*!bCGAClgFQi_(ArShA~b3o;9m z^+LCQb>nr4*X@4GrAd~w;n}sLylSLwhD?&oTtX%Di2IB7Xzsjs@BKgj>JChQMK(bp$aZ#`C<$6cfvAlEVIa=?)7JOi zaKAruv`_CcW2ZJ=MGv_6 zGi1@*<2?aq1lXm~<24i?+y84iA-=p1*GA z@gpVNhc(4gO(v)v%-GBo81C5D0L{li?M6-VDt;cTS-bhF<{Z}b+i&&><7IvblGptD zyK5SMCnEHhv6)VK)1zK@a;uW}z1M%zS0fp}`5c;A&N+NPFM$+IDo!&DFQroh_w#g3omsysd zkYqgzC83Bjc1kfJEQYYD7`4OA;}dg4pos6#m9S4A{D;FmdWZ2Iy+^ti6eRP)rFd?7 z+%@RZawQ6$IXiOd72kNsl?+Z&zi{+%AD(UWZcrIvK{CptKbNX@T!=j)=cM?5?K|%s zK5*mbM7}nMYAY}_HhiW=U@$JiwUjxm7t}~tNWy%h4%cqd9_2FQ#l?r0^rlO0HszpBn1~rcP-)iBbk^J4DL%q9n7xPm`bd~CV@VABs4}YV+ zapi{uEH+p65`QK{jK=2Dia%;^)vIGasB=fl`X1U_^>I$WS&4}g$GerdZ`JvcAH4Ke z+FSar9#!E5WyCpgcbs8#=-WX6i;ICccTSV&Ek9P5KzYvflq~ z8?<>&-@`kmll#2Vgtuvb?$D>e_inw#x{1j_ee#;S#Ic7(y_SV!^uVES41fLXztbBU zemv-!i%M)@%VC)zsuIcy=!mN|!QmDZnV?mhRh!w^vW5UNcvSj}&*}GhBCoU3=tL*_ zm?AnzLym~0mE|QQM^<*16LySt&C)(z#j{R6t_h_6bwDgefnnl*+^-uL@6}@%m-=hQ zD`)rULyzy@`kCQYeI@na&bx>2>BhjPbs3%KxjbBDum?_dcY^ZBy05(>(cE&~UE1CM zuqHj%udckpNqRoM$R~Pk(3LG-_3@*Z|31BVPW-O{VzIVeNFj@y$qEJ(^S6 zW8*fBFF*Zn^1!T;G&7z#=U7(TIYwj=R zQ{fyk@Rf`E5B#R~nhp+stJjnKP>Yr4%6cMBq+{RLL*-ajsk517V!dSJqm%hD54P~O2GV$qu?FSBjO<$!w%501)8IBq#RqFR}FhHQk zz5!uqwh<>U>L-dPH)~*E{ zVyW|&lDPIB5;bv5UsSVSd5bWA8!a_RIu1JB>LWA)L=hM){GrJ;8x{79{LlJ?4bg~m zV~LyPucnFF8<>p(%Mdf|9Yk*s1#)rcsV=x6463SdjAv@Rzn zTCKy-)!i)pkj;@LPV%gOk5O?wflu8&0!zE#6(nAzy3{CG>$Kq{_icJJ;BK93Ii#B@ zxv9?j8BqDc>sD`Map?xTYoU;o-mMq8@h)!0=E);J_VZu4;v&!Gv&V+vpF`)Q|SM7|#)QPFw9g|fjD&XGjH19c`2z)^Un>Qq`s`qaoj0MU)E8BIY#)GKC zM*Q*M$(LP-u16!5|g695JC$)kB+eS4lg6Si3g z#MCVAr!AO+4+BYNqU|-3B!gVxGf6G3*N-`b^K)#B8{?vXGLBP?qhSb;!Pc!d>(o0E zmMv&lqo>*ywu+mjC8P^%w3mWj%#jY{1x%2i_dOdtvCkEuwJO}`$hXlbE6v-cM8*4Z zuC=mVhgJ9JA=6j&{vaN)c~!6YW#V3H;cjUT3wb^7wN}`xd{LiQ`qAOP8Gfw8v*+|N zfpfgc^CIVe7FR~Hm&6#83jo5vB)D>klF3xVQ@MraMVFNkZ)H=uth3wj&)f8|b4g`s z38`&%UBSc=5{!42?4&mS2}vfVJ!Wo2yW{Zukw^Uz#C&;nNs(9~7Q4Ah;?mAwuC9{o z*}Tuc_A6MfiSAC_;r#x6pBY}!+Y!G1(wF=N6s`+@@#9Gt7!z7OHr+PZnBX8Vy=u+@ z-oRrTdPU2%RJgZ@4o)`x4}OBzS8#!3C`6Jd*5;`RD0Sre{pU2eU!gfyCsgLZX<*wrK@ z4UI>CC%cDG)X+uzczF!!+R)gvFvE)2qn(?@+j68cADWa}nfg}X(Mnp`b6 zL%y9@@ouFL>777_Pdq<7qBjL_ZiEHU6Wj4Xu;Sr$Fb9-E4=W^^;fxz^(!5p*C#`v} zInO|nh9?d$VVM z$*$|X^I!%+48+7)6eSX(Xo;dElD6DoN$z&YlDZ$dA3FM>ANtLIlV3WbBNUEsOJQ4X z*$lNLOQJZBA}JD_K!PApm}@}Ig+dkJ@ArLc?XxpcfC!@U)~%|$@6A1|d9A(n&XbvE z;8ajgb5*)crv1EY;2X=T+oq-7b zF6!NFNR#oiqxhc1tsc8KzUnWVQhGRQo(`^PPU}03FF*U|KD+pr^aKd*LA0xX!mVl_ z)1mkoeNmaSwV4=MBzw3)KDYL`)(hX)@vwsTocJZ*)|XA1-x_=FJU@&bh;_0(za1RK z>rVYrdB2X3Zo7&T8Y+tqwqj~D-YA03_1Bg=Dxx2=tu08qMBm*{w?iacs0 z8w>D6ulgEf;}K#MHX6|lT+0Z5_gFs=jgrl)Hz;GQyX^@t~2G9kg zfa;sxT^sG_aLN$sKThM;)eciX#tLGPQjjmchdL0 z+vRUEwp#n&5Lw%Svf&jR`tS`hHVDQ7f>M5y@_{i9tm%EUBW%X-!pExx(x-G=Juw)f zsxdW_rsWO4*P)M$5C%;ys&Un>^vB=G>jtNYawqijPfiroP8*kDY5E0`8VHmhJAUvaZ>g}d8Q zWZ~*>x1tu4z^$jv3m;IgKlEXVz^LH0y?%RxLgX&W&Nn2-4!k(>5CluO(&pWu z3DXjOg3aObaXrfVtIz$#^4CB4ce;4-zxX>JZs7m37QPeUb{wC1`cL(!?I)xopJtgT z=13nvWd4nRetggMv>|aJEZ4g|ppAt*XAa#G7LAqXnK8ymowY4EPn3Q7^pAW4|7Z0%pZjgUTTgi94v<_~&PT3HY$>#W zRC%{}Mc)&h)fbjOULHO6_2pYfKcmg)Cu8C=AvI-Ah?{(Kv)DQbyT-fs-}WBe+2H*; z1NmEjezcSV#8i16nHq*&80V~d-FxX)-JwyN689ay+6zzE{rKDeK)*UZp@)V(?VMx- zAq)1@pB10+JyHd0jLly0WDW4&!`gV(^cO>KOXjsv~CW#=1GCQC+t%Yosvg2GhdQ-X_A>$qnGNWUA=_U4qG zKEdT^iPQEU(UsL)M|7_ehbKvJ-)!!qbdPSC`WF4tbF+?k{GE_wa#}ynwLhUVlAk;C zxW1QqMEBSJf#4irVOyp$bA*K|y7BStx8C8C`~tXsYHoJ+PH*xL_&H~lyPi9$b-`4B zOkRFPr)J!)+r_>^AKNbf4-Z!&@?^vZbT9W`JN++~FFf;KmKXKRyRjw}1G0ufEWD36 zC`ORlA|Oz~Lx((bsPZ0FLG{s(0HPK?InRb-4$=5y90I~^xVsjD0_33!9$s)#xfWP5 zLk6_$Amc;rRS25^-kc;O{s`ZU5exf&WiPwmkTAI%aF`Vk{yZUeP(1=IGQ;ROn2w1m zb5$VcNK^<#%SOYy@)=zSdsatEJj?wSebl&1CsE#|GmqJjZo27ay-)K_{jxTr7rptM zdg-V)rI&Q7KSpNCN}nghMybLKE)cz6Cq&-n@%2;@Umg+kfNt~4Nq{%{nRa7;nrfm( z;|F-MiE-``m!n)Og;OCus*i3@=*^20B6B2|^mb+@iQ}#}g)PsWQ!A14&ACrcFQL2^ zyaUkBre#sA8^MD|EApn(4SdNsC3vXzX-AxIM4J!PWU7{ihgG_?(jg8EJ9aOvD zklG=&4oZ!)DG`p|2=Fc&6>Ua;1OW=QnH4$+O6!RTEn+!Zf|@^WL3>!I2^?OY&}fs5 zao@|BkA4&;Dq>A-y+CUo`FdLqfxKJy47&a{B;s?|t@rC_^X>ZO>}G#IMBE&knorMU z%?;nRg`S(ST{{;b69=AD@`<S}&1=473a9gEj$5#ShqCBr-O40c84 z2HF%GG#X@6qD|hz=81rCE784Xz)NR7B0>@kmF1DsM?R1`=S79QC`W?(v&sN3f4w(f zYGZdIpuot>Ek{=X?+6`eLc>_tO7zBTgkbEuk52!VPv7aT?Ms3V>xY&hs^ zq_81Bq$l5e&Nn1H8Ix9yIkq_62m$B|2@g`heCp{fFc zpu=hK8o5U0-Nqw{SSK=li?xWsSrdMHw5$1ljAMNISqn#$x7>7VPLLe& zMw%i=@EpLziJSP}s|$2lxVtK3%i(i}{9^_;&L4MX*pmhnZJ;Q3AfRd^kMX|!=k+D{dqlFk zSY5bye)+-iuPk5GIcWFk%kz&t`1|@5>^Jpzr`G9{{DE#B_^h7i_vbo& z1Ul#z1Zt#L*hVd%7e8@-EmPd23fVwzwiDC!XenvM>^6L2^$B=km4f%R;5)M#g1 zNl@c|URp~S6KR=DOii8_8M~JCqi@35noOc?6J4x|BkapAEeN+4AnN8M4= zMOX3Mbki+tv=?n(55Zj-{TQhsv!;pLKxf=*?+-ei=2NoDakKMO7bi!_YYk@1>` z2(0)+>0Fj3Gf}AaIE*x~hBUe;58 zR=KeB{Kc~)KExvL$m(SBbl%b3zIJWbSNESef83`aT-3E?FE1DT@$Ku+{^jyFhyKVP zh}@LS7CEDK(BJtHl8=I9c((}Oa=l|_`HHZu|S_1HZL=N$oCFUVd^Ok{+q}DfoldT5>MPn1XACk*j z@B9dPF1}p1wQV8SMf=La?OKn$^t_^+yGP>oW_*cMuJyb3w%vYQ zdqqb@PwQ?BJYl$}hn8OgFK{`LZld-n-KOSShd=Ez@^?K&ciei99`*iz`~Ilv1x->W z1xJE*J|$t3;UN>Iay&5&YuDL}5GIJ565e@UIotG>Vd}LCTi#mX=B+;F6-UrlCc!Wh53Fc^r*G zOL%mbe5^=Ugz!KQlZxcH3&S3k-ET>?ify`r23pKfZ#{c?bcuj3PWqBUa) zX{021@+Th89e9%_;MtUrK{BKrA_fEKm-Uh5sLuc&`0J!|{QUFF<9b#b*Z%b{XC0cv zk12S?kICkKQM8^Uot7R!&u(veaozw32EUeWb*hhIFjeC}y&O2>A;De+{LUwPoS zm-p!c@0;`-zdl#XUuru)V_UX_t^SmE#I}d}Vxp@9Ck*CK84UR%S2}Hc#Z4 zMpXizQN`ZCY(8}Ju0-%Dz*|dC2N=FRI{DHIx=yQp-i7!&D4gH(#EI`MkDvUGJ`U-c zKLumNj09Kw`kkCB`|sDswT|1a!t>l|?stAtde@JSp1q#nZe`n3x*G%!h4xM@M-CDj_Z_iJNPmVUFvOrfCDAja zrY)0J!F8}Zh_s%NIf7Oo3BV+m$u~`y(glv1@R_E6Gzw}vXtCp*?zeR6{D};&lbVMe zeE)?n>WJhSLf|qs9ECB-&3QRDFZbxnY;OCq>+;Om$9x-O=G&WLx1MGh)vXNSJ1;iV zM~;2Po7gUGkgWa zp7^HkgG5Z`_&H+s z&n@3P@+m(+OC+N{lNwazx_tFyY5%lGu%%Re0XJAHR_)G;8k#BXjLD6KYb^>UwX=D+K!`;VS` zYB_c8sMK;2B1tn%0rTH4gEMzrRQ>#a=|j3T@!u>*^~Jn-C$`JoefwK~UT1Otp-wrt zOKB4W9W(Ms1xV+d<5`D;;0CG$JsX&@0u>C-o=94M_hD=S zw5w!fO)Mg3ESYLMDcqW>%m7z1kaVFoq;os|)uv3iVhxu=eEFIGx_s%GKhsAw-5pV- z7f>7JxDh}9-QZi3+{fJ^bxFl8%QI(wyqwa__Fs8f8xnKP%X3*;>DRbsTnOxZdHDdM zKwZDl@vrF~?4Q*Q{dW7Yn@fy-<^JDZe?Fowxo>*;CTCvfk*y@JSo~#Y_mhhqy%pb( zruTT{xki#>Un>^L?7&$&i9@15M&}HHNfYp46f0-ezlDL{yf z^?+p^Sb(bHXE?9H)o?JoEjvF`+vYO?1eQ1o&@GX0pNJ$jrh_LR*`Ve{QQ#cK$g&(m z!9_N~b#xtAgcAOhAG*GML$`2y!mtniDxDW zb&1Q9`a=DL^;;GBSvs9_fAS+6J-H~m%a`OOIlPvhgFy$c(Bp`P1yJ%?Th3^WGix5H zABoN9Rx;*xLur()M(nV+CmT{9HYN;loX8WHz!ENpjVP)F7n+2%rb1{aJdquE!fg@4 z&=SB^@;|1Z)=wX|u_1)01^Up5NoPKP1_ROO`&*-e~ zHQqmuCvNfEp{QtNo;0Yp(c5&p5$=7&xj4Hl++6?UONW<>7cb;UfQ8!=h+^i@i!bv} z-SbV4IVLXOJ^H2Pe<5A&amPJ(@AM-kcNhKeeZRH*;OJMD?;QPN!c{iMHgXWdVjDJk zT(%aeeF7J+=+(Nxck6K)v5l(OCo;cH`h{X)6xvL_o7F(0KO zHaqFQ;As_91&2Tpz?!eY?g?NtXx6}uAl9blfGV&xePTkne`>R2B6|XCBM6nA9QZx4 z@L)~xaiZW4^-zJ2zvK5!eCCP1<(D&5B$>0CpF4Z zHm_GWGSYWq7j*drH>|&~==>_aC+^sZnqt4*%S`lqblmvP=pJoGciyV!wiS=bcTjPp zas0)6p&ebae}+7;ovN5G>n&Sr{;;*C)|5wel=Qu0U)H0Y-s@ZKnq@~7U-p0OoqynK z@1E1+wI)Mk?wW(P*haSP7$n~q4zGd(V#Js$NEDF}hgyA8qr;FjPLZPQfS%NVwp(P+ zeN+M4qp~L(((DT{#6der_Aqt;suiF=u0aC{M22;ce*ujN5S99-CBR(_4m_Yzrh(@H zo~ALM@Bv6%CTnhy;rUnPU!abBarvctKcORo-Jf?8`#0;0`o8B`ognz#qhHX^@?Y20 z?oWAR;rgzmp6ELqx;==K&LRM6?3gK8J?yU%i@`9Y5EIBU*xhH#vX%u{@MRQBC^ z0KzT{f7Tp1_q4u0I;NgBTPIECtQQ=9mBF#Ke8jFyEf0jqX#hVw{?+A|@Be3dip<+~ zdX$81A9&lZFaP}f|F-1(&NLn&M)l4_Sl%V{fI}3zo&qa3WQw@FFYv8kpziT zE4m(!wpp1|(ZFGlDnjbP+;2U5)OIHBk-GT1e=19WI}Q#daq1w6(2GKCc7IVg$&9cV z2ea|uEK-%}8jDN{b$TA6$CHa(Sb_^E{f32J2N6PY0q3F9-_xP^mm9pNEk{K^Iq}`) zub!#4<`Fhw=n>?j zf4rjakGOt~XO?kBA~Z!!vylZQZge}=lrl1S*77!w$oNgPuZh7#;Ia{}E$tIc}_ zM4mRG(}pd{ktC5OsfxDfpzcJ;jV@l%8QaH}hmU?vi{x-b>`~2kSUi93Gf)1>@`&!3 zc!pbWXk*ANIIx=6+Bgo5tKjyze4%f6`=)r?-E7jt3%py&q+Mgu;~V_T+THpte~tTS z@3Qdhy%R4T(HjC6@lY_fe6?Szb>O@(?T>7=EAl{XHe3DTrX$HGPI7(T(UOJC-4*U+ z`OkDSw_nuJ(#`rV&j#8DbjG&W9Y63bIfoOx3XWrp43?j9P9&Khx2AzWMetQZttn^) zgu`+WDIP?1NiG0y$lkPjyCH2kf7c(?;;I57{0I<}Bm_aDrS9SKmfB^Mu-1$GF^*q27e>$?h=cp?mDa!}{3!=$@T<|Dev^ z{+;*!@5_7M`cN*8ltHnxj34TF&86obt@T;v*)};3a);Iv`wt3kDok zjS>y@EmuTV2d2vCG+?*wf8K6L?Ho>1G|oq?1c&vIF#%BmY3yF}0TZT!Jij|Ql1vVP z?MXv{I0UFyxJ^>Hu!ILHc!Q@aO%MRCR}vn`4Z7FPiRJH~|8M%4{1AYh7QE&*tzXfF zqL1kNj|&%hxTUNp`)nch1_(mESlxaZX6MQq^#@Lz{$2*Wpl&n)fA$x;-mD4-C-=|3 zPnV0_t#goeS=jJT=w3{x6>pspsaM$@>#=Af4jE$+G0>b(KGF3CrC%VApMTEhU5(37 zcIkv<^8>)o-SuH@O8>`l?;Y>drljw}6xX(|=WAn5?c?NcCfG5^BzXpFzSTH3$x`~s zc%neBYw;9YazaDPe}z9X9Ey=!I}Xewes4FVQtaGrBPuW?N^eF9ohG4zMBBlH9K1^h zj1~bK1!i6d29bWID&uW7D2y>_l03;0?#3gEKEGByapF76XP*8K%gGmyg?UFcH%R;9 z(|_ihj=iMsQz*8-V_}O7O)REx#BS9iMnLrH0MM#TEFL>_fAE0zWIzF5+MD$hl6!A| zr|y5W+b{Nc=qDHX@;y?FiM{lPdBggiVH=I%daWfcH|!N%IQ%s|^f5P{Td8)}<0R4# z>bY+J`hEYGZs_*&z7B9x8$MxQV!Zl0kHZl!vKsmbCse`Y2nh*^1(aZdEe)L$1SS(;I0*3quZawSZ3BWW+}ia!M?UXME$Hu}oYHMizOLJ&e)I6(=)TrE!A>^i zT@(vC4DBy%qGem!4+h=0i=rF;RNrrplG&S&=*GLXe-$AF+UR|&9#PImHXe_(%fb=N zbElusQK3#vun)wZ!kY%|W*p*H#X(K6Kxp&ZCmtGlOutS(uJ4k@Q$s?v)0!{2KYaf` zU;gF${?Fw;{UDIA$0HQ?+}a2`6JIi4#2=@MuIErrnyOmM5w7Fp9t0|_iFT|-V}vUj zhEun&f4gt4$c8j_-uBp$k+U6Cf}y^_rb!4B@&q}73_N{p5#kw9G@q)Tun|j3tx0cm z8#|QDReBN<@ptUB?);wmAme{mlnMvlnXtdzBUkHg83JTiO8iL}dJ zpV6fvM|6chr#d+9b`k@-;G3+#4;9aoX){=&am-gEaaC$0{1&r@bn&WMkf9dxsi=U}0cllC4mQ`4NF3^YNSmLz84y&wSlRXEwh&+cE=Gs4bmL;9_E{jba2x4pTKG5C1$ z+~MWxx^2c+pZ%mSnMe|0hYh1rAAdw`f3v6f2o@{V()9>N2-Bpmf$?g`M8GqRMbIn> z3nN`n%NN?-kTl#;VZ-2Zk<;3kIpqT1z2THiQ7gYU;*h!OO}nO0F^V5JL%b-Q9>M*R zxJHg6zFl7&9IdIj)aFCFcha3Y7wSt-f6`}=pQ$&UkTe+@=Z)hAvA#eq}D0XDobp#k9p z>&z0(Trwd(aiO1fVvokm*-pno?yw#AQ(rS%z$jC^ za9gebw|kmbPIUeL;jid%s<_aHzdad=QhKj~p z-5yp~bVF*V$8KE7GW%~DDi)j(2`D@S7ib_N(Il*8>U%OZcH0!q)#J^!7cFfxF_}zM zTfNeoLb{n;&X-{$IdtlWf6GHU=i~#rX6one`jAf`Tsbb?<7fS2XP?n^PoH0Y@WNMp z?Hih>q z3VZua2Aj@(`f=c6x)kZ5w|zn`OD)GPP zmIriF>fQF|xQ?hfx9aSL)AnF{c5$ClA*g&_0b?DS>dI7CZbO=))jKr7cDU5^8Zd;a zO12;dMeDBmWMF4ue`jR#F*cnlXfyxw!b%=LA{6 zWvjTt|Jd25{rwS+JJz&zbZw(BaTquO6PEUU4IMOo(}7V5c_kDahpA8qK;sBx`YSd95laPXU5CIzs(Me$72A-! z;gqXm^O=G|a0Z;9l35)j+Jspk4TLkO0y`q@z!y{ZO&IPmSx5sPDUsc?$CyBDD`xf?;YJz{%>c^~ z>kF&k!s-8R-MWJ>v>ktNJ1Sh^fA#_ogv3S_`;#u9T5c7OjtgyarsEXe4hpe}ywv!AoJ^F8bn_uFCFFyLgr4r(tU?5l@8P(KAODij#d(~XA4Qck*eO0s_ z6bH;X0m2kc5pPr#9lsL_7p!9&8CiKwx}?=Qe-mpDeJf`tZYOGwLl2#L0%oxT1(G&$ z(r=L&@i?59^~>Ao<#~Mva#&ZHv&r0`BqFIO+>eN4gU(4OM*M=mtwXQn;cLah%o|lW zKx4bDBbeeePr-~4JecqRtLUeTHY;zcrUM?>ojUjEPTfa)*M%>e&*>gi@d<6QWyAr* ze@0BU@I`NE(b1>aMYY+y7M}(G*zs@ayRrLzrtkhN^fFd_lzSszvP1ipoA1;^2L9>t zkZyPK@R85SM{-B=EvMacPT+iduWmw?c)Ti}m(ii0Le$=VSbi;oIz!YtOb(Djsi1j- zV!URgr4Z;2DuM3J2~xx1HIF0`{0g*}f1)SDLJyA3Ecjr{S7MHnL$2))IjZzl@Ps(P3`6H0*2` zio*i~_5(p~ZDMZIjr{o%_Euf#zw7dx9$&;Sm+=X0_@EI!e>o2E zFR=IxjzUWuD5;BQ9=i|rM%@kch|Yrlnm=+2aMhN(Z+n~WFz_4kS^md&2P1(Hz%T`f z_0@Y64zuR2WZ54ZQpbRnL{rN*{tS&$MUFY?3}ZPZ(8fbW;EP8j;p@&|W>N%XJSZXo zNJ@`8xzj@5b48M8L2q(k5%9)sf71z};>wJEXKIktf@$q@+w#m5&eZVWa~oC!)+;y# zRHJDD8&>{=3~kVd2R=$e=?81SJ1eKozpxz9Rr%aht$mz*X~pqt zjf2NRHoWQF4gv8AA8|BqG_UBcnO|F;(Om#8>d5tKExfHgzzLV*?M?p4e{cVaHaVq; zd5#@}ntJyqn!WDsj|~a0Ss4UH5g{nvsTnuiP;gqF1Xm~+vRDai^HgNB(gxjFiH2LS zgqh27EUR#xv+H7)7U4kmVmGH@u>fnj4C`PhbBx z!(U*=tE~`azJO!@1h+d45XxBjb6V$Kk3L2b;wqKYazuZ6STZcd8`(XF2d`)+iRoqsk=P*a&J&*EnieKmResS;0 zZ%DPkNt(_S0+z)yQ5K$HtvIKL1F@4u&q+$ep_X8PqvqM>Z zFKCfxVMx;qw;U@RRZBOZ_^cMdB)=I9!knq}W(Np-vjKOJe-Q&F0MJX@2Q}EHPV2Zz zhA|o#s>)LBATR?=bJKE*j*#xs350hbaHoa4DDW%fwm$^krb&BmvWAs4@vPziOwKio z4!%+bj6sEl>)Vd&*UpCze^xiV+s(C!sM}?EQ9qzOcKq8?p$x1*^_pV+7*@{bjYgy$ z&|Mn#Q^>yJe;ZQo*0!~hf@Vz`Er^CUP}sz?77~Fk9w5eDH*l|i*h0=qknC(RLUM1 z1l<1E#Mo#*G`3r9Aavayos!3RCU*bEBuOL@u%kEJF*Q@C9#N#PT6CbYCBbMy!=M@^ z;KIX6f3f6})C7fT5)FF+1jE9}!Zru`oB=Dpd(E%5$M9va(pqK>@wYK%Z@6uU_O62u zf#rg*9ckvxvw7Ozgb2gnPaH?Qkuc&`ld_$VOCvdz=Q|R}R(SRGL%B@1^C^D#UR^Zu|vMC9p#5H+S zK|@wkI=fAQjBu8MB1_`47){}Yz(xeSWY-vp^eL@zSRq0dpIw$Cx`gJ` z1$_^qU-k5i0{f^YHoJ8s$^0XpJdFmRMPrtMb{sx5qK6^kDo|Avl~K7CbvbbI93 z-!I?Q11Nl3V}~enN&uNx`zc@h4c`9mf1_$&ZAcYAhlhTT-D>P05>%Hg5C>V~rti&w zt%cQ=Nze?4&uQz#6V7s4R*Bqb*oY!Ei#9Tb`Yl?9z3^MA7qRTfxS%$om~D&t7F~Fn z>V`^#9v810gM(QAEFY-}WFFCQhWQ=(m2KC*f3O|p z2_t%!&qbv6AjV_==1^ln?Axa8CTrs284d82JpO@fdc}tmTEG6>UoD4D{y=u@|I+|o z(B&^2)t%P;-kp1%x6I+}T7_%FfAIUE?5hpQ0hy8{;{dWSvI!aP1(fl~p&*h|EI85d z&hHkS7ooSRwO@E<$C@mRiWiVVUd#~CxHY*&n-F`@^;-| zY?r^Vy`&qloz&40cZ$R+?8c<_XT;y0R8{ubbb-1ZohcUPu)rcze?+Yqf3s=dqzhet zxP0}QPwK{a^(5a?x8EAR$o|yh|L^jXt0?O+`9x#g!MJWzgL;e}`iQ%veT6e$IYmPp90pgy z;s-=cBZ>TRmNrjh-DTmfn5WL=w@&* zW4a9E`OoUElJy90fcvO$66a^1{L|%I&wtvFiP~5nveP+^Uy4EAe_-1AedI)$vi~-u zj?tVSwMeol5!5D9OJB6Cn`}oTwTwWFMfCzB^?K3KQo>9}LYOskWZVj%6MjzAY)-JS zVKq+6ma*vz$EX1FVrolS=mTES<4)3Mboy?f^$*FZmVi| z`)Yc9S$c!6mEv-df1RJ9t(%k`ed*bpEv;C#jqMNiHf)5por*V!QxU~}A=L513IGfN zfzNY>h}OlC;Q5!%E`NLI-{*ejdM4g}Dtw9krKdi*eDTnK(n+NHB3q7atPlHK7OT(Z zg!>!*7kWQ5`*%YkVJd07!&kH%O!@>`1dwutf0Hc>Y)x=hV0fXg7pt;l z2{;P-6eWpT1Iun$@J*N19hj{sgzYKtutefUza8urV_Mw|YtaR3{!Ydo!`f{0TNLaa z7y2fu#XsPRh0QM8xghvvT}l2%F8H+UH&~t0Nqwhv+uELrwjVKVf5XbOf#?m{gb+1D zIiLH5mq7(6PzFxONDH&I=;YNO+KlG=|-|2g!liI`= zylii)%d16YywbFn5)zuWM}&0y4S{Q;dV`y*|Vf8zTl=@j$KlYHA)ANVR4iAB#NLl?pJTiNZ!NN>X1ksbt110QNS zfGn(RFr9oP3`8CHs1?-NTlCsRl3bY}i!y`wG_VW<;YOkVBhvy`Ef#B?q7fZpEZaJY zQ82_=MYXdI_Y2wZe)o>1Ri@b20uO>I-DVVJe+}!la1|YokUx)`ownIpP1_F!TyC4v zR5R!0>7UoFMh>5Q-1qXaHKnSiay3x!wyo!27~kd<0dEc_1`bTGj`3=Bn23vU@Ti!V zRxdv4KcmMn{pC;oAN`W`!t(3y_*c5!$6b)^S>YqvR5z6vlfSFE#dH>8fE6G-7%Hy<{TY%Y$PCqpoj%t_Qy?$pZW1wj(C@EZ3Q zd^s>_K1r=)L_(#aRfWQ-X%aRe^iq(`7K9Eu)n z`E4-O49BkRaq)8m+M7RQJqKZdDKHE0ycys*#vqR1{@WA(P7kjWJOwbM*sPot(O8WLQjz?8(cK6!H-U($yw0;40bJ#z-9&Yc@RFVpN2=E?mHZ zOyg`{U}noq8GEYRi>CFoiG^MpiH~N1$_)b=ehD=zb2EgOkTwLFoQrc_w^F^RJ6i6l z@X$tXC;PJQ8#SL=V4qyYwv8RPe~sKWYRlJ-p*N$JC7zyxO>z;8Ieqoq@@S^dJoz7% zA0PjRcEH8&W$zCypXdfIS(#yHpl!Y%1a*F_M6tW@;x{f9uf^aM6-{ z5SS(~C%x?ukXdKak*aQrH~@(W{y_qySb77YH6^;jRQ6dwbeqB&G8Rj?vLMXQVb9Pn z2<(g}n7hQs$ig*S)UEV2wt3ZeqpBsOy+KDU7yU#PK346b@bmR^y2AgZmvck5;ZxZ% z46O`j0LPq4#eE39APrJgf1J)nl2TJ+vQl^pvcLJy^wv!^*D_?>s~h^NbYJsU?}91XA-ZKf-XsWKbf z{p}Xg3AXXkjCn6df3rL@YFM)}H;I92&!I;)B6I3!Xq@|da&!IDy0P0+I-~m=&;6|* zYs4KJdAI{NU*MxeJ$U~7Y{El zy`me`VG(mG8F0I{dBFWIn5ZC;Oo2kn1PVrTHI)6mAtm-}e;jKvI=Bve2ip^&z{4|7 zTBc65r^}NSftf|W`+3q@P^m*smzq>hyx~;L@Ji&7^tNr_(+8#mGA`}R7jcnesZA^X zUMTZ-9%D0V+pq*4Y-y9ag@!&wXv?Qxc%z!O+R#9ZOp#Jm;a9d3diLD2XC7PLf6qsj zJ8yhjqb^I!f7!;*z4*8u`NM5LCdF+dS|;$eQkJ3Td5TBF!n!h#*ornAg?z0(6X(2O z&a6b#Vg;RooHi~p_*^kWjCBudaG~F ze?doAr}ab?9t?Rxo6hrGOngok6Khk}2V?!pcvhPfe_C4Uu-K~SJU2z<7xoPf+2no$ zV*I|Y_w|Ov;+tbRc78%ig3wZFGQ8bX)^zgF`e=&$5uqE`nkab4ur`7}Q{pOn z|Mm9uhO`~VdF({1K=(%F2M3ZBz&#l4^{c!2`uSq2`4T#H?}Z3-07ViOEPY zlFX8U6x@x(G_RG$KiDz}$$Yfnm0uWpKFC#`A ziqJ6{PJ|_IW| zK1t`$$GQSWCjp0h=FK=Xn2`L2LNbfTe`3&4tk9(!TTL6#RZ;Km47Xjo?-_~`=RxK) z8;xf&TLhEMaLw0Dvr|Gir>ti&n}sDZ!7aZh-csPz3m7RNnn?3V{T@{^)R4`=8w6bN zFpdQG+ZMyDcamgX)+!G4B;%kpm6?qiIvU=z!IoxuxpkKv#Ec`OazA}=0jV)V9;hLtRH9@? z%^Wy2G^R^J6^HTB2!t0&YjCl!5g{6Q5Xl?$Yut-qjPapymKk}}B^rt`7_aLof73g#fU_{O+l(J8QsXi9)L zos}h<5IFKduN6f(XgDp&1>+g_WFP=e`8hZ0#o(k8KT6+Q{U5 z(uk=xvjb^lz*CkKVnCN8Dma)ux3 z_NgDZ=hv4H-uoNNyYKvA{@wY9vwWb@f zGn07bcVdQ+NSkTWH?jFsiLQ491Dqx5B{z^6aE~=|e{7pZYBg5MZky%B& z(SU!cFmHw}#l9d9maDy7wHwk#;F+kJB*QyLNILqSNKK`PJZT;au7Q8KFiFyc+Q|bN zx~*Bx7`a&n7H&}xZZl{sd8rE@DilYLTPP^qW`rHUSST*lu9A!mj#^~#5Zeks149+d zn#V<1f0}B2iGQLo31h=rHgQUynsbOAKl!lF!TIjdFD&=H}#?OLF4nD8A zOT!Vd7VL}e3W87?M-b*Ca3Z&Yj78&oe;U}xN)+J7#aHK&j<$X5<+)rZ=l>FJc}^(`gssqzZ{_PA546Lyv3?(sVuH z;E8-#EXh<7x0Sn_3j(5bLD@7x@MtaeP%^R2i=ucuHnlB|-7DJ|o2~@fa+R@|J;ST?oGHGO>mR+M+n~?EqWozvc*T)9KCv6GZA9d zuNMbw>3BH&%_S3hK5Q0n+b-=+B5aIL;VVb6-N6dpL}M(P7B(p(7vV97`nGA{Azl7UIgQIFuBOpTo; zC1fNCa7eODoI=7umDE5G1cHQ6E&UpFYZ-xg(F|f(3r>QHwHJq2tj9pnLq*k_6Yy*d z@TmtsG%C>c;$s{*!UHd98pf|8aAQ3%ft77Y^`>6Ji=%~#PBhKbH0Ti@f81*b8ksYa zRYPPsU}8NSDQ#PDQP)^YYM%*O8_=+lL5vz_RbyPf5i^sdU1N`iXu}SQ=V{0fY;{i3 zEy$#*YTU!t3%~yCoBJW?_$CGsg$U#uCUvn$wH?X0HzTC@P1YS%Wgf$;wOqYF`)@_u z8_hH!?rIVZ7i~5pT4pxmf1YJ%n>B4xq$o|FBtf8FBw7_xEv4WVMg^Q#`kmmR?OJ*) ztLbS~JXBInA^{_f61X(0<4p;eUd0W`B@6h_x1^BGqtzdX`H$t7ly8BTROJv|+ULk! zxuSixjegtI?MlD)jAMas#ep%nX_{7fLUhd263^CBe5;D|;7Kqvf41bcHE+X0zUCN= zi75O~F?slhoaAPr6c~Dh5f8R|<3R*G(>O=37E-d*Zvg>cwe>Z#ANiif(5?OE3wI<$$7bE5 zmOJPtJ7?Rv4}II;KFzIt5^=YPqmLzt9pjc^X~N-mYrq%!;mNE7mpBU5MLfpPn%~Nt z8~rBe79;dR8)Z{h?20AO`QP-TZ*yWpn^vPW77=|-)Yr_0f8^PySzjl8O@MV0$qMFN z#A<<0`KU3=E`^kfND@kLcvSojrhe0raMp<+3xo(-bO=ywwBGG;bZ8+5MB}!d` zU1dPI>Ipp*f5>W^v8{+o$Aphlu$aa^iQGITyZa)T;AVuWV5?V%Y76bRtBR%jW9!S?uQZI<1>wf@E<36YMaIwc;1T;hvWdYqUCcdgXd)`r9kZkL|SnpGy> zIo`>*F=p;pAxSk71DKMR>&l7D`IvR*OMZWTMyHrEAb9q8-=J zhsH83A3Z}6&TZLNW8hfQ_~OMnWLY-8GqOD5=27s~Up?t~hlV&761tyzPl8IR294kDM7~0-oR{HoPlyw^qZ3H9ynk(1VhO|9B5$Uf8RIXv=ujNi<*ye|)nKFw(a$H54oIDBTV{?egD1mlt-iK5q3bJiMFiBhtb26HU@hsgyS51?nfDQJ+({6@qmE$Crt`!nbTBdax zsj6E4>PA33j>O)iGOD`hp|iYHgJjbtft$YBMQ@*0V-l8WJcMoYAWrh4V~yRmPOCI; zdPB5_ThvWFT4jb}XX%46hJ<~Kzih;+e_&b=#s;~~LGHPzAtgpW1v=`U`vJH{I@k7w zRFjk>ufa%!N(Clef3+X@sKyurLd^RVg|wpAP*%X8t$rs;f0Q#LRLQPz57})@T9ZI&!NFsSs(KJv;Lyw~e{=%y z??Gsz+Z3i@gKPTkM^ETcl!e&i)d$NJbNkdSJh4TVn~lobX89id&`~5Y9cm1mhQlKZ zw6f4@++^_&oqlwll^VnRX%+Y>r!i;kDS{v0$adq~tiw)^j zljlUJ#3ffqlFk`r$w(65LMN@6e_(H2PD&E4%V0H0Movyhlu_32q(`w}>YK_HMC#ap z>Q5TOuv!2`!@4!Act~O=umD*oY)V!V9@JaayjcN@H+*jd!C(;=^1$aPNqxhbrsTva zVay)uMQC2zMZe;Tt~%O^ZRl)0(Pc)_x9)BsT>Y`Ovei~qKktq*b*bK(-F=p+qxQF zx-^V+Xb-F@(z3{7MiRL-e~Jrx%08gbHBa}D9ugt3jRsAnYJ}`)Hs7ITV$vuqZoG|P>)N3Y0wtYC9@5ptK`v0Z5d%& zTI{GA$6GAA!L$W)9@z&_U_EFm@s$5Vj_8^u9M^VzZ66_xS-r$07OwJPB`}L0ge(FnTbEe|7siAQ=Gh$_c$n*d#-EzhMbR3{sGd6>Bku zO0U7gxQNKFf7RFUm4#bE*5S3@yS9&zUSsz9U1*?5kV=kDe1lxEK%n&Ut4*pC(TFft zVmjZvkYNd)#6y7-o@6%doVZc|qdM@t4e?v9AWLj#O%D^Z(`s?}$_(g1Jm-C9sV5vKpr#UQ3cckHwX1R?6W zF4y)E(rZlZy3jiDLO9?`3Ko+$5@ioLVjLZkOMko@g7F`;7E#G&yqUs>1QJ}YAqNFk zBDmV#f2<&NF|PVZXH0QJg+{f=H86_-xIv9C95iE*H@##cc5r&ru>!%PBeI}FPYSpm zgU^xE%C~t0gwN7pp3uT$@n}wGwaw$iscBZ9&;bv2q`$Un91N3^SUkb813o*I)^l7o zl;GG>u(r=fICdWiCEGNXSP;QW#}J7fz+^`2e}Y3G72(=Ek5d^ojjyNfb-5wU6YPXb z<|a8v90(d#oraM}@btT;Q*&ex*i}G{oWRxtU(9KErP4WOn3lL zDcRxYwK9Q>Sof&H3B7$VAFz@ro9MME<`96bm^zzIbmfQ#n5hO2V}k&zWaFw$dB_Qc zfAxf{md1)ncH;~Ie`>tffN=p0T64l*^d>Y@2t96Dw0Hq^_kjS5 z4e5gmj~AEw;;4XNUVGA;(2y%+T#J131A`+0EICq9dTmdbtQT6_BUnc})Uk8e2C!(O z^flsOHc4t7v>i+JGZ%rihB9{WmDL z=jHm|kS>)7PM$R@M$#y2ycm^ODOv>T=5V~I8fAi4FOoj&&!X-H5os%HWO+PvDQCTq zP*`%Cq1&>`Ms=zihdf>yY|&=e*7O1?TJgk^7MvFClpO68tO$c^{=%tgHwJG|Rd3Qa zs!a{HMs5VLz~ZB!G($!cO##F+e_~kVk&~7q` zCbS^HF|7w>jlgyJrS|InC3=-XC-S}8t;0n2QM!AqVqd2eVD4im!T-VfQn9d z^Q!JPnwk;eSqRQn^Oh{KSL1w)DEiiEqcmXbK8id*eEOzk(8UO&A&Qp3e>TS@R&4E6 zA2lHHzd*$p`pF~sW=S(5I;gN0080DdIEW~21!&Z$A2;D)gyNVtJ;Sv#0!Z=Tq zEzTX1TgA!K31phUjUzc5e zj^KxKh&2#hK+ywt^?9~UIM5Wgs)pdujnG&P z^kGO1UwYom)gSPh+unp)e_Os%rq^^GN92GR@~YEgA1$>$Hm>%ee+d{Llo5f04QYfz zolf#8S@J!A0K$>GeRM*8lbj&B?n8UVSvg8Tcxu#iMhj}rPEykdW|>gHTS`3?HDiis z+72ryJ3t}Tu%ZjzgM!Nn$?1g$Ib61PmSZOhZoTQpH~M9ty=Q|9CJp_jFByWQXl!|+ zne;V%aPX+Op(-Bef7=$=OLx$sX?f7p3vS>YJNqr1;nWijnBxjhNjD|#h!(u_!6Re> z560>;D2N(tY+YtvdCCAd4$2gPgAHj4hVy$KJBgfEhLZ0jH1B#OV3IsX8_rphn~n#t zsFQ!^A1NK`;7n=;$bxNFNwTi7V4y47D2Eaw)M96sK_{S%e{6|GI}Od!V}y9|1TgA> zug)~a#weftLMjFcXWGF~V^Hzd_JwGo4_@^Kef%sRj6@4#{tJ#;7l3(rj_`}IOK2H6 z#%lY>))b=499g<)><&E>v`!1KL~;Tg=*U6_1HHhx1)yTY)T+B~f)HHax@K^DPY7+!FO6;J7lcGb;e#xOT5pzy^RASwkaMFEtY6)A8pFzCV0 zd@(X`f1y)eL)Xk_Asvw*del-@pQX|P6rJ>AP9I%#+Z$1DQXL*kE}j?;B>EEfb`H6L zV~43GzF@>zq#H*WLXu$PD5TQ4X`Fnj zoa9PU7iBXEoyD^*hipV7EHFz=uaeuc5J1K^e+-!#`=ex}Z;i`9q>9!uykZbBjayzs zXHiKz|E+K6f!`}~wZmq)vIg~vw_!tm;d>m)=z~SF$7TYKag5M_&0>ldcC;MY;%$4q zNfjP5C=H{JYl2w5$n0lyNtVYLWD*D+F9#5?RA&z77VD-m`7)qe_6+zz#}POK ze=w~z*gRxS&>@2hKLMEwX7rMBjB8P8%o+l`E;J-jinvl58N9MUXu;Pgt0jv|&|U>Y zukd}uV1@9`FnCn3gx7O7^kq$b9M(%&S2 z4$A9C;9x^~{rGHRle@_;CH5=y#{d8d%t=H+RGx>b`d|Tola=fSsn^)77z@i9qMM_D z(0ME<@BQ%i7!C?>u%TGTPI&2RczCHJBOMfq!ZsmUg>f6A;rK`gdfa=RQd(t#YP2^U=^A4j^6CmalHFpP zI?ZG1s1;DqwtW&~TH$=uGBKL1c_%(dg3CsMsAg;OY;K!)0laimZF!b{4R;7)xH!-oxiSyz@F==n&ZKi&X?)`h-}sRhj9 z!jTyUq3O~xgs1uJc=1_o@j_=l(^r4ui}|a5lT)eK7i4;{ZY1#`aJ+Php!5Y}2#0M{ z-;kDN$w0#Ed6BZbNx&#Rp$Z$x@7@?VnA`?hsycx3chSp!9)%Mkk!kpTgx+t#94mXQaZAE4#B9j zF}6Te+mcqi@L3mh*qG(qeBgjXH#R->2VZXnqJgLR5Cz}nn8jc6k*huh4}YMKO^HUs z;v-o2y7kbq&51n$Sq5?}4_#3ae)>Xyqs9bY0|sA^AsW19IH=x41P(T&Hxay<)j7Fl zb&|QWmgKD@Z#q!jPiLiZ?i*hVNPV`PF6puGvh<=Rv`}Vyn&eybv{AGyF`_Fx?$l;d z+E}Q7RndmFsO>=Xhm*Sa3V#RB;ER!>K+4LO%}cO~U1{_tibP5_AS6N76pUg~Lwq!f z27%FIP41T+5rLGbYvaUVNzl^wz{+w|i>lT;WB{zv^bCc+6iJgFw67n5gAM8R>YSHyVa^g=5plP}V-~1So1y_q1KK+4bkw!CA@P9OBlP3#1_|#d- zJ{oBm5@cD7twRC})_S^S<#r#Q=EH{O1qRK~>i){tvXK=TmZH8rA4f{TA{XiCD%;&J z9?9-_IED}c6FPjwgDzNjffrN9+*(Uc2%rI97DSa{!UX3|Rp^?>2mLn`frAa{4TbBC z5IeP#oR!Q@YQW0aB!7O%D_Bc+LbGB7r}0uihQ`PM5t?wgPuH|*dsBip)U_Ckj;16> zrsP5qdh|wWOdA@)Wm>C)(0uTk)_nBJNB5{Aqc^JNYkf@?eJee5=2W#>m%R zz_ETjrZ3xKT*(k!Ol*eI(YnGv9eWK@BFa#J9>*@F|d$(;dsyS zvdTi~#pzX3D+rqAVOeoxK%w^HqSk*e%?WCldCbw&*=FF#k~Xp^fItUV{#qUcja~U7 zvvJMSn#|!rthMaHqLKRjMYnMXQgM8$&Bjy`#b6$A-hX5!E^sg-lUAk2Fj>ynm{!_Q z9@M*xz`=&J%jj;&PSUH+K4Gl8Y#a?%H|W$Xj^31Lv*=dAQ2DsV!dZNwVHvTFu<)D5 z5+M+L=0RhYUD1mIK1$jWUa*F?B;-YAW6U~a0Bs3Pv8~S>-UNzLP3(>xsE(Cok;l-q zrASa8K7U%+crmWciE(dW<4EXIFihx8OWlLAcM&+)koGRtt0oe@in~gFO8RQONHppN zRc%-_5Xy_STb3X^MrBc29s(`97b>j!v*_@6@e0r?^6_eD3cZF|=%zLd;}9RXO$rk> z0oMy%b1N&dIc)HSAw02-K8)~=k71C3P-Q&W9)E*_7>%?=8 z0$LRxRiv9uN9;FfwXz*-Y)&P1@CuoY2O+JWjflQ*Lrw`tF)+xxPYXRS<6VAO>@xhSp*I?q&*AurlML?E3j9a5Mz;ntp&nD z1`)n2YygEWCgB0_679^xkp{)GT@Ow}$3ljWKeuKnL69|1r1<-)B0*$r4^m(Dg-jI9 z2eE9H9NWeSK5umCgXiBb$mzhYmycdR7k`O2n4*D&5=}LNCt!;)lufB&E5i&q=wHDI z9BfEeF!&p)r&Z!^jlGCejg1DT8hew00NUo)7!Y;yu#b2#SL=^u#p5Fo2y2I+>!TyL zk?RenHVyQ6Ly3wKTy$aT2!!ZgvPAJ(8z;!zeV6+L)vdMf<0bAG0Y1~l|g-2QLBwb$jYNJib`Y9W3vh< z!hq9L1*u;eAjd~LW&{qhiPL4%urA?1L26xWCXm8HLjafmiewxm6|Oj}%-Jy86PGMZO9P54(Z)f^Bj$dCMr4-Xz#d!jny}H@Ij~UHIlTpI~fm zGj6q{dDace#(0A&ocRks6um|V{ax6=HWU@&Qn2PZXs>7l4mPAK8vdV6x!2sZ@VvfM zb=y)y7ebCy@_C20Y0WW?Ab-5kfP_UTAIa3PWk!k6taQr^ZNp7x9)zesW6~{paL}<) zS&p>LqZ1ymot?vvE|v4;QjI zg)p>i2I`qED;juzWa>2@TF63cU47)^fp8G(HI8Q>HKXA4i@vv?L4P-GK&=mvV*_en z)3rKg|?^1DE~fd?@0HC^*qUjxOa z+TL`=kVHAwYizz5)^xNK1TfT af&UKlGyQg`%qwF60000RT4 zGm`-WW&|}bJTH?`0~M2i17-^_Hy|)MIxsgnI5(5=1A%{r72O&D06+jqL_t(|0qng8 zv}V_J-*;yK4BDXgUJ3RpQ4}dsB1MX7v`AUK*|L+^avVEewpWs6$IB^BV#QfmE|FtL zE0%3pmMleXF@1P-zY{OFtCvtzSO+PT>Rx8)sX5%^P5ZpVS} z2Z9rxFNZtK!nf_t(~rRRqV)7*_Wa^l?DOu}&kD46fnQl{3cf#{X~}bdXzrKq0JPiS z!z%*Yi_+mWp8I&SoZQRyK735wrua0uT?H} z7HqpZd?K*DC>=gyx#~$xTu<(0yQvlvyBCAr5!ze3GW5sdF!p>Rpm`u2ZJ~yY#R6tn z=`-zur*$E9=!%N5UCIyLKy5b;!w76IN{8W~+NH%_%lNr876wr?z84MX6`mO;Bz?4zrgmbwNH zW-j)!R_s7z$t)2=N7D^mgJ8RHs6}9VQ96H=Mr=7D7i~}Cu>i~tE$23qb~&Np8GZ5g zWH!&Dzg&c%9}7m)sHVWTl+k?6v((j#)lygZBgCJfQ`S=vDg$mlxCK0Xh~aw?nst1+u+8R3fmwC>^XLwODkP zCXPLh1+XWtCpipg?Ud%}8B&wD|THXXd#+p(0I*f4|!TJQNlSIU8T!Jt-W-dlmm|0O4F zX8W92TEPR7@scY3fl&TaDbuUI8n<$%Qw5=`E{I#IDz1XbKEa2PCt&e}ekz22F zTjPiTv+w|uWJ%MLuVGA}u^@<_NjYekw1}gRw{w2>2=maP@Jkf!! z@VUQ14lF}90?G#SxDS7bhJB@LrV$@{EzFzfj%dTjWduw8$c5Fsk+IT8ZI$++`_ygE z61LrbZX&R~r}W&!Jz6v8+|GYwosAj&reOjy@fMS=_dZMlj-rkybkVjPCY?#N37-g? z$3kcMW)-7rWSUMJ*UhI6y7bp}G1(z8tofRUzKa&MC68deAemGfOQB-`OlmCrLLWSo zUQD9dWF{Yd@wJ>{89WxSaWiyoL~QrBDgxV!(pE)!gPxus4QB3i$s~X6-m=c*^dvLG z%*7<^i8?0Xf)#x%RyCEG<8TyDrvM z5`!l;T|~Ar32q&(g=W5uw)jeXpyn$cK|;yGl@@gtmgbYBjk+v7QfIz}eTW@eXZs8j zL-Rm|E=$5E{?H`?+g}J*NTdP3W08J%kW{inGxG*6KnjYxG_3ooXFnIf?dGOLV0%&8 zlrTPhAzo-I*}H$e{HFF~WM)A#CIyq32_ab3&ErX8a&Ju2^QtE^{jpeig16u-1~tda z8MyeX30yV3a21c>^rI^rO!Ve!30@FH*ZdoGEqNkO^6hBzv{nnT9Qz`0`?L}ZQH+?F z2F?1DVI4o(8+njE)Y75ExwLEBd@I21&Zb0Qdr{hyFg||;A(>MqoF`jN96<+~2|%YN zjNxj-au*$-)LVXc%P!Q^gNBR*@|(L zEGU*G82CtUzTVqf>Y5ihoQhrLOY!%@)(e=4&}jp;(SOIHYs=YSpt}SDBt?L+$haLa z+l{f9G24Hwbwyx%QCe4ITkaz94N~6|py6Yh3jnMt*DORep?a|y9^h;gMwh)8NNRFK-V0%$|mVsRP*6b`+%_JT;;DwtLK9gi5w(!tr!AP6Q z(=x&i0sq-k0Otwj=@yDW(hglah&_R`T`o+>XhpUgmZt5xU;|$~Ewkl$-rD!*LQdma z`;x~nbS!v)wM}Wqp7wR{V3U21xs5Mw%dmfFsF07%9Y5?6JgN&PG=19#oe8R6w5n1N zWrFIezg;#b0^5tyvxpeuM<1&FPQTUJ` z9eCulHv0U5vwaa2S_uQg%tHnp_q81h2R<1W3qrHjzkukNVh%K6c-?{U8T~xaA7P?#fO;`a0POo zP2&b&yYY-8u)QcfYuI|Ivc;L-fFvqL$OP-Ci^zl%%D?ElT zH`y~H7L*Ya$8YZx@$HXK`Buw!=9pb-ih;Mxkz4t+6iSI-~<+c)Gs z#h@+nZl6R%1j)FXoO7}!zh{5^-u>K!>cmHm{+KvDMS!HwgtBUsd6qD3jH~_<-?r>v zl8UZ*Oe1>3gzLVgci&ROVhtkl#3l&h9Sd4pRD954iiq@)Y{=c!wq=K4?hjq7G}d7$ z`_bL9O7=`!3lfT@naELhEKJVER>k-95@X0Q4=!WX=&^zYcspg^Vsd|Yn%BA^Oxc(h z4d1R09D(gUr31%iA571uWM|NZIXQbmF4zPwDkpi<0(Pk07OzG)Oh4qf8dJGy44;9L-^PxYGDdS)%|}gDB$4KruobZsEE4{ zjqQS71$6TOA9U3oeF&>;;PC`*`)sf1sz2<5RkAYKXB)z6;&OrbC7$*jHvb_q@q?P4 z&2TF;aVyxEn7HEt1zpH6Bh~ONvVk`(WZ}`a+JS6u4-|pzpKk|>Ov5V?M?x(U6POcR z8Q5g7b&@)9Ek}P?l2?D3T=dD%nQLXDcv2UA1X_xD$@XHSp9zAvWW4(p-8w8F{Jk}4 zO)Ox8o_6FIh9c_{Y)KQOaIK?jgqeYcikM7OZNmaKUF#}%G)Gtb2qa=Ub|E$f*%Y%J zAQs?7*YUAEz^Zsm+>S1`wFF6Qdc>qh*i_oAjIn->+mwHXOGb}Psj2vl-oE_>>iOQ> z-cveI1~~hYTq8FRK@1j$ELN-0ZK zJnDFoF!`Vo(>_|5HD)RTD1q^z*x)p0ZUGlOZQsD}t85lje1m7HYsJ9QzrjB9EqE-h zZEf!W8kT?BJc2nEWeFaY2AcNAv95O8myueb6h%hQqzX`6%2>jO`>ks=esEOiTBPde z3U1Y?f^Aoh!1khaphT!-%4APM0UC+rjD%T<>x6UDN!qDAXhj3L=TOMJC9RPO{hZ+Q z!U9A1*rwQ?7UVjHT30Jk?Y<|q_*M-Rpya_{O*en&+oI?)AN`v6?N?z}xMgoM6B0i8;8VNd!^TfOb7BCx$Eb$*OYS>#41k3dc+B^k9zE8(2DMdxJi zq=bJ~e{@ZwR5M!=R#_vZ@Q%lBe4Cr}&$7QD>ZLu|b#U6FT30Nx%=Ui` zP{-J0k!dx?CGPm%akP};4@-RQ@dg&!#Jl6(HL^`pv9OF%*g9MXQL@6+@G-{L#RjY9 zQXwh-XZZ8AwY?~982Qe5z?n=*$|NTXgb?JM2x&XtX+z)H1+$3A)8#}5(*2eVk8>1R zW)oM*>7@2Vv_4T_AUv(hOsFe9!_j}-a;lB=mWv)2aJ~5T0))VZr-roE0coE0r9BP2 zdD^f@n`OceN7Hrvr`XqiEo*$XU&vHxm4?$7fOf?u@l@ZcLhP;Z{55{m7ML+Jekcep zesm1ru_{Yy)vXJa;lW~&*oGDd-*%ZJ@cdqsI=3nwPR2PlPOo_mbXuu~PoIAz(<0eg zj*!VaaLG8h)2j>&+pG;?77R<#fCUC^b6R~9|tWq{42M%t2WR`a}WJ--*F%FtendY8Tvg?#b) z;KWIadRM#>YD~1stxjSmV5L>5NP;UH;W4ZyfNJ;2RKpheNS_Y|xo#W=nQKuu4tRK$ zlNuRqUnqO>rx%-JAN;K@G3f=TY$;VUuKa3~u)qRlTUuUg!?uoJ<6?gw6P~ha?Tm}> zR%OCax7^gd6_tgH#w$Uu0qP5G8Q@FA=o?l(A<8mhk!dQHtC}MZze3ZLu*WBhL3Nqu z7|{`|bFfg)>*{&CC{>Pn@SQZBVbn^Lv3RKKL<8pR0oMsSCt_#ONG=h9wOF-Xla(ZB zD|ePgSM#G~6q=^BLF#{WJt(Rn!jct!7?-xqGFx{{kUW*NV=rPtgYDs?-{M0%^PrFT z1;6mka+@D5UtSj!6zfV;+f^RxGA{nnr?j2!0Bd87Y+7X5xzyTrEG$<%mevj;16cK` z!KWX))DeVIIJGk7#1dL-1U-r=i`_tQR;A5?4%`rL!spNCdAoloId2z9;68~^nX&v9 z^Yj+27cb$VU9dV^$TP!8WFTEDvpi{m(Jq{;fuuU)-F)V;@P)30{MH38e~Ekh zfE_m85@_=`^VomDx!>^%3qmTi*b1#7@qr-3LBUtY3Mv=j5fwJZ8oEFlo<7vb3+-%1 z0FF08nhA1H7EC9mr1kvTKJON#OrRQM5~7NefgE!7kQ~VlZ=FYKf$uDHI#$9tvk(Mz zJ{FA($!lm+IP-)9?lRiYH;mef7XUaGupvNNtKAbMed&KtWA+KUX3Am}cZ0`!RGK91J?g+Y)^@p>1W<(nzy@m?BL_eWuaAALcG%HR$@pSR!?B0ocp$Da z=!+Mh_R%F=U@@Y{Dk5sk7J**THVYFum?5l5Q(~J zA$3+XnI)-{e+cIySnDM&&zJJNx%bV3%7EA4?zdk^PdrjbMBO$@_c$e~NDmScVG(FL z=#3)tf_2}@K&Y6!jIc1ZZ5Op0p@XpcffkRjNpS3ggvF(C)@CIU9U27AbW3_;h8%hr zxOac=(hh-2$B^OvQfBi}FW{oHq_(g4LdAC0HDrrp#NB-K7c$`qtHp$maMxIsu0$k$ zWZN-9jgWI)+8ky$`ttiNSNgGmAs9=!t}IYaC z!lYus4|3KS9&Aqh;J5s;D{Uk+&upI{r7!p;&D;i8v51AX2R!`3xVF>Av@F#QsWup8 z$4Z|A1ZW;>@ce~E+wwbbG}(&KAktd1g$XcHJz_I9d*JE4^ID9vU{i1*5!FI-w zFV#>^xT!h`rUC8*sl;>AnmkEE3OIRGXChT%i{29m0+h85)ui5lk-UvBxu8>G*Sv+3 zUh!BGdSU}S_6sUtVKjYk;fueq4_TDZMpn~yToQ{}V8boGl+bQEBsvx{rfo1!8P{f| zo^6_Wgb`!ov8U~$O=(@L?TUYeiI=*YpBkyrsjb?rXVwNJJ#8JH(4or#MurK{M?-kk z20^2?IgEp)d@S5dY2h&V4|GEY4?^`RQNquD%?jZ>{L5jvDD`Aw_%cZ{*d&0927feZ zL#ICyVNQlxbP5KaaYaktoCwm#ddMgX79}u93=)lS?i)m_wL(OxMXZ0|!N)FREeB}v zsgKU64-D$irZ%+rIwmtrEo`z3pmPa#TM+nwm9Onz%Wdw+Z|XoD_l2${PgAbI1dK%s z`vhwmi83DFfi3GEm z5@5I|fQLGZ5HzN9hKsiKA_th^)rPO>Xq&N<)Exsmd6)Ke8>Vg#T?IpQghrO>%APVK z_6=BTD*FV7r{z*3l6qLzG=iJ9Fx_q*TT*;*gSV{W1K&I=wB~;)ZPpe2(8>@W?J>B18(`vf(+QeCXVP@NH)IZ z&}seQi5!~}Q3G!nQZ3tJ4x7#4wJ3GMEQhBD)2YB9Cf|CpkWCD5`c)79Bv7Ct6!S>H zYP)Ztb3&CW(_4SI#Ez^tU89CKjK_cM=NR$=m$Efwet@9tq%(i;`Bf zfU6n4rWyT`34u!ML>7hU;1z|obr*!Tb$V+rs^ut{Dio1B>}x9Vw@;S8=%drR>~plU z#R`gJM9;n^ezvD%Ko^|J%VJAy>yd(l)W}IdTg9S|PRoCT1v=Xm`vpOpHtj8$78nq- zXloU!XWQWn9W)Te3>r}b_;4(T-`O{E#G}}QsJ;iWf%Aa+O%)#11yl7&m!uDJls+UI zrR((EhkIm7GRIx?n!d$@+ovFRk-#G9#LTIA7$Tti?hQLirevG1bgZbV4tRX&y4z$s zQc9A;mv(=m;K@_GSTj$n^kz<4;fz<{Q!Jw;ugIFYk=wd#Q`y?~wXDQ+wix#kv*?C? zrQbGn3arrAg0ONK#4LO0glBrvaxJ^wNYgpebU8yOFDy??JNVw0;-MQHTm?{t{fPn{ z{(CIrm&XZ?Vrka+-I@=d`tVznYT$apje+xEXYhYnjGPC~00ujW>5O3HomuWVS%Mb_ zvRe*`Wxkr^Ae~)RTMoo4OqDsLU5OJ9q^->fPtURfk0>}u(tKt-ee9PUeN08Wh&vA0 z);xxZ0_uiYIPwdgerRYnUA&1chDYPzYyO!6nencyLl~@s#~p1N-?|KMpTOf+`5K;R zquqZz17A9jnwV9L7V!g)&gP*X`aN2HSb((E$Ce7Y>xg5gV~#j(I&$YR`W!hOu|uDo zN2xx-zCh1s&)z-L<4-<1J@UjusvnsiQyUpOrz57FTBLT0k79q7A66^*n2Zh1PkaSq z*o>p!HpgD|i_bz2gU#WwC}~hKvKf&Kl81lVgY0Bxh%@>gXf~bF(2u@5Btu5pG-`L^ zmOv{CX_7q#prDK?{v^@Tyi7eO95y%^sS()|$DM_$$b}}ph|=w@BgZz|vTS;ycD+DJ zvv|;_zhznWN4s2tE7t8MDNEw8xYkS{es8w>6m}g zZ;|2~@e^Uky%(J)_Uw^6PilcVYC37x>C@@Qoj09w%-Pe)N1r*JuibJy216W4}Nia=!yF+171hZ zhAJYpNX=s-xwakorYv3V+Ci)CuH=6#`vpFvs>5SZ%6N^yuMCO@sR$}VsX8g0OolT7 zQlQQ*w#VF~yphKf0!78-rYDTK(I8xqS%8pjDK(eV1{Qn6*K(Hj^+aoVFf`0Hl1mp_ z2Cp?`>d#4zWtr@~D73}qEgbDK*RC{AiL}kAv@U#Tz6H#*5h@BHj0=GN;1Pdl|7|fW zaPwHT<cdqHl2FxIbL{<*5Y&2 z5ywosb{?%gnDzyQy7t~rO%LyRfc-K@WQX>r zGQP3XMzXh^@YUFYQ(@xQx}dX&f|FGMV{_Wt!ldGf>6SJHb0#+4 z;L!HejZdWrJhGd;W28Q6eJli0!AWp)ZGexs8V|Dgkg6jyrn~vUj{B-^aFPJVp`PI`!C%(jc zL;e}2g=aGspBS<4mhn60$m9Jv>FCp^v$Y7m@{G6WC*A|or*8k?^wC>?bGqZ9NW&g?_ zF&NgkNX3-E8*jl2SjB>4I(wdc%zHd1Y5_P!dqWqU__FCmr+w9Q{_YoQfjY{vp6ks~ z`WbkXej2{vymw8nJNF&aXYTya^!qpcg7%(1t)G35O-JgdBw=Ag%qbP7(J!!Zhs)-W zUX*$eJWw@ZNPd5E)$_nfs-$&a1FHqea5idXA_cZ!%0xGbrdW@Mqt6osAa?dnrA+z4t`llty`zM3kOpsCucjan>ZfC$r>4MJYmBnPrTLqo@0}#e72g zUz_1lU@J08Bx}6s6XftLVNv64TeTu*smr3GD`&4@OMidGzNQ1Mf?WLGv-gSV$tU+r zCm(aB7N0A;09|_WtENk|Anow6o6sMOTlUsoe)^lHOHX>m^anS;d;0io@0-4)V^2rz zI9lc^pbA6crbd!5{e;J$_KP&>v~Ad-R3F-lk_V(0mkgQ*#3P_o)r|4@iOwVF$ug!! zQBgrqGs%Cw?l*LagP`#iyx?s*>PUq)2@={)7-|-jUYN{KHuOSc8KP^cp=oQg_tJ~d zppEJ#{ql92zogm-TPU}#UVOwu9qbFyMwjRxuLFPTZ@uUTr&pf&_0tEh{}0n2-15uz z!w1Bd!B~X8Got0~FImidNm?_4U#85H2U{~phoAj$G8>-%Mdf{ zo@}bef?=U0*i5E|!qlneMWU0$985@bqMTM4IIcOeeq&5i5@+2)S%UcNOVz!1u(HI8 z+5LaEQT-7gq*xF}pigBeTkti`=(4+D_M!3SEk!NYT_JiAQgiT_exbAVQ+H`OOTNMl zzYve%$WttiJ!<##>NDRyz4G)oPp2Jwt|xViJCy6w<;%BT{v*>V$DTdC=emF6y+B<| zfXg07kH0$=55S$v&>X_$kX)2T@GJ1l_nv?3ZVTRnmY-}|X8LzVQaX4icNP<8xtKjK zdg9lhYqUK9To;d31E;v|1x+vuVQKTsnUlq&f(smx$*{B|%dDk8xuvb?3oqhu#mDG^ zBv4bCC4Ma@^I&WN)GKXuYz&5$d^KB#ZS!V^fi45nY<_x{A#C$3b)mRv8(%!ODbjzk zEj(k)>2^-bbE^I|XMV%qO&xu1V7Kh}b)WPmSA=h1MkkYO}Q)dj8vb~lapet?97j2l_z3Amz z-lLug)Jhf$+?cVF7H(JCNRtdCX^?-NzS;m>8edq`Mz{5v147Bguj<=A>jI}z;$o}% zF+&xNDl_ve2vpIU%H-OVJj0f4P%X!_#ox@0Th_u^1oX`Vz1!Lt2|xu{_q$y+G265E zah;w&X1d^n7wOo`*G*q__BTyOA91`{59bX(+unTP_fAhd`S|p{8-7Y-ut$HP(q#j6 zXae8;g;cTY^y)n8IdUk)=#W~JJju!24Ff=b1Ye2Fgv{ivb}b@-vKU3gyw8!vfLRBQ zf;<=1y{K8Q;RY^Wo`)V%<~)ilc*_;Mi{i%kn@ymv?3v0&Sb zh6UY9+s19cqih4naRp9kS<8PKcstWHkc!6cZ^Sok)h!A#%XgzTqG2(@=Zj8w>Gaam zzGiyeIe%t4_Q>5!s^>-f>o5BL>4C@Z(%HFRns)B2;Hv6eCkS)iDE1Znt`DUk9a4)@ z7Kbb?9pp~_4t|n+UR;`vy2eSZ3?(zCWqK654<*D1qp}hKs9k7Rb6J1EGZYnF0g4fY*>i*Xz$?ClU_Bw{@ibyF4J{IyN^0~1J(1V%QaNreCc1B?tbL9>9cqJ zfv>4bSm!U}|2(i?vG^ryOxX?u(Ldg+;gV}9wh`hBPGpO5(qUnarwjTP$3|7x(lw$J&slJ4n z!h2R2w6U}()wZ|!7NiX_>jGY)rK)^tT*(}KYK(U2HxGNOt$%;O0~%&R!p{<2?8vPh zZ@ut`rk9-dhUvszrwx+lbAw|{Z@uV;rt9zfoNiOOS7WFv%{4G%C%NL=IoEUKP>b2Y zzbGv-+!JXL_+`JzGRYZ+UXX%e>*=CK79$$|9}5E%ndm4Ht|vA#vf9W=64b&cIOve1 z-O11k(+~r%2#0^%g^q^BJ+!1`=^LH!V*vkEkICL}ka59uD{Vx9j-ucLGFih#Qa+U^ z0KlNCwrK_&a2BkkS(0d*cm=%Y0&yk>9q&URjt77LqEs;^mYu}R3-?o{U4bY1 zq&Hhngd+BY0j3!PyQxZ!7lax)cs%ReSF>xw)h&6Rf{TH+E*sc`A4zann{d`si8C)k z!t0-Y?4D~>8s?00M|MlDm04`WL)fK!8f4uE-);C;&6`nWhe<`VWa;*PR9T>7Q*sYP z+q~56Ggp6LbLTtPWNw?jeBf$8-{EV-i{_vJxnQndPy6MPCSEu`!sm7}E z&*@SF(Bn`j3v%3-fLZ)O(K`4Sr2~X%8Q4tJUM^USdSZte+Wwlz#1~w!zPBw4Pticj zRCEm;GJ?w_GQc#s)+mcjk8#@-m83-I!<*i+4Wxfn4O)0$!wecNW?2h8O3}Jcn<85F zSS-hYw42m*$!i#79iOGDjwkr0UBaM^kux4h(=^W#MjKt+4sz^~C-?yN8_)d?|7-)d zT@D<9Q;s=ny5yvndr|7~O};7SYV=H)b5XEPP>Ef(53J?6!yL4Wl7mcKlJSX9Wp@Uk z_B?+)1R?SSE{2{6h6xRY+aM@CNYoAMkp*v9xZqw6wk0w6pheh&42>biwSBF7Ruirn zZYFKuZjI$eP{Y0=0JC^DWaC?)}7c=R-H?nNCMK7a4OG z4Hs?lvKOWny0PEzgQ-4f7o}b^I#?r^4)z>$@EMFuFwFx2Y7%8+0uq=BF^;#I$;35y zYP(w_>&1$8(Nrx!CfbUDn$Bfc=&`96t>xkr9mZjcC6!%j+rF+Xu$7^;N|`sziFtqS z4wy*Wyxv>t1qX6UJWH>=>;RtQiD&r%l;JUepw+Vj7AdgFQD z@w`5(mIyul?FA>i(D(M;`S8tSL2`thw;BHt_r+lK7wFU1xOE%{?V>b7Pyux?)$Yk< zdCC9XmO|(ajUACtIT5lh2~G0yQ6fRwVjfnIIp#P#{fVxh(@Ii&zc4c}1kjRfj#r3VbvYH40fP_DiI)6>skC&2{pyz zT?tS_W%$9mId~VPeUdsMOi+bXkTd;(&%v)HK}bet4tq}y>MlKa-ACpMlK`2(Lu%m} za8yKAPe8bV%yNTY-Bz#c^JLYxa88LoX`e`Zz6p2i<&>}J@gr=gm~XwE$B(}8qQ7{^EJ*n9VV&i= z=aDaYkB;YYI};qTz0*XWtfH(GX{h!{Sk3{%x?-^=TmZ=!hvXX9CP+GT3nv?M56K+r~4 z7Mo?$iUAErU14daYJ$uJF}pZ?5cTCaotz zao4=@1Q`K#BZUemkT3jhOC3r5#XHD+CNA%uT+EppW8BK<^bwWAhg$(!rq zmmSN51&Uj}^>Gy~LT^6*`=-lIdZiw}ae|Leu=qSFnNRF}YkqC}7@1&dPsKCD}?tO)|s^Ui>s7xnwNlc`*|n z5D85yi9P9Y8(%klvkvs~wv7FiUDMIiak_Q~{KY4|WV-o*Yo=fN!atjCc;HI?j6fpN zT5=?`ht$CYzKr2$iy+}C@65dLBo0~tJa}N8`&o3F)MQaP_;eIWZvZ)Addmerc*reC zkLiB_|DV3&cjbXD?BvR6N0l%TkBYH^ILCB{FJ!#xo{vm7-1k}Et7pPBZ_YgKf?=C; ztoD}r7-{F6bFjyKgH6MS4e;lxtFPXJr(^=i9?gMyGE`fz?6u7JFXdo;{|`~ zfD4kyR|>EE;q>pHf64!(1FB!6vp{={Z(VeVL#B#R(OHuR3$Uf_3PtR%P?TSRK}WIO z@ZpnzsVz%=`ybNC7Yw?_hwn*0bd7tq4z=>BJAP-n`?1?Kx9iJ<3GKglLc8PYSjc~Q zjsx;Kr9Zjzcm3YCt?>B--4}R_pPInv8_{N<^%fNmxF3ia&T&P zC8-r4lEK;DK@`9=qydFEJ;>SgT};+4P#IR2wN5^ z?1Q5RyzAMXNzcQ1YFP#gxRX35FkbJ+);3FbrSe4{g_$Z&+l7hc?7JrpNW@5%!o4rNYna&*~xm zkLcZO_`#oJ!p8L7Yd%Tk>x4(dD`MTFZ-|ksv!JXE_%2TYve~6 zVH+0himvqaf)pRy0LvIIwI_eg6_4WbAgW1AERZtuxF>-RJ$~QVyK6nqw7&1LJM{{p z`=2TMQ|7z%p=4OYg^BPt0S@Qz8VOe~sjwuUhfzkd4gUb9E`JQ#*& zxJA~-Z-3wPUOlUt_qTtoyIgnQr>DCg{gQOmAyY1PwIbk_?cQrUaaQ=`NF%9 zJ>xB};(65>Z=H_cb&BO9$o4EGI$ju7u~?W_v521|##n6U%v3ay3pnx1f`ntCwU;Y= zm@sIo4ei~J+yd$u72bdLJ2(FP^h?+LGheL8S*~>!_QrUKno}WRvbv68{BslnXP{L& zPOz}IbkC!=EBt?3@w1ghiN^xB9n@G68$HJ0Y@ky@b_HK7p=}4G=$t-c4s4B-N1iLPmv1kh?nL}+Mx;;R9=?Q{*f z%Ca2*(qqp#$6cxe+h-ZP8Jkn|Gw$LOUZP6}9*?TB3s-+*Cv`ls-`HUvAYb^#*);ue z3S0zE;vpo;2pUtq+bxi5S#4cR~{|CYS@=Ka zUNE~UrC~su1@z$b;HB;)WYWSDIsL8aq-+K&j5|C<@z^7FPnVwZs)BA##qA8d>6N?e zhuUhi{Wu1w7t?6wRn~ibX6TV89=6Y%-D634R6l>QxUY)`tyNG+?`lU@!|^T=P@P8g z=`@Ts$5?ji6#11p)cy1pB^IP#{^CEMe(&a=myW#?3;S8eUnH69E9{kh_U;e)+9Z!{ zT!`CqDCAX~21KE6bOi(6hjgGj@e9q`w$jCklZ-o-$hMeQD$`Hi0xGZq*G!k3@N)eGJV|e?Khp3A^>}~P>+b)|boJdIn{Ivhi?Tnry2Ne=p`1^A z7%Y-Hky(0Ic!P49oP);q>gUX<$DFeyJYf4qU61uE*Zkkp7w`XL$v;9rPj*jVappH3 zkbbiecj;&5CvJPMFNEAjW;;q)I|OQWmln}zvd5l$#PQij&L#uUw^K1{y|WcPHnD#y zGX>?z3%lS=85FQPW3ejKR#(sMqSPZ=0r8}&KzZ>opn_PFfQ!O4mt`}6aR;|_mcea<^Ix!>+vTe!o0V|nqZub&<~_dBO+?)~KS zd$;_;bc@a+b-W{V;h2r z1aurk0;q-pIWIt~{Un14%;QvGq7Y>X$%L^8^_vbE!E=U$y$r4^IZ{7iC|tekvs#vO zr1wB#M@x%cW6ue>DcyY1ixw|i$ zzV(v7GF@`wEBtfnKsK;Y^-CVPrs}tD`043GU;0lP3w|c%C5RU7Oh$@yxS|#Yq%*&* z$-+ovKYIIbOt00u+75K~>|vdy`~92$)AYMH|D4X&J){NcNRK5G>!p9Ey>VVBtZ?%; zjQb~V|E;{#vfQbVMw!ED@9kWVaeO8c%beq9@)HDO^9|jPM2;=$ySjrelja4g^WD=) z=G#uYk+E4?SVI>L9?ShG+XB#YvncJyVNd>Y*h>IE*%UFq+152NUj$pU4lp>id!c|S zeYQquGl=|C1u#D)xTAmj^kdK0^L@?~|4v`Dp!Fg=~Z zJMG_b$&YB!K0*t{|0gZH1d%BjrHi0%n5FdDtGKyndHlB!@MmMy=n8h+B6UJtbEh+}k2>1geP z?A4xLlFIJdZQ}Bz_j083x-! ze(Em<)=+=R%KqYq#=a(x)@bfi68)SkN@Ef6pn4>2Y{kq0a(oqPf=O}A5_QPvt`-Tn4-)D3wP+Q{&l@t+KaE`qc{FXueW~!9<}3W`})#T-?%_L{U*nvzWJiR zG+nR7`R+$=kv@JaO2Nj#vft&r;@@@^#6QP)!|N|z^G~La-1ck6->v5q-SOzn+W$Jj zdltns<4WeX?OuW#sYTTwDehg zIrD$G?m}MQr8qj`Z!!Pc*q)6gdE z_2WW#BI0J06ZOoeSDo?o({JDS(^`xZV~+{3R#~>y@fZYC+JUL?bM^@x^uGF@kBf=t zbn8$y2iz@391AA)T24OtEI*sbldMFoqxzg4Df_@MFG}*aO^Xo7C zLG?Fpcwcd${fp+y>(_WSy8|^(DrIQOs?bwwI6dNvU%?FQ~yt4a+ zCx6v+(ylX>QZ~KK2@kGK>YqT)IcbT1r4CmBY;eig!VPyt$DTRI5;x-t{<44IfECC3 zSd=K_yiL?5re+Rdk#j>dJ*P5MG8WnpTSn(HonGXO*uu@`W$iOCx&x3En<)4{k`{q# zKtjw`r3Rn_XIKbpD>^CQ)cHGfcRlYGdp3o|h#P9Z?)>lZnV_=5B5f)gj9A#s!NADl0M`U<8V&FV@74;g66+6LK zwmT#-u=rLe1B0k}EPIE(OkN|M+(NOwa)W-B-lms2VrzLbYTMnaZJ#=AXTdxFVCwwj zUbNGm;x$<<{+ZVI=~1|TngJu@xDmz;b40=oVMwfK_SK6Oj+e9fGJk)j)@%;nbF(N_ z04hEsm;{C(RW4VY1a!7!wTCrq zN!RjFJkT~zw)DU*Yb6I~@YYf8*F9PfKEY3poT?`(d~5Qv;YFvsZqtuv9I3q<&gAW> z#82$yyko6M2%Zs0WHNsq8KV^(^fgvun#Zo%z;v;O&W@fvopszL>j>S7%+KHbQJ-z) zxK@|SDw_w)e)YH-fDdY5J`LKgxD;TIuC{;Cbeygs+lq4Y{a5?=rp>Fk#++WH;tgBS z&}BTJqOWml1bD_VDC3`t&2zITF_`W7qD|mD(MKfGZ`#InAPIlq#?oR*jx&zE(8q)} z(mb0!6h+G;$`Go*M;EVMaq4SzE5+s~2geG&_PpCSxl)XgyZljvQbt@58vdQh5O=J51;+Pu@t{Msi8PwZ=4 zdLUI}Nfx45l@W|J!KqE7XkD8>K0wI?<61JVC|_s6&g=9}xBDOGC$P?@wjZ_uGhX-!T&Ugb!ZDB6 zp7qUM_-rZ0_6I|y{hmi|pFV&0M>b70iT{Z^-lvx%W-?i?^bpUpj=k8=#NISzD}wYS z0X=`(qakI9Yqs${F$d3|!@zhjR_+T@d_9I9FDQY3FEXE>-Rqv%59^7TpV57G+}w@8U2Yu1HQ~%$A#W?ykM{+$>6C5Yr%xDMW;S5;*_x^UxDY{=0tPK5d3_escV=@6qCZy~KjO z3m%bj&hAS$L&bh&@JQb~_08-=pMzdwMZ9H8jZKeV;?cy=L^ODJOdr0$_Uh-)vC|d0 zgk#<1?niIcE0I23KM|8})+w7P3#)N$E^51fJ78(Br^@9EFF)f=GwqsN*XnrKqkd~I zHt19FcN5*6{6f*}alxN`#tM3sW}&^}H-IfFTe>I>Cx_>w;UINL2=RQJm@yITh|-+0b<=-q9*vv9T<(#DcOBK+|kzdc=Z&nKU?eth|V z)i3@_ops9rZUhnwj>GKMv9oiJzv5ZzIFJAyJ@W9L`-ILS(sc0=s8P13{ieo3Y^0UG z8lf&MeM-LFSzNgdWu1ke_B@SXfOK${vsIi zp46R#L;7}5lGMb+ff7;khe3!I++kOrtA}rW@QeD%@zC1C`Qp>RdOGPSUF6rf+qE=v zFq%8yfBUANnScL3LyJCm)6e>*Ro-Ax>Et*OJ+2`-q@7p8ZX;_AYXCU zqvR~kcy&_uLe!&3?eCK238#DTaG?J9HJ`cSu6p)f^V7}lD1|Uy*4YR7B&Vu5EW}S2 z5Y;i4n2ys6MPGN$w~B9TrWE#bOevQ#l-*@CzAWd6V~*j%XI|NAJ7`zn3)(d?fQNs} z8IBvh_RZEru-(8peG;?)9VXy^4nSbwlO*&zkkG8|W{V|s9*pLZF#YpL5>EHt)dvC* zwWdOHUvknbY$+;m#{~mbxPtjA9as8=&;JwMgnCnePjk!r>UqY|IMYJFC{jjim+o~t ze%FZxtz&cLJ%41~_?9G(mmVuY7^VD&0;8Pk0o$bJTj2?3;iu{4Tku4G04}Gv^O2im zUl#Y8lcZN{#z)$=Ds_1kn0+d&=ok~8MRoCsFDs7qR$Rhx%{`ycMUxL@(IAF)A`Z0O zI3tK7Og+aP`-;c**Z3I*P9=<)U$nQdZ0(}t$izDaT`{OYr442z_lPX1oS=1VykN0F zDd>YtjWI9?Qep5ubNlaqC9nalZF||tT9mkiTSm5>BiW^uJtijh&tCPTelHkj?4C;D zdMlpu^DEc>3mx3P7bnHmUZW3fdc?;O>wBO+dwO5I?-PFfZfuTzOko80V~q0OVQCSKJN9K?`=YY*YPM`1(}vl9Uy*ZTHm}Y4I-QA~ z$7OA%Tkx0kh?N^3xJq{xEN)#T5BR4h*6wGHfXFDt!uXJ}@vs!1Wc5YtA0W1CU71L`@S1~a(eeQKjsT1 zdA3l*OESt9y13vlao8y7+4rx!`w#v8HpY#~h+66qcEj43)X?@{(>C8+i^4KFF1ANc zmwfHoZ!6&`m{)5rWA6?wI7}Ebf6Fh%O@JP|wvQ+#^X9OB1A9`>ta^i<=y|%XcHfG^ z+1D#|1Mz*j-!0dvC7K=-VotY;eHgyb>piE+&7#G}@QbAUw}`NmG?6TY59sDM7EA5s z3tviHPMF1zi$tDROdJ>oE->hl2t+5Op&>xkhr;dfgbaG%JEl9doBoHl{Ib5uz6aFW z3Qw6VE29H{n^fA&;IdHig2vyv>EBNuyZt@BN9sf^XeS=6*DveL6N?dV!npU*+x*k> z9@Q+ad{RnFTr`NEAv~{$JsOT}Y-Zs$8SF&%ut82`Trz>}W%)Z+DjCrxLhCWtc#PLz zJ2LQNE%)s0nO=F?o5xc?H`9lutk3IBCHFpdn?P-Uuv%)`4(uzd$yX>wZ6Ou=63Bt_ zm+K8HuRr%)lCd@4@3-lFa=&}if7Ih#*fX|;sc~S@#l+QajR6Ri#-+FLs}PO}$OURS zhr_p?ZD;y=q_@=72*gpr+DWHE2bCxgU-0Jds8mqF8Lq8%otH_2oc)y#-SY0~C3^4L zI&WKlcw&!kRalgy_q_ZLloOwaz3$SJF7NgO^;tZ*;g>UpaPYGeZ}}!XQg_o6i;jln zI5-MKg@#*AxQ6J?M{d-j^x~mvGa5Xug}pm$L|s(7HKIMDZhIIPnZ~4sM=*H27||&% z^RN+&y(F$nI&)2r4qnFLb9$%SBV5~qQK;8{hq3a@DQsUuL5M~$yH&Kt3cw`*JUjer zFZgcV?7bWC+6!^|$gRIQJ^0u?(~%p0u2(Fvx#tA!Jn#_H;zhhRaoJn+aaAnpdtPmD zXUVbwwb|XRS>9_@ahT!?n7XvRIMFtU1nFdHV$}*N{LmB=jnR*639ZC8ohW!_&po<- zCguHl-ZZnbmIcOSX=FIZT{gGYRDkQ;q}l{v0$UyOG+SM4ibBq*NBE&ue}F@5Ek-!xsM z_wQ|0x#|ATPk(gFuhw1?an`4;auW-gCxD564FELix6jE_@ch@8$6#6Ht>p+oK|Tf8 zn#-0fO3OjUAIDNP{*Abn(*%ho0W_$I=~s}GL?T+25)@sL0XnU{)93E|(DadiFa5@n zV^iC_4#>{*;92*q!am7i>>GZmk1t`NQ}_TZp`&4>Xo;C4=U6}jY=@slaLs+6oUgqx z-80{y_Y-~d^){ILG#Dt7V>>k>NUy@Qh;M&tA4=@(IOHO>{+Mh7_h5J74 z%QA8-2HVOf2XzEJHVf8cWqWOZe>~)i<0X1+)|)T*J^{=e#2UAp7>%af{f2VKCs~fy&HK+M+y6-A~eS=D~jVpIb z1HRfi*~`QH`KIP-bAF~hvG+0U9|bn7w~PqNwlV{GRzQC)$YRbfV`c36CG%il1)R-TNt>!Mta- z5!?08W=-009`(LLYc=6xc)O)MmbKSpx@xkfkGnwr}B?XU` z;DS9K{c*OAoAAK2{5(6t$C0=d0!aw%0izE89^Bi`owpcrfEu}=Y#}YunVkVQj01NZs zVv)vHp4GI@a-W`mKXrpnqhov~TkOdsZ2M$fPuLhPlT6`B%!0%#sJ`p+zrCsX^QZZJ z-F=^#-ls2A9_-h9d9kWF^3&{I>T^@44Y8CLX5W3sT2>V{IpkIWbNG4|xv83~PSypt$Ier!?|Vv~gyy znK!wFK5Ky!5Y67o7N_O}6g9;vUzN zOMm;upV3>3ud6eYnIz7992k?N8iw_J5-d*TfVby=0|Y6Nl)2V^CZ$3{o6=)TtXxV} z^)|g)`=Ye8xaQCZq*r?#=}%@rnP75Otpn!3IDf@D!~jOx;3q} zFx{%tsz3GFf8d9;z52|zd6BS)r@6V_-(dgNH{Fg&Rr>d6LE;_nuQ>h9((@N|rsk;~ z#O0@d%mpXv2Hz*YQ!izFKtIPms{6D)=!@kZ)E*Vr*|7L<3fewu<6NoWg1hD6Yo?#N z@_(GZ<>DWiUU1S^Jf&-Y*jxL(n}5MCpM2y=o&N7VB%<1J-%u|XnWkBWa3hTIcB!Fc z(LPa+DdDlV>nu!Q?h|`d@!YlZSgA^`Fdbumk|Q`wsCnFEzFdL5+;?8~*QOVp_PRm0 z6%Ahf^qD*VU@Y1h=Gfoi9JL$qr6N5{G>06U;k1ZMVC;mC5|p|%9|xiutKr&+eb)W; zFG|Bfg`k~rgy<_Ein13E(K$e_@r#rZVevE_;=DMC*J2DPx^9caxRz1DZ5iwWb9MB8 zyRZ4@zJT#f=YNOxVlGDVQz~e_^3Fe;e(ky+_nq@&L5foC9X+AD_D}GmbHC=?Z+}WM zmqbinZj(8F=PA=`v}p3V^`UEZ;Q9R%*V){r7d!Ik4PKP#%LqEKwPAEx^)E^zQ2RQUxDmhvgg}jW62L^n!6j*2DnRgNXc|u4$}DoQfa$>YMB=9q z$20!$OYhcoIG>rm>g;csF4M~?`H8hWHU#go-0|>@zU%)(dd2j8`iaA({tMIeQ;R*M z3}vr^LQ}<7t(bsvcS_LdV8l&-}OQ5 zZT+ENRdmko%XQ=M>9&tVzeg7l-uU2^6UQt#tK+k5W$=j8;wyByu!L-mclsVNH=DnC zx(~A3N9kwm#V5X8{q>%2;d-#^?)ww%ZSc64l(sbX2}VLyaSRo^{JcDW-fxC^)4AW( z=q;&vm)oy>@yGol(4BS32#WW5JbF2b&1@Uu%om{jTIPkRYk`UrjGsP2SjJ*;GQO@? zay(3sFhRD?vi?O0>xUEh7NSeA61aFf+5}>w$Gs3)R#tnHbab3h;)-CQx{(@m%Xff9 z;fWyx7csII@=IU%zw~Ni%Iu?OPRVI?-|prnP-)T zSRJQ(-Cm|EqSsmQ>6&{#?mc4`!Gs1|D2h<|x6BJ*oSY!m@4W1ft<7wBC$NJ8D-WK9h_5KGA@UJ-Q z8-<2oeTAQ4FFf_Dri)H`sW0OD9la9!YTY!e^I5V2pOSEYZ2@~hd-rCz=Y^uNsrRv& zK#iDwIe!j>^T?HwRT^wK{h0IDdX+tj_vozW=k#Uby(A|^+r(&PIzyM30LcZc=k9*N z^lg{^wdtZ0x9;Ld?08T=%YX3;|I{z+n78 z--$%!Nd$_2Aw0~>h4jdkm{lNv%`aQFC?$|_(`|W2n)ambIOZUC0_8+eaGcHr4WcUk z27uq+{Jh^If1ph!!SMTlu-ZF!GLSWx5|hO+)3BxPP!ezzH8OeA#UpzkP#b}n<{U&; z$NxqQ#$0c6wtixLgAQu57qwM|vw1vRjK^khMfdxEZv06fBjOT-Bz5`h@ZoqYOZ?)C z+lp1!!}byHb`%T(=ywflKgA@?H`8W92rdxM;ofH<+>fYd17a_ipKciw?5IL+)I>~b z^boD=(K6S?jeSKKsjA}*ArYG)Yw&020Ksh(d zM?$QBrbcxhsUG7MZ^&&?^%*1am?Ns@p+;NruduJ7v-U-aye2pa%?8KH@v%tZv_qIc z(bT_#fsmdwz*soA0FlRCoOH~Yel~R;h)I`@b&WuSRfi_=3mCSDwy>}m(DJ%YWZ~kc?+f*Q zx^f2&7- z9e*GTk_}5ddt7=oC~$%MqoOL)$j^UXdOD&^TGs61qOB)Rd`It?p-J8!1Sx9OLcIX`;X2#{vs_5 z^D~7wvvkKpH~P9A?ySC1j|sU=kH@`#<-u!M&U`Fs8Fb{juQZJ<0Q8UD?E~s#rW(~& z#lh`MbsGN_XS^Bcb6Pk~^VSP~NT=Dq(g*QBclRH7Q9g>;IPkN1op3-pwvCGel-rJm$991dvt9WdBY2TJm097 zj9zid`kxQJ8V&OKiRlBnH}iux|D5dP@idAfp{!V@?gb@d#n_pMfO}pnY7{Uwl=fFN z9&hzKznNzy17|r5pX8LN%tJ&7U|Ffwy z9-x<={)Xu-7kC?N3XEmHh%APlnxSeW^5~ewyoH?pU#DPnE{_`_0#3ouK)4r`ujd@`$j^__Icr1 z3TUT+nJDpZFf~OnaA>?KklLNUUjLRn3p$R`asAdlce+Q+rfqrV&<(nO0M!M@ER_Y)ij z@N3Tfv(wuy{y{(O@99Q=gZGK?xkNv4-f-T#lnB2%eeBlvcyVI*IXv9O1Ls6oO@lJe zK&_|{*Ze)r~|ub;8J=PcIlvmkp=+7l6FI1+?z zgI0TVMTWR#zlM4S4kWk49Hl+WS9*+F(>m&_?)`{QP9&!=Sm!5yb@{=O(^1o9r@Ttn zf4$vT^>5XqM>hJ%Z6m*|Yvn$w92^58BFC}<=taPgnLG1GGlbz`UJX1x4gnDaThBXC zVnTky+=QuE3kf(y@Z?JNw0iC~dL8xp7NyQoJIhL+ILvhu5IZ^S-$_}DaI_Z%f=3|t z?0MYR5xxE5AAZ(<4>IF651!xij!SjwUdIrA^^5gTh9N1>9P}F<$L39dhqkIQqB>1{9G2m8%mEE;BI&A0C|jy z32`N(X}X4j=MY`A`{jNeQE{xTx>;9obIlmHhj7gA>|-x~(ihUJ{Fszek3GjH0@kMd zPZ7+5^z&E!pStGl10I7~Dx7O!Wo)XYx)+1QGC|HYOBHYvEAY)^)+{8+eiz4Y`q zZt2aLOZ%Tro48(7driN2yybfzi2S#x%-mnLjj*+HW_vXuF zv^XZXXM^`!T0Oz%URPefAL@V zrdTe2D)fs0Y#;_z!A!$q*o$>t5)Y0)RLTi@>@GKzo*cMtA7p|PVfaA1A{GiUrY?%TQ2+opldC!KJ%^9cfH_m=}O+ybw)%l`C~N8 zhEZdIVEhc>aU1M?9BPHDx8Hu@U!1=Gg@1oKMW?~J%G*xiYZqs7It+!sNEWehAGCRY z!f2Kad>uC^xR2~CJ-THpo}CoS53Vh*{QAky{Qc<@x4qX3(!40lcCsKO*b1$JMn4M> zH1&l}DC3vNe8lP zoEL!5bifEklXpP5+@Iq=XB@XR*Z**TMfTTU@Pjg$D|;CkHEkeO>!0a3R(>y?#vS5n$L$+KZwP(q}=1Wd^#TI$>+^e};cl!V8HUHA5{rwy)T@&X*fb{XQ z!2C#8ApI%O9Y2#f@WdZ~TtlX8ntjy^Y~sf#o3KmdC zG7$0y`#89L?(vsxku~dAbNVsoP2Y0iU-t8|dD5j5)CoK%s}mG|Qxt;^31g{nxIYru zB#bddP&J@CdDmIfIXc_A-DOxnTDTeTIrXHSBh=p}P1_XXY+C@umI=w^jCRg`O+) zhT8AB;_vz_B#$@oxJfbI_rl^(D3?1VPV3I?8YQ|J+l(o)c&Y)Di*}1L)LYNB(V;3#Jz)mEv}J^#lRv49l{q}?nhU2 zLg59EhB-X*iU-d0t%|Nbw8vWKHu~XTz|-B-?b;TlcBbnDB7t#W?VL94ERI%)0FD4k z!0ozst%I?t-hUZkoVw<5wiMgqfnub%`F5ACNPhOu_x>{KpEJ}&I+n&`bp5Cg9S3sU zGfXvBF>Q>05Ao5TNc1T!QxRZbaC;@GMazSK%dWiZk95cXJ)7zGQ`J3$9Y|Dze*?-8OIz<|ZHv;<>=CQPCr;yI z1&pB54m#Tkv&HamwU6myv#l=UY}6QFjGm^`jy>0}Y~E^nwn`tbYkHIJn7>T7WblR+ z4UfkR-<`~=86`e}(dZ!24$cq}apn9ay5aSI%ROc|T!-HFntMMn{p?l$yPjP7PyI@& zp71N45UvehZMfBWR5@|QE1v&kWh3M<}O0=X>v2p1lTgmQcM5V z(Ih3N+1FjKe^Iixv&-!ePCNd@t1=s^ISw-q2VQ?)Z`!!wzPjVPg{-l@`_bEcGpBEV z(#0suu}OP1SzoF)YyV$AxNTj*Sjy#5ALDJRGN`}l7{c?8zkEr0*tU5|NnQ`@V$3pD zGe!3a3ggC4;1iEJRWF=8JkGk^qc5vpzxKzc|8UihP9M4L*Y%VLy|_UK@mGp}gG2yU zpy>$a+%Dvt`clN___5JdWyoe_y6&9hhCh((;{ogl&E|o zCt|b3rsSwY{H)tUI&SoPdi2XDZ~v`{H;wS@Z$EBWS&+Pq+lj#< zH5>~jdUCvT$aD(RGUt=&$RW19ICR7{3mn?Use`a8=@qP5hMeY!4Q(%ftb?>(>;LX}anD&+82sf9!+o9+1++1mk+1c7eEhceOz*w^-{`G2H_3%3b+RMh=QV9dOuTo|PIjQw zH{7vuXRIepPYs$}@8a}#heZV(om${5tGNV=1;(4j(iSZ-7t6pbd0G-;XwO!Z?MSwO z$Xw@k?Tb}>dl1YqZFjS+9i~pAIN83Ej2d|{BKKq?Mu+Q~IPE5tZ`KgUVA9QB|p(w-;8ZW+JP zC&rQ;oi#tKE$~@?FoPqd&@XFo(?`#egE<$g1vg92y|70F91%&4P3tUcUzGN1KR(uA zWdMjqLW8q}ZGVnCG>RP8(A;$YRXWJ{_p~_uLp`AFQ=1Z_$M!rj{o>XCOple&UEI7Q zj8b-D6$!~pA-PWJ`BYBR-r);QdX2|~#PwKtFp{V%W1K;MB3yc4{}VbU^_99M=g@hy z%Ynv~cfh^&C1JbpiTv*9PYIiel$(R?R$h7zp#4_W5Ci8=a{(G(jVJj>*BAHi>0f#Q;S72ii zYB_ynzs(VlQmWF~-0k`oC449c94Na_7!!y&B#TxJ4s0GERRn6hL;!dT6`Y@QyyuNK z+;SlN6SuwJkI6V+uixfT8D|`Kfo~b%)Gc!Ed+g5X9z6l@<_E9V+i?FxPhb51+k4Z0 zU`wy-Jns-dVN#&3KSLCo_!qcH<{pZ8sB?|n`;C=lp# z`*!!;-S^vjueIJa?X~wk_ug~9@3`oHyn7k1QVc8*3uiOxUe?;zmpB(2pIQ6R zm49LL+jsx;=6pSA*9ENn)KWQ5UN3SbI`1ueo9>DI=8NBcR;B9--2jjWj{eLIf6G74 z6L^)kD_fUQGh>&p8IW)vFpVQ&-Ww!UEr&wuRd0+rmV=L(7|O^(C!rzR2UP5Tw#SVI zpZyq(rCa3KZT%K2TE@ulqwW7t!t095;V$D2y4J#iy%Y@_uatUa*51GJXNWG`>XuhfeD|{kV?k$uyqJ_*`>PY`@(bU3;(JnX^c-m9 zipLQBi#tE6zc$oc1A4Qtmz1Y}ygJZWbM7*Er5?-8dz8+$#v{AF>#85t6JmZ%^>Cp} zq*Bm3{gr#t<62Bsz)_o3W=diX5lWV%BFoS{Io4N?;g4p9A=X!dmbHv)KJuyYpxHOs zm!(S%#iprIKZ1+>VRKJ|z5h;${JT|P1bkv^S|z9eNm!CZl9wfzDh3gM>25K0o^0_L zZvI+!Okec;lA4?4^PZcD;2-C3Mjoh7-$5-(Rz3UXc&IK0=r+XOP7TR`2rv`H% zAUp~?I*m_$oqrpGsDTfEBzg;-^a94M_FvrV14*3Hm%0~M|2-DH_d?5@)W9hu?)^~e zT=XKHkWeS14}m}Fd ziMoH)4`*h(*ZtDOzf@Y2-L{OMbgodJlJVwwA{&fMKdtgtXJN&E^F0)#Hw0Eu=uc}b5GL)Ih2w_ z0!!%b30PAoPIiq+N~hb>!Z z+JTM#w9UK9&(%h*whrYi(9DtNJVxo5|LVp=Klj<#*q^`uo%Xd`)4*Ez5XZkY5m{zU;XxNch&!GZ~mUmpS$`mrdm25 z-IJ8c3%yGbu=A9P>$>wH6fJ>t-P#!7X*G3BrAPT-f$^k_!KR50#Eb-rReC{FYU0@8chSw|?oZ_i>FMYulnrQ?*t7 zT1$PT2;`PL=D?V>*>#(0PQB)p4WL@nv1YuRxt}&yxXPy)eEc(I$>%8%adTf|_}OsISQ@Lddagn=J#h795>_ zLoe$fKkO_L(TFq+UcAiwT)T4rX>Q%&dk0nUqu4w9%H7*8dG~?5pNsdUJ*YR%o~OU3 z@+Mk-zx0LsKe72)9Za`8eri5?^lH|aSB8I42NQqk^-k`xp_Do=)w_O*&$#o~HP{CR zcB>4nlX0I5RAE$bt*>TkK6%#SdG9-aCgFFjw@l&6XZs0Dtu+o{$a}l){ZQ&$xvxkW zJNe2EV;01{6Obfi`{zm$y?7BWY`|GWOXSEv#z#k933+B(4k6^dK!U7=&~hvQ+G4qS z2x|U?s&!?4u3aB}?t#sdx}A&DyAyopl>_2^dRP6v8wb!GPkzno)HT4$ou}V_^YFRI zfBLomar31IKfP}^hJN0|^?h&u(aj4lKHud>A?J(YQlq9^N}7*x(VahyU6bqw=&H3b zcilmaQrBnG=zW5rIAiCePcrqki(c{3!dEn5OaGu78W{wDM+MSq)kRrI`?&7?P+FZP zK)33hDv!wk91=q8^E-hLBUs6Q7^9gJVM-MO;n)b&O0Gt<*bY4uRL+GkryPtXQT$&Q zyZ468GrFe^?@Kus8^6fCabXI?s1}tU9Rm z;)ea)3+v}^`n#JiKKL)%#l80Y()%Ot{P#B3yzyIoucb=SD9cex!;3n93^aE}o!2m3 z>K=BUnPi+2-Kq7e+m@NqR^kf?_7Ga~Rl0kxH6z7t43hYALOU7l1fkbX*#DuF*zMs6 zu!7=HU_qMh!)VCYqKRp7B_4STvk1^(SRQ&OfkD2qc^C(~E-2U>c<70Z?%M_HFSWd* z`HANr**vd137m`VdEKjj`>VPsKCgt5^W@KKLPC^J#&6Q?bFaSS+P$ZUJ38E{S4!vO zPp>bIv1t0@{#(z!^z`Nzbnk2)JaG{1ZTdLV4}QzPFU$Irfc>y*TVwp7+NiNvpUEAS z3NGc%EOQX~sy$H1LC01WAZx?C_ehi&VU40kIyJxUzcIF;G+J+eRH5de+Wrrv3UCc* zy!tUw0$QPQ5Qvt=3Zm)CkPnenU3j`e%!w0_uOvU1CRUEiSS^Zi=qTAC1ZrC2gT0SE z`@rV8m(I;Y>1%q1*}Zy%5F5^!sno1%$&XZj_AUR4?|EgRJznm9>g#@tQPw@q%+-ov zKD+qzi%)HS{^q}byTSj1Xdk}nU)#L@E#K=qB)G!l139v9<=}RGSA|oDReN-6UaMfY z+%Hw5_6@a;Eivz_$aZ~)Z>wT#?~$Q(nB4YbTlcky9*rd5IQIM5s3HQ+(lI=4T(aAQ1v1r9i0cCN2>{%NW->;N-y2m-zcy;)D z_x!v*+orrIAN}2&oyOSTQK9Rd+`JWl1AO0&C(wF*Sj(ykFI6vc^}J%@ArQZPC(mNr z|6{s%R^Xr4JH4;a=Oo8pKaKsZZFP8~Ed&RZv^5@KwYunVs;Wkp_y z=c9cblE^yDia9ppJ9&F|3NdNNYGxz?|=C0#k z&)O;KxfU6d8(t+{a={gwYjhL5gJ`!s`Q@yU*H4Ro)IIB^v6qitja%2=^7t3^`=w8M zzV8dKl)m$-9~!^!YI~!WoWZI=#`unq1V)Y4m<%T*qePmwji9TV|P1U2Pi zi-iY&#sP#ZqOycasJgUIZKHL-_fjFN-z(km#8>>%93AIE`-&c*@O$_Eb3gx$oUHjv z1$QoA+Pqs&*S+NY%lDoZZsLF6@mr@IuWe7YP+sHiy~6VRyv--?`lp-Q^pu)?H|pev zul@1O)fc@>cT1S>^d7ae;{Z9emoCx-vt74;)T-ifqZ%3W#fn60Dd_SoNyJLt_&VSU zZ6RH(!w!ToY{f*2%{?+G`x)&2P)d$RQptMYN)t!m;r`e)~`P@mBnmi}EIa z?`uz@pmCQ;ZUlGH1^d6t0Xo!oL0SulgaC7CMVBUwY_M{^-ViPv7i& zNF~2BVCPHO@hT~`+zRGey;AbS7N*!kR#kQ?b;FkDLtzQ+vD^Qlv^d{^yHB-LJteWkJrkB(_mz~g zaL$c-FU~UesgAA6U~)K<9z9uq3|j#!p)Q7Pe4K7tFA_K&KFGmzwzj8Uczp9QJ#6t; zZv6+F`=7qe_n%^^ye_(CQ)I?sFnUR^lCC&*m7c|S^?{`2?&CM+y+BxFae9GRP{#B) zXYc4mX7g&!q4`<;j_e?Q>CHE>?|;XSZQgywhc++1$Y%!eqndrhRStH4+)jPNO$hND zpZib=vT_f~aVJjet@soEN%jc3(C@2osL;RmA#mogB=Om7U{3crI*>zYcXK13-3~YK|hZ2;Dk?q-2RU@Kl!EqV)Hxq{J)zgo_#n6lJhWgF&0a~JAcX#Im4+T3CD1Q3sUsUM%I|Oc6{!DUM*dD$vZbc_^!X)LW%zgFNcZ5+(t}G%+`xeOGH;_g)xs>UUN}@tH~PkKj6|KT+PwY zdpO$mdp(fb;dZjuP;xpaYSKhH-RsZJBy-G*J~AYTlU6JuxbJs;Jn_|7} zTjEA@{F%w0ix3_5M|%0I_-#*oS-)t#O^;jpGiykveatO@pM35S-Glr=y+7wk|7o7v zh#Wib65qD<*!etv8tM)HeGIRN9((S7KU|St{_-JK4k!MKM(iBE>$-GsPBVG+00};R z^U~(6dJNMg2XO!LyY&8~r{z1hGuF@3EFz0G%7ZcW7SB>klbQA95dHjppV<6MSN|KE z%P-pZLHdTx2jBV;y?^WbHrMGc27C<0`+*!+QhgX`(lytAhl6Xf!z&^fk$iPe>`ulr{hx)6-S=*LOJShQ^y>uwq-!j?j&s5_?;2<4$Z?0Ni3B5rdEWTGi z#{IG$0`Q-L+G{&@{zaP~y7oWPkHfcb9@1mL{Lz?yvbfe^mId$IcZ5{EUVx4&Ji}ph ztwX4q9TJrb+weLjH&$l_(rF!Z=&Ihjma%0I?sDLV60wg~`LA3ir&UIOG;GSgfcgVnszBjptV6dbm|S1$o1te3wuaqph*z2@KYk1dc- zM|<#p>AN47kx*RRdP^xS2d8hBCe01=s@Ea ztEG9;1z6j{n^ z$go;aYl9(2L(VO$30p04S+=kv$2Fr+B~g08c@f13sSr^Zad`NqjsM`&cWnOPo?jh* z^n)Jo7?Ep?Wc+WDbvlvh+yw^6 zzfXFj-o4BRQTN@B>lG3|n({!1#HHSTPuEr-!m3&_B#x5{9%lN0*6<+zXz`&dKeG9O zcl>4lxQn0ofsd&>Wj*eh-f=)1YgPPz0+l>C82VCg5r#HUS~Nk2YZpoQCEK);EL)jb zM>7tvKdpxni{gBeF%q}VMd(C^&74KlOdyXtQP8@1sEcV-U!bs7pDy*Yvh~txgVG>AQBvP%^#cUG~pg-6{X=Wy&Y2Ja8oKZy3^$&5= zEuDlXiNymjz9i%<2W2`qrU0BkW4~^_kzxluSg{4`Kvn4rz_wXnYlNp3zxdPgvCVx? z-M;za1D}-Hx{-e2_Srq52WkGwE&s?jF}uJ&!o-^6k&h`u98GLX0!pxBOy4-|~bDjePlphqd4cc~r_@cto|=2WBr06+jqL_t)y&jEjR<3Xan$y}|+wAcQ5 zMMY-Lnj)b!)F5A(bLGd~FF*XdoBQQFPz9x1A8Ju)W>{0CMfcht?4eY_jT|zs z*u5ocP7<9+%ZsBvEG?M+!E-YMX1HFQrWsN6W!!e?F^(@@4B?=l%PKrfF`LX>U$$N5 zFVL%$&))khy06dvKe~Vqyp#ObZ~MRfiFf|0<^yw0rX06xsjBjL#&tq|f0mfxIW`AB zF)m(3?i|@xcwN93=?O2_YJ=^&aqvI*%)_GY@QTc;s{bF%;>8XjfhGEt|jeZU4ER9(=Xp;b6kA_?If%j-_cxc-(Q3gN{p_ zjvt!W5@}?}4Nz0FhoIH}f8bCap~_LLwNAqi=yI@!QU&Eac7TaJc~??MrV~cSDoONB zhZMdBU4-;oN>Pqvq*2x5UM%LjFr;Z#%ff1qMGw09(Z}zL&)+<*-{)}8o`;{_@6$Bc zlpnk0C-wfCU(@@C^n_abx8%aH+WX|9^GZCBxsDt`(N`zH0i)~0f9CjMw5+v>P#C`R zzvHs^od`U|6yEM|yFTJG-!Y!3h=Z`0jk?e*+)#HTODKu<0=-S*_wW5Rt>eLd(E8n% ze{l2TANX%JS6_VX=Eav@+{sqgof9t}ada#_4un~F>Xe8^bS|jjmI*C!hgMpy;5pwf#y>xZY-de|h~wEmZF{s(&h%#&g6;rgjNf5rz=S4?tPxkxg~DiiW% zV&$S(&WqW)h(C(4#!h;2(LCGf{LveufqJaJ{nGdP$Dp#Xf4A;w9ZLM=&3{g>^^IG6 z^T6zOE)rVhLR~@PpXWjIYKb>w@|KE`v%N*Jt@u4}`tatjzyH7TJR5AOQxVQu*Z3g2({ds^+A;IlnIHSoxY-2p(J+|TUTVWDAHXJ^k&^f ze`uNrHC%KRo=zbCRDHvvf3*2&JxSv_y)lmu@4nW?JAePbTmR3^uig58=&v--O1+k9 zI3Qo-Y`$WA_>0hxTdg}=A_VK?!FJGKc0fI+C-$17#j=_oJMZGnHJ7~y%3d3rl>2e} ztpLLk8;zE$b5Zl;LX*{J$87;a99B;Se|X`g7yQwaA{}^lnSM9-WAFQ$o4@h?|8nyk zSN?z=kN#%8GyiFQdf-_dQ2khN)+k@>1fE04gDm)j!E<^S|1)}P12y-Oen;iiR9wC4 z$cIR1vzEU*8s88)DHX|-6xB)3w~r!LY>T+G^bf~5=w$Qlc8JhRzjELf4TxS zUn_A~IGIO?_IFyWWpU%vVy~c<;Imk2$Mjb*?z!~S*Z)tO_vx`a-=(Lgept7#xafjQ zO8Ogje0J@#_x$qak01Q4&HZ|VBu~j8EQdRw@u9y%iaR-D7=L=28Il!^6+&$ZRJ2r& zi|4$Fr@q&Uw*$QMvTxg5s5foyf4gxg-SYT#ezqI7@XDTRkiT5f_hB2Kw{o_I)e1_F zr;h8T&Gire{^l=y%U{>~uC9T6TH1%N`d4)*{dqqo>Ned_@XjZ`wz=!c8}zZ52mGsn z++z1U-AwPY&0F+N`m6MihN~}qmmb(~mEZgH!0|gbUwQC%{rgRSBU2R4e^o{E3aJ=n z(Cd3zf-j?|?NC~arpM#JQRc=zAgRnpmU@)K$w`)gKX3?$HWkjf>AF~PFI1K&wo=sn zs%`y_fm9z-KAy^-pwZPM32J!$<^p|pdtUeM`8^*{{Kf3s-~7EBezEz^OW(J-`U&bDL?ml@Le@0))$XeO)#3lclW`tSccVtA9 zwdRoaO!r`aSU-Y)QlIMo4@@~-7k+Pc?G+#J7r&$A-tc^$kyp(Af55aH~eiG)W>er_+!iWyzNIezj)*Srf+JuJI0x>E*<4U|Glh9%glw6QKdwQG{CwK z>T=o+r4cxBlNcw1V#>VxR7{9XqbFPLbnVl96j>>!>*Dlg0~nB|;IlEU&5Kh^xPIkh z1@>>~mX1E4T1UKze?Hq0f$vfm>c<;CtOncJ(v13TNmmLhd!9(;BkH8{rQ)l z)w_zHQQ!H)0Q%E*D4h^nC14Z}PVTi(agFt?LfI=B8FHF{TkAjR;w%`*aJJ>mT~;f9AX2{;!8|hF*E4^<7v0;N}nS z{kUt&HR_;saa}0(H5Ve+)cdM=rz8Bi&ZonA+w2OdJ~fsN=tPl65qpcI&jFF5vVfE9 zxj@;7C=>-HRk&W9R_bDnOcnt&n|U5S&@+bGZU))G-uk>!BB z>XLVDE zq&YkWrUp(nLS4mWW0qtqZ)DHA*lQuNSgbyXb`ki*!utS_Y|rf~SUVe!!CGC@)w7XI z>%L^H55Q=as*u{h!Q9FPK2N{P1~mSu&*nuReofz6TXUGl5AF=`l74i1pMN}UxqbDI ze>`)a?uvPz6Vsbzji>D5+E!i6xGE74PF(&ec7UV9aVU`wcE_j?ib=_W)by$%Cs{m1vq|QN3bcIdvy3iL zR5~MX8a7IkwRwk9*kDA_JR3olG=}X1e+hc=O}F&Cu;FR;1#{iD%{4W>b&p{N<;Rvj zI7M%NAjQA<-gNr@8laY~UJ{Hd&K#;Dh_X5!$~YACcb=;+dAEPr3TL0~t|!0lU;1Ms zv1A>bTN|!gaQ-^)iK^0+H3MHUnO@=bTEl|G8$zFa?$OP4dcXj8;yjaE`%he5f9ljy z=aJYtM~-uAV#;Z`9GXMP1z$W(*{oc}t=$LTYFGunpw~EsY;Kf` z$AS%Q0oEMYJmjpm^+{qZG}592ZEf9~*yaEj1Yr4!1EJNpA;_a^h+w~<$wgF}22Wp+ z6~?(TslzvI$fC#kYuPbqmU=$y{5gFd?%`+djqn+I&6gQw(f5{rf7lyWV zT_6p&ueG4rq=waIN6&Wi25(Z~%19e)uKQtfQDq%9hu<=zsA|)p05N|#e|^vh(*c;< z8q$-B<~t^An58^=fJVmZ)R4bWe~P~R03H&6y}R{F$!{K%-8JVp)IPQUrU6pxD8bTj(TWrHq1;9G3Qw`Lx?$OQs4R*H+vmezXUIzh3E(kE+-Z_G40e1YN1`%LT;zYrg=To{&~Us4 zjv}Ez6(BkBcnE8zF(0)4{QaNUJaGIDv(K~(cdhvPBcIn_-gHAeHP;?7@i7Em2M8jU%B}o`JP9UdH6^Cc>Rf6|F6xn`p5}?*PZLjsIt+y_(pj+ zO`#sDL&+PXbEax@!D-%fiqR$JKKwpJ$n7lL6s4sDVwmMXY18Q2h<6{~VbNp*C6>ZR zw>iRiY&Ei8e{&Gt#6|}X!XwFo<CEdJUH9Pcf833T<4(MSX@Imfh*Q=!bI`(wk<3c*%sdzh?&I*-I}SP0DfK(U8S-YUe-U#m|{(cLk@TVvJKu?8Dg_|f2vdL+@l zKlAq7i_hryNe_%z$vNKQ3vH}HrUdS`oeKm@paZXIlocPIc|DZTe|znn>L@i zf9q%T3-{eSL`vuoHGaAMt2h1cdRO}Ges{XpGJz#uog>BD`E!B~Q4F|p_ztBmo{_*J zXr3fjVVW;qvFUOE{M7rV0Myg+5#<7h5u^l8!?*&?=$is*}< z(J^hJC&l1VruN?+BHlDh*1T!zdkA|Sf3I_N!9(3ByqdQ!Bf1JIZqJxZ9=x_h{`eTo z1)EC`;GNt&B!EYU^Db*Vz<0+*;%n|fT}Djsik3JsDOhnc}5M4kmsi`hp%n zdRQCpK>zqHKjqKv@p~l4?xZ9buRTN29G3+SXEcZJQ0hEYVKDXPs)WvDr}!wge_4FJ zC8LBH>%td{LJw-{OVL?@nKCjIMz+vK4s6e)6WhJW)+;NXmrTYI!hf|s7(6Z_hv`a> z!;)y95bl;>GAo_UqHhSS)@jHh)G&I>)0a?V%oDNs(D^GEpGH53+m$@3M~XkJI|H0| zUP^TJqeC&Rf?*xD+8Ue~<`>N|f40H~iMOsBYJH(%6^{0>{=)$4EF z_D?pSx$76|<1q@Z;&WOYTY0T<$JH{2EuKSrD6vVrQIxSxV%L#-65UyaU}7kP?re+E zo68CCVsH|CBZB+(+*CVB8>e;0mfH41QK7N7tQpZx6)GI`Ju-bevEtgnR_-rd&A$}d_|9K zcaEd+v|Nur|Jdf|zV`Qg%Vgi3)c0>!V3mVWr=17WD{<{{^Ll;=`onYUl2=LwN$aB0 zIGd}=p?FZCIKRH2e=LU$^4^YGA>RmYu|u80WAPaAKP?N(bS@!!nCqX35%$7Er*Jj# zeV9tmiU(p1gQr0$Z~7a!hm&Zr6kDbhMk>;xEaO+ntBe_g{&ikjN7pLbjNK$Q-8LF5 z?;F}@JFZtG_Z+_|b{1!Ri>sbjAK$Wc=Hpn)n3?&=BebG-f1Z2ZKyqVV3d8G)TH1N~ zo!TSM-m8a1{4bjydG?{r_g(X&Teq8u)PAr0xOU^CU+`bq?s)uqxt-gtV3i!;J2A}M z)OvS5R`*UuTluG9e0UEf3X6nw(rWI4@#Zgv=uSUV=mU_#vOH?Wp#j~5Iz%+Lsx}lo z7O}2&q+Q9Je|kk{4k%2^wkIj|jH4^+b!{2I(%r@59yUh1dA?Arq?mzcvO9(vQ}Jz4 z(c#P-MMbM_e|lc3EY$hqcPlTvyx$M1@(SP{{l$w{Cc}r_INQmJuTtNOWSkS)azl{@ z!Z@BKZ0`B`u>R!# z#RopU`K{YOsvjqxN{-~059HylYO8Ba{;caw>2=NS+11yq{_q}3BzSFA5ERpzWQ!DU zhX2i|D<>9@Rq}k)-y$#CZVRTV2nb)g)Kv@J*R}(v>{$oXu`%pHVVAD# z<6$2fe_P-67ttQtL{Hiu=^6A_FqNz{P`%^^MpImQPVd`!_JyYxp;JG+UynoQ7O)rV zoyfY6owxAzDy4RYwQ9=LQGU>&uU@FX|P`Z`}U>=%#R= z*?h0=R{1?|{}KIV^724W@%64JZrFVO-cRVZe=2{d$Hm{~zk>4nJv-!Fke~j>NE~bC zDw>6VirqV<>JIOr)L~Y_nX>U|E+DP~Yw@TfFfKA^eD$hjYDz%X$ztY5JBk$< zNie88^cmkYmKz0bB`^IxEDHv!)DQi`cQIbJ5j@L5V|n{%rCapaDmh$24*SCgjMcno zf9Z5BJJzac@>22;OTJCp7P{2jm8n+GYlIhcC~+gSeKnrW!JPpv(5s}8=kjUw&-R_< za(0b{aXU@i`scif#({2j%U2-C(2(;;#=OZZhm6fvms=%so0B(ej%_aVJ=H(1C(nHG z!Qb9|*Hu5{+v#!-?bqA*-P+gnbeu2VfB(r1Kc+qS%$=?$-)C$shyPF_sXMKc+us>1;>F1tWFaWTnv39Z6`EEj3@zZ+0|&4J zj{@wzR~4GtC|b`{2Hxo@dY8rUSCTFe3tDG+MoSNR1L8R*^Gs^=20j1^fhe*~Dj zG{<06F3oRQAflmi0$Fa?o5N8a`w)^d&VjfUJ8}fn{tjO&7x;hJ+o3*`T$Gh;66pk!^j-iL zj2Ntg7XqOv$2z3g05Ad@FpK9GLJjO*l5T*zEq1nFg-sz_kd7`6oXR)_f850}imG&5 z1Gd$;QcN9ZZxs7#{~|*e76zo2Sjv~?bsquCl?sp1F3-CQ@miN;N>9)N<=% zU(zpo@7uiNf^UtkQ+Va^+;{6S=xjjTaVx((UVJI;R@b@c9;U~Yu+Ay;9(w~TIgZt9 ztx>H5g%v-<4;iSMrAH5%f8T+$b8}X z7jG^&|3YQ)nBVg7q(1b^@24Ksqr>k#eyiUwisqO6Du)MBauD%$$g=2M=u$c9S`j;S zgWnp*XTqpa6A(P)?NA>|ozKqUNU#WFgDKg)Fzx}>s^mpX=9Cuee?sxNNGUcJP+y_f zIFE;@6*Xfe+o9PaeXe%y9Ui!8Uo;4^7AJo1Nn5aoM^4^j5|uYAUg&u#ftMfqo6 zJC^E4UYRe=d3P+Ve{Y4VKpcmH?VOEO7sD9ouxiVOHf_v#Op%aD8|x`*#z@5iPpG*= zul#t18y{xwhHkt&&$;EVnT+#F$UN8_NOZoI$2B2^=e_b$Dk&+wb3Y z_nLvqxNP(y_NMh*>@GkSHbsd;Su$iy7sW+ca|^PX%OZmcf3B8WvKgVF4mWE<4q95< z#8$pyEB>{2K{U8vB)(=c96{oDbK{xGhSBKKFog9g(xw8koggZ|wCZR~k^1%S9`Y*__8JN333B>KD^I%a1!-((~Zb^F-slUwz-BsSBiC$3&XcdX2@P z9|s`wUehg*1t+id9P<8*J(O64QBTUf$1EC)!<^#jh0`Ly*MCOyD&pMu2!K&TN9za3 z+&Hk26EQN#t3?7nErkozGwjqPeq*&Tq8p10H2a@%e`DQqQFBqMM|Mb+d!CEYbn9wN z$&|4e7tal4G-O)N1YMdJgH8qdpU^M6KXLm%_9LTP^!4_<|K=9`US?UWs4Uy-s{#CS zF7Q{aW48YxZP7b#S<5Mp>dq5(Ste-c8Ea(%Zq>lnvc@(ttixXtXy0_PUh%+JEm>33 zK~Zl}e`XyW548BMQT`8W_S-b1qJG3LQuEC`gDz+6p+t_oz8+-En!9i)DE(upyf7|~ zI&j9Sg=aYdz3{Eja};}J-7#}R#&Q&J>nxUaV~j6~w&;fB5M4Lc^e=)gOoAvNKG}b3 zEM-w?3k>ad1{q_ExzzL~a)H~}B9F}403lOye}e_x3af{&#&>&exB3e={(T)x&xH6o zulMN5z`PZ}CfX)C+XwX>)9}gc2#;KpAAyC}o4ieDiwZHf^f8t&8h1nb!aT^&RG($_)nH;#b)rPj$3hY`R zt#3*rL4(o`s<(c6GwTxFO>&>Ym012o2e7Hn<)^7>>Qg^CJTci}rGAI0)$kcJK4T9h zFA{0?0%=wB-)pFD@Twkse85*@nOWErZVDFG*Z_?6g%Z;MXq?4{lcKVw(up`Sf991V z(U&62SUU6%?ZcM!1`2H+K+vMxbfa{sw(^=5-I*meTjJu@H0H*uHzqDQ9J_~fVGJz3 zF{>;x>;(DwClCDA=A&Qz@B9$Q=XDF#*V4H4#*KPU4!`8?_;&px2FKC zrWQq^39;BGWJDk@%mGC|FbLs$;K>-BQG-MM*SA-dNmfuT1(k7MQ*d6@!SBDw`H*3; z_0Nkg5UToJ-o5zlTX|K2v8sm11Hyh4=}NR_yuk|kVbU@)#w3a^g}e5ae=Iryv@ggE zo^(cg3KCvovPdqnVT}63io;?tr^wM~KPKOD<2?fv0WyfL7-27{HxPdGD?hP$?-k#< z`QVj5u=(Iye_->Li{HLD@r{RHefYEfs~-B}f2|F+Y;@Am)c$SBirTRoBROKjUpIR4 z0}X=a4r!5zyqSjNBDp0Oe|Uli?n|fTqz9do-MLLa^M+k~#ht}JE9n@d2UQ43(w^45 z#}=>4h;b#Jq2n|EP*UQ%7RDNAAz8~5f%;ll{(Ne>=c%8jfe2YkuEJU%LoI{UT&g3b zJy7Cm>^DC(1YX&s!pcH)rx;U|(b4=yr_i#AOiP6>nm{x*>Rqsdf4cB6ZxPWTuX9hc z8LZDDx|9sKff223V#^FF!&>32xRo~pbty95 zH_2LNz|q>w-TDHBe}r4BNMYFCiS!7yXd$CRxJhS3Rzn+g8_9x6rfrp*Mh%DJ0wQN> zJ1Y*QUVu?NS`e>StskqN1FF6&F=yf3N4BplWQtr86ig|#zGdzO_rm)!D*^e*)TqA8 zF)BYAHor@*2b3+<#wmZ%(ID$7y7b{|Smmqu#MXA3k5?)7f9P80h&$#Gor-9fm{Mt; zRJl){G%g(P!scE}+}D~nK;HAz&6^t^`@-fTy@h~J*B{fL!MT<0#lCapOB>!O$=Ab_bh#I#*C1`-MYD~h&}^&yX+ZR6b7Z5yNnzqc z%)z&d3%7|C5#8GQW1T=2lAkT(& z#{QyveSP%SXYQHEU?u`h~8uOT`X2;B`y?zqf$#3C>Pt( zixyp7eC^=G%*}#iv@;r;1**u*t&3iRE=2dp>xjEwVE+Q_P zfBP%rli7hE|5~12%~R=JR6<50Ep!fy;8#nLIQbQ|*lUkls`WCD2a`gm_zoq!MpbX6 zJ2a++dqvEEEVh7^f8d(a{eUb3^T6!nf;l|=@78)ce>mCofqYuw8q~emUPJ4%W^t-F zwrS;e>x;3Hj5DjPIJh|3T9f!FlWJoSfAe@du6FU{3pBWA%;2m!l-7)oMb{$sn3AD& z5oXP^+2B!%vot~vm0~ooiqcAlo)i@VY7}6URn>qL!8>F2>!A?;ngY1I5C)iQTLa{* z#s;7xt7dx1YFcQ?c5IR>SrCnbzsjO&Vwg$R|I%lU{-C;tzK%PR$Y-|ld)$3Re}T9o zYyY6H{`Gi`q2pS6$0gzJ37s+8lRxH~IVaX;OOesg(I6j8M*zoTAk`Yb8?k7N zVbJkeb2*Y6#IJawYw5RtJr$^J;a0)zMdz!1Ive`4>rko%9Sf)x>M_MYb1iD(#bkj+ z8;cBG|4g%Vmko-=5f~nT9(#^bf6-E$@DUHj$~|scZATj|i~!c7Yl>|4h=nG+`8E|> zCPg+bNZ5LV>DciE{mk1EI-BlT#B*=S$VPo5&>@-1Px^S>f{g2&fHSrk>BJ%6772o^6&s=eKZ`&8e?qnK5B3hd_JV zak)3U_!byaw(fkD47pCu;!Te`7F;4%$PuB3?lU(X|B_Hd(ng=DzC;6fB0X_Q7&fdLMa4e z3025Ywdk?53y@J&N>|e$VW=&kWw&8rDPW60qd;3W)_d*(MyCla6df&Nhk=_AyU1Hp z3H3&w8e*^K?N?)(j-DQ)KiXGc?Y#*t=grkP5gXHdgkRA=39WM2T<4t+q@q_>WQLHe zw?Wxq7!4)uF4R~8e;A$yX=aD+yqE5bHCcQLs|2J6TQg^CZGl@1)Ht~kT{e@G@}*_F zZ|GUppWTPjx_Dh^=qU?|v+JRX5NUTZ?wmQbbX~H3djw(KniUE~suRP;HnX_z3k3^iuZv8^xYe$CAUrnrqsoTK^EJ!IlazkxajGQbPHGCwmcocWu@jqtS)vX;Nhg#aL1w~+E~`r zd7P**>h&Llvt)2~A4;`IUc9b_Q3zEE>L`M)C3-}%;0@|coI?hr3#W=Q`XkHOn$^!@ z62*#<(HCP|e<}T*i?lTBu%^gHEArtW+Iu3ZOBZ|*unph-cn(5Z%9gcSLFp?QTVRZ| zWhVv=X~7KLMV%NCgl$`}lZ%PNbj$a6^=}u`ypAbpB+mFrPs8Q8p4cOnk4T+_ggoaJjF!tdk0p@`17MudLozNwN7`(H*ofC)Bx`y7YwXkD> zDH2tNYomysK^QF)7Zo%x#p~h;5ymXghPSLif3CvV3x8480QYeeY@~Z5Z3$`8o0g)j zinfSQ_%dR$YXx4bd&=PZ3Aq@~W2$k5aV+SKhiwZZ#ab|?!eL+m;}-pmNz4&Le#RC5 z;IysAL^`=J-@Ci5MWYX*VXp=q5+Fz&qanU5w8TkphDkP%^h`=Z{8nrt+NFmJi1OdV zfAH6}g1^QE?_6nT{>Mzd(Mqw7T^A+Sg`7&t!c&8zfLtHh1k?dM7mFln+euSzk|=e# zl<=tMo+I4_B_{4r&hAaOafI5~?4!PTMYt(PM*>vsWgq`t6PJe;yU4ZAEWn2yoTe{mXRcm5#=u!h2fzWnx;XIV|bj}_LX$=Lpert(%ye>?%#|Pp^#7*Ee zA5A`6`?LF%(pc4#EMM`K8j6tVy0{Q#flwh`CiE%oZ3s|`uQzVbUCbDAWe3w&f7_oG z>%zB^F3BM<5Z*j>u^;VMtfzpzxeUPzzG&@{5F_w;0BmCrZ|wFa#15>uorB8iZDQM2 z=b~+c!}bZbtN?5hKl#(Y>2q5{8Do2*t7Nxgg;zQmx|KwebJ8WAUI+Av&UCag6-)8o zaah1k*!GGFRRUo3HF5z16R?VIe>HWPF$}`WKI_M4_ba7WSiVsl%}=F`qM>GJsaL9o z{}D{A$em~_n6^dVfAaC89iIN# zMN9R8G-b+&xJZd^)@atZ zP}Z(>kN$J8os)-BHcD2zHvqFiucDxHF|E8*q6@MM(Dgcstq&Y=t8k;oK#aKd*g|eq z_>8>?QRV`zK0?L~XME2le+$LI(v@wILnA-7l@05Ne$>Z-_yO&P*9s$edof`U=Tv0a1&#y`75Sz1H(YA)M%6p(og?D zS<2V#nK;f565Ia8e^&Ebuf$}Gne`92VkRkdk!2hSZy<4z zi_47(&X|&oj$n;;{(_60ZChU(NY>I zR)n)z!lKG3f6f%WRr%6DP*v1bglq;xD0y?b=nE2ftU>aoDW0)02FG^I+OlboE~Udf z#_`3*4ay}@HdH(<)R3>Oxgc6In|S)y;h`m%ZKtf?q}W2?t}U>;ttrMg-$WZPEh4nC z2DBpbHJIgZ9JjXUMYt6N=)7;Ol_X}65%RTheTYI-e+IzfR`mL)77Vp=^4!)n0Y8K#q&FS zw2ry>ZMzi4DTr2!4itJ4r<%8TSd607K^X=1rXz@-kuFbaLq$I>#~?CHpwl8fuhI$3#DJ6>URJ(_03$8e4;S^qot_=t0AvNw!}R;RDFb@x_vW{596G zFn&9Mb)i-=GGH6%;2$trh*mRb;hgi=bNiLjD=mK&jEjo;p}1)(s8K*BQE1&L+*xak z5J5-FL`!3!rclw)w%9x#qin$Xcdfjfz*{x z9zkt+^$bfJquHjuVXJX}3TEU2z4jS^zKqMzlPDIUb5_=&J2$(zsJJ`FB~H!*DfuNo zG1=GPSN|Bp-LfP?5Xnqj31zLNA=G{x_0GW2p|lo47kO6{JkcmTpGz83R31}!F5ZAB ze@b{jp`=IwWFA`Rj9aRUv}w^m@e_-rvFrb;1N!%@ly4Z@Cfi*npW(JN9rI`yC z-a2*BxQdIVF-4U^Q|-CPBS6`?;4ITxm}E@n!qqjTx}wh_(6b4eA6uGX2cvw^G|#wt zjCUJyA`Us2C0i;S8|0pQ(3`k@DuFGTiHQ`#BN_T$GKkO;Xc!4^i+F&H=R) zDwArl6+$+T7@q2abNXuW!G~sJfAGuisStu@u|6O*+8p}K zi}BS~#jf(;CMps7c6(mjb8ur!G_-}w^(PJda(wAkQ?1>{30a8W{qWnGA< z*@RsQ0UzC()`aexztgvWJLGe6dUPng%4P5GWWA@VL|xfkP?RNdE>DUwedh!e1AY)96L)&xvR60t1#DoYa zHbopZ!Qj!ZZF~d-n^yitjU(8?OuFoA(z!%(HaB7!1PxYyR{GI688~{S^vzU)D_Vf1?x^qV zOR97#v&fjI=v&qhHjDlZkujRe8BLiSQ&>n*3n?AOPe@#=9b;Y_U1{wmDryYd`U3K1 z3b!TTM|e=|pf30Uf6*89QMN5C{={u#`cOrpW!x_qtJEcQ?3Lt7!y-Oai+jN!-P%t) z6k2b9*ovL>*a|-Up{MMWbi#(V2oGCUH~>e3Z;*kbL+KkN=LFVL@XMa?M)17&*V%IK+EC7L6w@GhY{QyV9>&^xpz62&v_Re_j=s6kVshg-7bpC7=sR{@?{60Yk)G?^w5h3&24wy^rQZS3>+OwC#2+0 zCs24@#4YW*e@r#29#5>mZ2F?pp+o<+4ug~7y4nM=IpdlxU9}&|l|`p0n6gzl*tR?u zeG9h)1RtJz2U|Ksb8BFNZmRn&TWv@jLmF3k0?@Wd=qvfRrE|qt!D2+iHqq36RfDK` zVs!o@Q<7p%KGM}-ms0yz;wP-J=vfe|il`TlViLSk&+xll|t6P=!pD zdS8nNuJ@y5H17?P!p|16oCp*+{P7CHnis_w^)$4|#}E5rd2H5ZDF*^+{pcwC4nLbP zPDdiLh^?5sQjmo7?Anr~>GrK~$Tw#7r4!V)j4?cvH747t9La#qthpeQ!N*o4;$MWd zRtDsXe{h9wwrvfy;A*WFTI}IqX+!}=kJ{_Xz|o=fy3!}`P7%5;t2n)>R}l)kiJ1|3k{BDdO#;q8Ww)~S+;X5Y$f8ZYxq>pWsC93WX6*Y$N2iwdU`%7cn zw^R71f&Po_W=jSvG?>MAU)UgyuCFHpM~Bku$=(jOH&&CqA(>FT6m1o;<*KIF&9KU( z=4%5*+59=s*yHxnsoKSQ2gF?#;`$4GML!z!vNow5F{&UoRrSS ze-WUq6`k?GKvP@&W8St}m+?XkJ;rbWUr~>kL~5JGLkt_;+rDVSj~IwF<6`t$85c0h z<6m4aUkhXIaw!=oTkb6)N5fZ_fulp|)#d3`Np)c(ycVW69vfp2tAf=TLk~!oE!m1g;(WZ>vf`X-X~&52UwX*obt%c|BCcj%*-YeTd=y)i{+EB4$ve`+_Z z#qWL6d!{DYfJS>WqSq>WQ`PQ@P8+oxh{#1SZVV7=5(|AM#!U>P*z&-a;IXx0+Ez=) zR-+~c3h{PK?Gy9ZZA^T!6*0ir2Fdn32ezdFR_k0k&!Raeg-4|MCGIYkPtIHAj>g|y z296G;Z!TZ2TDpsS7tqD+R~&3Ie>O(;-u8E6(Y@iCUvu=Wo6Kw}^#)lmsPx7PAQ(wO z_raJET=uH3#)#hYQ0ELA9amGw#$5E_Vbdq35sB+WTfx{rdxQKo#(q22c!o)G0R~Z| z6LYL{b$%B*q9cC-4xKR-Jq23V3S7D4A(zg@ARG-&Nd}G%rBjl|SFfahe>~`d?!u?w z$GFrX1I>G+HXy9I`3mC=WdUy#W4s}A2n`I|SO3wFJ?II9Y*f=56W-YL;(0S$I+yT} z^Y*uvW;bqPUY)J>51gGXnDuGw!`w!~=+KiBF^XVx=MS=y7@Y=>1BG1Cs*A}a&=~Vh z5HjTGvZo9j9ZGvj>?^7De_@mpVTkyks$Egvq`l28AX)Db?>aWuvVlqiM?&u#Hf3bI zjjd<#y=_AS&xo(aMQih0LIRR%bWW;jtxS_O2Xc?z}^f!;7tx({Q-IaYXac^`J6vbSNEErdK;EfB3bn#qYyK8wc9h zK%O^(iN;Oyl--ui!i47NF=C8o);FvfIxT5GiP4>nu^w37>%A#~vROUP zs~n#bjfbb^e@)sL_2}qL&8GAijOnGvlgPD9`;kMVUg3bzzxFFiz(p^%8#l&n%Z|rG z5A9=gHKuLB-}X;)%g0B?_5rfM)1S<-LYp#~qw}a8-V7WaN{4Z6b~a6K)_x`8&5GYX zP!a$e&wMtr+SsI}tH|bglUg1X`d4~ZjCB(x-8oE*aB$D~&8zHT_@4L|fqe7zB!lq1_Vn-@%WdJZ2+<^QlXFm?a~ z@qnx{MI=(|bYKJcaN3WC)-X~-fY@I17F^R;TPtSRLRAITwpL6ZZs=<{>pt0K@#AFdBiiB4 zz|o;}xYy?uz1ux}b_M&;Vq>pk%lQD%sCIvE^6vA)8k>K|PYutQ}XQsY2r zf7)tmIe^+0el=z{w$;`u*ZxC0YG+Rdjt-@>XDzoPSvU4NMkt4k2Ani~@N|#Bpob5M z-{;V*t7StPhe>o<%zA4yUxhW!dg_>~&azv&o_}9weCw>PNvSm^Hrb$TKG)Ry=PTxi z2{&uM8k$we@&Ma{`{R#FTyJ;$ZghA3g!(tER@*9;mMrA8eC3*XP73Xuq3c hQM=?x&)Eb2`DN{PPkdf@)E;ONgQu&X%Q~loCIEXfbVC3D diff --git a/docs/img/premium/sentry-readme.png b/docs/img/premium/sentry-readme.png index a03cc8ee272f0b4ed61487697134f16197bedf02..0b8a80c496c30ad2466e2d9a4fe8c170bb457e12 100644 GIT binary patch delta 23710 zcmcG0Ra6{J7cB%0?oMzS+}&M*ySp=JfS^qX?k>UIonQ$N+%>qny9U4W{m=K|zTB5t zv(}t-x=vSh)!zH;p27;~@ITNL5vt0vs7OReP*6~)@^Vt@P*Bj+knfL(@Q}|~7P<0z zij5D@97)hH*05asLaa$@Ft|y9FxJTIoaF300&KhjoLos)Fy8={~iaWjIWmP26?aFs7Og!2-TJ`M%f~v<6yV zpyfzgtKokU3GU?ZMMHW-Is}j(13?JpVjO#hhAfb{Z$tbTFzUNZF^tjt818?PVc5wt z+*nxtmt>bD92(@7I)FPs63%Zr@{J(=Ge3SB5CsV&cY~zI;aA*2vOw!2VcQc!kt@lH z8tsP!V(>%KM`jhfhOi@;qouo%!&7Ta^zWHN;=;2a>7^%TT6@xA*bzQMuAB%u*mnCb zPHF;@p3=t7(CokQmO!pNob2w}_Fo+30VI1uBUcUE|LOw%e--xsSQqgBtFZq|UG2~e zyN6V-zh-|yWakF2}-G2m0qF zQxJ)1->Xs_LVy7?BS8`gh*DkA7jyl!O0CYWYd-rixAGvDFz%W$0@!xiDME2KJa8TK z^VeA4{2&wE^`(ooygU5@Ve zBIC5YJoYyOwvP-^s#CL>^pG;-gn^>CmjC8%)o|%tl>1EhefHzsDz^L_P?6#5B*RX@ z%cr<=ZW0Rft;|0I*oX-j+34U5AS7~i^1wl&4Y}tIq-SmSiV2ScYRvsF-+a~=4bjC1 zp;MxSQN9@#Gx+#@nR$NPPWj4C`$G2to!t_mWz{dntBvl8iQ zXK=5cJ)BnzV?1pXg*i8`*W@^8yVvMqZeD#L^AWgP0kfk3+LarJ({?mNv zl)CEy+WM#Gth_Eei;hk?a|BO0xZsj$E^-rNzh4JpE$HZaP z#7@BI=9K8qRbg1#;;Iwp(QpSR5+qyx9lVxR%f7Q}tpC=X0=#+KFdtQfiw@V%=<7J3 zv*7Pi>R!o~qpv^`Sgq^2Ez;JJ5RSgRKKV;3C-H?dq+;i>t#gI!(DNZz>wnb`C^YA- zEx6cb{h!6k&UQ&3nvYh_2`PVsH*<110e`xeHjQGT?FyBkK2VX|^wO3UEept+L1oM~ zci0s#<$-OIZiY>i4x1-13z!$%`U_?h&_^3u$Y5p~8vU$@seQ?6@`RL2Xit5~vM>z1 zyogmk*yd*#l*dyszZOmw(eNIbiS^DK8B{}lx6EVCn=YeGn&08541r;!Evdx=;2r4& zJ{%#gP|!Ebr7WNdpa;~1C@z@}!SpMHV7{ju_%KY0;%aWKK2p#+wYwv$*krm=aZO+{ z&wtN#X6d*Y$@}`cmo@3fw-t0qkd6{&dxjeYZFd%v!QM|zNQntGY$rq z{G$AN73X{L`%3Xb^wn4A?o(GP5YEu`Hri6P@!SPpm3iKZtp<&lEMWv~%+t~=nESLH z3|t=urxPfG4%5tqkopI>UtJDc7JrTOO=SAcmrjrtMt|5bqALKuj zaQA4zgI3z9kOQxp={>FZ4vHC;H3}>kdOGRfuN|?AmlO)k_XG77ty1=Vc|mv(lP8$M zaftts=3lh0NWcx*b8PLik4z8;d<AtL~v(l0%a0y$*$IVG)R z4hg5>24BigqhE%4IjekEw5g`Uf9M3P``@Hly-rl#_2}rK7PY1`v=3ep`<|ruTvVqi zXzp*@;N4`~?yd>`I(ru9v^}WLT`^y5-p`GIwi`#^vJ$}f1NSmll!dKhC~Uj-V9NQ0 zLq>eTZ;{2@Ul_1>c`P;L;nb>)e@2{{d}e7c1+mVYT9W#n+vKb)aGn#}mxu?%z>Z@z zX^;ioyg!Iy1f#)<CBjm}s;9H*p;n7M}^3&9CA9D%&S+1Uw|KwpWrWm{S??Ff|~bXR^kf z9ONofX?Z4*Q3enTBQI5`3BP|X2@)t{Nm2$d&)lACJY5Hclf-j}@F$B3TE{B>gGiMD z;hzzM$<414*W3M9pAJh&`D#Nvck;B&z}1VFVxqvcY>nv5MySQ>RE>p?P) zrAt#$`d?X3M>E;dWM!;=E3xdy223jzT?VI z>DBjgy<=iaR#74Dv?`G|vy}fZiWUb(LOf=b>S1h=(d@6|;MO90^Ot_W(QHqKP zQhMrK=0u5MW-7=E`mw(bWaj>=s`s9K8*|qFqSQOlpVoOPZ_FU!d>cH9*7-No1hQ!~ za(6Q7S(UTAu1*>nGkwl_Wxm~59w5E9c@vi|j2qI#%7hNK-aKZ3Afw|?K(4d~{%Hw4 zpMK9ov}l^b)7ly~JWR|@;BU>k97elFE6-`gI;j;d(~Jie?#Mmrr>*F_xB@EEsX#RuBAdX@1*;Ior{JfWB^a%spT zk!bx31ghITdUwJyn{&Hq_eCt1wLa`v${RT>BE~*G%g#=In)7jN)kC&}wNG=%Jf1Bq zdoJ(Na4Z90Cy73q>g)d8UPt)RcfV#a`>=?z>1Jpm*wr7{ehlWwE^grl>y-5z=YG7vf)c zf2H(35B@Iw22@STC*S5;qU|pO<0p!8TE~vJ z{$NeC&;1>~Q;;XebUCj`tx-E^>?+YxI%ClQeN$0EJ)|Sc)*3`p!x`FDuW_u%Ts9p< z=T^&{Z5}32gJiq60gO)eYt({gVv4D;WoimIAg4w_H=-mGsYjAn;OAOz*TJxXY6s^v z*e*1HDjWSzxBEkf{%)5aLsa3TfShbeYx6&rJXCwd-_rb;{Ox}mrr+FzixBZFyPq$F}#LZUVP|&4E+MXWMOht_Y~2~6(( zBnt$Tk+FkfqG`%6{7!HMt7SWdB!wu}`>dfHT+F}k?q&KrB#BnW9&@f>1{eQ4{oM*2 z-K(9%qW=sWil)f#961=A)et4Trya<|@WBhy8ud~$P|#IZisf#E-1C{g8cB<88K2Ir zsIRsMR%9c1sU-#sTK0%X%k(3mK@7?)lEU9`g0)aCymh!+_Lc_82zK>JbHb$G%!l`3@r4YU954N`-#g4Nz zaA4wR(F)t~VI75_VwTYyt$$S8H558}IYwS5$-l3cwV7IrC{jc)j&L>}M&hckC>nGO z>y2VnmJ~~9n;+xew1$aEX+gvEL{L`}r)}-oM!-pO9qGR|iYG6>YS4eH7mx`(8OzM+ znTg~$S>}Qe6f;_NyTU2T3(pJ=yho=MylNr?nRIn4zMY!I{^FE*=ijT{Ca?W$jCdvD z;h50RlR~&vufBc@<8++V z`p(8ouYR4Pt5D(7%%lj%PR@*+S?L^{O6#Q_ebFH@F39Ues3$g|5}I7D8TB$&>ovUb zv<9lbi4<|t<5XuvWS05L1~5joDo#VS)}Aaj0w%q&8e`NOLnwh?3o}=mS91SJ$j|e{ zcB}Q%!~La{izNdhAfg1h^w?B!m9nCf(?Do`q2~T zv$=>}t_I=6ZC^dLkL5{@!Xm3`k4tgL_HO1xe!~ZYY^^-i#lK>4{d*_o^b->?7iN(VC~T+gisWY!vwTiE$A<-HO##&U+~|PKA>J{ z!b3l5S@E~Hi2tCWuwP`&8LE4AM(N(e2Q`heNGHh1I zRCqhEefxes0JxtUynu+%OyxmL3keh|q@qF-_9vmQCEBvIiCm%6F;oX=&W<%(23{^_ zz8dy%kQJ0Uy@wyzNrF2iTTDJg*WCv!6Y=nw6mbU6O|+cym-)ktQFXE@TEco?9|-;F4V2=PJxMQ?zPZa=@uLEmyV z>`Etoubof)5c2tI{+|DCqLM~LAXyyU@r!x>{>}z|H{@}|>n`$mM=8Xp#(*`7CG1QX>+I@kgv%!sjK&zdXYYOOc;QT<&IrrFw_Nnr`!8 z=`kIx1wdJrqATtmSTb>Tx1&W4^3#h#d!K-1QAQc~#>gWnCK@eKadWYXoUoHx_(1f` zVct4_XGES^!3u+wYXJ=h_d#*7e%mjKi!AcfbK{m4?%!h2bv98PK5m%6t4e&Lt9IlT z(!~?>oD7d0CuFfY#2$d^Zut2TtXJssPAq|sOt>0VT*ROwi6W=P;j)H@FX6T~clj3> zba>G*`60%)5HP)5PO(OvZ%{Gt<5@V>b)~*9^$gGXg5fA(tKk!Iea40Ov=WwL-R_1j z&j|XZGo~BMMO{WYyYod%Y*n@5v=fITar^<6woXgwlk(>}4LXj`-qbYAq+4bm4Zlwg z1~$PXfS2S37__o>r0hy^x^8}`QoX_eRn?6{ZXO_Oy{3@LfGahH(^ND?PbW~f%uvY8 z(*F9)cdXbGFptRbXtwXb-hQ=RI$eA+PP=G)d_z^UndX`APZXPVk_vJVM<>dE3M9o2 zk1~4@sgvDgwH005{%k()pmdFA^iNOfw(P*3Ur)>=uy|1|o{RCxLc+pFW`clK1d`!q zs%mL4&latL=hpyhT@(NBSU*wqxbUBX305%+%KPtaO5pnwUSn&LIY0NQCmuchPtGK+ zBEe$>7peRC;j|YoM2$5d?3GkU(j;CAe+1OI(VvTKof@SMXwy_;+TKjNiq|+&JrA>I zg|xcf@$>*U0`kLrirk+~Ky<{Jj^*cZs5-b{La~FauJ=265e`EbQC_E8x{mP+XOt;2?$nh!60;V!&#E|BiUO)4A_+-$CuOIu#9L{R+$|C>i9)fY&%|& zhMpoDy3vodcp!AJx`Q{_^fKLd;hteO9D&1!3 z!FqZ%eLuC{=2zouh2nWpKl0+Z^Fff|GksAsPMRl2d|^c%#wHbkyn=yO8=6izPJGB25mN}7wmP)0*j#<0 zCxV%IA{ex~fCH9Ly0bXoT9UFvZue0p=g_ZWmF%{t<@gQfM36^y$sKCoOx>3Hq@>Xw zkXvn;B8qSv*IYb@LZ6Y$2XS|XTGgqFa0S?D#p4>VL3Rc($Jq=1?7Wi0s1@724d}-V zwrmhq!iMOO3Tuk>dzyruTdNYiV=q#wADxyg{fc1! z#E;z|CXX?8z!q|67^f)^3JY=<-LKOZ=jRevB(%5nKFB@~-fh8f$J0PhO#k(baH@)0 zfk3<{Gs9tJSSPyFK;w^{E;S}B*{Ri}S#%ow^qrEq`bM+ZAR+@;XFFC&1%@jM`u3DA z>O9yTfKD+Em9z3^ql)87_V-Z~J(sY~Ca{gP8LA&#ErVry@97m z$c<2<>B0H0`fI)n$R}1bE$3TR_3|8``poj}?K%znlR9a|Fa#YulNgj`#0EU?Lo8id zJsLYpq)V2GteLN8O`^tuxY6xgLHY}(Enjl=>4)&k7UhPD+yYm@}NcH{T= zDq2iR^5v++4`Ml$8Y*v7W`k%by)nhMGasglGgrKHb01@Zl#2&3&+$52Xu12X3O2=l z`h54c3*Vs_A5BGef=B*l-I+97Rf9PN#Fw$PoGN~x-4)PpuDi7fM#@L<%1v!X9h-Oh*B-b25ON^X&;^B?^&YuetcJpZ!Yd!okCD=6Z&D)3HGFRUl0U zJKv-sZv^kmNP+aLdm#G#+;my`!wZw^$@_)6oE!wuJpArXMA4?XXGg>|5Myuzz`$*i z;rXgTu(=1$QBjJEFmZcyg>t8a2Qp*gb54jVZR#gdravaAd9(IZCSD%p%UQ6^&PH-I znxJEiLB1K1ZgO@mW5WhU>Y+cC)Wrxsihj?yNxv%v5y(+UQ3HuK>&zECPz#?@Y=n&& zc4kqL&TY4ne(34wpvawA^Ks7u?OLW@YrKj7M!H<83`FA9b&Of7jC@Puk8P3YAabFUW@snF-5XpUm!~RjuP^=| z{zNE%imh!zAGvuI5-O?ST0S1@Rn_bLE2NTqTI|-pq=fJn(`^Vbg!&H5_e?fn70=^# z{jA)0OnaY@m5bw9?X6FX=gY6aTv&CCI47m@b2FDvijkL}Nt_y`Vus5rVxHUBsq56B zS)bA02WKP3Ap(2C`mukX#Z->N-MaW9}O5%fs47#nw_{^exN!ZBEAV$ z_$O7yej?fSFC`A&ux2xSWvjX;f{0&dR83I+sssP3N;)^5o-S}LA8OX9uMA5NQ|mt0 zg_dNk*6SQSwYvh2mf9+DD{S9rRrU2XKe)mY__&SjPuT%i?X>8n)>zup0|GRmMj!{< z;Ow6o<{flRKXQT-Gl?QMCAfn?ig9raojW6-wsOJh;uNlOk{Q#`g?ZG9w167#VqIj; z@ZvoW*fo;~2FQRu*2qrNYQx1Nj2b9Y9=w1~x@DU`j#e0bp0g>YDWZ1!@(|0R+*?9! zlq_AIJ^)~1H@hf)HB0E_Q7DU0%Z!PE`h4OiUPB8-lcWvfB1Uhx>rdsL8+k6Ae|w5@ zD?hhno>L5WhiDAq|7}RJuVY;LRViDKocA~V&@J?ewyq1=7*e%HJ=}vHOYSp7w&FLg zDpzU3*pk-XGVmlxd*6M~xO`j=_3eH#w3L-=Ne0AC>#KhH){f3B$qO%<1c6nM9F~kB zdecWXq&%)r=J~!l#vf)_Q_BJK%6196xxP%B(gKpu>wf8ct?dWFQl86l%}%friA=3w z2!>hdF>QKX+Fso>@BvOv`f;dA zb&R!)!~5j%28U7zQdE|bDa=e{T}Px0d!=2!+j!(l zs-QAo*L_^3p1>LrlU%R8T}J{Y*~zi;)~r3eYjx@3CX^IGQG~HV2bNew!#*Vwi$;o@ z^cN>HKK@2I80T5sK*F$)c7+llOGP!8KAJ-L#&#A;D1P0doD5p4Tk>Wn`Gg5_AjI>l zFor}nUqkh%)!;+iAH#fTBbx7X|9sN^6Z^Z%19?Ti5dJK@*LmwF+3?=u$!Z7*Fqr%c z{x@eJ4|_35-sqTsyD!r(R=e#)*p6maw2@I7^RPjA3Q8INiiMe6ge+z$lv#K$!TL83 zim6)~##6G!aqS+J zq5x@YeJZpN6Nn>p*rAHG3C^-=SzU7WzaKrj)PaB*H`Zyj3IvHz7!Xxdx>!z-aRe%Q zGVHBFvi&nwe?=!M1w0Em+{bJz8dQ2$IRzI5?vZ3g|349UHcLbsqPHc$XnbHIB@f}| z%JVavDR!|$BL4osW6AHbv=zf z-y%34^;>*v=g8J>wRf49CM%6}uBvnS+oDugX$Qmih9+%t-+hWEc>oIxsA)4qfpGO0g{>lx2F%dGNvf^jov!evI zvLwUY-4dPrj=WK@`8s|^L@2Egt-L10_aqZ2Ulfd2bMg;y7e0-IhA1sQ<>MEZzF$;{YT&z)xyju+m{wlfTVV!wg zROeD=VOq53e4tj&3}nDg1xxDnBBNpjho_YOe#BeJ^tZoDC!hmAm(3}n90TyXHlp3 z0a0*>iaxON;WYBeChN~qtgY=AC>h+oD3;?FlTPsEoT^N%2ie#gf(~kwkkg$ zUGSHQ3-Q%TDWlEFAy&crCcedWvA*z{u#mGF^w&|uR?&c-cXD^!M(-&n=yA6f3AH_H z2qMCucH!UK22bXQSy8DzJ8!MlZi!5%FUR@CJfkwda?M*`o3`@s&iuVfW$u{{-N1jW z92Wq{ylt_xd)9Pe55n*w>WV`ugSrSUNHY_!I}sfEsZ6l_4sidfyL*Aej>ck>6+N!y z)P>(*&T{!A40sE{lwWDZ9b{JDD9~l^aJP?oI*k5(l-|}6**JRrCz$hzkN}!2T8xuG zBf9!#I*it?s<6O$>yu+N9mLY(l65ukMb80vW_vy?J&|UBixS<5!l|8OmHO&=>8RAx zxsyXeO{3zx!VSZlL<3zcmb=^D{IIVGy1U(Id!tt#LwOFwmXuw6RkJg4^@v!~rbcp# zTt$bHKk=_^sWcJd-p04SDY=ESh+;3PM;loEn!Xc+@BYWO7I3A(2R6b5sI&O&2#^5f zWpuz!%G4%?kBA%!+IheOt<5Su!Nw2;ETd# zK8Xj7I6i0zM{K<5fKn@u3Z!xGdxE;749PNxi61pQUKT4UQzovY3O;&d1g+>{@p+Me zmU;Ck4K%KNV?jLp$_h?d#+j-<&CA~JZalnHkEcyxLun#GFG<)=hca@Qk8scyu=9tcJc7w)58g0=dLV#i{2rhUsnateSusTFD8$f zx?rR?<=t^nTBlYIeA-_LnuW=trM}9YJMW{c=#3Ze{o2B-jCzudsY>G?TfdubX?nmV zV)X>bS@SF83Jon9LPur2=>S&a2T9T%kC7)CAmwR_{#ZtwNlSU8j~j@TnvsrRX;Pn+ zFnQ><(yYh#$Fq=El&7L=Qf>kDc^zYo&9lr#mu~iiM1oOk%wL%g5MoJx-6-RaqWI3> zBLd;wTm&}q`C6e5?^Pb72ys`e{v9x8c1khiDWW_AhyEujwEc{tKvx+11r`qh;MnvHPYw@Xuf^p&AYWF`Nf zP4F3fTL(P4ea&u(&MQVX1&Rd$lCr5*G0eT|ij$gBZGqHD)6a|(gBx=$tnfv1Y>)*T zh>aKWZ;EPri}ij5vY!aP%pEEbzs)SyqM)Lci@p{%5b*ufqDb}J+<-d$1FJH0RGti+ zimAEtcN+l9TqJrRzv{;xYSj@-=6|`5E{S(v-^=A117T6fr^qkUbIg~OTg^|D2kJaH z1F z>1!z_5`KPHWva-!19bW~CAD(;#jzq*dSWNYz+L`?e8gm$6!!QBwq!bLy!^z5uyZpk z`OgFZEOm9kq^0o$dC)I?JS;CEE)cGUn|^N$*nL(;Ytjkw$*5AtXToYzAb~0x- z-j)3KoV)nTlyeDS0tpDoa;!*h1td-vlYnG&K)x|GmV=sz-~>ZT#*5;zdP?&3<2!zw z`@ApK{K8hYK}7xUdTz5dpSaOuVk3blE-u&hJc~YuZmq(H!&0?YQxnk0y5(HA2pzqJiWoh@CR{X0M(r0xT)b z_uVja^&nnz^~-1Oj88O|ALI;aetNx+KEKH5SJC>0m3*mg=%~j4o;J}9zqM(Sf z;x;k&pnVz5X(Y#y{_lWKz=j=F`OfduJe3jtd4F^_&pT9U7BG6^jJK%l zC1#kuk3G|t=zCEy`h{0aZ*r4o$r-xeqO4(|f@T59Rn}J(3yf&EfxeHhYZYSeKYGACvX(xl7@TE74r;#4ivGhr}V&$By z?J~A3$=&fyq>|E)wiGdiZGd+zpKXTy(ZhuG}!1i?Vd&@@EVg5R#qmQamLh5~E1bR#e^PgUgtTt!@MyP2hXmIx(FMb}h zd0mb}{Dg(lti%TD*WbzJR8N29xzs!UVsihkzy{BS$3XTULpxDCMo=72wN%KX*=?Vdi!??Pd9U z`dc&`ng%Cx+~E8#AgWv@+ods;Z11~XitmN(L=*daNAjcV${KEtf>yy=yLg%uov$z* z38Y`G5QnCb$A#@y?6Fpjw&DvW>~sX_{5!>ByS4xSY2u^qLE}czuar_rJD9z`iHUEX4Sd z<a4tXbwM|aElU4qG2x3s3I0Jfsr+NUik!p6opfuG^e+#XPe?;C{=tcHI?AQ0J4a;DI zrQn^HshQ~z3m5C>k^^hffNgqpCj+Zae_kd>5~?FqywM|=^%z;Ex~DVwU(oGBwd<3hJ-cAN+(rFgR7~|+c&nAs`-9K zS#QW>7qNGL>&AP}d@nAd9Sn0Fm0OT@r%q=~=j>h;FI9SKn;xkWoHdSw4!(yOhyzQ` z*ZT1wtSNNZ5l<=Z-u)>bT&nCE`)EgzqRa)jbLq-K(aa9sspi5^DX#e5JyM$X8BS)8 zQ13E($$OtMTcIt)$=%6QvhxX{zkUDEs%O5UjK5+NjL&v){J29H zPifTy+@y>@g_QcNxh**wL@3zRz`Db`hwV>2p7rG({AcXCx!LRZ6<$}?l#;GW768~v zcsVV72+aV`9d54JlrDAhlGzl0pjkrfLfR;_e?wo?QOi!u7D>2z-v<_-4!`N8!w?t+ zqQq)0fm|;J;S5DaiX!5aMWgm2nwH+KBtHfwvRZ%O44nGXbHqbaBh$$p+)h)^_yz6; zCr@F>L-wDs``$Bd`AmWv+8zV1R}(=EMir>~pJ5e7SXb(zmH&x8X=kX! zDw`ZXhMf0CEHpT^8tJ#J8Eh>vF+YVwGQD|~X<~2=&)0U4&mCFh$d3=P0-(J)UibO7 z{(f!b5pa_Jx(df!L2+H)=K8MaefGy%%_2W1nUvlh(23tQGWT2a+A9HRA*Y*F$|TxfMME`zsw5sgj)%$SDqo#*L-Ruul5xf|N}97HCSUfe6l`eo;-ZU- zMx)hHjBayFVxKc zrs65FhJ!r@{i9nvwd(#+8Jt2>VEn<5@Jf2mem}l$d*M6etRRz2!1LPZ%HHr>0QFV& znZbzL`Hc^LD_iIR{J>R9zBn<6u3woJ?=^}4KKXq@O#RFgb#k!^_J4gqZm&P8yBu5Z zJkarZJK(GoNWYbM$W{0%`odU^;B!-AV|J9gB@~)EKCT>wZB1{ClffH1W3!TWC7}X&KBd z-08aTqB$Ikc{m0$9+OJ`X}q%tgO%@f$Bj*)>rYvjXuyFBj@!KpJ#FB#a@a@~4_}~o zuhtRPW0~)v1T4Qvu zAz@SK_6?#OyubbcD zGproAh)M4k>m@G_-9dN{5~~LPyeOw`^0w{|`m}f{g^Vl?lV$r@vz4Eps&x#x1r7=B zE;y2V`u?cD3L`%MDwlO!`5T-Tkw8k+Tn1X7*19$EcGXmlC;g)9{7U zIvp#szo2x2%b|PbA{lEc>wYX#AENt%`jpKf@++AjRNSlU$QhpeuFP!j<19|v%0sfL z{bo8f?3A+llVk^+zhxIphaq+9$^|=OuO$FV(S9wZ?I$H;=sBoGQ`fcSqTTF6X5K>P zsWSFwr|~0G$6_!kgtV&|*UCR}@#~&y&H2@^iDSKZ!)5*`piv9W{Sov9?}=IE3A~$iqoyLA8w6x3 z6rWcr>5|Yof=R&Bfq{n@tOc#{H(lyAfl<(B{UlDEX-Xjy|9n8 z@;j!eXo?Zq8e_4BK_!>3iomT{9GNsGS*k#Sq874qYPy*3o4$sbGj6pjkRwk=NYc!^ zGeASdYAf_qi6h6JpHz~^uhlu8*?!oEG?=jO8R#OYQGYK0J83+OY3^lww*X&oZr^ko z`HK^ueyxN7b%e&81|H#joY8D?K zYM$;!Kzlyf78d+*7k_m)5rydTsaKRLfF;8ojIdp+4T|J)`tCTG|8vFEO5V*cDLT{N zHL*e{BSUOGgkN;Hd<)wTrK1ZyD5Bhv?0zbmpP(gDO0fE6%gHT1v;oKeD9F5b>Mje( zvEq-q&(%Q-o#&}Y&bB3*8~J#G$pe8d=amb_IF9Bh3SJT;h>v04pb)?^;xw)TBc6uS zuyO5EdCEHxa&&e}>+Hv`FQvGZhBYws(z3Ri*w){CApNL7@zHyCHjlaxjesBM==-`4)I=&6K2L4HUMief5vA8`tgh$f@}-AxO|r2fEe4F#N=Q+zJ@vV4}%S@$3A2; z%C>O4Pea~32aVGd^sVR;3fG60RX+DrO_*b3I2%pX(YuLgIB)rX5}#SCPp=`dlGZ7+|_H8%?}_Q{pp0JO`nS zm@BDes&x(Q)lCZ5s2K2s1JU10v4pD@}{VwoZQ?>q_&UeMr7GhUHwQ z9dqMN62f@}{J1g%tDUzENW5;fWL~=WUekewVc3?avkfc8r8mOz`bVuu?D%N{&XkH) zY1<_zvKzqp0D>>W)1^oRGdUCp>FCT5J)9uiEHx*q&dTDie8=;#z~WcT^xy){GR%+S zOY_+@uQQGQjy_eSraHptlL_s+xe%>=9tS2htJjPukSA>{(oC@jGnTIRS;fl-cpJPs zrrS8_ZnmKPtc5Si7|)7orkXTQ*GaBx;EOqsfiG$fyky(bs!GV{4f@`fHUm$KS@Kpm zLrP9-DS>D)u5?E-*b1p6-&2ZX&lJnv{vt-;ue%Zdv5g?rVX&kHNgm*5^q%Q`!hH8L zjWez2y#DS?qk9n%K(?^7(fdMEw#!UvaK`%D%RgL|L%s_Bs*C)0w*ugSFG36rC&}_- zN%V6BihAGgbLYKlU$zNoowV}$u;dL4y%ZrbJe?wCM!KYJ3nIO+0bCJv3H60=!k65~ z@()Pq{2TMUi}QCac5CZ!E$D^Z-l=&HZ%EY5dqru-{CZc6#Z%cO!Z|;m8ESYvdJ9H5 z!kcbCfzn>Y@`Cdm;`@ABj%43`G}EGR)V?_ZVV&{MrGL7%q!1Vf51xF;15 z0Emf7H%=9(E`g5T{0q2#r=C6O5(=lWr}oE?r|$n_zm)JGly1tquD3%Eh~WOo z9v$7xd2V!)@2%TwY}-Y$5LuMNz|d6*?wmNeyvW{(Asn?`-StKCf?kBv3gZq^3q zzwcmCK927K+trX;C&qi6C&e`%zB+$GAkW-$hw)}eT7dkwa7O z(&?@Ch2RGL$+>V^(?%J4hs})8-($@%P+~}F~+H*#TQap&@i*oLeJy(hb zet6sI+MAmGtz@UIlsP?I6hm(L(R*Vs3UM<|wP8TZNbJL$#4!@LL0yMVP7Cn*_IGdU znW_TQK+$9G=SMk(V5;e&)@G)XXO&XOUg4jG7;3y*^wF#4xAO3W(kFGyEdws0!gC04 zc$&6iQK>7z>U!T|q&`N5~_TERKpUnV9cKZs)$K;PzmuG>L?re$d2LI6b= zRA;BIdWR(1?Yc!tkav5g=!|^4__LCelg%EP)JH_*a63Gj*C+~2=f}m%`$dmw*mS(;CF%f0j0ro~%$Ko5| zkr2#Q5N!8NtNyV(b!98X7qe-5dMSb+6aEQq6Kzybcb0DN+<~8CcpHOj`${;Dpn|Yz z`S*cT>C;w=^>50aJOUunl8vlP(eIx3c&_AJ<0~py4rC|!0c+j-2QRl>r#ovyMAL+> z!lc5aMglubBUgHvrRJ{IkC#DU_PF!*6r?ME5YtVat#p}rp&U_J!}zCw|Mr8hGpf*?vWHK1vk$FfsK!i1-r<$_xDcZK2Zf?v|S6N8W8{+g&+}&NZLiO1P};7;s-z zOFokszF<)$uNZO0;M1q*Y1(Yya?N0!9b?qNN)GkeOhJg)viPU#h$w5TSnS#%8v z4&l13+G5F;v(shueYzC<03R{;oG`78>zW0zK#bP5vqM``wwq2#}Q$fotM zxk*A}HB2&SC7sm2A9dB}wrs4>ul$0=GgCM6*U(>gSwWG=LxVUE|NiDm8xY)xkU+^N zjCd%Onh~!F3yZuSad0%=kW1peg)`xu;N%~mmDxJ+oU+EMoHv~?S!FZJW}(D_I)Ew? z=3{sGMhg(|N*WS@^fZgrwPo)geH^JV7ny_UMc)e#bJb~FZxDiQZ6ywRr~3|*-SV6v zrY^x@L!=a}3dNhGFB!kS8Y~7(g3`ciBGf$2V5wt1Dp6kDmr^~4h2(%M8_qgIXTxgt zBy+L$F-zS;x$GJLqa&SIYN@%YQeEUel?<2I|Z&qJr4fW$cw&pe1XEGh17S=-yujwQ7K6L7!2!j6vvmej$p5M3tKOn+qpnFwVHgmUknR#BrJIqG?q-M~ zbr9(v-Hjj*F?4sgI3V4P4Be%G()sZoe1E`u@E-4zb?<%M`&!rDYwaM@vlrrrOlg#~ zymfM}>}DKHKk5~}Wnap09Iu~Lw~i*aU$A&`&`>hv@^al&OX!11t?@cucBf>2D;ZwJ zqUDy5bUF;%nSR>qjs5^8PIzC#WCxfs8wnoZ@w*?V76K|W@M=sE3mm|cO3~*xw4RnCF9Y=Qg{^)pNUi*REToR^ZmEF8t9iN%DjPlXFCLSCa{nR1FzZe(E*uq?M z8TYil<>X;m1Ky6d&p;!SabqqQwHoo$ONFAoGIED!!yN?ho1P2PC5kF+d~;4t(y6L{$QW}rR10;1_FS1&r+nPWM$&R*gGe$zs| z@C|nKgn8+_-%3d(%cnbrbT11#GOS7~Z+P^xSU%bQ>q<(wm9{;poN7U(Q@|#)2!s+l z8X?>Qa@%eS7JMqfg3oc)9H!a{jG29S_yRw)vc`|D+3*ScBbl3<@^MXwxW&pQV>D?= z$Widk*K@Nm$LvR`KP-`ki&I3s3Fb^IPpco3dX#!E5FXs>^kLkH18n72Rp^qHE9fb= z`890W`_jRGlv{s-U3t$e;WcLeT3+L9@C_9b@Gk2@dv6j?#JpVm`k!a10e>mU4cTzp zLD<)oI?{e?%`~O#TnxpKr1LEIyJ=SYaq`87a8%p`&2k*f#S)h`D6LiZ6JZ(YP-78M zSC)4D+uZmcBx2G-J08(?j=O7y#|rd~+_oJcSX}vrs@=5@;86eT4tMBf?%PpA|KFqf z02ch^P0e;5z~^TYWj7~CrI33w(*#Z5J!lP@141^*v?|nx#vkTHju+}E zjvey#1~<+5?~iO{zcY)obr>o&-O;<n3=rJK^RiSr>7bwjZ)6!O|{ z@BYYA0JMccc{i!Tydmi|2_+=iSl zvVul}Rh-FVD6q;H-E^`n9m|pW`Rz4)V%Ph6PS5# ze|fj`+R)b_<@fwd&8Dd2xwOXE&A4XuzhARrf4(~b$;E(^6+cF>Z)aV4Jo)Mr+hsDB zxZ!rH5k#7{rs!ar$g;UP|ECi$8owgt;kc3}zzLgdBKdOvcQK6UZFS~EF~?Hg0U@WH zei`chxa5710Do$M98T>$ z5Jh>b--VbxKi_*lTk(AMTcN+_G8*_|dIB+2`;!%bKdpzB3Hts!S97FL8Y#Z-x*zr) zx$E0Lse4BKF=bpVW!|g-#O5M&mZK7a4}-za{y65?{g5X1*82YsU8H$MTNv9PO zY(G>vrdD6q2-m_#4{taiCkmyKBC56SJ=GFHq-;1W~lsT#(n5S))+MHOO?fR3v ziMQKA<#A~a_WO;*JAA)75$%iPHZ1uqfeX z1ljybM{jDkY8g^?u3md{g*2Y#gLN>(RtCLJ)sLA~%j+mdFIXZsmShqLfdQjNb4^*4 zqMIt3nN5?eL@~mxQZvU$>7=+}x&1_pCa9yf+x#FKJ6(rf{{R}Don76Ww1(aX#l@O$ zYjI<v^$q6M^5C(sHJuNdYZxpqCu>z^lQs(y zD<|OEE9Er)-pW$?p0sJ))C8Ep__^F^TN`~JXDM#ZFTY#D9fY}8%W?iZ!RPP#8O>e^U(3#^+YMC0Ed zkldu4g7)ItQzrV9BhVSZr8Y?rG4Zr4B_%T2^*v6G@dwi(zx&V*2#{WUX>Y$@(kyvT zOr~nWFge|+e~j;M@Gn4~Rb)xq$mDY{=u)!gRn+ptgF5;nZD=H}A#~N3D zD4Q?)0u$ouEG4zSmyhFz9vobw`*B!Sr&rHdP{8sN2V?Xa!D0v@`aSRN^?yN95~8s- zthvn)4*mSQu~7xYARrHyS2OFK*6x{T8DF2_o;jJ2|7N-@C!UoR^xF1%MUdjn`3OZ6 z#n@lC=y|8qHzyc1s_KKOSGA&(b!f{WqoMz3(e!YSMq8tk{ZbiseKM@J_XLaH>IT`vrr zD>XEQZMU`~o|F(iNz{kMFX(eaU0h@NP-F%F?XA$yvFl*{1&f1vPh{ zydd0+*wp@s4RAzd{CSUL=&z9a+O~Uk%6DA-=<}Wcdw&HqTXsPGTf!0|Ff;zk!rZ

dRC$&^Zy@#-L-Cr}?fG>G?Eu5GK<#{oNfn&!ZW?+s1t91N=EeN{WnEl|;#` z{f=KV^Q(WEHsMW?82I41`vNMJ5xG?myYRv(wvW~J`l|%Jkg76`0yGqcJuy z{VZDx(g1TLgh_ZIHHz|?4=B?EyTH`y9T&yx#>?wa1lG_`=U!R#EgqEncRi~i#k z2o|B5VN&Tu-4U@*34I!_EvN<%2N zOo!v3PK*feO@n$gGdOB?CRP@uSR7WqktbU0|1eEBD)Z8pG8az(qGkDKVYyUK7HU_~vaJAE|U#CL>8AoVV*1{Bk z+f}6*nd)&=+ug1|B20?utWryN-zu*A((F~tn+iRS+54svJ-H;;cp5t(};7e`;`h$_K((}L5YSsEu8n%cj#zMjLV#7lmsr}CfRb7itm zx=mlmt}aY-C8iwE#;E^Ena{a)5^fVX0Z=_}of0Yhw$#&H{_ONL0u^FJczklQd@9jT zRD>csEv}GDYYAr|6sDMuBVZcl*@4OSZ7EHl(d7LhN}NDR=Mn@ri*7L>0Ya0 zG%=A#o(P5acQ!HPle>I0iCwqznAe%EG1$cM4Fta$t7xVVZkZ8%}iNXBe7VUD`l1Y7RiA4?`bPoe7^37 z=bStQO)*LPkf){T4fCaTBQv6>oBCC^RObgu(welfG9STakoIv2(}Ce{?}_my$sPvUBO>I3x=APT zOm&vZgV4+Qu6 zR9433<(CJYjpGgcE#G=$@b-+=lK8m*ZYFk5HqX+&C0!zuaf@}2U38HLlSR2k12SA&45Hj(g%ub#nOkNv}|>oqc}g{Fw|k5Cp&>?+KF${-Grq_SVWrgb_( ziyo(`a}NKhTJv%Z2(nQxbfKmLa722)mVU+YBV(H6xCzb+bgA^$MqUpc>(1=Z7}hZn z`+XEzm+KGb(~uq_l2FY>8RuaKb+p;eGcg69yPQ$>(1XmpxvhH{Cy>F(82L5M& z4oQ_dG!ze&mTBUNbk^T1!FC_ou!C8|EG&)R_*4mq)wL$1SP_ET zs$HKdj|$+TI#eq5i_$C=+LpR(>F7xEmHzMuS~>d=-GHtp;MyNLde)a zF8H~r3wyQyhzvg&=MUQhYRg-|VUAfTL8xHZK3Xm*?X10+g- zAphE(3K~q4up6SHh;N`9_3M26TtZVz4lq=DU2_^w2Vfy-GVtg-@^6zLBIVw!82Ue} z>LaKBV>$Y3kS+ER6gpKnQEPF!i1_Eer5`%ByW|<%u8VkyC?CEf9ra4TUCF(NC@VGm zCs^(D;;YGYfc#xgliJDtf0>Uxt|{(?QD^++7H{$xWmK*jJIl{vZG*ZUlk2z=FM+gA|0>GZiEN&hDH!bQEt&c=3WESgu8pQ-Ve|W>o^;k+fe_Jgn z^`f^_>ob?>_0&t9KgidmQ8a_tSve`ufXJ=g>-)~N{>BSzR%}pGnOVy&`Ph&pc=YrA zB0=&&DQyo_9))D9Y&>m=Sb_U?0(;?&XD|9S35CQQE`d8%;~2tpXn?5-jah&m8jfs& zE;Aa}M7Pnys}(nq%t{YOI8lmz+_VRD#H@e(hpIY0hSdHLNw zz_$O%%Ugm_eJOl)I1o-?2W4V%nk`y>Qlex0Pp-m35qQ^3V(+tlOL zCPXBpFQ>ss$$@5~F$oMF{XLa^e_HT3qH%~EDr?RzcMzF-MJKa)kUDiFwrbD)xPGj0 zcsCNZ`n|GfkbGK80>@r`dZ|eC^~kxPf0+lL(p-b(R&N&GcSiNvV_mJgQ`*Lq;cdKI z+J|b!j{0_J7X5LDX*}S{LyI#u%DPy`eIFOe#J>!{e%|u}1y8SAEFy^_PVe46JmGI_ zcp8$wR6;(d&!YLXw!(!RDqcR^KlW)gPSF zk`1liXG12xFyP!0I7$SOeEi~v0X`=zCc<5HtzEJHT=;ke0N#I3Y1I~p{XJ5by-zlNV_^R|J!Bzpnah9d?lJ(2t&JpGsN z{r!u&&Ai_oOI`@40wuzJwfMXyIPNy_WDZmT)URERxV+h zN3FId%kIT>K-G6m&&JQO9i`6cy8|(D$T(|>1*lAeQXe=?CL#I7dFc&-QwW3ZaQ9M- zF1u#YY(#guj)qYQhF*dq!r{V?K?FzNfA!s3v4?H426wjjME-?37&5_|;Yav~|VI5he3k^M_!0kRN zJ!=Yp*%n1&zCll~kyW^J8^|xG8~-Ev8ga>fc{F)&<7Z}SC#7gcuiIgSzOP#BKyD?N zxXDf(2qNIVQjRGZy1rH2F5m3hBTNEyTXVJv!vdrt8ZonlTHGq*T+%0ZEmX*<$+?{i_1e!)m=pLHDcg3%j2ip+-@N`GB|u`*%(bS2CjgTZ&br|$F7U{| z>*vf$ddSL?Dt!D4zLJ`Gs@nWatVuG-#I|kQwr$(V#J25;or!JRwr!qg*53R3)_Jdee!bx-9B$kM|3Gj6p8qz}65#y<;$+E9pe8McCur+njK@sFL_KoWPJ8=^b{AKiizWz&2Cv%hk%gM&^ztsXLNc*>k zmY#-=_J2b&b~FF~K>OSC|A}T~_+D+ke8V{a-dbtpCH~-;Mu?AnRZb&{Y4gTs-vu&EVf{{|T@DzcKiC+|AfZO~@Qz(0{aGU}xl_{a<_j6I0OE%GN>APT$b@uVnwA{Hy6dq5t8d{x3ev zbpPh_ubzKl8X0mpIvZFR8#?`Kya1#2kM|4co6`QPnTz&+h2{eI0*AD%k-3SxkiL^K z4+9-N3kMx5;2V#Q{qF-CI~VPL!2C;szdeEu#`;dS4obGRRy_ZxVg2_NkC6s2;{VzI z->6))f8*$1arIw8`%fz%YI&dmnE#Ujc%Z)_Gy{?cACR~Zzmgm9g*Jp2*1*D6nzbuw zRx6ceytR1K!KPggbt-DSoB+%~9)}Yh6e1p&02CM`HQzCj6C^XAfH>U?-LfD3;I_>k z32V#mr?xegEl*R}WU3X{dQT4V>`SDZ@>pP0r9p)CQm4Fu7-ROA0OWI z03xJMU9y`r(nG6&d=8)m5792bPfo&S8rk?82ng`hcSMO1M={|b5MX~lOt3%&hk$G{ zN<>6Rw`c%Vwjc!s3M3@hIv!qPJm$TSy1yS^w<7@R7E3`s4?t}j95^p=J(qM88Vn31 zn-BnX6dMlxmoO_NWYIo2x4a5~<24oliYr7(i3~uvnV*l0nDscU?k~rqzfkOj`2v3l z!+{8pxA4m*{s3^~5(Pj_;s5yYm#_^YKu9=`{EELE*#S`Q@TI@y{{N#23Tu$?3Md+| zK&VjeTO|E+$_{QkSl13VPe9voJt!LfjH3=AYfv7`@8^^ImU`2^WTwq0$`-Dh> zrNp{TDuPy|3Ysnq85WeZQ>+AtkAMawoH7sqqw;LWxh*lGhsquYd5mA;zkg`0C=!`q z)@6`}UQF~rV>j%F&+PPJL2^M>BBV%c>X>#xrAxGu#CbV%iZygaOQNF)ElSO;j719O-i&B65 z=~;S`ZRfJl#}V8hD(&$%R3)6wv+jEtEfD``M6pmOCK+6!&M<8JO=%y|9z0YsLgi9C z2-&UTEa%dkx*rlk@@AT>_lO!L(o@FbAeZk~`V20#v)vkO4%wjnc>elZs z=~N1e3pwVk6pI;;L266B$&f`vS|F`FTbxM(;W^}ebZR59%&Qx+AMMfZ<-P!weJ(f0FGeg*+g(tj9=@UEqgP+}kI6}{sr8Yk(0+NRzIgSufx&im+dbT#35uc3l2(Bt1AG;p zuT#|f7lFPa4x@Ps!%JwK4x~R?6WlC+2^Nn84ySn<*ge!%5vUwn-k1*OIZi5>OT7+d zG@*K{ZOiMLW_?&bN;5%Mr%S@iBQJ{@CyOaX$J+wM(9};phPv0A#jyKf)r}@sd&8j+2Cu(7%oE|mk^7t z4+YwH*4y_2*}bdwWdiP7zaCJfTm-HT%>4UX6_QbBNkFKdCR;i3H|R4YC;SQfG%)#2 z=0~-ejs*@(%$vX?`@dSg#X)0LgW3!2s;kb#N0Xrt)^KFY7kk4^z^aM6mQMpe zeZYVx_*>(A&O@3#cmOIs*x?BBu#8whEl`%^{0Vx%r0bV*`-{1S|wfk8V+$mbx9+8eB$IxAZyH*#orU4o0yfq9AN1R6hK>Aq6LE4KO~Kagfxzos6(`Yp(|NaXx0$uRMwMUr$$gMlY-| zS}SbR2-vTnFT0~XF!v!M{kq)HfWY@a;dFHdFX5bT61a~oSR_}3$2>H#{yAF3fYYL= zN?ky^R{=RzT0Dbx2E3|rClEa`HxdF*8iLh`^A_@fqBs^C#x^1ZaIfqsNwqv5BrPX6mKJKZ-1fG#>JHFYyD~~OT#JU> zF1ECb%QZc4+6q2j0Sk^MN&37&5q^|JZASX8@r%T5PI}0~REh+`pq<5}S;}S2Y+K+g zVhJCUmYV7Zi~Ldx#(!9#l4BMXYn@|1HZ3)4d~{^|8w)9>d0X7N3C^pVJy8GpB%Y5z zD}fl8UgccXGokV4Ji%s_@DH(oH|nbFzY9z5z!a2XYZ*3!*%Mw($st+lAVqUMxohp{K8uN=tMXV3%po$RiWO~bF@X7PXnLEl!ARa>oZXsR)M0CVH?h_G3j1fa#1C6=PS zvt*4pWS84`w;6>!+;|2U=TzmJHl?5~hCFCEZeqf2Zc1*1UCgRo~u1e~?lf5-vtOh+aNp z_dL3JMt}5w*5zc@K)p>_W85O)jS_I(YRn(;&)LIW)wMsNoZp`ZIya=$ zFCX)$di@JX5=TzIp?R-{PdLk9%r6gn>LyIZJQtnbPlGP(<1R3^hP&|R(hPh+I$)#rIK!&S=}mAXG3e67Vkdl~XDY_op*amM|) zbgIoJ9Q+yZoL`O3hYh!W4OughUEH&hF_Zq*L^@vu$K6)kCWAqJ5_I z>%dZKAVq*1)Hg}V{I%|HdXsHIN(-~d*2EXZj26`Vo{O1JcLx`mDumeUXhlV@1F9LJ zA;VQ;Q3fewWQhtXdV=pl=MKP-K}mfv+ElXK2ALV=m~40|%f1~QAOh>~epziYobCP` zkZTEo(x4Y1SIdJ|mZtAw=M?@QC5q8lw4gXLY$zgL{R`ZGbCc(-v;vlte%qwiegGoH-usn6e(JK=_k?S|MkF>;|T62sm|OGkH{4}-rbcZcTwvP9lm95<;U zX%VBN>EB0SY)P{E<%3>He7Rtuc7h-=l)b7tdePwzBqKoG7~-<@DNR;XHIdWtn{fL( zoMN`c%QIuSnTW}b4sHLFV8_6@F%^*3$c?EAq0DySNil^y3lu=WM6hZ1jQ;9QtF>UJ(_H7yyDBoEav+yJZLP?I(iL}E zON1_obb>=K>_z=}_PyGkn9RjX>@6Icr{8+KeaMVc&84uwQwp0w4 z4KY^s_b_k+flAAEqC|zIZ9yp|KSR8{7wdDzlW)#V$@Zew>$uoV%+|ks&iV#c$&V`SsLC_dT}nb+`p;XHiaRDqujY94`%4t;S_%&1^_`C2U`6c|p2XK%jPNf~PF48H1g{Y?CU5b5Ke;VE zii!=1e2q^9r($+Cku}JZYo9{}WUN(!*@Y|PwAs4Gm$>q&$+%6A8_;E~Ubm%9-8v*C zA9}~sufaF#_#{Qa@k!>?{1s==PuRO6QJA9JI$;|Qvo}!T+X~+2)V@)B35u$!C_s+a z&fxWw4`H9jQdULj!!p}&o$EOyE~#>AvPy*r4|_}e(24ST0+m-z!toiG`b_8~KK}iiAXUrMH{bXO zUez-*^t42QU{PjKjh5%%!{de@gP64Ajc^5#<-Oi0Ai#OI*8#7`z8>?*;4x)}JE*Cn z#QiLmIncuLE4@>}lDgina8Kb+Rq1z0X(^g|%+|#4+0DqRs=|PYrD`+Hm#afzl} zKB~~nQH}K7vzL_15V_uT?E9t}#A~Q4&TGP@mhXW4x3mq)`eRF7I{q91MdFT^gNk8K zETZG-wM|bs(NT4kpMUia+1gi%sp9eXp(M#-bEjm3cob!m^5jH}DP9G5=oC+T7^|^O z|MJh&$vVd+SBwj6J#wGRpMVkN7%bN0?uk1+j`c1qwQu)ca^8!?G^KVpwd?{eI=E00 zzB4}YZDv*Gxk*{WKMsSEKSYW~ZsH5gH12v(U@0wM-7e-QrS^_=7!*cq8$ro)+yF}J zt`i_9MqHn)!oWtrhNY*R19_ZjgxshA3NSVH$To=$L^$BHYQAI$%zkr9BD`uT7wt97-@vvpVu2PgbRTYc?5fY-LsXBP^f7CQ&PL;&FKCa$V_8w3?HIin#jwg}_6e zsS}u&w~;h$ldiXi#&dg)s>ovHD;PtF8_O0!U3}TcD?;gN66;d89;<#Ew?5>y4WSga z^IM;*sJf#mtwWI*UPO)83EWE)uQ7H%+0oQyTFoX-^A8xn7Wo<{x z+MgkQUbiirzYR&}wY&Yz$;r34C~kKRGx+L7oNY8c3|fZHTSr^EMqHp@ZDXkj?MZZ~ z`a@ki0q1o^S9!-TzT1nf)RaPbPO%RqE<_r{-~p-z+f_I{5U$V8ZL@5C_TPkW zdN}475t0IJIxO-!Y!={ILEC;nCYtnOC~~B^D6vabBe_hD=h=OB6}OVz?{|Pp3AYHg zm~9i}VtJqPv6wCYsR=knhpnXh&T9X6^`&L^keSlQ_U`o=H~G%4NWiL%r!za+dl zJ`#`^#ZCAc+_iqnZ138MYJ=$#N;vECtkvap*}pM!sDD1VTry%=V?q_0oThBViiAX) z>ld3^o>pqu;~itGv3^u^Z7m5!(fz?iJ;i6RTjoEtXJk=}6B9C8vi{~+vIUqcPh!8O z_3jHI&)D6R`kJsU(kd9ye+_=qz>>O?S7~Hq_L`%Tes$O+N$qztV2V3m&vohR&|kIX zgJa%UX5iIpI?_GvftOHr;rXxw%6RM1z)ROG>1}Dwb-An%h|g{jy0M9}mUS4|q9>S6 zGsF{#hmTy6!>1p|QqZ!nV5G5|N1iex=zwX875gneu)LfF8&F_@RJojOz3HS*@#geM zBBzpF;WGy;=&*2hX%+j+ys`hba8zYDw=BS1%Xe>v(|J)&b@5ccowdasbY53`#z>@> z)A)NHgU&sdColdbdT)W})_YHE#dgh*nEs53+F0zop^UhG0)py-c*uE8Mg|L~r7BsC z;}5VQp%~e@%M2PdE|HiMzk0iD@o))B^{!o}XN#6sJK-eDt6ry-6ooUY)UyCYXNJ4w zvkbooKPA-+nj-KNu>w-mfQ3F`#_6*7&Vi=8g`*7dgGYhlP(iY{AS|P^E@QvS5fz-=Fp#u(6TnYf5(2B?0z3 z*(OF02bCEoold1@-7;sqU;T6*<~p+@l8UM{DUe0|55gy-c+SqNc4WOwBtk>7I+aq- z-%VPq2SA&}Q{Z`w+CTdM;fRV53Xc-KH2c+9MBT0joK?qVVi3pVv-$_=x)fReh`41a z$&wk*L+h$lFN91@+y&3Mz~dzf3`If5ljxU3thmP@-ot1H!XmDhd4ZxDR}My8u^CR& zBQ()AtEe(DDwJ`$Z!3jZXKMYAls#=$!ZGvHm3oJj=^1=-5YlU|PCZr`Q{8cFi?1zD zN`JM>*B+JeIod9Nj&9QZlx7aJzcbzUD{V`0l?aFXk+aNr{Jp0oCbCKt^YcQ%57`gS zg*2agv}kMFU~G=k`lbqO;UqC{YnlCM%K)R9_X`~=#f0&5l#fwO3~`xi45-)LgCI*~ zM8eXPhx5LZSZTL{jMg~bVbU54%~;#rQ?9=U7hDy@4Nm8JhZGO%V|VzIq83!r0S576 zc*YG^kD?G{s#{I#;^Nxy>cX%^3E<&T;ibh4lnzJC{B;)OSVMNMJJ&8E(Uj9P%@k5b z3)c)#{PRq+Oi`7Z@EjCQUr5szmEUlMD zyRagNauPYLM{bU?r`RO)>dQ%OYUhUP-AIfWB5a<=uAVZlJF@+TcnN$DzpZ3MduR_R z&|Czpkx6UdAhNLGIY*bt$M*YTu%Q+a&@QhZlErg;_U1ivFr}ul8>blv*6c~A#`rhB zVyw+?|iy0LHP#Eqx#0y1r7qEdO@A+9^S_4;daDZ%jUPw3y z59G=v%hTN540{sD7_EfsR;w^N@rA@N5{z_liiREEn!|zHv9#pzKBbQu7P!$J!q+`% zKnpnaLkXk6H`v=B%YY%oryIk-d>NCb9=CV7UJQSakF)LWBE#i0r;bV4%$AcOD*|(j z+hH%`J5~8e)HU|^G>T4{=n0e{?i-X+z4YZb2oR;li?h@2{ef(Tly6b@aFyaX&YDvW zDm>7U8mZ>@7CAPr1rIaCiR{fb z;1Bd!Lr|y|vyo-dac9x8_7li1lO$K$J3|5-t};K_l|G7&opo9ACGO2;)Gstc(w#lr zOYjpPcW2wlJO9_x&Fs?LD6v82JyT@!8)zp(^nA&c$5vWO5hYTObV;CgY>`nc%h{9R zF!>RU6IDGHS~s#gy_^&swFGl^GpDT1v%0gB#Zhrj#k$qSd%4xf5ezcIlFd({RiZW4 zl%KTRouGAR4w}xxyj$uiMTEQsUe0r>@-8`mePe^H+cWO&FD4`8(sU0M zpLF?cIp#j}EGft=O(1#1^%lrN(@1&$obF|c{px0^`NRd&t2c z!`W0eLjn{`i6xnwmhlcVwtu?yDwO%?i5u*HVEtgJnqb0dPm&NRBu2&H^nmbc`Ry|( zoMtqfilNqgb==tO8*)yHR9Q`4x9Mg=Ds|HQQ4t$Mah(99OT1kz>WOOqR8oQla9Ln1 z75q<1uhS*U6m1Cpa5H|8^kvhe?s=z+`#X^`Ue40Nri&~@p=i(5x~br8{d<&-GRnzc zvUL-#I+cz3QMEEiSpcUbw)4Qe zan-}R`}NK3f6J~h^ii!qff^R~b5okaA-GJdd#8rgGBXPE36m!!IJ^Z=@M8;lPGdsq zQq9*BcrK8c)3T;_pGTv$NM=O)qN2tYrV|$34Wc?xp2z}q!#mfIN3^UeefrzhwV*9e z8BYED1rO*)m35jL7D9B*9XIxG5rBI1cPqv0)L^04B&q}xEjC0gjoCG>%Xv)>y_&L* z!@eG~QRQ#mi>8+_H-(eL-`rOPa8 zFo!C6HTZ*8oPS79vEqCt-8mQl)YYWwUZ*kYZ)kFG@E);O|LV)40|u~2xk=%M?UZI6>-cKFp`Y7oEVne z$pX7sserRja+1`?FNJ%{s-&*^XT zX(>-hv>jDQ?-3YCCiFeIA*JzK9)~?v!{n+vA{lbJ5^`@76VZujbK6Ocf%kG{g=*E@ zoT(MspXOd ze8#C7TLUn|!mq5I%;IBFXnXm(q7#sC*Bj4*=iFsVqdES(2~h+{*t-@GuX4$^18Hdn}~Gg(Cx zm>0lec(pd2m2|@!TFylmi%L}3G)H*?oJnL+kSE3`7ppq@lA*)PkQ*zb-1oPCO0?e0 z2cTvS?PU-8ZyGJ?+>!(vrW{LoRdnC0EUfim zdmAFmh(n-9o<9`c=N$ze6;z_( zFDwD)9E2Zoo~rW(3Ox|ROu>OU-hpbko%KJ#<17aPBkFJQc}L==I=En+NsUA&{goLM zYN-d@F29HFlHA~~D$grDBsxl^W870o5bs7c6MiCH=W(AKe!v~zQ6S)<>13@%G+t!i zXUj=otw;Vc`6+F*8i#3q5~`rKzW+(pi?{Lf^Q;nO_8H~M)&rTFB2O<_%+&4qhSM?Y ztGyO<)U$SYS5@{ynS;t}NkW7TKY}1OLE7J3tCjocWAJg|@)O-3k8;j8Sz-uhecxD$ zupj$Iln0OZQC9rTHWw?GD_6@8Mlj*0*2P{!m+m*4H^JW>M|#BS=4l!85!K2)v%?lw zNoqa;J$mZ(TRP;G&n9%wll`p)u(oAs^ZEmW-mHggSM3^b3Fu4Vf#3?Drxm`P@Lt% zf9)GkC3u_Hoyc1s>z$IcY`r$D?=o|O+V25C8JXqVWV*G3<(41c@6i)9@RQWAH9T=6 ztmFPiihcQn^MeS-%&*Qcae|fyGE4>vNuK>7XN8}pzcyh#_XQJiyV3S#=UXExH9b4N zePHEldvrwI&Z?6yJ`v<+d;*SmA|nNBP2*yTWiy*Hr80R|;q2`2npS-d{js;jwXFE{ z-hPT7UpJaPuC|_9oo!-%$h-_num(V3;+K~4f81tx5ph=I)I~Tg(@cRDMwNv_(|`c0 zG!|r+z*7k_ODoEuujxz>^2XA_Ux%=>_#SI*Q*b{|&ydlQu~wzEqZM&K zL9iN@ALY-=Oeuw)7+P`|wS0Jk&&;2@=!CtHnm)uQE&6U!{W2ud5Tya4S8aL|uHjp5 zl5Sb_W>qXHj`y?(To8tsj@>a|eNkl+$Yz{7L%u#H*gjuRHt&2;fVrAMN6}(%Qj*JN z>i|cc+&JCYAd?tI*pGPGVwKGNq3e5AY>o6g?UY}YN&k}&1G6x^2$Rvy>* zjfgy`zxF*nd*JhpzRqybjU-oOHq*uNlu1dmO9fSuYEoeChS7qik?tnXr~rkQ6rTSP zAd%4i0vE8ce+-aUipCrMIW|h25W~rh07mJ|E6m{q8{Su}yq2TCRW&?xUWtQkXt|M% zfHK#Aj{3fscH*e02 zIRf448?wM|fw(UD6q|2GLK^pSk{o?$q|M4T4%iJV^0)V@bAqxdkC!klmN(rWsUrbT z0vId&iVjJJGUonW(zKIn7veC_3S*O`xP@fp$@Awgo?O25^9{LNFV}#j$n~r(lxpd3 zD%12Sp81SLCF;nKV(u+r_u6eOEbfnY>+N?9|68IeZ^GE$wY66&ZF7oiwT1Ds6R)L5 zj{%54wH$0sYl6$|l=OpA9V+D5pQYx385^|rf7W0Nxj~wO`_ez2JdIVFR+SNbmp4@! z>S>aS;(H!+umd-wnd9;v%d&j#K3Jy<_cSVlF+v@dWsQ@w(ENi=Hk3VYX-Nd}lz)H{ z%5LdGEMh(7bB#vv?7a(=7!708uyqj6CS=d)0PVT&e;LNRulBz_CAmF<;HZ-y^3oGTpY<5vfQ>GRK}7u4aI@>0?) z;+aIfh!mL38Tem~LK&D56CpOrdatcff9BYxkM~a!_WOJv8x2!QzE^Ex3y>!&giLpX zqGXB*HT|)1YD}EhL5?nqTDtOPIYvSFMEX^Mp3MprB~rk9nr_nh{s+Z$B_Dd(=co&E zrg3g^uBc+&<5ZrDkO=%EOP^GxY121gc|loA0_u$4RDwm%>?b_sUZpA8BFPy~RONGV zSN(Iu1KrcE&P_;*Z?VhFl|$OpA0_7&h#hr^Ha%eh@{0)a+(a=pB6V7>*164AbI?e0 z*1lF{N%?I@PuaVTuV0t%KY-wpD2i5j}yo}*Dqirmi- zWOu(J_Mfmzv%JlV7Ldx20fn$3S+b%>``1jsT5h%Ibg%Q$Ql_ro{%$DA zsHMWv2%z&v?{CUOVb@vKVH6`_Ax1rmZAU$)u{^2JicPl}0hz8k>fe4kyy15HN#c`c zvWGt4)&!<+vU?Lma~~i{nDb_?6UUZGlr_cF(r^poe?3idA&z3dk)z%jVo5n|Pm`ZI zyE1VGdV%*yu^1{zPSHxMRba-|AD3U!S+#aAVR9XP3P=RvzJ85-%uKy?z1@;WBa8%XMC3u=NR2e8r-Mu`q6H8p2AWzn+Xs)a~>?!q!RhwZM5Us-N;THW&`<_q((3JOUi=7yz9gE7#2U+;hGaht)u>!>44i-4z|+R# zDMI8sl&FRhi?2*rz15Bb>jOjBez~dcqCx4Z%#3v{c?r!?8@K5GA> z<(~2JX`Ot1w0(4d4iS}A^Uktq|B`J;Zl+-;R4ks0Zopc5bfWiRrO%ZjsuT`1V=+%oJD|yF1iOrrT+?|X^GVqQccGs6{X=~UwXN| zXrT+$!uH$PU=x>=o%4AU6+cbd;#+S)y{M{t=-Ngjx>!eT*!02yZLz0RBu&jO!t%60 zh9#Sd6edDxuQNUxlU2g7*hx3Y?<_PVEs9H2>a#?+C-W97$p015y#z{V%hiU=F?Ep# zr%C3%YP?j`BcJBXkiNScPJow)RD!q7kpMRbm$rgj!K)*0(fQsF!bLcwu3c_0IZe-g z`b~AAj~+sH%2A(?>{V#Ncv)DYR+YwP8ymWruN=#>RrhqRTIccF4ZC0wMa+kwsa+cus3zBzH3_;&>3g zQ*69`0kh|3NQAibfuC9Ep7&#wC3m}{B3$ajrjB1x^E!cFj#Jq&`)r796y4?LhsiRx zqcuISA<6+7BO~CB+C%?#wz2avbN(CA<3dT=;(LrcS`sk|4#!0(Y>6vBax;U|vPwI` zHe@g?@S;LRxV4rdVQ$2zAv}w^g$0{Dx-eBuB7TN__{Z#CT7}mh$0jpf|KN<5a3`gW ze`)yxb&5#@+BVH6;8ryb{cvxPh4NG~kDKN1o71h7U$G9AVGRVN+>FO<`x+5Nri*Uw z4WMh?zpd$>KL#UW$j2F8&^q2wPDkZQgVTVIj=5Xu7Evmf@e`uX(%l=7pc`5A%cveM zVL&$+>mE-9u(s-idY3mE8kO`jYd{zI+2< zEtig2qF-7D9iQ(hv5%pea&gc`@YwV`lH7YppeP|nE0#S^5(btkM!hy@Pf*@$4^`!& z?@~qV?%CurnBbfhwS}uNhZ?cw$z#Z~kcEe%eS`DAN}63sv@mD*&LAs@H?lt-5zPUY zH`jmjhKj_|PQ6Rh+5xWKSgV$xtjVo>*aRuurkWlz0Lgd_41%&E#PWPjndYXhvyXT4 ztG%S^7ES{PoVDvT5AX|NX*O=T4?wJ~J9Ehief#~Di{gHJ56QURZ)UZ@(PP(=<6FqF zpsb(W0}rE>7@7V1mu}oq&&gxqeH#u!;F@di3SJM@5NFCNG7vJM(cB#j z^5dmQajK^UorZP^otq7?8Ye;rCtD7} zfg=gE(W6dHAa7){x90t2H+I`VNM4WBB?3ApM4)O#+mzj2{*5TYk|MGl2u5~JHbY$q z0$vAxNR|r($?}qC3AiLNUnS(5xRVDO9b}$`#D_!~@mN&|9TI%{yN=HDx1{d7j7lwz zd5@11=5g4iX7rj0UGZ!{9gTz(DO%;?N98dlXq%Xi=_Q2z$f2ehxT!=L_QRb>=qIEo zNjthEAX1c-!3vovn`i0ps}JxCj1Of?W&43QxNo)wESWdb?tFMHKTfG_=AoWjk| zdQ4a-WtFg=xXrIDd~pFK1;JP(MuRzi!9OoH?$g&BZ;2Rg?{J!J$LR+Zu02R%z}l6) z=}{>?f9$eE7Vj$n_oQDVU3GM!;;33&1NivDJZ{rU8)|+>YiPkwU5w(EA(oZSXWwNT zB-z5-mnY&EIH>8%hc4R$?;{ZHs&g9zdLOp0oB&~c>lC zz&{yJacclC{wcp^xqT)lJRlFL44yxM&^lfR1r*Ly%KH`ORLOmxB^j|i7Q$dBdwcG= zjw&RJPiehki*qmXDtE&Ic{9DrSmXi1D0v+(Yt6I21fcSPs9O_ z2ae5Z%t!p?6V+ieTn>1XqiDKPhodGHQ-e1|U*5F*9;1EjI;cuhrBAh|R-&SECji7ca^^W%5*e#UOvn1?=u#9<~1!4x$8CUvw*v334r^%d^G0f;>(G_)z+=DY3lC3Jqa;2t<+Mt*`7yVPwBX}kcAi50*O($| zN->V7Ggacj(vdjx(ywyAxlRZcNgBLObL=M2k>2#UHG86K_y7W@`J(E>;<%FqrU zW1@Y&KPZ0aBPpy|6bIHs0uIzz&?>T|Obs$ZMBm8ELk%1|f*tLheZe(z%u z{3^qb+79EInos1e0D+;R&De?x7R!fn92Y-jAP62P5J*iN(rvnH_wMA1-)e@)IOROIBkaE%$h* zg^~A>kLI+hf#41`_j5V=+-2dt`^NI(bQ~a@D8r9y!EyWz>a=Wr!yUq!=_I%?~-uGmWsZ&)3t#ktm@KM-&%C{2{1)L|dqCkP;)L?RHP6IehCWrR&$zpIg$ca7i zWd${_py_A*96$}*dUkgF;X%|qkGP24XuMx!+2?WI77BG5<*oj!sF!coK_d~A9K`_k z#D(a51cm0*d2>29BZ6ltOoo0Bi{e^8&fJGL$jl<@+yNR#cJ6q#dt7X5*b(8)UsQ9C zyzQus>`#T$^Yd>kQZoCK>3Dq5DWw(<dmad!im zwma7}XcubSWQ$CRhLBlpSO=}7y4)({d7y>p@JnQjzKY@=4>)JRVKUYaCTAyIEP}rm znX3DNi|zD68Vb{GJIoX(4N;a!-PetBnC!%mGua*I23U;sxeKcnabHdyqf8ATxf9H) zH&>`wb#DjFzc(Pk3YlK~NymY*pMY}Cp^f^+2+HDi_vge)z?R+uEU#hu^(-e;Nmuo- zm_E_)K((uiiC_nV7TarMIx)14TY=pFr{7Ui58nC^!^5&71V3pD=xa|dEc;bw-Q-HU z3t97*r`dbo^7Kdi-9fvP>4JjO_w6>a2_<+=@LhS&lmIw^VTovCxh5mvs%|@TPU0?G zA#}#PK^RG>Mo28TBys1WEi0?-I+k-KJLs!5U(%ocS-aH@8ENvX1y!h9(fVJnLmu0V zONl?v1lbp(Ij!-~fsS_hI^`!lcNYkg;$csYtq-kIs@s)As22!WBMmV-wN1Dm^mrH0 zhWinJ>*)OS!+~FV)gzrGNgnAyCdKuUqHxRiMD6BXl@vfR-H=c&t=#3%f)@Y5kf?76 znmfR)9@6(LVFy1+pvmf>E|CkXAjU6G8!`%gN6{`3*;_;DWP>;6_UivBv$9(B&#^u# zB&vB==Kut$yGwrNQ-Apod68L2cV|%niB(|iZ||LK&pwcfLg=%Zw(A<3QuGW`elG?P ziAi~814EEO+Z6i?Dq+m=QRyJCNa^Su{YUu7?@EnxxT}DgpNxZc|2eN%u|LWhjO9r1 z2^&?Wsn}Z6Fjw9_lUB;;m~Aj~&!N#W8X50Ai$vwnRVj#auXFd$7QfpHET&psY?iWL z=)tDhcUo97a(Or#{We2q=kEHOt=qwog)^quyVcX;(qHd?TUY4KHT9;~kAX^t}zs*xuRp zU6aiAVsl1u=k8zHRexM#trhoKEl5Q20S+@{nInu|69W7(-YG@l@9*m7T%SiwH4mP| znP-R*L+aOI#g}A9s}~?73LH*GWtnrPZK@%x@@+j#LqjUGbH;?d%*MZJ=Px)VYg#GNr~5(yiSZ`u-5^Fm!mVj!a(wN#mYXt0Gmz1p0hGjWWc%m1iuuQ>foQNB zN?7MK^zTymWk=JHT^8}qf{Bq6Y`H<1!swnKv#lFA3R=0^jfE>!N*!?;zUNK$*3N{Bs*+BIX3h*hmsn^M$XwPMzaP-X=PpDfQFHeJTn6e6(W!`8M}bO`H_psjBF68P($K7dLq% zW|Y(EWb2^cV=;FTUXn5W++}Dn88BioUo$S{lcnD$JxQ~o1%-;D#xo@Y%!ny&o9SEpd?gzISa9?A1<2{DdzF0fjvT=r0vNwh^l-K;i>(T}qpEdf$cWg$M z_BNaNhnZrZG%6*i7E$Ch3!O12LLvnFzE@v&da|%LM&G~aAMM`!f`N-v9gHT|z6 zjb9x+n>GW~7~X(57+0rI@ub2#qJ!;J?Ca?fE9M0=StHh;CG))DJVc^yKTa#U5ZULK z$E0$t*NM5LdbdB$>KvaWJU$}t@)|cr68?7oHkP&TDjukqRo}F6eqtPcj|%@fw7+mt z_o?RDNzEg07AX4qKjS`&+EMm$m3nfZZ&UqKO(un zr?cRi6DDPV^P>}{I3Lgwc8nNops+kubN#d&j*ONQwK`{Ts$Z;e7VKc5u&MK%i{6B{ zeFC%0AR0x61QtnRHLlFbXwA`f_Cge@;Gt34moy=-Yq>EA4gMNfv!)DPvtpih7c(=g z^Ei|lby@{=ttJ2F$lPDn^NjHRdH#FNMvv6ns-0RD+-bV+goq~}m(&_0)1`s17f3@o z-LbGGT1j)^;3v%fdF+;QZ3zb1tVBV-UN;PF2QZH)<=?K;Yah0yf03F%(rVQ(8RKE` zb@eXnq8M7{+w6Gxmn+}1_X>a(M@dtmf+PKmyWhaLCu)Vx1S5B!)1LWm0|dg)sSJP0 z&oxm?sBvR6@JlS#6qS>th5Q3|wURDBzzVAb-ptnxu{GN_MUNuo!Yw0!tW)35Rdc@S zhuov`buWu?ebKcqqpF!qCC^{E8{3?GOMzLqr2i;Y%nVr&>*V(l>(Yi?C$sorsYTfv z0M}trRDw7!`d|Eqv@-bU2x!X^Y3BvLwGUZor+js0-14wUILq}MfOjmqCCA60}iuveV!;_kqNOG=UIiR?q@?rGspOE04B?nkDU zzd8<&5I*xRQj{f`yFgFO&rl$gFH(M;BdJ-x&yZc(SUIhg&TISvt$B@f^c_9GJ!A_q zO2nXVTU!(|mmNs%Z?+EHjS*?-=|T-_54zwJ0W57Ck-bFv>(z#c%DSH*0N%=IRUiNR z*kNu;=uH_)Fz}^1ip-Og{IyCA94mZv8ce(yPSJ}-FFA0$c7A~W`=hpoZTT0zP?B58 z7}>7c^n5wDqd|E~p zO&XI>Cl@3WxFKf;s(G<Ecj8&xfHOG8#{ zU17XdV$8$_NxU)AT(0K@Zj60f_WU4QYqM_mNK&BAp&BI}dL+l*3PVO&vt zD8kZ&Q+7o8qe>5tPqIuplQ6S?C%1ZSk z7Noq4Al~4%vB;|T(dPXwwvvVY{WQP;3$#O=H&)CN)2h|TJbqB&nknC0lM(;$oocY) zx(1hA44Jf~38UM(oFQE@;}Vs_Og<9tzjUz1hj|#ExTzMT{&}sEp4a0RM3|?VYDh1r zrMnZ@Gnu=AvQ1D!gn11M?~&%pY&*?0PRMMVU5YP0n*MBi!0GQWlkz^V`}T$+G+2qv`a=N4os3h1g$FD3Svd4fcs&F@^8IJ}5YAg+dnSOcrFqE|Et@LjG#5xj=N4 zQKFE9Z0(M;{Hk<%olWcPDhp5n!&^fgF4MA)`t#VIIX~DzY;aW~pmx=NKT2WjrE<*s zN9DRzKwVy|=pyEOaVDl~boXf^iQXL?#iy(GyMn&)2dcM*c}L{3_fyw%ko(Oe9rKT5 ztK4Sc>L}!4?WeUAk?)-w&t@a=m$jwMIdH0^>25+_5SG0hi+1T@+~aGmbY%L8&uL+? zTk`g-ZHsC<&jG3tKe#6}kB+?`zHq*>8S;8dz zBui!+EbEo@)tOA?LI4I(v%Q@+Pc_(WXvaF=lIO#Y(kI)tAOgHx0g}+KQ5-5>G%N2n zq z+l+OHfPPbTkTGgxCJsz~}>zb|zyI*%y z=5*4zCDa;E!lbElJIT)OOAlvc5^*)` zE|_k4w+*s!e0!8#gk#RYLnN+%I;q=hWtKrMLU=NiTh8sNz9S*$<=Z8;j;`qG&yY%%P-=4#ATjdE05du{3ZHpBLIst` zEI%JtOwrP^fYAEd2L&Yvi%R2tn%7Aq?TUP;RvHBWXZpz^}@>+HB2~@=x-TC(`#%Kt~Qyvdf2cDY}c(+*ZA-ThOgrp zfACx$jmfh4UagfOHq;+&TN7XhVf!k=CDrO^QA`NtB|AVp$(>Ga0MoP>+GMViEtAQb z?t6LHFxCRn8-{BM3vAi=AfuBl)B~ipB;ibEsUi2V?s?hTZX8vn)gMfAH4$_F$cU8LdyQdt=^prbqXO12YHz-}c%lbywsO$Ab?Ov%)0(d6) z3~O9N*H=Vyb4nI(DmsM$XE@mOQ(qp*N)2D7zOdD-(dikdYmdW9gw7-URAkj&xDLwuj8^hHu`{p+p3T zsi|M|)$}V)Yvvoh!_IlDg6DU^Gi50XlA5dP5#5Nqe#Hkdh&{x02yW6IV~pVz5DFH} z&a+nt4UuAZ1-E)DYUs4OJVd+lmxO9^w!QBo4vO0W4oFQatQ!&@8Zd}@mfz{AZdmfR zDAxYO@2S8>U03`TI+Y0LXVRfE{N}JQ6s=HJtjP~mC%5O6PptV-bp3(LXH{tMXS1hf zz}eg%%xbB`2>AET=Hm%b(3-5kG}j_*W8fA4K1-U1z?QcTd-Fj5L^MuIcy#M1=zg`}^oyj-Y!!-h%MqKobb}9bZlC8G)$c_d= zq+^(&QkglmeHf?C8>cd#FR#e``whpJ^Yfg#F8E~7KVFFbSv+ieAx6Qa_iFvD!)Zi& z!5Nj799T4BA4;J~y{wQ5_+~om3L4jOYh;k#cB7U!>pYp76RkdtHEr(}H6;J+S)o31 zQTa`vY(Xe7mgN>)ht2FvdapxCZ!xq)H8(I`zt5nQG5<^4IlcjG%w$C^zGFCYejE`^ z>+VLVRRr?26Qyyud52~pfE)Tztu-+Vuz)u&yGipVCnZ&3S-ua#x?E_%Hi>dHQu<(Y z*=)4!-{09DA7d>OcIUISxkm~QPD0m(@-++ms)G^nwX8!_Gs(s4(8&x@_*@@b1<0po zzi~3iKUMt>9j#AxxwdJt%91$XW0INb6Z=00D800_hMxL9w8GkzD<3XSOv zYK~EDuf{Z~3Gs?LZYJYkH7B}gF;i1ipC&q!idjou z*<^9W(!#%@?gOlYmG?abU2mRV%e*RGTGkL(X>nZ%5(T;MUR8ed8MH!KkA0xTx?$312X0auH z`h`urZ(*t8M?GJ2bA2w(g(nwB5(_+Yg-t;S0|J2!Oz{a$Xnsxw#>*2BZd?QZ*aHsa z@#_QxT;$Zh{531cn~$J^un!Rke-!FFO4!NdN!< diff --git a/docs/img/premium/stream-readme.png b/docs/img/premium/stream-readme.png index 619948d6b566302cae2c56e01fdde1b3bfd456e9..a04009d7fc0d1fe4fab5aa77215a94d5150d6354 100644 GIT binary patch literal 19341 zcmeFZgO}vXvMAiPZM%Egwx(@NyQgj2wr!i!wlQr@+qPNlnOA$CbMM{XS@*5)A9%G^ zRb@s-WFRB+mzfb&kxB}Zh;VptARr)!(o*6oARwR=!15~$6!0^SQK}O71z|2CF9HJ6 z5D))h2nnpiI!I|bgMh%J|Mdn1$;!b2;!s$sX}W02%kdi9+cFxO*c+KLde}Muu|Yui zJ$QjdTT>T95)WG&J7-=G0kXd_c!A}=z)WN$f1|iq3y^8bE0KuVJDHMjFtRf;lL^9+ zkdW{@nV9jah)evN99R<|vv6^7;ALWRcXwxWXJfQ?GG}7p;o)IoW@Tb!{Q|`J;_PYX zV(9V3&YApQo%~ln;-=2VPL>WXmiBfefAwoUNecf~@?1EA*e>|FOuwsKo4T z9h^*^oq=S69RDWyC+t7*HUEc=AlHBK_$Tl`2^5_yftnirC6^$}zZv`!_MiA#{~LpU z0{=nqm+5(xEImwZG{r4}2K`$LRvw^O|7**CQi|Ez*gL5@7#f@YCE4F3{{a0b_TPN8 z{=tWx=bwE3(ee*U6JuUyS0gJ^W0!x77jV@6_I^=AbEbcQ`I-J#Y<{3G@XFhpSeki? z8@iYZvNE%9@-lPrvapf-tH8;|&-5QS|B&FX7BMGNLl=7|HG6v-!N1k8{i{mC#t0no z|7`y^DL>O+^XMP*>R*%gZzyoq3c>*?|7!&hgsZvu0}cWr3?eNqqUHg5EIp?0kbsuF|@MBo>HzKS9o`APM*$L>RV`rrxSFDu65j8B9j%wV>>T28g7Lq9jTOSEF4Cq&^G| zKvNN{IO72#DPcgQBt(H#f2;a`EdHON{{KDdw~xZSGX^Lb%B{K-1q~X~H>s~pQeadPB{U~ zD3AdI@rl`JV8#EIsEPDY!>gZ_6w{f2(6_ugp-J{tyD)r=_nqD z?Ve_zkFT^fYhwZK+744ZQ`A^gr3h?bdovAK$6pf#Ufa~KrmqnUEm5(zm7Bp?(i?sS z-Rk51bg-U*=!Og8+j0Hb)ky$wA|M&0J`@VZq&NoCiAbPo@siSDVrG`+uN8yc<4~01 zlKY5~Efm3+1P44DGiEnEWi$#0_^{U0DH7?RrRfw#y*5&0P#%D*;Kxhp)#wBA<)y1C z8FuHhFG0ZQNL@j?ow!qj=KA$h?@x>BeJmx$aGINX?9o&lSp?^6QEC%sJx8xhfj$mD+~y&zggX+{JxzRPjkrvNG{jX>hgGjrs$KB%A_MD) zug{AJ+D@hiQ-3?ZEN8C@sTJBXcXkD)woTprJ8K2(jF6I zD6E+qmYRG;BK-mu8N##dJii}kDvCFI1UK;)3s@w#cP#DC!L%zlxFHeos87c;s(*POda+?2$5v>T$E)dIB~MlB&QL_pXh4i#s?FfWgZts zN~W5~@rfQsQb$ir?-&*P5Uh%mY52e~if6BnHMS?B6=)1&JVH%D#f0#piB;k^ zq&Bz9{VRPPL7LGk!fK1{5Si-F&7Wf!x0Mwmf6NH+2J zs*BRa``Njsv(qRN=+f?V(89sON;j~jtZO!PH?T0)?Zw|Xf1#-VZXY*9j-4F+lqqfb ztG(c38_^IKd^TGVyXOebHJ%%2WJwoe0M|gIpcTkHp5guuI}aP~PrU4-Tw6zS!rZ!P zIjT%;2TXCmdRYc(>$-=TN|&`6&acfWBqh+U)V zH2R2HzmKOBPm!Vf1VPMu6pfo%By)mU*!D}I?bL+yWsb3i=-1>#*Tg1`>_gKE-y4z8 z=-^XUOtg6o0~6x8=#rGPvFiu?QIt`%QH;?vjuGx-udy#!C2Wh6P&hoAUV$N2DA8=b znx!EInmtj}ub3Z8ob2%Vw}=_y>{Ihk(|u-Bzc701{Uwc=gt!h6%j=&yNCcJ!WVjok zN$P$HX!gvSl4i0BvMyVE={A`i0yLedg&7nPn9nD|%ir&>L!Cil|EX0Kld`|?Q)RdD ze;A3-1q0mJ$&Z;UIPUGJh+9^zlH^&Ln);F2P62jth@ycAR;X-L&cg+7ja zY8)`dfi@n9C+GC0BxzsItI%<+g-WFhkUD}OULGaeGr^CGX}(Bvwd+V5-8#&%CzJ>) zsR^`;?_1SKpT80U$g2;${jjksN8fpUc0llD&}U2&NMPwgS0uXkycIrDuDBiq{1lB$ zI1_)tsa3oogftJZlkIe~HA8+7rGVBjs;!@dPGJNqK7)@LvWltU%3~@H(EyH@41%idk7L@Ca`NE=V;T^r( z0ym5%(k|*M6+)}+MOrF@+5COP`L5@6ru)S41!>g76Pfmliqps0M0-y4^kuAzWRPdb;W%1cqKGVUiFCURDdcB6K3XOzQ}5`F z1_^4y@QYxWQa*-w14Sglq4+%+Z4s|@5H(Hi9oIwnGesvwT=}CJ69U&IdTj!qImA&U zC8^Ej811#bM{F)N4en2qp}j$%Z!KLR-cdECkawPkd>5tg9JPKYBca}l_1BiXw-21Wko{}ga@D? zEaT;z!{ZA2F6D7xI%T?QMA zhSyhIp*YSUZ^AElO~P7*!B%gTPlrO?u0fhe$eo;YB7%{BBa5NuyXwFUTS*25R*{lP z{*mX_nI$Ory4+ZwSpi+|ke(!`ZDdJ`g#tr~0;MS-!q8)YR}D6V8yQN6Mu{c&#{Q}l zB`wPwgT_=k$ntVNBHm>UB3n8A(?WI)9S!;gWi?Kw7J?=6Wrazszo=`jYr(qr*;u=X-|N9f zk%TRIVhLr|JVlz1<37%zCd0D|aF`<<_l?l_et6-qb^e0c^Oy-Avq1JX^_}wQ$6No7 z=|qUiY5)y)WknnWVjdGgnrwpe+SOxz81Y+h@4Mm`f?$H^BmHhfIMW~m>YscO!ZXdR zJ=9_Yn#D^>zqZ%$*f?uudRM$Eaun-qP#DfI^eKT*qh1?bMUDxZxEzc&!Tv%cwZeI*LJ=i?!&@u$vMj#6V%G51fw9Z75(%Nf< z8`u>O)?`mg4`L*E0LA^!$dr$dCa>4$wr5txU0rAiu-`9Dn)(CWrBEJSSy_9KLE}Ti ztZ#B;>c51itC^{CVBhjgjamO4_*7A*oFyAs?W* z_k@)fSKVQpg8w=`Fml<1#yFAL_gmz8rUOpK?Ai|IH-h?OH6}a=d6#}%s{_8XCkoY z5cOpQp=M8V%P7k0b(EuyTtU4q-^<`~&6!^_ZR|}+%h!evC&g`u+F;#sv1r%!TJu1O zC-+PH1Z1q%L+lTrhz`*BqF=7>SDM)17?06(WR?=&BE*SLq)?)RHG0_0v6+yncC8^d zXZJKv7FJ~;(omLQF*6HJ^?!_0Ke1w=8~VuG%_U%jJv~g4!+%Ct!|heB(Bxl9PmGYm z@;G;B0TxT;J~=OSdP@Ci17wrBrF6r(5wuE+18ZpvI>)E&GjJ(b{e(agkBfhq)q#jz zh<1;%kxX!LjUFDwHUvoo>#WcWU+`_9MPycqlbDNV&{ql!Qfd(h=CiLsoTHv6AbCn9 z!^9phn~zwtNTos;?{^tR>=m)YlTE6%dow+!;%|R9*;`Fu7{yX9hJJA-lQsX`B-tA! zUdD~g`YfW16}D^o5nen}zFg=me{ZkJc}INngA;Y;YK!%&XVeRTk~${UP&0~D1rkHmeq!PmO^=Fa0=9&&hUi*%Yw z5})Z1EYysW%s)gB&Pk$CKVtPb7Vr3x- zCJh`!SS?ffdN{cA;L*>VJ#a|sM=sq#Xq_uZ{?esmH0ao0Dy*$d4&3hJAwNXY_0MW> z7zC(KbhFGQ^20$BVH@}bu@in5e$!&-1i?>H412zl6+*E3aoP$e9fdmj;q79Ga}9t% zn2=ucs`=HvnQ0&4oolM|0+G*07hsBsT49~pmB^W-9>L*dW!jTC*VrSWL97A4|AA|i zQdN+*4N99(Ri#1dnc(8TzDnZ#3tItp@q*vaeo>#FJ0sXqaCvzPW@GLULBe%CgE1%| zPKTq!Z^b==5dutp;*6yRLYQ0(=HMz zR1!OMx6_`L)|qKhv=)h7_K$@&UKYzd6ITJT8R?KP2h2>ZgY6FF<3OaWwD@hg2_+Gl zHwh+BWJo5l=NEv$Xn+Q3L+v&)w$O-32V?x*;K*waS`s?yhPj{))4;(~omL1K^UP`B zt08%!4?=M1)qoAueVnoME0|}1l<0$`Sn1Gl#6lugh=}WF!Mv8Dub?TkXyY5JlkARQ ztao8)Y3-9zmxZb!(dGL|s3G@gAW!P2rZos^lv!vt~wT?=4PYhgle}OK&Y{rkQpe@BqjGS)jF># z%8tCs=QrK3rHY*--J@4nrIT1X%30n?2*Zx!<3GSt#tvzPfibI(CAWzm?RIE;EUs5c z5v;Oz`$42$t5&#h^ysK{I+Efd8gpIYE{*LNJ0j+HK9bzs3_wb`!bMu+P+=GM^uX0Q z!U32@@Ot8?ofNY{ZvqW6F?TPdtT>$l++)zL#CEiZ5^*BRpeRh*_Owh8Zq5_PzqBSDF~E28%$?2nKo zWaTo)Zj61#b5!pczE@PXS|<&?J2uhdqaGlbbb=FAUFE%Wq^4_4Ye4HsK1Q7xt|4VZ zKeJAbd`<;+L5|GWDqXw{v^L}Dcm6yGhT((B&|UQ{m^W=y)@&1QF=qP~C)CCZW!(N` zJL_!<_x(DI6%K8la6ybJ+|}D%IwqDK!h7>tHMS9oGneBw>DRZzvLw$X$@0P6h2XOI zp8G(Zllj8_TU6IOorvZ?RUwOl62~x6&j^q&C-Fx2T*%GDaQ%qL&;2Alm=wvjdmJ-E z!4I5C>wnxN$<@%>I}NRi__C7iL4v?Dla^G@a-LWx_`(djXqgM1;Ra-(13Zs?nt*Bn%~2^ z>Ugn?eoK$PIKn6~Xcd!n1Kuc`h9~nxDXv|S;8cnEXBg86Bc-#1I}Kh64GGoo=|C&y z-yuPoEKA{;vCxuotf}+n4Uc;vvodY7(^`mPW#D_`$8?(4DSegBj0JbHm82z53>K2M zKyg#Z49my|-j}f=Z%fI<+5N0AiNPK8wHJs2S@ex zgRF+k#C7_Zv!F z3Hj?-NcL73fR%BG2RhXTS&fy-TL-$109+oPv=As!IqwVJWzhM4n}i7fc+s?GY#MjS zmKOaz6Eon9h1C>t3qN7KAuz9*EO_Qu{i#QewL@FGKi3>TU{@sHBt6cb#} z%5}uAB`+E$U+anFP++$$md|X1&YkYj7R99GAKy|{3^gGHOvK(Jv~qmNmy?tsDM`8E z)s@%HaoRmFvN0Tlcw|DuXOHWWc} zQRLhx2T3()Zd*LHnH~gF#6T4%Pwm9>LMjNe54+JkoFqMZM8h6JH`V zrj@r0n^t1{=g--i^!J9`l+Krj3s}mM4+l0oT}EU>r;qT4gIdhh(;CKfC6JSjHNRtV z-B9TcEC{v&_bC$)O$0vpt@+J{v{#=?Izn3}E=Ab!Mrl$h8Cn!ouuKp%r%N(~ev)!t z3Of3btmMj13Oq)uQZ=q0Whz)A6FR&D$kND}WVYw!>fw5n#U+xMZX9Z>4>7oONXVJ8 zCqO^4_nx{eDq{4jUUBkQ7o8w%vNl)J^Jt}{@BaY$(mgC>yIUf`wu6z=-Z6f}f+x20 z%m`WN2rEu|2SF$3aQCRb@h!$v$H2oT=a0!M((w&hHu#jVIo(P}@qU{3Z3BBY5!2(dp#470O zyj1+;w5wOFzKQM@JY&&@P^0ydIEbh0A;kRYqP+ShBmn~%z%4H=g&^L#WdTv}Z73ww z%mm*B8D-2PYaCW8!aRz=w-g9?+4#&GDs1dOLJL3R!$le>C#Sw#|Lz0cSJxw3x*H0U zYdD#s!`+sQ!zr0}3lVm^d@FYbQ%!nDxVZQxR*SEOn2Iz!+&_7z`D2jK_&tcBofH%v zaj&@kE!W?Dwk(#eCoPUM>p<#kK+2)a-!>knB1!qYP-f(akxk+SVNHG@EJtlAC)Bf! ziNy?t?!b@XprG7}BVw$#aobaYMF<(f)2t~<2nzXBcFe8=_hK6dy|mOAxFoqE2sv{e z=x1OCbVS?BI;!t=Rf0HQN zZ#fO>2*-II7Ls7M7uCi{8fL6;F*oSioA5F>Y!6=R#D@=|Cbh)HZkdt93Ko%SGOCPP z=Aqyy^E+B+vE#45Q$m9}=Z+cdpsa2>r(dL}93909-O&4~n3_b2$z&f<9o;9q+eWAi zS>XXd-gE!bBsy*camnugyR>2xBG|EP&?7Tnc=!)xnukjZR~R@6gtXbZQoduIVpw!; z9wVb}Y-f#8xs21bl?-4o86(&?+>L~2(g}`5ajHvAIq*h#)*vB4X9~r*BaX}|t5V%9 zc#~74lRIM8(Pw7~Jp9TRYs;psZR>h5hpDEkCqk2-Xg*jWWVn|EmzBBEK!-k znb)|kzL=DWKVMe0ujw{#jzxTG)f9!O37fv{f#6@1jEYbPC4-efB+QK3(9Sfjqg2PA4VTuP`JF4-N1s`%}Q2`{NgLEssn zd)iA9_&3BvYfsN7{Svu6z_L5KqBGIqRl$Z0*6-wM8$QB?c<+f_0XMg3pU#u=V3^(O zs0ns$m{Fl1UyohIewd@aGX3@f!lH9yaFU?X9Uu4TNt;uRrV{8Ks50=C;ftrEJb^w# zJ`0SuUXXqT(=>u%5@#0XZ~al%pU){MIHrQAuU(eZSqR`9Vvs+yx|=L9F8X=cvos8) z;hTt+qS63)pV}x0{84L+f}2hux^_vAfH7d{|=E#po$z@dPK*@Wd839RZz|_tpM4`2(o; z2JU6*Nh(ooFeOi{*>EXCF$#9IL~xT(jWMB#UCH}dV9rQM zLK~0t*D+A)1F2+Pf;2*Js~`hhf^)?exZe1Tb%)L&9m|?m1f}f*!+UB3y0Pz_M4*v% zq;*drcxB~JNRS4-<`UA*EpOSH<2$&8ASIbJC8RP!6oovi9s&9sjFb(M4m!6=0)|S5 zf~z4FM%Q89LU0_H+iQi^A;YUBZHbfFw8B)un`LA$PGAUoo3P9K9B2e=D7W^gMk#TI zslO$}4V^WRlh8|P%C1ghXcfUa-4*5xZql4LI^BDJjABUv7lKTZg&B+N&-J56V2~rC zXBt}2*tw#U<(Ao)2Bcf#c{X;8v}R#F23EUfP@XFMshAxCEC@p!8BaQx(VHtZh7Pmo zi#ChcV@e`>yU-_C``DE}l^F?l%ruRLk-+B3J6(Mmqv3g*QT9l{$EA)?;)~Ss<92Qj z8pxW6mFQ;|i9lk3fzG=%BzQEWJ4Q<|Y!RpwmG%k2 zmc9-6gH5<-%{>^NG^^kU11yR~*Vs&ESw4|;uy_X8DRD5Ef7EPJ4Er$A`(aL@N z^fd1cB8Q`0PUc`$CSnE!W$dCFJ$jVRP>hX;DPa{!%q`)G5zMd1qOP545C>iaS*Icu z-XA(0;ls(yXbU;YXEg~a-!36U_HzW#!W=5TH7jb-5tedzon;6M5vRsQM@O#oqjXLjob;K8z)^qovbR8-IXl$YJx|Fom_LdfE;QiZTWKX6o z4TykXlO*KPfTz3}Jz<*?NEJ7#*LXn?F1TwnJ3Cf>=Fwd3qH$eou+-Inv`x%t0&B*3 zu#StnIw{Y5g8!-RAkNSz8716!WC$vlQ%yybh za`m~rdLiH$2CYu7)YwLq*N5Z^v$@*E<&F(6I|FS)&UC1-y&Fu7vy{7qz*MyA78rcQ zBwC2!z$0f812s@I5`V;z0?`k}rRgw+S&c(T??wQB0yS2l6SzZjXjazO#25P(K%<7{jyV}$#{-(*-GOZs zn8fO-xh{KLnM9gQ9vN*tGLOy@YGOXl82OtKBV{z*G)tUiWtZi%JI1ruT4 zwM&Pd>oJu}+4MWnr7u6STjfzz>ju?7nCk3>1FAY-dYI_|&oWX!C02|5fQIiQ2W@L3 zR=iHA?)<5`PzWN&gYUpGIKMl=FK5XIhgCP91}4f2S*Hd%wp_m{GQ_8)kDZ1Kh+MY+oegO-T1`ja}*fFUQP??e97&1**6CcF~o*nr3;O4ayJBR zWa5021Q|D#n4?!n#!A+R!Fnh|WQ0D?B+NzH6^q!D=jZU28l5c~bdPV$o#SL??g}Jp zjvD;Xli4BpI;ayKPr;pbKXvS$?vzd_g-2THSY)nF%jOlplVXK_QK8LlW$tEO5|}yV z8x!Rgf(dsUy@VK{`y+&Og>SN?2^AC5APDZbMZw-w9NXVK9k1Dw`%?E?q2Z@pjjge+ zvId6nEfg&pesoNuWw_%VaJPQ=gYmZw3jH<<&|X8F)mgZ3{ka<7i3!r}8KZ@d#_Z_6 zqU!Jva#H?Il`(va+bCQ2c`Ti;N4PQw3v6pxJCRgcf$M?R3!6MwB!XFmu!|>uyeJ|Q zZexAM_a>}9#QjoR>WsPy0S=hFKp(l?S+KFojW#j-Q5K?xL%^p7zx5cCx#z~Kt65d* zjKb{=S^ZL2MF@I)zJEh7wb2!Yrs56bI)CG0UpH#k&?kXb{{|6+)q;TuS~YQFrqYuyOek$sJ_{=Zny?P*s$Zhv9Q9M_Nsl0P92Ll52_;n; z(;I9I>9KM->1i<`PxZ!bhOg>yIYnHxWY7M3TJ!oEYKuM@@{vX7>#vaz-;BWdFqm2_ z=ECr8%F-HmK=EDw5apaK7ZMxfu-Ta2Rr^vJDtz`5BMYC-Xp6Wo@?%gUHm3DBs|9qE zhco-Mm(kYM@_UZN#e-DGAcTwVMmg+?OjBP#+oP=6gCf)(be=)jJGfcY&QkImcVWOInX1f+AQ+!A>;h>5>a>YUCjdlbJG-~)wT zMC6suu7F8_2PV-S%`bT6M+tKY16>5)C5clRl?EG_r7}@k{v?PQX!lnZ5!We&Z4sFg z<6nl8RlM+}1KR=tc4#*zy)OQ@D57-fdCTu=5S^gF4z~)Dn#j-PcPyVh;f5{C5!i!;s~(k<*Soiiw%6{bY9=oh6J0wmXa0;&T<2q$r$0^hXq0B;g3-@z z=(0C&CG)MNbFu8BBWAWpi+++vvmeeFZy;=@M=ELp-(Jyvoc+nW3C}#;kTuiyO7^{> z1~wAieGw#o3il`(n6{##s%J?>3_YnX*S(-IefpvnPo|YvaRNWv*y+0JeeUE=>`e_U zIbe$LDt+(M2kmD`Az@51l5RjNhvB6CqALTfPCUoNFL?PR8V4zLW)jwp5$G5Pp`m&$ zDwu#mbQ|KfK0659+)CRdLP^wFSBgkP5>+!MK6qrnUXmj>a`Lu*+;^*_Eov1N=$u+s z_muBpfNG4Y)o(mbz0z)Za{66$+lg>mg0v)D@<>H>pJ*cQ?S&3#SKKl0J03KQ)yNb_ z44lu8>v`F>S;%r4a`2O13@RD1I<_mSGyf0H3D-q)=J3FN0X_CHLdO^E6e0P zd^^%ewkHL7tcy(FGtpCc$b;vxOOz351HiYDMfchdhog;^bS+^fz#mlZUwcD7%)CXB z@@!@0MC6w7sX`9%xx^77an2ynAWJFQg2KBQ2(XhJgITHwkNVe2KI)z?j)1r6mDcPq z5AXC|ExhLttt$!~E0ZVQ_`kN{GBs6c()NY?TE<=x z>2|=t+Z{y)jHjE0m<+6fM9fk9vcP&W&B#0RDC3b}ZZe}Px+M&jk;g_N&fxgj8slL|1tV4#013!w{p|XNAUV}yJMQmvNCuPSrezK|Bc-}-+i`(#Bg5HDxN{=%%xeu92D_?5kfM@)NqF_?i zSbcBpTIl>i>dixEIr~xW|22L`>bCY$`OUwylhl|NFXGW%#2h6DrExR#WhOX{KQU zK5RiFBJ5hc`FpX228Iew11{)%4&vD*p@G=EV7PRSVkY?6-tP{>Oz0$Bxbc|b+{#-K zW|X9}eyha7IYskW7`(<$14+>`u_`>Fu^p%`KXpsmNqu|&$1SA<@i9((C=qRaK^~Ct zc35$=z-D}QmBdf}3jt#OkLo~nK8U2{&0nCechIg*NSevr*zw3??rC35s9<8-J22x& z<9?pkD~9cDhl{QI*~#~Gw~`vdEMMj1z2w%yd+lH8^_4$TR3#8^VkPpCur9o(+U|9H zGF!Y0D-dtOqeBMYl;^X%Oe{>w+fYlZG``Q*P>gXfB!@xhQj(o~>P2!)VpF5lj-@0U z{9G*XIVr19)}nPhQt@DibvnNdKnPJ=;?t$Avxyl$n_Np)f$ZF$u@v!iQHD6z>UW+u zv(jK{1y#9mPnVn)GvQTpkomTTVa(=2fCGZ-XX~gbJRRon+R-Dbg1fy!?LNJ$MfT^R zhZh%;_6C~1h!yeWmNZ>{&(Wv-v+GD*sVVy?ST9zoYrw`-X(B9vCQiuH87E1Z;v(?; z(jSRi1_F6D+$!wuE?E&@Ti)*EF7!o?)dkB>^64DeE^=bm>iaj7Vcs9?2?;-{>3oY* zM{a))Cq*CxhwQq2Icez;RQ*~KaythmXB6;I{d89&6`3K}NJ4=uazwy4$FwHrQ^#5V zIaH|s`FlP>yr4Cyy@?i+$l3R@Kv+WhSGAq~vs*>4BqN3CSx5otn$7r_KK1DOvxr%j z!4$t+@7e;VsZe=W9}~Rj{^0UY^pE@gO$!OuqK21d78%Y-;nh@&1ON{O6q1)hcimL% z7yw<`c=Rkv1SPCC)GAD;5c*QoSB7!WA-6v{m9ud`Nn}P}e!Q2>@`5dPS2hrKDY4L_ z$~#pe$DfF96_URalFc3D{5)K!N_Ixn25Oi0c?u~wCM))?Tfq3404If5ABO`iFncR{ z#Ud=j0}gFPdUb{|Sj}<;FKV0@f$rJ$3E*XI#qZGJ7jmGtp~C{5z;G3+0=FR?{6fMH z6A}D?bK${=__n@Z@i@SukW^}Wk8@6ny1Xk`C7h>kim*5neiC~0$8XiZCQE8iEa^_Qj)h#S_JFbrsbEy98Sgi^lG#YhD;?h?72!Bb%S zhZ}Ua#cc(pwjCP;8QyZ8s9i2zQfYnc+_njmxCe|{8y_ht0oacVWUm7@tn;a!dfZ>T z7ZMUK)%HP#&u#UvSG=icUPXA0ih?d6u%3tgGQ*ybhPud}>tI*5lg|RMjz@VABT~8w zdX`~(g0?3Y(9nYd^<7&boO8Z63<^ykSHbrEr=O&6r~B%0O=gdXqnV0C;hns=ZcNkz z4a;>?u;X>if|DXL=XW8)feKG%oHmRzqO&7;$+7pv?iYt3-E8T2KQ;uUc)buzCB7$`)NMzydHn8p(om8x%7 z0Wt{Aeiy%hNyMa#8}U>}1e@qCP=ilGvD`G$g8g}6H^r5k4>mtYf zq|y-z>*op%eRt)0Z1|HBZnm@`Mu6 z%wS1vEAYP!*-4B28IP|26NupLWXY%FwYtT6Y>vh+>4U}tzZ6++0KM)6Vdo-w3o|Nc z9E1~n|5%lgX~4d|EMmIq-Kq@OkL&?w5x^D}N0@szQ7q0ZS>|{t!AFXp+!5N|cspOG zr%ay(P#tQuyXA(8i)uKxmSTmS?_9@>&k99PMn+2?#JT59lFBW`u9R-%JIZh=!if;N z645roKfg~dA>PxDojM8R@72N!J^00wFh-YrMJq>)GQ*X+QJjD$Defspo!>o8qZpY|-o0H;GsER#W_+HG#u=aX>wWrtWee+x?e7D_6NdLz zv&KL5`{=+79a)kgcX&dRJx>v~fjWJ;xB_~c7W%}XLc=bUq8YJdpMw0ofgr@2Mf%Sy zG|nAP2fNzx{uhC7u6I<%in~5M@zSG0)wi9IDU&gypz`gEdV?_=mUZ0FWuG2s=V3#z zp63S{q%iOH`Zu^1o-4q>5d9H@+Jj#YB_r{*T*jE)$qit(+dS#l=q<>vCUyjWg}P-3 zei)p^c2Fyg;;V0GYX=b7VLLgY=X3NI==VfprwC(Xw3s~cC+11_=HB~MkNeUd@RkTO zr5?B~TBADs!6gS2xbw~cyZEY0X_z?xCvOSn0d3*t9&}f_cLiYHh9u&@V`FU zhwT_gZ#_KBtLCK$Goj2zl5K^Ef^ARMX7LYU^qXkaHb#c@ofjx-1{^TfW44D&ieiJG zQ*ArIRE(4kWu$y&RANyAw3N1RkWH8Dh^cdu< zrAv&yj<^Wvm*;_lL(Z|Br^9=m4bZ$w1-vw-LxT@9J+(rr!P5(dnrMF)q4>+2500)` zmp@(7QcEv>O7@*+s7@eB1?MaTvWA;d0nx6ssV)%2UIV=WdJd>+qFfr?8(SXIQg-uk z8?VdmDRZ0a3dw;R&&!@OD<08v7Zmx-6uQAWjHx{IOn0-klID?I+$+ZoH>ZYPo_d=e z6YU)O@5SnA^k05wszox}p6c)O>V@X)Fb#C~COC0g8=DOl=%pX}^ z^3S|Y4aj3IS$Z7bAUOG0h+u%mj%g&B8{&j)7#ZO`XPO0D&&25&Fgikjb>b{~uJvd( zDAE=ehwfoF2P0lveD%z^S@Np8*<#%Lny_*t*Vg1U;x3SvuquCP(0TIbqVD2o_8Oyu za9*j*Xbcw0z$-YT*N7pe5xKv#3!O!lNo4*lW+0&>hB-aj6OlJvOs{YMDBGF2*&!B> z4Q~!>kKv;XE&)SU&$Q>v;*cuxz9*U`+t#RCMRJkjq8Avc>+XSZywLRh@&#fdC;^5C zHo)%c&u_Qf8ljZ_!Jjm0k$`-joW3(y%K1JGB^;q9*baLfsD2F6*EE~WwX3CEcxsg( zN9U(D_gK-7nNz#p4b1UM?Y1#=WCPihP~3bni``H|ESvo5AM&!6M9gQ>kILgSNixnw^sdhB5yy@Rp>q>8Au>%{)DcnLc z(_Ti^Hy#mw^}66#|IiOT93Hkz4u3IWR4LyMI5a2UEpnsx0gDeyc?A9x=DvJZZ=CMi zk+wj)8xr8uy4>{;aataMs0JFBxgo1(j_qq5*@_irF|$EJUzn+Iv!6Q)`x7#T^-I{`c;3#AZ+m{>&gdB^_^Z66k)G^#_;}$9Nz=WHn`I6aIKu?Ibc>I}WUr=$(1$P@y+xAS*;JfXz%C|mu_jGQeJKc;?KF-Iip^_y_n-~m5r6k z8}Nnmzk4rXBEeIo7wrR3`Lab-3MDVWO5mY1dEuYq>iMMrJ028m=XVUae)s(4!9sHx z{wN)xfZQ;aab=wKeiKV~67&F_M)uJ?!nbyO&;+@YJ%-Ed_meOaG_@bXL@|R~BG)3U zY*eQ!^8%fL|Gwv=q*c+p@`VGDLG98@}I*vx(-CnUZbzsd>fVd(ZRw&-jxLO@D+vrvJ)!_;if5Ju~^Y$wij|kB^gHdZ>Dz3iZ&DmY0kR z`mB}qnq&7wFTLk$vZo{1Q5zm(y?omE#~%4vWPLSdeAff^q9B9b(_;tDnBWKr%jdjP zpi-JDM=i$KiN2Y~aidU+T<6b3CzZj6NH35mIAdOveW*%LUZmoKy}!t=Tr#C1^+y!lMyFkWqipc-sPh95S5SV_M%?X%(rSeRt|e=5 znm|Jugxx9D+i*%akhEyugCS~t_Lc?Ct)ImUPSDZBgA@T2rj$^BSg}jdlT&QxfN2VN%!uAug8vlB?0<*eQqm1|wch``QuoTlN-9gI9SZ@$|Ky4jTq#4Jwk zNL8hnoOV(N^1%C3)3TIKE*Fz{m$*1$QC*uyt$scDXf%+shD{r7)HkEf04u|XzHf3< zE;JeLEp#bET~ko&dOjgil**Y?tNy+B33aLQ9kwf^>wETavfrR{rzxYv)xg5rO@q=3 z{aD3Y)Hw(U)Wcu@1rX0M*E<~94%wwL6{a_=8XP|XtQx~P6>h9;A#Onpuk1Rb&Rz$PkZbV6A@j@}UDvzB=ig&2{RyU74qC)3 z*I~y*7#do~;TVpup|IDyGbgug|*Y(?8e2?vS=$}4;!%#g>SniU~ zx&QOyR!(LYH#wEet&|piF=ux}Y0Qz!e?oI^e1BB+MxpWhO_j*SyxG``k7)8tNt_kh(^p4B5YA@NW-yCuOP#d$lo|$uO%A{>- zD;~WS-W@*oSM77<0I?RA2+LYa%N-{^&pe-WBTc>WZfNt3M&*pKchyVf9|o6+fAX#G zx@%x}Xqx?)NEA3mbYddqxZnoXU7kd2cFB?d;22NR*l-9Q7b)~{J z$BP^0xVSu4_2GNA#*U|Sk(_W(<;0yqbA{FCA9D1!KI8Dl$x1d_U)SN>^T59ocktvU zEYxky-t#T_dw=YWqf;)ic_y*sc=pUI6Wew0dNYeeW$cMVWtUESG@J3h=ZRc!d}7?z zeRodFP18GOWVr9upU@>gT$BEv-f;0~!scg(V!W&?ovyqx%ZOJt+nZo5#ilP;T=>0R z>-3%ncc#5!QdxBP`Rp@%$}01!I40k@dUcnX`N2P*&LphnWvgI(v|CV7?wdi=Y{BKn zWZUMl6;=6rmgMa`6m7cg>ETJ7j5B)-*p?s9*PbI1y7$>(FUaYXKOOu|#-0><_Sxt1W=N`NL>sz+#zfn3K)b+?}cTUJ6 zo7uDW)p6?;EK}^1%{rv**?x($aM7(<`kv{x^{TFT7@V1T#Oy=Wp8Q8g%PLCwHwRm( z#&4VMU3H^ubpTV!-y^r8&4T zE_VeUG9uDA2{fOnvdd9=A#jS&#R0fgzY%yk$P^yn6rk#5(OUwp4uSzrmkdFNkEnu< z3^`fSYUTpeIb}i#59myhlc4EKqu7PKfh;17sw%R~pz}nGKr^5|;Tg^%jIJOf8%B*B dQepYy|C1zl-M+ID`#}d}dAj=6Iw}b&3=9mqyquH<3=AwS^!foA5&C`rR_BL) zz`AS5O2E`kzBz*4pt#8CyTib|#{Khxg~`q(f`LH**lFo`=qW1+SUNkgnOiwq0NKD! zE>Lb57$L9#^wJ6FVNMBlas;^xfQ705;t+sd{~@zeQ~t%`;UG+{r>sUP>FfriJp#OgSOHU6w>;I7i za{sqkPy^Zjw6Jrsaj^d<7!Yjt|A75z`G3N!EdSdo7f(0GzihIyWCuC|oq!+@cPNhY zKZ=9;_P>Gumy%#}mwyTS%ZdN8P3Vv20vbSfXGhOJF3<+qd5CZc{bkTU$^YY#f1xCu zom||2?(R^S2+zMEf2aMEU+;g!i17WFjK35A2~c&jgIa3-M=uf1e+&3K?VtSm|4G2# ziGKt9alL?=9T@1SCuIk9=wDWF@pB8Y|HqbpA|;(2o!vBD%q@X`H2VwkH_|`3|B|Es zH#s~Uf0y&OmcJpbECt*>E$o4o9)BAz=&1cQ`z6e6*#AZrV*iiaLeRM&pzLgAXYC_p z?g13x;^5?E<=}%pwK(_%IQRrOd4<^j!Sgo_{SLapLO)Nb@i`B`xh0uYDG|?$p6{_L{Q64#VKK6IFIC|#I?Y%XU0hFc=O95 zZFg{}OQdGfSblvZ*j?q~p*{2#Pq;iJwCW9IrPIb00% zamRZR>I`E5IH@3H1nHn+JUsqK2Z{^}fstp#)6-{wvWR0-GQN`jaDWX(qQU`6)Xac||J(Why5;Y) zMJ#}!q;a}hd`p*YU40;OufjRqqtfP}wcO99#Y!2nJUvGvrlBBQs;{|oWT`ms zDwuxT>^-3EJ|9t)UNy1EsAeOoRVN_e=XHsM{WA_`o^ML+Qj8f+_CjqYGO-%swOTG` zTyNUpi5rLuI|ZH1LXt!9$_Te>&1!iavKPoBYoI3)msktWok`jS>}4B1x@(+)`p(i2(K%ts z%jpVT&|!*;2P9?RW3!6MZiS|KWsG}*Bd5@CzOfZQFqcHLha15W!HA}{t4Sx%DDpn5 zF+Gk{y*xm4lK&kJ;mPr_#zo-l!a*m+`_0-FfzAiV*(Y_1L-~1lE$g5 zCdL)P8=srk%EzJ<>?iKe-QiBh{q&>{j!lpOB052G zDrike~zjEB%!UlRmr^`;>$I)0fGzk*w1}V^0@KWOB`(l$*d5|oV z=Mgvh@y*mjrFUl&(Lk{ztzTPGYGd0)eEPv_OmQG7@1XEIw{3Q^<6n?tEr%|?X@T(e z$$)Z|zTanbaprE441TvMsf}fIEv!9SaVv&3hUM!v>+Q`Ant5)jH3lnt=22Gs4br*p zWurcutY`I(^DkCtDdZWBs|p&Ut>kUZcbL0?cW#<@Tf^zCY?fhR9&O@Q@|GFd9^QGC zPHv(FoJ!(Y9~SumCE%N~gM~M}#ti}*jk2BcWrt=5(db8^&gPR@vt*F~2? zU)MW{r@R~twdqXCzdP)caxb44c4{fRXB4{4je1*FK|+gJ-wyDC8dQ2awdj_8N8b1> zj?>+2t+IjM7o7 z%Npur9O>3qxl_g?Fp{^1qto(3XbN6FY8%sFubLyLn;EnSsFL;OH9go4a>!eB&^T9U z$DXX8shiJf>(WUuR4TY@0p%7Uy9`~8sua4PwncoOf@XdYU@_)4JKI6h12XG{k#Pxh_3*Qn0z5A+QUlHJr zk&fUn{3aS{M0w+>QdyaRhgs=9CoWy5VpRL{%F^;Q=qm@ApI^MaN<6{xEK7=!7$xG! z@NkKN3@74<-f)SZ$E>o1%HE7-{S*Zld*>Pca`LhJ!bqY(dT7T5s>tr8V27#*`pW8k zGKQBKzsR|jSx-dTc&DuO*ocyh9c2T^BIRQLrAxkMObw}ee~XV?1Ph1Uh40?YwM#$~ zZN`bpL5YJo@6NWTb3fClW!YfzKD*O0lL;O3BZ!s1Tzvf#PKsJJ4L;Qy;*y}aOQ&Rv z4{f9!?dEt30c(-mqIKw1zlT#5HIi%ll?&`}QpY(YKa+oA!^$YM_9CgAal!0M0&5mf z*ZM8Z&QOgF7J5e@SZ=(xXff~u+Vro9UvaE^Ii}fTt>$yOVJE{jSW$N%46)%}419Ew z|It0}N0MTv{KcK~ihlbrjQ?S=sN9c1%VkV~aI-_VFnYJdM^+la;`5nP^0H)3T5&bd_n9jYOd!ZaStr ze#V^Wy|X#wn2K4xtEuCyl5Tmr7PE#+%@`hB<|F)77ko2tu`LM<<>ef@nWZ;Y8}P=a5J?sw?CV!Sv1%X=(4%}teC;dKFhf$XXk_Y zq`S7|-A(?e9M1Q6$3y03>FFDzHyK8{TfxtIOh;9slq|bxr{4BCUEi~D0O|dQ=+Ti6 zjjqr>K6%iHNw)2){4NvvxQfB5MziqKSuNa;xX|@Z(QK>f+CVEbt~YK=fCgN9t1mMmrZqF=!xvcqHtyC{*pdA&*$eJY^9ck-y>>K zYG9W`g@9cK&dub@%A95qLC-Jss)I+#`+j*B*E^gvDKtaskO?_+_Z)eUm-?aC&C9QE zUN@0QC-Ju{WV4&AFVsH04Mpb*Cmm(loF_5-o|GBnaGb-^s&6wTwCIDYe@8$!MuB|S zELa?|uDZm1a271b+mTlS=1Zb?Nu6=$NVuyW0V%0C(MBy4Ep#ZmUB^FEJp6Sq4;~jcQQ;=i}wp}4#^jOej?IR?I}|swK~#j^SE#z zL=Jcn>*+iRV^T#qwDzB|$Esm#=UVQxyi^*L503IO_^d`1!Ga$GaolD{gO?lRdjBA? zlg9n~W!Bv=P4|w)5!Lj`QI&UpsKdTrhxT}5Q>W^iN{x=5DmoyUN&Lq!Grbm=8nD!b z^(IUHdN|kROZfpF)wHzdIiP1OLfU=?R1rUJsyo-jeaE29p39@AEZnVe)~cRFL$xjP zpm9 zcQ5rey#khw6~4-Dx|YA*US9)u5ZfxkA}0vr+3$*Xnp?byX%fmO+D)|)HtkYISS;efu+H$KFyTO8x98=3 zNuj1NciRwU`ODL(2sKAt^u??9eTmoO!wR;+Q>il%99; z^(~`jZ1}Lr)7<8%aj^&SXP<@@V>;xngh@R8!$eqF5=lzM3bXv21ouT7*3AoW^F?_FYq8q!PfH|Fd-Qi!B z<+on-NX#wcUQ}vd8#e;8pF-8YlaQaf>b-+yPb`x@>qnksDknUL=j(8{cDFLc068hn z2P7xIPBs}pXeHILU5Y*TY2sTz;bSZExFqiJ>Mg{fJo%J&61bQBs)&oAyy@(S zESU*2SFvo$Hakf*fG&J+f_Qn#C@K8~*`8Vb!h@LdQq9~We5y@RAP%YDU(mTzrnmDd z5mnWW&jdd~YmK^C{3mkHJKNU>M09&SotNcIo^z}`Ur|{|tCMZYZTu2gxVS_GJO#B_ z!aQKy!#vES2?WJE4!!w~yj~QEB1F;GYnJrR=^1?vb-JB;!cg#r-4-)qk2x+&NmiEt zYg<#JjSIi4b@G@8HLZw-btyjTUVPLsvvO%16z!p98kb47E@}U=TpL0+@zSdNq>l3( zdr#vPBF&c642o+%$U~sQ;fqzq!g8#Sfz*5ee#}qD#+I?#T>Pay<*~?^O#OWms>=O| zJNixuEltOE*weZ2en~3JJ4AChF!C+Yb}pl9kNCZe#B|q|iLW+eo~US$ z*(K#)5jy3>tA1+O)A&Tj<_kTuq#~onh|c@VTt0Unb}Q#)s`xkiPr4GZWjKh?mn%k9 z-kD#%`qh?WmUaDYGrm=MswTc-?c#$iQysx&V|N6K(o*N3oWt=qc!X7Kkqkw#b#e(M zj$RO()V^+_2H|~lx&oGU?yCw{)t1KKg6p~pV z%jF@EV7Lx(5S1T6y2|_zWXCWZbZAYIrqK7_R>Wu3+lc zs=?sJVh2j?6P1@b%jGUokq^T7uM!USeA#@GaUZSCit&{#K}*&M%I6wD z;Po7#`}i6c*@b@>Pe|>z5nU^j)Ei3#V1~c2V-MHa+28GgN`%9f))_I`lQuepxR3(7F|G+dV58E;aEJemCKc09RNA^zB zf1+oTCtJh1=9-N;%9O+B~#UXCdZe zVn=CnC6Alq=WmB-ig~k76sH(8jIRbJkViw+S6KU(6f?!XFcD#ryI~r$J6j>Z^}p*q zi3qP8rnCAYaEIZ3zUAs`{9}uXfLT)tho#&}T3cAG)c=%D{6jd~`K=CB5OGnF2&2@m z1wyBM&BWhMbrg4^3(ePpz+vb2JN`oQjL{q6-|@`h>UZBo7jVFqxt-op5l*v=G{j@d z5bmZYu$|5+j`s{y`}(I3SKr#ORo%yGira4Sv8io;Q`YI~p<~*FdP*EF8+8VI-l2TC4SK8d3Hu5wHjdgP`FPjO? z;o5o@SnOQ#4#dm}__+*Jk{#iW@Pvl-7!fFnSBD&{>NX!!)^Y!t4L4=+ad#wI#(K>6PR+(WNZ^T@s-Ab=id zTG@5(dWnUwv-EWmoy&okz3UeK5yYTd3-yZ_$Mw^n$5cKfBJRB=_K-b)X8|9Ye8mFP{u`>{d%r#;~9i%s&i|8ea3Y|OaZ{aIWPL`mY{ zy2Vdc*(CS=+1hC$Wi<-vI+4>_x6!<2c3u5|`YPU=TU-p7p&fJW0Kp`_R3 z?6=!e9G|Tk>rlO|ubY}OR`_ho)T>sWCSVwI`Vd);ESB8pGld_bYcF^CT258R*}wsa z_mZfC)*P2__KoTfzl~J!!k@AX;nvKIg`tH-?cpd}?d*hYg4VcSIG?EWs9qhDIf|HA zFNB)a@Kz4KcsYHEVXD^`7ao|A$pW~%h`PA7l#R4zh^~Gl&t4b(wDJ6vg+-(2A$=#G zrys$J1Yzw;1;;BhXtpKqHkk4}uxjYHSu@PM13MLCS9OezghWU5OUAazIoH*WFDVttLf&OoV;cehBBPntPJFYp+CCd2p;T=Pei_f zA2hod@=FKTt_RY%2bTw|jv+ae2xG1$E6utZx(?QMYdJ?kD4w?HUK6xbIUGKFhcZ?? zyfPVGj^>p30mn{E)lkXO538mVShLpkoG9d3P;GW4Xw85#%}>6<)BDzzy<^u%nMUm)W9UP;$o+N>%H@vWq_iW{wBYzb4tT zMBPcP&E2S3F>4_p`j(VA=_DW@i5J18&Rd#R%*>fbarcroOF9R?lU3|NgGIpD@fl|s zUY;gM{mX}8x-BXtnCr>JVOAyL2H#$+q;eY#iakR&-0HZHaNMoQJ8l|^F}&^2+tUVr z#?$W(C))a0)Ld*^mUN|(t#U-e19)3!wD+PyQGj9&zoItBWDRzL!skw@^j8wUnhbei z0hR-Uvs#fTUz)-kVb!L(g~Bo~LF2=O7QfwG-84lwX!qsSzyIXaOf~yu8yU{SNhXt^ zcA-Z2`F?U;0Pj4I{k|t@19-K20~&G-jDaQuOOWN-EXFxtt#Dm5Q$pAT67`U(5xZi+ zQy=r4F2sdHjhRo0@AV`v5aksjyLSyGdvKH2oM<53yOh%}q>&XYB|9ZXwHwi>%js`a zNz92%l3(CwKSx1CQL_YaA)=Kp@(OmR{ME^Rek6@3X1Ahq+)9L(Mfo@1;`{-n+}9s6 z@I4R6BK!R33~rCfw9NcJZkYR`&I!&5M^PGv8mD%)bR%tocpI7Z+Ah7@q1$NxkazeD zHeFC=K@uYduAW_oFCrHS?^2H;c9M{>qp=*#YiIqy7~YHaa&IqU2Jz<4%cX zH(F4es#I9-u_<_*&f#F4wccAbubvQOb83Ap^@_?efLx@dQK7zYBl_D<%UEBeJJFvW zv9c0*i4-H}Kr>w%kSaQ~STVPC*o6n+4t*Q8YwNSL zf-a+9l5t;lT3o>7FXr-I|3(Cv8qw24S4YxxPc+zY+29zf92{q*jR1D0MwLO@4K zLKQbbt99H+_ANg&E~3;%a}zN~Xc;;7y~x82SeP8J2LJ%f)JHF8wMfOERrEcFI$rmL zqX0rIlxZLhOL3HPmV)hEseR5n`+mSk@U65a$N0y zB`-8Ukp7VVtebs6XEPOSohfGNfLK$IC;XFHsLxlL|r#%;c5?6-50Z6s}aTD zboTSC$js`_bC*Fpg1*U5u;hz&knRFCG}7_&81fCUJD3XAIkR>=w!SB*B0UX)ioN_iW@1Z)lonBun%Q|j!7>NsKpStP@$TUbkc~j zqZ4k^Mu{mwjS62&3NNB0+`G|Um*@q=(!(XmKueBpcQyQp1I39{)|Z@;f9@m6dyVCX zb>CT(RzvXjxG3sqB0! zyFc=~p|?cweOI&Q#C@l-j;50~h5w2FU7ZM}u2Z)`FHF4debuy^QlJmWwj_ko-(UufmIC}TWfSVY1t;KTYRT1gN7-( zgu?S52_EN?+Pe+{leGLIx5Mq%qNrQe>)}Go0uaI-Dp=QPFV-IyhF{as-&X^bb zN54rT9gOrWI5;EpO}x}9D`#-!r})*D+|9fnje-=INNFt1sHYGj`O%iuV}PWcphbm; z_1Y5qD$kq2MDVkrDT`)X?@BQ=rG63bOz!*;JzhdB8jdT!UAY08%hX`SrX_cN z{^qvi{rP+KdG0cv?Vwq@Wq__ij%s@E{f*90Z!Q9R;9TYN<%P^mUbhk@<&j}R4Oi^h zeed-Ro#$Dsvhd60Zs{kc@F2)eo8B<6pelptQ-iw0kE$xnDlPc2hh+5vi9O7yz+=Vu zL@>R{{# zF3D~-tk9QQ@VCKd>=O>G={|EAI5<3)z+CS=k&*s75z;tA742+zo$XMUTXwrzEoV&6 z$L7dlvOn>Px!0$V++3<*B87T|*UHC>r~$=w4h6_H?EbMT?gV1+^UfG7OZvsjFi9R?g25JwYMe z@f6^yp^D*v)w@`5X|MiF;c<2s+OBZidHs|BZ{s>;G+x5BpWvuG1er7TK@N;vQAeW_ zj8XSDd9Y2dzv-5T)*3RId`1|E`5}=43`@10k{7C0jNmGVNZ4sATW0i^JN`}-s!;TG z-sbJ#6EU2tf!keCyUg9ou7zN!K}Go6>v4V2rGeXTP{s|sK~=vysH!S!a+#_a7W64&&06lmS<8v<-Xta+-Y z2ybp``|?CAZbHa+Pe%9oj}_Dvt2YV;1p=56T=st<4#3ZwyE2H+uV~DrxDWF3dDK4> z7|8cyKQn|K+)_Ttpq)TI%-M!h_@WzXO7q${x0v2>SxQxt9Qalu*raVJ{e zz%DaC)Cv{#QD{!huHx@I( zmOxkPgAaN*DaMtew2DPiJ4pXJfROPp7`RYAyB{oMw6-Tey1qdZJ3p`!&Ltcjy%_TP z8PhMF7Ic39V(AnqaQ!TBGlJ=x>#|iQ>Q(MeUaLF1>8zdc(rFRyh$b9Pd%qiFw@%(N zXn~a;?6+5fX^3w42^U(m^s3wi)$ttX>S3(7jytu4*i;Cp$nmNNT@Y~!f2kt$9zoS` zYh*Rz?@?EjTlnyKJB@BvIqn@@yZ?a#8vtv%3ugdG14F!O*WkbZHDbQz7WUJ!8=yZv|D0jajJVi`F4*B)Hk^IG_W z*RzTijv(eLwA^(ZCTQRCiN-k3+P_iBgstWHD@_#|X689jnUl)iOK^Al+OXM=1E=Ev zVtKNPXh!ZjLG6AlF%cCmZJARwAYXE3o7A$kZLotd&Q$bH;8PV>46AE7_bH}V2!jD% zA3CJ$+wr_P7Z;KHGP`|pTs6qAMjwuORXgWe*xIn!^AO~hcv{c>CHp|^M(7UvA}s7W zcWs>V9ebFS3B{&2GC@IXo;1B>_#>8gDud+EhsL&YfPgp)z6>;1t?b?1flk9!o+Cbp zV$(boEA)2t`Ca#Te)g_YYUmfeJjdQvla^UB(tW2}Rfkl=G&S$ApR3Wj?BD&PFZ#+E z@Ml%kGPKg%)8c+TV$l>OdvBONb)?Lio)Dg4Ko8Pc5>{ zke@T8BI#+`7KacWw zjmc%dPN&9OsGH$4z@ljnSL>KIU!J~dc+awZasp*gr8P<4f)CNDhD)d@`S2;9x9c$HIC8Ijn679n+Z>JmqyS+kwK9ZZg6!yW0o;I zb%$QJ6!I`ce8=n&nndB)L~AwZ^y+btK>$)-UNF=jGMI9Hg9Bb_?D6$kxO;f+%;MxEb2cdqe`}! znhdP9JmUZyxrZi+;=;Tt+C!DmB*+@MYUl3sm5%m$v!z%a~>wJy2N_;tXvvqM&K z%n}KoIDiYMYCAs8*5otwWw2ewvzA?Tv6U`ndHV2U2SEOUH0UN7!f;0R<+ZN_rGxxP z42IEk)b~E5BLzO}Pb?A-cT2@`=BLCvbKY)0)u7BydU}w2qVxD7cQ79YC2T zPNXCDWP<^=O4f6JQarQfS8hu(DZGRfH~hd`L?Z#o8lkg_+V%*OsVWlq9F)erfmYD%jL}8e$BODrf{dK44FaDj(I!8q`Gz ziR=QL8!3Vf7A+(dyzE?)`etk7kNJG`w6jY}x(ZG~LRQDOmqkwZele9*_V-syCM6;1k`CE;W%Ds=Y$y zWpWXcc0R9{4C>WQD9ML(c<32UMQ3tkOfz!Ba&Z)4SZ8$#Q0{ZgwaBX0sMuq}cCo;A zI=C6OBe$=CwoQbLOE!6$^tUIfaN|OrpK}xjNW;QOCOUK-#!{1S0D>0U{a54BK%r+) ztfhc4INO7Hv1pC-LvR0P}WiNs2rTFGpw?e`6M8&~mLJ2uFX?4m=);O~$-V3)@$Q*Uf0j5_-QGKyooszYM2KvmrD`nSH-O7+$si=(ZDdjE_W`J;QX9{IVoptx9J!O&}U zj4L@)<}n+=5$0s`FKmG~!#uC&;6GQTm(+HJEeXV@Stl)$c6ih`^LA^EU?phw)MGa2 z5sn&(NtFsNn+HvtqYR82GENuE8g!If}ja}Bn7lY5_aEzaSKnT~{mDSB$0*&Q=% z%_lGOo_kE@YpCXVMN>Q}SHkNn^hV)>Z2?0Gt}!XLa~kJ9CW?MF#^hB%4!n%639ZuA zodFX0V!YTwB9072%HFo$1RZ#K3OzWrOijMK^qusxJ&VVYY_}Ak>{#4aQD;I}0#0fo zP5*Ij_I$~w=$OpiFy7a^mzyf*fW~~ip>Z%V1$IMd;S4gln1iQd)mO=#dPtSXQyf;? z$8tY=QKgwN@?cAJ^c%nX{t_|YMKb8>KXjB&ebZL zwhf~l&wJ4(ESE)WuBu+f3UmTFf0>ZG+s*1FJv(?!Ljg) zx5GsG#_7zAAzclyBBD{k!)yf1(%Kv|zcDhNgWE6_rKnQj7QcFmJ{20XruELCMEx+E z@E6I2SFO^npIg8hq0MI?QvbZe!9#!f+i8JW%^~K1SKVyt7q{D*DnY|^$+VBY$p^19 z{x9qQdI0KypD#5J{@o8_5`EBrg2Bj3t4P&K Hn1%cw??H&q From 6f8a0f2a68c8132b5173720d3354618d488aa4d4 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 13 Jul 2016 16:46:50 +0100 Subject: [PATCH 43/57] Update release docs --- docs/topics/3.4-announcement.md | 22 ++++++++++++++++++++-- 1 file changed, 20 insertions(+), 2 deletions(-) diff --git a/docs/topics/3.4-announcement.md b/docs/topics/3.4-announcement.md index d3af44298..6dd668a63 100644 --- a/docs/topics/3.4-announcement.md +++ b/docs/topics/3.4-announcement.md @@ -119,7 +119,7 @@ The following versions of Python and Django are now supported: The 3.4 release includes very limited deprecation or behavioral changes, and should present a straightforward upgrade. -#### Use fields or exclude on serializer classes. +### Use fields or exclude on serializer classes. The following change in 3.3.0 is now escalated from "pending deprecation" to "deprecated". Its usage will continue to function but will raise warnings: @@ -128,7 +128,7 @@ The following change in 3.3.0 is now escalated from "pending deprecation" to option, or an `exclude` option. The `fields = '__all__'` shortcut may be used to explicitly include all fields. -#### Microsecond precision when returning time or datetime +### Microsecond precision when returning time or datetime. Using the default JSON renderer and directly returning a `datetime` or `time` instance will now render with microsecond precision (6 digits), rather than @@ -145,6 +145,22 @@ and `TIME_FORMAT` settings. The renderer behavior can be modified by setting a custom `encoder_class` attribute on a `JSONRenderer` subclass. +### Relational choices no longer displayed in OPTIONS requests. + +Making an `OPTIONS` request to views that have a serializer choice field +will result in a list of the available choices being returned in the response. + +In cases where there is a relational field, the previous behavior would be +to return a list of available instances to choose from for that relational field. + +In order to minimise exposed information the behavior now is to *not* return +choices information for relational fields. + +If you want to override this new behavior you'll need to [implement a custom +metadata class][metadata]. + +See [issue #3751][gh3751] for more information on this behavioral change. + --- ## Other improvements @@ -170,3 +186,5 @@ The full set of itemized release notes [are available here][release-notes]. [api-clients]: api-clients.md [milestone]: https://github.com/tomchristie/django-rest-framework/milestone/35 [release-notes]: release-notes#34 +[metadata]: ../../api-guide/metadata/#custom-metadata-classes +[gh3751]: https://github.com/tomchristie/django-rest-framework/issues/3751 From 06751f85487e0f753ce59e4773e38c622782463a Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Wed, 13 Jul 2016 16:59:15 +0100 Subject: [PATCH 44/57] Minor docs tweaks --- README.md | 2 +- docs/topics/3.4-announcement.md | 4 ++++ 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/README.md b/README.md index 7be1b9880..a8e1afbf1 100644 --- a/README.md +++ b/README.md @@ -52,7 +52,7 @@ There is a live example API for testing purposes, [available here][sandbox]. # Requirements * Python (2.7, 3.2, 3.3, 3.4, 3.5) -* Django (1.8, 1.9) +* Django (1.8, 1.9, 1.10) # Installation diff --git a/docs/topics/3.4-announcement.md b/docs/topics/3.4-announcement.md index 6dd668a63..69343c75e 100644 --- a/docs/topics/3.4-announcement.md +++ b/docs/topics/3.4-announcement.md @@ -77,6 +77,10 @@ the benefits of RESTful Web API design. We're expecting to expand the range of languages that we provide client libraries for over the coming months. +Further work on maturing the API schema support is also planned, including +documentation on supporting file upload and download, and improved support for +documentation generation and parameter annotation. + --- Current support for schema formats is as follows: From df33035a3c10934f153bc5a43042cf78a3dfce52 Mon Sep 17 00:00:00 2001 From: Rashid Al Abri Date: Thu, 14 Jul 2016 15:28:28 +0400 Subject: [PATCH 45/57] Change incorrect example URL (#4261) Changed http://example.com/api/items/4/.json to http://example.com/api/items/4.json --- docs/tutorial/2-requests-and-responses.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/tutorial/2-requests-and-responses.md b/docs/tutorial/2-requests-and-responses.md index 7a12cb5d3..5c020a1f7 100644 --- a/docs/tutorial/2-requests-and-responses.md +++ b/docs/tutorial/2-requests-and-responses.md @@ -96,7 +96,7 @@ Notice that we're no longer explicitly tying our requests or responses to a give ## Adding optional format suffixes to our URLs -To take advantage of the fact that our responses are no longer hardwired to a single content type let's add support for format suffixes to our API endpoints. Using format suffixes gives us URLs that explicitly refer to a given format, and means our API will be able to handle URLs such as [http://example.com/api/items/4/.json][json-url]. +To take advantage of the fact that our responses are no longer hardwired to a single content type let's add support for format suffixes to our API endpoints. Using format suffixes gives us URLs that explicitly refer to a given format, and means our API will be able to handle URLs such as [http://example.com/api/items/4.json][json-url]. Start by adding a `format` keyword argument to both of the views, like so. @@ -202,7 +202,7 @@ See the [browsable api][browsable-api] topic for more information about the brow In [tutorial part 3][tut-3], we'll start using class-based views, and see how generic views reduce the amount of code we need to write. -[json-url]: http://example.com/api/items/4/.json +[json-url]: http://example.com/api/items/4.json [devserver]: http://127.0.0.1:8000/snippets/ [browsable-api]: ../topics/browsable-api.md [tut-1]: 1-serialization.md From 5dd3d1b5d9dcbecf960e484eba9945964418a647 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 14 Jul 2016 12:29:37 +0100 Subject: [PATCH 46/57] Update coreapi version in docs --- docs/index.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/index.md b/docs/index.md index ccf7a7cd4..f64056cd8 100644 --- a/docs/index.md +++ b/docs/index.md @@ -91,7 +91,7 @@ REST framework requires the following: The following packages are optional: -* [coreapi][coreapi] (1.31.0+) - Schema generation support. +* [coreapi][coreapi] (1.32.0+) - Schema generation support. * [Markdown][markdown] (2.1.0+) - Markdown support for the browsable API. * [django-filter][django-filter] (0.9.2+) - Filtering support. * [django-crispy-forms][django-crispy-forms] - Improved HTML display for filtering. From aa40c58381ed562aafa1969f2d23d90d89f78191 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 14 Jul 2016 12:33:54 +0100 Subject: [PATCH 47/57] Note 'coreapi dump' command --- docs/topics/api-clients.md | 16 +++++++++++----- 1 file changed, 11 insertions(+), 5 deletions(-) diff --git a/docs/topics/api-clients.md b/docs/topics/api-clients.md index 25b0c6145..f17f5e4d4 100644 --- a/docs/topics/api-clients.md +++ b/docs/topics/api-clients.md @@ -161,15 +161,17 @@ credentials --help` or `coreapi headers --help`. ## Codecs By default the command line client only includes support for reading Core JSON -schemas, however it for installing additional codecs. +schemas, however it includes a plugin system for installing additional codecs. $ pip install openapi-codec jsonhyperschema-codec hal-codec $ coreapi codecs show Codecs - corejson "application/vnd.coreapi+json" - openapi "application/openapi+json" - jsonhyperschema "application/schema+json" - hal "application/hal+json" + corejson application/vnd.coreapi+json encoding, decoding + hal application/hal+json encoding, decoding + openapi application/openapi+json encoding, decoding + jsonhyperschema application/schema+json decoding + json application/json data + text text/* data ## Utilities @@ -202,6 +204,10 @@ To load a schema file from disk: $ coreapi load my-api-schema.json --format corejson +To dump the current document to console in a given format: + + $ coreapi dump --format openapi + To remove the current document, along with all currently saved history, credentials, headers and bookmarks: From a9218e460f9569a630e0f86f38349cb3e73ca626 Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 14 Jul 2016 12:44:13 +0100 Subject: [PATCH 48/57] Minor tutorial updates --- .../5-relationships-and-hyperlinked-apis.md | 6 +++--- docs/tutorial/7-schemas-and-client-libraries.md | 13 +++++++++---- 2 files changed, 12 insertions(+), 7 deletions(-) diff --git a/docs/tutorial/5-relationships-and-hyperlinked-apis.md b/docs/tutorial/5-relationships-and-hyperlinked-apis.md index 4b9347bfa..8cda09c62 100644 --- a/docs/tutorial/5-relationships-and-hyperlinked-apis.md +++ b/docs/tutorial/5-relationships-and-hyperlinked-apis.md @@ -18,7 +18,7 @@ Right now we have endpoints for 'snippets' and 'users', but we don't have a sing 'snippets': reverse('snippet-list', request=request, format=format) }) -Two things should be noticed here. First, we're using REST framework's `reverse` function in order to return fully-qualified URLs; second, URL patterns are identified by convenience names that we will declare later on in our `snippets/urls.py`. +Two things should be noticed here. First, we're using REST framework's `reverse` function in order to return fully-qualified URLs; second, URL patterns are identified by convenience names that we will declare later on in our `snippets/urls.py`. ## Creating an endpoint for the highlighted snippets @@ -80,7 +80,7 @@ We can easily re-write our existing serializers to use hyperlinking. In your `sn class Meta: model = Snippet - fields = ('url', 'highlight', 'owner', + fields = ('url', 'pk', 'highlight', 'owner', 'title', 'code', 'linenos', 'language', 'style') @@ -89,7 +89,7 @@ We can easily re-write our existing serializers to use hyperlinking. In your `sn class Meta: model = User - fields = ('url', 'username', 'snippets') + fields = ('url', 'pk', 'username', 'snippets') Notice that we've also added a new `'highlight'` field. This field is of the same type as the `url` field, except that it points to the `'snippet-highlight'` url pattern, instead of the `'snippet-detail'` url pattern. diff --git a/docs/tutorial/7-schemas-and-client-libraries.md b/docs/tutorial/7-schemas-and-client-libraries.md index 8d772a5bf..c2141489c 100644 --- a/docs/tutorial/7-schemas-and-client-libraries.md +++ b/docs/tutorial/7-schemas-and-client-libraries.md @@ -67,9 +67,13 @@ also supported. Now that our API is exposing a schema endpoint, we can use a dynamic client library to interact with the API. To demonstrate this, let's use the -Core API command line client. We've already installed the `coreapi` package -using `pip`, so the client tool should already be installed. Check that it -is available on the command line... +Core API command line client. + +The command line client is available as the `coreapi-cli` package: + + $ pip install coreapi-cli + +Now check that it is available on the command line... $ coreapi Usage: coreapi [OPTIONS] COMMAND [ARGS]... @@ -108,6 +112,7 @@ Let's try listing the existing snippets, using the command line client: [ { "url": "http://127.0.0.1:8000/snippets/1/", + "pk": 1, "highlight": "http://127.0.0.1:8000/snippets/1/highlight/", "owner": "lucy", "title": "Example", @@ -166,7 +171,7 @@ snippet: $ coreapi action snippets create --param title "Example" --param code "print('hello, world')" { "url": "http://127.0.0.1:8000/snippets/7/", - "id": 7, + "pk": 7, "highlight": "http://127.0.0.1:8000/snippets/7/highlight/", "owner": "lucy", "title": "Example", From 70e4a43ae3a03b6cf67133c1bb61cf13d0b25a6c Mon Sep 17 00:00:00 2001 From: Tom Christie Date: Thu, 14 Jul 2016 12:56:57 +0100 Subject: [PATCH 49/57] Update coreapi requirement --- requirements/requirements-optionals.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/requirements/requirements-optionals.txt b/requirements/requirements-optionals.txt index 54c080491..20436e6b4 100644 --- a/requirements/requirements-optionals.txt +++ b/requirements/requirements-optionals.txt @@ -2,4 +2,4 @@ markdown==2.6.4 django-guardian==1.4.3 django-filter==0.13.0 -coreapi==1.21.1 +coreapi==1.32.0 From faf6f226cd001648fc421eea62e7cadcc14597f1 Mon Sep 17 00:00:00 2001 From: anoopmalav Date: Thu, 14 Jul 2016 22:57:38 +0530 Subject: [PATCH 50/57] Fix Typo in index.md Currently generating invalid URL at index page. http://www.django-rest-framework.org/'api-guide/schemas.md' Though it is correct in navigation. --- docs/index.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/index.md b/docs/index.md index f64056cd8..87e013b8e 100644 --- a/docs/index.md +++ b/docs/index.md @@ -346,7 +346,7 @@ OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. [versioning]: api-guide/versioning.md [contentnegotiation]: api-guide/content-negotiation.md [metadata]: api-guide/metadata.md -[schemas]: 'api-guide/schemas.md' +[schemas]: api-guide/schemas.md [formatsuffixes]: api-guide/format-suffixes.md [reverse]: api-guide/reverse.md [exceptions]: api-guide/exceptions.md From 1a65f72f71e7b4d0e776695fe11800e499af3d44 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Germ=C3=A1n=20Larra=C3=ADn?= Date: Fri, 15 Jul 2016 14:34:27 -0400 Subject: [PATCH 51/57] docs.settings: fix name of `VERSION_PARAM` --- docs/api-guide/settings.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/api-guide/settings.md b/docs/api-guide/settings.md index a73c6c16d..ea018053f 100644 --- a/docs/api-guide/settings.md +++ b/docs/api-guide/settings.md @@ -181,7 +181,7 @@ If set, this value will restrict the set of versions that may be returned by the Default: `None` -#### VERSION_PARAMETER +#### VERSION_PARAM The string that should used for any versioning parameters, such as in the media type or URL query parameters. From a436515196de60ea75ffa39b14a4a82551b79428 Mon Sep 17 00:00:00 2001 From: Aymeric Augustin Date: Sat, 16 Jul 2016 22:44:49 +0200 Subject: [PATCH 52/57] Add missing return statement. Fix #4272. --- rest_framework/compat.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rest_framework/compat.py b/rest_framework/compat.py index 9c69eaa03..94f64265a 100644 --- a/rest_framework/compat.py +++ b/rest_framework/compat.py @@ -125,7 +125,7 @@ def get_related_model(field): def value_from_object(field, obj): if django.VERSION < (1, 9): return field._get_val_from_obj(obj) - field.value_from_object(obj) + return field.value_from_object(obj) # contrib.postgres only supported from 1.8 onwards. From bea243a0cadc36b481a36931f29e4c321f54a36b Mon Sep 17 00:00:00 2001 From: Xavier Ordoquy Date: Mon, 18 Jul 2016 16:56:36 +0200 Subject: [PATCH 53/57] Fix coreapi param arguments. (#4274) --- docs/tutorial/7-schemas-and-client-libraries.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/docs/tutorial/7-schemas-and-client-libraries.md b/docs/tutorial/7-schemas-and-client-libraries.md index c2141489c..77cfdd3b3 100644 --- a/docs/tutorial/7-schemas-and-client-libraries.md +++ b/docs/tutorial/7-schemas-and-client-libraries.md @@ -126,7 +126,7 @@ Let's try listing the existing snippets, using the command line client: Some of the API endpoints require named parameters. For example, to get back the highlight HTML for a particular snippet we need to provide an id. - $ coreapi action snippets highlight --param pk 1 + $ coreapi action snippets highlight --param pk=1 @@ -168,7 +168,7 @@ set of available interactions. We're now able to interact with these endpoints. For example, to create a new snippet: - $ coreapi action snippets create --param title "Example" --param code "print('hello, world')" + $ coreapi action snippets create --param title="Example" --param code="print('hello, world')" { "url": "http://127.0.0.1:8000/snippets/7/", "pk": 7, @@ -183,7 +183,7 @@ snippet: And to delete a snippet: - $ coreapi action snippets destroy --param pk 7 + $ coreapi action snippets destroy --param pk=7 As well as the command line client, developers can also interact with your API using client libraries. The Python client library is the first of these From d80b0eaead9c36c86577f8a0d759e34204b8ea37 Mon Sep 17 00:00:00 2001 From: Marc Gibbons Date: Mon, 18 Jul 2016 11:04:23 -0400 Subject: [PATCH 54/57] Update schema generator example (#4267) 1. The returns from the views needs to be a Response 2. I found that instantiating the generator at the module level caused an import error when starting Django, likely because it is executing before all the app load magic happened. Moving it into the view method solved this. --- docs/api-guide/schemas.md | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/docs/api-guide/schemas.md b/docs/api-guide/schemas.md index b39c35fa0..9d4dce93f 100644 --- a/docs/api-guide/schemas.md +++ b/docs/api-guide/schemas.md @@ -157,14 +157,14 @@ return the schema. **views.py:** from rest_framework.decorators import api_view, renderer_classes - from rest_framework import renderers, schemas + from rest_framework import renderers, response, schemas - generator = schemas.SchemaGenerator(title='Bookings API') @api_view() @renderer_classes([renderers.CoreJSONRenderer]) def schema_view(request): - return generator.get_schema() + generator = schemas.SchemaGenerator(title='Bookings API') + return response.Response(generator.get_schema()) **urls.py:** @@ -185,7 +185,8 @@ you need to pass the `request` argument to the `get_schema()` method, like so: @api_view() @renderer_classes([renderers.CoreJSONRenderer]) def schema_view(request): - return generator.get_schema(request=request) + generator = schemas.SchemaGenerator(title='Bookings API') + return response.Response(generator.get_schema(request=request)) ## Explicit schema definition @@ -196,7 +197,7 @@ representation. import coreapi from rest_framework.decorators import api_view, renderer_classes - from rest_framework import renderers + from rest_framework import renderers, response schema = coreapi.Document( title='Bookings API', @@ -208,7 +209,7 @@ representation. @api_view() @renderer_classes([renderers.CoreJSONRenderer]) def schema_view(request): - return schema + return response.Response(schema) ## Static schema file @@ -273,7 +274,8 @@ Returns a `coreapi.Document` instance that represents the API schema. @api_view @renderer_classes([renderers.CoreJSONRenderer]) def schema_view(request): - return generator.get_schema() + generator = schemas.SchemaGenerator(title='Bookings API') + return Response(generator.get_schema()) Arguments: From e476c222f98c4a455bf806fa05c5d70a9e0f37da Mon Sep 17 00:00:00 2001 From: Philippe Ombredanne Date: Mon, 18 Jul 2016 17:08:44 +0200 Subject: [PATCH 55/57] Add LICENSE.md to the built wheel (#4270) The wheel released on Pypi does not include the license file . The way to do this is by updating the setup.cfg accordingly --- setup.cfg | 3 +++ 1 file changed, 3 insertions(+) diff --git a/setup.cfg b/setup.cfg index 5e4090017..fd8b0682b 100644 --- a/setup.cfg +++ b/setup.cfg @@ -1,2 +1,5 @@ [wheel] universal = 1 + +[metadata] +license_file = LICENSE.md From 71cdda93993bb326b13b724b1659f20c81350cd5 Mon Sep 17 00:00:00 2001 From: Asif Saifuddin Auvi Date: Tue, 19 Jul 2016 11:31:29 +0600 Subject: [PATCH 56/57] updated minor django versions --- tox.ini | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/tox.ini b/tox.ini index 1a160a299..89655aee2 100644 --- a/tox.ini +++ b/tox.ini @@ -15,9 +15,9 @@ setenv = PYTHONDONTWRITEBYTECODE=1 PYTHONWARNINGS=once deps = - django18: Django==1.8.13 - django19: Django==1.9.7 - django110: Django==1.10b1 + django18: Django==1.8.14 + django19: Django==1.9.8 + django110: Django==1.10rc1 djangomaster: https://github.com/django/django/archive/master.tar.gz -rrequirements/requirements-testing.txt -rrequirements/requirements-optionals.txt From 02a81d33621057225d0f3d7b9e3368793f428f28 Mon Sep 17 00:00:00 2001 From: Osvaldo Santana Neto Date: Tue, 19 Jul 2016 14:15:49 -0300 Subject: [PATCH 57/57] Fix SwaggerRenderer implementation example --- docs/api-guide/schemas.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/api-guide/schemas.md b/docs/api-guide/schemas.md index 9d4dce93f..6585801e7 100644 --- a/docs/api-guide/schemas.md +++ b/docs/api-guide/schemas.md @@ -246,7 +246,7 @@ to the Open API ("Swagger") format: def render(self, data, media_type=None, renderer_context=None): codec = OpenAPICodec() - return OpenAPICodec.dump(data) + return codec.dump(data) ---