游戏测试 自建 GAutomator 的框架 使用解读 (三)

陈子昂 · 2019年10月07日 · 1796 次阅读

参考 common 模块

突然发现有几个文件通用性很强,不光是游戏的。GA 这个环节已经把云平台相关的部分也给做进去了,这次先讲其中的一个文件 platform_helper.py
提取跳转 platform_helper.py
字面意思就是平台辅助对象,另外关于 GA 框架使用,建议可以自己补注释和二次封装下,鼓励提交问题,这个文章里也发现几个问题,顺带提一下。

  • 如果腾讯公司更新了版本,用校对文件工具自检下在 merge 就好。 可以先看下这个文件内的元素,有 2 个类,分别是 Command() 和 Executor(),Command() 里面是一个类变量.元祖的模式,这个模式可以不用实例化就能使用。
class Command(object):
    """
    Http族-发送数据传输
    """
    GET_ROTATION = (Method.GET, "rotation")
    CLEAR_APP_DATA = (Method.POST, "clearappdata")
    #省略

上面的就是一种封装思想,可以把 GET_ROTATION 当成一个元祖对象,也可以拆开来,并且不用实例化就能使用。Command 充当命名空间。
看到 Method.GET 和 Method.POST 主流请求。

class Method(object): #跳转过去,发现就是一个Method类和上面一样,但只有3个类变量。
    GET = "GET"
    POST = "POST"
    PUT = "PUT"

然后我们看看 Command 是怎么使用的。

def excute_platform(self, command, params=None):  #
    """
        如果返回的errorcode为0,没有"data"则返回True,如果data中有数据则返回
    :param command:
    :param params:
    :return:
    """
    platform_client = RemoteConnection(self.url, keep_alive=False)
    start_time = time.time()
    if not isinstance(command, tuple):
        raise WeTestInvaildArg("command is invaild")

    if command[0] == Method.GET:
        response = platform_client.get(command[1], params)
    else:
        response = platform_client.post(command[1], params)
    end_time = time.time()
    logger.debug("Command: {0} Response: {1} time: {2}s".format(command, response, (end_time - start_time)))
    response = self._check_response(response)
    return response

属于同文件下面的 Executor() 的成员函数。在上面的 if command[0] == Method.GET 就是使用方式。command 做为形参来入参,platform_client.get(command[1], params) 和对应的 post 方法包装了一层,这个和常规的 http 族接口测试一样。我们来看看 get() 和 post() 如何封装的。
跳转到了 GAutomator-master\GAutomatorAndroid\wpyscripts\httptools\remote_connection.py.

def get(self, path, params=None):
    """
        Get method
    :param path:
    :param params:
    :return:
    """
    reponse = self._execute(path, Method.GET, params)

    if reponse:#收到数据检查合法性
        self.error_handler.check_response(reponse)
        return reponse
    else:
        raise RuntimeError("get url error")

这个模型很不错,但这样写也有问题就是 check_response 一般是提供给单个项目用的规则,里面多半藏了一套数据结构,如果不同项目要兼容这个,可以和前面的 Method 和 Command 一样定义一个基础类。来先看看 check_response(),前面的 self.error_handler,说明是一个类实例对象。

def __init__(self, remote_server_addr, keep_alive=False):
    # Attempt to resolve the hostname and get an IP address.
    self.keep_alive = keep_alive
    self.error_handler = ErrorHandler()
    parsed_url = parse.urlparse(remote_server_addr)

keep_alive 是一项网络设置,放在实例化就绪区域十分合理,结果呼之就出了,ErrorHandler().check_response(),但是不清楚为啥这里不用单例。

class ErrorHandler(object):
    """
    Handles errors returned by the WebDriver server.
    """
    def check_response(self, response):
        """
        Checks that a JSON response from the WebDriver does not have an error.
        """
        status = response.get('status', None)
        if status is None or status == ErrorCode.SUCCESS:
            return

        message = ''
        if isinstance(status, int): #反馈规则
            message = response.get('value', None)

        if 399 < status <= 510:
            error_info = "Error code : {0} ,message {1}".format(status, message)
            raise HttpException(error_info)

check_response() 基本规则如上代码,正确的回包{"status":int,"value":未确定类型},但根据 Post 和 get 类型基本上是字符串或者 dict.需要通过 json.loads 和 json.dumps 来序列化处理。
不正确的回包就是如果找不到 key=status 或者没有 value 这个 key,结果是一个 None.

if 399 < status <= 510 #是一个过滤器

如果符合条件则抛错自定义的 error_info.ErrorCode.SUCCESS 也和前面一样是一个基础类.类变量 SUCCESS。
这里还有一点需要注意,python 的 dict 的 key 习惯用""双引号包围,这样 loads 数据不会无法转换,虽然''和""同意。

if reponse:#收到数据检查合法性
    self.error_handler.check_response(reponse)
    return reponse

上面片段优势就是 reponse 能收到回包在进行 check_response 回包,response 比较望词生意,互联网做接口测试,还是按 Http 族约定的 http 应答 code 来判断是不准的,GA 框架提供的这个虽然不是用于接口测试,是用来通信的,但也可以借鉴。

def post(self, path, params):
    """
        Post method
    :param path:
    :param params:
    :return:
    """
    reponse = self._execute(path, Method.POST, params)
    if reponse:
        self.error_handler.check_response(reponse)
        return reponse
    return True

Post 也一样,差异是在_execute 函数,get,Post 请求有差异。下面的_request(self, method, url, body=None) 函数也是被定义的。

parsed_url = parse.urlparse(url)  #没有用requests,用的这个更低级的库。
#省略
 if body and method != 'POST' and method != 'PUT':
        body = None

Get 的话,body 就算入参了,这里也会被修改为 None。根据这个文件所衍伸出来的,改一套 http 族用的接口测试组件和借鉴部分功能还是不错的。

如果觉得我的文章对您有用,请随意打赏。您的支持将鼓励我继续创作!
暫無回覆。
需要 登录 後方可回應,如果你還沒有帳號按這裡 注册