天天看點

Python接口測試實戰4(上) - 接口測試架構實戰

如有任何學習問題,可以添加作者微信:superz-han

課程目錄

Python接口測試實戰1(上)- 接口測試理論

Python接口測試實戰1(下)- 接口測試工具的使用

Python接口測試實戰2 - 使用Python發送請求

Python接口測試實戰3(上)- Python操作資料庫

Python接口測試實戰3(下)- unittest測試架構

Python接口測試實戰4(上) - 接口測試架構實戰

Python接口測試實戰4(下) - 架構完善:用例基類,用例标簽,重新運作上次失敗用例

Python接口測試實戰5(上) - Git及Jenkins持續內建

Python接口測試實戰5(下) - RESTful、Web Service及Mock Server

更多學習資料請加QQ群: 822601020擷取

PDF下載下傳:連結:https://pan.baidu.com/s/1OwAa8nl1eeBj8fcrgd3sBA 密碼:e9d8

本節内容

  • 資料分離 - 從Excel中讀取資料
  • 增加log功能
  • 發送郵件
  • 使用配置檔案
  • 架構整理

之前的用例中,資料直接寫在代碼檔案裡,不利于修改和構造資料

這裡我們使用Excel儲存測試資料,實作代碼和資料的分離

建立Excel檔案

test_user_data.xlsx

包含兩個工作簿

TestUserLogin

TestUserReg

,并複制到項目根目錄下

更新: excel表格中,增加一個headers列,内容為json格式, 如下

TestUserLogin

case_name url method headers data expect_res
test_user_login_normal http://115.28.108.130:5000/api/user/login/ POST {} {"name": "張三","password":"123456"}

<h1>登入成功</h1>

test_user_login_password_wrong {"name": "張三","password":"1234567"}

<h1>失敗,使用者名或密碼錯誤</h1>

TestUserReg

test_user_reg_normal {"name": "範冰冰","password":"123456"} "{"code: "100000","msg": "成功,"data":
test_user_reg_exist "{"code": "100001","msg": "失敗,使用者已存在","data": {"name": "張三","password":"e10adc3949ba59abbe56e057f20f883e"}}"

Excel讀取方法:

Python我們使用三方庫xlrd來讀取Excel

安裝方法: pip install xlrd
import xlrd

wb = xlrd.open_workbook("test_user_data.xlsx")  # 打開excel
sh = wb.sheet_by_name("TestUserLogin")  # 按工作簿名定位工作表
print(sh.nrows)  # 有效資料行數
print(sh.ncols)  # 有效資料列數
print(sh.cell(0, 0).value)  # 輸出第一行第一列的值`case_name`
print(sh.row_values(0))  # 輸出第1行的所有值(清單格式)

# 将資料和标題組裝成字典,使資料更清晰
print(dict(zip(sh.row_values(0), sh.row_values(1))))

# 周遊excel,列印所有的資料
for i in range(sh.nrows):
    print(sh.row_values(i))
           

結果:

3
5
case_name
['case_name', 'url', 'method', 'data', 'expect_res']
{'case_name': 'test_user_login_normal', 'url': 'http://115.28.108.130:5000/api/user/login/', 'method': 'POST', 'data': '{"name": "張三","password":"123456"}', 'expect_res': '<h1>登入成功</h1>'}
['case_name', 'url', 'method', 'data', 'expect_res']
['test_user_login_normal', 'http://115.28.108.130:5000/api/user/login/', 'POST', '{"name": "張三","password":"123456"}', '<h1>登入成功</h1>']
['test_user_login_password_wrong', 'http://115.28.108.130:5000/api/user/login/', 'POST', '{"name": "張三","password":"1234567"}', '<h1>失敗,使用者不存在</h1>']
           

封裝讀取excel操作:

建立

read_excel.py

我們的目的是擷取某條用例的資料,需要3個參數,excel資料檔案名(data_file),工作簿名(sheet),用例名(case_name)

如果我們隻封裝一個函數,每次調用(每條用例)都要打開一次excel并周遊一次,這樣效率比較低。

我們可以拆分成兩個函數,一個函數

excel_to_list(data_file, sheet)

,一次擷取一個工作表的所有資料,另一個函數

get_test_data(data_list, case_name)

從所有資料中去查找到該條用例的資料。

import xlrd

def excel_to_list(data_file, sheet):
    data_list = []  # 建立個空清單,來乘裝所有的資料
    wb = xlrd.open_workbook(data_file)  # 打開excel
    sh = wb.sheet_by_name(sheet)  # 擷取工作簿
    header = sh.row_values(0)  # 擷取标題行資料
    for i in range(1, sh.nrows):  # 跳過标題行,從第二行開始取資料
        d = dict(zip(header, sh.row_values(i)))  # 将标題和每行資料組裝成字典
        data_list.append(d)
    return data_list  # 清單嵌套字典格式,每個元素是一個字典

def get_test_data(data_list, case_name):
    for case_data in data_list:
        if case_name == case_data['case_name']:  # 如果字典資料中case_name與參數一緻
            return case_data
            # 如果查詢不到會傳回None

if __name__ == '__main__':   # 測試一下自己的代碼
    data_list = excel_to_list("test_user_data.xlsx", "TestUserLogin")  # 讀取excel,TestUserLogin工作簿的所有資料
    case_data = get_test_data(data_list, 'test_user_login_normal')  # 查找用例'test_user_login_normal'的資料
    print(case_data)
           

輸出結果:

{'case_name': 'test_user_login_normal', 'url': 'http://115.28.108.130:5000/api/user/login/', 'method': 'POST', 'data': '{"name": "張三","password":"123456"}', 'expect_res': '<h1>登入成功</h1>'}
           

用例中使用方法

test_user_login.py 部分

import unittest
import requests
from read_excel import *  # 導入read_excel中的方法
import json  # 用來轉化excel中的json字元串為字典

class TestUserLogin(unittest.TestCase):
    @classmethod
    def setUpClass(cls):   # 整個測試類隻執行一次
        cls.data_list = excel_to_list("test_user_data.xlsx", "TestUserLogin")  # 讀取該測試類所有用例資料
        # cls.data_list 同 self.data_list 都是該類的公共屬性

    def test_user_login_normal(self):
        case_data = get_test_data(self.data_list, 'test_user_login_normal')   # 從資料清單中查找到該用例資料
        if not case_data:   # 有可能為None
            print("用例資料不存在")
        url = case_data.get('url')   # 從字典中取資料,excel中的标題也必須是小寫url
        data = case_data.get('data')  # 注意字元串格式,需要用json.loads()轉化為字典格式
        expect_res = case_data.get('expect_res')  # 期望資料

        res = requests.post(url=url, data=json.loads(data))  # 表單請求,資料轉為字典格式
        self.assertEqual(res.text, expect_res)  # 改為assertEqual斷言

if __name__ == '__main__':   # 非必要,用于測試我們的代碼
    unittest.main(verbosity=2)
           

test_user_reg.py部分

import unittest
import requests
from db import *
from read_excel import *
import json

class TestUserReg(unittest.TestCase):

    @classmethod
    def setUpClass(cls):
        cls.data_list = excel_to_list("test_user_data.xlsx", "TestUserReg")  # 讀取TestUserReg工作簿的所有資料

    def test_user_reg_normal(self):
        case_data = get_test_data(self.data_list, 'test_user_reg_normal')
        if not case_data:
            print("用例資料不存在")
        url = case_data.get('url')
        data = json.loads(case_data.get('data'))  # 轉為字典,需要取裡面的name進行資料庫檢查
        expect_res = json.loads(case_data.get('expect_res'))  # 轉為字典,斷言時直接斷言兩個字典是否相等
        name = data.get("name")  # 範冰冰

        # 環境檢查
        if check_user(name):
            del_user(name)
        # 發送請求
        res = requests.post(url=url, json=data)  # 用data=data 傳字元串也可以
        # 響應斷言(整體斷言)
        self.assertDictEqual(res.json(), expect_res)
        # 資料庫斷言
        self.assertTrue(check_user(name))
        # 環境清理(由于注冊接口向資料庫寫入了使用者資訊)
        del_user(name)

if __name__ == '__main__':    # 非必要,用于測試我們的代碼
    unittest.main(verbosity=2)  
           

建立config.py檔案

import logging

logging.basicConfig(level=logging.DEBUG,  # log level
                    format='[%(asctime)s] %(levelname)s [%(funcName)s: %(filename)s, %(lineno)d] %(message)s',  # log格式
                    datefmt='%Y-%m-%d %H:%M:%S',  # 日期格式
                    filename='log.txt',  # 日志輸出檔案
                    filemode='a')  # 追加模式

if __name__ == '__main__':
    logging.info("hello")
           

運作後在目前目錄下生成

log.txt

,内容如下:

[2018-09-11 18:08:17] INFO [<module>: config.py, 38] hello
           

Log Level:

  • CRITICAL: 用于輸出嚴重錯誤資訊
  • ERROR: 用于輸出錯誤資訊
  • WARNING: 用于輸出警示資訊
  • INFO: 用于輸出一些提升資訊
  • DEBUG: 用于輸出一些調試資訊

優先級 CRITICAL > ERROR > WARNING > INFO > DEBUG

指定

level = logging.DEBUG

所有等級大于等于DEBUG的資訊都會輸出

若指定

level = logging.ERROR

WARNING,INFO,DEBUG小于設定級别的資訊不會輸出

日志格式:

  • %(levelno)s: 列印日志級别的數值
  • %(levelname)s: 列印日志級别名稱
  • %(pathname)s: 列印目前執行程式的路徑,其實就是sys.argv[0]
  • %(filename)s: 列印目前執行程式名
  • %(funcName)s: 列印日志的目前函數
  • %(lineno)d: 列印日志的目前行号
  • %(asctime)s: 列印日志的時間
  • %(thread)d: 列印線程ID
  • %(threadName)s: 列印線程名稱
  • %(process)d: 列印程序ID
  • %(message)s: 列印日志資訊

項目使用log

将所有print改為log,如

db.py

部分

import pymysql
from config import *

# 封裝資料庫查詢操作
def query_db(sql):
    conn = get_db_conn()
    cur = conn.cursor()  
    logging.debug(sql)    # 輸出執行的sql
    cur.execute(sql)
    conn.commit()
    result = cur.fetchall() 
    logging.debug(result)  # 輸出查詢結果
    cur.close() 
    conn.close() 
    return result 

# 封裝更改資料庫操作
def change_db(sql):
    conn = get_db_conn() 
    cur = conn.cursor()
    logging.debug(sql)  # 輸出執行的sql
    try:
        cur.execute(sql) 
        conn.commit() 
    except Exception as e:
        conn.rollback() 
        logging.error(str(e))  # 輸出錯誤資訊
    finally:
        cur.close() 
        conn.close()
           

用例中使用

import unittest
import requests
from read_excel import *  # 導入read_excel中的方法
import json  # 用來轉化excel中的json字元串為字典
from config import *

class TestUserLogin(unittest.TestCase):
    @classmethod
    def setUpClass(cls):   # 整個測試類隻執行一次
        cls.data_list = excel_to_list("test_user_data.xlsx", "TestUserLogin")  # 讀取該測試類所有用例資料
        # cls.data_list 同 self.data_list 都是該類的公共屬性

    def test_user_login_normal(self):
        case_data = get_test_data(self.data_list, 'test_user_login_normal')   # 從資料清單中查找到該用例資料
        if not case_data:   # 有可能為None
            logging.error("用例資料不存在")
        url = case_data.get('url')   # excel中的标題也必須是小寫url
        data = case_data.get('data')  # 注意字元串格式,需要用json.loads()轉化為字典格式
        expect_res = case_data.get('expect_res')  # 期望資料

        res = requests.post(url=url, data=json.loads(data))  # 表單請求,資料轉為字典格式
        logging.info("測試用例:{}".format('test_user_login_normal'))
        logging.info("url:{}".format(url))
        logging.info("請求參數:{}".format(data))
        logging.info("期望結果:{}".format(expect_res))
        logging.info("實際結果:{}".format(res.text)
        self.assertEqual(res.text, expect_res)  # 斷言

if __name__ == '__main__':
    unittest.main(verbosity=2)
           

項目下

log.txt

[2018-09-13 10:34:49] INFO [log_case_info: case_log.py, 8] 測試用例:test_user_login_normal
[2018-09-13 10:34:49] INFO [log_case_info: case_log.py, 9] url:http://115.28.108.130:5000/api/user/login/
[2018-09-13 10:34:49] INFO [log_case_info: case_log.py, 10] 請求參數:{"name": "張三","password":"123456"}
[2018-09-13 10:34:49] INFO [log_case_info: case_log.py, 11] 期望結果:<h1>登入成功</h1>
[2018-09-13 10:34:49] INFO [log_case_info: case_log.py, 12] 實際結果:<h1>登入成功</h1>
           

因為每個用例都要輸出很多log資訊,我們封裝一個

case_log

的函數

項目下建立

case_log.py

from config import *
import json

def log_case_info(case_name, url, data, expect_res, res_text): 
    if isinstance(data,dict):
        data = json.dumps(data, ensure_ascii=False)  # 如果data是字典格式,轉化為字元串
    logging.info("測試用例:{}".format(case_name))
    logging.info("url:{}".format(url))
    logging.info("請求參數:{}".format(data))
    logging.info("期望結果:{}".format(expect_res))
    logging.info("實際結果:{}".format(res_text)
           

簡化後的用例log輸出

import unittest
import requests
from read_excel import *  
import json
from config import *
from case_log import log_case_info  # 導入方法

class TestUserLogin(unittest.TestCase):
    @classmethod
    def setUpClass(cls):  
        cls.data_list = excel_to_list("test_user_data.xlsx", "TestUserLogin") 

    def test_user_login_normal(self):
        case_data = get_test_data(self.data_list, 'test_user_login_normal') 
        if not case_data: 
            logging.error("用例資料不存在")
        url = case_data.get('url')  
        data = case_data.get('data') 
        expect_res = case_data.get('expect_res')

        res = requests.post(url=url, data=json.loads(data))
        log_case_info('test_user_login_normal', url, data, expect_res, res_text)  # 輸出用例log資訊
        self.assertEqual(res.text, expect_res)  

if __name__ == '__main__':
    unittest.main(verbosity=2)
           

在生成報告後我們希望架構能自動把報告發送到我們的郵箱中。和outlook,foxmail等郵件用戶端一樣,Python中發送郵件需要通過Email的smtp服務發送。

首先需要确認用來發送郵件的郵箱是否啟用了smtp服務

發送郵件分3步

  1. 編寫郵件内容(Email郵件需要專門的MIME格式)
  2. 組裝Email頭(發件人,收件人,主題)
  3. 連接配接smtp伺服器并發送郵件
import smtplib  # 用于建立smtp連接配接
from email.mime.text import MIMEText  # 郵件需要專門的MIME格式

# 1. 編寫郵件内容(Email郵件需要專門的MIME格式)
msg = MIMEText('this is a test email', 'plain', 'utf-8')  # plain指普通文本格式郵件内容

# 2. 組裝Email頭(發件人,收件人,主題)
msg['From'] = '[email protected]'  # 發件人
msg['To'] = '[email protected]'  # 收件人
msg['Subject'] = 'Api Test Report'  # 郵件主題

# 3. 連接配接smtp伺服器并發送郵件
smtp = smtplib.SMTP_SSL('smtp.sina.com')  # smtp伺服器位址 使用SSL模式
smtp.login('自己的郵箱位址', '自己的郵箱密碼')  # 使用者名和密碼
smtp.sendmail("接收郵件位址1", "接收郵件位址2", msg.as_string())
smtp.quit()
           

中文郵件主題、HTML郵件内容,及附件

import smtplib
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart  # 混合MIME格式,支援上傳附件
from email.header import Header  # 用于使用中文郵件主題

# 1.  編寫郵件内容
with open('report.html', encoding='utf-8') as f:  # 打開html報告
    email_body = f.read()  # 讀取報告内容

msg = MIMEMultipart()  # 混合MIME格式
msg.attach(MIMEText(email_body, 'html', 'utf-8'))  # 添加html格式郵件正文(會丢失css格式)

# 2. 組裝Email頭(發件人,收件人,主題)
msg['From'] = '[email protected]'  # 發件人
msg['To'] = '[email protected]'  # 收件人
msg['Subject'] = Header('接口測試報告', 'utf-8')  # 中文郵件主題,指定utf-8編碼

# 3. 構造附件1,傳送目前目錄下的 test.txt 檔案
att1 = MIMEText(open('report.html', 'rb').read(), 'base64', 'utf-8')  # 二進制格式打開
att1["Content-Type"] = 'application/octet-stream'
att1["Content-Disposition"] = 'attachment; filename="report.html"'  # filename為郵件中附件顯示的名字
msg.attach(att1)

# 4. 連接配接smtp伺服器并發送郵件
smtp = smtplib.SMTP_SSL('smtp.sina.com')  # smtp伺服器位址 使用SSL模式
smtp.login('[email protected]', 'hanzhichao123')  # 使用者名和密碼
smtp.sendmail("[email protected]", "[email protected]", msg.as_string())
smtp.sendmail("[email protected]", "[email protected]", msg.as_string())  # 發送給另一個郵箱
smtp.quit()
           

封裝發送郵件方法

import smtplib
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart  # 混合MIME格式,支援上傳附件
from email.header import Header  # 用于使用中文郵件主題
from config import *


def send_email(report_file):
    msg = MIMEMultipart()  # 混合MIME格式
    msg.attach(MIMEText(open(report_file, encoding='utf-8').read(), 'html', 'utf-8'))  # 添加html格式郵件正文(會丢失css格式)

    msg['From'] = '[email protected]'  # 發件人
    msg['To'] = '[email protected]'  # 收件人
    msg['Subject'] = Header('接口測試報告', 'utf-8')  # 中文郵件主題,指定utf-8編碼

    att1 = MIMEText(open(report_file, 'rb').read(), 'base64', 'utf-8')  # 二進制格式打開
    att1["Content-Type"] = 'application/octet-stream'
    att1["Content-Disposition"] = 'attachment; filename="report.html"'  # filename為郵件中附件顯示的名字
    msg.attach(att1)

    try:
        smtp = smtplib.SMTP_SSL('smtp.sina.com')  # smtp伺服器位址 使用SSL模式
        smtp.login('[email protected]', 'hanzhichao123')  # 使用者名和密碼
        smtp.sendmail("[email protected]", "[email protected]", msg.as_string())
        smtp.sendmail("[email protected]", "[email protected]", msg.as_string())  # 發送給另一個郵箱
        logging.info("郵件發送完成!")
    except Exception as e:
        logging.error(str(e))
    finally:
        smtp.quit()
           

run_all.py中結束後發送郵件

import unittest
from HTMLTestReportCN import HTMLTestRunner
from config import *
from send_email import send_email

logging.info("====================== 測試開始 =======================")
suite = unittest.defaultTestLoader.discover("./")

with open("report.html", 'wb') as f:  # 改為with open 格式
    HTMLTestRunner(stream=f, title="Api Test", description="測試描述", tester="卡卡").run(suite)

send_email('report.html')  # 發送郵件
logging.info("======================= 測試結束 =======================")
           

和項目的log配置一樣,資料庫伺服器位址,郵件服務位址我們一般放到配置檔案

config.py

import logging
import os

# 項目路徑
prj_path = os.path.dirname(os.path.abspath(__file__))  # 目前檔案的絕對路徑的上一級,__file__指目前檔案

data_path = prj_path  # 資料目錄,暫時在項目目錄下
test_path = prj_path  # 用例目錄,暫時在項目目錄下

log_file = os.path.join(prj_path, 'log.txt')  # 也可以每天生成新的日志檔案
report_file = os.path.join(prj_path, 'report.html')  # 也可以每次生成新的報告

# log配置
logging.basicConfig(level=logging.DEBUG,  # log level
                    format='[%(asctime)s] %(levelname)s [%(funcName)s: %(filename)s, %(lineno)d] %(message)s',  # log格式
                    datefmt='%Y-%m-%d %H:%M:%S',  # 日期格式
                    filename=log_file,  # 日志輸出檔案
                    filemode='a')  # 追加模式


# 資料庫配置
db_host = '127.0.0.1'   # 自己的伺服器位址
db_port = 3306
db_user = 'test'
db_passwd = '123456'
db = 'api_test'

# 郵件配置
smtp_server = 'smtp.sina.com'
smtp_user = '[email protected]'
smtp_password = 'hanzhichao123'

sender = smtp_user  # 發件人
receiver = '[email protected]'  # 收件人
subject = '接口測試報告'  # 郵件主題
           

修改

db.py

,

send_email.py

run_all.py

等對配置檔案的引用

db.py

import pymysql
from config import *

# 擷取連接配接方法
def get_db_conn():
    conn = pymysql.connect(host=db_host,   # 從配置檔案中讀取
                           port=db_port,
                           user=db_user,
                           passwd=db_passwd,  # passwd 不是 password
                           db=db,
                           charset='utf8')  # 如果查詢有中文,需要指定測試集編碼

           

send_email.py

import smtplib
from email.mime.text import MIMEText
from email.mime.multipart import MIMEMultipart
from email.header import Header 
from config import *


def send_email(report_file):
    msg = MIMEMultipart()
    msg.attach(MIMEText(open(report_file, encoding='utf-8').read(), 'html', 'utf-8'))

    msg['From'] = '[email protected]'
    msg['To'] = '[email protected]'
    msg['Subject'] = Header(subject, 'utf-8')  # 從配置檔案中讀取

    att1 = MIMEText(open(report_file, 'rb').read(), 'base64', 'utf-8')  # 從配置檔案中讀取
    att1["Content-Type"] = 'application/octet-stream'
    att1["Content-Disposition"] = 'attachment; filename="{}"'.format(report_file)  # 參數化一下report_file
    msg.attach(att1)

    try:
        smtp = smtplib.SMTP_SSL(smtp_server)  # 從配置檔案中讀取
        smtp.login(smtp_user, smtp_password)  # 從配置檔案中讀取
        smtp.sendmail(sender, receiver, msg.as_string())
        logging.info("郵件發送完成!")
    except Exception as e:
        logging.error(str(e))
    finally:
        smtp.quit()
           

run_all.py

import unittest
from HTMLTestReportCN import HTMLTestRunner
from config import *
from send_email import send_email

logging.info("==================== 測試開始 =======================")
suite = unittest.defaultTestLoader.discover(test_path)  # 從配置檔案中讀取用例路徑

with open(report_file, 'wb') as f:  # 從配置檔案中讀取
    HTMLTestRunner(stream=f, title="Api Test", description="測試描述").run(suite)

send_email(report_file)  # 從配置檔案中讀取
logging.info("==================== 測試結束 =======================")
           

目前所有檔案(配置檔案,公共方法,測試用例,資料,報告,log)都在項目根目錄下,随着用例的增加和功能的補充,檔案會越來越多,不便于維護和管理,是以我們要建立不同的檔案夾,對檔案進行分類組織

1.在項目中建立以下檔案夾:

  • config: 存放項目配置檔案
  • data: 存放用例資料檔案
  • lib: 公共方法庫
  • log: 存放日志檔案
  • report: 存放報告檔案
  • test: 存放測試用例
    • user: 存放user子產品用例 (子產品下要有

      __init__.py

      ,這樣裡面的用例才能讀取到)

2.将配置檔案

config.py

移動到config目錄下,将資料檔案

test_user_data.xlsx

移動到data目錄下,将公共方法

db.py

send_email.py

case_log.py

read_excel.py

HTMLTestReportCN.py

移動到lib目錄下,将測試用例

test_user_login.py

test_user_reg.py

移動到test/user目錄下,保留

run_all.py

在項目根目錄下,如圖:

3.修改配置檔案

config/config.py

import logging
import os

# 項目路徑
prj_path = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))  # 目前檔案的上一級的上一級目錄(增加一級)

data_path = os.path.join(prj_path, 'data')  # 資料目錄
test_path = os.path.join(prj_path, 'test')   # 用例目錄

log_file = os.path.join(prj_path, 'log', 'log.txt')  # 更改路徑到log目錄下
report_file = os.path.join(prj_path, 'report', 'report.html')  # 更改路徑到report目錄下
           

4.修改對配置檔案及公共方法的引用

為避免相對路徑導包出錯的問題,我們統一把導包搜尋路徑(sys.path)提升到項目根目錄下,如

lib/db.py

lib/db.py

import pymysql
import sys
sys.path.append('..')  # 提升一級到項目更目錄下
from config.config import *  # 從項目根目錄下導入
           

測試用例

test_user_login.py

import unittest
import requests
import json
import os  # 增加了一個os,需要用來組裝路徑
import sys
sys.path.append("../..")  # 提升2級到項目根目錄下
from config.config import *  # 從項目路徑下導入
from lib.read_excel import *  # 從項目路徑下導入
from lib.case_log import log_case_info  # 從項目路徑下導入

class TestUserLogin(unittest.TestCase):
    @classmethod
    def setUpClass(cls):   # 整個測試類隻執行一次
        cls.data_list = excel_to_list(os.path.join(data_path, "test_user_data.xlsx"),"TestUserLogin")  # 增加data路徑
           

run_all.py

import unittest
from lib.HTMLTestReportCN import HTMLTestRunner  # 修改導入路徑
from config.config import *  # 修改導入路徑
from lib.send_email import send_email  # 修改導入路徑

logging.info("================================== 測試開始 ==================================")
suite = unittest.defaultTestLoader.discover(test_path)  # 從配置檔案中讀取

with open(report_file, 'wb') as f:  # 從配置檔案中讀取
    HTMLTestRunner(stream=f, title="Api Test", description="測試描述").run(suite)

send_email(report_file)  # 從配置檔案中讀取
logging.info("================================== 測試結束 ==================================")

           
  1. 如果同一檔案夾下的方法互相引用(如

    lib/read_excel.py

    假如需要引用

    lib/db.py

    ),也需要采用這種從項目路徑下導入的方式
  2. run_all.py

    直接在項目路徑下,不需要提升sys.path,無需相對導入我們自己的包時,如

    read_excel.py

    ,不需要提升

5.運作

run_all.py

,根據log和報告調試代碼,直至所有用例全部通過

源碼下載下傳連結:https://pan.baidu.com/s/1RzwAlUMHwG4FQmeS-yB9rw 密碼:rvq1

此為北京龍騰育才 Python進階自動化(接口測試部分)授課筆記

課程介紹

想要參加現場(北京)/網絡課程的可以聯系作者微信:lockingfree

  1. 高效學習,快速掌握Python自動化所有領域技能
  2. 同步快速解決各種問題
  3. 配套實戰項目練習

繼續閱讀