¿Es posible tener bloques como propiedades utilizando la sintaxis de propiedad estándar?
¿Hay algún cambio para ARC ?
¿Es posible tener bloques como propiedades utilizando la sintaxis de propiedad estándar?
¿Hay algún cambio para ARC ?
Respuestas:
@property (nonatomic, copy) void (^simpleBlock)(void);
@property (nonatomic, copy) BOOL (^blockWithParamter)(NSString *input);
Si va a repetir el mismo bloque en varios lugares, use un tipo def
typedef void(^MyCompletionBlock)(BOOL success, NSError *error);
@property (nonatomic) MyCompletionBlock completion;
@synthesize myProp = _myProp
@synthesize
el valor predeterminado es lo que estás haciendo @synthesize name = _name;
stackoverflow.com/a/12119360/1052616
Aquí hay un ejemplo de cómo lograría tal tarea:
#import <Foundation/Foundation.h>
typedef int (^IntBlock)();
@interface myobj : NSObject
{
IntBlock compare;
}
@property(readwrite, copy) IntBlock compare;
@end
@implementation myobj
@synthesize compare;
- (void)dealloc
{
// need to release the block since the property was declared copy. (for heap
// allocated blocks this prevents a potential leak, for compiler-optimized
// stack blocks it is a no-op)
// Note that for ARC, this is unnecessary, as with all properties, the memory management is handled for you.
[compare release];
[super dealloc];
}
@end
int main () {
@autoreleasepool {
myobj *ob = [[myobj alloc] init];
ob.compare = ^
{
return rand();
};
NSLog(@"%i", ob.compare());
// if not ARC
[ob release];
}
return 0;
}
Ahora, lo único que necesitaría cambiar si necesita cambiar el tipo de comparación sería el typedef int (^IntBlock)()
. Si necesita pasarle dos objetos, cámbielo a esto: typedef int (^IntBlock)(id, id)
y cambie su bloque a:
^ (id obj1, id obj2)
{
return rand();
};
Espero que esto ayude.
EDITAR 12 de marzo de 2012:
Para ARC, no se requieren cambios específicos, ya que ARC administrará los bloques por usted siempre que estén definidos como copia. Tampoco es necesario que establezca la propiedad en nulo en su destructor.
Para obtener más información, consulte este documento: http://clang.llvm.org/docs/AutomaticReferenceCounting.html
Para Swift, solo use cierres: ejemplo.
En el objetivo-C:
@property (copy)void (^doStuff)(void);
Es así de simple.
En su archivo .h:
// Here is a block as a property:
//
// Someone passes you a block. You "hold on to it",
// while you do other stuff. Later, you use the block.
//
// The property 'doStuff' will hold the incoming block.
@property (copy)void (^doStuff)(void);
// Here's a method in your class.
// When someone CALLS this method, they PASS IN a block of code,
// which they want to be performed after the method is finished.
-(void)doSomethingAndThenDoThis:(void(^)(void))pleaseDoMeLater;
// We will hold on to that block of code in "doStuff".
Aquí está su archivo .m:
-(void)doSomethingAndThenDoThis:(void(^)(void))pleaseDoMeLater
{
// Regarding the incoming block of code, save it for later:
self.doStuff = pleaseDoMeLater;
// Now do other processing, which could follow various paths,
// involve delays, and so on. Then after everything:
[self _alldone];
}
-(void)_alldone
{
NSLog(@"Processing finished, running the completion block.");
// Here's how to run the block:
if ( self.doStuff != nil )
self.doStuff();
}
Con los sistemas modernos (2014+), haga lo que se muestra aquí. Es así de simple.
strong
lugar de copy
?
nonatomic
diferente de las mejores prácticas para la mayoría de los otros casos que usan propiedades?
Por el bien de la posteridad / integridad ... Aquí hay dos ejemplos COMPLETOS de cómo implementar esta "forma de hacer las cosas" ridículamente versátil. La respuesta de @ Robert es maravillosamente concisa y correcta, pero aquí también quiero mostrar formas de "definir" realmente los bloques.
@interface ReusableClass : NSObject
@property (nonatomic,copy) CALayer*(^layerFromArray)(NSArray*);
@end
@implementation ResusableClass
static NSString const * privateScope = @"Touch my monkey.";
- (CALayer*(^)(NSArray*)) layerFromArray {
return ^CALayer*(NSArray* array){
CALayer *returnLayer = CALayer.layer
for (id thing in array) {
[returnLayer doSomethingCrazy];
[returnLayer setValue:privateScope
forKey:@"anticsAndShenanigans"];
}
return list;
};
}
@end
¿Tonto? Si. ¿Útil? Genial. Aquí hay una forma diferente y "más atómica" de establecer la propiedad ... y una clase que es ridículamente útil ...
@interface CALayoutDelegator : NSObject
@property (nonatomic,strong) void(^layoutBlock)(CALayer*);
@end
@implementation CALayoutDelegator
- (id) init {
return self = super.init ?
[self setLayoutBlock: ^(CALayer*layer){
for (CALayer* sub in layer.sublayers)
[sub someDefaultLayoutRoutine];
}], self : nil;
}
- (void) layoutSublayersOfLayer:(CALayer*)layer {
self.layoutBlock ? self.layoutBlock(layer) : nil;
}
@end
Esto ilustra la configuración de la propiedad de bloque a través del descriptor de acceso (aunque dentro de init, una práctica discutiblemente discutible ...) frente al mecanismo "getter" "no atómico" del primer ejemplo. En cualquier caso ... las implementaciones "codificadas" siempre se pueden sobrescribir, por ejemplo ... a lá ..
CALayoutDelegator *littleHelper = CALayoutDelegator.new;
littleHelper.layoutBlock = ^(CALayer*layer){
[layer.sublayers do:^(id sub){ [sub somethingElseEntirely]; }];
};
someLayer.layoutManager = littleHelper;
Además ... si desea agregar una propiedad de bloque en una categoría ... digamos que desea usar un Bloque en lugar de alguna "acción" de objetivo / acción de la vieja escuela ... Puede usar los valores asociados para, bueno ... asocia los bloques.
typedef void(^NSControlActionBlock)(NSControl*);
@interface NSControl (ActionBlocks)
@property (copy) NSControlActionBlock actionBlock; @end
@implementation NSControl (ActionBlocks)
- (NSControlActionBlock) actionBlock {
// use the "getter" method's selector to store/retrieve the block!
return objc_getAssociatedObject(self, _cmd);
}
- (void) setActionBlock:(NSControlActionBlock)ab {
objc_setAssociatedObject( // save (copy) the block associatively, as categories can't synthesize Ivars.
self, @selector(actionBlock),ab ,OBJC_ASSOCIATION_COPY);
self.target = self; // set self as target (where you call the block)
self.action = @selector(doItYourself); // this is where it's called.
}
- (void) doItYourself {
if (self.actionBlock && self.target == self) self.actionBlock(self);
}
@end
Ahora, cuando haces un botón, no tienes que configurar un IBAction
drama ... Solo asocia el trabajo a realizar en la creación ...
_button.actionBlock = ^(NSControl*thisButton){
[doc open]; [thisButton setEnabled:NO];
};
Este patrón puede aplicarse OVER y OVER a las API de Cocoa. Usar las propiedades de traer las partes pertinentes de su código más juntos , eliminar los paradigmas delegación contorneados , y aprovechar el poder de los objetos más allá de simplemente actuar como "contenedores" mudos.
Por supuesto, podría usar bloques como propiedades. Pero asegúrese de que se declaren como @property (copia) . Por ejemplo:
typedef void(^TestBlock)(void);
@interface SecondViewController : UIViewController
@property (nonatomic, copy) TestBlock block;
@end
En MRC, los bloques que capturan variables de contexto se asignan en la pila ; se liberarán cuando se destruya el marco de la pila. Si se copian, se asignará un nuevo bloque en el montón , que se puede ejecutar más tarde después de que se apunte el marco de la pila.
Esto no pretende ser "la buena respuesta", ya que esta pregunta solicita explícitamente ObjectiveC. Cuando Apple presentó Swift en la WWDC14, me gustaría compartir las diferentes formas de usar bloque (o cierres) en Swift.
Tiene muchas formas de pasar un bloque equivalente a la función en Swift.
Encontré tres.
Para entender esto, le sugiero que pruebe en el patio este pequeño código.
func test(function:String -> String) -> String
{
return function("test")
}
func funcStyle(s:String) -> String
{
return "FUNC__" + s + "__FUNC"
}
let resultFunc = test(funcStyle)
let blockStyle:(String) -> String = {s in return "BLOCK__" + s + "__BLOCK"}
let resultBlock = test(blockStyle)
let resultAnon = test({(s:String) -> String in return "ANON_" + s + "__ANON" })
println(resultFunc)
println(resultBlock)
println(resultAnon)
Como Swift está optimizado para el desarrollo asincrónico, Apple trabajó más en los cierres. La primera es que la firma de la función se puede inferir para que no tenga que volver a escribirla.
let resultShortAnon = test({return "ANON_" + $0 + "__ANON" })
let resultShortAnon2 = test({myParam in return "ANON_" + myParam + "__ANON" })
Este caso especial solo funciona si el bloque es el último argumento, se llama cierre final
Aquí hay un ejemplo (combinado con la firma inferida para mostrar el poder de Swift)
let resultTrailingClosure = test { return "TRAILCLOS_" + $0 + "__TRAILCLOS" }
Finalmente:
Usar todo este poder lo que haría es mezclar el cierre final y la inferencia de tipos (con nombres para facilitar la lectura)
PFFacebookUtils.logInWithPermissions(permissions) {
user, error in
if (!user) {
println("Uh oh. The user cancelled the Facebook login.")
} else if (user.isNew) {
println("User signed up and logged in through Facebook!")
} else {
println("User logged in through Facebook!")
}
}
Hola swift
Complementando lo que respondió @Francescu.
Agregar parámetros adicionales:
func test(function:String -> String, param1:String, param2:String) -> String
{
return function("test"+param1 + param2)
}
func funcStyle(s:String) -> String
{
return "FUNC__" + s + "__FUNC"
}
let resultFunc = test(funcStyle, "parameter 1", "parameter 2")
let blockStyle:(String) -> String = {s in return "BLOCK__" + s + "__BLOCK"}
let resultBlock = test(blockStyle, "parameter 1", "parameter 2")
let resultAnon = test({(s:String) -> String in return "ANON_" + s + "__ANON" }, "parameter 1", "parameter 2")
println(resultFunc)
println(resultBlock)
println(resultAnon)
Puede seguir el formato a continuación y puede usar la testingObjectiveCBlock
propiedad en la clase.
typedef void (^testingObjectiveCBlock)(NSString *errorMsg);
@interface MyClass : NSObject
@property (nonatomic, strong) testingObjectiveCBlock testingObjectiveCBlock;
@end
Para más información mira aquí