python httpインターフェース試験フレームの例


本記事では、python httpインターフェースのテストフレームワークの例などを提供します。詳しくて全面的で、興味のある方は参考にして勉強してください。
1、ログクラス、テスト時のログ記録に使用する 
pyapilog.py
 # -*-coding:utf-8 -*-
 # !/usr/bin/python
 __author__ = 'dongjie'
 __data__ = '2015-05-20'
 
 import logging
 import datetime
 import os
 import setting
 logLevel = {
    1 : logging.NOTSET,
    2 : logging.DEBUG,
    3 : logging.INFO,
    4 : logging.WARNING,
    5 : logging.ERROR,
    6 : logging.CRITICAL
 }
 setFile = os.path.join(setting.root_dir, 'setting.ini')
 loggers = {}
 
 
 #        ,           ,         
 def pyapilog(**kwargs):
     global loggers
     log_level = setting.logLevel
     log_path = setting.logFile
     if os.path.exists(log_path):
         log_file = os.path.join(log_path, datetime.datetime.now().strftime('%Y-%m-%d') + '.log')
     else:
         os.mkdir(r'%s' % log_path)
         log_file = os.path.join(log_path, datetime.datetime.now().strftime('%Y-%m-%d') + '.log')
     logger = logging.getLogger()
     logger.setLevel(logLevel[log_level])
     if not logger.handlers:
         #     handler,        
         fh = logging.FileHandler(log_file)
         fh.setLevel(logLevel[log_level])
         #      handler,        
         ch = logging.StreamHandler()
         ch.setLevel(logging.ERROR)
         #   handler     
         formatter = logging.Formatter('%(asctime)s %(filename)s[line:%(lineno)d] %(levelname)s %(message)s')
         fh.setFormatter(formatter)
         ch.setFormatter(formatter)
         #  logger  handler
         logger.addHandler(fh)
         logger.addHandler(ch)
         loggers.update(dict(name=logger))
     return  logger
2、httpテスト類
httprequest.py
# -*-coding:utf-8 -*-
# !/usr/bin/python
__author__ = 'dongjie'
__data__ = '2015-05-20'

from pyapilog import pyapilog
import requests
import json
import urllib

class SendHttpRequest(object):
    def __init__(self, url):
        self.url = url
    # post request

    def post(self, value=None):
        params = urllib.urlencode(value)
        try:
            req = requests.post(self.url + "?%s" % params)
        except Exception, err:
            print err
        if req.status_code == 200:
            pyapilog().info(u"  post  : %s       :  %s" % (req.url, req.status_code))
        else:
            pyapilog().error(u"  post  : %s        :  %s
error info: %s "
% (req.url, req.status_code, req.text)) return req.text def post_json(self, value): head = {'content-type': 'application/json'} try: req = requests.post(self.url, data=json.dumps(value), headers=head) print req.url except Exception, err: print err if req.status_code == 200: pyapilog().info(u" post : %s : %s" % (req.url, req.status_code)) return req.text else: pyapilog().error(u" post : %s : %s
error info: %s "
% (req.url, req.status_code, req.text)) def get(self, value=None): try: req = requests.get(self.url, params=value) except Exception, err: print err if req.status_code == 200: pyapilog().info(u" get : %s : %s" % (req.url, req.status_code)) else: pyapilog().error(u" get : %s : %s
error info: %s "
% (req.url, req.status_code, req.text)) return req.text
3、データベースの操作クラス
databasedriver.py# -*-coding:utf-8 -*# !/usr/bin/python
__author__ = 'dongjie'
__data__ = '2015-05-21'
import pymssql
import MySQLdb
import setting
from pyapilog import pyapilog

class sqldriver(object):
    def __init__(self, host, port, user, password, database):
        self.host = host
        self.port = port
        self.user = user
        self.password = password
        self.database = database

    #   SQLserver  
    def exec_mssql(self, sql):
        try:
            conn = pymssql.connect(host=self.host,
                                   port=self.port,
                                   user=self.user,
                                   password=self.password,
                                   database=self.database,
                                   charset="utf8")
            cur = conn.cursor()
            if cur:
                pyapilog().info(u"  SQL  |%s|" % sql)
                cur.execute(sql)
                rows = cur.fetchall()
                if len(rows) == 0:
                    pyapilog().warning(u"       ")
                return rows
            else:
                pyapilog().error(u"        ")
            conn.close()
        except Exception, e:
            pyapilog().error(e)

    #   Mysql  
    def exec_mysql(self, sql):
        try:
            conn = MySQLdb.connect(host=self.host,
                                   port=self.port,
                                   user=self.user,
                                   passwd=self.password,
                                   db=self.database,
                                   )
            cur = conn.cursor()
            if cur:
                pyapilog().info(u"  SQL  |%s|" % sql)
                resList = cur.execute(sql)
                return resList
        except Exception, e:
            pyapilog().error(e)

#   sql      
def execsql(sql):
    config = setting.DATABASE
    driver = config.get("ENGINE")
    host = config.get("HOST")
    port = config.get("PORT")
    user = config.get("USER")
    password = config.get("PWD")
    database = config.get("DATABASE")
    if driver == "MYSQL":
        try:
            sql_result = sqldriver(
                host=host,
                port=port,
                user=user,
                password=password,
                database=database
            ).exec_mysql(sql)
            return sql_result
        except Exception, e:
            pyapilog().error(e)

    elif driver == "MSSQL":
        try:
            sql_result = sqldriver(
                host=host,
                port=port,
                user=user,
                password=password,
                database=database
            ).exec_mssql(sql)
            return sql_result
        except Exception, e:
            pyapilog().error(e)
else:
        pyapilog().error(u"[%s]       MYSQL、MSSQL、ORACLE" % driver)
4、json文字列を解析する
dataprase.py
# -*-coding:utf-8 -*-
# !/usr/bin/python
__author__ = 'dongjie'
__data__ = '2015-05-21'
import json
import xmltodict
from pyapilog import pyapilog

#   json   
class jsonprase(object):
    def __init__(self, json_value):
        try:
            self.json_value = json.loads(json_value)
        except ValueError, e:
            pyapilog().error(e)

    def find_json_node_by_xpath(self, xpath):
        elem = self.json_value
        nodes = xpath.strip("/").split("/")
        for x in range(len(nodes)):
            try:
                elem = elem.get(nodes[x])
            except AttributeError:
                elem = [y.get(nodes[x]) for y in elem]
        return elem

    def datalength(self, xpath="/"):
        return len(self.find_json_node_by_xpath(xpath))

    @property
    def json_to_xml(self):
        try:
            root = {"root": self.json_value}
            xml = xmltodict.unparse(root, pretty=True)
        except ArithmeticError, e:
            pyapilog().error(e)
        return xml

#   xml   
class xmlprase(object):
    def __init__(self, xml_value):
        self.xml_str = xml_value

    @property
    def xml_to_json(self):
        try:
            xml_dic = xmltodict.parse(self.xml_str,
                                      encoding="utf-8",
                                      process_namespaces=True,
                                      )
            json_str = json.dumps(xml_dic)
        except Exception, e:
            print e
        return json_str
5、配置ファイルがあって、もう少しで言い忘れそうになりました。
# -*-coding:utf-8 -*-
# !/usr/bin/python
__author__ = 'dongjie'
__data__ = '2015-05-20'

'''
             ,         
'''
import os
import sys
root_dir = '/'.join(os.path.realpath(__file__).split('/')[:-1])
sys.path.append(root_dir)
# log  ,1:notset 2:debug  3:info 4:warning 5:error 6:critical
logLevel = 2
#       
logFile = os.path.join(root_dir, 'logs')

#      ,  MYSQL、MSSQL、ORACLE
DATABASE = {
    "ENGINE": "MSSQL",
    "HOST": "",
    "PORT": 3433,
    "USER": "",
    "PWD": "",
    "DATABASE": ""
}
6、最後に私達のテストケースを見てみましょう。もちろんデータ駆動です。
# -*-coding:utf-8 -*-
from ddt import ddt, data, unpack
import unittest
from papi.httprequest import SendHttpRequest
from papi.dataparse import jsonprase, xmlprase

@ddt
class TestSingleRequest(unittest.TestCase):
    def setUp(self):
        self.url = "http://xxxxxxxxxxxxxxxxxxx/api/xxxxxx"
    @data(
        (32351, 6),
        (9555, 4)
    )
    @unpack
    def test_Single_right(self, sid, count):
        value = {"sid": sid, "count": count}
        data = SendHttpRequest(self.url).get(value)
        json_data = jsonprase(data)
        point_lat = json_data.find_json_node_by_xpath("/Point/Lat")
        point_lng = json_data.find_json_node_by_xpath("/Point/Lng")
        is_exists_map = json_data.find_json_node_by_xpath("/Ptd/AmapGuideMap155/IsExistsMap")
        size = json_data.find_json_node_by_xpath("/Ptd/AmapGuideMap155/Size")
        #   
        assert float(point_lat) != 0 and float(point_lng) != 0
        #   
        assert json_data.find_json_node_by_xpath("/Ptd/AmapGuideMap155/DownUrl") is not None
        if is_exists_map == True:
            assert size != ""

    #     SingleRequest  
    @data(
        ("abceeffffg", 6),
        (9555, "")
    )
    @unpack
    def test_Single_error(self, sid, count):
        value = {"sid": sid, "count": count}
        data = SendHttpRequest(self.url).get(value)
        self.assertEqual(data, u'{"Message":"    。"}')

@ddt
class TourMaps(unittest.TestCase):
    def setUp(self):
        self.url = "http://xxxxxx/api/TourMap"

    @data(32351, 9555)
    def test_requests_online_xml(self, tourId):
        xml_url = self.url + "/%s" % tourId
        data = SendHttpRequest(xml_url).get()
        json_st = xmlprase(data).xml_to_json
        json_data = jsonprase(json_st)
        lng = json_data.find_json_node_by_xpath("/root/data/@lng")
        lat = json_data.find_json_node_by_xpath("/root/data/@lat")
        assert lng != "" and lat != ""
        son_tour = json_data.find_json_node_by_xpath("/root/data/data")
        assert len(son_tour) > 0

class TourData(unittest.TestCase):
    def setUp(self):
        self.url = "http://xxxxxx/api/xxx"

    @data(
        (),
        (),
        (),
    )
    @unpack
    def test_tourList_Location_in_open(self):
        pass

    def test_tourList_Location_not_open(self):
        pass

    def test_tour_open_city(self):
        pass


if __name__ == "__main__":
    suite = unittest.TestLoader().loadTestsFromTestCase(TourMaps, TestSingleRequest)
    unittest.TextTestRunner(verbosity=2).run(suite)
テスト結果の生成は、python nose関連文書を確認してhmtlを生成することができます。
ディレクトリ構造
プロジェクト
𞓜
case菗テスト用例
𞓜
suite菵テストディレクトリ
𞓜
logs皰テストログ
𞓜
papi菗試験類
𞓜
レスリングテストの結果
𞓜
setting.py〓〓配置ファイル