我需要检查WebDriver中是否存在Alert。
有时会弹出警报,但有时不会弹出。我需要先检查警报是否存在,然后才能接受或关闭它,否则它将说:未找到警报。
Answers:
public boolean isAlertPresent()
{
try
{
driver.switchTo().alert();
return true;
} // try
catch (NoAlertPresentException Ex)
{
return false;
} // catch
} // isAlertPresent()
在此处查看链接https://groups.google.com/forum/?fromgroups#!topic/webdriver/1GaSXFK76zY
ExpectedConditions.alertIsPresent()
给您完全一样的东西,但是用一种更好的方式,而且只用一行:)
我建议使用ExpectedConditions和alertIsPresent()。ExpectedConditions是一个包装器类,它实现在ExpectedCondition接口中定义的有用条件。
WebDriverWait wait = new WebDriverWait(driver, 300 /*timeout in seconds*/);
if(wait.until(ExpectedConditions.alertIsPresent())==null)
System.out.println("alert was not present");
else
System.out.println("alert was present");
我发现(FF V20和selenium-java-2.32.0)的捕获异常driver.switchTo().alert();
是如此缓慢。Firefox
所以我选择了另一种方式:
private static boolean isDialogPresent(WebDriver driver) {
try {
driver.getTitle();
return false;
} catch (UnhandledAlertException e) {
// Modal dialog showed
return true;
}
}
当大多数测试用例都没有对话框出现时(这是抛出异常的代价很高),这是一种更好的方法。
ExpectedConditions.alertIsPresent
我建议使用ExpectedConditions和alertIsPresent()。ExpectedConditions是一个包装器类,它实现在ExpectedCondition接口中定义的有用条件。
public boolean isAlertPresent(){
boolean foundAlert = false;
WebDriverWait wait = new WebDriverWait(driver, 0 /*timeout in seconds*/);
try {
wait.until(ExpectedConditions.alertIsPresent());
foundAlert = true;
} catch (TimeoutException eTO) {
foundAlert = false;
}
return foundAlert;
}
注意:这基于nilesh的答案,但适用于捕获由wait.until()方法引发的TimeoutException。
ExpectedConditions
已过时,因此:
WebDriverWait wait = new WebDriverWait(driver, TimeSpan.FromSeconds(15));
wait.Until(SeleniumExtras.WaitHelpers.ExpectedConditions.AlertIsPresent());
public static void handleAlert(){
if(isAlertPresent()){
Alert alert = driver.switchTo().alert();
System.out.println(alert.getText());
alert.accept();
}
}
public static boolean isAlertPresent(){
try{
driver.switchTo().alert();
return true;
}catch(NoAlertPresentException ex){
return false;
}
}