JSONDecodeError:期望值:第1行第1列(char 0)

时间:2013-05-15 19:22:45

标签: python json api curl

我在尝试解码JSON时收到错误Expecting value: line 1 column 1 (char 0)

我用于API调用的URL在浏览器中工作正常,但在通过curl请求完成时会出现此错误。以下是我用于卷曲请求的代码。

错误发生在return simplejson.loads(response_json)

    response_json = self.web_fetch(url)
    response_json = response_json.decode('utf-8')
    return json.loads(response_json)


def web_fetch(self, url):
        buffer = StringIO()
        curl = pycurl.Curl()
        curl.setopt(curl.URL, url)
        curl.setopt(curl.TIMEOUT, self.timeout)
        curl.setopt(curl.WRITEFUNCTION, buffer.write)
        curl.perform()
        curl.close()
        response = buffer.getvalue().strip()
        return response

完整追溯:

回溯:

File "/Users/nab/Desktop/myenv2/lib/python2.7/site-packages/django/core/handlers/base.py" in get_response
  111.                         response = callback(request, *callback_args, **callback_kwargs)
File "/Users/nab/Desktop/pricestore/pricemodels/views.py" in view_category
  620.     apicall=api.API().search_parts(category_id= str(categoryofpart.api_id), manufacturer = manufacturer, filter = filters, start=(catpage-1)*20, limit=20, sort_by='[["mpn","asc"]]')
File "/Users/nab/Desktop/pricestore/pricemodels/api.py" in search_parts
  176.         return simplejson.loads(response_json)
File "/Users/nab/Desktop/myenv2/lib/python2.7/site-packages/simplejson/__init__.py" in loads
  455.         return _default_decoder.decode(s)
File "/Users/nab/Desktop/myenv2/lib/python2.7/site-packages/simplejson/decoder.py" in decode
  374.         obj, end = self.raw_decode(s)
File "/Users/nab/Desktop/myenv2/lib/python2.7/site-packages/simplejson/decoder.py" in raw_decode
  393.         return self.scan_once(s, idx=_w(s, idx).end())

Exception Type: JSONDecodeError at /pricemodels/2/dir/
Exception Value: Expecting value: line 1 column 1 (char 0)

19 个答案:

答案 0 :(得分:87)

总结评论中的对话:

  • 不需要使用simplejson库,Python中包含与json模块相同的库。

  • 无需解码从UTF8到unicode的响应,simplejson / json .loads()方法可以原生处理UTF8编码数据。

  • pycurl有一个非常古老的API。除非您有特殊要求使用它,否则有更好的选择。

requests提供最友好的API,包括JSON支持。如果可以,请用以下方式替换您的电话:

import requests

return requests.get(url).json()

答案 1 :(得分:47)

检查响应数据体,是否存在实际数据并且数据转储似乎格式正确。

在大多数情况下,您的json.loads - JSONDecodeError: Expecting value: line 1 column 1 (char 0)错误归因于:

  • 非JSON符合引用
  • XML / HTML输出(即以<开头的字符串)或
  • 不兼容的字符编码

最终错误告诉您,在第一个位置,字符串已经不符合JSON。

因此,如果解析失败,尽管乍一看有一个看起来像 JSON的数据体,请尝试替换数据体的引号:

import sys, json
struct = {}
try:
  try: #try parsing to dict
    dataform = str(response_json).strip("'<>() ").replace('\'', '\"')
    struct = json.loads(dataform)
  except:
    print repr(resonse_json)
    print sys.exc_info()

注意:数据中的引号必须正确转义

答案 2 :(得分:24)

使用requests lib JSONDecodeError可能会出现像404这样的http错误代码,并尝试将响应解析为JSON!

您必须首先检查200(确定)或让它出错才能避免这种情况。 我希望它失败的是一个不那么神秘的错误信息。

注意:正如Martijn Pieters在评论中所述,服务器可以在出现错误时响应JSON(取决于实现),因此检查Content-Type标头更可靠。< / p>

答案 3 :(得分:14)

我尝试读取json文件时遇到相同的问题

json.loads("file.json")

我解决了问题

with open("file.json", "r") as read_file:
   data = json.load(read_file)

也许这对您有帮助

答案 4 :(得分:7)

我认为值得一提的是,当您解析JSON文件本身的内容时-健全性检查对于确保您实际上在内容上调用json.loads()很有用,而不是JSON的文件路径

json_file_path = "/path/to/example.json"

with open(json_file_path, 'r') as j:
     contents = json.loads(j.read())

我有些尴尬地承认有时会发生这种情况:

contents = json.loads(json_file_path)

答案 5 :(得分:6)

我遇到了同样的问题,当打印出从json文件打开的json字符串时,发现json字符串以'开头,这是通过做一些修改导致的,这是由于默认情况下文件是使用UTF- 8,通过将编码更改为utf-8-sig,可以将标记删除,并加载json没问题:

open('test.json', encoding='utf-8-sig')

答案 6 :(得分:3)

即使在调用decode()之后,也可能存在嵌入0。使用replace():

import json
struct = {}
try:
    response_json = response_json.decode('utf-8').replace('\0', '')
    struct = json.loads(response_json)
except:
    print('bad json: ', response_json)
return struct

答案 7 :(得分:3)

我收到这个错误是因为我的 json 文件是空的。

答案 8 :(得分:3)

我遇到了同样的问题,就我而言,我是这样解决的:

import json

with open("migrate.json", "rb") as read_file:
   data = json.load(read_file)

答案 9 :(得分:2)

只需检查请求的状态码是否为200。例如:

if status != 200:
    print("An error has occured. [Status code", status, "]")
else:
    data = response.json() #Only convert to Json when status is OK.
    if not data["elements"]:
        print("Empty JSON")
    else:
        "You can extract data here"

答案 10 :(得分:1)

使用请求,我遇到了这个问题。 感谢Christophe Roussy的解释。

要调试,我使用了:

response = requests.get(url)
logger.info(type(response))

我从API返回了404响应。

答案 11 :(得分:1)

检查文件的编码格式,并在读取文件时使用相应的编码格式。它将解决您的问题。

with open("AB.json",encoding='utf-16', errors='ignore') as json_data:
     data = json.load(json_data, strict=False)

答案 12 :(得分:1)

很多时候,这是因为您要解析的字符串为空:

=if(B6+C6>0.749,true, false)

您可以通过事先检查>>> import json >>> x = json.loads("") Traceback (most recent call last): File "<stdin>", line 1, in <module> File "/usr/local/Cellar/python/3.7.3/Frameworks/Python.framework/Versions/3.7/lib/python3.7/json/__init__.py", line 348, in loads return _default_decoder.decode(s) File "/usr/local/Cellar/python/3.7.3/Frameworks/Python.framework/Versions/3.7/lib/python3.7/json/decoder.py", line 337, in decode obj, end = self.raw_decode(s, idx=_w(s, 0).end()) File "/usr/local/Cellar/python/3.7.3/Frameworks/Python.framework/Versions/3.7/lib/python3.7/json/decoder.py", line 355, in raw_decode raise JSONDecodeError("Expecting value", s, err.value) from None json.decoder.JSONDecodeError: Expecting value: line 1 column 1 (char 0) 是否为空来补救:

json_string

答案 13 :(得分:1)

对我来说,这是服务器响应而不是200响应,并且响应未采用json格式。我最终在json解析之前完成了此操作:

# this is the https request for data in json format
response_json = requests.get() 

# only proceed if I have a 200 response which is saved in status_code
if (response_json.status_code == 200):  
     response = response_json.json() #converting from json to dictionary using json library

答案 14 :(得分:1)

我在基于Python的Web API的响应.text中收到这样的错误,但它导致了我的到来,因此这可能会帮助其他遇到类似问题的人(在搜索中过滤响应和请求问题非常困难使用requests ..)

在请求 json.dumps()上使用data来创建正确转义的JSON字符串,然后再为我解决该问题

requests.post(url, data=json.dumps(data))

答案 15 :(得分:0)

我做到了:

  1. 打开test.txt文件,写入数据
  2. 打开test.txt文件,读取数据

所以我没有在 1 之后关闭文件。

我添加了

outfile.close()

现在可以了

答案 16 :(得分:0)

如果您是Windows用户,则Tweepy API可以在数据对象之间生成空行。由于这种情况,您会收到“ JSONDecodeError:预期值:第1行第1列(字符0)”错误。为避免此错误,您可以删除空行。

例如:

 def on_data(self, data):
        try:
            with open('sentiment.json', 'a', newline='\n') as f:
                f.write(data)
                return True
        except BaseException as e:
            print("Error on_data: %s" % str(e))
        return True

参考: Twitter stream API gives JSONDecodeError("Expecting value", s, err.value) from None

答案 17 :(得分:0)

对我来说,它没有在请求中使用身份验证。

答案 18 :(得分:0)

我在请求(python库)时遇到了同样的问题。碰巧是accept-encoding标头。

它是这样设置的:'accept-encoding': 'gzip, deflate, br'

我只是将其从请求中删除,并停止获取错误。