Best way to check that element is not present using Selenium WebDriver with java

后端 未结 9 1925
半阙折子戏
半阙折子戏 2020-12-24 02:33

Im trying the code below but it seems it does not work... Can someone show me the best way to do this?

public void verifyThatCommentDeleted(final String text         


        
相关标签:
9条回答
  • 2020-12-24 03:03
    public boolean isDisplayed(WebElement element) {
            try {
                return element.isDisplayed();
            } catch (NoSuchElementException e) {
                return false;
            }
        }
    

    If you wan t to check that element is displayed on the page your check should be:

    if(isDisplayed(yourElement){
    ...
    }
    else{
    ...
    }
    
    0 讨论(0)
  • 2020-12-24 03:06

    i usually couple of methods (in pair) for verification whether element is present or not:

    public boolean isElementPresent(By locatorKey) {
        try {
            driver.findElement(locatorKey);
            return true;
        } catch (org.openqa.selenium.NoSuchElementException e) {
            return false;
        }
    }
    
    public boolean isElementVisible(String cssLocator){
        return driver.findElement(By.cssSelector(cssLocator)).isDisplayed();
    }
    

    Note that sometimes selenium can find elements in DOM but they can be invisible, consequently selenium will not be able to interact with them. So in this case method checking for visibility helps.

    If you want to wait for the element until it appears the best solution i found is to use fluent wait:

    public WebElement fluentWait(final By locator){
        Wait<WebDriver> wait = new FluentWait<WebDriver>(driver)
                .withTimeout(30, TimeUnit.SECONDS)
                .pollingEvery(5, TimeUnit.SECONDS)
                .ignoring(NoSuchElementException.class);
    
        WebElement foo = wait.until(new Function<WebDriver, WebElement>() {
            public WebElement apply(WebDriver driver) {
                return driver.findElement(locator);
            }
        });
    
        return foo;
    };
    

    Hope this helps)

    0 讨论(0)
  • 2020-12-24 03:06

    Unable to comment to The Meteor Test Manual, since I have no rep, but I wanted to provide an example that took me quite awhile to figure out:

    Assert.assertEquals(0, wd.findElements(By.locator("locator")).size());
    

    This assertion verifies that there are no matching elements in the DOM and returns the value of Zero, so the assertion passes when the element is not present. Also it would fail if it was present.

    0 讨论(0)
提交回复
热议问题