小编典典

过滤ElementsCollection

java

我正在尝试创建一个函数ElementsCollection,以对每个元素的子项而不是元素本身的条件进行过滤。

这是我想出的:

 public static ElementsCollection filterByChild(ElementsCollection elementsCollection, String childCssSelector,
        Condition condition) {

        Predicate<SelenideElement> childHasConditionPredicate = element -> element.$(childCssSelector).has(condition);
        elementsCollection.removeIf(childHasConditionPredicate);
        return elementsCollection;
    }

当像这样调用此函数时:

myCollection = SelenideHelpers.filterByChild(myCollection, "a", Condition.text("http://www.link.com");

我收到以下错误消息:

java.lang.UnsupportedOperationException: Cannot remove elements from web page

我没有发现有关此错误消息的任何相关信息,这些信息可以应用于我的代码。我想知道为什么会出现此消息。


阅读 318

收藏
2020-11-26

共1个答案

小编典典

检查SelenideElementIterator的设计方式:

@Override
public void remove() {
  throw new UnsupportedOperationException("Cannot remove elements from web page");
}

要使其正常工作,您需要创建自定义条件,例如:

import com.codeborne.selenide.Condition;
import com.codeborne.selenide.ElementsCollection;
import org.openqa.selenium.By;
import org.openqa.selenium.WebElement;

import static com.codeborne.selenide.Selenide.$$;


public static Condition hasChildWithCondition(final By locator, final Condition condition) {
    return new Condition("hasChildWithCondition") {
        public boolean apply(WebElement element) {
            return element.findElements(locator).stream().
                    filter(child -> condition.apply(child)).count() > 0;
        }

        public String toString() {
            return this.name
        }
    };
}

然后使用它进行过滤:

ElementsCollection collection = $$(".parent");
Condition hasChild = hasChildWithCondition(By.cssSelector("a"), Condition.text("http://www.link.com"));
collection.filterBy(hasChild);
2020-11-26