I am trying to change the label on a button up on the selector being called.
It appears that the code is duplicated. Is there a way perhaps it's not obvious to me right now to have the signal switch after the map ? or no ?
[[[pressedStart map:^id(id value) {
UIButton* button = value;
BOOL transform = [button.titleLabel.text isEqualToString:@"Start"];
return [NSNumber numberWithBool:transform];
}] filter:^BOOL(id value) {
return [value boolValue];
}] subscribeNext:^(id x) {
self.start.titleLabel.text = @"Stop";
}];
[[[pressedStart map:^id(id value) {
UIButton* button = value;
BOOL transform = [button.titleLabel.text isEqualToString:@"Stop"];
return [NSNumber numberWithBool:transform];
}] filter:^BOOL(id value) {
return [value boolValue];
}] subscribeNext:^(id x) {
self.start.titleLabel.text = @"Start";
}];
First of all, in order to change the button's title, you have to call its
setTitle:forState:
method.Also please note that using
self
inside thesubscribeNext
block is likely to create a retain cycle (and therefore a memory leak). You can read more about it in this answer. You can use@weakify
/@strongify
macros or, as mentioned in that answer, userac_liftSelectors:withSignals:
method (which IMHO seems to be cleaner).Your code can be simplified as you actually don't need to split the signal at all. You can use a simple condition inside the
map
block and return the value which should be the button's title after it was pressed. This value will be sent as anext
value of the resulting signal. You can also usestartWith:
operator to set the initial value (I guess it should be "Start").What does
rac_liftSelector:withSignals:
do? Each time one of thesignals
sends itsnext
value, it invokes the method identified by theselector
(in this casesetTitle:forState:
). The method is invoked withnext
values of thesignals
as its parameters. So in our case it will initially call:If you wanted to set a single property (let's say
titleLabel.text
), you could bind it withRAC
macro:RAC(self.startButton, titleLabel.text) = buttonTextSignal;
Unfortunately, it only works for setting properties, and in your case you have to call a method with two arguments, that's why you have to use
rac_liftSelector:withSignals
.As I said, you could achieve the desired result using
subscribeNext
:But as you can see, you should take extra care to avoid a retain cycle, using
@weakify
and@strongify
macros.