求资料selenium2+python自动化测试实战

求资料selenium2+python自动化测试实战,第1张

一、项目结构介绍

下面逐级介绍此目录与文件的作用

mztstpro/

|-----bbs/

|       |-----data/

|       |-----report/

|                |------image/

|       |-----test_case/

|                |------models/

|                         |----driver.py

|                         |----function.py

|                         |----myunit.py

|                |------page_obj/

|                         |----*Page.py

|                |------*_sta.py

|-----driver/

|-----package/

|-----run_bbs_test.py

|-----startip.bat

|-----自动化测试项目说明文档.docx

1.mztestpro测试项目

bbs:用于存放BBS项目的测试用例、测试报告和测试数据等。

driver:用于存放浏览器驱动。如selenium-server-standalone-2.47.0jar、chromedriver.exe、IEDriverServer.exe等。在执行测试前根据执行场景将浏览器驱动复制到系统环境path目录下。

package:用于存放自动化所用到的扩展包。例如:HTMLTestRunner.py属于一个单独模块

run_bbs_test.py:项目主程序。用来运行社区(BBS)自动化用例。

startup.bat:用搜雹于启动selenium server,默认启动driver目录下的selenium-server-standalone-2.44.0.jar。

自动化测试项目说明文档.docx:介绍当前项目的架构、配置和使用说明。

2.bbs目录

data:该目录用来存放测试相关数据。

report:用于存放HTML测试报告。其下面创建了image目录用于存放测试过程中的截图。

test_case:测试用例目录,用于存放测试用例及相关模块。

3.test_case

models:该含漏悉目录下存放了一些公共的配置函数及公共类。

page_obj:该目录用于存放测试用例的页面对象(Page Object)。根据自定义规则,以“*Page.py”命名的文件为封装的页面对象文件。

*_sta.py:测试用例文件。根据测试文件匹配规则,以“*_sta.py”命名的文件被当作自动化测试用例执行。

二、编写公共模块

首先定义驱动文件:

...\mztestpro\bbs\test_case\models\driver.py

driver.py

# __author__ = 'Ztiny'# -*-coding:utf-8-*-from selenium.webdriver import Remotefrom selenium import webdriver# 启动浏览器驱动def browser():

driver = webdriver.Firefox()    # host = '192.168.0.132:5555' #运行主机 :端口号(默认本机:127.0.0.1:4444)

# dc = {'browserName':'internet explorer','version':'','platfrom':'WINDOWS','javascriptEnabled':True}

# # dc = {'browserName':'firefox','version':'','platfrom':'ANY','javascriptEnabled':True,'marionette':False,}#指定浏览器 ('chrome','firefox')

# driver = Remote(command_executor='http://' + host + '/wd/hub',

#                 desired_capabilities=dc)

return driverif __name__ == '__main__':

dr = browser()

dr.get("http://www.mayi.com")

dr.quit()

定义浏览器驱动函数browser(),该函数可以进行配置,根据我们的需要,配置测试用例在不同的主机及浏览谈乎器下运行。

自定义测试框架类:

...\mztestpro\bbs\test_case\models\myunit.py

myunit.py

# __author__ = 'Ztiny'#-*-coding:utf-8-*-from selenium import webdriverfrom driver import browserimport unittestclass MyTest(unittest.TestCase):    def setUp(self):

self.driver = browser()

self.driver.implicitly_wait(10)

self.driver.maximize_window()    def tearDown(self):

self.driver.quit()if __name__ == '__main__':

unittest.main()

定义MyTest()类用于集成unittest.TestCase类,因为笔者创建的所有测试类中setUp()与tearDown()方法所做的事情相同,所以,将他们抽象为MyTest()类,好处就是在编写测试用例时不再考虑这两个方法的实现。

定义截图函数:

...\mztestpro\bbs\test_case\models\function.py

function.py

# __author__ = 'Ztiny'#-*-coding:utf-8-*-from selenium import webdriverimport os#截图函数def insert_img(driver, file_name):

base_dir = os.path.dirname(os.path.dirname(__file__))

base_dir = str(base_dir)

base_dir = base_dir.replace('\\','/')

base = base_dir.split('test_case')[0]

file_path = base + "report/image/" + file_name

driver.get_screenshot_as_file(file_path)if __name__ == '__main__':

driver = webdriver.Ie()

driver.get("http://www.baidu.com")

insert_img(driver,'baidu.jpg')

driver.quit()

创建截图函数insert_img(),为了保持自动化项目的移植性,采用相对路径的方式将测试截图保持到.\report\image目录中。

三、编写Page Object

首先创建基础Page基础类(百度主页为例):

...\mztestpro\bbs\test_case\page_obj\base.py

base.py

# __author__ = 'Ztiny'#-*-coding:utf-8-*-class Page(object):    '''

   页面基础类,用于所有页面的继承    '''

   baidu_url = 'https://www.baidu.com'

   def __init__(self,selenium_driver,base_url = baidu_url,parent =None):

       self.base_url = base_url

       self.driver = selenium_driver

       self.timeout = 30

       self.parent = parent    def _open(self,url):

       url = self.base_url + url

       self.driver.get(url)        assert self.on_page(),'Did not land on %s' % url    def find_element(self,*loc):        return self.driver.find_element(*loc)    def find_elements(self,*loc):        return self.driver.find_elements(*loc)    def open(self):

       self._open(self.url)    def on_page(self):

       return (self.driver.current_url).encode('utf-8') == (self.base_url + self.url)

def script(self,src):        return self.driver.execute_script(src)

创建页面基础类,通过__init__()方法初始化参数:浏览器驱动、URL地址、超时时长等。定义基本方法:open()用于打开BBS地址:find_element()和find_elements()分别用来定位单个与多个元素;创建script()方法可以更简便地调用JavaScript代码。当然还可以对更多的WebDriver方法进行重定义。

创建BBS登录对象类:

...\mztestpro\bbs\test_case\page_obj\loginPage.py

loginPage.py

# __author__ = 'Ztiny'# -*-coding:utf-8-*-from selenium.webdriver.common.action_chains import ActionChainsfrom selenium.webdriver.common.by import Byfrom base import Pagefrom time import sleepclass login(Page):    '''

   用户登录界面    '''

   url = '/'

   #Action

   baidu_login_user_loc = (By.LINK_TEXT,u'登录')    #d出登录窗口

   def baidu_login(self):

       self.find_element(*self.baidu_login_user_loc).click()

   login_username_loc = (By.ID,'TANGRAM__PSP_8__userName')

   login_password_loc = (By.ID,'TANGRAM__PSP_8__password')

   login_button_loc = (By.ID,'TANGRAM__PSP_8__submit')    #登录用户名

   def login_username(self, username):

       self.find_element(*self.login_username_loc).clear()

       self.find_element(*self.login_username_loc).send_keys(username)    #登录密码

   def login_password(self, password):

       self.find_element(*self.login_password_loc).clear()

       self.find_element(*self.login_password_loc).send_keys(password)    #登录按钮

   def login_button(self):

       self.find_element(*self.login_button_loc).click()    #统一登录入口

   def user_login(self, username="**********@qq.com", password="*********"):        '''获取用户名和面登录'''

       self.open()

       self.baidu_login()

       self.login_username(username)

       self.login_password(password)

       self.login_button()

       sleep(2)

user_error_hint_loc = (By.LINK_TEXT,u"账号不能为空")

   pawd_error_hint_loc = (By.LINK_TEXT,u"密码不能为空")

   user_login_success_loc = (By.LINK_TEXT,u'Ztiny')    #用户名错误提示

   def user_error_hint(self):        return self.find_element(*self.user_error_hint_loc).text    #密码错误提示

   def pawd_error_hint(self):        return self.find_element(*self.pawd_error_hint_loc).text    #登录成功用户名

   def user_login_success(self):

return self.find_element(*self.user_login_success_loc).text

创建登录页面对象,对用户登录页面上的用户名/密码输入框、登录按钮和提示信息等元素的定位进行封装。除此之外,还创建user_login()方法作为系统统一登录的入口。关于对 *** 作步骤的封装可以放在Page Object当中,也可以放在测试用例当中,这个主要根据具体的需求来衡量。这里之所以要放在Page Object当中,主要考虑到还会有其他的测试用例调用到该登录方法。为username 和 password 入参数设置了默认值是为了方便其他用例在调用user_login()时不用再传递登录用户信息,因为该系统大多用例的执行使用该账号即可,同时也方便了在账号失效时的修改。

四、编写测试用例

现在开始编写测试用程序,因为前面已经做好了基础工作,此时测试用例的编写将会简单的许多,更能集中精力考虑用例的设计和事项。

创建BBS登录类:

...\mztestpro\bbs\test_case\login_sta.py

此处需要注意文件名的创建。例如,假设登录页的对象命名为loginPage.py,那么关于测试登录的用例文件应该命名为login_sta.py,这样方便后期用例报错时问题跟踪。尽量把一个页面上的元素定位封装到一个“*Page.py”文件中,把针对这个页面的测试用例集中到一个“*_sta.py”文件中

login_sta.py

# __author__ = 'Ztiny'#-*-coding:utf-8-*-from time import sleepimport unittest, random ,sys

sys.path.append("./models")

sys.path.append("./page_obj")from models import myunit, functionfrom page_obj.loginPage import loginclass loginTest(myunit.MyTest):    '''测试用户登录'''

   def user_login_verify(self, username='',password=''):

       login(self.driver).user_login(username,password)

def test_login1(self):        '''用户名、密码为空登录'''

       self.user_login_verify()

       po = login(self.driver)

       self.assertEqual(po.user_error_hint(),"账号不能为空")

       self.assertEqual(po.pawd_error_hint()."密码不能为空")

       function.insert_img(self.driver,"user_pawd_empty.jpg")    def test_login2(self):        '''用户名正确,密码为空登录'''

       self.user_login_verify(username="*******")

       po = login(self.driver)

       self.assertEqual(po.pawd_error_hint(),"密码不能为空")

       function.insert_img(self.driver,"paqd_empty.jpg")    def test_login3(self):        '''用户名为空,密码正确'''

       self.user_login_verify(password="*******")

       po = login(self.driver)

       self.assertEqual(po.user_error_hint(),"账号不能为空")

       function.insert_img(self.driver,"user_empty.jpg")    def test_login4(self):        '''用户名与密码不匹配'''

       character = random.choice('abcdefghijklmnopqrstuvwxyz')

       username = "zhangsan" + character

       self.user_login_verify(username=username,password="123456")

       po = login(self.driver)

       self.assertEqual(po.pawd_error_hint(),"密码与账号不匹配")

       function.insert_img(self.driver,"user_pwad_error.jpg")    def test_login5(self):        '''用户名、密码正确'''

       self.user_login_verify(username='********@qq.com',password='********')

       sleep(2)

       po = login(self.driver)

       self.assertEqual(po.user_login_success(), u'Ztiny')

       function.insert_img(self.driver ,"user_pwd_ture.jpg")if __name__ == '__main__':

   unittest.main()

首先创建loginTest()类,继承myunit.Mytest()类,关于Mytest()类的实现,请翻看前面代码。这样就省去了在每一个测试类中实现一遍setUp()和tearDown()方法。

创建user_login_verify()方法,并调用loginPage.py中定义的user_login()方法。为什么不直接调用呢?因为user_login()的入参已经设置了默认值,原因前面已经解释,这里需要重新将其入参的默认值设置为空即可。

前三条测试用例很好理解,分别验证:

用户名密码为空,点击登录

用户名正确,密码为空,点击登录

用户名为空,密码正确,点击登录 

第四条用例验证错误用户名和密码登录。在当前系统中如果反复使用固定错误的用户名和密码,系统会d出验证码输入框。为了避免这种情况的发生,就需要用户名进行随机变化,此处的做法用固定前缀“zhangsan”,末尾字符从a~z中随机一个字符与前缀进行拼接。

第五条用例验证正确的用户名和密码登录,通过获取用户名作为断言信息

在上面的测试用例中,每条测试用例结束时都调用function.py文件中的insert_img函数进行截图。当用例运行完成后,打开...\report\image\目录将会看到用例执行的截图文件,如图:

五、执行测试用例

为了在测试用例运行过程中不影响做其他事,笔者选择调用远程主机或虚拟机来运行测试用例,那么这里就需要使用Selenium Grid(其包含Selenium Server)来调用远程节点。

创建...\mztestpro\startup.bat文件,用于启动...\mztestpro\driver\目录下的Selenium Server。

startup.bat

webdriver.Firefox是一个厅颂类,需辩伏简要将其实例化后携裤才能调用。

正确方法:

testdriver=webdriver.Firefox()

control-1.0.1-dist.zip。 解压。

2. 用命令行来到解压的文件夹下: \selenium-remote-control-0.9.2\selenium-server-0.9.2

3. 运行: java -jar selenium-server.jar 启动selenium server (务必启动!!)

4. 在Eclipse创建一个项目,在项目的build path里面加基碧上junit.jar和selenium-java-client-driver.jar(这个在刚解压的包里面)

5. 先利用firefox selenium IDE来录制检测页面检测功能用的junit代码。

6. 在项目里面新建一个class(junit用例):将上面的junit代码帖于此。

7. 根据eclipse的错误提示来增加相应要import的类

8. 在进行测试前,最好将对应浏览器关闭,否则容易出错。

9. 然后在Eclipse里运行 “Run As ->unit Test”即可看到自颤颂动化的范例.

10.运行期间,会d出ie窗口,自动进 行 *** 作测试。检测完后,若junit显示为“绿色”则表示成功。

下面粘贴一下那个测试小程序

import com.thoughtworks.selenium.SeleneseTestCasepublic class Untitled extends SeleneseTestCase {

public void setUp() throws Exception {

//由于selenium 对*firefox不支持3.6版本的.只能支持3.0版本.所以,最好将selenium IDE录制的代码中的firefox改为ie进行测试。

//setUp("http://www.google.cn/", "*firefox")

setUp("http://www.google.cn/", "*iexplore")

}

public void testUntitled() throws Exception {

selenium.open("/")

selenium.type("q", "baidu")

selenium.click("btnG")

selenium.waitForPageToLoad("30000")

selenium.click("link= 百度一下,你就知道")

//添加断言进行测试搏洞举:

// assertTrue(selenium.isTextPresent("OpenQA: Selenium")) //测试出错,程序退出

assertTrue(selenium.isTextPresent("百度一 下,你就知道"))//测试成功,程序继续

}

//用于让测试的页面关闭.若不写,则页面不会关闭

public void tearDown() throws Exception {

selenium.stop()

}

}

(7)

7.1

selenium 常用 *** 作有:open,type,click,select,selectFrame:

1. open("/")打开的是当前的网址;selenium.open("/dmmc/"):在当前的网址后面追回/dmmc/

2. type,click,select,selectFrame各方法使用时,对元素的定位都可采用元素ID 或 xpath方式

3. type,click,select,selectFrame去选择元素时,可以直接用元素的ID作为标 记.

4. 如:selenium.type("loginName", "coship")采用xpath方式时,则格式如://元素名1[元素属性名1='元素属性值1']/元素名2[元素属性名2='元素 属 性值2']/....

如:selenium.type("//input[@name='admin.password']", "coship")7.2

常用命令用法:

1)

type的两种不同定位方式:

selenium.type("loginName", "coship")

//以下语句的"xpath="可以省略

selenium.type("xpath=//input[@name='admin.password']", "coship")

2)

click的两种不同定位方式:

selenium.click("imageField") 即是通过ID定位:<input type="submit" value=" " id="imageField">

selenium.click("//input[@type='submit']") (通过属性input-type)

selenium.click("//input[@value='确定']") (通过属性input-value)

selenium.click("//input[@name='devTypeIds' and @value='000002']") (还可通过属性@id)

3)

点击链接方式:

对于动态内容的获取,尽量避 免采用第一种方式(若内容变了,则出错),而采用第二种方式.

实现方式一:

点击链接:<a href=..>801830456628</a>

selenium.click("link=801830456628")

实现方式二:

获取id=adminList的table中的tbody下的第三行,第二列中的a href元素。

selenium.click("//table[@id='adminsList']/tbody/tr[3]/td[2]/a")

4)

选 择下拉框:

实现方式一:

selenium.select("status", "label=启用")

即 是:<select id="status"><option value="1">启用</option></select>

实现方式二:

selenium.select("xpath=//SELECT[@id='status']", "index=1")

具体应用,请见以下实例。7.3

实例:

用于检测abmc系统各模块功能是否正常。

方式:

用selenium IDE录制abmc系统各模块功能 *** 作.(前提是:这些 *** 作,这些功能都是正确成功),以后当abmc系统升级,更改后,即可运行此脚本,来检查升级是否 影响系统功能实现。若系统更改有错,则selenium中运行中某一步骤时,会出错退出。

如:

系统更改后导致某一页面打不开,这时 selenium运行到此页面时,就不能继续往下 *** 作,就会出错而退出。注意:

1.同时,也可在测试代码中添加一些断言判断来判断成功,失败。

2.

对于firefox selenium IDE录制的脚本要进行适当的修改,尽量让selenium用元素ID来定位 *** 作元素,而不通过元素名(元素名易变化)。

3.

若selenium RC检测代码出错,也不一定是系统升级有问题,可能是系统升级后,有些数据删除,修改了,selenium RC在回放 *** 作时,找到原来录制时对应的数据而出错。具体代码如下:

//对于click,select,selectFrame去选择元素时,可以直接用元素的ID作为标记.// 如:selenium.click("元素ID")public class AbmcSeleniumTest extends SeleneseTestCase {

public void setUp() throws Exception {

setUp("http://192.31.52.103:8080/", "*iexplore")

}

public void testUntitled() throws Exception {

selenium.open("/abmc/")

//type的两种不同定位方式

selenium.type("loginName", "coship")

//以下语句 的"xpath="可以省略

selenium.type("xpath=//input[@name='admin.password']", "coship")

//selenium.click("imageField") 即是通过ID 定位:<input type="submit" value=""id="imageField">

selenium.click("//input[@type='submit']")

//等待一个新的页面加载。 以毫秒为单位,超过后该命令将返回错误。

selenium.waitForPageToLoad("30000")

//即选择<frame src="device/index.jsp" id="mainFrame">

selenium.selectFrame("mainFrame")

//对于动态内容的获取,尽量避免采用第一种方式 (若内容变了,则出错),而采用第二种方式

//点击链接:<a href=..>801830456628</a>

//selenium.click("link=801830456628")

//实现方式二:获取id=adminList的table中的tbody下的第三行,第二列中的a href元素。

selenium.click("//table[@id='adminsList']/tbody/tr[3]/td[2]/a")

selenium.waitForPageToLoad("30000")

selenium.click("//input[@value=' 返回']")

selenium.waitForPageToLoad("30000")

//因为有多个“查看应用列表”,若不指定,默认获取第一个

selenium.click("link=查看应用列表")

selenium.click("btn_dsure")

// 方式一:

//selenium.click(" //a[@onclick=\"showPage('应用列表','deviceAppList.action?device.swType=2&device.deviceId=0000257&device.deviceName=801830456628&device.specName=DevTyp',750,400)\"]")

//方式二:

selenium.click("//table[@id='adminsList']/tbody/tr[3]/td[5]/span[1]/a")

selenium.click("btn_dsure")

selenium.selectFrame("relative=up")

selenium.selectFrame("leftFrame")

selenium.click("link=应用文件管理")

selenium.click("link=应用文件信息")

selenium.selectFrame("relative=up")

selenium.selectFrame("mainFrame")

selenium.click("//a[@onclick=\"showPage('匹配终端类型','appTypeList.action?application.appId=01&application.appName=maliao',750,400)\"]")

selenium.click("btn_dsure")

selenium.click("//table[@id='adminsList']/tbody/tr[7]/td[8]/span[2]/a")

selenium.waitForPageToLoad("30000")

selenium.click("//input[@name='devTypeIds' and @value='000002']")

selenium.click("//input[@value='确定']")

selenium.waitForPageToLoad("30000")

selenium.click("//a[@onclick=\"showPage('匹配终端类型','appTypeList.action?application.appId=01&application.appName=maliao',750,400)\"]")

selenium.click("btn_dsure")

selenium.selectFrame("relative=up")

selenium.selectFrame("leftFrame")

selenium.click("link=终端应用管理")

selenium.click("link=终端应用许可")

selenium.selectFrame("relative=up")

selenium.selectFrame("mainFrame")

//selenium.select("status", "label=启用")即是:<select id="status"><option value="1">启 用</option></select>

selenium.select("xpath=//SELECT[@id='status']", "index=1")

selenium.click("//input[@type='image']")

selenium.waitForPageToLoad("30000")

selenium.click("//input[@type='image']")

selenium.waitForPageToLoad("30000")

selenium.selectFrame("relative=up")

//即 选择<frame src="device/index.jsp" id="mainFrame">

selenium.selectFrame("topFrame")

selenium.click("link=注销")

//若要测试其 它的网页,可以继续selenium.open(..)

}

}

#web测试技术


欢迎分享,转载请注明来源:内存溢出

原文地址: http://outofmemory.cn/yw/12519073.html

(0)
打赏 微信扫一扫 微信扫一扫 支付宝扫一扫 支付宝扫一扫
上一篇 2023-05-26
下一篇 2023-05-26

发表评论

登录后才能评论

评论列表(0条)

保存