I'm using django-rest-framework (latest) for REST API, and implemented few test cases in django using built in test client.
following django test case was working fine with django version < 1.5
self.client.put('/core/accounts/%s/'% self.account.id,
data = prepare_dict(self.account),
HTTP_AUTHORIZATION=self.token)
upgraded to django 1.5, all tests are passing except tests related to HTTP PUT while looking into the issue found this @ https://docs.djangoproject.com/en/dev/releases/1.5/#options-put-and-delete-requests-in-the-test-client
If you were using the data parameter in a PUT request without a content_type, you must encode your data before passing it to the test client and set the content_type argument.
So, updated my test to reflect this change and tried following, but still getting http 415 instead of http 200
from django.test.client import MULTIPART_CONTENT, BOUNDARY, encode_multipart
self.client.put('/core/accounts/%s/'% self.account.id,
data = encode_multipart(BOUNDARY, prepare_dict(self.account)),
content_type=MULTIPART_CONTENT,
HTTP_AUTHORIZATION=self.token)
Any idea what I'm missing? P.S: All functionality is working fine from django-rest-framework built-in web UI
You're absolutely on the right track - the breaking test in that case is certainly due to Django's change in
PUT
behavior for the test client.Your fix looks right to me, too. 415 is the "Unsupported Media Type" response, which means that the request content type wasn't something that could be handled by any of the parsers configured for the view.
Normally in case like this, that'd be due to forgetting to set the content type of the request, but it looks like you've got that correctly set to
multipart/form-data; boundary=...
Things to double check:
response.data
display as the error details?DEFAULT_PARSER_CLASSES
setting, if you have one, or what do you have set on the view attributeparser_classes
if it has one?content_type
in the test (even though it's correct here).Edit:
Thanks for your comments - that clears everything up. You've only got the JSON parser installed, but you're trying to send Form encoded data. You should either:
FormParser
andMultiPartParser
to your settings/view, so that it supports form encodings. (Note also that the defaultDEFAULT_PARSER_CLASSES
setting does include them, so if you don't set anything at all it'll work as expected)Or
json
encoding, not form encoding...data=json.dumps(prepare_dict(self.account)), content_type='application/json'
in your test case.