ChiOS-我的iOS小Tips

1. 管理代码块

选中代码右键

使用<#name#>表示变量

代码块的路径~/Library/Developer/Xcode/UserData/CodeSnippets可上传到git以保持多终端同步

2. 获取对象的class

NSLog(@"%s", object_getClassName(object));

3. 怎样快速打开storyboard中某个视图对应的控制器?

打开对应的Assistant,快捷键组合Control(或 Ctrl)⌃+Option(或 Alt)⌥+Command(或 Cmd)⌘+回车

4. 更安全的string —— NS_EXTENSIBLE_STRING_ENUM

查看SDWebImage源码的时候无意中看到这么一个定义

SDWebImageCompat.h

使用方法

// .h
typedef NSString * MyStringEnum NS_EXTENSIBLE_STRING_ENUM;

FOUNDATION_EXPORT MyStringEnum const MyStringEnumName;  // 个人理解FOUNDATION_EXPORT与extern功能相同,都是声明外部引用【后续补充】
// .m
MyStringEnum const MyStringEnumName = @"name";
// 使用场景1
-(void)testMethod:(MyStringEnum)foo {
    NSLog(@"%@", foo);
}

[someClass testMethod:MyStringEnumName];


// 使用场景2
typedef NSDictionary< MyStringEnum, id> MyDictionary;

5. 使用imageWithCIImage获取到的添加滤镜后的图片时有明显的卡顿,并且这样的图片无法被正确的保存到相册

stackoverflow上的回答 https://stackoverflow.com/a/15886422/8053832

(1) Aspect Fit does stretch the image - to fit. If you don't want the image stretched at all, use Center (for example).

(2) imageWithCIImage gives you a very weird beast, a UIImage not based on CGImage, and so not susceptible to the normal rules of layer display. It is really nothing but a thin wrapper around CIImage, which is not what you want. You must convert (render) the CIFilter output thru CGImage to UIImage, thus giving you a UIImage that actually has some bits (CGImage, a bitmap). My discussion here gives you code that demonstrates: http://www.apeth.com/iOSBook/ch15.html#_cifilter_and_ciimage

In other words, at some point you must call CIContext createCGImage:fromRect: to generate a CGImageRef from the output of your CIFilter, and pass that on into a UIImage. Until you do that, you don't have the output of your filter operations as a real UIImage.

Alternatively, you can draw the image from imageWithCIImage into a graphics context. For example, you can draw it into an image graphics context and then use that image.

What you can't do is display the image from imageWithCIImage directly. That's because it isn't an image! It has no underlying bitmap (CGImage). There's no there there. All it is is a set of CIFilter instructions for deriving the image.

解决方案:outputImage(CIImage) -> CGImage -> UIImage

CIFilter * filter = [CIFilter filterWithName:filterName];
CIImage * beginImage = [CIImage imageWithCGImage:self.CGImage];
[filter setValue:beginImage forKey:kCIInputImageKey];
CIImage * outputImage = filter.outputImage;
struct CGImage * outputCGImage = [[CIContext contextWithOptions:nil] createCGImage:outputImage fromRect:outputImage.extent];
UIImage * newImage = [UIImage imageWithCGImage:outputCGImage];

6. dispatch_group的使用

    dispatch_group_t group = dispatch_group_create();
    dispatch_queue_t queue = dispatch_queue_create("label_name", DISPATCH_QUEUE_CONCURRENT);
    
    for (NSObject * item in items) {
        dispatch_group_async(group, queue, ^{
           // do something.
        });
    }
    dispatch_group_notify(group, dispatch_get_main_queue(), ^{
        // group task is finished.
    });

7. 关于风景照片的一个issue

前置知识点:手机拍照有两个模式:portrait(竖屏/肖像)、landscape(横屏/风景)

landscape的image如果直接在image view上展示则会以拍摄时手机方向为基准正常显示,但是若经过类似tip5等使用CGImage处理后,再进行加载则会变成以竖屏为基准的图片,从而使图片发生横竖屏切换似的旋转。
解决方案 https://stackoverflow.com/a/24731742/8053832 即:

UIImage * newImage = [UIImage imageWithCGImage:someCGImage scale: originImage.scale orientation:originImage.imageOrientation];

8. 两个运算符的彩虹屁写法

  • 异或:
    场景 - 点击一个按钮时切换其高亮状态
someButton.highlighted ^= YES;
  • 条件运算符:
    场景 - 如果数组存在则返回该数组不存在则创建一个新的数组
NSArray * someArray = array ? : [NSArray array]; // 其实是array ? array : [NSArray array] 的省略写法

9. NS_OPTIONS枚举使用

先来看一个SwipeGestureRecognizer手势方向的枚举定义

typedef NS_OPTIONS(NSUInteger, UISwipeGestureRecognizerDirection) {
    UISwipeGestureRecognizerDirectionRight = 1 << 0,
    UISwipeGestureRecognizerDirectionLeft  = 1 << 1,
    UISwipeGestureRecognizerDirectionUp    = 1 << 2,
    UISwipeGestureRecognizerDirectionDown  = 1 << 3
};

UISwipeGestureRecognizerDirectionRight = 1 << 0开始理解,1 << 0即2的0次方,二进制表示0001;UISwipeGestureRecognizerDirectionLeft = 1 << 1为2的1次方0010,依次类推…

typedef NS_OPTIONS(NSUInteger, UISwipeGestureRecognizerDirection) {
    UISwipeGestureRecognizerDirectionRight = 1 << 0, // 0001
    UISwipeGestureRecognizerDirectionLeft  = 1 << 1, // 0010
    UISwipeGestureRecognizerDirectionUp    = 1 << 2, // 0100
    UISwipeGestureRecognizerDirectionDown  = 1 << 3 // 1000
};

这样我们通过UISwipeGestureRecognizerDirection枚举可以获得上下左右组合的全部方向;
例如:

// UISwipeGestureRecognizerDirectionRight和UISwipeGestureRecognizerDirectionLeft组合方向
UISwipeGestureRecognizerDirection right_left = UISwipeGestureRecognizerDirectionRight | UISwipeGestureRecognizerDirectionLeft; // 0001 | 0010 = 0011 十进制 3

其他运算:

// 判断上述right_left中是否包含UISwipeGestureRecognizerDirectionDown方向
BOOL isContainDown = right_left & UISwipeGestureRecognizerDirectionDown; // 0011 & 1000 = 0000

// 为上述right_left增加UISwipeGestureRecognizerDirectionUp方向
right_left = right_left | UISwipeGestureRecognizerDirectionUp; // 0011 | 0100 = 0111 十进制 7

// 为上述right_left移除UISwipeGestureRecognizerDirectionUp方向
right_left = right_left & (~UISwipeGestureRecognizerDirectionUp); // 0011 & 1011 = 0011 十进制 3

10. 图片转为UIColor

UIColor * imageColor = [[UIColor alloc] initWithPatternImage:[UIImage imageNamed:@"niu.jpg"]];

11. Masonry等间距布局

NSArray * buttons = @[cameraButton, saveButton, folderButton, shareButton, redoButton];
[buttons mas_distributeViewsAlongAxis:MASAxisTypeHorizontal withFixedItemLength:30 leadSpacing:40 tailSpacing:40];
[buttons mas_makeConstraints:^(MASConstraintMaker *make) {
    make.centerY.equalTo(self);
    make.height.equalTo(@30);
}];

12. UIActivityViewController分享时不显示文件的名称以及大小或微信等应用不显示,可以传入其path来解决

NSString * filePath = [self.currentPath stringByAppendingPathComponent:fileName];
NSData * fileData = [[NSFileManager defaultManager] contentsAtPath:filePath];
NSURL * fileUrl = [NSURL fileURLWithPath:filePath];
UIActivityViewController *activityViewController = [[UIActivityViewController alloc] initWithActivityItems:@[fileUrl, fileData] applicationActivities:nil];
[self presentViewController:activityViewController animated:YES completion:nil];
activityViewController.completionWithItemsHandler = ^(UIActivityType __nullable activityType, BOOL completed, NSArray * __nullable returnedItems, NSError * __nullable activityError) {
    NSLog(@"%@", activityError.localizedDescription);
};

13. GL边render边保存视频时(共享pixel buffer)可能存在保存的视频有原始帧的情况

原因:可能是视频帧率太高 在gl处理的过程中获取了处理过程中的pixel buffer
解决方案1:
process后手动调用glFinish()同步C/GPU资源
解决方案2:
锁buffer

CVPixelBufferLockBaseAddress(_outputPixelBuffer, 0);
… process …
CVPixelBufferUnlockBaseAddress(_outputPixelBuffer, 0);

14. NDC转window coordinate

使用投影矩阵

GLKMatrix4 projection = GLKMatrix4MakeOrtho(0, self.view.frame.size.width, self.view.frame.size.height, 0, 1.0, 100);
GLuint projectionLocation = glGetUniformLocation(program, "projection");
glUniformMatrix4fv(projectionLocation, 1, GL_FALSE, projection.m);

15. git切换到某次commit做了修改修改后又新建一个commit后找不到了

~ git reflog # 查看所有操作 找到对应commit对应的id(如:5db6e6ed)
~ git checkout 5db6e6ed

16. bitmap转image (单y通道gray)

int f_width = detectResult.p_segments->p_figure->p_segment->width;
int f_height = detectResult.p_segments->p_figure->p_segment->height;
CGColorSpaceRef f_colorSpace = CGColorSpaceCreateDeviceGray();
int f_iBytesPerPixel = 1;
int f_iBitsPerRow = f_iBytesPerPixel * f_width;
int f_iBitsPerComponent = 8;
CGContextRef context = CGBitmapContextCreate(detectResult.p_segments->p_figure->p_segment->data,
                                                         f_width,
                                                         f_height,
                                                         f_iBitsPerComponent,
                                                         f_iBitsPerRow,
                                                         f_colorSpace,
                                                         kCGImageAlphaNone | kCGBitmapByteOrderDefault
                                                         );
            
CGImageRef quartzImage = CGBitmapContextCreateImage(context);
CGContextRelease(context);
CGColorSpaceRelease(f_colorSpace);
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,332评论 6 493
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,508评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 157,812评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,607评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,728评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,919评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,071评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,802评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,256评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,576评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,712评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,389评论 4 332
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,032评论 3 316
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,798评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,026评论 1 266
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,473评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,606评论 2 350

推荐阅读更多精彩内容