可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
I am trying to fetch some ids that exist in a mongo database with the following code:
client = MongoClient('xx.xx.xx.xx', xxx) db = client.test_database db = client['...'] collection = db.test_collection collection = db["..."] for cursor in collection.find({ "$and" : [{ "followers" : { "$gt" : 2000 } }, { "followers" : { "$lt" : 3000 } }, { "list_followers" : { "$exists" : False } }] }): print cursor['screenname'] print cursor['_id']['uid'] id = cursor['_id']['uid']
However, after a short while, I am receive this error:
pymongo.errors.CursorNotFound: cursor id '...' not valid at server.
I found this article which refers to that problem. Nevertheless it is not clear to me which solution to take. Is it possible to use find().batch_size(30)
? What exactly does the above command do? Can I take all the database ids using batch_size
?
回答1:
You're getting this error because the cursor is timing out on the server (after 10 minutes of inactivity).
From the pymongo documentation:
Cursors in MongoDB can timeout on the server if they’ve been open for a long time without any operations being performed on them. This can lead to an CursorNotFound exception being raised when attempting to iterate the cursor.
When you call the collection.find
method it queries a collection and it returns a cursor to the documents. To get the documents you iterate the cursor. When you iterate over the cursor the driver is actually making requests to the MongoDB server to fetch more data from the server. The amount of data returned in each request is set by the batch_size()
method.
From the documentation:
Limits the number of documents returned in one batch. Each batch requires a round trip to the server. It can be adjusted to optimize performance and limit data transfer.
The default batch size:
For most queries, the first batch returns 101 documents or just enough documents to exceed 1 megabyte. Batch size will not exceed the maximum BSON document size (16 MB).
There is no universal "right" batch size. You should test with different values and see what is the appropriate value for your use case i.e. how many documents can you process in a 10 minute window.
The last resort will be that you set timeout=False
. But you need to be sure that the cursor is closed after you finish processing the data.
回答2:
Use no_cursor_timeout=True
like this:
cursor=db.images.find({}, {'id':1, 'image_path':1, '_id':0}, no_cursor_timeout=True) for i in cursor: # ..... # ..... cursor.close() # use this or cursor keeps waiting so ur resources are used up
回答3:
You were using the cursor more than the time out (about 10 minutes) so the cursor no longer exists.
you should choose a low value of batch_size to fix the issue:
(with Pymongo for example)
col.find({}).batch_size(10)
or
set the timeout to false col.find(timeout=False)
and don't forget to close the cursor in the end.