我正在使用Visual Studio的Python工具,我已经设置了一个带有虚拟环境的项目,并在那里安装了Flask-RESTful。
然后,我刚刚复制了他们的hello world示例
from flask import Flask
from flask.ext.restful import reqparse, abort, Api, Resource
app = Flask(__name__)
app.debug = True
api = Api(app)
TODOS = {
'todo1': {'task': 'build an API'},
'todo2': {'task': '?????'},
'todo3': {'task': 'profit!'},
}
def abort_if_todo_doesnt_exist(todo_id):
if todo_id not in TODOS:
abort(404, message="Todo {} doesn't exist".format(todo_id))
parser = reqparse.RequestParser()
parser.add_argument('task', type=str)
# Todo
# show a single todo item and lets you delete them
class Todo(Resource):
def get(self, todo_id):
abort_if_todo_doesnt_exist(todo_id)
return TODOS[todo_id]
def delete(self, todo_id):
abort_if_todo_doesnt_exist(todo_id)
del TODOS[todo_id]
return '', 204
def put(self, todo_id):
args = parser.parse_args()
task = {'task': args['task']}
TODOS[todo_id] = task
return task, 201
# TodoList
# shows a list of all todos, and lets you POST to add new tasks
class TodoList(Resource):
def get(self):
return TODOS
def post(self):
args = parser.parse_args()
todo_id = 'todo%d' % (len(TODOS) + 1)
TODOS[todo_id] = {'task': args['task']}
return TODOS[todo_id], 201
##
## Actually setup the Api resource routing here
##
api.add_resource(TodoList, '/todos')
api.add_resource(Todo, '/todos/<string:todo_id>')
if __name__ == '__main__':
app.run(debug=True)
一切正常,如果我在开始app.run(debug=True)
之前在执行的行上设置了断点,那么它们就会被击中(F10和F11工作正常,局部变量按预期更新)
但是,我想调试处理请求时会发生什么,但是如果我在Todo
或TodoList
类的方法中添加断点,它们就永远不会被击中。我添加了代码(例如print('here')
)以查看它们是否正在处理中,并且它们......还有,它们会从浏览器打开时返回我期望的内容。
设置中是否有我遗漏的东西?
谢谢!
更新:我发现如果我将VS连接到正在运行我的代码的python.exe进程,我就可以调试这些方法......所以我想现在的问题是:我可以强制VS在启动时附加到进程,就像使用常规.NET应用程序一样吗?
答案 0 :(得分:9)
我遇到了同样的问题(但在Mac上使用PyCharm)。
我认为这与Flask在debug=True
重新加载时的方式有关。将debug设置为False允许我在视图方法中打破。
答案 1 :(得分:5)
禁用调试解决了断点命中的问题,但缺点是您无法读取异常跟踪输出。
绕过此限制的一种方法是添加:
DEBUG = False
PROPAGATE_EXCEPTIONS = True
到你的配置。
当发生异常时,浏览器仍会显示“内部服务器错误”消息,但控制台窗口将正常收到异常跟踪。