ElementNotInteractableException

ElementNotInteractableException

测试方案:尝试捕获和测试Gmail登录。

当前输出:Mozilla实例打开。输入了用户名,但
WebDriver代码未输入密码。

System.setProperty("webdriver.gecko.driver", "C:\\Users\\Ruchi\\workspace2\\SeleniumTest\\jar\\geckodriver-v0.17.0-win64\\geckodriver.exe");
FirefoxDriver  varDriver=new FirefoxDriver();

varDriver.get("http://gmail.com");
WebElement webElem=  varDriver.findElement(By.id("identifierId"));
webElem.sendKeys("[email protected]");
WebElement nextButton=varDriver.findElement(By.id("identifierNext"));
nextButton.click();

varDriver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);

WebElement wePass=varDriver.findElement(By.cssSelector(".rFrNMe.P7gl3b.sdJrJc.Tyc9J"));

wePass.sendKeys("test1");

最佳答案

ElementNotInteractableException

根据文档,ElementNotInteractableException是W3C异常,引发该异常以指示尽管DOM Tree上存在某个元素,但该元素处于无法与之交互的状态。

原因与解决方案:

ElementNotInteractableException发生的原因可能很多。


将其他WebElement临时覆盖在我们感兴趣的WebElement上:

在这种情况下,直接的解决方案将是诱使ExplicitWait即WebDriverWait与ExpectedCondition组合为invisibilityOfElementLocated,如下所示:

WebDriverWait wait2 = new WebDriverWait(driver, 10);
wait2.until(ExpectedConditions.invisibilityOfElementLocated(By.xpath("xpath_of_element_to_be_invisible")));
driver.findElement(By.xpath("xpath_element_to_be_clicked")).click();


更好的解决方案是使粒度更细一些,而不是将ExpectedCondition用作invisibilityOfElementLocated,我们可以将ExpectedCondition用作elementToBeClickable,如下所示:

WebDriverWait wait1 = new WebDriverWait(driver, 10);
WebElement element1 = wait1.until(ExpectedConditions.elementToBeClickable(By.xpath("xpath_of_element_to_be_clicked")));
element1.click();

将其他WebElement永久覆盖在我们感兴趣的WebElement上:

如果在这种情况下覆盖是永久覆盖,则必须将WebDriver实例强制转换为JavascriptExecutor并执行如下单击操作:

WebElement ele = driver.findElement(By.xpath("element_xpath"));
JavascriptExecutor executor = (JavascriptExecutor)driver;
executor.executeScript("arguments[0].click();", ele);





现在在此特定情况下解决错误ElementNotInteractableException,我们需要添加ExplicitWait,即WebDriverWait,如下所示:

您需要引起一些等待,以便在HTML DOM中正确显示“密码”字段。您可以考虑为其配置ExplicitWait。以下是使用Mozilla Firefox登录Gmail的工作代码:

System.setProperty("webdriver.gecko.driver","C:\\Users\\Ruchi\\workspace2\\SeleniumTest\\jar\\geckodriver-v0.17.0-win64\\geckodriver.exe");
WebDriver driver = new FirefoxDriver();
driver.manage().window().maximize();
String url = "https://accounts.google.com/signin";
driver.get(url);
driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);
WebElement email_phone = driver.findElement(By.xpath("//input[@id='identifierId']"));
email_phone.sendKeys("[email protected]");
driver.findElement(By.id("identifierNext")).click();
WebElement password = driver.findElement(By.xpath("//input[@name='password']"));
WebDriverWait wait = new WebDriverWait(driver, 20);
wait.until(ExpectedConditions.elementToBeClickable(password));
password.sendKeys("test1");
driver.findElement(By.id("passwordNext")).click();

10-01 02:51