<iframe src="http://www.baidu.com/ur/scun?title=webdriver%20API%E4%B8%AD%E6%96%87%E7%89%88&ltu=http%3A%2F%2Fwww.360doc.com%2Fcontent%2F14%2F0629%2F20%2F16427364_390807525.shtml&di=contentunion1040&tn=SE_hldp00970_2vypufth&_t=1404045958791" frameborder="0" marginwidth="0" marginheight="0" scrolling="no" align="center,center" width="640" height="100"></iframe>
1.1 下载selenium2.0的lib包http://code.google.com/p/selenium/downloads/list
官方UserGuide:http://seleniumhq.org/docs/ 1.2 用webdriver打开一个浏览器我们常用的浏览器有firefox和IE两种,firefox是selenium支持得比较成熟的浏览器。但是做页面的测试,速度通常很慢,严重影响持续集成的速度,这个时候建议使用HtmlUnit,不过HtmlUnitDirver运行时是看不到界面的,对调试就不方便了。使用哪种浏览器,可以做成配置项,根据需要灵活配置。
//Create a newinstance of the Firefox driver WebDriver driver = newFirefoxDriver();
//Create a newinstance of the Internet Explorer driver WebDriver driver = newInternetExplorerDriver ();
//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 GettingStartedpackage 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(); } } 第2章 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(); 2.3 InternetExplorer Driver优点:直观地模拟用户的实际操作,对JavaScript提供完善的支持。 缺点:是所有浏览器中运行速度最慢的,并且只能在Windows下运行,对CSS以及XPATH的支持也不够好。 使用: WebDriver driver = new InternetExplorerDriver();
第3章 使用操作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 agentUser 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 ScriptWeb driver对Java Script的调用是通过JavascriptExecutor来实现的,例如: JavascriptExecutor js = (JavascriptExecutor) driver; js.executeScript("(function(){inventoryGridMgr.setTableFieldValue('"+ inventoryId + "','" + fieldName + "','" + value + "');})()");
3.3.4 Webdriver截图如果用webdriver截图是: driver = webdriver.Firefox() 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")); }});
隐性等待: 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")); 第4章 RemoteWebDriver当本机上没有浏览器,需要远程调用浏览器进行自动化测试时,需要用到RemoteWebDirver. 4.1 使用RemoteWebDriverimport 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 RemoteWebDriverprofile = 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");
第5章 封装与重用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); }
第6章 在selenium2.0中使用selenium1.0的APISelenium2.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"); } |
- 浏览: 87974 次
- 性别:
- 来自: 上海
相关推荐
1300张图片训练效果
教学辅助平台的出现,是为了更好地服务于教育工作者和学生,提高教学效果和学习效率。该平台集成了多个功能模块,旨在为用户提供全面、便捷的教学辅助服务。 平台首页作为导航入口,提供了清晰的界面布局和便捷的导航功能,方便用户快速找到所需功能。需要注意的是,“首页”这一选项在导航菜单中出现了多次,可能是设计上的冗余,需要进一步优化。 “个人中心”模块允许用户查看和管理自己的个人信息,包括修改密码等账户安全设置,确保用户信息的准确性和安全性。 在教育教学方面,“学生管理”和“教师管理”模块分别用于管理学生和教师的信息,包括学生档案、教师资料等,方便教育工作者进行学生管理和教学安排。同时,“课程信息管理”、“科目分类管理”和“班级分类管理”模块提供了课程信息的发布、科目和班级的分类管理等功能,有助于教育工作者更好地组织和管理教学内容。 此外,“课程作业管理”模块支持教师布置和批改作业,学生可以查看和提交作业,实现了作业管理的线上化,提高了教学效率。而“交流论坛”模块则为学生和教师提供了一个交流和讨论的平台,有助于促进师生互动和学术交流。 最后,“系统管理”模块为平台管理员提供了系统配置.
yolo系列算法目标检测数据集,包含标签,可以直接训练模型和验证测试,数据集已经划分好,适用yolov5,yolov8,yolov9,yolov7,yolov10,yolo11算法; 包含两种标签格:yolo格式(txt文件)和voc格式(xml文件),分别保存在两个文件夹中; yolo格式:<class> <x_center> <y_center> <width> <height>, 其中: <class> 是目标的类别索引(从0开始)。 <x_center> 和 <y_center> 是目标框中心点的x和y坐标,这些坐标是相对于图像宽度和高度的比例值,范围在0到1之间。 <width> 和 <height> 是目标框的宽度和高度,也是相对于图像宽度和高度的比例值
基于go语言的参数解析校验器项目资源
matlab主成分分析代码
那些年,与你同分同位次的同学都去了哪里?全国各大学在四川2020-2024年各专业最低录取分数及录取位次数据,高考志愿必备参考数据
Spire.XLS是一个基于.NET的组件,使用它我们可以创建Excel文件,编辑已有的Excel并且可以转换Excel文件.dll
现如今,随着互联网的发展,人们获取信息的方式也各有不同。以前的传统方式的信息流与电视,报纸,书籍,信件,等等,因为互联网的使用,现在的互联网媒体已经成为人们获取信息的最重要来源。更新互联网,让人们得到最新、最完整的信息变得越来越容易。 现在企业已经越来越重视互联网所能带来的利益,借助互联网来对自己的企业进行营销推广已经获得绝大部分企业的认可。本文我们主要进行的是股票分析系统网站的设计。何为股票分析,就是指股票投资人之间的根据市场价格对已发行上市的股票进行的买卖。而国内股票市场的迅速发展让这次开发设计显得十分必要。通过该股票分析系统网站,我们可以随时随地通过该股票分析网站,了解股票行业最新信息;根据股票行业分析来进行相关交易。本网站采用的是Springboot技术和mongodb数据库,运用 stock、 vue2、echarts、bootstrap等技术,使用eclipse开发工具完成股票数据的爬取分析。
文件太大放服务器了,请先到资源详情查看然后下载 样本图参考:blog.csdn.net/2403_88102872/article/details/143395913 数据集格式:Pascal VOC格式+YOLO格式(不包含分割路径的txt文件,仅仅包含jpg图片以及对应的VOC格式xml文件和yolo格式txt文件) 图片数量(jpg文件个数):602 标注数量(xml文件个数):602 标注数量(txt文件个数):602 标注类别数:18 标注类别名称:["apple","chocolate","cloth","cononut_water","detergent","fanta","gelatin","kuat","mustard","nescau","peanut","pear","sauce","shoyo","sponge","tangerine","tea","treloso"] 18种常见的厨房食品和佐料,包括苹果、巧克力、椰子水、洗涤剂、饮料、明胶、芥末、花生、酱油等
基于卷积神经网络参数优化的情感分析论文code_cnn-text-classification
那些年,与你同分同位次的同学都去了哪里?全国各大学在四川2020-2024年各专业最低录取分数及录取位次数据,高考志愿必备参考数据
内容概要:本文档详细描述了一个基于 Python 的人脸识别系统的构建过程,涵盖了从系统设计理念到具体功能实现的各个方面。首先介绍了系统总体设计流程,包括摄像头图像捕获、人脸检测、特征值计算、特征均值处理以及分类识别。接着深入探讨了 Dlib、NumPy、OpenCV 等关键技术库的应用,特别是 Dlib 人脸检测器接口、人脸预测器接口和人脸识别模型的具体使用方法。最后,本文档介绍了如何通过 Euclidean 距离进行人脸特征比对,实现人脸的成功识别与身份确认。此外,还讨论了人脸识别在实际生活中的多种应用场景和重要意义。 适用人群:具有一定编程基础的软件开发者和技术爱好者,尤其是从事机器学习、图像处理和计算机视觉领域的专业技术人员。 使用场景及目标:①开发人脸识别系统,实现实时图像处理和人脸特征提取;②掌握 Dlib、NumPy、OpenCV 等技术库的实际应用技巧;③深入了解人脸识别技术在安全监控、身份认证、智慧社区等领域的应用。 其他说明:本文档提供了丰富的理论背景和技术实现细节,帮助读者更好地理解和应用人脸识别技术。此外,还包括了一些实用的编码技巧和最佳实践,有助于提高开发效率和代码质量。
轻量级高性能GO语言开发框架。支持MVC、依赖注入、动态返回
stm32的串口hex文件发送与文本文件发送
那些年,与你同分同位次的同学都去了哪里?全国各大学在四川2020-2024年各专业最低录取分数及录取位次数据,高考志愿必备参考数据
macOS_Sonoma_14.1.1.rdr.split.003
那些年,与你同分同位次的同学都去了哪里?全国各大学在四川2020-2024年各专业最低录取分数及录取位次数据,高考志愿必备参考数据
400699526844862小爱同学.apk
内容概要:本文介绍了基于微信小程序的校园一体化服务平台的设计与开发。该平台利用微信小程序的便捷性和广泛的用户基础,结合JSP技术和MySQL数据库,实现了个人中心、用户管理、寻物启事管理、物品分类管理、失物招领管理、表白广场管理、吐槽大会管理、二手交易管理、交易类型管理、拼车出行管理和系统管理等多项功能。整个系统具有操作简单、易维护、灵活实用等特点。 适合人群:具有一定编程基础的学生和教师,以及希望深入了解微信小程序开发的技术人员。 使用场景及目标:主要用于高校内的信息管理,如失物招领、物品分类、二手交易等,提升校园生活的便捷性和效率,改善用户体验。 其他说明:系统开发过程中,重点考虑了技术可行性、经济可行性和操作可行性,并进行了详细的系统测试,确保系统的稳定性和可靠性。
(1)课程设计项目简单描述 鉴于当今超市产品种类繁多,光靠人手动的登记已经不能满足一般商家的需求。我们编辑该程序帮助商家完成产品、商家信息的管理,包括产品、客户、供应商等相关信息的添加、修改、删除等功能。 (2)需求分析(或是任务分析) 1)产品类别信息管理:对客户的基本信息进行添加、修改和删除。 2)产品信息管理:对产品的基本信息进行添加、修改和删除。 3)供应商信息管理: 对供应商的基本信息进行添加、修改和删除。 4)订单信息管理:对订单的基本信 息进行添加、修改和删除。 5)统计报表:按选择日期期间,并按产品类别分组统 计订单金额,使用表格显示统计结果