Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

sending CFTypeRef (aka const void*) to parameter of type 'void *' discards qualifiers

A warning is raised in the following code. ARC is used.

if ( aAnim ) {
    [UIView beginAnimations:nil context:CFBridgingRetain([NSNumber numberWithInt:aOff])];
    [UIView setAnimationCurve:UIViewAnimationCurveEaseOut];
    [UIView setAnimationDuration:0.5];
    [UIView setAnimationDelegate:self];
    [UIView setAnimationDidStopSelector:@selector(postSpin:finished:toCCWCellOffset:)];
}
like image 975
Zubair Avatar asked Jan 14 '23 04:01

Zubair


1 Answers

CFBridgingRetain returns a CFTypeRef which is declared as const void *.

The context parameter of [UIView beginAnimations:context:] is a void * (without the const), hence the warning.

You can fix that warning by using __bridge_retained instead:

[UIView beginAnimations:nil context:(__bridge_retained void *)[NSNumber numberWithInt:aOff]];

Note that you have to balance that retain by releasing the context when it is no longer used. This can for example be done in the "stop selector" by transferring the ownership back to an Objective-C object:

id obj = (__bridge_transfer id)context;
like image 83
Martin R Avatar answered Feb 08 '23 17:02

Martin R