我想知道我的代码有什么问题,因为当我尝试测试我的代码时,我什么都没得到。
public class SeleniumTest {
private WebDriver driver;
private String nome;
private String idade;
@FindBy(id = "j_idt5:nome")
private WebElement inputNome;
@FindBy(id = "j_idt5:idade")
private WebElement inputIdade;
@BeforeClass
public void criarDriver() throws InterruptedException {
driver = new FirefoxDriver();
driver.get("http://localhost:8080/SeleniumWeb/index.xhtml");
PageFactory.initElements(driver, this);
}
@Test(priority = 0)
public void digitarTexto() {
inputNome.sendKeys("Diego");
inputIdade.sendKeys("29");
}
@Test(priority = 1)
public void verificaPreenchimento() {
nome = inputNome.getAttribute("value");
assertTrue(nome.length() > 0);
idade = inputIdade.getAttribute("value");
assertTrue(idade.length() > 0);
}
@AfterClass
public void fecharDriver() {
driver.close();
}
}
我正在使用
Selenium WebDriver
和TestNG
,并且尝试测试JSF
页面中的某些条目。 最佳答案
@BeforeClass有一个定义:
@BeforeClass
Run before all the tests in a class
每次调用该类时,都会“执行”
@FindBy
。实际上,您的
@FindBy
在@BeforeClass
之前被调用,因此它不起作用。我可以向您建议的是保留
@FindBy
,但让我们开始使用PageObject pattern.您保留测试页面,并为对象创建另一个类,例如:
public class PageObject{
@FindBy(id = "j_idt5:nome")
private WebElement inputNome;
@FindBy(id = "j_idt5:idade")
private WebElement inputIdade;
// getters
public WebElement getInputNome(){
return inputNome;
}
public WebElement getInputIdade(){
return inputIdade;
}
// add some tools for your objects like wait etc
}
您的SeleniumTest将如下所示:
@Page
PageObject testpage;
@Test(priority = 0)
public void digitarTexto() {
WebElement inputNome = testpage.getInputNome();
WebElement inputIdade = testpage.getInputIdade();
inputNome.sendKeys("Diego");
inputIdade.sendKeys("29");
}
// etc
如果您要使用此功能,请告诉我怎么了。
关于java - 如何在Selenium WebDriver中使用@FindBy批注,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/16508604/