web-dev-qa-db-ja.com

Python urllib2:urlからJSON応答を受信します

Pythonを使用してURLを取得しようとしていますが、応答はJSONです。ただし、実行すると

import urllib2
response = urllib2.urlopen('https://api.instagram.com/v1/tags/pizza/media/XXXXXX')
html=response.read()
print html

Htmlはstr型であり、JSONを期待しています。 strではなくJSONまたはpython辞書として応答をキャプチャする方法はありますか。

87
Deepak B

URLが有効なJSONエンコードデータを返している場合は、 json library を使用してそれをデコードします。

import urllib2
import json

response = urllib2.urlopen('https://api.instagram.com/v1/tags/pizza/media/XXXXXX')
data = json.load(response)   
print data
178
Martijn Pieters
import json
import urllib

url = 'http://example.com/file.json'
r = urllib.request.urlopen(url)
data = json.loads(r.read().decode(r.info().get_param('charset') or 'utf-8'))
print(data)

rllib 、Python 3.4の場合
HTTPMessage 、r.info()によって返されます

35
SanalBathery

検証などに注意してください。しかし、直接的な解決策は次のとおりです。

import json
the_dict = json.load(response)
4
MostafaR
"""
Return JSON to webpage
Adding to wonderful answer by @Sanal
For Django 3.4
Adding a working url that returns a json (Source: http://www.jsontest.com/#echo)
"""

import json
import urllib

url = 'http://echo.jsontest.com/insert-key-here/insert-value-here/key/value'
respons = urllib.request.urlopen(url)
data = json.loads(respons.read().decode(respons.info().get_param('charset') or 'utf-8'))
return HttpResponse(json.dumps(data), content_type="application/json")
3
raccoon
resource_url = 'http://localhost:8080/service/'
response = json.loads(urllib2.urlopen(resource_url).read())
2
Jossef Harush

Python 3標準ライブラリワンライナー:

load(urlopen(url))

# imports (place these above the code before running it)
from json import load
from urllib.request import urlopen
url = 'https://jsonplaceholder.typicode.com/todos/1'
1
Adam

私はそれがすでに答えていると思いますが、私はこれに少し追加したいと思います

import json
import urllib2
class Website(object):
    def __init__(self,name):
        self.name = name 
    def dump(self):
     self.data= urllib2.urlopen(self.name)
     return self.data

    def convJSON(self):
         data=  json.load(self.dump())
     print data

domain = Website("https://example.com")
domain.convJSON()

注:json.load()に渡されるオブジェクトは。read()をサポートする必要があるため、rllib2.urlopen(self.name).read() =動作しません。この場合、渡されたDoaminにはプロトコルが提供される必要がありますhttp

0
Nitigya Sharma

以下のようにrequestsを使用してjsonを取得することもできます。

import requests

r = requests.get('http://yoursite.com/your-json-pfile.json')
json_response = r.json()
0
Haritsinh Gohil

これはあなたの質問に対するもう一つの簡単な解決策です

pd.read_json(data)

dataは、次のコードからのstr出力です

response = urlopen("https://data.nasa.gov/resource/y77d-th95.json")
json_data = response.read().decode('utf-8', 'replace')
0