TA的每日心情 | 无聊 2024-9-19 09:07 |
---|
签到天数: 11 天 连续签到: 2 天 [LV.3]测试连长
|
在做UI自动化的时候,很多时候我们会遇到各种错误信息,比如页面元素找不到(Caused by: org.openqa.selenium.NoSuchElementException: Unable to locate element:),这个在做自动化的时候是比较常见的问题。那么一般导致找不到元素的原因最多的就是等待时间,很多时候是页面还未加载完成或者元素出现的时间有延迟,所以设置等待时间。
现在的网页中很多是交互的,你要寻找元素的时候,有可能是基于上面的步骤操作,才出现这个元素,而且由于网络的原因,元素加载可能需要一定的时间,所以这里一定要在查找元素的时候使用等待。
WebDriver中提供了三种等待方式:
1.*implicitlyWait():
隐式等待,查找元素的时候一直找,直到超过设置的最大等待时间,会抛出没有找到元素的异常
- package com.yumeihu.D1;
- import java.util.concurrent.TimeUnit;
- import org.openqa.selenium.By;
- import org.openqa.selenium.WebDriver;
- import org.openqa.selenium.firefox.FirefoxDriver;
-
- public class WaitThree {
- public static void main(String[] args) throws Exception {
- WebDriver driver = new FirefoxDriver();
- driver.manage().window().maximize();
- /*
- #等待页面元素加载
- #其实大多数情况下定位不到元素就是两种问题:1 有frame,2 没有加等待。
- */
- driver.get("http://www.baidu.com");
- driver.manage().timeouts().implicitlyWait(1, TimeUnit.SECONDS);
- driver.findElement(By.id("kw")).sendKeys("you are so beautiful");
- driver.findElement(By.id("su")).click();
复制代码
2.pageLoadTimeout();
比如我们访问一个外国网站的话,速度会很慢,这个时候我们要等页面元素全部加载完成,才可以进行下一步操作,在设定的时间内页面未加载完成,此时就会报错。
- package com.yumeihu.D1;
-
- import java.util.concurrent.TimeUnit;
- import org.openqa.selenium.WebDriver;
- import org.openqa.selenium.firefox.FirefoxDriver;
-
- public class PageLoadTimeOuter{
- public static void main(String[] args) throws Exception {
- WebDriver driver = new FirefoxDriver();
- //浏览器最大化
- driver.manage().window().maximize();
- //*pageLoadTimeout() 在设置的时间内等待网页加载完成,如果超时,则抛出异常
- driver.manage().timeouts().pageLoadTimeout(1,TimeUnit.SECONDS);
- driver.get("https://www.earthtv.com/en");
- System.out.println("已经成功进入:"+ driver.getTitle());
复制代码
这里我们设置了一秒的等待时间,在一秒的时间内,该网页未加载完成,所以,控制台会输出页面加载超时的错误,所以,我们合理的利用这些等待时间,在合适的位置,就可以知道为什么元素定位不到,很快的找到解决办法。。。。。。。。。。。
3.Thread.sleep();
强制等待,将当前线程挂起指定的时间。()括号中的时间是毫秒;比如Thread.sleep(3000);指的是等待3秒。
- package com.yumeihu.D1;
- import java.util.concurrent.TimeUnit;
- import org.openqa.selenium.By;
- import org.openqa.selenium.WebDriver;
- import org.openqa.selenium.firefox.FirefoxDriver;
-
- public class PageLoadTimeOuter{
- public static void main(String[] args) throws Exception {
- WebDriver driver = new FirefoxDriver();
- //浏览器最大化
复制代码
好了,这次的等待时间就说到这里
|
|