My response back from MongoDB after querying an aggregated function on document using Python, It returns valid response and i can print it but can not return it.
Error:
JavaScript
x
2
1
TypeError: ObjectId('51948e86c25f4b1d1c0d303c') is not JSON serializable
2
Print:
JavaScript
1
2
1
{'result': [{'_id': ObjectId('51948e86c25f4b1d1c0d303c'), 'api_calls_with_key': 4, 'api_calls_per_day': 0.375, 'api_calls_total': 6, 'api_calls_without_key': 2}], 'ok': 1.0}
2
But When i try to return:
JavaScript
1
2
1
TypeError: ObjectId('51948e86c25f4b1d1c0d303c') is not JSON serializable
2
It is RESTfull call:
JavaScript
1
29
29
1
@appv1.route('/v1/analytics')
2
def get_api_analytics():
3
# get handle to collections in MongoDB
4
statistics = sldb.statistics
5
6
objectid = ObjectId("51948e86c25f4b1d1c0d303c")
7
8
analytics = statistics.aggregate([
9
{'$match': {'owner': objectid}},
10
{'$project': {'owner': "$owner",
11
'api_calls_with_key': {'$cond': [{'$eq': ["$apikey", None]}, 0, 1]},
12
'api_calls_without_key': {'$cond': [{'$ne': ["$apikey", None]}, 0, 1]}
13
}},
14
{'$group': {'_id': "$owner",
15
'api_calls_with_key': {'$sum': "$api_calls_with_key"},
16
'api_calls_without_key': {'$sum': "$api_calls_without_key"}
17
}},
18
{'$project': {'api_calls_with_key': "$api_calls_with_key",
19
'api_calls_without_key': "$api_calls_without_key",
20
'api_calls_total': {'$add': ["$api_calls_with_key", "$api_calls_without_key"]},
21
'api_calls_per_day': {'$divide': [{'$add': ["$api_calls_with_key", "$api_calls_without_key"]}, {'$dayOfMonth': datetime.now()}]},
22
}}
23
])
24
25
26
print(analytics)
27
28
return analytics
29
db is well connected and collection is there too and I got back valid expected result but when i try to return it gives me Json error. Any idea how to convert the response back into JSON. Thanks
Advertisement
Answer
You should define you own JSONEncoder
and using it:
JavaScript
1
11
11
1
import json
2
from bson import ObjectId
3
4
class JSONEncoder(json.JSONEncoder):
5
def default(self, o):
6
if isinstance(o, ObjectId):
7
return str(o)
8
return json.JSONEncoder.default(self, o)
9
10
JSONEncoder().encode(analytics)
11
It’s also possible to use it in the following way.
JavaScript
1
2
1
json.encode(analytics, cls=JSONEncoder)
2