Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

CGFloat floor to NSInteger

In Xcode, the compiler is complaining about the following cast:

CGFloat width = 5.6f; NSInteger num = (NSInteger)floor(width);

Saying "cast from function call of type 'double' to non-matching type 'NSInteger' (aka 'int')"

One workaround would be to simply cast the CGFloat to NSInteger which truncates but I want to make the code clear/easy to read by explicitly flooring. Is there a function for flooring that returns an int? Or some other (clean) way of doing this?

My compiler settings under "Apple LLVM 6.0 - Compiler Flags", in "Other C Flags", I have -O0 -DOS_IOS -DDEBUG=1 -Wall -Wextra -Werror -Wnewline-eof -Wconversion -Wendif-labels -Wshadow -Wbad-function-cast -Wenum-compare -Wno-unused-parameter -Wno-error=deprecated

Thanks!

like image 301
Dave Avatar asked Dec 11 '22 22:12

Dave


1 Answers

Okay, as you mentioned strict compiler settings, I tried again and found the solution. The compiler warning is because you are trying to cast the floor function to a NSInteger value and not the returned value.

To solve this, all you have to do, is to put floor(width) in parentheses like this:

NSInteger num = (NSInteger) (floor(width));

or save the result of the floor operation to another CGFloat and cast the new variable to NSInteger

CGFloat floored = floor(width);
NSInteger num = (NSInteger) floored;
like image 98
Palle Avatar answered Dec 25 '22 22:12

Palle