使用Selenium和Cucumber,我正在尝试通过args设置存储WebElements的方法。然后使用第二种方法,我试图检查列表中所有元素的可见性。
我有一些这样的元素:
@FindBy(how = How.XPATH, using = "//*
[@id=\"content\"]/section/fieldset/form/div[1]/div[2]/input")
public WebElement formName;
@FindBy(how = How.CSS, using = "//*
[@id=\"content\"]/section/fieldset/form/div[2]/div[2]/input")
public WebElement formPassword;
@FindBy(how = How.ID, using = "remember")
public WebElement rememberMe;
@FindBy(how = How.CLASS_NAME, using = "button principal")
public WebElement loginButton;
然后我编写了这个方法来在列表中添加WebElements:
public void crearListaWebElement(WebElement... elements){
List<WebElement> webElementList = new ArrayList<>();
for (WebElement element : elements){
webElementList.add(elements);
}
}
在.add(元素)上出现此错误1º问题:
List中的add(java.util.Collection)无法应用于(org.openqa.selenium.WebElement [])
无法弄清楚为什么我不能将这些相同类型的元素添加到我的列表中
然后,这是检查可见性的第二种方法:
public void estaVisible(WebDriver(tried WebElement as well) visibleWebElements) {
boolean esvisible = driver.findElement(visibleWebElements).isDisplayed();
Assert.assertTrue(esvisible);
return esvisible;
}
在“visibleWebElement”上获取此错误:
WebDriver中的findElement(org.openqa.selenium.By)无法应用于(org.openqa.selenium.WebDriver)
我理解2种不同类型的对象之间的冲突,但是,WebDriver存储为WebElements的对象不是吗?
有人可以放一些光吗?提前致谢。
无法弄清楚为什么我不能将这些相同类型的元素添加到我的列表中 -
你的代码中很可能是拼写错误。它应该是element
而不是elements
:
for (WebElement element : elements){
webElementList.add(element);
}
在“visibleWebElement”上获得此错误 -
driver.findElement()
方法接受一个By
对象作为参数,它是一个选择器。但是你传递visibleWebElements
这是一个WebElement
对象,这就是你的代码出错的原因。例如,如果要通过xpath定位元素,这是使用它的正确方法:
WebElement your_element = driver.findElement(By.xpath("//whatever xpath"));
您可以直接在WebElement上使用isDisplayed()
method:
public void estaVisible(WebElement visibleWebElements) {
boolean esvisible = visibleWebElements.isDisplayed();
Assert.assertTrue(esvisible);
return esvisible;
}
当您尝试检查Web元素列表时,您必须检查所有元素的可见性。尝试使用以下代码
WebDriverWait用于Web元素列表
将所有元素存储在列表中
List<WebElement> listOfAllWebElements = new ArrayList<WebElement>();
listOfAllWebElements.add(elementOne);
listOfAllWebElements.add(elementTwo);
listOfAllWebElements.add(elementThree);
WebDriverWait listWait = new WebDriverWait(driver,10);
listWait.until(ExpectedConditions.visibilityOfAllElements(listOfAllWebElements));
WebDriverWait用于单个Web元素
WebElement element = driver.findElement(By.id("element"));
WebDriverWait wait = new WebDriverWait(driver,10);
wait.until(ExpectedConditions.visibilityOf(element));
此函数将返回一个布尔值,并检查列表元素是否可见。
public boolean isListElementsVisible(WebDriver driver, By locator) {
boolean result = false;
try {
WebDriverWait wait = new WebDriverWait(driver, 30);
wait.until(ExpectedConditions.visibilityOfAllElementsLocatedBy(locator));
result = true;
} catch (Exception e) {
System.out.println(e.getMessage());
result = false;
}
return result;
}