`

selenium2.0 入门

 
阅读更多

1.1  下载selenium2.0lib

http://code.google.com/p/selenium/downloads/list

官方User Guidehttp://seleniumhq.org/docs/

1.2  webdriver打开一个浏览器

我们常用的浏览器有firefoxIE两种,firefoxselenium支持得比较成熟的浏览器。但是做页面的测试,速度通常很慢,严重影响持续集成的速度,这个时候建议使用HtmlUnit,不过HtmlUnitDirver运行时是看不到界面的,对调试就不方便了。使用哪种浏览器,可以做成配置项,根据需要灵活配置。

 

<!--[if !supportLists]-->1.     <!--[endif]-->打开firefox浏览器:

        //Create a newinstance of the Firefox driver

        WebDriver driver = newFirefoxDriver(); 

<!--[if !supportLists]-->2.     <!--[endif]-->打开IE浏览器

        //Create a newinstance of the Internet Explorer driver

        WebDriver driver = newInternetExplorerDriver ();

 打开HtmlUnit浏览器

        //Createa new instance of the Internet Explorer driver    

        WebDriverdriver = new HtmlUnitDriver(); 

1.3  打开测试页面

对页面对测试,首先要打开被测试页面的地址(如:http://www.google.com,web driver 提供的get方法可以打开一个页面:

        // And now use thedriver to visit Google

        driver.get("http://www.google.com");

 

1.4  如何找到页面元素

WebdriverfindElement方法可以用来找到页面的某个元素,最常用的方法是用idname查找。

 假设页面写成这样:

<input type="text" name="passwd"id="passwd-id" /> 

那么可以这样找到页面的元素:

通过id查找:

WebElement element = driver.findElement(By.id("passwd-id"));

或通过name查找:

WebElement element = driver.findElement(By.name("passwd"));

或通过xpath查找:

WebElement element =driver.findElement(By.xpath("//input[@id='passwd-id']")); 

但页面的元素经常在找的时候因为出现得慢而找不到,建议是在查找的时候等一个时间间隔。

1.5  如何对页面元素进行操作

找到页面元素后,怎样对页面进行操作呢?我们可以根据不同的类型的元素来进行一一说明。

1.5.1 输入框(text field or textarea

   找到输入框元素:

WebElement element = driver.findElement(By.id("passwd-id"));

在输入框中输入内容:

element.sendKeys(test);

将输入框清空:

element.clear();

获取输入框的文本内容:

element.getText();

 

1.5.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();

 

1.5.3单选项(Radio Button)

找到单选框元素:

WebElement bookMode =driver.findElement(By.id("BookMode"));

选择某个单选项:

bookMode.click();

清空某个单选项:

bookMode.clear();

判断某个单选项是否已经被选择:

bookMode.isSelected();

1.5.4多选项(checkbox)

多选项的操作和单选的差不多:

WebElement checkbox = driver.findElement(By.id("myCheckbox."));

checkbox.click();

checkbox.clear();

checkbox.isSelected();

checkbox.isEnabled();

1.5.5按钮(button)

找到按钮元素:

WebElement saveButton = driver.findElement(By.id("save"));

点击按钮:

saveButton.click();

判断按钮是否enable:

 

saveButton.isEnabled ();

1.5.6左右选择框

也就是左边是可供选择项,选择后移动到右边的框中,反之亦然。例如:

Select lang = new Select(driver.findElement(By.id("languages")));

lang.selectByVisibleText(English);

WebElement addLanguage =driver.findElement(By.id("addButton"));

addLanguage.click();

1.5.7弹出对话框(Popup dialogs)

Alert alert = driver.switchTo().alert();

alert.accept();

alert.dismiss();

alert.getText();

1.5.8表单(Form)

Form中的元素的操作和其它的元素操作一样,对元素操作完成后对表单的提交可以:

WebElement approve = driver.findElement(By.id("approve"));

approve.click();

approve.submit();//只适合于表单的提交

1.5.9上传文件

上传文件的元素操作:

WebElement adFileUpload =driver.findElement(By.id("WAP-upload"));

String filePath = "C:\test\\uploadfile\\media_ads\\test.jpg";

adFileUpload.sendKeys(filePath);

1.6  Windows Frames之间的切换

一般来说,登录后建议是先:

driver.switchTo().defaultContent();

切换到某个frame

driver.switchTo().frame("leftFrame");

从一个frame切换到另一个frame

driver.switchTo().frame("mainFrame");

切换到某个window

driver.switchTo().window("windowName");

 

1.7  调用Java Script

Web driverJava Script的调用是通过JavascriptExecutor来实现的,例如:

JavascriptExecutor js = (JavascriptExecutor) driver;

        js.executeScript("(function(){inventoryGridMgr.setTableFieldValue('"+ inventoryId + "','" + fieldName + "','"

                + value + "');})()");

1.8  页面等待

页面的操作比较慢,通常需要等待一段时间,页面元素才出现,但webdriver没有提供现成的方法,需要自己写。

等一段时间再对页面元素进行操作:

    public void waitForPageToLoad(longtime) {

        try {

            Thread.sleep(time);

        } catch (Exceptione) {

        }

    }

在找WebElement的时候等待:

   public WebElementwaitFindElement(By by) {

        returnwaitFindElement(by, Long.parseLong(CommonConstant.GUI_FIND_ELEMENT_TIMEOUT),Long

                .parseLong(CommonConstant.GUI_FIND_ELEMENT_INTERVAL));

    }

 

    public WebElementwaitFindElement(By by, long timeout, long interval) {

        long start = System.currentTimeMillis();

        while (true) {

            try {

                return driver.findElement(by);

            } catch(NoSuchElementException nse) {

                if (System.currentTimeMillis()- start >= timeout) {

                    throw newError("Timeout reached and element[" + by + "]not found");

                } else {

                    try {

                        synchronized(this) {

                           wait(interval);

                        }

                    } catch(InterruptedException e) {

                        e.printStackTrace();

                    }

                }

            }

        }

    }

 

1.9  selenium2.0中使用selenium1.0API

Selenium2.0中使用WeDriver API对页面进行操作,它最大的优点是不需要安装一个selenium server就可以运行,但是对页面进行操作不如selenium1.0Selenium 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 APISeleniumRC 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");

}

1.8  超时设置 

WebDriver driver = new FirefoxDriver();

<!--[if !supportLists]-->·         <!--[endif]-->driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);      //识别元素时的超时时间

<!--[if !supportLists]-->·         <!--[endif]-->driver.manage().timeouts().pageLoadTimeout(10, TimeUnit.SECONDS);  //页面加载时的超时时间

<!--[if !supportLists]-->·         <!--[endif]-->driver.manage().timeouts().setScriptTimeout(10, TimeUnit.SECONDS);  //异步脚本的超时时间

 

 

 

项目实例:

package com.vcredit.jdev.p2p.account.it;

import java.util.regex.Pattern;
import java.util.concurrent.TimeUnit;

import org.junit.*;

import static org.junit.Assert.*;
import static org.hamcrest.CoreMatchers.*;

import org.openqa.selenium.*;
import org.openqa.selenium.chrome.ChromeDriver;
import org.openqa.selenium.firefox.FirefoxDriver;
import org.openqa.selenium.support.ui.Select;

public class RegisterAndLoginIT {
  private WebDriver driver;
  private String baseUrl;
  private boolean acceptNextAlert = true;
  private StringBuffer verificationErrors = new StringBuffer();

  @Before
  public void setUp() throws Exception {
	 // driver = new ChromeDriver();
	  driver = new FirefoxDriver();
	   String hostname = System.getProperty("runtime.websvr.hostname");
	    String port = System.getProperty("runtime.websvr.port");
	    baseUrl = "http://"+hostname+":"+ port;
    driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
  }

  @Test
  public void testLogin() throws Exception {
//	    driver.get(baseUrl + "/#/");
//	    driver.findElement(By.linkText("注册")).click();
//	    driver.findElement(By.name("username")).clear();
//	    driver.findElement(By.name("username")).sendKeys("admindk027");
//	    driver.findElement(By.name("password")).clear();
//	    driver.findElement(By.name("password")).sendKeys("123456");
//	    driver.findElement(By.name("password_confirm")).clear();
//	    driver.findElement(By.name("password_confirm")).sendKeys("123456");
//	    driver.findElement(By.name("_captcha")).clear();
//	    driver.findElement(By.name("_captcha")).sendKeys("12312");
//	    driver.findElement(By.id("mobile")).clear();
//	    driver.findElement(By.id("mobile")).sendKeys("13946858222");
//	    driver.findElement(By.name("mobileVerificationCode")).clear();
//	    driver.findElement(By.name("mobileVerificationCode")).sendKeys("123123");
//	    driver.findElement(By.xpath("//input[@type='checkbox']")).click();
//	    driver.findElement(By.xpath("//button[@type='submit']")).click();
//    driver.findElement(By.linkText("安全退出")).click();
	    driver.get(baseUrl + "/#/");
	    driver.findElement(By.linkText("登录")).click();
	    driver.findElement(By.name("username")).clear();
	    driver.findElement(By.name("username")).sendKeys("admindk027");
	    driver.findElement(By.name("password")).clear();
	    driver.findElement(By.name("password")).sendKeys("123456");
	    driver.findElement(By.name("_captcha")).clear();
	    driver.findElement(By.name("_captcha")).sendKeys("12312");
	    driver.findElement(By.cssSelector("button.btn.f18")).click();
	    driver.findElement(By.xpath("//dl[2]/dd")).click();
  }

  @After
  public void tearDown() throws Exception {
    driver.quit();
    String verificationErrorString = verificationErrors.toString();
    if (!"".equals(verificationErrorString)) {
      fail(verificationErrorString);
    }
  }

  private boolean isElementPresent(By by) {
    try {
      driver.findElement(by);
      return true;
    } catch (NoSuchElementException e) {
      return false;
    }
  }

  private boolean isAlertPresent() {
    try {
      driver.switchTo().alert();
      return true;
    } catch (NoAlertPresentException e) {
      return false;
    }
  }

  private String closeAlertAndGetItsText() {
    try {
      Alert alert = driver.switchTo().alert();
      String alertText = alert.getText();
      if (acceptNextAlert) {
        alert.accept();
      } else {
        alert.dismiss();
      }
      return alertText;
    } finally {
      acceptNextAlert = true;
    }
  }
}

 

分享到:
评论

相关推荐

    Selenium 2.0 and WebDriver - the 5 minute getting started guide

    **Selenium 2.0 和 WebDriver - 五分钟入门指南** Selenium 2.0 是一个强大的自动化测试框架,用于Web应用程序。它集成了WebDriver API,允许开发者编写可跨多个浏览器和平台运行的测试脚本。WebDriver 是一种接口...

    selenium2.0_中文帮助文档

    这个中文帮助文档详尽地介绍了如何使用Selenium2.0进行网页自动化操作,非常适合初学者入门。以下是对文档中关键知识点的详细阐述: ### 1. WebDriver基础 #### 1.1 下载Selenium2.0的lib包 首先,要开始使用...

    selenium从入门到精通

    Selenium WebDriver(Selenium WD)是Selenium 2.0版本的核心组件,它提供了一套更加简洁直观的API,使得测试人员能够直接使用编程语言控制浏览器。而Selenium Grid则可以实现在多个环境和浏览器上同时运行测试任务...

    Selenium-Webdriver系列教程

    快速入门的示例展示了Selenium-Webdriver的基本用法。这段代码首先引入所需的库,然后创建一个Firefox浏览器实例,导航到Google首页,等待3秒,输入搜索词“Hello WebDriver!”并提交,最后打印页面标题并关闭浏览器...

    Selenium用户指南

    - Selenium 2.0 的更新意味着它不仅增强了功能,而且增加了更多的兼容性和稳定性改进。 - **Selenium项目简史**: - Selenium 最初由 ThoughtWorks 的 Jason Huggins 在 2004 年创建。 - 2006 年,Selenium 被...

    selenium2初学者快速入门

    ### Selenium2初学者快速入门详解 #### 一、引言 随着软件开发的快速发展和规模的不断增大,传统的手动测试方式越来越难以满足高效且频繁的测试需求。为了解决这一问题,自动化测试成为了软件测试领域的重要发展...

    selenium 书籍

    - **第二章**:入门指南,适合初学者快速了解Selenium的基本概念和使用方法。 - **第三章**:Selenium IDE介绍,包括安装、配置和基本操作等,共分为六个部分。 - **第四章**:Selenium 2.0和WebDriver,深入探讨...

    Selenium 基本介绍文档

    Selenium 1.0 初学者指南.pdf Selenium私房菜(新手入门教程).pdf [零成本实现Web自动化测试-基于Selenium和Bromine].温素剑.pdf Selenium 中文文档 .pdf selenium2.0_中文帮助文档.doc 具体见附件

    selenium 用户指南

    在入门阶段,Selenium 提供了多种工具,如 Selenium IDE(集成开发环境),用于录制和回放测试,便于快速原型设计;Selenium RC(远程控制)允许通过编程接口进行测试;而 WebDriver 是一个直接与浏览器通信的 API,...

    selenium2初学者快速入门(Java)

    ### Selenium2初学者快速入门(Java) #### 一、引言 随着软件开发规模的不断扩大,测试成为确保软件质量不可或缺的一环。面对大量的重复性测试任务,自动化测试逐渐成为业界的首选方案。Selenium作为一款优秀的开源...

    selenium 学习资料

    selenium学习资料:Selenium测试实践_基于电子商务平台.pdf,selenium_webdriver-java.pdf,selenium2.0_中文帮助文档.pdf,Selenium定位大全01.pdf,基于Selenium 2的自动化测试 从入门到精通PDF电子书下载 带书签...

    selenium2初学者快速入门 java版

    ### Selenium2初学者快速入门(Java版):详解与实战指南 #### 一、引言 随着软件开发行业的快速发展,自动化测试已经成为确保软件质量的重要手段之一。传统的手工测试方法不仅耗时费力,而且难以应对日益复杂的...

    gui 自动化selenium学习资料

    文档中包含gui自动化框架 selenium1.0 资料:selenium私房菜,selenium2.0 资料:selenium2 中文api,中文开发指南及webdriver使用总结文档,适用GUI于自动化开发入门及深入学习的资料

    Selenium使用文档压缩包

    这个压缩包包含的资源是针对Selenium使用者的入门和进阶指南,帮助读者更好地理解和运用Selenium。 《Selenium.1.0.Testing.Tools.Beginners.Guide.Nov.2010.pdf》可能涵盖了Selenium 1.0的基础知识,包括Selenium ...

    selenium2python自动化测试实战修订

    2. **Python编程基础**:为了便于初学者入门,书中的前几章可能回顾Python的基础语法,如变量、数据类型、控制结构、函数和模块等,以便后续学习Selenium时能快速上手。 3. **Selenium WebDriver介绍**:详细解释...

    selenium2 python自动化测试 PDF学习

    而掌握这些知识点,不仅可以帮助初学者入门Web自动化测试,也可以让有基础的技术人员更深入地理解和应用Python与Selenium的结合,有效提高测试效率和质量。正如书中所言,师傅领进门,修行靠个人,只有通过不断的...

Global site tag (gtag.js) - Google Analytics