0

HTML代码

我得到StaleElementReferenceException:元素未附加到页面文档。我浏览了 StackOverflow 中已有的一些解决方案。它没有用,它继续抛出同样的错误。这是我正在使用的代码,它引发了过时的引用错误

WebElement table2 = driver.findElement(By.cssSelector("body > div:nth-child(74) > div.sp-palette-container"));
List<WebElement> allrows2 = table2.findElements(By.tagName("div"));

    for(WebElement row2: allrows2){
        List<WebElement> cells = row2.findElements(By.tagName("span"));
        for(WebElement cell:cells){
                if (cell.getAttribute("title").equals("rgb(0, 158, 236)")) {
                cell.click(); 

                }          
          }
    } 
4

3 回答 3

1

单击找到的元素后使用“中断”。发生异常的原因是,单击您的元素后,循环继续。

WebElement table2 = driver.findElement(By.cssSelector("body > div:nth-child(74) > div.sp-palette-container"));
List<WebElement> allrows2 = table2.findElements(By.tagName("div"));

    for(WebElement row2: allrows2){
        List<WebElement> cells = row2.findElements(By.tagName("span"));
        for(WebElement cell:cells){
                if (cell.getAttribute("title").equals("rgb(0, 158, 236)")) {
                cell.click(); 
                break;
                }          
          }
    } 
于 2018-03-12T13:46:00.853 回答
1

因为单击找到的单元格会导致当前页面上的一些 HTML 更改,由于这种更改,selenium 会将页面(单击后)视为“新”页面(即使实际上没有重定向到另一个页面)。

在循环的下一次迭代中,循环仍然引用属于“上一个”页面的元素,这就是“StateElementReference”异常的根本原因。

因此,您需要在“新”页面上再次找到这些元素,以更改元素的引用来自“新”页面。

WebElement table2 = driver.findElement(By.cssSelector("body > div:nth-child(74) > div.sp-palette-container"));
List<WebElement> allrows2 = table2.findElements(By.tagName("div"));

int rowSize, cellSize = 0;
rowSize = allrows2.sie();

for(int rowIndex=0;rowIndex<rowSize;rowIndex++){
    WebElement row2 = allrows2.get(rowIndex);
    List<WebElement> cells = row2.findElements(By.tagName("span"));
    cellSize = cells.size();

    for(int cellIndex=0;cellIndex<cellSize;cellIndex++){
        WebElement cell = cells.get(cellIndex);

        if (cell.getAttribute("title").equals("rgb(0, 158, 236)")) {
            cell.click();
            // find cells again on "new" page
            cells = row2.findElements(By.tagName("span"));
             // find rows again on "new" page
            allrows2 = table2.findElements(By.tagName("div"));
        }
    }
}
于 2018-03-08T13:49:23.663 回答
1

如果您的用是在标题rgb(0, 158, 236)click()的元素上,您可以使用以下代码块:

    String baseURL = driver.getCurrentUrl();
    List<WebElement> total_cells = driver.findElements(By.xpath("//div[@class='sp-palette-container']//div//span"));
    int size = total_cells.size();
    for(int i=0;i<size;i++)
    {
        List<WebElement> cells = driver.findElements(By.xpath("//div[@class='sp-palette-container']//div//span"));
        if (cells.get(i).getAttribute("title").contains("rgb(0, 158, 236)")) 
        {
            cells.get(i).click(); 
            //do your other tasks
            driver.get(baseURL);
        }
    } 
于 2018-03-08T14:18:50.570 回答