Reputation: 4960
I have a situation where I want to bind a BooleanProperty
to the non-empty state of an ObservableList
wrapped inside an ObjectProperty
.
Here's a basic synopsis of the behavior I'm looking for:
ObjectProperty<ObservableList<String>> obp = new SimpleObjectProperty<ObservableList<String>>();
BooleanProperty hasStuff = new SimpleBooleanProperty();
hasStuff.bind(/* What goes here?? */);
// ObservableProperty has null value
assertFalse(hasStuff.getValue());
obp.set(FXCollections.<String>observableArrayList());
// ObservableProperty is no longer null, but the list has not contents.
assertFalse(hasStuff.getValue());
obp.get().add("Thing");
// List now has something in it, so hasStuff should be true
assertTrue(hasStuff.getValue());
obp.get().clear();
// List is now empty.
assertFalse(hasStuff.getValue());
I'd like to use the builders in the Bindings
class rather than implementing a chain of custom bindings.
The Bindings.select(...)
method theoretically does what I want, except that there's no Bindings.selectObservableCollection(...)
and casting the return value from the generic select(...)
and passing it to Bindings.isEmpty(...)
doesn't work. That is, the result of this:
hasStuff.bind(Bindings.isEmpty((ObservableList<String>) Bindings.select(obp, "value")));
causes a ClassCastException
:
java.lang.ClassCastException: com.sun.javafx.binding.SelectBinding$AsObject cannot be cast to javafx.collections.ObservableList
Is this use case possible using just the Bindings
API?
Upvotes: 9
Views: 4083
Reputation: 545
It could be done with fewer variables:
SimpleListProperty<String> listProperty = new SimpleListProperty<>(myObservableList);
BooleanProperty hasStuff = new SimpleBooleanProperty();
hasStuff.bind(not(listProperty.emptyProperty()));
Upvotes: 2
Reputation: 82491
I don't see a way to do this using Bindings API only. ObservableList doesn't have a property empty, so you can't use
Bindings.select(obp, "empty").isEqualTo(true)
and
ObjectBinding<ObservableList<String>> lstBinding = Bindings.select(obp);
hasStuff.bind(lstBinding.isNotNull().and(lstBinding.isNotEqualTo(Collections.EMPTY_LIST)));
doesn't work since it only updates when the list changes, but not when it's contents change (i.e. the third assertion fails).
But the custom chain of bindings you have to create is very simple:
SimpleListProperty lstProp = new SimpleListProperty();
lstProp.bind(obp);
hasStuff.bind(lstProp.emptyProperty());
Upvotes: 6
Reputation: 27113
Does it really have to be an ObjectProperty<ObservableList<String>>
? If so, this answer does not solve your problem...
But, I think that if you change the type of obp
like this:
Property<ObservableList<String>> obp = new SimpleListProperty<>();
You should be able to use:
hasStuff.bind(Bindings.isEmpty((ListProperty<String>) obp));
Upvotes: 1