首頁  >  文章  >  後端開發  >  如何安裝和使用Python輕量級性能工具Locust

如何安裝和使用Python輕量級性能工具Locust

WBOY
WBOY轉載
2023-05-08 18:46:281814瀏覽

Locust基於python的協程機制,打破了線程進程的限制,可以能夠在一台測試機上跑高並發

性能測試基礎

  1.快慢:衡量系統的處理效率:回應時間

  2.多少:衡量系統的處理能力:單位時間內能處理多少個交易(tps)

效能測試根據測試需求最常見的分為下面三類

  1 負載測試load testing

    不斷向伺服器加壓,值得預定的指標或者部分系統資源達到瓶頸,目的是找到系統最大負載的能力

  2 壓力測試

    透過高負載持續長時間,來驗證系統是否穩定

  3 並發測試:

    同時像伺服器提交請求,目的發現同時系統是否存在事務衝突或鎖定升級的現象

效能負載模型

如何安裝和使用Python輕量級性能工具Locust

locust安裝

#安裝存在問題,可以透過豆瓣來源下載

pip install locust

locust模板

基本上多數的場景我們都可以基於這個模板read.py去做修改

from locust import HttpUser, TaskSet, task, tag, events
# 启动locust时运行
@events.test_start.add_listener
def setup(environment, **kwargs):
    # print("task setup")
# 停止locust时运行
@events.test_stop.add_listener
def teardown(environment, **kwargs):
    print("task teardown")
class UserBehavor(TaskSet):
    #虚拟用户启用task运行
    def on_start(self):
        print("start")
        locusts_spawned.wait()
    #虚拟用户结束task运行
    def on_stop(self):
        print("stop")
    @tag('test1')
    @task(2)
    def index(self):
        self.client.get('/yetangjian/p/17320268.html')
    @task(1)
    def info(self):
        self.client.get("/yetangjian/p/17253215.html")
class WebsiteUser(HttpUser):
    def setup(self):
        print("locust setup")
    def teardown(self):
        print("locust teardown")
    host = "https://www.cnblogs.com"
    task_set = task(UserBehavor)
    min_wait = 3000
    max_wait = 5000

註:這裡我們給了一個webhost,這樣我們可以直接在瀏覽器中打開locust

 集合點lr_rendezvous

#當然我們可以把集合點操作放入上述模板的setup中去運行起來

locusts_spawned = Semaphore()
locusts_spawned.acquire()
def on_hatch_complete(**kwargs):
    """
    select_task类的钩子函数
    :param kwargs:
    :return:
    """
    locusts_spawned.release()
events.spawning_complete.add_listener(on_hatch_complete)
n = 0
class UserBehavor(TaskSet):
    def login(self):
        global n
        n += 1
        print(f"第{n}个用户登陆")
    def on_start(self):
        self.login()
        locusts_spawned.wait()
    @task
    def test1(self):
        #catch_response获取返回
        with self.client.get("/yetangjian/p/17253215.html",catch_response=True):
            print("查询结束")
class WebsiteUser(HttpUser):
    host = "https://www.cnblogs.com"
    task_set = task(UserBehavor)
    wait_time = between(1,3)
if __name__ == '__main__':
    os.system('locust -f read.py --web-host="127.0.0.1"')

比較常見的用法

在上面兩個例子中我們已經看到了一些,例如裝飾器events.test_start.add_listener;events.test_stop.add_listener用來在負載測試前後進行一些操作,又例如on_start、on_stop,在task執行前後運行,又例如task,可以用來分配任務的權重

 等待時間

# wait between 3.0 and 10.5 seconds after each task
#wait_time = between(3.0, 10.5)
#固定时间等待
# wait_time = constant(3)
#确保每秒运行多少次
constant_throughput(task_runs_per_second)
#确保每多少秒运行一次
constant_pacing(wait_time)

同樣也可以在User類下發重寫wait_time來達到自訂

tag標記

@tag('test1')
@task(2)
def index(self):
    self.client.get('/yetangjian/p/17320268.html')

透過對任務打標記,就可以在執行時間執行執行某一些任務:

#只执行标记test1
os.system('locust -f read.py --tags test1 --web-host="127.0.0.1"')
#不执行标记过的
os.system('locust -f read.py --exclude-tags --web-host="127.0.0.1"')
#除去test1执行所有
os.system('locust -f read.py --exclude-tags test1 --web-host="127.0.0.1"')

 自訂失敗

#定义响应时间超过0.1就为失败
with self.client.get("/yetangjian/p/17253215.html", catch_response=True) as response:
    if response.elapsed.total_seconds() > 0.1:
        response.failure("Request took too long")
#定义响应码是200就为失败
with self.client.get("/yetangjian/p/17320268.html", catch_response=True) as response:
    if response.status_code == 200:
        response.failure("响应码200,但我定义为失败")

如何安裝和使用Python輕量級性能工具Locust

# 自訂負載形狀

##自訂一個shape. py透過繼承LoadTestShape並重寫tick

這個形狀類別將以100塊為單位,20速率的增加用戶數,然後在10分鐘後停止負載測試(從運行開始的第51秒開始user_count會round到100)

from locust import LoadTestShape
class MyCustomShape(LoadTestShape):
    time_limit = 600
    spawn_rate = 20
    def tick(self):
        run_time = self.get_run_time()
        if run_time < self.time_limit:
            # User count rounded to nearest hundred.
            user_count = round(run_time, -2)
            return (user_count, self.spawn_rate)
        return None

運行圖如下所示

如何安裝和使用Python輕量級性能工具Locust

#透過命令列去觸發

os.system(&#39;locust -f read.py,shape.py --web-host="127.0.0.1"&#39;)

不同時間階段的範例

from locust import LoadTestShape
class StagesShapeWithCustomUsers(LoadTestShape):
    stages = [
        {"duration": 10, "users": 10, "spawn_rate": 10},
        {"duration": 30, "users": 50, "spawn_rate": 10},
        {"duration": 60, "users": 100, "spawn_rate": 10},
        {"duration": 120, "users": 100, "spawn_rate": 10}]
    def tick(self):
        run_time = self.get_run_time()
        for stage in self.stages:
            if run_time < stage["duration"]:
                tick_data = (stage["users"], stage["spawn_rate"])
                return tick_data
        return None

以上是如何安裝和使用Python輕量級性能工具Locust的詳細內容。更多資訊請關注PHP中文網其他相關文章!

陳述:
本文轉載於:yisu.com。如有侵權,請聯絡admin@php.cn刪除