工作笔记整理与回顾

版权所有,禁止匿名转载;禁止商业使用。
1.UICollectionView缝隙修复

检查代码


let layout=UICollectionViewFlowLayout()

layout.itemSize=CGSize(width:(ScreenW-1)/3,height:88)

layout.minimumLindeSpacing=0.5

layout.minimumInteritemSpacing=0.5


原因

罪魁祸首就是像素,手机屏幕最小的单位是像素也就是1px,当小于1px时,像素是不可再分的,就造成了上面的现象。(1px = 0.5pt)

在上面设置 itemSize 宽度时就是因为像素不够分了375 / 4 = 93.75,根据上面的关系可知,小数点后只有1位且最小为5。

第二种情况同理 374 / 3 = 124.66666666666667


解决代码


Swift2.3

/// 修正collection布局有缝隙

    func fixSlit(inout rect: CGRect, colCount: CGFloat, space: CGFloat = 0) -> CGFloat {

        let totalSpace = (colCount - 1) * space

        let itemWidth = (rect.width - totalSpace) / colCount

        var realItemWidth = floor(itemWidth) + 0.5

        if realItemWidth < itemWidth {

            realItemWidth += 0.5

        }

        let realWdth = colCount * realItemWidth + totalSpace

        let pointX = (realWdth - rect.width) / 2

        rect.origin.x = -pointX

        rect.size.width = realWdth

        return (rect.width - totalSpace) / colCount

    }

Swift3

extension UICollectionViewFlowLayout {

    /// 修正collection布局有缝隙

    func fixSlit(rect: inout CGRect, colCount: CGFloat, space: CGFloat = 0) -> CGFloat {

        let totalSpace = (colCount - 1) * space

        let itemWidth = (rect.width - totalSpace) / colCount

        var realItemWidth = floor(itemWidth) + 0.5

        if realItemWidth < itemWidth {

            realItemWidth += 0.5

        }

        let realWdth = colCount * realItemWidth + totalSpace

        let pointX = (realWdth - rect.width) / 2

        rect.origin.x = -pointX

        rect.size.width = realWdth

        return (rect.width - totalSpace) / colCount

    }



}


2.iOS开发的一些小技巧

UITableView的Group样式下顶部空白处理

//分组列表头部空白处理

UIView *view = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 0, 0.1)];

self.tableView.tableHeaderView = view;


UITableView的plain样式下,取消区头停滞效果

- (void)scrollViewDidScroll:(UIScrollView *)scrollView

{

    CGFloat sectionHeaderHeight = sectionHead.height;

    if (scrollView.contentOffset.y=0)

    {

        scrollView.contentInset = UIEdgeInsetsMake(-scrollView.contentOffset.y, 0, 0, 0);

    }

    else if(scrollView.contentOffset.y>=sectionHeaderHeight)

    {

        scrollView.contentInset = UIEdgeInsetsMake(-sectionHeaderHeight, 0, 0, 0);

    }

}


获取某个view所在的控制器

- (UIViewController *)viewController

{

  UIViewController *viewController = nil;  

  UIResponder *next = self.nextResponder;

  while (next)

  {

    if ([next isKindOfClass:[UIViewController class]])

    {

      viewController = (UIViewController *)next;      

      break;    

    }    

    next = next.nextResponder;  

  } 

    return viewController;

}

获取图片某一点的颜色

- (UIColor*) getPixelColorAtLocation:(CGPoint)pointinImage:(UIImage *)image

{

 

    UIColor* color = nil;

    CGImageRef inImage = image.CGImage;

    CGContextRef cgctx = [self createARGBBitmapContextFromImage:inImage];

 

    if (cgctx == NULL) {

        return nil; /* error */

    }

    size_t w = CGImageGetWidth(inImage);

    size_t h = CGImageGetHeight(inImage);

    CGRectrect = {{0,0},{w,h}};

 

    CGContextDrawImage(cgctx, rect, inImage);

    unsigned char* data = CGBitmapContextGetData (cgctx);

    if (data != NULL) {

        int offset = 4*((w*round(point.y))+round(point.x));

        int alpha =  data[offset];

        int red = data[offset+1];

        int green = data[offset+2];

        int blue = data[offset+3];

        color = [UIColorcolorWithRed:(red/255.0f) green:(green/255.0f) blue:

                (blue/255.0f) alpha:(alpha/255.0f)];

    }

    CGContextRelease(cgctx);

    if (data) {

        free(data);

    }

    return color;

}


字符串反转

第一种:

- (NSString *)reverseWordsInString:(NSString *)str

{    

    NSMutableString *newString = [[NSMutableStringalloc] initWithCapacity:str.length];

    for (NSInteger i = str.length - 1; i >= 0 ; i --)

    {

        unicharch = [strcharacterAtIndex:i];      

        [newStringappendFormat:@"%c", ch];    

    }    

    return newString;

}

 

//第二种:

- (NSString*)reverseWordsInString:(NSString*)str

{    

    NSMutableString *reverString = [NSMutableStringstringWithCapacity:str.length];    

    [strenumerateSubstringsInRange:NSMakeRange(0, str.length) options:NSStringEnumerationReverse | NSStringEnumerationByComposedCharacterSequences  usingBlock:^(NSString *substring, NSRangesubstringRange, NSRangeenclosingRange, BOOL *stop) { 

          [reverStringappendString:substring];                        

      }];    

    return reverString;

}


禁止锁屏,

默认情况下,当设备一段时间没有触控动作时,iOS会锁住屏幕。但有一些应用是不需要锁屏的,比如视频播放器。

[UIApplicationsharedApplication].idleTimerDisabled = YES;

[[UIApplicationsharedApplication] setIdleTimerDisabled:YES];


iOS 获取汉字的拼音

+ (NSString *)transform:(NSString *)chinese

{    

    //将NSString装换成NSMutableString

    NSMutableString *pinyin = [chinese mutableCopy];    

    //将汉字转换为拼音(带音标)    

    CFStringTransform((__bridgeCFMutableStringRef)pinyin, NULL, kCFStringTransformMandarinLatin, NO);    

    NSLog(@"%@", pinyin);    

    //去掉拼音的音标    

    CFStringTransform((__bridgeCFMutableStringRef)pinyin, NULL, kCFStringTransformStripCombiningMarks, NO);    

    NSLog(@"%@", pinyin);    

    //返回最近结果    

    return pinyin;

 }


手动更改iOS状态栏的颜色

- (void)setStatusBarBackgroundColor:(UIColor *)color

{

    UIView *statusBar = [[[UIApplication sharedApplication] valueForKey:@"statusBarWindow"] valueForKey:@"statusBar"];

 

    if ([statusBar respondsToSelector:@selector(setBackgroundColor:)])

    {

        statusBar.backgroundColor = color;    

    }

}



判断当前ViewController是push还是present的方式显示的

NSArray *viewcontrollers=self.navigationController.viewControllers;

 

if (viewcontrollers.count > 1)

{

    if ([viewcontrollers objectAtIndex:viewcontrollers.count - 1] == self)

    {

        //push方式

      [self.navigationController popViewControllerAnimated:YES];

    }

}

else

{

    //present方式

    [self dismissViewControllerAnimated:YEScompletion:nil];

}



获取实际使用的LaunchImage图片

- (NSString *)getLaunchImageName

{

    CGSizeviewSize = self.window.bounds.size;

    // 竖屏    

    NSString *viewOrientation = @"Portrait";  

    NSString *launchImageName = nil;    

    NSArray* imagesDict = [[[NSBundle mainBundle] infoDictionary] valueForKey:@"UILaunchImages"];

    for (NSDictionary* dictin imagesDict)

    {

        CGSizeimageSize = CGSizeFromString(dict[@"UILaunchImageSize"]);

        if (CGSizeEqualToSize(imageSize, viewSize) && [viewOrientation isEqualToString:dict[@"UILaunchImageOrientation"]])

        {

            launchImageName = dict[@"UILaunchImageName"];        

        }    

    }    

    return launchImageName;

}



iOS在当前屏幕获取第一响应

UIWindow * keyWindow = [[UIApplication haredApplication] keyWindow];

UIView * firstResponder = [keyWindow performSelector:@selector(firstResponder)];


修改UITextField中Placeholder的文字颜色

[textField setValue:[UIColor redColor] forKeyPath:@"_placeholderLabel.textColor"];


监测IOS设备是否设置了代理,需要CFNetwork.framework

NSDictionary *proxySettings = (__bridgeNSDictionary *)(CFNetworkCopySystemProxySettings());

NSArray *proxies = (__bridgeNSArray *)(CFNetworkCopyProxiesForURL((__bridgeCFURLRef_Nonnull)([NSURLURLWithString:@"http://www.baidu.com"]), (__bridgeCFDictionaryRef_Nonnull)(proxySettings)));

NSLog(@"\n%@",proxies);

 

NSDictionary *settings = proxies[0];

NSLog(@"%@",[settingsobjectForKey:(NSString *)kCFProxyHostNameKey]);

NSLog(@"%@",[settingsobjectForKey:(NSString *)kCFProxyPortNumberKey]);

NSLog(@"%@",[settingsobjectForKey:(NSString *)kCFProxyTypeKey]);

 

if ([[settings objectForKey:(NSString *)kCFProxyTypeKey] isEqualToString:@"kCFProxyTypeNone"])

{

    NSLog(@"没代理");

}

else

{

    NSLog(@"设置了代理");

}

阿拉伯数字转中文格式

+(NSString *)translation:(NSString *)arebic

{  

    NSString *str = arebic;

    NSArray *arabic_numerals = @[@"1",@"2",@"3",@"4",@"5",@"6",@"7",@"8",@"9",@"0"];

    NSArray *chinese_numerals = @[@"一",@"二",@"三",@"四",@"五",@"六",@"七",@"八",@"九",@"零"];

    NSArray *digits = @[@"个",@"十",@"百",@"千",@"万",@"十",@"百",@"千",@"亿",@"十",@"百",@"千",@"兆"];

    NSDictionary *dictionary = [NSDictionary dictionaryWithObjects:chinese_numeralsforKeys:arabic_numerals];

 

    NSMutableArray *sums = [NSMutableArrayarray];

    for (int i = 0; i 

Base64编码与NSString对象或NSData对象的转换

// Create NSData object

NSData *nsdata = [@"iOS Developer Tips encoded in Base64"

  dataUsingEncoding:NSUTF8StringEncoding];

 

// Get NSString from NSData object in Base64

NSString *base64Encoded = [nsdata base64EncodedStringWithOptions:0];

 

// Print the Base64 encoded string

NSLog(@"Encoded: %@", base64Encoded);

 

// Let's go the other way...

 

// NSData from the Base64 encoded str

NSData *nsdataFromBase64String = [[NSData alloc]

  initWithBase64EncodedString:base64Encodedoptions:0];

 

// Decoded NSString from the NSData

NSString *base64Decoded = [[NSString alloc]

  initWithData:nsdataFromBase64Stringencoding:NSUTF8StringEncoding];

NSLog(@"Decoded: %@", base64Decoded);


取消UICollectionView的隐式动画

UICollectionView在reloadItems的时候,默认会附加一个隐式的fade动画,有时候很讨厌,尤其是当你的cell是复合cell的情况下(比如cell使用到了UIStackView)。

下面几种方法都可以帮你去除这些动画

//方法一

[UIView performWithoutAnimation:^{

    [collectionView reloadItemsAtIndexPaths:@[[NSIndexPathindexPathForItem:indexinSection:0]]];

}];

 

//方法二

[UIView animateWithDuration:0 animations:^{

    [collectionView performBatchUpdates:^{

        [collectionView reloadItemsAtIndexPaths:@[[NSIndexPathindexPathForItem:indexinSection:0]]];

    } completion:nil];

}];

 

//方法三

[UIView setAnimationsEnabled:NO];

[self.trackPanelperformBatchUpdates:^{

    [collectionView reloadItemsAtIndexPaths:@[[NSIndexPathindexPathForItem:indexinSection:0]]];

} completion:^(BOOL finished) {

    [UIView setAnimationsEnabled:YES];

}];


图片上绘制文字 写一个UIImage的category

- (UIImage *)imageWithTitle:(NSString *)titlefontSize:(CGFloat)fontSize

{

    //画布大小

    CGSize size=CGSizeMake(self.size.width,self.size.height);

    //创建一个基于位图的上下文

    UIGraphicsBeginImageContextWithOptions(size,NO,0.0);//opaque:NO  scale:0.0

 

    [self drawAtPoint:CGPointMake(0.0,0.0)];

 

    //文字居中显示在画布上

    NSMutableParagraphStyle* paragraphStyle = [[NSParagraphStyle defaultParagraphStyle] mutableCopy];

    paragraphStyle.lineBreakMode = NSLineBreakByCharWrapping;

    paragraphStyle.alignment=NSTextAlignmentCenter;//文字居中

 

    //计算文字所占的size,文字居中显示在画布上

    CGSize sizeText=[titleboundingRectWithSize:self.sizeoptions:NSStringDrawingUsesLineFragmentOrigin

                                    attributes:@{NSFontAttributeName:[UIFont systemFontOfSize:fontSize]}context:nil].size;

    CGFloat width = self.size.width;

    CGFloat height = self.size.height;

 

    CGRect rect = CGRectMake((width-sizeText.width)/2, (height-sizeText.height)/2, sizeText.width, sizeText.height);

    //绘制文字

    [titledrawInRect:rectwithAttributes:@{ NSFontAttributeName:[UIFontsystemFontOfSize:fontSize],NSForegroundColorAttributeName:[ UIColorwhiteColor],NSParagraphStyleAttributeName:paragraphStyle}];

 

    //返回绘制的新图形

    UIImage *newImage= UIGraphicsGetImageFromCurrentImageContext();

    UIGraphicsEndImageContext();

    return newImage;

}



计算文件大小

//文件大小

- (long long)fileSizeAtPath:(NSString *)path

{

    NSFileManager *fileManager = [NSFileManagerdefaultManager];

 

    if ([fileManager fileExistsAtPath:path])

    {

        long long size = [fileManager attributesOfItemAtPath:patherror:nil].fileSize;

        return size;

    }

 

    return 0;

}

 

//文件夹大小

- (long long)folderSizeAtPath:(NSString *)path

{

    NSFileManager *fileManager = [NSFileManagerdefaultManager];

 

    long long folderSize = 0;

 

    if ([fileManager fileExistsAtPath:path])

    {

        NSArray *childerFiles = [fileManager subpathsAtPath:path];

        for (NSString *fileNamein childerFiles)

        {

            NSString *fileAbsolutePath = [path stringByAppendingPathComponent:fileName];

            if ([fileManager ileExistsAtPath:fileAbsolutePath])

            {

                long long size = [fileManager attributesOfItemAtPath:fileAbsolutePatherror:nil].fileSize;

                folderSize += size;

            }

        }

    }

 

    return folderSize;

}


UIView设置部分圆角

你是不是也遇到过这样的问题,一个button或者label,只要右边的两个角圆角,或者只要一个圆角。该怎么办呢。这就需要图层蒙版来帮助我们了

CGRect rect = view.bounds;

CGSize radio = CGSizeMake(30, 30);//圆角尺寸

UIRectCorner corner = UIRectCornerTopLeft|UIRectCornerTopRight;//这只圆角位置

UIBezierPath *path = [UIBezierPathbezierPathWithRoundedRect:rectbyRoundingCorners:cornercornerRadii:radio];

CAShapeLayer *masklayer = [[CAShapeLayer alloc]init];//创建shapelayer

masklayer.frame = view.bounds;

masklayer.path = path.CGPath;//设置路径

view.layer.mask = masklayer;

取上整与取下整

floor(x),有时候也写做Floor(x),其功能是“下取整”,即取不大于x的最大整数 例如:

x=3.14,floor(x)=3

y=9.99999,floor(y)=9

 

与floor函数对应的是ceil函数,即上取整函数。

 

ceil函数的作用是求不小于给定实数的最小整数。

ceil(2)=ceil(1.2)=cei(1.5)=2.00

 

floor函数与ceil函数的返回值均为double


获取手机安装的应用

Class c =NSClassFromString(@"LSApplicationWorkspace");

id s = [(id)c performSelector:NSSelectorFromString(@"defaultWorkspace")];

NSArray *array = [s performSelector:NSSelectorFromString(@"allInstalledApplications")];

for (iditemin array)

{

    NSLog(@"%@",[itemperformSelector:NSSelectorFromString(@"applicationIdentifier")]);

    //NSLog(@"%@",[item performSelector:NSSelectorFromString(@"bundleIdentifier")]);

    NSLog(@"%@",[itemperformSelector:NSSelectorFromString(@"bundleVersion")]);

    NSLog(@"%@",[itemperformSelector:NSSelectorFromString(@"shortVersionString")]);

}


判断两个日期是否在同一周 写在NSDate的category里面

- (BOOL)isSameDateWithDate:(NSDate *)date

{

    //日期间隔大于七天之间返回NO

    if (fabs([self timeIntervalSinceDate:date]) >= 7 * 24 *3600)

    {

        return NO;

    }

 

    NSCalendar *calender = [NSCalendarcurrentCalendar];

    calender.firstWeekday = 2;//设置每周第一天从周一开始

    //计算两个日期分别为这年第几周

    NSUInteger countSelf = [calender ordinalityOfUnit:NSCalendarUnitWeekdayinUnit:NSCalendarUnitYearforDate:self];

    NSUInteger countDate = [calender ordinalityOfUnit:NSCalendarUnitWeekdayinUnit:NSCalendarUnitYearforDate:date];

 

    //相等就在同一周,不相等就不在同一周

    return countSelf == countDate;

}


应用内打开系统设置界面

NSURL * url = [NSURL URLWithString:UIApplicationOpenSettingsURLString];

    

    if([[UIApplication sharedApplication] canOpenURL:url]) {

        

        NSURL*url =[NSURL URLWithString:UIApplicationOpenSettingsURLString];           [[UIApplication sharedApplication] openURL:url options:nil completionHandler:^(BOOL success) {

            

        }];

        

    }


navigationBar根据滑动距离的渐变色实现

//第一种

- (void)scrollViewDidScroll:(UIScrollView *)scrollView

{

    CGFloat offsetToShow = 200.0;//滑动多少就完全显示

    CGFloat alpha = 1 - (offsetToShow - scrollView.contentOffset.y) / offsetToShow;

    [[self.navigationController.navigationBar subviews] objectAtIndex:0].alpha = alpha;

}

//第二种

- (void)scrollViewDidScroll:(UIScrollView *)scrollView

{

    CGFloat offsetToShow = 200.0;

    CGFloat alpha = 1 - (offsetToShow - scrollView.contentOffset.y) / offsetToShow;

 

    [self.navigationController.navigationBar setShadowImage:[UIImagenew]];

    [self.navigationController.navigationBar setBackgroundImage:[self imageWithColor:[[UIColor orangeColor]colorWithAlphaComponent:alpha]] forBarMetrics:UIBarMetricsDefault];

}

 

//生成一张纯色的图片

- (UIImage *)imageWithColor:(UIColor *)color

{

    CGRect rect = CGRectMake(0.0f, 0.0f, 1.0f, 1.0f);

    UIGraphicsBeginImageContext(rect.size);

    CGContextRefcontext = UIGraphicsGetCurrentContext();

    CGContextSetFillColorWithColor(context, [colorCGColor]);

    CGContextFillRect(context, rect);

    UIImage *theImage = UIGraphicsGetImageFromCurrentImageContext();

    UIGraphicsEndImageContext();

 

    return theImage;

}


navigationBar变为纯透明

//第一种方法

//导航栏纯透明

[self.navigationBar setBackgroundImage:[UIImagenew] forBarMetrics:UIBarMetricsDefault];

//去掉导航栏底部的黑线

self.navigationBar.shadowImage = [UIImagenew];

 

//第二种方法

[[self.navigationBar subviews] objectAtIndex:0].alpha = 0;



iOS中数字的格式化

//通过NSNumberFormatter,同样可以设置NSNumber输出的格式。例如如下代码:

NSNumberFormatter *formatter = [[NSNumberFormatter alloc] init];

formatter.numberStyle = NSNumberFormatterDecimalStyle;

NSString *string = [formatter stringFromNumber:[NSNumber numberWithInt:123456789]];

NSLog(@"Formatted number string:%@",string);

//输出结果为:[1223:403] Formatted number string:123,456,789

 

//其中NSNumberFormatter类有个属性numberStyle,它是一个枚举型,设置不同的值可以输出不同的数字格式。该枚举包括:

typedef NS_ENUM(NSUInteger, NSNumberFormatterStyle) {

    NSNumberFormatterNoStyle = kCFNumberFormatterNoStyle,

    NSNumberFormatterDecimalStyle = kCFNumberFormatterDecimalStyle,

    NSNumberFormatterCurrencyStyle = kCFNumberFormatterCurrencyStyle,

    NSNumberFormatterPercentStyle = kCFNumberFormatterPercentStyle,

    NSNumberFormatterScientificStyle = kCFNumberFormatterScientificStyle,

    NSNumberFormatterSpellOutStyle = kCFNumberFormatterSpellOutStyle

};

//各个枚举对应输出数字格式的效果如下:其中第三项和最后一项的输出会根据系统设置的语言区域的不同而不同。

[1243:403] Formattednumberstring:123456789

[1243:403] Formattednumberstring:123,456,789

[1243:403] Formattednumberstring:¥123,456,789.00

[1243:403] Formattednumberstring:-539,222,988%

[1243:403] Formattednumberstring:1.23456789E8

[1243:403] Formattednumberstring:一亿二千三百四十五万六千七百八十九



3.解决导航栏隐藏后遮挡64px的问题


我们在开发中会遇到隐藏导航栏的需求,但是有时候隐藏导航栏后,会出现个别控制的视图不是向下偏移64或者就是向上偏移64,而且处理起来特别的麻烦。

笔者在这里给出一个解决方案。


第一步,建立一个baseViewController,


-(void)viewWillAppear:(BOOL)animated {

    [super viewWillAppear:animated];

    if ([self respondsToSelector:@selector(setAutomaticallyAdjustsScrollViewInsets:)]) {

        

        self.automaticallyAdjustsScrollViewInsets = NO;

        

    }

    

    

    

    self.extendedLayoutIncludesOpaqueBars=YES//解决隐藏导航栏问题

    

    

}


第二部,所有的控制器继承这个控制器,在UI布局的时候所有的视图都是以上 y:64为基准就可以解决这个麻烦的问题了。





4.一些常用的宏定义


#ifndef DPpch_h

#define DPpch_h

//字符串是否为空

#define kStringIsEmpty(str) ([str isKindOfClass:[NSNull class]] || str == nil || [str length] < 1 ? YES : NO )

//数组是否为空

#define kArrayIsEmpty(array) (array == nil || [array isKindOfClass:[NSNull class]] || array.count == 0)

//字典是否为空

#define kDictIsEmpty(dic) (dic == nil || [dic isKindOfClass:[NSNull class]] || dic.allKeys.count == 0 || dic.allValues.count== 0)

//是否是空对象

#define kObjectIsEmpty(_object) (_object == nil \

|| [_object isKindOfClass:[NSNull class]] \

|| ([_object respondsToSelector:@selector(length)] && [(NSData *)_object length] == 0) \

|| ([_object respondsToSelector:@selector(count)] && [(NSArray *)_object count] == 0))

//获取屏幕宽度与高度 ( " \ ":连接行标志,连接上下两行 )

#define kScreenWidth \

([[UIScreen mainScreen] respondsToSelector:@selector(nativeBounds)] ? [UIScreen mainScreen].nativeBounds.size.width/[UIScreen mainScreen].nativeScale : [UIScreen mainScreen].bounds.size.width)

#define kScreenHeight \

([[UIScreen mainScreen] respondsToSelector:@selector(nativeBounds)] ? [UIScreen mainScreen].nativeBounds.size.height/[UIScreen mainScreen].nativeScale : [UIScreen mainScreen].bounds.size.height)

#define kScreenSize \

([[UIScreen mainScreen] respondsToSelector:@selector(nativeBounds)] ? CGSizeMake([UIScreen mainScreen].nativeBounds.size.width/[UIScreen mainScreen].nativeScale,[UIScreen mainScreen].nativeBounds.size.height/[UIScreen mainScreen].nativeScale) : [UIScreen mainScreen].bounds.size)


//一些常用的缩写

#define kApplication        [UIApplication sharedApplication]

#define kKeyWindow          [UIApplication sharedApplication].keyWindow

#define kAppDelegate        [UIApplication sharedApplication].delegate

#define kUserDefaults      [NSUserDefaults standardUserDefaults]

#define kNotificationCenter [NSNotificationCenter defaultCenter]

//APP版本号

#define kAppVersion [[[NSBundle mainBundle] infoDictionary] objectForKey:@"CFBundleShortVersionString"]

//系统版本号

#define kSystemVersion [[UIDevice currentDevice] systemVersion]

//获取当前语言

#define kCurrentLanguage ([[NSLocale preferredLanguages] objectAtIndex:0])

//判断是否为iPhone

#define kISiPhone (UI_USER_INTERFACE_IDIOM() == UIUserInterfaceIdiomPhone)

//判断是否为iPad

#define kISiPad (UI_USER_INTERFACE_IDIOM() == UIUserInterfaceIdiomPad)

//获取沙盒Document路径

#define kDocumentPath [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) firstObject]

//获取沙盒temp路径

#define kTempPath NSTemporaryDirectory()

//获取沙盒Cache路径

#define kCachePath [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) firstObject]

//判断是真机还是模拟器

#if TARGET_OS_IPHONE

//真机

#endif

#if TARGET_IPHONE_SIMULATOR

//模拟器

#endif

//开发的时候打印,但是发布的时候不打印的NSLog

#ifdef DEBUG

#define NSLog(...) NSLog(@"%s %d \n %@\n\n",__func__,__LINE__,[NSString stringWithFormat:__VA_ARGS__])

#else

#define NSLog(...)

#endif

//颜色

#define kRGBColor(r, g, b)    [UIColor colorWithRed:(r)/255.0 green:(g)/255.0 blue:(b)/255.0 alpha:1.0]

#define kRGBAColor(r, g, b, a) [UIColor colorWithRed:(r)/255.0 green:(r)/255.0 blue:(r)/255.0 alpha:a]

//随机色生成

#define kRandomColor    KRGBColor(arc4random_uniform(256)/255.0,arc4random_uniform(256)/255.0,arc4random_uniform(256)/255.0)        

#define kColorWithHex(rgbValue) \

[UIColor colorWithRed:((float)((rgbValue & 0xFF0000) >> 16)) / 255.0 \

green:((float)((rgbValue & 0xFF00) >> 8)) / 255.0 \

blue:((float)(rgbValue & 0xFF)) / 255.0 alpha:1.0]

//弱引用/强引用

#define kWeakSelf(type)  __weak typeof(type) weak##type = type;

#define kStrongSelf(type) __strong typeof(type) type = weak##type;

//由角度转换弧度

#define kDegreesToRadian(x)      (M_PI * (x) / 180.0)

//由弧度转换角度

#define kRadianToDegrees(radian) (radian * 180.0) / (M_PI)

//获取一段时间间隔

#define kStartTime CFAbsoluteTime start = CFAbsoluteTimeGetCurrent();

#define kEndTime  NSLog(@"Time: %f", CFAbsoluteTimeGetCurrent() - start)




//获取设备尺寸大小

//NavBar高度

#define NavigationBar_HEIGHT 44

//获取屏幕 宽度、高度

#define SCREEN_WIDTH ([UIScreen mainScreen].bounds.size.width)

#define SCREEN_HEIGHT ([UIScreen mainScreen].bounds.size.height)


//DEBUG 模式下打印日志,当前行

#ifdef DEBUG

#  define DLog(fmt, ...) NSLog((@"%s [Line %d] " fmt), __PRETTY_FUNCTION__, __LINE__, ##__VA_ARGS__);

#else

#  define DLog(...)

#endif

//是否iPad

#define isPad (UI_USER_INTERFACE_IDIOM() == UIUserInterfaceIdiomPad)

//是否iPad

#define someThing (UI_USER_INTERFACE_IDIOM() == UIUserInterfaceIdiomPad)? ipad: iphone

//获取系统版本

#define IOS_VERSION [UIDevice currentDevice] systemVersion] floatValue]

#define CurrentSystemVersion UIDevice currentDevice] systemVersion]

//获取当前语言

#define CurrentLanguage (NSLocale preferredLanguages] objectAtIndex:0])


#define kMainScreenHeight ([UIScreen mainScreen].applicationFrame.size.height)

#define kMainScreenWidth  ([UIScreen mainScreen].applicationFrame.size.width)

//一般的适配,以6为基准

static const float RealSrceenHight =  667.0;

static const float RealSrceenWidth =  375.0;

#define AdaptationH(x) x/RealSrceenHight*[[UIScreen mainScreen]bounds].size.height

#define AdaptationW(x) x/RealSrceenWidth*[[UIScreen mainScreen]bounds].size.width

//UIAlertController的宏定义

#define showMessage1(MESSAGE,QUVC) \

UIAlertController *alertController = [UIAlertController alertControllerWithTitle:@"提示" message:MESSAGE preferredStyle:UIAlertControllerStyleAlert]; \

UIAlertAction *okAction = [UIAlertAction actionWithTitle:@"确定" style:UIAlertActionStyleDefault handler:nil]; \

[alertController addAction:okAction]; \

[QUVC presentViewController:alertController animated:YES completion:nil];

//AlertView的宏定义

#define showMessage(__MESSAGE__) \

UIAlertView *alertView_ = [[UIAlertView alloc] initWithTitle:@"提示" \

message:__MESSAGE__ \

delegate:nil \

cancelButtonTitle:@"确定" \

otherButtonTitles:nil]; \

[alertView_ show];


//适配iOS10字体变大的缘故

#define IOS_VERSION_10_OR_LATER (([[[UIDevice currentDevice]systemVersion]floatValue]>=10.0)? (YES):(NO))

#endif


#define AdapationLabelFont(n) (IOS_VERSION_10_OR_LATER?((n-1)*([[UIScreen mainScreen]bounds].size.width/375.0f)):(n*([[UIScreen mainScreen]bounds].size.width/375.0f)))


#define iPhone4 ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(640, 960), [[UIScreen mainScreen] currentMode].size) : NO)


/** 设备是否为iPhone 5C/5/5S 分辨率320x568,像素640x1136@2x */

#define iPhone5 ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(640, 1136), [[UIScreen mainScreen] currentMode].size) : NO)


/** 设备是否为iPhone 6 分辨率375x667,像素750x1334@2x */

#define iPhone6 ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(750, 1334), [[UIScreen mainScreen] currentMode].size) : NO)


/** 设备是否为iPhone 6 Plus 分辨率414x736,像素1242x2208@3x */

#define iPhone6P ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(1242, 2208), [[UIScreen mainScreen] currentMode].size) : NO)

/** 设备是否为iPhone 7 分辨率375x667,像素750x1334@2x */

#define iPhone7 ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(750, 1334), [[UIScreen mainScreen] currentMode].size) : NO)

/** 设备是否为iPhone 7 Plus 分辨率414x736,像素1242x2208@3x */

#define iPhone7P ([UIScreen instancesRespondToSelector:@selector(currentMode)] ? CGSizeEqualToSize(CGSizeMake(1242, 2208), [[UIScreen mainScreen] currentMode].size) : NO)

0 0