我正在尝试将项目设置为表视图,但是setitems方法需要一个可观察的列表,而我的模型中却有一个可观察的集合.FXCollections实用程序类没有给定可观察的集合来创建可观察的列表的方法。类强制转换异常(按预期)。
目前,我正在使用这种代码
new ObservableListWrapper<E>(new ArrayList<E>(pojo.getObservableSet()));
而且我有一些问题:
简而言之,我需要样式指南或最佳做法,以便在可观察集和可观察列表之间进行转换,因为我希望在构建Java fx GUI时会做很多工作
在表中进行编辑是否会按预期更新基础集?
不,因为,您正在复制集合:
new ArrayList<E>(pojo.getObservableSet())
是这样做的“正确”方法吗?
我认为正确的方法是不这样做。Set不是List,反之亦然。两者都有特定的矛盾。例如,列表是有序的,并且集合不包含重复的元素。
Set
List
而且,也FXCollections都没有Bindings提供这种东西。
FXCollections
Bindings
我希望将集合保留为一组以强制执行唯一性
我想您可以编写一个custom ObservableList,例如Parent::children具有类似的行为。IllegalArgumentException如果添加了重复的子项,则抛出。如果您查看源代码,将会看到它是一个VetoableListDecorator扩展。您可以编写自己的:
ObservableList
Parent::children
IllegalArgumentException
VetoableListDecorator
import java.util.HashSet; import java.util.List; import java.util.Set; import javafx.collections.FXCollections; import javafx.collections.ObservableList; import com.sun.javafx.collections.VetoableListDecorator; public class CustomObservableList<E> extends VetoableListDecorator<E> { public CustomObservableList(ObservableList<E> decorated) { super(decorated); } @Override protected void onProposedChange(List<E> toBeAdded, int... indexes) { for (E e : toBeAdded) { if (contains(e)) { throw new IllegalArgumentException("Duplicament element added"); } } } } class Test { public static void main(String[] args) { Object o1 = new Object(); Object o2 = new Object(); Set<Object> set = new HashSet<Object>(); set.add(o1); CustomObservableList<Object> list = new CustomObservableList<Object>(FXCollections.observableArrayList(set)); list.add(o2); list.add(o1); // throw Exception } }