Подразумевает, что можно как-то привести себя к переменной блока
Как это:
- (void)doFoo {
// Assume the block receives an int, returns an int,
// and cast self to the corresponding block type
int (^selfBlock)(int) = (int (^)(int))self;
// Call itself and print the return value
printf("in doFoo: %d\n", selfBlock(42));
}
Обратите внимание, что (в большинстве случаев) вам необходимо исправить сигнатуру блока, чтобы компилятор мог настроить сайт вызовов в соответствии с целевой платформой ABI. В приведенном выше примере подпись имеет тип возврата int
, один параметр типа int
.
Полный пример:
#import <Foundation/Foundation.h>
#import <objc/runtime.h>
@interface Foo : NSObject
- (void)doFoo;
@end
@implementation Foo
- (void)doFoo {
// Assume the block receives an int, returns an int,
// and cast self to the corresponding block type
int (^selfBlock)(int) = (int (^)(int))self;
// Call itself and print the return value
printf("in doFoo: %d\n", selfBlock(42));
}
@end
int main(void) {
[NSAutoreleasePool new];
// From Dave's answer
Method m = class_getInstanceMethod([Foo class], @selector(doFoo));
IMP doFoo = method_getImplementation(m);
const char *type = method_getTypeEncoding(m);
Class nsblock = NSClassFromString(@"NSBlock");
class_addMethod(nsblock, @selector(doFoo), doFoo, type);
// A block that receives an int, returns an int
int (^doubler)(int) = ^int(int someNumber){ return someNumber + someNumber; };
// Call the category method which in turn calls itself (the block)
[doubler doFoo];
return 0;
}