硬性等待(强制等待)
线程休眠,强制等待
- Thread.sleep(long millis);
- 这是最简单的等待方式,使用
time.sleep()
方法来实现。在代码中强制等待一定的时间,不论元素是否已经加载完成,都会等待指定的时间后才继续执行后续代码。这种方式不推荐使用,因为它不够灵活,且可能会造成不必要的等待时间。
隐式等待(全局隐式等待)(在driver实例化完成后设置)
- 通过设置一个超时时间,在这个时间内,Selenium会不断地寻找元素。如果在超时时间内找到了元素,则继续执行;如果超时后仍未找到,则抛出异常。这种方式只需要设置一次,对后续的所有元素查找都有效。
- 示例代码:
-
driver.implicitly_wait(10)
,意味着设置最长等待时间为10秒。
- 在设置的超时时间范围内不断查找元素,直到找到元素或者超时
- 设置方式:
-
- driver.manage.timeouts().implicitlyWait(long time, TimeUnit unit);
- 使用
manage().timeouts().implicitlyWait()
方法设置隐式等待时间。这里的time
参数是等待时间,unit
参数是时间单位。
-
- 设置是针对全局的,在WebDriver实例整个生命周期有效,但并不是所有的元素都需要等待
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.By;
import org.openqa.selenium.NoSuchElementException;
import org.openqa.selenium.WebDriverException;
import java.util.concurrent.TimeUnit;
public class ImplicitWaitExample {
public static void main(String[] args) {
// 初始化WebDriver
WebDriver driver = new ChromeDriver();
try {
// 设置隐式等待时间为10秒
driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);
// 访问网页
driver.get("http://www.example.com");
// 尝试查找一个元素
WebElement element = driver.findElement(By.id("someElementId"));
// 进行其他操作...
} catch (WebDriverException e) {
System.out.println("发生错误:" + e.getMessage());
} finally {
// 关闭浏览器
driver.quit();
}
}
}
显示等待
- 用来等待某个条件发生后再继续执行后续代码(如找到元素、元素可点击、元素已显示等)
- 设置方式:
-
- WebDriverWait wait=new WebDriverWait();
- WebElement element = wait.until(expectCondition);
-

- 例子
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.WebElement;
import org.openqa.selenium.support.ui.ExpectedConditions;
import org.openqa.selenium.support.ui.WebDriverWait;
public class ExplicitWaitExample {
public static void main(String[] args) {
// 初始化WebDriver实例
WebDriver driver = // ... 初始化你的WebDriver实例,例如使用ChromeDriver
// 打开网页
driver.get("http://www.example.com");
// 创建WebDriverWait对象,设置最长等待时间为10秒
WebDriverWait wait = new WebDriverWait(driver, 10);
// 等待直到元素可见
WebElement element = wait.until(ExpectedConditions.visibilityOfElementLocated(By.id("elementId")));
// 执行后续操作,例如点击元素
element.click();
}
}