我编写了以下简化的代码版本:

from sys import exit
from tornado.ioloop import IOLoop
from tornado.gen import coroutine
from pymongo.errors import CollectionInvalid
from motor import MotorClient


client = MotorClient()
db = client.db_test
coll_name = 'coll_test'
coll = db[coll_name]
cursor = None


@coroutine
def stop():
    yield cursor.close()
    client.disconnect()
    IOLoop.current().stop()
    exit()


@coroutine
def create_cursor():
    global cursor

    try:
        yield db.create_collection(coll_name, capped=True, size=1000000)

    except CollectionInvalid:
        print('Database alredy exists!')

    yield coll.save({})
    yield coll.save({})
    cursor = coll.find(tailable=True, await_data=True)
    yield cursor.fetch_next
    cursor.next_object()

if __name__ == "__main__":
    IOLoop.current().spawn_callback(create_cursor)
    IOLoop.current().call_later(10, stop)
    IOLoop.current().start()


当我运行它时,随机出现以下两个错误之一或其中之一:

Exception ignored in: <bound method MotorCursor.__del__ of MotorCursor(<pymongo.cursor.Cursor object at 0x7fd3a31e5400>)>
Traceback (most recent call last):
  File "./env/lib/python3.4/site-packages/motor/__init__.py", line 1798, in __del__
TypeError: 'NoneType' object is not callable




Exception ignored in: <bound method MotorCursor.__del__ of MotorCursor(<pymongo.cursor.Cursor object at 0x7f4bea529c50>)>
Traceback (most recent call last):
  File "./env/lib/python3.4/site-packages/motor/__init__.py", line 1803, in __del__
  File "./env/lib/python3.4/site-packages/motor/__init__.py", line 631, in wrapper
  File "./env/lib/python3.4/site-packages/tornado/gen.py", line 204, in wrapper
TypeError: isinstance() arg 2 must be a type or tuple of types


我正在使用Python 3.4.3,Tornado 4.1,Pymongo 2.8,Motor 0.4.1和MongoDB 2.6.3。

仅当创建游标时tailableawait_data选项为True时,才会出现此问题。

当我不关闭光标时,我也会收到Pymongo的错误。但是我认为我应该显式关闭它,因为它是可拖尾的游标。

我已经用谷歌搜索了,但是我没有运气。有什么建议么?

最佳答案

这是Motor中一个未知的错误,我已经将其跟踪并修复为MOTOR-67。您发现了几个问题。

首先,Motor游标的析构函数存在一个错误,即使您调用close后,它也会尝试向MongoDB服务器发送“ killcursors”消息。您关闭了光标,断开了客户端的连接,并退出了Python解释器。在解释器关闭期间,游标被破坏并尝试向服务器发送“ killcursors”,但是客户端已断开连接,因此操作失败并记录警告。这是我已修复的错误,将在Motor 0.6中发布。

您从具有对游标引用的函数中调用exit(),因此游标的析构函数在解释器关闭期间运行。关闭顺序复杂且不可预测;通常,析构函数在greenlet模块被销毁后运行。当游标析构函数在line 1798处调用greenlet.getcurrent()时,getcurrent函数已被设置为None,因此“ TypeError:'NoneType'对象不可调用”。

我建议不要从函数中调用“ exit()”。您对IOLoop.current().stop()的调用允许start函数返回,并且解释器可以正常退出。

关于python - 在使用可尾的MotorCursor并关闭Motor客户端连接时,为什么会忽略异常?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30315249/

10-12 16:43