python測試開發麵試常考題:裝飾器

来源:https://www.cnblogs.com/testing-/archive/2023/06/25/17503984.html
-Advertisement-
Play Games

### Kubernetes 概述 當下,我們很多項目於都在`Cloud Native`(雲原生)的上面,這種方法旨在使組織能夠確保可用性並快速響應和適應變化,雲原生其實就是一組本質上支持在不同雲環境(公共雲、私有雲或混合雲)上大規模構建、運行和管理應用程式的實踐和技術。 雲原生離不開兩個概念:`容 ...


簡介

Python 裝飾器是一個可調用的(函數、方法或類),它獲得一個函數對象 func_in 作為輸入,並返回另一函數對象 func_out。它用於擴展函數、方法或類的行為。

裝飾器模式通常用於擴展對象的功能。在日常生活中,這種擴展的例子有:在槍上加一個消音器,使用不同的相機鏡頭等等。

image

Django框架中有大量裝飾器

  • 限制某些HTTP請求對視圖的訪問
  • 控制
  • 按單個視圖控制壓縮
  • 基於特定HTTP請求頭控制緩存

Pyramid框架和Zope應用伺服器也使用裝飾器來實現各種目標。

  • 將函數註冊為事件訂閱者
  • 以特定許可權保護一個方法
  • 實現適配器模式

應用

裝飾器模式在跨領域方面大放異彩:

  • 數據驗證
  • 緩存
  • 日誌
  • 監控
  • 調試
  • 業務規則
  • 加密

使用修飾器模式的另一個常見例子是(Graphical User Interface,GUI)工具集。在GUI工具集中,我們希望能夠將一些特性,比如邊框、陰影、顏色以及滾屏,添加到組件/控制項。

第一類對象

裝飾器是Python中非常強大和有用的工具,它允許程式員修改函數或類的行為。裝飾器允許我們封裝另一個函數,以擴展被封裝函數的行為,而不需要修改它。但在深入研究裝飾器之前,讓我們先瞭解一些概念,這些概念在學習裝飾器時將會很有用。

在Python中,函數是第一類對象,這意味著 Python 中的函數可以作為參數使用或傳遞。

第一類函數的屬性:

  • 函數是對象類型的實例
  • 可以將函數存儲在變數
  • 可以將函數作為參數傳遞給其他函數
  • 可以從函數中返回函數。
  • 可以將它們存儲在數據結構中,如哈希表、列表、...

例1:將函數視為對象。

def shout(text):
    return text.upper()
 
print(shout('Hello'))
 
yell = shout
 
print(yell('Hello'))

輸出:

HELLO
HELLO

例2:將函數作為參數傳遞

def shout(text):
    return text.upper()
 
def whisper(text):
    return text.lower()
 
def greet(func):
    # storing the function in a variable
    greeting = func("""Hi, I am created by a function passed as an argument.""")
    print (greeting)
 
greet(shout)
greet(whisper)

輸出:

HI, I AM CREATED BY A FUNCTION PASSED AS AN ARGUMENT.
hi, i am created by a function passed as an argument.

例3: 從函數中返回函數。

def shout(text):
    return text.upper()
 
def whisper(text):
    return text.lower()
 
def greet(func):
    # storing the function in a variable
    greeting = func("""Hi, I am created by a function passed as an argument.""")
    print (greeting)
 
greet(shout)
greet(whisper)

輸出:

25

參考資料

裝飾器

如上所述,裝飾器是用來修改函數或類的行為的。在裝飾器中,函數被當作函數的參數,然後在封裝函數中調用。

  • 裝飾器的語法:
@gfg_decorator
def hello_decorator():
    print("Gfg")

'''Above code is equivalent to -

def hello_decorator():
    print("Gfg")
    
hello_decorator = gfg_decorator(hello_decorator)'''

gfg_decorator 是一個可調用的函數,它將在另一個可調用的函數hello_decorator函數上面添加一些代碼,並返回封裝函數。

  • 裝飾器可以修改行為:

# defining a decorator
def hello_decorator(func):
 
    # inner1 is a Wrapper function in
    # which the argument is called
     
    # inner function can access the outer local
    # functions like in this case "func"
    def inner1():
        print("Hello, this is before function execution")
 
        # calling the actual function now
        # inside the wrapper function.
        func()
 
        print("This is after function execution")
         
    return inner1
 
 
# defining a function, to be called inside wrapper
def function_to_be_used():
    print("This is inside the function !!")
 
 
# passing 'function_to_be_used' inside the
# decorator to control its behaviour
function_to_be_used = hello_decorator(function_to_be_used)
 
 
# calling the function
function_to_be_used()

輸出:

Hello, this is before function execution
This is inside the function !!
This is after function execution

讓我們跳到另一個例子,在這個例子中,我們可以用裝飾器輕鬆地找出函數的執行時間。

import time
import math
import functools
 
# decorator to calculate duration
# taken by any function.
def calculate_time(func):
     
    # added arguments inside the inner1,
    # if function takes any arguments,
    # can be added like this.
    @functools.wraps(func) # 支持內省,一般可以不用,多用於文檔
    def inner1(*args, **kwargs):
 
        # storing time before function execution
        begin = time.time()
         
        func(*args, **kwargs)
 
        # storing time after function execution
        end = time.time()
        print("Total time taken in : ", func.__name__, end - begin)
 
    return inner1
 
 
 
# this can be added to any function present,
# in this case to calculate a factorial
@calculate_time
def factorial(num):
 
    # sleep 2 seconds because it takes very less time
    # so that you can see the actual difference
    time.sleep(2)
    print(math.factorial(num))
 
# calling the function.
factorial(10)

@functools.wraps裝飾器使用函數functools.update_wrapper()來更新特殊屬性,如__name__和__doc__,這些屬性在自省中使用。

輸出:

3628800
Total time taken in :  factorial 2.0061802864074707
  • 如果函數有返回或有參數傳遞給函數,怎麼辦?

在上面所有的例子中,函數都沒有返回任何東西,所以沒有問題,但人們可能需要返回的值。

def hello_decorator(func):
    def inner1(*args, **kwargs):
         
        print("before Execution")
         
        # getting the returned value
        returned_value = func(*args, **kwargs)
        print("after Execution")
         
        # returning the value to the original frame
        return returned_value
         
    return inner1
 
 
# adding decorator to the function
@hello_decorator
def sum_two_numbers(a, b):
    print("Inside the function")
    return a + b
 
a, b = 1, 2
 
# getting the value through return of the function
print("Sum =", sum_two_numbers(a, b))

輸出:

before Execution
Inside the function
after Execution
Sum = 3

內部函數接收的參數是*args和**kwargs,這意味著可以傳遞任何長度的位置參數的元組或關鍵字參數的字典。這使得它成為通用的裝飾器,可以裝飾具有任何數量參數的函數。

  • 鏈式裝飾器

鏈式裝飾器是指用多個裝飾器來裝飾函數。

# code for testing decorator chaining
def decor1(func):
    def inner():
        x = func()
        return x * x
    return inner
 
def decor(func):
    def inner():
        x = func()
        return 2 * x
    return inner
 
@decor1
@decor
def num():
    return 10
 
@decor
@decor1
def num2():
    return 10
   
print(num())
print(num2())

輸出

400
200

上面的例子類似於調用函數---

decor1(decor(num))
decor(decor1(num2))

一些常用的裝飾器在 Python 中甚至是內建的,它們是 @classmethod, @staticmethod, 和 @property。@classmethod 和 @staticmethod 裝飾器用於定義類命名空間中的方法,這些方法與該類的特定實例沒有關係。@property裝飾器是用來定製類屬性的getters和setters的。

  • 類裝飾器

在 Python 3.7 中的新的 dataclasses 模塊中完成:

from decorators import debug, do_twice

@debug
@do_twice
def greet(name):
    print(f"Hello {name}")

語法的含義與函數裝飾器相似。你可以通過寫PlayingCard = dataclass(PlayingCard)來進行裝飾。

類裝飾器的一個常見用途是作為元類的一些使用情況的更簡單的替代。

編寫一個類裝飾器與編寫一個函數裝飾器非常相似。唯一的區別是,裝飾器將接收類而不是函數作為參數。事實上,你在上面看到的所有裝飾器都可以作為類裝飾器工作。

  • 帶參數與不帶參數的裝飾器
def repeat(_func=None, *, num_times=2):
    def decorator_repeat(func):
        @functools.wraps(func)
        def wrapper_repeat(*args, **kwargs):
            for _ in range(num_times):
                value = func(*args, **kwargs)
            return value
        return wrapper_repeat

    if _func is None:
        return decorator_repeat
    else:
        return decorator_repeat(_func)

使用functools.partial也可達到類似效果。

以下是slowdown的演進版本

import functools
import time

def slow_down(_func=None, *, rate=1):
    """Sleep given amount of seconds before calling the function"""
    def decorator_slow_down(func):
        @functools.wraps(func)
        def wrapper_slow_down(*args, **kwargs):
            time.sleep(rate)
            return func(*args, **kwargs)
        return wrapper_slow_down

    if _func is None:
        return decorator_slow_down
    else:
        return decorator_slow_down(_func)
  • 有狀態的裝飾器
import functools

def count_calls(func):
    @functools.wraps(func)
    def wrapper_count_calls(*args, **kwargs):
        wrapper_count_calls.num_calls += 1
        print(f"Call {wrapper_count_calls.num_calls} of {func.__name__!r}")
        return func(*args, **kwargs)
    wrapper_count_calls.num_calls = 0
    return wrapper_count_calls

@count_calls
def say_whee():
    print("Whee!")

對函數的調用次數--存儲在包裝函數的函數屬性 .num_calls 中。下麵是使用它的效果:

>>> say_whee()
Call 1 of 'say_whee'
Whee!

>>> say_whee()
Call 2 of 'say_whee'
Whee!

>>> say_whee.num_calls
2

維護狀態的典型方法是使用類裝飾器。

import functools

class CountCalls:
    def __init__(self, func):
        functools.update_wrapper(self, func)
        self.func = func
        self.num_calls = 0

    def __call__(self, *args, **kwargs):
        self.num_calls += 1
        print(f"Call {self.num_calls} of {self.func.__name__!r}")
        return self.func(*args, **kwargs)

@CountCalls
def say_whee():
    print("Whee!")
  • 單例模式

單例是只有一個實例的類。比如 None、True 和 False,可以使用 is 關鍵字來比較 None。

import functools

def singleton(cls):
    """Make a class a Singleton class (only one instance)"""
    @functools.wraps(cls)
    def wrapper_singleton(*args, **kwargs):
        if not wrapper_singleton.instance:
            wrapper_singleton.instance = cls(*args, **kwargs)
        return wrapper_singleton.instance
    wrapper_singleton.instance = None
    return wrapper_singleton

@singleton
class TheOne:
    pass

如你所見,這個類裝飾器與我們的函數裝飾器遵循相同的模板。唯一的區別是,我們使用 cls 而不是 func 作為參數名,以表明它是類裝飾器。

讓我們看看它是否有效:

>>> first_one = TheOne()
>>> another_one = TheOne()

>>> id(first_one)
140094218762280

>>> id(another_one)
140094218762280

>>> first_one is another_one
True

註意:在Python中,單例其實並不像其他語言那樣經常使用,通常用全局變數來實現更好。

  • 緩存返回值

裝飾器可以為緩存和備忘提供一個很好的機制。作為一個例子,讓我們看一下斐波那契數列的遞歸定義:

import functools
from decorators import count_calls

def cache(func):
    """Keep a cache of previous function calls"""
    @functools.wraps(func)
    def wrapper_cache(*args, **kwargs):
        cache_key = args + tuple(kwargs.items())
        if cache_key not in wrapper_cache.cache:
            wrapper_cache.cache[cache_key] = func(*args, **kwargs)
        return wrapper_cache.cache[cache_key]
    wrapper_cache.cache = dict()
    return wrapper_cache

@cache
@count_calls
def fibonacci(num):
    if num < 2:
        return num
    return fibonacci(num - 1) + fibonacci(num - 2)

在標準庫中,最近使用最少的緩存(LRU)可作為 @functools.lru_cache。

這個裝飾器比你上面看到的那個有更多的功能。你應該使用@functools.lru_cache而不是寫你自己的緩存裝飾器:

import functools

@functools.lru_cache(maxsize=4)
def fibonacci(num):
    print(f"Calculating fibonacci({num})")
    if num < 2:
        return num
    return fibonacci(num - 1) + fibonacci(num - 2)

maxsize參數指定了多少個最近的調用被緩存。預設值是128,但你可以指定maxsize=None來緩存所有函數調用。然而,要註意的是,如果你要緩存許多大的對象,這可能會導致記憶體問題。

描述器descriptor

任何定義了 __get__()__set__() 或 __delete__() 方法的對象。當類屬性為描述器時,它的特殊綁定行為就會在屬性查找時被觸發。通常情況下,使用 a.b 來獲取、設置或刪除屬性時會在 a 的類字典中查找名稱為 b 的對象,但如果 b 是描述器,則會調用對應的描述器方法。理解描述器的概念是更深層次理解 Python 的關鍵,因為這是許多重要特性的基礎,包括函數、方法、屬性、類方法、靜態方法以及對超類的引用等等。

有關描述符的方法的詳情可參看 實現描述器

class property(fget=None, fset=None, fdel=None, doc=None)

fget 是獲取屬性值的函數。 fset 是用於設置屬性值的函數。 fdel 是用於刪除屬性值的函數。並且 doc 為屬性對象創建文檔字元串。

class C():
    def __init__(self):
        self._x = None

    def getx(self):
        return self._x

    def setx(self, value):
        self._x = value

    def delx(self):
        del self._x

    x = property(getx, setx, delx, "I'm the 'x' property.")
    
demo = C()
demo.x = 5
print(demo.x)
print(demo.getx())

執行結果

5
5

更快捷的方式:

class C():
    def __init__(self):
        self._x = None

    @property
    def x(self):
        """I'm the 'x' property."""
        return self._x

    @x.setter
    def x(self, value):
        self._x = value

    @x.deleter
    def x(self):
        del self._x
    
demo = C()
demo.x = 5
print(demo.x)

@property 裝飾器會將 x() 方法轉化為同名的只讀屬性的 "getter",並將 x的文檔字元串設置為 "I'm the 'x' property."

執行結果

5
釘釘或微信號: pythontesting 微信公眾號:pythontesting
您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • # 引言 在當今互聯網時代,數據的規模和複雜性不斷增長,傳統關係型資料庫面臨著無法滿足高併發和大規模數據存儲需求的挑戰。為瞭解決這一問題,開源社區涌現出了一系列分散式資料庫解決方案,其中TiDB作為一種新興的分散式資料庫引起了廣泛的關註。本文將介紹TiDB的基本概念、特點以及適用的應用場景。 TiD ...
  • ### 背景 在項目中有集成低代碼平臺的想法,經過多方對比最後選擇了 amis,主要是需要通過 amis 進行頁面配置,導出 json 供移動端和 PC 端進行渲染,所以接下來講一下近兩周研究 amis 的新的以及一些簡單經驗,供大家參考. ### 什麼是 amis amis 是一個低代碼前端框架, ...
  • ![](https://img2023.cnblogs.com/blog/3076680/202306/3076680-20230625162750165-109306308.png) # 1. “模式採用量”絕不是好的質量指標 ## 1.1. 應該形成一種“面向恢復”的思維模式 ## 1.2. 良 ...
  • ![](https://img2023.cnblogs.com/blog/3076680/202306/3076680-20230624223008408-1032311269.png) # 1. 無限長的結果集是導致響應緩慢的常見原因 ## 1.1. 當違反穩態模式時,就可能產生無限長的結果集 # ...
  • 某日二師兄參加XXX科技公司的C++工程師開發崗位第25面: > 面試官:`array`熟悉嗎? > > 二師兄:你說的是原生數組還是`std::array`? > > 面試官:你覺得兩者有什麼區別? > > 二師兄:區別不是很大,原生數組(非動態數組)和std::array都在棧上開闢空間,初始化 ...
  • > 本文首發於公眾號:Hunter後端 > 原文鏈接:[celery筆記七之周期/定時任務及crontab定義](https://mp.weixin.qq.com/s/sNShaRbuM2gm2qn_codaTg) periodic task,即為周期,或者定時任務,比如說每天晚上零點零分需要運行一 ...
  • ## 前言 在C語言中,指針是一種非常強大和靈活的工具,但同時也容易引發一些問題,其中包括空指針和野指針。 本文將帶你瞭解這兩個概念的含義、產生原因以及如何避免它們所導致的問題。 ## 一、人物簡介 - 第一位閃亮登場,有請今後會一直教我們C語言的老師 —— 自在。 ![](https://img2 ...
  • 今晚來聊聊我在**技術成長**中的一些感悟,跟大家分享下。 ## BALABALA 在大學的時候,我一個電腦專業相關的證書都沒考,自認為這些證書對我以後找工作沒什麼大的幫助。於是我把時間更多地花在研究八股文上,因為八股文在面試的時候是要用到的。 (**利益化**) > **我會對我做的事情利益化* ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...