欧美bbbwbbbw肥妇,免费乱码人妻系列日韩,一级黄片

詳解Flask開發(fā)技巧之異常處理

 更新時(shí)間:2021年06月15日 17:34:17   作者:luyuze95  
Flask是一個(gè)微型的Python開發(fā)的Web框架,基于Werkzeug WSGI工具箱和Jinja2 模板引擎。Flask使用BSD授權(quán)。Flask也被稱為“microframework”,因?yàn)樗褂煤唵蔚暮诵?,用extension增加其他功能。本文主要介紹了它的異常處理機(jī)制

一、Flask內(nèi)置異常處理

要想在Flask中處理好異常,有一套自己的異常處理機(jī)制,首先,我們必須先知道Flask自己是如何處理異常的。去flask的源碼里找一找會(huì)發(fā)現(xiàn),在flask源碼的app.py文件下,有很多會(huì)拋出異常的方法,其中拿一個(gè)舉例:

def handle_exception(self, e):
"""Default exception handling that kicks in when an exception
occurs that is not caught.  In debug mode the exception will
be re-raised immediately, otherwise it is logged and the handler
for a 500 internal server error is used.  If no such handler
exists, a default 500 internal server error message is displayed.

.. versionadded:: 0.3
"""
exc_type, exc_value, tb = sys.exc_info()

got_request_exception.send(self, exception=e)
handler = self._find_error_handler(InternalServerError())

if self.propagate_exceptions:
    # if we want to repropagate the exception, we can attempt to
    # raise it with the whole traceback in case we can do that
    # (the function was actually called from the except part)
    # otherwise, we just raise the error again
    if exc_value is e:
        reraise(exc_type, exc_value, tb)
    else:
        raise e

self.log_exception((exc_type, exc_value, tb))
if handler is None:
    return InternalServerError()
return self.finalize_request(handler(e), from_error_handler=True)

我們發(fā)現(xiàn)在flask內(nèi)部對于500異常,會(huì)拋出這樣一個(gè)錯(cuò)誤類InternalServerError()

class InternalServerError(HTTPException):

    ......

至此我們發(fā)現(xiàn)flask內(nèi)部異常通過繼承這個(gè)HTTPException類來處理,那么這個(gè)HTTPException類就是我們研究的重點(diǎn)。

二、HTTPException類分析

@implements_to_string
class HTTPException(Exception):
    """Baseclass for all HTTP exceptions.  This exception can be called as WSGI
    application to render a default error page or you can catch the subclasses
    of it independently and render nicer error messages.
    """

    code = None
    description = None

    def __init__(self, description=None, response=None):
        super(HTTPException, self).__init__()
        if description is not None:
            self.description = description
        self.response = response

    @classmethod
    def wrap(cls, exception, name=None):
        """Create an exception that is a subclass of the calling HTTP
        exception and the ``exception`` argument.

        The first argument to the class will be passed to the
        wrapped ``exception``, the rest to the HTTP exception. If
        ``e.args`` is not empty and ``e.show_exception`` is ``True``,
        the wrapped exception message is added to the HTTP error
        description.

        .. versionchanged:: 0.15.5
            The ``show_exception`` attribute controls whether the
            description includes the wrapped exception message.

        .. versionchanged:: 0.15.0
            The description includes the wrapped exception message.
        """

        class newcls(cls, exception):
            _description = cls.description
            show_exception = False

            def __init__(self, arg=None, *args, **kwargs):
                super(cls, self).__init__(*args, **kwargs)

                if arg is None:
                    exception.__init__(self)
                else:
                    exception.__init__(self, arg)

            @property
            def description(self):
                if self.show_exception:
                    return "{}\n{}: {}".format(
                        self._description, exception.__name__, exception.__str__(self)
                    )

                return self._description

            @description.setter
            def description(self, value):
                self._description = value

        newcls.__module__ = sys._getframe(1).f_globals.get("__name__")
        name = name or cls.__name__ + exception.__name__
        newcls.__name__ = newcls.__qualname__ = name
        return newcls

    @property
    def name(self):
        """The status name."""
        from .http import HTTP_STATUS_CODES

        return HTTP_STATUS_CODES.get(self.code, "Unknown Error")

    def get_description(self, environ=None):
        """Get the description."""
        return u"<p>%s</p>" % escape(self.description).replace("\n", "<br>")

    def get_body(self, environ=None):
        """Get the HTML body."""
        return text_type(
            (
                u'<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">\n'
                u"<title>%(code)s %(name)s</title>\n"
                u"<h1>%(name)s</h1>\n"
                u"%(description)s\n"
            )
            % {
                "code": self.code,
                "name": escape(self.name),
                "description": self.get_description(environ),
            }
        )

    def get_headers(self, environ=None):
        """Get a list of headers."""
        return [("Content-Type", "text/html; charset=utf-8")]

    def get_response(self, environ=None):
        """Get a response object.  If one was passed to the exception
        it's returned directly.

        :param environ: the optional environ for the request.  This
                        can be used to modify the response depending
                        on how the request looked like.
        :return: a :class:`Response` object or a subclass thereof.
        """
        from .wrappers.response import Response

        if self.response is not None:
            return self.response
        if environ is not None:
            environ = _get_environ(environ)
        headers = self.get_headers(environ)
        return Response(self.get_body(environ), self.code, headers)
  • 截取這個(gè)類比較重要的幾個(gè)方法分析,get_headers方法定義了這個(gè)返回的響應(yīng)頭,返回的是html文檔。
  • get_body方法定義了返回的響應(yīng)體,對應(yīng)也是一段html的內(nèi)容。
  • 最后在Response中將響應(yīng)體,狀態(tài)碼,響應(yīng)頭定義好返回。

分析至此,其實(shí)這個(gè)HTTPException中做的事也不難理解,就是定義好響應(yīng)體,狀態(tài)碼,還有響應(yīng)頭,做了一個(gè)返回。當(dāng)然這個(gè)類返回是html類型的,現(xiàn)在前后端分離交互都是json形式的返回,所以我們可以繼承自這個(gè)類,定義我們自己的異常處理類。

三、自定義異常處理類

首先我們理解我們自己的這個(gè)異常處理類,應(yīng)該繼承自HTTPException來改寫。而我們自定義的內(nèi)容應(yīng)該包含以下幾點(diǎn):

  • 需要定義我們自己想要返回的錯(cuò)誤信息的json格式,比如內(nèi)部錯(cuò)誤碼、錯(cuò)誤信息等我們想記錄的信息。
  • 需要更改返回的響應(yīng)頭,返回json格式的信息響應(yīng)頭就應(yīng)該設(shè)為'Content-Type': 'application/json'
  • 同樣需要和HTTPException一樣定義好狀態(tài)碼

如下定義我們自己的異常類APIException,返回的信息包括內(nèi)部錯(cuò)誤碼,錯(cuò)誤信息,請求的url

class APIException(HTTPException):
    code = 500
    msg = 'sorry, we made a mistake!'
    error_code = 999

    def __init__(self, msg=None, code=None, error_code=None, headers=None):
        if code:
            self.code = code
        if error_code:
            self.error_code = error_code
        if msg:
            self.msg = msg
        super(APIException, self).__init__(msg, None)

    def get_body(self, environ=None):
        body = dict(
            msg=self.msg,
            error_code=self.error_code,
            request=request.method + ' ' + self.get_url_no_param()
        )
        text = json.dumps(body)
        return text

    def get_headers(self, environ=None):
        """Get a list of headers."""
        return [('Content-Type', 'application/json')]

    @staticmethod
    def get_url_no_param():
        full_path = str(request.full_path)
        main_path = full_path.split('?')
        return main_path[0]

四、方便的定義自己的錯(cuò)誤類

有了上面我們改寫好的APIException類,我們就可以自由的定義各種狀態(tài)碼的錯(cuò)誤以及對應(yīng)的錯(cuò)誤信息,然后在合適的位置拋出。比如:

class Success(APIException):
    code = 201
    msg = 'ok'
    error_code = 0


class DeleteSuccess(APIException):
    code = 202
    msg = 'delete ok'
    error_code = 1


class UpdateSuccess(APIException):
    code = 200
    msg = 'update ok'
    error_code = 2


class ServerError(APIException):
    code = 500
    msg = 'sorry, we made a mistake!'
    error_code = 999


class ParameterException(APIException):
    code = 400
    msg = 'invalid parameter'
    error_code = 1000


class NotFound(APIException):
    code = 404
    msg = 'the resource are not found'
    error_code = 1001


class AuthFailed(APIException):
    code = 401
    msg = 'authorization failed'
    error_code = 1005


class Forbidden(APIException):
    code = 403
    error_code = 1004
    msg = 'forbidden, not in scope'

有了這些自定義的錯(cuò)誤類,我們不僅可以直接在需要的地方拋出,而且有了自定義的錯(cuò)誤碼,發(fā)生錯(cuò)誤時(shí),只要對照錯(cuò)誤碼去查找對應(yīng)的錯(cuò)誤類,非常方便。而且特別說明的是,雖然說是錯(cuò)誤類,但是也是可以定義響應(yīng)成功的返回的,比如上面定義的200,201的類,同樣可以作為一個(gè)成功的返回。

使用演示:

user = User.query.first()
if not user:
    raise NotFound()

五、注意事項(xiàng)

盡管我們可以在我們認(rèn)為可能出錯(cuò)的所有地方,繼承自己的異常類,定義自己的錯(cuò)誤類,然后拋出,但是也不是所有的異常都是我們可以提前預(yù)知的。比如我們接受前端傳來的參數(shù),參數(shù)類型或取值范圍不正確,這些我們可以預(yù)知并處理好,但是如果是邏輯處理中出現(xiàn)了問題,這些不是我們程序員可以控制并處理。所以光有自定義錯(cuò)誤類還不夠,我們還需要在全局捕獲異常來判斷,利用AOP思想。

# 全局錯(cuò)誤AOP處理
@app.errorhandler(Exception)
def framework_error(e):
    api_logger.error("error info: %s" % e) # 對錯(cuò)誤進(jìn)行日志記錄
    if isinstance(e, APIException):
        return e
    if isinstance(e, HTTPException):
        code = e.code
        msg = e.description
        error_code = 1007
        return APIException(msg, code, error_code)
    else:
        if not app.config['DEBUG']:
            return ServerError()
        else:
            return e

這里對于flask中拋出的所有的錯(cuò)誤進(jìn)行捕獲,然后先進(jìn)行日志的記錄。然后判斷如果是我們自定義的APIException,就直接返回。如果不是我們自定義的,但是是flask處理的HTTPException,包裝成我們自定義的APIException再返回。如果都不是的話,說明是服務(wù)器出現(xiàn)的其他錯(cuò)誤,問題一般出在我們的代碼上,在生產(chǎn)環(huán)境下,一般統(tǒng)一返回一個(gè)500錯(cuò)誤,在調(diào)試模式下,可以原樣返回,便于我們定位修改自己的代碼。

以上就是詳解Flask開發(fā)技巧之異常處理的詳細(xì)內(nèi)容,更多關(guān)于Flask異常處理的資料請關(guān)注腳本之家其它相關(guān)文章!

相關(guān)文章

  • python中關(guān)于py文件之間相互import的問題及解決方法

    python中關(guān)于py文件之間相互import的問題及解決方法

    這篇文章主要介紹了python中關(guān)于py文件之間相互import的問題,本文用一個(gè)例子演示下如何解決python中循環(huán)引用的問題,需要的朋友可以參考下
    2022-02-02
  • Python利用pywin32實(shí)現(xiàn)自動(dòng)操作電腦

    Python利用pywin32實(shí)現(xiàn)自動(dòng)操作電腦

    在windows系統(tǒng)上,重復(fù)性的操作可以用Python腳本來完成,其中常用的模塊是win32gui、win32con、win32api,要使用這三個(gè)模塊需要先安裝pywin32。本文就為大家介紹了如何利用這些模塊實(shí)現(xiàn)自動(dòng)操作電腦,感興趣的可以了解一下
    2022-11-11
  • 基于python調(diào)用psutil模塊過程解析

    基于python調(diào)用psutil模塊過程解析

    這篇文章主要介紹了基于python調(diào)用psutils模塊過程解析,文中通過示例代碼介紹的非常詳細(xì),對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友可以參考下
    2019-12-12
  • Python快速將ppt制作成配音視頻課件的操作方法

    Python快速將ppt制作成配音視頻課件的操作方法

    最近在搗鼓配音視頻課件的制作方法,發(fā)現(xiàn)使用Moviepy進(jìn)行合成比圖形操作界面的合成軟件效果更好,可以完美的解決音頻和ppt材料的協(xié)同問題,下面就詳細(xì)介紹一下這個(gè)過程,供ppt視頻課件制作生手提供一個(gè)可以高效制作視頻的方法
    2021-06-06
  • python3.6中anaconda安裝sklearn踩坑實(shí)錄

    python3.6中anaconda安裝sklearn踩坑實(shí)錄

    這篇文章主要介紹了python3.6中anaconda安裝sklearn踩坑實(shí)錄,文中通過示例代碼介紹的非常詳細(xì),對大家的學(xué)習(xí)或者工作具有一定的參考學(xué)習(xí)價(jià)值,需要的朋友們下面隨著小編來一起學(xué)習(xí)學(xué)習(xí)吧
    2020-07-07
  • Python實(shí)現(xiàn)把回車符\r\n轉(zhuǎn)換成\n

    Python實(shí)現(xiàn)把回車符\r\n轉(zhuǎn)換成\n

    這篇文章主要介紹了Python實(shí)現(xiàn)把回車符\r\n轉(zhuǎn)換成\n,本文直接給出實(shí)現(xiàn)代碼,需要的朋友可以參考下
    2015-04-04
  • 解決python 上傳圖片限制格式問題

    解決python 上傳圖片限制格式問題

    這篇文章主要介紹了python 上傳圖片限制格式問題,本文給大家介紹的非常詳細(xì),具有一定的參考借鑒價(jià)值,需要的朋友可以參考下
    2019-10-10
  • 基于Python實(shí)現(xiàn)對比Exce的工具

    基于Python實(shí)現(xiàn)對比Exce的工具

    這篇文章主要介紹了基于Python實(shí)現(xiàn)對比Excel的小工具,通過循環(huán)對比組合列(主鍵+對比列)結(jié)合示例代碼給大家介紹的非常詳細(xì),感興趣的朋友跟隨小編一起看看吧
    2022-04-04
  • Python圖像文字識(shí)別詳解(附實(shí)戰(zhàn)代碼)

    Python圖像文字識(shí)別詳解(附實(shí)戰(zhàn)代碼)

    這篇文章主要給大家介紹了關(guān)于Python圖像文字識(shí)別的相關(guān)資料,本文介紹使用python進(jìn)行圖像的文字識(shí)別,將圖像中的文字提取出來,可以幫助我們完成很多有趣的事情,需要的朋友可以參考下
    2024-02-02
  • 簡單談?wù)凱ython中的閉包

    簡單談?wù)凱ython中的閉包

    一般來說閉包這個(gè)概念在很多語言中都有涉及,簡單說,閉包就是根據(jù)不同的配置信息得到不同的結(jié)果,下面我們來專門講下在Python中的閉包
    2016-11-11

最新評論