iOS学习笔记(持续更新)

1.主线程中更新UI

之前在项目中的一个回调方法里面更新了UI导致了一个NSInternalInconsistencyException错误,根据输错信息大致找到错误的具体情况 **Only run on the main thread! **,原因是因为在子线程中不能对UI进行更新,如果需要更新UI必须切换到主线程中去更新。

那么在子线程中如何更新UI呢,iOS帮我们提供了一个方法叫 dispatch_async(dispatch_queue_t queue, dispatch_block_t block),可以将方法块发送到指定的线程中执行,dispatch_get_main_queue() 代表了主线程,这样更新UI的代码就可以完美执行啦。

dispatch_async(dispatch_get_main_queue(), ^{
        NSLog(@"Update View");
    });

2.NSURLSession简单使用

自从iOS 9.0后Apple建议使用NSURLSession代替NSURLConnection

NSURLSession *session = [NSURLSession sharedSession];
[[session dataTaskWithRequest:request completionHandler:^(NSData * _Nullable data, NSURLResponse * _Nullable response, NSError * _Nullable error) {
        if (error) {
            NSLog(@"HTTP ERROR:%@",error.localizedDescription);
        }else{
            NSInteger responseCode = [(NSHTTPURLResponse *)response statusCode];
            NSString *responseString = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
            NSLog(@"HttpResponseCode:%ld", (long)responseCode);
            NSLog(@"HttpResponseBody %@",responseString);
            NSDictionary *dic = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingMutableLeaves error:nil];
            //成功处理...
        }
    }] resume];

3.设置屏幕常亮

//将空闲定时器禁用,这样屏幕就能一直保持常亮了
[UIApplication sharedApplication].idleTimerDisabled = YES;
//设置窗口亮度大小 范围是0.1 -1.0 一般常亮后尽量把亮度调低点,这样能省点电
[[UIScreen mainScreen] setBrightness:0.5]; 

4.使用CocoaHTTPServer来创建本地web服务器

因为自己的项目需求要通过网页上传文件到APP里面去,所以通过这个东西可以把手机临时服务器,然后通过网页上传文件的形式将文件上传到APP。

    //主要代码
    self.httpServer = [[HTTPServer alloc]init];
    [self.httpServer setType:@"_http._tcp."];
    [self.httpServer setPort:8080];
    NSString *webPath = [[NSBundle mainBundle] resourcePath];
    [self.httpServer setConnectionClass:[MyHTTPConnection class]];
    [self.httpServer setDocumentRoot:webPath];
    NSError *error;
    [self.httpServer start:&error];
    //然后在webPath指定的目录下面放几个网页就可以访问啦

5.沙盒路径获取

Documents:苹果建议将程序中建立的或在程序中浏览到的文件数据保存在该目录下;
Library:存储程序的默认设置或其它状态信息;
tmp:提供一个即时创建临时文件的地方。
Library 目录:这个目录下有两个子目录:Caches 和 Preferences

Preferences 目录包含应用程序的偏好设置文件。您不应该直接创建偏好设置文件,而是应该使用NSUserDefaults类来取得和设置应用程序的偏好
Caches 目录用于存放应用程序专用的支持文件,保存应用程序再次启动过程中需要的信息。

注意:

iTunes在与iPhone同步时,备份所有的Documents和Library文件。
iPhone在重启时,会丢弃所有的tmp文件。

如果有路径拼接使用 stringByAppendingPathComponent方法

//获取家目录路径的函数:
NSString *homeDir = NSHomeDirectory(); 
//Documents目录
[NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) objectAtIndex:0];
//app包路径
[[NSBundlemainBundle]bundlePath];  
//获取tmp目录
NSString *tempPath = NSTemporaryDirectory();
//获取Caches目录路径的方法:
NSArray *paths = NSSearchPathForDirectoriesInDomains(NSCachesDirectory,NSUserDomainMask,YES);
NSString *cachesDir = [paths objectAtIndex:0];
//获取应用程序程序包中资源文件路径的方法
NSString *imagePath = [[NSBundlemainBundle]pathForResource:@"apple"ofType:@"png"];

6.遍历目录

NSFileManager *myManage = [NSFileManager defaultManager];
NSString *docPath = [PathHelper getDocumentsPath];
NSDirectoryEnumerator *myDir = [myManage enumeratorAtPath:docPath];
while ((docPath = [myDir nextObject])!=nil) {
    NSLog(@"%@========",docPath);
}

7.页面跳转

//从下往上推一个窗口
[self presentViewController:vc animated:YES completion:nil];
//返回上一个界面
[ self dismissViewControllerAnimated: YES completion: nil ];
//navigationController弹出窗口向左滑动弹出
[self.navigationController pushViewController:readView animated:YES];
//返回上一页
[self.navigationController popViewControllerAnimated:YES];
//返回到根视图
[self.navigationController popToRootViewControllerAnimated: YES ]; 

8.隐藏tabbar

hidesBottomBarWhenPushed 属性就可以了,在要隐藏tabbar之前的页面添加

- (void)viewDidAppear:(BOOL)animated{
    self.hidesBottomBarWhenPushed = YES;
}
- (void)viewWillDisappear:(BOOL)animated{
    self.hidesBottomBarWhenPushed = NO;
}

//新办法 直接设置在下一个界面跳转的时候设置下个界面
[vc setHidesBottomBarWhenPushed:YES];

9.UITableViewCell取消选中

didSelectRowAtIndexPath代理方法中添加

[tableView deselectRowAtIndexPath:indexPath animated:YES];

10.UITabelViewCell的宽度

Cell的宽度默认是320,所以在做布局的时候在layoutSubViews方法中去重新布局Cell的宽度就正常了,这个layoutSubViews在Frame被修改的时候回调用一次,所以只有当frame被设置正确的时候在去布局就OK啦

- (void)layoutSubviews{
    [super layoutSubviews];
    __weak typeof (self)weakSelf = self;
    [self.explanationLabel mas_makeConstraints:^(MASConstraintMaker *make) {
        make.top.equalTo(weakSelf.contentView).offset(30);
        make.left.equalTo(weakSelf.contentView).offset(20);
        make.size.mas_equalTo(CGSizeMake(CGRectGetWidth(weakSelf.contentView.frame) - 25, 20));
    }];
}

11.UIScrollView组件设置页数

当UIScrollView组件被设置成翻页模式后要设置具体翻到第几页可以通过setContentOffset方法去设置,手动计算偏移的坐标

[self.scrollView setContentOffset:CGPointMake((winW* currentPage), 0)];

12.获取当前时间戳

[[NSDate dateWithTimeIntervalSinceNow:0]timeIntervalSince1970] * 1000;

13.修改系统状态颜色


//UIBarStyleDefault or  UIBarStyleBlack 两种样式
[self.navigationController.navigationBar setBarStyle:UIBarStyleDefault];

14.字符串分割

//不需要间隔分割字符串
NSMutableArray *arr = [[NSMutableArray alloc]init];
for (int index = 0; index < str.length; index++) {
    [arr addObject:[str substringWithRange:NSMakeRange(index, 1)]];
}
//根据间隔分割字符串
NSArray *arr = [@"1.2.3.4.5.6.7" componentsSeparatedByString:@"."];

15.大小写转换

//转小写
NSString *str = [@"ABCD" lowercaseString]; // abcd
//首字母大写
NSString *str = [@"abcd" capitalizedString]; // Abcd
//转小写
NSString *str1 = [@"abcd" uppercaseString];// ABCD

16.UITableView滚动到最后一行

if (self.chatTableView.contentSize.height > self.chatTableView.frame.size.height)
{
    CGPoint offset = CGPointMake(0, self.chatTableView.contentSize.height - self.chatTableView.frame.size.height);
    [self.chatTableView setContentOffset:offset animated:YES];
}

17.时间处理

//实例化一个NSDateFormatter对象
NSDateFormatter *dateFormatter = [[NSDateFormatter alloc] init];
//设定时间格式,这里可以设置成自己需要的格式
[dateFormatter setDateFormat:@"yyyy-MM-dd HH:mm:ss"];
//用[NSDate date]可以获取系统当前时间
NSString *currentDateStr = [dateFormatter stringFromDate:[NSDate date]];

18.跳转到系统WiFi设置界面

[[UIApplication sharedApplication] openURL:[NSURL URLWithString:@"prefs:root=WIFI"]];

19.JSON去掉换行

-(NSString*)ObjectTojsonString:(id)object{
    NSString *jsonString = [[NSString alloc]init];
    NSError *error;
    NSData *jsonData = [NSJSONSerialization dataWithJSONObject:object options:NSJSONWritingPrettyPrinted error:&error];
    if (! jsonData) {
        NSLog(@"error: %@", error);
    } else {
        jsonString = [[NSString alloc] initWithData:jsonData encoding:NSUTF8StringEncoding];
    }
    NSMutableString *mutStr = [NSMutableString stringWithString:jsonString];
    NSRange range = {0,jsonString.length};
    [mutStr replaceOccurrencesOfString:@" "withString:@""options:NSLiteralSearch range:range];
    NSRange range2 = {0,mutStr.length};
    [mutStr replaceOccurrencesOfString:@"\n"withString:@""options:NSLiteralSearch range:range2];
    return mutStr;
}

20.电话号码验证

//验证电话号码
NSString *regex = @"^[1][0-9]{10}$";
NSPredicate *predicate = [NSPredicate predicateWithFormat:@"SELF MATCHES %@", regex];
BOOL isValid = [predicate evaluateWithObject:phone];

21. Nonnull区域设置

如果需要每个属性或每个方法都去指定nonnull和nullable,是一件非常繁琐的事。
苹果为了减轻我们的工作量,专门提供了两个宏:
NS_ASSUME_NONNULL_BEGIN和NS_ASSUME_NONNULL_END。
在这两个宏之间的代码,所有简单指针对象都被假定为nonnull,因此我们只需要去指定那些nullable的指针。
如下代码所示:
NS_ASSUME_NONNULL_BEGIN
@interface TestNullabilityClass () 
 
@property (nonatomic, copy) NSArray * items; 
- (id)itemWithName:(nullable NSString *)name; 
 
@end 
NS_ASSUME_NONNULL_END

22.FOUNDATION_EXPORT宏

.h文件
FOUNDATION_EXPORT  NSString *const kMyConstantString;

.m文件是这样定义的
NSString *const kMyConstantString = @"hello world";

另一种就是常用的#define 方法定义常量了
#define kMyConstantString @"Hello"

那么他们有什么区别呢?
使用FOUNDATION_EXPORT方法在检测字符串的值是否相等的时候效率更快.
可以直接使用(myString == MyFirstConstant)来比较, 而define则使用的是([myString isEqualToString:MyFirstContant])
哪个效率更高,显而易见了

第一种是直接比较指针地址
第二种则是一一比较字符串的每一个字符是否相等.


2.3 AssertMacros.h文件

当条件返回false时,执行标记以后的代码

    NSString *msg = nil;
//如果msg等于nil的时候直接跳转到_out,test不会输出,goto跳转
    __Require_Quiet(msg != nil, _out);
    NSLog(@"test");
_out:
    NSLog(@"out");

//__Require_Quiet 到_out之间的代码不会执行

2.4 获取本地文件属性

获取本地文件属性
NSDictionary *fileAttributes = [[NSFileManager defaultManager] attributesOfItemAtPath:[fileURL path] error:error] 

2.5 根据文件后缀获取文件类型(同一类型标识符)

#import 
static inline NSString * AFContentTypeForPathExtension(NSString *extension) {
    NSString *UTI = (__bridge_transfer NSString *)UTTypeCreatePreferredIdentifierForTag(kUTTagClassFilenameExtension, (__bridge CFStringRef)extension, NULL);
    NSString *contentType = (__bridge_transfer NSString *)UTTypeCopyPreferredTagWithClass((__bridge CFStringRef)UTI, kUTTagClassMIMEType);
    if (!contentType) {
        return @"application/octet-stream";
    } else {
        return contentType;
    }
}

2.6 简单动态图片

UIImage *image0 = [UIImage imageNamed:@"SenderVoiceNodePlaying001"];
UIImage *image1 = [UIImage imageNamed:@"SenderVoiceNodePlaying002"];
UIImage *image2 = [UIImage imageNamed:@"SenderVoiceNodePlaying003"];
self.imageView.image = [UIImage animatedImageWithImages:@[image0,image1,image2] duration:1.5];

你可能感兴趣的:(iOS学习笔记(持续更新))