alert、confirm、prompt这样的js对话框在selenium1.X时代也是难啃的骨头,常常要用autoit来帮助处理。

试用了一下selenium webdriver中处理这些对话框十分方便简洁。以下面html代码为例:

  1. Dialogs.html
  1. <html>
  2. <head>
  3. <title>Alert</title>
  4. </head>
  5. <body>
  6. <input id = "alert" value = "alert" type = "button" onclick = "alert('欢迎!请按确认继续!');"/>
  7. <input id = "confirm" value = "confirm" type = "button" onclick = "confirm('确定吗?');"/>
  8. <input id = "prompt" value = "prompt" type = "button" onclick = "var name = prompt('请输入你的名字:','请输入
  9. 你的名字'); document.write(name) "/>
  10. </body>
  11. </html>

以上html代码在页面上显示了三个按钮,点击他们分别弹出alert、confirm、prompt对话框。如果在prompt对话框中输入文字点击确定之后,将会刷新页面,显示出这些文字 。

selenium webdriver 处理这些弹层的代码如下:

  1. import org.openqa.selenium.Alert;
  2. import org.openqa.selenium.By;
  3. import org.openqa.selenium.WebDriver;
  4. import org.openqa.selenium.firefox.FirefoxDriver;
  5. public class DialogsStudy {
  6. /**
  7. * @author gongjf
  8. */
  9. public static void main(String[] args) {
  10. // TODO Auto-generated method stub
  11. System.setProperty("webdriver.firefox.bin","D:\\Program Files\\Mozilla Firefox\\firefox.exe");
  12. WebDriver dr = new FirefoxDriver();
  13. String url = "file:///C:/Documents and Settings/gongjf/桌面/selenium_test/Dialogs.html";// "/Your/Path/to/main.html"
  14. dr.get(url);
  15. //点击第一个按钮,输出对话框上面的文字,然后叉掉
  16. dr.findElement(By.id("alert")).click();
  17. Alert alert = dr.switchTo().alert();
  18. String text = alert.getText();
  19. System.out.println(text);
  20. alert.dismiss();
  21. //点击第二个按钮,输出对话框上面的文字,然后点击确认
  22. dr.findElement(By.id("confirm")).click();
  23. Alert confirm = dr.switchTo().alert();
  24. String text1 = confirm.getText();
  25. System.out.println(text1);
  26. confirm.accept();
  27. //点击第三个按钮,输入你的名字,然后点击确认,最后
  28. dr.findElement(By.id("prompt")).click();
  29. Alert prompt = dr.switchTo().alert();
  30. String text2 = prompt.getText();
  31. System.out.println(text2);
  32. prompt.sendKeys("jarvi");
  33. prompt.accept();
  34. }
  35. }

从以上代码可以看出dr.switchTo().alert();这句可以得到alert\confirm\prompt对话框的对象,然后运用其方法对它进行操作。对话框操作的主要方法有:

  • getText()    得到它的文本值
  • accept()      相当于点击它的"确认"
  • dismiss()     相当于点击"取消"或者叉掉对话框
  • sendKeys() 输入值,这个alert\confirm没有对话框就不能用了,不然会报错。
05-25 23:49