有时候我们在定位一个页面元素的时候发现一直定位不了,反复检查自己写的定位器没有任何问题,代码也没有任何问题。这时你就要看一下这个页面元素是否在一个iframe中,这可能就是找不到的原因之一。如果你在一个default content中查找一个在iframe中的元素,那肯定是找不到的。反之你在一个iframe中查找另一个iframe元素或default content中的元素,那必然也定位不到。
selenium webdriver中提供了进入一个iframe的方法:
WebDriver org.openqa.selenium.WebDriver.TargetLocator.frame(String nameOrId)
也提供了一个返回default content【退出iframe】的方法:
WebDriver org.openqa.selenium.WebDriver.TargetLocator.defaultContent()
这样使我们面对iframe时可以轻松应对。
以下面的代码为实例:
package TestProject;
import org.junit.After;
import org.junit.Before;
import org.junit.Test;
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.chrome.ChromeDriver;
public class TestIframe {
public WebDriver chrome;
String url = "https://www.baidu.com/";
@Before
public void Indexfunc() throws Exception {
System.setProperty("webdriver.chrome.driver",
"toosFiles/chromedriver.exe");
chrome = new ChromeDriver();
chrome.get(url);
}
@After
public void Endfunc() throws Exception {
chrome.quit();
}
/**
* 定位iframe的元素可以用Id,也可以用name
* iframe使用后必须跳出来,否则无法定位其它元素*/
@Test
public void getIframe(){
//在default content定位id="id1"的div
chrome.findElement(By.id("id"));
//此时,没有进入到id="frame"的frame中时,以下两句会报错
chrome.findElement(By.id("div"));//报错
chrome.findElement(By.id("input"));//报错
//进入id="frame"的frame中,定位id="div1"的div和id="input1"的输入框。
chrome.switchTo().frame("frame");
chrome.findElement(By.id("div"));
chrome.findElement(By.id("input"));
//此时,没有跳出frame,如果定位default content中的元素也会报错。
chrome.findElement(By.id("id"));//报错
//跳出frame,进入default content;重新定位id="id1"的div
chrome.switchTo().defaultContent();
chrome.findElement(By.id("id"));
}
}