i'm trying to do a put request to my django tastypie resource in order to update user info. Up to now, i can make post request but put is not working.
In my api.py i have this:
class UserResource(ModelResource):
class Meta:
queryset = User.objects.all()
resource_name = 'auth/user'
fields = ['username', 'email']
authentication = BasicAuthentication()
authorization = DjangoAuthorization()
filtering = {
"username": ('exact',),
}
class UserSignUpResource(ModelResource):
class Meta:
object_class = User
resource_name = 'register_user'
fields = ['username', 'email' , 'password']
allowed_methods = ['put','post']
authentication = BasicAuthentication()
authorization = DjangoAuthorization()
queryset = User.objects.all()
def obj_create(self, bundle, request=None, **kwargs):
bundle = super(UserSignUpResource, self).obj_create(bundle)
And to test i'me using this:
import urllib2, json
def post():
def basic_authorization(user, password):
s = user + ":" + password
return "Basic " + s.encode("base64").rstrip()
data = json.dumps({'username':'david_000', 'email':'davidupdat@gmail.com', 'password':'xxx','provider':'twitter','extra_data':{'access_token':'xxx','id':'xxx'}})
req = urllib2.Request("http://192.168.1.114:8080/api/stats/register_user/",
headers = {"Authorization": basic_authorization("xxx","xxx"),"Content-Type": "application/json"}, data = data)
req.get_method = lambda:'PUT'
f = urllib2.urlopen(req)
post()
I'm getting this error:
Traceback (most recent call last):
File "test.py", line 18, in <module>
post()
File "test.py", line 16, in post
f = urllib2.urlopen(req)
File "/usr/lib/python2.7/urllib2.py", line 126, in urlopen
return _opener.open(url, data, timeout)
File "/usr/lib/python2.7/urllib2.py", line 406, in open
response = meth(req, response)
File "/usr/lib/python2.7/urllib2.py", line 519, in http_response
'http', request, response, code, msg, hdrs)
File "/usr/lib/python2.7/urllib2.py", line 444, in error
return self._call_chain(*args)
File "/usr/lib/python2.7/urllib2.py", line 378, in _call_chain
result = func(*args)
File "/usr/lib/python2.7/urllib2.py", line 527, in http_error_default
raise HTTPError(req.get_full_url(), code, msg, hdrs, fp)
urllib2.HTTPError: HTTP Error 400: BAD REQUEST
UPDATE:
i try this, but it gives me the same error:
def obj_update(self, bundle, request=None, **kwargs):
bundle = super(UserSignUpResource, self).obj_update(bundle)
Any idea? Thanks in Advance!
This is because you are trying to issue a put request, but put request goes for update record and not a creating new one. Tastypie will try to execute obj_update method and it expects to be executed on some instance. But you are making request to register_user/ url which is obviously is not an object instance, so it doesnt make a sense at all to use put request for this url. PUT is for updating, not creating.
I just solve it with some modifications. Using hydrate method i can catch the request method (like put ou post) and process my requests. Like this:
class UserResource(ModelResource):
class Meta:
queryset = User.objects.all()
resource_name = 'auth/user'
fields = ['username', 'email','password','extra_data','provider']
authentication = BasicAuthentication()
authorization = DjangoAuthorization()
filtering = {
"username": ('exact',),
}
def prepend_urls(self):
return [
url(r"^(?P<resource_name>%s)/(?P<username>[\w\d_.-]+)/$" % self._meta.resource_name, self.wrap_view('dispatch_detail'), name="api_dispatch_detail"),
]
def hydrate(self, bundle):
request_method=bundle.request.META['REQUEST_METHOD']
if request_method=='POST':
#do something if you want
elif request_method=='PUT':
#do something if you want
return bundle
And to test i've created a python file with this:
def basic_authorization(user, password):
s = user + ":" + password
return "Basic " + s.encode("base64").rstrip()
url = 'http://192.168.1.114:8080/api/stats/auth/user/david/'
payload = {'username':'david', 'email':'david__@gmail.com', 'password':'xxxx','provider':'twitter','extra_data': {'access_token':'xxxx','id':'xxx'}}
headers = {'content-type': 'application/json'}
r = requests.put(url, data=json.dumps(payload), headers=headers, auth=HTTPBasicAuth('xxx', 'xxx'))
print r.status_code
print r.history
print r.content
post()
And it worked!
来源:https://stackoverflow.com/questions/16567608/put-request-to-django-tastypie-resource-not-working