Webdriver API (二)
(转载)
1.3 打开测试页面
对页面对测试,首先要打开被测试页面的地址(如:http://www.google.com),web driver 提供的get方法可以打开一个页面:
// And now use thedriver to visit Google
driver.get("http://www.google.com");
1.4 例子
- package org.openqa.selenium.example;
- import org.openqa.selenium.By;
- import org.openqa.selenium.WebDriver;
- import org.openqa.selenium.WebElement;
- import org.openqa.selenium.firefox.FirefoxDriver;
- import org.openqa.selenium.support.ui.ExpectedCondition;
- import org.openqa.selenium.support.ui.WebDriverWait;
- public class Selenium2Example {
- public static voidmain(String[] args) {
- // Create a newinstance of the Firefox driver
- // Notice that theremainder of the code relies on the interface,
- // not the implementation.
- WebDriver driver = newFirefoxDriver();
- // And now use this tovisit Google
- driver.get("http://www.google.com");
- // Alternatively thesame thing can be done like this
- // driver.navigate().to("http://www.google.com");
- // Find the text inputelement by its name
- WebElement element =driver.findElement(By.name("q"));
- // Enter something tosearch for
- element.sendKeys("Cheese!");
- // Now submit the form.WebDriver will find the form for us from the element
- element.submit();
- // Check the title ofthe page
- System.out.println("Page title is: " + driver.getTitle());
- // Google's search isrendered dynamically with JavaScript.
- // Wait for the pageto load, timeout after 10 seconds
- (newWebDriverWait(driver, 10)).until(new ExpectedCondition<Boolean>() {
- public Booleanapply(WebDriver d) {
- returnd.getTitle().toLowerCase().startsWith("cheese!");
- }
- });
- // Should see:"cheese! - Google Search"
- System.out.println("Page title is: " + driver.getTitle());
- //Close the browser
- driver.quit();
- }
- }
Webdirver对浏览器的支持
2.1 HtmlUnit Driver
优点:HtmlUnit Driver不会实际打开浏览器,运行速度很快。对于用FireFox等浏览器来做测试的自动化测试用例,运行速度通常很慢,HtmlUnit Driver无疑是可以很好地解决这个问题。
缺点:它对JavaScript的支持不够好,当页面上有复杂JavaScript时,经常会捕获不到页面元素。
使用:
WebDriver driver = new HtmlUnitDriver();
2.2 FireFox Driver
优点:FireFox Dirver对页面的自动化测试支持得比较好,很直观地模拟页面的操作,对JavaScript的支持也非常完善,基本上页面上做的所有操作FireFox Driver都可以模拟。
缺点:启动很慢,运行也比较慢,不过,启动之后Webdriver的操作速度虽然不快但还是可以接受的,建议不要频繁启停FireFox Driver。
使用:
WebDriver driver = new FirefoxDriver();
Firefox profile的属性值是可以改变的,比如我们平时使用得非常频繁的改变useragent的功能,可以这样修改:
FirefoxProfile profile = new FirefoxProfile();
profile.setPreference("general.useragent.override", "some UAstring");
WebDriver driver = new FirefoxDriver(profile);
2.3 InternetExplorer Driver
优点:直观地模拟用户的实际操作,对JavaScript提供完善的支持。
缺点:是所有浏览器中运行速度最慢的,并且只能在Windows下运行,对CSS以及XPATH的支持也不够好。
使用:
WebDriver driver = new InternetExplorerDriver();
元素识别及操作
3.1 如何找到页面元素
Webdriver的findElement方法可以用来找到页面的某个元素,最常用的方法是用id和name查找。下面介绍几种比较常用的方法。
3.1.1 By ID
假设页面写成这样:
<input type="text" name="passwd"id="passwd-id" />
那么可以这样找到页面的元素:
通过id查找:
WebElement element = driver.findElement(By.id("passwd-id"));
3.1.2 By Name
或通过name查找:
WebElement element = driver.findElement(By.name("passwd"));
3.1.3 By XPATH
或通过xpath查找:
WebElement element =driver.findElement(By.xpath("//input[@id='passwd-id']"));
3.1.4 By Class Name
假设页面写成这样:
<div class="cheese"><span>Cheddar</span></div><divclass="cheese"><span>Gouda</span></div>
可以通过这样查找页面元素:
List<WebElement>cheeses = driver.findElements(By.className("cheese"));
3.1.5 By Link Text
假设页面元素写成这样:
<ahref="http://www.google.com/search?q=cheese">cheese</a>>
那么可以通过这样查找:
WebElement cheese =driver.findElement(By.linkText("cheese"));
3.2 如何对页面元素进行操作
找到页面元素后,怎样对页面进行操作呢?我们可以根据不同的类型的元素来进行一一说明。
3.2.1 输入框(text field or textarea)
找到输入框元素:
WebElement element = driver.findElement(By.id("passwd-id"));
在输入框中输入内容:
element.sendKeys(“test”);
将输入框清空:
element.clear();
获取输入框的文本内容:
element.getText();
3.2.2 下拉选择框(Select)
找到下拉选择框的元素:
Select select = new Select(driver.findElement(By.id("select")));
- 选择对应的选择项:
select.selectByVisibleText(“mediaAgencyA”);
或
select.selectByValue(“MA_ID_001”);
不选择对应的选择项:
select.deselectAll();
select.deselectByValue(“MA_ID_001”);
select.deselectByVisibleText(“mediaAgencyA”);
或者获取选择项的值:
select.getAllSelectedOptions();
select.getFirstSelectedOption();
3.2.3 单选项(Radio Button)
找到单选框元素:
WebElement bookMode =driver.findElement(By.id("BookMode"));
选择某个单选项:
bookMode.click();
清空某个单选项:
bookMode.clear();
判断某个单选项是否已经被选择:
bookMode.isSelected();
3.2.4 多选项(checkbox)
多选项的操作和单选的差不多:
WebElement checkbox =driver.findElement(By.id("myCheckbox."));
checkbox.click();
checkbox.clear();
checkbox.isSelected();
checkbox.isEnabled();
3.2.5 按钮(button)
找到按钮元素:
WebElement saveButton = driver.findElement(By.id("save"));
点击按钮:
saveButton.click();
判断按钮是否enable:
saveButton.isEnabled ();
3.2.6 左右选择框
也就是左边是可供选择项,选择后移动到右边的框中,反之亦然。例如:
Select lang = new Select(driver.findElement(By.id("languages")));
lang.selectByVisibleText(“English”);
WebElement addLanguage =driver.findElement(By.id("addButton"));
addLanguage.click();
3.2.7 弹出对话框(Popup dialogs)
Alert alert = driver.switchTo().alert();
alert.accept();
alert.dismiss();
alert.getText();
3.2.8 表单(Form)
Form中的元素的操作和其它的元素操作一样,对元素操作完成后对表单的提交可以:
WebElement approve = driver.findElement(By.id("approve"));
approve.click();
或
approve.submit();//只适合于表单的提交
3.2.9 上传文件 (Upload File)
上传文件的元素操作:
WebElement adFileUpload = driver.findElement(By.id("WAP-upload"));
String filePath = "C:\test\\uploadfile\\media_ads\\test.jpg";
adFileUpload.sendKeys(filePath);
3.2.10 Windows 和 Frames之间的切换
一般来说,登录后建议是先:
driver.switchTo().defaultContent();
切换到某个frame:
driver.switchTo().frame("leftFrame");
从一个frame切换到另一个frame:
driver.switchTo().frame("mainFrame");
切换到某个window:
driver.switchTo().window("windowName");
3.2.11 拖拉(Drag andDrop)
WebElement element =driver.findElement(By.name("source"));
WebElement target = driver.findElement(By.name("target"));
(new Actions(driver)).dragAndDrop(element, target).perform();
3.2.12 导航 (Navigationand History)
打开一个新的页面:
driver.navigate().to("http://www.example.com");
通过历史导航返回原页面:
driver.navigate().forward();
driver.navigate().back();
3.3 高级使用
3.3.1 改变user agent
User Agent的设置是平时使用得比较多的操作:
FirefoxProfile profile = new FirefoxProfile();
profile.addAdditionalPreference("general.useragent.override","some UA string");
WebDriver driver = new FirefoxDriver(profile);
3.3.2 读取Cookies
我们经常要对的值进行读取和设置。
增加cookie:
// Now set the cookie. This one's valid for the entire domain
Cookie cookie = new Cookie("key", "value");
driver.manage().addCookie(cookie);
获取cookie的值:
// And now output all the available cookies for the current URL
Set<Cookie> allCookies = driver.manage().getCookies();
for (Cookie loadedCookie : allCookies) {
System.out.println(String.format("%s -> %s",loadedCookie.getName(), loadedCookie.getValue()));
}
根据某个cookie的name获取cookie的值:
driver.manage().getCookieNamed("mmsid");
删除cookie:
// You can delete cookies in 3 ways
// By name
driver.manage().deleteCookieNamed("CookieName");
// By Cookie
driver.manage().deleteCookie(loadedCookie);
// Or all of them
driver.manage().deleteAllCookies();
3.3.3 调用Java Script
Web driver对Java Script的调用是通过JavascriptExecutor来实现的,例如:
JavascriptExecutor js = (JavascriptExecutor) driver;
js.executeScript("(function(){inventoryGridMgr.setTableFieldValue('"+ inventoryId + "','" + fieldName + "','"
+ value + "');})()");
3.3.4 Webdriver截图
如果用webdriver截图是:
driver = webdriver.Firefox()
driver.save_screenshot("C:\error.jpg")
3.3.5 页面等待
因为Load页面需要一段时间,如果页面还没加载完就查找元素,必然是查找不到的。最好的方式,就是设置一个默认等待时间,在查找页面元素的时候如果找不到就等待一段时间再找,直到超时。
Webdriver提供两种方法,一种是显性等待,另一种是隐性等待。
显性等待(动态的等待,一旦被等待的条件出现就继续后面的代码,否则一直等到设定的超时时间):
- WebDriver driver =new FirefoxDriver();
- driver.get("http://somedomain/url_that_delays_loading");
- WebElementmyDynamicElement = (new WebDriverWait(driver, 10))
- .until(newExpectedCondition<WebElement>(){
- @Override
- public WebElementapply(WebDriver d) {
- returnd.findElement(By.id("myDynamicElement"));
- }});
隐性等待(影响是全局的。设定后,每次查找元素时,如果首次没找到,都会等待设置的时间,如下10秒,也可以理解为全局超时时间为10秒):
- WebDriver driver = new FirefoxDriver();
- driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);
- driver.get("http://somedomain/url_that_delays_loading");
- WebElement myDynamicElement =driver.findElement(By.id("myDynamicElement"));
RemoteWebDriver
当本机上没有浏览器,需要远程调用浏览器进行自动化测试时,需要用到RemoteWebDirver.
4.1 使用RemoteWebDriver
- import java.io.File;
- import java.net.URL;
- import org.openqa.selenium.OutputType;
- import org.openqa.selenium.TakesScreenshot;
- import org.openqa.selenium.WebDriver;
- import org.openqa.selenium.remote.Augmenter;
- import org.openqa.selenium.remote.DesiredCapabilities;
- import org.openqa.selenium.remote.RemoteWebDriver;
- public class Testing {
- public void myTest()throws Exception {
- WebDriver driver = newRemoteWebDriver(
- new URL("http://localhost:4446/wd/hub"),
- DesiredCapabilities.firefox());
- driver.get("http://www.google.com");
- // RemoteWebDriverdoes not implement the TakesScreenshot class
- // if the driver doeshave the Capabilities to take a screenshot
- // then Augmenter willadd the TakesScreenshot methods to the instance
- WebDriveraugmentedDriver = new Augmenter().augment(driver);
- File screenshot =((TakesScreenshot)augmentedDriver).
- getScreenshotAs(OutputType.FILE);
- }
- }
4.2 SeleniumServer
在使用RemoteDriver时,必须在远程服务器启动一个SeleniumServer:
java -jar selenium-server-standalone-2.20.0.jar -port 4446
4.3 How to setFirefox profile using RemoteWebDriver
- profile = new FirefoxProfile();
- profile.setPreference("general.useragent.override",testData.getUserAgent());
- capabilities = DesiredCapabilities.firefox();
- capabilities.setCapability("firefox_profile", profile);
- driver = new RemoteWebDriver(new URL(“http://localhost:4446/wd/hub”),capabilities);
- driverWait = new WebDriverWait(driver,TestConstant.WAIT_ELEMENT_TO_LOAD);
- driver.get("http://www.google.com");
封装与重用
WebDriver对页面的操作,需要找到一个WebElement,然后再对其进行操作,比较繁琐:
// Find the text inputelement by its name
WebElement element = driver.findElement(By.name("q"));
// Enter something to search for
element.sendKeys("Cheese!");
我们可以考虑对这些基本的操作进行一个封装,简化操作。比如,封装代码:
protected void sendKeys(Byby, String value){
driver.findElement(by).sendKeys(value);
}
那么,在测试用例可以这样简化调用:
sendKeys(By.name("q"),”Cheese!”);
看,这就简洁多了。
类似的封装还有:
- package com.drutt.mm.end2end.actions;
- import java.util.List;
- import java.util.NoSuchElementException;
- import java.util.concurrent.TimeUnit;
- import org.openqa.selenium.By;
- import org.openqa.selenium.WebElement;
- import org.openqa.selenium.remote.RemoteWebDriver;
- import org.openqa.selenium.support.ui.WebDriverWait;
- import com.drutt.mm.end2end.data.TestConstant;
- public class WebDriverAction {
- //protected WebDriverdriver;
- protected RemoteWebDriverdriver;
- protected WebDriverWaitdriverWait;
- protected booleanisWebElementExist(By selector) {
- try {
- driver.findElement(selector);
- return true;
- } catch(NoSuchElementException e) {
- return false;
- }
- }
- protected StringgetWebText(By by) {
- try {
- return driver.findElement(by).getText();
- } catch (NoSuchElementException e) {
- return "Textnot existed!";
- }
- }
- protected voidclickElementContainingText(By by, String text){
- List<WebElement>elementList = driver.findElements(by);
- for(WebElement e:elementList){
- if(e.getText().contains(text)){
- e.click();
- break;
- }
- }
- }
- protected StringgetLinkUrlContainingText(By by, String text){
- List<WebElement>subscribeButton = driver.findElements(by);
- String url = null;
- for(WebElement e:subscribeButton){
- if(e.getText().contains(text)){
- url =e.getAttribute("href");
- break;
- }
- }
- return url;
- }
- protected void click(Byby){
- driver.findElement(by).click();
- driver.manage().timeouts().implicitlyWait(TestConstant.WAIT_ELEMENT_TO_LOAD,TimeUnit.SECONDS);
- }
- protected StringgetLinkUrl(By by){
- return driver.findElement(by).getAttribute("href");
- }
- protected void sendKeys(Byby, String value){
- driver.findElement(by).sendKeys(value);
- }
- }
在selenium2.0中使用selenium1.0的API
Selenium2.0中使用WeDriver API对页面进行操作,它最大的优点是不需要安装一个selenium server就可以运行,但是对页面进行操作不如selenium1.0的Selenium RC API那么方便。Selenium2.0提供了使用Selenium RC API的方法:
- // You may use any WebDriver implementation. Firefox is used hereas an example
- WebDriver driver = new FirefoxDriver();
- // A "base url", used by selenium to resolve relativeURLs
- String baseUrl ="http://www.google.com";
- // Create the Selenium implementation
- Selenium selenium = new WebDriverBackedSelenium(driver, baseUrl);
- // Perform actions with selenium
- selenium.open("http://www.google.com");
- selenium.type("name=q", "cheese");
- selenium.click("name=btnG");
- // Get the underlying WebDriver implementation back. This willrefer to the
- // same WebDriver instance as the "driver" variableabove.
- WebDriver driverInstance = ((WebDriverBackedSelenium)selenium).getUnderlyingWebDriver();
- //Finally, close thebrowser. Call stop on the WebDriverBackedSelenium instance
- //instead of callingdriver.quit(). Otherwise, the JVM will continue running after
- //the browser has beenclosed.
- selenium.stop();
我分别使用WebDriver API和SeleniumRC API写了一个Login的脚本,很明显,后者的操作更加简单明了。
WebDriver API写的Login脚本:
- public void login() {
- driver.switchTo().defaultContent();
- driver.switchTo().frame("mainFrame");
- WebElement eUsername= waitFindElement(By.id("username"));
- eUsername.sendKeys(manager@ericsson.com);
- WebElement ePassword= waitFindElement(By.id("password"));
- ePassword.sendKeys(manager);
- WebElementeLoginButton = waitFindElement(By.id("loginButton"));
- eLoginButton.click();
- }
SeleniumRC API写的Login脚本:
- public void login() {
- selenium.selectFrame("relative=top");
- selenium.selectFrame("mainFrame");
- selenium.type("username","manager@ericsson.com");
- selenium.type("password","manager");
- selenium.click("loginButton");
- }
Webdriver API (二)的更多相关文章
- 第4章 Selenium2-java WebDriver API (二)
4.8 定位一组元素 定位一组元素的方法与定位单个元素的方法类似,唯一的区别是在单词element后面多了一个s表示复数.定位一组元素一般用于以下场景: ·批量操作元素,例如勾选页面上所有的复选框. ...
- selenium初识(二)——之webdriver API
配置完的环境之后,我们先来写一个小脚本: # __Author__:"Jim_xie" from selenium import webdriver from time impor ...
- Selenium2+Python:Webdriver API速记手册
由于web自动化常常需要控制浏览器行为和操作页面元素,相关函数又比较多,于是再此记下一份Webdriver API查阅文档以备不时之需. 参考:虫师<Selenium2自动化测试实战>,和 ...
- python+selenium自动化软件测试(第2章):WebDriver API
2.1 操作元素基本方法 前言前面已经把环境搭建好了,从这篇开始,正式学习selenium的webdriver框架.我们平常说的 selenium自动化,其实它并不是类似于QTP之类的有GUI界面的可 ...
- Selenium WebDriver Api 知识梳理
之前一直没有系统的梳理WebDriver Api的相关知识,今天借此机会整理一下. 1.页面元素定位 1.1.8种常用定位方法 # id定位 driver.find_element_by_id() # ...
- 2.28 查看webdriver API
2.28 查看webdriver API(带翻译) 前言 前面都是点点滴滴的介绍selenium的一些api使用方法,那么selenium的api到底有多少呢?本篇就教大家如何去查看seleni ...
- Civil 3D API二次开发学习指南
Civil 3D构建于AutoCAD 和 Map 3D之上,在学习Civil 3D API二次开发之前,您至少需要了解AutoCAD API的二次开发,你可以参考AutoCAD .NET API二次开 ...
- 用JSON-server模拟REST API(二) 动态数据
用JSON-server模拟REST API(二) 动态数据 上一篇演示了如何安装并运行 json server , 在这里将使用第三方库让模拟的数据更加丰满和实用. 目录: 使用动态数据 为什么选择 ...
- 转:python webdriver API 之操作测试对象
一般来说,所有有趣的操作与页面交互都将通过 WebElement 接口,包括上一节中介绍的对象定位,以及本节中需要介绍的常对象操作.webdriver 中比较常用的操作元素的方法有下面几个: cle ...
随机推荐
- (转)GDT与LDT
网址:http://blog.csdn.net/billpig/article/details/5833980 保护模式下的段寄存器 由 16位的选择器 与 64位的段描述符寄存器 构成段描述符寄存器 ...
- C#列表顺序替换思想
/// <summary> /// 显示列顺序 /// </summary> /// <param name="list"></param ...
- Linux学习笔记(5)-进程管理
进程简介 进程是正在执行的一个程序或命令,每一个进程都有自己的地址空间,并占有一定的系统资源.感性的认识,进程就是一个正在运行的程序 进程管理的作用 判断服务器的运行状态 查看系统中有哪些进程 杀死进 ...
- c++ 字符串工具类
#include <string> #include "util.h" namespace strtool{ std::string trim(const std::s ...
- 用JavaScript获取页面上被选中的文字的技巧
这里介绍的一个小技巧是如何用JavaScript获取页面上被选中的文字的方法.最关键的JavaScript API是: event.selection = window.getSelection(); ...
- bootstrap-treeview
简要教程 bootstrap-treeview是一款效果非常酷的基于bootstrap的jQuery多级列表树插件.该jQuery插件基于Twitter Bootstrap,以简单和优雅的方式来显示一 ...
- XP纯净版光盘ISO镜像文件
原版xp的下载地址,直接发链接得了-.-打开迅雷,按新建任务,把下面下载地址复制进来,下载就可以了 thunder://QUFodHRwOi8vc29mdC51c2Fpa2EuY24vstnX98+1 ...
- DIY Ruby CPU 分析 Part II
[编者按]作者 Emil Soman,Rubyist,除此之外竟然同时也是艺术家,吉他手,Garden City RubyConf 组织者.本文是 DIY Ruby CPU Profiling 的第二 ...
- Notifications Nagios
Introduction I've had a lot of questions as to exactly how notifications work. This will attempt to ...
- struts2 标签的使用之一 s:if
struts2 的web 项目中为了方便的编写jsp,标签是最好的选择 1:struts2 标签库的定义在**-core-版本号.jar META-INF 路径下找到struts-tags.tld文件 ...