Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

TypeError: b'1' is not JSON serializable

I am trying to send a POST request as JSON.

*email variable is of type "bytes"

def request_to_SEND(email, index):
    url = "....."
    data = {
        "body": email.decode('utf-8'),
        "query_id": index,
        "debug": 1,
        "client_id": "1",
        "campaign_id": 1,
        "meta": {"content_type": "mime"}
    }
    headers = {'Content-type': 'application/json'}

    try:
        response = requests.post(url, data=json.dumps(data), headers=headers)
    except requests.ConnectionError:
        sys.exit()

    return response

I get the error:

 File "C:\Python34\lib\json\encoder.py", line 173, in default
    raise TypeError(repr(o) + " is not JSON serializable")
TypeError: b'1' is not JSON serializable

Could you please tell me what is it that I am doing wrong?

like image 987
Teodora Avatar asked Jun 23 '14 15:06

Teodora


People also ask

Is not a JSON serializable?

The Python "TypeError: Object of type function is not JSON serializable" occurs when we try to serialize a function to JSON. To solve the error, make sure to call the function and serialize the object that the function returns.

Is not JSON serializable Python error?

The Python "TypeError: Object of type dict_items is not JSON serializable" occurs when we try to convert a dict_items object to JSON. To solve the error, convert the dict to JSON or pass the dict_items object to the list() class before the conversion to JSON.

What is JSON serializable in Python?

Serialization is the process of transforming objects of complex data types (custom-defined classes, object-relational mappers, datetime, etc.) to native data types so that they can then be easily converted to JSON notation.


1 Answers

This is happening because you're passing a bytes object in the data dict (b'1', specifically), probably as the value of index. You need to decode it to a str object before json.dumps can work with it:

data = {     "body": email.decode('utf-8'),     "query_id": index.decode('utf-8'),  # decode it here     "debug": 1,     "client_id": "1",     "campaign_id": 1,     "meta": {"content_type": "mime"} } 
like image 121
dano Avatar answered Sep 21 '22 12:09

dano