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

Python+unittest+requests+excel實現(xiàn)接口自動化測試框架

 更新時間:2020年12月23日 16:32:02   作者:Ethon自動化測試  
這篇文章主要介紹了Python+unittest+requests+excel實現(xiàn)接口自動化測試框架,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友們下面隨著小編來一起學習學習吧

環(huán)境:python3 + unittest + requests

  • Excel管理測試用例,
  • HTMLTestRunner生成測試報告
  • 測試完成后郵件發(fā)送測試報告
  • jsonpath方式做預期結果數(shù)據(jù)處理,后期多樣化處理
  • 后期擴展,CI持續(xù)集成

發(fā)送郵件效果:

項目整體結構:

common模塊代碼

class IsInstance:
 
  def get_instance(self, value, check):
    flag = None
    if isinstance(value, str):
      if check == value:
        flag = True
      else:
        flag = False
    elif isinstance(value, float):
      if value - float(check) == 0:
        flag = True
      else:
        flag = False
    elif isinstance(value, int):
      if value - int(check) == 0:
        flag = True
      else:
        flag = False
    return flag
# logger.py
 
import logging
import time
import os
 
 
class MyLogging:
 
  def __init__(self):
    timestr = time.strftime('%Y%m%d%H%M%S', time.localtime(time.time()))
    lib_path = os.path.abspath(os.path.join(os.path.dirname(__file__), '../logs'))
    filename = lib_path + '/' + timestr + '.log' # 日志文件的地址
    self.logger = logging.getLogger() # 定義對應的程序模塊名name,默認為root
    self.logger.setLevel(logging.INFO) # 必須設置,這里如果不顯示設置,默認過濾掉warning之前的所有級別的信息
 
    sh = logging.StreamHandler() # 日志輸出到屏幕控制臺
    sh.setLevel(logging.INFO) # 設置日志等級
 
    fh = logging.FileHandler(filename=filename) # 向文件filename輸出日志信息
    fh.setLevel(logging.INFO) # 設置日志等級
 
    # 設置格式對象
    formatter = logging.Formatter(
      "%(asctime)s %(filename)s[line:%(lineno)d]%(levelname)s - %(message)s") # 定義日志輸出格式
 
    # 設置handler的格式對象
    sh.setFormatter(formatter)
    fh.setFormatter(formatter)
 
    # 將handler增加到logger中
    self.logger.addHandler(sh)
    self.logger.addHandler(fh)
 
 
if __name__ == "__main__":
  log = MyLogging().logger
  log.debug("debug")
  log.info("info")
  log.warning("warning")
  log.error("error")
  log.critical("critical")
# operate_excel.py
import xlrd
from xlrd import xldate_as_tuple
import openpyxl
import datetime
 
 
class ExcelData():
  def __init__(self, file_path, sheet_name):
    self.file_path = file_path
    self.sheet_name = sheet_name
    self.workbook = xlrd.open_workbook(self.file_path)
 
    # 獲取工作表的內(nèi)容
    self.table = self.workbook.sheet_by_name(self.sheet_name)
    # 獲取第一行內(nèi)容
    self.keys = self.table.row_values(0)
    # 獲取行數(shù)
    self.rowNum = self.table.nrows
    # 獲取列數(shù)
    self.colNum = self.table.ncols
 
  def readExcel(self):
    datas = []
    for i in range(1, self.rowNum):
      sheet_data = []
      for j in range(self.colNum):
        # 獲取單元格類型
        c_type = self.table.cell(i, j).ctype
        # 獲取單元格數(shù)據(jù)
        c_cell = self.table.cell_value(i, j)
        if c_type == 2 and c_cell % 1 == 0:
          c_cell = int(c_cell)
        elif c_type == 3:
          date = datetime.datetime(*xldate_as_tuple(c_cell, 0))
          c_cell = date.strftime('%Y/%d/%m %H:%M:%S')
        elif c_type == 4:
          c_cell = True if c_cell == 1 else False
        # sheet_data[self.keys[j]] = c_cell  # 字典
        sheet_data.append(c_cell)
      datas.append(sheet_data)
    return datas
 
  def write(self, rowNum, colNum, result):
    workbook = openpyxl.load_workbook(self.file_path)
    table = workbook.get_sheet_by_name(self.sheet_name)
    table = workbook.active
 
    # rows = table.max_row
    # cols = table.max_column
    # values = ['E','X','C','E','L']
    # for value in values:
    #   table.cell(rows + 1, 1).value = value
    #   rows = rows + 1
 
    # 指定單元格中寫入數(shù)據(jù)
    table.cell(rowNum, colNum, result)
    workbook.save(self.file_path)
 
 
if __name__ == '__main__':
  file_path = "D:\python_data\接口自動化測試.xlsx"
  sheet_name = "測試用例"
  data = ExcelData(file_path, sheet_name)
  datas = data.readExcel()
  print(datas)
  print(type(datas))
  for i in datas:
    print(i)
 
  # data.write(2,12,"哈哈")
# send_email.py
from email.mime.multipart import MIMEMultipart
from email.header import Header
from email.mime.text import MIMEText
from config import read_email_config
import smtplib
 
 
def send_email(subject, mail_body, file_names=list()):
  # 獲取郵件相關信息
  smtp_server = read_email_config.smtp_server
  port = read_email_config.port
  user_name = read_email_config.user_name
  password = read_email_config.password
  sender = read_email_config.sender
  receiver = read_email_config.receiver
 
  # 定義郵件內(nèi)容
  msg = MIMEMultipart()
  body = MIMEText(mail_body, _subtype="html", _charset="utf-8")
  msg["Subject"] = Header(subject, "utf-8")
  msg["From"] = user_name
  msg["To"] = receiver
  msg.attach(body)
 
  # 附件:附件名稱用英文
  for file_name in file_names:
    att = MIMEText(open(file_name, "rb").read(), "base64", "utf-8")
    att["Content-Type"] = "application/octet-stream"
    att["Content-Disposition"] = "attachment;filename='%s'" % (file_name)
    msg.attach(att)
 
  # 登錄并發(fā)送郵件
  try:
    smtp = smtplib.SMTP()
    smtp.connect(smtp_server)
    smtp.login(user_name, password)
    smtp.sendmail(sender, receiver.split(','), msg.as_string())
  except Exception as e:
    print(e)
    print("郵件發(fā)送失??!")
  else:
    print("郵件發(fā)送成功!")
  finally:
    smtp.quit()
 
 
if __name__ == '__main__':
  subject = "測試標題"
  mail_body = "測試本文"
  receiver = "780156051@qq.com,hb_zhijun@163.com" # 接收人郵件地址 用逗號分隔
  file_names = [r'D:\PycharmProjects\AutoTest\result\2020-02-23 13_38_41report.html']
  send_email(subject, mail_body, receiver, file_names)
# send_request.py
 
import requests
import json
 
 
class RunMethod:
  # post請求
  def do_post(self, url, data, headers=None):
    res = None
    if headers != None:
      res = requests.post(url=url, json=data, headers=headers)
    else:
      res = requests.post(url=url, json=data)
    return res.json()
 
  # get請求
  def do_get(self, url, data=None, headers=None):
    res = None
    if headers != None:
      res = requests.get(url=url, data=data, headers=headers)
    else:
      res = requests.get(url=url, data=data)
    return res.json()
 
  def run_method(self, method, url, data=None, headers=None):
    res = None
    if method == "POST" or method == "post":
      res = self.do_post(url, data, headers)
    else:
      res = self.do_get(url, data, headers)
    return res

config模塊

# coding:utf-8
# 郵件配置信息
 
[mysqlconf]
host = 127.0.0.1
port = 3306
user = root
password = root
db = test
# coding:utf-8
# 郵箱配置信息
# email_config.ini
 
[email]
smtp_server = smtp.qq.com
port = 465
sender = 780***51@qq.com
password = hrpk******baf
user_name = 780***51@qq.com
receiver = 780***51@qq.com,h***n@163.com
# coding:utf-8
from pymysql import connect, cursors
from pymysql.err import OperationalError
import os
import configparser
 
# read_db_config.py
 
# 讀取DB配數(shù)據(jù)
# os.path.realpath(__file__):返回當前文件的絕對路徑
# os.path.dirname(): 返回()所在目錄
cur_path = os.path.dirname(os.path.realpath(__file__))
configPath = os.path.join(cur_path, "db_config.ini") # 路徑拼接:/config/db_config.ini
conf = configparser.ConfigParser()
conf.read(configPath, encoding="UTF-8")
 
host = conf.get("mysqlconf", "host")
port = conf.get("mysqlconf", "port ")
user = conf.get("mysqlconf", "user")
password = conf.get("mysqlconf", "password")
port = conf.get("mysqlconf", "port")
# coding:utf-8
import os
import configparser
# 讀取郵件數(shù)據(jù)
# os.path.realpath(__file__):返回當前文件的絕對路徑
# os.path.dirname(): 返回()所在目錄
 
# read_email_config.py
 
cur_path = os.path.dirname(os.path.realpath(__file__)) # 當前文件的所在目錄
configPath = os.path.join(cur_path, "email_config.ini") # 路徑拼接:/config/email_config.ini
conf = configparser.ConfigParser()
conf.read(configPath, encoding='UTF-8') # 讀取/config/email_config.ini 的內(nèi)容
 
# get(section,option) 得到section中option的值,返回為string類型
smtp_server = conf.get("email", "smtp_server")
sender = conf.get("email", "sender")
user_name = conf.get("email","user_name")
password = conf.get("email", "password")
receiver = conf.get("email", "receiver")
port = conf.get("email", "port")

testcase模塊

# test_case.py
 
from common.operate_excel import *
import unittest
from parameterized import parameterized
from common.send_request import RunMethod
import json
from common.logger import MyLogging
import jsonpath
from common.is_instance import IsInstance
from HTMLTestRunner import HTMLTestRunner
import os
import time
 
lib_path = os.path.abspath(os.path.join(os.path.dirname(__file__), "../data"))
file_path = lib_path + "/" + "接口自動化測試.xlsx" # excel的地址
sheet_name = "測試用例"
log = MyLogging().logger
 
 
def getExcelData():
  list = ExcelData(file_path, sheet_name).readExcel()
  return list
 
 
class TestCase(unittest.TestCase):
 
  @parameterized.expand(getExcelData())
  def test_api(self, rowNumber, caseRowNumber, testCaseName, priority, apiName, url, method, parmsType, data,
         checkPoint, isRun, result):
    if isRun == "Y" or isRun == "y":
      log.info("【開始執(zhí)行測試用例:{}】".format(testCaseName))
      headers = {"Content-Type": "application/json"}
      data = json.loads(data) # 字典對象轉(zhuǎn)換為json字符串
      c = checkPoint.split(",")
      log.info("用例設置檢查點:%s" % c)
      print("用例設置檢查點:%s" % c)
      log.info("請求url:%s" % url)
      log.info("請求參數(shù):%s" % data)
      r = RunMethod()
      res = r.run_method(method, url, data, headers)
      log.info("返回結果:%s" % res)
 
      flag = None
      for i in range(0, len(c)):
        checkPoint_dict = {}
        checkPoint_dict[c[i].split('=')[0]] = c[i].split('=')[1]
        # jsonpath方式獲取檢查點對應的返回數(shù)據(jù)
        list = jsonpath.jsonpath(res, c[i].split('=')[0])
        value = list[0]
        check = checkPoint_dict[c[i].split('=')[0]]
        log.info("檢查點數(shù)據(jù){}:{},返回數(shù)據(jù):{}".format(i + 1, check, value))
        print("檢查點數(shù)據(jù){}:{},返回數(shù)據(jù):{}".format(i + 1, check, value))
        # 判斷檢查點數(shù)據(jù)是否與返回的數(shù)據(jù)一致
        flag = IsInstance().get_instance(value, check)
 
      if flag:
        log.info("【測試結果:通過】")
        ExcelData(file_path, sheet_name).write(rowNumber + 1, 12, "Pass")
      else:
        log.info("【測試結果:失敗】")
        ExcelData(file_path, sheet_name).write(rowNumber + 1, 12, "Fail")
 
      # 斷言
      self.assertTrue(flag, msg="檢查點數(shù)據(jù)與實際返回數(shù)據(jù)不一致")
    else:
      unittest.skip("不執(zhí)行")
 
 
if __name__ == '__main__':
  # unittest.main()
  # Alt+Shift+f10 執(zhí)行生成報告
 
  # 報告樣式1
  suite = unittest.TestSuite()
  suite.addTests(unittest.TestLoader().loadTestsFromTestCase(TestCase))
  now = time.strftime('%Y-%m-%d %H_%M_%S')
  report_path = r"D:\PycharmProjects\AutoTest\result\report.html"
  with open(report_path, "wb") as f:
    runner = HTMLTestRunner(stream=f, title="Esearch接口測試報告", description="測試用例執(zhí)行情況", verbosity=2)
    runner.run(suite)

用例執(zhí)行文件

import os
import time
import unittest
from HTMLTestRunner import HTMLTestRunner
from common.send_email import send_email
 
# run_case.py
 
# 獲取當前py文件絕對路徑
cur_path = os.path.dirname(os.path.realpath(__file__))
 
 
# 1: 加載測試用例
def all_test():
  case_path = os.path.join(cur_path, "testcase")
  suite = unittest.TestLoader().discover(start_dir=case_path, pattern="test_*.py", top_level_dir=None)
  return suite
 
 
# 2: 執(zhí)行測試用例
def run():
  now = time.strftime("%Y_%m_%d_%H_%M_%S")
  # 測試報告路徑
  file_name = os.path.join(cur_path, "report") + "/" + now + "-report.html"
  f = open(file_name, "wb")
  runner = HTMLTestRunner(stream=f, title="接口自動化測試報告",
              description="環(huán)境:windows 10 瀏覽器:chrome",
              tester="wangzhijun")
  runner.run(all_test())
  f.close()
 
 
# 3: 獲取最新的測試報告
def get_report(report_path):
  list = os.listdir(report_path)
  list.sort(key=lambda x: os.path.getmtime(os.path.join(report_path, x)))
  print("測試報告:", list[-1])
  report_file = os.path.join(report_path, list[-1])
  return report_file
 
 
# 4: 發(fā)送郵件
def send_mail(subject, report_file, file_names):
  # 讀取測試報告內(nèi)容,作為郵件的正文內(nèi)容
  with open(report_file, "rb") as f:
    mail_body = f.read()
  send_email(subject, mail_body, file_names)
 
 
if __name__ == "__main__":
  run()
  report_path = os.path.join(cur_path, "report") # 測試報告路徑
  report_file = get_report(report_path) # 測試報告文件
  subject = "Esearch接口測試報告" # 郵件主題
  file_names = [report_file] # 郵件附件
  # 發(fā)送郵件
  send_mail(subject, report_file, file_names)

data:

report:

logs:

到此這篇關于Python+unittest+requests+excel實現(xiàn)接口自動化測試框架的文章就介紹到這了,更多相關Python 接口自動化測試內(nèi)容請搜索腳本之家以前的文章或繼續(xù)瀏覽下面的相關文章希望大家以后多多支持腳本之家!

相關文章

  • Python爬取網(wǎng)易云音樂上評論火爆的歌曲

    Python爬取網(wǎng)易云音樂上評論火爆的歌曲

    最近跟著網(wǎng)上教程學著用python爬取問題,于是就想試著扒一扒Python爬取網(wǎng)易云音樂上評論火爆的歌曲,下面這篇文章就主要介紹了利用Python如何爬取網(wǎng)易云音樂上那些評論火爆的歌曲,需要的朋友可以參考借鑒,一起來看看吧。
    2017-01-01
  • python 一維二維插值實例

    python 一維二維插值實例

    這篇文章主要介紹了python 一維二維插值實例,具有很好的參考價值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2020-04-04
  • Python設計模式之橋接模式原理與用法實例分析

    Python設計模式之橋接模式原理與用法實例分析

    這篇文章主要介紹了Python設計模式之橋接模式原理與用法,結合具體實例形式分析了Python橋接模式的相關概念、原理、定義及使用方法,需要的朋友可以參考下
    2019-01-01
  • 一文詳解python pickle中的反序列化漏洞

    一文詳解python pickle中的反序列化漏洞

    在Python里,常用的模塊之一就是Pickle,它可以幫我們很方便地進行序列化和反序列化操作,,今天我們來聊聊Python里的反序列化攻擊,文中通過代碼示例講解的非常詳細,需要的朋友可以參考下
    2024-06-06
  • 使用Python對mongo數(shù)據(jù)庫中字符串型正負數(shù)值比較大小

    使用Python對mongo數(shù)據(jù)庫中字符串型正負數(shù)值比較大小

    這篇文章主要介紹了使用Python對mongo數(shù)據(jù)庫中字符串型正負數(shù)值比較大小,
    2023-04-04
  • 徹底搞懂 python 中文亂碼問題(深入分析)

    徹底搞懂 python 中文亂碼問題(深入分析)

    現(xiàn)在有的小伙伴為了躲避中文亂碼的問題甚至代碼中不使用中文,注釋和提示都用英文,我曾經(jīng)也這樣干過,但這并不是解決問題,而是逃避問題,今天我們一起徹底解決 Python 中文亂碼的問題
    2020-02-02
  • Python的字符串操作簡單實例

    Python的字符串操作簡單實例

    這篇文章主要介紹了Python的字符串操作簡單實例,字符串有許多種操作方式,本文帶來幾個操作實例,快來一起看看吧
    2023-04-04
  • python輸出帶顏色字體實例方法

    python輸出帶顏色字體實例方法

    在本篇文章里小編給大家整理了關于python輸出帶顏色字體實例以及相關代碼,有需要的朋友們可以學習參考下。
    2019-09-09
  • Python基于Twilio及騰訊云實現(xiàn)國際國內(nèi)短信接口

    Python基于Twilio及騰訊云實現(xiàn)國際國內(nèi)短信接口

    這篇文章主要介紹了Python基于Twilio及騰訊云實現(xiàn)國際國內(nèi)短信接口,文中通過示例代碼介紹的非常詳細,對大家的學習或者工作具有一定的參考學習價值,需要的朋友可以參考下
    2020-06-06
  • 使用pyecharts在jupyter notebook上繪圖

    使用pyecharts在jupyter notebook上繪圖

    這篇文章主要介紹了使用pyecharts在jupyter notebook上繪圖,具有很好的參考價值,希望對大家有所幫助。一起跟隨小編過來看看吧
    2017-07-07

最新評論