web-dev-qa-db-ja.com

POSTリクエストをJSONとして送信するにはどうすればよいですか?

data = {
        'ids': [12, 3, 4, 5, 6 , ...]
    }
    urllib2.urlopen("http://abc.com/api/posts/create",urllib.urlencode(data))

POSTリクエストを送信したいのですが、フィールドの1つは数字のリストでなければなりません。どうやってやるの ? (JSON?)

94
TIMEX

サーバーでPOSTリクエストがjsonであると予想される場合、ヘッダーを追加し、リクエストのデータをシリアル化する必要があります...

Python 2.x

import json
import urllib2

data = {
        'ids': [12, 3, 4, 5, 6]
}

req = urllib2.Request('http://example.com/api/posts/create')
req.add_header('Content-Type', 'application/json')

response = urllib2.urlopen(req, json.dumps(data))

Python 3.x

https://stackoverflow.com/a/26876308/496445


ヘッダーを指定しない場合、デフォルトのapplication/x-www-form-urlencodedタイプになります。

146
jdi

信じられないほどのrequestsモジュールを使用することをお勧めします。

http://docs.python-requests.org/en/v0.10.7/user/quickstart/#custom-headers

url = 'https://api.github.com/some/endpoint'
payload = {'some': 'data'}
headers = {'content-type': 'application/json'}

response = requests.post(url, data=json.dumps(payload), headers=headers)
101
FogleBird

for python 3.4.2次のように動作することがわかりました。

import urllib.request
import json      

body = {'ids': [12, 14, 50]}  

myurl = "http://www.testmycode.com"
req = urllib.request.Request(myurl)
req.add_header('Content-Type', 'application/json; charset=utf-8')
jsondata = json.dumps(body)
jsondataasbytes = jsondata.encode('utf-8')   # needs to be bytes
req.add_header('Content-Length', len(jsondataasbytes))
print (jsondataasbytes)
response = urllib.request.urlopen(req, jsondataasbytes)
50
mike gold

これはPython 3.5に最適です。URLにクエリ文字列/パラメータ値が含まれている場合、

リクエストURL = https://bah2.com/ws/rest/v1/concept/
パラメータ値= 21f6bb43-98a1-419d-8f0c-8133669e40ca

import requests

url = 'https://bahbah2.com/ws/rest/v1/concept/21f6bb43-98a1-419d-8f0c-8133669e40ca'
data = {"name": "Value"}
r = requests.post(url, auth=('username', 'password'), verify=False, json=data)
print(r.status_code)
14
MAX

ヘッダーを追加する必要があります。そうしないと、http 400エラーが表示されます。コードはpython2.6、centos5.4でうまく機能します

コード:

    import urllib2,json

    url = 'http://www.google.com/someservice'
    postdata = {'key':'value'}

    req = urllib2.Request(url)
    req.add_header('Content-Type','application/json')
    data = json.dumps(postdata)

    response = urllib2.urlopen(req,data)
4
YuanYe

以下は、Python標準ライブラリのurllib.requestオブジェクトの使用例です。

import urllib.request
import json
from pprint import pprint

url = "https://app.close.com/hackwithus/3d63efa04a08a9e0/"

values = {
    "first_name": "Vlad",
    "last_name": "Bezden",
    "urls": [
        "https://Twitter.com/VladBezden",
        "https://github.com/vlad-bezden",
    ],
}


headers = {
    "Content-Type": "application/json",
    "Accept": "application/json",
}

data = json.dumps(values).encode("utf-8")
pprint(data)

try:
    req = urllib.request.Request(url, data, headers)
    with urllib.request.urlopen(req) as f:
        res = f.read()
    pprint(res.decode())
except Exception as e:
    pprint(e)
0
Vlad Bezden