我需要将IF语句传递给方法。在JavaScript中,您可以将函数分配给变量。然后,可以将该变量传递给函数并执行。在Objective-C中存在吗?
这是我要实现的模式:
-(void)singleComparisonWith:(NSArray *)data
IndexBegin:(NSUInteger)indexBegin
IndexEnd:(NSUInteger)indexEnd
Threshold:(float)threshold {
NSIndexSet *set1 = [self searchWithData:data
Range:[self makeInspectionWithRange:indexBegin
End:indexEnd]
Option:NSEnumerationConcurrent
Comparison:XXXXXXXXX];
// XXXXXXXXX is an IF statement that looks for value at an index above threshold
}
-(void)rangeComparisonWith:(NSArray *)data
IndexBegin:(NSUInteger)indexBegin
IndexEnd:(NSUInteger)indexEnd
ThresholdLow:(float)thresholdLow
ThresholdHigh:(float)thresholdHigh {
NSIndexSet *candidates = [self searchWithData:data
Range:[self makeInspectionWithRange:indexBegin
End:indexEnd]
Option:NSEnumerationReverse
Comparison:YYYYYYYYY];
// YYYYYYYYY is an IF statement that looks for value at an index above thresholdLow and above thresholdHigh
}
-(NSIndexSet *)searchWithData:data
Range:(NSIndexSet *)range
Option:(NSEnumerationOptions)option
Comparison:(id)comparison {
return [data indexesOfObjectsAtIndexes:range
options:option
passingTest:^(id obj, NSUInteger idx, BOOL *stop){
// Comparison is used here. Returns YES if conditions(s) are met.
}
];
}
编辑:
这是@Charles Srstka的解决方案。
NSIndexSet *set1 = [self searchWithData:data
Range:[self makeInspectionWithRange:indexBegin
End:indexEnd]
Option:NSEnumerationConcurrent
Comparison:BOOL^(id o) {
return ([o floatValue] > threshold);
}
];
-(NSIndexSet *)searchWithData:data
Range:(NSIndexSet *)range
Option:(NSEnumerationOptions)option
Comparison:(BOOL(^)(id o))comparison {
return [data indexesOfObjectsAtIndexes:range
options:option
passingTest:^(id obj, NSUInteger idx, BOOL *stop){
return comparison(obj);
}
];
该段中没有错误。
谢谢您的帮助。
答案 0 :(得分:3)
在Objective-C中需要的称为块语法。虽然当然不是最好看的东西,也不是最容易记住的东西,但是它会做您想要的。
// declares a block named 'foo' (yes, the variable name goes inside the parens)
NSUInteger (^foo)(NSString *) = ^(NSString *baz) {
return [baz length];
};
// now you can call foo like a function:
NSUInteger result = foo(@"hello world");
// or pass it to something else:
[someObject doSomethingWith:foo];
// A method that takes a block looks like this:
- (void)doSomethingWith:(NSUInteger (^)(NSString *))block;
This site是一个方便的“备忘单”,其中列出了在Objective-C中声明块的所有方法。您可能经常会提到它。我链接到的URL是一个更新的,工作友好的镜像。我敢肯定,如果您考虑一下,便可以猜到该网站的原始URL。 ;-)
基本上,每当在Objective-C中看到^
时,您都在查看块声明。当然,除非您正在查看XOR操作。但这通常是一个障碍。
编辑:查看我链接到的网站,其中说“作为方法调用的参数”。您需要使用该语法进行声明,即
... comparison: ^BOOL(id o) {
return ([o floatValue] > threshold);
}];
我知道这不是世界上最直观的语法,这就是为什么该网站可用作备忘单。
此外,与您的问题无关,但是Objective-C的命名约定是以小写字母开头的参数标签;即range:
,options:
和comparison:
,而不是Range:
,Option:
,Comparison:
。