<ruby id="bdb3f"></ruby>

    <p id="bdb3f"><cite id="bdb3f"></cite></p>

      <p id="bdb3f"><cite id="bdb3f"><th id="bdb3f"></th></cite></p><p id="bdb3f"></p>
        <p id="bdb3f"><cite id="bdb3f"></cite></p>

          <pre id="bdb3f"></pre>
          <pre id="bdb3f"><del id="bdb3f"><thead id="bdb3f"></thead></del></pre>

          <ruby id="bdb3f"><mark id="bdb3f"></mark></ruby><ruby id="bdb3f"></ruby>
          <pre id="bdb3f"><pre id="bdb3f"><mark id="bdb3f"></mark></pre></pre><output id="bdb3f"></output><p id="bdb3f"></p><p id="bdb3f"></p>

          <pre id="bdb3f"><del id="bdb3f"><progress id="bdb3f"></progress></del></pre>

                <ruby id="bdb3f"></ruby>

                ??碼云GVP開源項目 12k star Uniapp+ElementUI 功能強大 支持多語言、二開方便! 廣告
                [TOC] 1、首先,我們先來理一下思路。 ``` 正常的接口測試流程: 確定測試接口的工具 —>?配置需要的接口參數 —> 進行測試 —> 檢查測試結果(有的需要數據庫輔助) —> 生成測試報告(html報告) 那么,我們就根據這樣的過程來一步步搭建我們的框架。在這個過程中,我們需要做到業務和數據的分離, 這樣才能靈活,達到我們寫框架的目的。 接下來,我們來進行結構的劃分。 ``` ![](https://img.kancloud.cn/9d/88/9d88b25940f403ccfe45859d152850b5_174x224.png) ``` common:存放一些共通的方法 result:執行過程中生成的文件夾,里面存放每次測試的結果 testCase:用于存放具體的測試case testFile:存放測試過程中用到的文件,包括上傳的文件,測試用例以及數據庫的sql語句 caselist:txt文件,配置每次執行的case名稱 config:配置一些常量,例如數據庫的相關信息,接口的相關信息等 readConfig: 用于讀取config配置文件中的內容 runAll:用于執行case ``` <br /> ``` 既然整體結構有了劃分,接下來就該一步步的填充整個框架了,首先,我們先來看看config.ini和 readConfig.py兩個文件,從他們入手。 ``` ``` # config.ini [DATABASE] host = 192.168.0.212 username = root password = www.upsoft01.com port = 3306 database = databasename [HTTP] # 接口的url baseurl = http://192.168.0.212 port = 8000 timeout = 1.0 [EMAIL] mail_host = smtp.163.com mail_user = xxx@163.com mail_pass = ********* mail_port = 25 sender = xxx@163.com receiver = xxxx@qq.com/xxxx@qq.com subject = python content = "All interface test has been complited\nplease read the report file about the detile of result in the attachment." testuser = Someone on_off = 1 ``` <br /> ``` 相信大家都知道這樣的配置文件,沒錯,所有一成不變的東西,我們都可以放到這里來。 現在,我們已經做好了固定的“倉庫”。來保存我們平時不動的東西,那么,我們要怎么把 它拿出來為我所用呢?這時候,readConfig.py文件出世了,它成功的幫我們解決了這個問題。 ``` <details> <summary>readConfig.py</summary> ``` # -*- coding: utf-8 -*- import os import codecs import configparser proDir = os.path.split(os.path.realpath(__file__))[0] configPath = os.path.join(proDir, "config.ini") class ReadConfig: def __init__(self): fd = open(configPath) data = fd.read() # remove BOM if data[:3] == codecs.BOM_UTF8: data = data[3:] file = codecs.open(configPath, "w") file.write(data) file.close() fd.close() self.cf = configparser.ConfigParser() self.cf.read(configPath) def get_email(self, name): value = self.cf.get("EMAIL", name) return value def get_http(self, name): value = self.cf.get("HTTP", name) return value def get_db(self, name): value = self.cf.get("DATABASE", name) return value ``` </details> <br /> 我們定義的方法,根據名稱取對應的值,當然了,這里我們只用到了get方法,還有其他的例如set方法,有興趣的同學可以自己去探索下,也可以看看小編我自己的關于讀取配置文件的博文[https://my.oschina.net/u/3041656/blog/793467](https://my.oschina.net/u/3041656/blog/793467),這里我們就不在累述了。 <br /> 話不多說,我們先來看下common到底有哪些東西。 ![](https://img.kancloud.cn/ca/f1/caf19c878c420592a3b6378a824d80ae_283x179.png) ``` 既然配置文件和讀取配置文件我們都已經完成了,也看到了common里的內容,接下來就 可以寫common里的共通方法了,從哪個下手呢?今天,我們就來翻“Log.py”的牌 吧,因為它是比較獨立的,我們單獨跟他打交道,也為了以后它能為我們服務打下良好基礎。 這里呢,我想跟大家多說兩句,對于這個log文件呢,我給它單獨啟用了一個線程,這樣在 整個運行過程中,我們在寫log的時候也會比較方便,看名字大家也知道了,這里就是我們 對輸出的日志的所有操作了,主要是對輸出格式的規定,輸出等級的定義以及其他一些輸 出的定義等等。總之,你想對log做的任何事情,都可以放到這里來。我們來看下代碼,沒 有比這個更直接有效的了。 ``` ``` import logging from datetime import datetime import threading ``` 首先,我們要像上面那樣,引入需要的模塊,才能進行接下來的操作。 ``` # -*- coding: utf-8 -*- import logging import os from datetime import datetime import threading from interfaceTest import readConfig class Log: def __init__(self): global logPath, resultPath, proDir proDir = readConfig.proDir resultPath = os.path.join(proDir, "result") # 創建result file 如果它不存在 if not os.path.exists(resultPath): os.mkdir(resultPath) # defined test result file name by localtime logPath = os.path.join(resultPath, str(datetime.now().strftime("%Y%m%d%H%M%S"))) # create test result file if it doesn't exist if not os.path.exists(logPath): os.mkdir(logPath) # defined logger self.logger = logging.getLogger() # defined log level self.logger.setLevel(logging.INFO) # defined handler handler = logging.FileHandler(os.path.join(logPath, "output.log")) # defined formatter formatter = logging.Formatter('%(asctime)s - %(name)s -%(levelname)s - %(message)s') # defined formatter handler.setFormatter(formatter) # add handler self.logger.addHandler(handler) ``` ``` 現在,我們創建了上面的Log類,在__init__初始化方法中,我們進行了log的相關初始化 操作。具體的操作內容,注釋已經寫得很清楚了,這樣,log的基本格式已經定義完成了, 至于其他的方法,就靠大家自己發揮了,畢竟每個人的需求也不同,我們就只寫普遍的共用 方法啦。接下來,就是把它放進一個線程內了,請看下面的代碼: ``` ``` class MyLog: log = None mutex = threading.Lock() def __init__(self): pass @staticmethod def get_log(): if MyLog.log is None: MyLog.mutex.acquire() MyLog.log = Log() MyLog.mutex.release() return MyLog.log ``` 關于python中線程的學習,不懂的同學可以點擊這里[https://my.oschina.net/u/3041656/blog/794357](https://my.oschina.net/u/3041656/blog/794357),進行學習哦。好了,至此log的內容也結束了。 下面,我們繼續搭建,這次要做的,是configHttp.py的內容。沒錯,我們開始配置接口文件啦! 下面是接口文件中主要部分的內容,讓我們一起來看看吧。 ``` # -*- coding: utf-8 -*- import requests from interfaceTest import readConfig # from common.Log import MyLog as Log from interfaceTest.common.Log import MyLog as Log localReadConfig = readConfig.ReadConfig() class ConfigHttp: def __init__(self): global host, port, timeout host = localReadConfig.get_http("baseurl") port = localReadConfig.get_http("port") timeout = localReadConfig.get_http("timeout") self.log = Log.get_log() self.logger = self.log.get_logger() self.headers = {} self.params = {} self.data = {} self.url = None self.files = {} def set_url(self, url): self.url = host + url def set_headers(self, header): self.headers = header def set_params(self, param): self.params = param def set_data(self, data): self.data = data def set_files(self, file): self.files = file # defined http get method def get(self): try: response = requests.get(self.url, params=self.params, headers=self.headers, timeout=float(timeout)) # response.raise_for_status() return response except TimeoutError: self.logger.error("Time out!") return None # defined http post method def post(self): try: response = requests.post(self.url, headers=self.headers, data=self.data, files=self.files, timeout=float(timeout)) # response.raise_for_status() return response except TimeoutError: self.logger.error("Time out!") return None ``` 這次是用python自帶的requests來進行接口測試的,相信有心的朋友已經看出來了,python+requests這個模式是很好用的,它已經幫我們封裝好了測試接口的方法,用起來很方便。這里呢,我就拿get和post兩個方法來說吧。 * **get方法** ????? ? 接口測試中見到最多的就是get方法和post方法,其中,get方法用于獲取接口的測試,說白了,就是說,使用get的接口,都不會對后臺數據進行更改,而且get方法在傳遞參數后,url的格式是這樣的:**http://接口地址?key1=value1&key2=value2**。 ``` 對于requests提供的get方法,有幾個常用的參數: url:顯而易見,就是接口的地址url啦 headers:定制請求頭(headers),例如:content-type = application/x-www-form-urlencoded params:用于傳遞測試接口所要用的參數,這里我們用python中的字典形式(key:value)進行參數的傳遞。 timeout:設置接口連接的最大時間(超過該時間會拋出超時錯誤) 現在,各個參數我們已經知道是什么意思了,剩下的就是往里面填值。 ``` 舉個栗子: ``` url="http://api.shein.com/v2/member/logout" header={"content-type": application/x-www-form-urlencoded} param={"user_id": 123456,"email": 123456@163.com} timeout=0.5 requests.get(url, headers=header, params=param, timeout=timeout) ``` * **post方法** ? ? ? ? 與get方法類似,只要設置好對應的參數,就可以了。下面就直接舉個栗子,直接上代碼吧: ``` url="http://api.shein.com/v2/member/login" header={"content-type": application/x-www-form-urlencoded} data={"email": 123456@163.com,"password": 123456} timeout=0.5 requests.post(url, headers=header, data=data, timeout=timeout) ``` 這里我們需要說明一下,post方法中的參數,我們不在使用params進行傳遞,而是改用data進行傳遞了。下面我們來探(了)討(解)下接口的返回值。 依然只說常用的返回值的操作。 ``` text:獲取接口返回值的文本格式 json():獲取接口返回值的json()格式 status_code:返回狀態碼(成功為:200) headers:返回完整的請求頭信息(headers['name']:返回指定的headers內容) encoding:返回字符編碼格式 url:返回接口的完整url地址 ``` ``` 關于失敗請求拋出異常,我們可以使用“raise_for_status()”來完成,那么,當我們的請求發生 錯誤時,就會拋出異常。在這里提醒下各位朋友,如果你的接口,在地址不正確的時候,會 有相應的錯誤提示(有時也需要進行測試),這時,千萬不能使用這個方法來拋出錯誤,因 為python自己在鏈接接口時就已經把錯誤拋出,那么,后面你將無法測試期望的內容。而且 程序會直接在這里當掉,以錯誤來計。 ``` 快,我想學(看)習(看)common.py里的內容。 ``` # -*- coding: utf-8 -*- import os from interfaceTest.common import configHttp from interfaceTest.readConfig import proDir from xlrd import open_workbook from xml.etree import ElementTree from interfaceTest.common.Log import MyLog as Log localConfigHttp = configHttp.ConfigHttp() log = Log.get_log() logger = log.get_logger() # 從excel文件中讀取測試用例 def get_xls(xls_name, sheet_name): cls = [] # get xls file's path xlsPath = os.path.join(proDir, "testFile", xls_name) # open xls file file = open_workbook(xlsPath) # get sheet by name sheet = file.sheet_by_name(sheet_name) # get one sheet's rows nrows = sheet.nrows for i in range(nrows): if sheet.row_values(i)[0] != u'case_name': cls.append(sheet.row_values(i)) return cls # 從xml文件中讀取sql語句 database = {} def set_xml(): if len(database) == 0: sql_path = os.path.join(proDir, "testFile", "SQL.xml") tree = ElementTree.parse(sql_path) for db in tree.findall("database"): db_name = db.get("name") # print(db_name) table = {} for tb in db.getchildren(): table_name = tb.get("name") # print(table_name) sql = {} for data in tb.getchildren(): sql_id = data.get("id") # print(sql_id) sql[sql_id] = data.text table[table_name] = sql database[db_name] = table def get_xml_dict(database_name, table_name): set_xml() database_dict = database.get(database_name).get(table_name) return database_dict def get_sql(database_name, table_name, sql_id): db = get_xml_dict(database_name, table_name) sql = db.get(sql_id) return sql ``` 上面就是我們common的兩大主要內容了 ``` 我們利用xml.etree.Element來對xml文件進行操作,然后通過我們自定義的方法,根據傳遞 不同的參數取得不(想)同(要)的值。 利用xlrd來操作excel文件,注意啦,我們是用excel文件來管理測試用例的。 聽起來會不會有點兒懵,小編剛學時也很懵,看文件就好理解了。 ``` excel文件: ![](https://img.kancloud.cn/2f/75/2f75e8acfb9dd6e1c98211ba9e79a536_1155x220.png) xml文件: ![](https://img.kancloud.cn/bc/c7/bcc727119e7361e36144e4dc3644a5fb_747x255.png) 還有不會的小伙伴,可以參見這兩篇文章學習下:excel:[https://my.oschina.net/u/3041656/blog/819892](https://my.oschina.net/u/3041656/blog/819892)? xml:[https://my.oschina.net/u/3041656/blog/819895](https://my.oschina.net/u/3041656/blog/819895) 接下來,我們看看數據庫和發送郵件吧(也可根據需要,不寫該部分內容) 先看老朋友“數據庫”吧。 小編這次使用的是MySQL數據庫,所以我們就以它為例吧。 ``` # configDB.py # -*- coding: utf-8 -*- from distutils import config import pymysql from interfaceTest import readConfig from interfaceTest.common.Log import MyLog as Log localReadConfig = readConfig.ReadConfig() class MyDB: global host, username, password, port, database, readConfig host = localReadConfig.get_db("host") username = localReadConfig.get_db("username") password = localReadConfig.get_db("password") port = localReadConfig.get_db("port") database = localReadConfig.get_db("database") config = { 'host': str(host), 'user': username, 'passwd': password, 'port': int(port), 'db': database } def __init__(self): self.log = Log.get_log() self.logger = self.log.get_logger() self.db = None self.cursor = None def connectDB(self): try: # connect to DB self.db = pymysql.connect(**config) # create cursor self.cursor = self.db.cursor() print("Connect DB successfully!") except ConnectionError as ex: self.logger.error(str(ex)) def executeSQL(self, sql, params): self.connectDB() # executing sql self.cursor.execute(sql, params) # executing by committing to DB self.db.commit() return self.cursor def get_all(self, cursor): value = cursor.fetchall() return value def get_one(self, cursor): value = cursor.fetchone() return value def closeDB(self): self.db.close() print("Database closed!") ``` 這就是完整的數據庫的文件啦。因為小編的需求對數據庫的操作不是很復雜,所以這些已基本滿足要求啦。注意下啦,在此之前,請朋友們先把pymysql裝起來!安裝的方法很簡單,由于小編是使用pip來管理python包安裝的,所以只要進入python安裝路徑下的pip文件夾下,執行以下命令即可: ``` pip3 install pymysql ``` ``` 在整個文件中,我們并沒有出現具體的變量值哦,為什么呢?沒錯,因為前面我們寫了config.ini文件, 所有的數據庫配置信息都在這個文件內哦,是不是感覺很方便呢,以后就算變更數據庫了,也只要修 改config.ini文件的內容就可以了,結合前面測試用例的管理(excel文件),sql語句的存放(xml文件), 還有接下來我們要說的,businessCommon.py和存放具體case的文件夾,那么我們就已經將數據和業 務分開啦,哈哈哈,想想以后修改測試用例內容,sql語句神馬的工作,再也不用每個case都修改,只 要改幾個固定的文件。 ``` 回歸上面的configDB.py文件,內容很簡單,相信大家都能看得懂,就是連接數據庫,執行sql,獲取結果,最后關閉數據庫,沒有什么不一樣的地方。還有不明白的朋友可以查看這個鏈接進行學習:[http://www.runoob.com/python/python-mysql.html](http://www.runoob.com/python/python-mysql.html) <br /> 該談談郵件啦,你是不是也遇到過這樣的問題:每次測試完之后,都需要給開發一份測試報告。那么,對于我這樣的懶人,是不愿意老是找人家開發的,所以,我就想,每次測試完,我們可以讓程序自己給開發人員發一封email,告訴他們,測試已經結束了,并且把測試報告以附件的形式,通過email發送給開發者的郵箱,這樣豈不是爽哉! 所以,configEmail.py應運而生。 ``` # -*- coding: utf-8 -*- import os import smtplib from email.mine.multipart import MIMEMultipart from email.mime.text import MIMEText from datetime import datetime import threading import readconfig from interfaceTest import readConfig from interfaceTest.common.Log import MyLog import zipfile import glob localReadConfig = readConfig.ReadConfig() class Email: def __init__(self): global host, user, password, port, sender, title, content host = localReadConfig.get_email("mail_host") user = localReadConfig.get_email("mail_user") password = localReadConfig.get_email("mail_pass") port = localReadConfig.get_email("mail_port") sender = localReadConfig.get_email("sender") title = localReadConfig.get_email("subject") content = localReadConfig.get_email("content") self.value = localReadConfig.get_email("receiver") self.receive = [] # get receive list for n in str(self.value).split("/"): self.receive.append(n) # defined email subject date = datetime.now().strftime("%Y-%m-%d %H:%M:%S") self.subject = title + " " + date self.log = MyLog.get_log() self.logger = self.log.get_logger() self.msg = MIMEMultipart('mixed') def config_header(self): self.msg['subject'] = self.subject self.msg['from'] = sender self.msg['to'] = ";".join(self.receive) def config_content(self): content_plain = MIMEText(content, 'plain', 'utf-8') self.msg.attach(content_plain) def config_file(self): # if the file content is not null, then config the email file if self.check_file(): reportpath = self.log.get_result_path() zippath = os.path.join(readConfig.proDir, "result", "test.zip") # zip file files = glob.glob(reportpath + '\*') f = zipfile.ZipFile(zippath, 'w', zipfile.ZIP_DEFLATED) for file in files: f.write(file) f.close() reportfile = open(zippath, 'rb').read() filehtml = MIMEText(reportfile, 'base64', 'utf-8') filehtml['Content-Type'] = 'application/octet-stream' filehtml['Content-Disposition'] = 'attachment; filename="test.zip"' self.msg.attach(filehtml) def check_file(self): reportpath = self.log.get_report_path() if os.path.isfile(reportpath) and not os.stat(reportpath) == 0: return True else: return False def send_email(self): self.config_header() self.config_content() self.config_file() try: smtp = smtplib.SMTP() smtp.connect(host) smtp.login(user, password) smtp.sendmail(sender, self.receive, self.msg.as_string()) smtp.quit() self.logger.info("The test report has send to developer by email") except Exception as ex: self.logger.error(str(ex)) class MyEmail: email = None mutex = threading.Lock() def __init__(self): pass @staticmethod def get_email(): if MyEmail.email is None: MyEmail.mutex.acquire() MyEmail.email = Email() MyEmail.mutex.release() return MyEmail.email if __name__ == "__main__": email = MyEmail.get_email() ``` 關于python對email的操作,上面代碼看不太明白的朋友,請移步這里繼續學習:[https://my.oschina.net/u/3041656/blog/819937](https://my.oschina.net/u/3041656/blog/819937) <br /> 離成功不遠了,簡單說明下HTMLTestRunner.py文件。 ![](https://img.kancloud.cn/39/2c/392ccbe0553106ccb980bfa4557af03b_1214x581.png) runAll.py這是我們整個框架運行的入口,上面內容完成后,這是最后一步啦,寫完它,我們的框架就算是完成了。 ``` # -*- coding: utf-8 -*- import unittest import os from interfaceTest import readConfig from interfaceTest.common import HTMLTestRunner from interfaceTest.common.common import logger def set_case_list(self): fb = open(self.caseListFile) for value in fb.readlines(): data = str(value) if data != '' and not data.startswith("#"): self.caseListFile.append(data.replace("\n", "")) fb.close() def set_case_suite(self): self.set_case_list() test_suite = unittest.TestSuite() suite_model = [] for case in self.caseList: case_file = os.path.join(readConfig.proDir, "testCase") print(case_file) case_name = case.split("/")[-1] print(case_name + ".py") discover = unittest.defaultTestLoader.discover(case_file, pattern=case_name + '.py', top_level_dir=None) suite_model.append(discover) if len(suite_model) > 0: for suite in suite_model: for test_name in suite: test_suite.addTest(test_name) else: return None return test_suite def on_off(args): pass def run(self): try: suit = self.set_case_suite() if suit is not None: logger.info("*********TEST START*********") fp = open(resultPath, 'wb') runner = HTMLTestRunner.HTMLTestRunner(stream=fp, title='Test Report', description='Test Description') runner.run(suit) else: logger.info("Have no case to test.") except Exception as ex: logger.error(str(ex)) finally: logger.info("*********TEST END**********") # send test report by email if int(on_off) == 0: self.email.send_email() elif int(on_off) == 1: logger.info("Doesn't send report email to developer.") else: logger.info("Unknow state.") ``` 上面我貼出了runAll里面的主要部分,首先我們要從caselist.txt文件中讀取需要執行的case名稱,然后將他們添加到python自帶的unittest測試集中,最后執行run()函數,執行測試集。 <br /> 終于呢,整個接口自動化框架已經講完了。之前的之前貼出的目錄結構中的文件還有沒說到的。 ![](https://img.kancloud.cn/b4/e5/b4e5634a259685902ddae85a53ce9018_259x159.png) result文件夾會在首次執行case時生成,并且以后的測試結果都會被保存在該文件夾下,同時每次測試的文件夾都是用系統時間命名,里面包含了兩個文件,log文件和測試報告。 ![](https://img.kancloud.cn/0d/70/0d70181fc111c9abd18cd46a5323b8b4_282x426.png) testCase文件夾下,存放我們寫的具體的測試case啦,上面這些就是小編寫的一些。注意嘍,所有的case名稱都要以test開頭來命名哦,這是因為,unittest在進行測試時會自動匹配testCase文件夾下面所有test開頭的.py文件。 ![](https://img.kancloud.cn/a4/4b/a44b4c2265934a022b5c064bd722a4d5_250x110.png) testFile文件夾下,放置我們測試時用來管理測試用例的excel文件和用于數據庫查詢的sql語句的xml文件哦。 最后就是caselist.txt文件了,就讓你們瞄一眼吧: ![](https://img.kancloud.cn/27/d4/27d41ec910993fb9b39d88f52cb836aa_319x303.png) 凡是沒有被注釋掉的,都是要被執行的case名稱啦。在這里寫上你要執行的case名稱就可以啦。
                  <ruby id="bdb3f"></ruby>

                  <p id="bdb3f"><cite id="bdb3f"></cite></p>

                    <p id="bdb3f"><cite id="bdb3f"><th id="bdb3f"></th></cite></p><p id="bdb3f"></p>
                      <p id="bdb3f"><cite id="bdb3f"></cite></p>

                        <pre id="bdb3f"></pre>
                        <pre id="bdb3f"><del id="bdb3f"><thead id="bdb3f"></thead></del></pre>

                        <ruby id="bdb3f"><mark id="bdb3f"></mark></ruby><ruby id="bdb3f"></ruby>
                        <pre id="bdb3f"><pre id="bdb3f"><mark id="bdb3f"></mark></pre></pre><output id="bdb3f"></output><p id="bdb3f"></p><p id="bdb3f"></p>

                        <pre id="bdb3f"><del id="bdb3f"><progress id="bdb3f"></progress></del></pre>

                              <ruby id="bdb3f"></ruby>

                              哎呀哎呀视频在线观看