appium 程序下载安装见之前的帖子:https://www.cnblogs.com/gancuimian/p/16536322.html

appium 环境搭建见之前的帖子:https://www.cnblogs.com/gancuimian/p/16557576.html

uiautomator2 常用公共方法封装见之前的帖子:https://www.cnblogs.com/gancuimian/p/16948536.html

selenium 常用公共方法封装见之前的帖子:

在写(UI)自动化测试用例的时候,最常用的就是方法的调用。我们在这里,把公共方法封装到一个文件中,

这样以后需要使用,直接调用这个方法就可以了。

以下为个人常使用到的一些 appium 公共方法的封装。

里面有一些操作是有重复的,这个根据个人情况,如果不需要可以不用。重复的话就多个选择,想用哪个用哪个。

包括个别的方法引用的库/类是 python 2.0版本以上弃用的,不过没关系,照样能用。

首先需要导入/引用到的库

import os,time,re,random,faker
from loguru import logger
from selenium.webdriver.common.by import By
from selenium.webdriver.support.wait import WebDriverWait
from typing import Dict, NoReturn, Tuple, List, Union
from appium.webdriver.webelement import WebElement as MobileWebElement
from appium.webdriver.common.touch_action import TouchAction
from selenium.webdriver.common.action_chains import ActionChains
from selenium.webdriver.common.actions.pointer_input import PointerInput
from selenium.webdriver.support import expected_conditions

直接上代码:

class App_Page:
def __init__(self,driver):
self.driver = driver def click(self,element):
""" 根据元素点击 """
el = self.driver.find_element(*element)
el.click() def click_long(self,element,duration: int = 1000):
""" 根据元素长按1 """
el = self.driver.find_element(*element)
TouchAction(self.driver).long_press(el,duration=duration).release().perform() def new_click_long(self,element):
""" 根据元素长按2 """
el = self.driver.find_element(*element)
ActionChains(self.driver).click_and_hold(el).perform() def click_tap(self,x,y):
""" 根据坐标点击 """
action = TouchAction(self.driver)
action.tap(x=x,y=y).perform() def click_tap_long(self,x,y,duration: int = 1000):
""" 根据坐标(长按用百分比貌似不行)长按 """
action = TouchAction(self.driver)
action.long_press(x=x,y=y,duration=duration).release().perform() def click_two(self, element, sleepTime=0):
""" 点击,与第一种没太大区别,作为备用 """
if str(element).startswith("com"): # 若开头是com则使用ID定位
self.driver.find_element(*element).click() # 点击定位元素
elif re.findall("//", str(element)): # 若//开头则使用正则表达式匹配后用xpath定位
self.driver.find_element(*element).click() # 点击定位元素
else: # 若以上两种情况都不是,则使用描述定位
self.driver.find_element(*element).click() # 点击定位元素
time.sleep(sleepTime) def pinch_extend(self,kind: str = "out or in"):
""" 放大/缩小,主要用于图片操作 """
action = ActionChains(self.driver)
action.w3c_actions.devices = []
finger1 = action.w3c_actions.add_pointer_input('touch','finger1')
finger2 = action.w3c_actions.add_pointer_input('touch','finger2')
# 获取屏幕尺寸(宽高)
width = self.driver.get_window_size()['width']
height = self.driver.get_window_size()['height']
if kind == "out":
# 两个手指移动到屏幕正中间
finger1.create_pointer_move(x = width * 0.5, y = height * 0.5)
finger2.create_pointer_move(x = width * 0.5, y = height * 0.5)
# 两个手指按下去
finger1.create_pointer_down()
finger2.create_pointer_down()
# 两个手指移动
finger1.create_pointer_move(x = width * 0.5, y = height * 0.6)
finger2.create_pointer_move(x = width * 0.5, y = height * 0.4)
# 两个手指松开
finger1.create_pointer_up(0)
finger2.create_pointer_up(0)
action.perform()
elif kind == "in":
# 两个手指移动到屏幕正中间
finger1.create_pointer_move(x=width * 0.5, y=height * 0.6)
finger2.create_pointer_move(x=width * 0.5, y=height * 0.4)
# 两个手指按下去
finger1.create_pointer_down()
finger2.create_pointer_down()
# 两个手指移动
finger1.create_pointer_move(x=width * 0.5, y=height * 0.5)
finger2.create_pointer_move(x=width * 0.5, y=height * 0.5)
# 两个手指松开
finger1.create_pointer_up(0)
finger2.create_pointer_up(0)
action.perform()
else:
raise Exception("输入kind不能是非in/out") def click_press_move_one(self,x1,y1,x2,y2):
""" 按下之后滑动,长按滑动(这个用法好像不行,有用成功的踢我一脚) """
action = TouchAction(self.driver)
# 按住点(x1, y1),等待1000ms,滑动至点(x2, y2),释放
action.long_press(x=x1,y=y1).wait(500).move_to(x=x2,y=y2).release()
# 执行操作
action.perform() def click_press_move_two(self,x1,y1,x2,y2):
""" 按下之后滑动,(这里是把长按与滑动组合起来了,2步而不是1步) """
action = TouchAction(self.driver)
# 按住(x1, y1),等待xx秒,滑动至点(x2, y2),释放
action.long_press(x=x1,y=y1)
time.sleep(0.5)
# action.release() # 释放
action.perform() # 执行操作
self.driver.swipe(x1,y1,x2,y2)
action.release() # 释放 def input(self,element,value):
""" 输入框当中输入内容 """
el = self.driver.find_element(*element) # 先找到/定位到输入框
el.send_keys(value) # 输入框输入内容 def clear(self, element):
""" 清空输入框中的内容 """
el = self.driver.find_element(*element)
el.clear() def get_toast_text(self):
""" toast弹窗/获取toast文本内容 """
toast = self.driver.find_element("xpath", "//android.widget.Toast")
return toast.text def get_element_text(self,element):
""" 元素定位,获取text文本 """
el = self.driver.find_element(*element)
return el.text def get_screen_size(self) -> Tuple[int, int]:
""" 获取手机屏幕大小 """
x = self.driver.get_window_size()['width'] # 获取app的宽度
y = self.driver.get_window_size()['height'] # 获取app的高度
return x, y def swipe_screen(self, direction: str, duration_ms: int = 800) -> NoReturn:
""" 屏幕滑动操作 """
location = self.get_screen_size()
if direction.lower() == "up":
x = int(location[0] * 0.5)
start_y = int(location[1] * 0.75)
end_y = int(location[1] * 0.25)
self.driver.swipe(x, start_y, x, end_y, duration_ms)
elif direction.lower() == "down":
x = int(location[0] * 0.5)
start_y = int(location[1] * 0.25)
end_y = int(location[1] * 0.75)
self.driver.swipe(x, start_y, x, end_y, duration_ms)
elif direction.lower() == "left":
start_x = int(location[0] * 0.9)
y = int(location[1] * 0.5)
end_x = int(location[0] * 0.1)
self.driver.swipe(start_x, y, end_x, y, duration_ms)
elif direction.lower() == "right":
start_x = int(location[0] * 0.1)
y = int(location[1] * 0.5)
end_x = int(location[0] * 0.9)
self.driver.swipe(start_x, y, end_x, y, duration_ms)
else:
print("请输入正确的方向") def swipe_extend(self,x1,y1,x2,y2):
""" 根据坐标滑动 """
self.driver.swipe(x1,y1,x2,y2) def is_element_exist(self, element: Tuple[str, Union[str, Dict]], wait_seconds: int = 10) -> bool:
""" 判断元素是否存在 """
by = element[0]
value = element[1] try:
if by == "id":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.ID, value)))
elif by == "name":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.NAME, value)))
elif by == "class":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.CLASS_NAME, value)))
elif by == "text":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.LINK_TEXT, value)))
elif by == "partial_text":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.PARTIAL_LINK_TEXT, value)))
elif by == "xpath":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.XPATH, value)))
elif by == "css":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.CSS_SELECTOR, value)))
elif by == "tag":
WebDriverWait(self.driver, wait_seconds, 1).until(expected_conditions.presence_of_element_located((By.TAG_NAME, value)))
else:
raise NameError("Please enter the correct targeting elements,'id','name','class','text','xpath','css'.")
except:
return False
return True def find_elements(self, element: Tuple[str, Union[str, Dict]]) -> Union[List[MobileWebElement], List]:
""" 寻找一组元素,可用来断言该元素是否存在 """
by = element[0]
value = element[1]
try:
if self.is_element_exist(element):
if by == "id":
return self.driver.find_elements(By.ID, value)
elif by == "name":
return self.driver.find_elements(By.NAME, value)
elif by == "class":
return self.driver.find_elements(By.CLASS_NAME, value)
elif by == "text":
return self.driver.find_elements(By.LINK_TEXT, value)
elif by == "partial_text":
return self.driver.find_elements(By.PARTIAL_LINK_TEXT, value)
elif by == "xpath":
return self.driver.find_elements(By.XPATH, value)
elif by == "css":
return self.driver.find_elements(By.CSS_SELECTOR, value)
elif by == "tag":
return self.driver.find_elements(By.TAG_NAME, value)
else:
raise NameError("Please enter the correct targeting elements,'id','name','class','text','xpath','css'.")
except Exception as e:
logger.error(">>>>>>>> failed to find elements: %s is %s. Error: %s" % (by, value, e)) def is_text_exist(self, text: str, wait_seconds: int = 10) -> bool:
""" 判断text是否于当前页面存在 """
for i in range(wait_seconds):
if text in self.driver.page_source:
return True
time.sleep(1)
return False def screenshot(self, name):
""" 截图(注释的部分,根据个人需求可增or减) """
# day = time.strftime('%Y-%m-%d', time.localtime(time.time()))
# fp = "..\\Result\\" + day
fp = ".\\images\\" # ".":表示上级; "..":表示上上级 tm = time.strftime('%Y-%m-%d-%H_%M', time.localtime(time.time()))
if os.path.exists(fp):
filename = fp + "\\" + tm + '_' + name + '.png'
else:
os.makedirs(fp)
filename = fp + "\\" + tm + '_' + name + '.png'
self.driver.save_screenshot(filename) def get_screen(self, path):
""" 使用该方法也可截图,路径我没配 """
self.driver.get_screenshot_as_file(path) def screenshot_physical_key(self):
""" 截图:用命令模拟安卓物理按键事件(可能需要有root权限) """
self.driver.shell("sendevent /dev/input/event0 1 114 1")
self.driver.shell("sendevent /dev/input/event0 0 0 0")
self.driver.shell("sendevent /dev/input/event0 1 116 1")
self.driver.shell("sendevent /dev/input/event0 0 0 0")
self.driver.shell("sendevent /dev/input/event0 1 116 0")
self.driver.shell("sendevent /dev/input/event0 0 0 0")
self.driver.shell("sendevent /dev/input/event0 1 114 0")
self.driver.shell("sendevent /dev/input/event0 0 0 0") def randmon_phone(self):
""" 随机生成一个手机号,或者其他想生成的数据 """
while True:
phone = "130"
for i in range(8):
num = random.randint(0, 9)
phone += str(num)
return phone def generate_phone_number(self):
""" 随机生成手机号(与上面的实现方法一致,写法用了列表推导式) """
prefix = "130"
suffix = [random.randint(0, 9) for _ in range(8)]
return f"{prefix}{''.join([str(i) for i in suffix])}" def new_mobile(self):
""" 随机生成手机号,需下载:pip install pytest_facker """
fk = faker.Faker(locale=["zh_CN"])
return fk.phone_number() def get_toast(self):
""" toast 弹窗 """
el= self.driver.find_element(By.XPATH,'//android.widget.Toast')
return el def enter(self):
""" 回车 """
self.driver.press_keycode(MobileKey.KEYCODE_ENTER) def volume_up(self):
""" 音量加 """
self.driver.press_keycode(MobileKey.KEYCODE_VOLUME_UP) def select(self):
""" 搜索 """
self.driver.press_keycode(MobileKey.KEYCODE_SEARCH) if __name__ == '__main__':
pass

最后几个虚拟按键的封装,是引用了下面这个类,如果不想引用的话,方法里面的值直接写成对应的数字即可。

class MobileKey(PointerInput):
""" 每个数字代表的含义:https://www.jianshu.com/p/f7ec856ff56f """
KEYCODE_BACK = 4
KEYCODE_CALL = 5
KEYCODE_VOLUME_UP = 24
KEYCODE_VOLUME_DOWN = 25
KEYCODE_ENTER = 66
KEYCODE_SEARCH = 84

以上就是本人 appium自动化常用到的一些公共方法的封装。

python + appium 常用公共方法封装的更多相关文章

  1. JS常用公共方法封装

    _ooOoo_ o8888888o 88" . "88 (| -_- |) O\ = /O ____/`---'\____ .' \\| |// `. / \\||| : |||/ ...

  2. appium安卓自动化的 常用driver方法封装

    appium安卓自动化的 常用driver方法封装 做安卓自动化的时候,很多方法写起来会造成代码冗余,把这部分封装起来 ,添加到androidUI工具类里,随时可调用 都放在这个类下面: @Compo ...

  3. iOS常用公共方法

      iOS常用公共方法 字数2917 阅读3070 评论45 喜欢236 1. 获取磁盘总空间大小 //磁盘总空间 + (CGFloat)diskOfAllSizeMBytes{ CGFloat si ...

  4. iOS 常用公共方法

    iOS常用公共方法 1. 获取磁盘总空间大小 //磁盘总空间 + (CGFloat)diskOfAllSizeMBytes{ CGFloat size = 0.0; NSError *error; N ...

  5. 常用js方法封装

    常用js方法封装 var myJs = { /* * 格式化日期 * @param dt 日期对象 * @returns {string} 返回值是格式化的字符串日期 */ getDates: fun ...

  6. appium+python自动化24-滑动方法封装(swipe)

    swipe介绍 1.查看源码语法,起点和终点四个坐标参数,duration是滑动屏幕持续的时间,时间越短速度越快.默认为None可不填,一般设置500-1000毫秒比较合适. swipe(self, ...

  7. appium+python自动化24-滑动方法封装(swipe)【转载】

    swipe介绍 1.查看源码语法,起点和终点四个坐标参数,duration是滑动屏幕持续的时间,时间越短速度越快.默认为None可不填,一般设置500-1000毫秒比较合适. swipe(self, ...

  8. Python+Appium 查找 toast 方法的封装

    使用场景:在操作应用时常见toast弹框,通过toast弹框信息的获取判断当前的某个操作是否成功 引用的包:from selenium.webdriver.support import expecte ...

  9. Python Appium 元素定位方法简单介绍

    Python  Appium  元素定位 常用的八种定位方法(与selenium通用) # id定位 driver.find_element_by_id() # name定位 driver.find_ ...

  10. python的常用魔法方法详细总结

    构造和初始化 __init__我们很熟悉了,它在对象初始化的时候调用,我们一般将它理解为"构造函数". 实际上, 当我们调用x = SomeClass()的时候调用,__init_ ...

随机推荐

  1. Python自动发邮件(QQ为例)

    import smtplib from email.mime.text import MIMEText from email.header import Header from email.mime. ...

  2. [WSL-1-Ubuntu]使用oh-my-zsh美化你的WSL(附脚本)

    在腾讯云买的那个1c2g的服务器,想用mycat搭建一个mysql cluser,用docker部署了一主一从内存就没了一半,可一主一从没啥作用,起码也得2主2从吧?而且还有HA呢,但内存和钱包不给力 ...

  3. Linux 第八节(防火墙 )

    -------------------iptables-------------------------- RHEL 5 6 7.0 7.1 iptable RHEL 8 firewall FORWA ...

  4. html表白代码

    1.在电脑桌面右击鼠标选择新建--文本文档 2.并命名为:biaobai.txt 3.打开并且把一下代码复制并粘贴到biaobai.txt <!DOCTYPE html PUBLIC " ...

  5. 【ubuntu20】解压文件

    第一类处理 *** .zip或 ***.rar 时,需要先下载相对应的unzip和unrar,可在终端,执行 sudo apt-get install unzipsudo apt-get instal ...

  6. SDM

    SDM:sigma delta Modulator SC:switch capacitor(开关电容) sigma delta调制器的分类 •单环路和级联(cascade)SDM:在于使用的量化器的数 ...

  7. oracle 分配权限命令

    Oracle分配权限 以管理员身份登录数据库 创建用户:create user [username] identified by [password]; 赋予登录权限:grant create ses ...

  8. vue-cli3配置打包后的文件加上版本号

     修改vue.config.js

  9. -behaviour()的使用,他具体有什么作用

    Eralng 编程中的OTP OTP里面创建进程时 常用有四大behaviour • supervisor • gen_server • gen_fsm • gen_event 在erlang的编译器 ...

  10. shell—if + case条件语句

    if 条件语句 1. 概述 在shell的各种条件结构和流程控制结构中都要进行各种测试,然后根据测试结果执行不同的操作,有时候也会与 if 等条件语句相结合,来完成测试判断,以减少程序运行错误. 2. ...