iOS開發經驗總結

在iOS開發中經常需要使用的或不常用的知識點的總結,幾年的收藏和積累(踩過的坑)。

一、 iPhone Size


二、 給navigation Bar 設置 title 顏色

1

2

3UIColor *whiteColor = [UIColor whiteColor];

NSDictionary *dic = [NSDictionary dictionaryWithObject:whiteColor forKey:NSForegroundColorAttributeName];

[self.navigationController.navigationBar setTitleTextAttributes:dic];

三、 如何把一個CGPoint存入數組裏

1

2

3

4

5

6CGPoint  itemSprite1position = CGPointMake(100, 200);

NSMutableArray * array  = [[NSMutableArray alloc] initWithObjects:NSStringFromCGPoint(itemSprite1position),nil];

//    從數組中取值的過程是這樣的:

CGPoint point = CGPointFromString([array objectAtIndex:0]);

1

NSLog(@"point is %@.", NSStringFromCGPoint(point));

謝謝@bigParis的建議,可以用NSValue進行基礎數據的保存,用這個方法更加清晰明確。

1

2

3

4

5

6

7

8CGPoint  itemSprite1position = CGPointMake(100, 200);

NSValue *originValue = [NSValue valueWithCGPoint:itemSprite1position];

NSMutableArray * array  = [[NSMutableArray alloc] initWithObjects:originValue, nil];

//    從數組中取值的過程是這樣的:

NSValue *currentValue = [array objectAtIndex:0];

CGPoint point = [currentValue CGPointValue];

NSLog(@"point is %@.", NSStringFromCGPoint(point));

現在Xcode7後OC支持泛型了,可以用NSMutableArray*array來保存。

四、 UIColor 獲取 RGB 值

1

2

3

4

5

6UIColor *color = [UIColor colorWithRed:0.0 green:0.0 blue:1.0 alpha:1.0];

const CGFloat *components = CGColorGetComponents(color.CGColor);

NSLog(@"Red: %f", components[0]);

NSLog(@"Green: %f", components[1]);

NSLog(@"Blue: %f", components[2]);

NSLog(@"Alpha: %f", components[3]);

五、 修改textField的placeholder的字體顏色、大小

1

2

3self.textField.placeholder = @"username is in here!";

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

[self.textField setValue:[UIFont boldSystemFontOfSize:16] forKeyPath:@"_placeholderLabel.font"];

推薦

使用attributedString進行設置.(感謝@HonglingHe的推薦)

1

2

3

4

5

6

7

8

9

10

11

12NSString *string = @"美麗新世界";

NSMutableAttributedString *attributedString = [[NSMutableAttributedString alloc] initWithString:string];

[attributedString addAttribute:NSForegroundColorAttributeName

value:[UIColor redColor]

range:NSMakeRange(0, [string length])];

[attributedString addAttribute:NSFontAttributeName

value:[UIFont systemFontOfSize:16]

range:NSMakeRange(0, [string length])];

self.textField.attributedPlaceholder = attributedString;

六、兩點之間的距離

1

static __inline__ CGFloat CGPointDistanceBetweenTwoPoints(CGPoint point1, CGPoint point2) { CGFloat dx = point2.x - point1.x; CGFloat dy = point2.y - point1.y;returnsqrt(dx*dx + dy*dy);}

七、IOS開發-關閉/收起鍵盤方法總結

1、點擊Return按扭時收起鍵盤

1

2

3

4- (BOOL)textFieldShouldReturn:(UITextField *)textField

{

return[textField resignFirstResponder];

}

2、點擊背景View收起鍵盤

1

[self.view endEditing:YES];

3、你可以在任何地方加上這句話,可以用來統一收起鍵盤

1

[[[UIApplication sharedApplication] keyWindow] endEditing:YES];

八、在使用 ImagesQA.xcassets 時需要注意

將圖片直接拖入image到ImagesQA.xcassets中時,圖片的名字會保留。

這個時候如果圖片的名字過長,那麼這個名字會存入到ImagesQA.xcassets中,名字過長會引起SourceTree判斷異常。

九、UIPickerView 判斷開始選擇到選擇結束

開始選擇的,需要在繼承UiPickerView,創建一個子類,在子類中重載

1

- (UIView*)hitTest:(CGPoint)point withEvent:(UIEvent*)event

當[super hitTest:point withEvent:event]返回不是nil的時候,說明是點擊中UIPickerView中了。

結束選擇的, 實現UIPickerView的delegate方法

1

- (void)pickerView:(UIPickerView*)pickerView didSelectRow:(NSInteger)row inComponent:(NSInteger)component

當調用這個方法的時候,說明選擇已經結束了。

十、iOS模擬器 鍵盤事件

當iOS模擬器 選擇了Keybaord->Connect Hardware keyboard 後,不彈出鍵盤。

當代碼中添加了

1

2

3

4[[NSNotificationCenter defaultCenter] addObserver:self

selector:@selector(keyboardWillHide)

name:UIKeyboardWillHideNotification

object:nil];

進行鍵盤事件的獲取。那麼在此情景下將不會調用- (void)keyboardWillHide.

因爲沒有鍵盤的隱藏和顯示。

十一、在ios7上使用size classes後上面下面黑色

使用了size classes後,在ios7的模擬器上出現了上面和下面部分的黑色

可以在General->App Icons and Launch Images->Launch Images Source中設置Images.xcassets來解決。


十二、設置不同size在size classes

Font中設置不同的size classes。


十三、線程中更新 UILabel的text

1

2[self.label1 performSelectorOnMainThread:@selector(setText:)                                      withObject:textDisplay

waitUntilDone:YES];

label1 爲UILabel,當在子線程中,需要進行text的更新的時候,可以使用這個方法來更新。

其他的UIView 也都是一樣的。

十四、使用UIScrollViewKeyboardDismissMode實現了Message app的行爲

像Messages app一樣在滾動的時候可以讓鍵盤消失是一種非常好的體驗。然而,將這種行爲整合到你的app很難。幸運的是,蘋果給UIScrollView添加了一個很好用的屬性keyboardDismissMode,這樣可以方便很多。

現在僅僅只需要在Storyboard中改變一個簡單的屬性,或者增加一行代碼,你的app可以和辦到和Messages app一樣的事情了。

這個屬性使用了新的UIScrollViewKeyboardDismissMode enum枚舉類型。這個enum枚舉類型可能的值如下:

1

2

3

4

5typedef NS_ENUM(NSInteger, UIScrollViewKeyboardDismissMode) {

UIScrollViewKeyboardDismissModeNone,

UIScrollViewKeyboardDismissModeOnDrag,// dismisses the keyboard when a drag begins

UIScrollViewKeyboardDismissModeInteractive,// the keyboard follows the dragging touch off screen, and may be pulled upward again to cancel the dismiss

} NS_ENUM_AVAILABLE_IOS(7_0);

以下是讓鍵盤可以在滾動的時候消失需要設置的屬性:


十五、報錯 "_sqlite3_bind_blob", referenced from:

將 sqlite3.dylib加載到framework

十六、ios7 statusbar 文字顏色

iOS7上,默認status bar字體顏色是黑色的,要修改爲白色的需要在infoPlist裏設置UIViewControllerBasedStatusBarAppearance爲NO,然後在代碼裏添加:

1

[application setStatusBarStyle:UIStatusBarStyleLightContent];

十七、獲得當前硬盤空間

1

2

3

4

5NSFileManager *fm = [NSFileManager defaultManager];

NSDictionary *fattributes = [fm attributesOfFileSystemForPath:NSHomeDirectory() error:nil];

NSLog(@"容量%lldG",[[fattributes objectForKey:NSFileSystemSize] longLongValue]/1000000000);

NSLog(@"可用%lldG",[[fattributes objectForKey:NSFileSystemFreeSize] longLongValue]/1000000000);

十八、給UIView 設置透明度,不影響其他sub views

UIView設置了alpha值,但其中的內容也跟着變透明。有沒有解決辦法?

設置background color的顏色中的透明度

比如:

1

[self.testView setBackgroundColor:[UIColor colorWithRed:0.0 green:1.0 blue:1.0 alpha:0.5]];

設置了color的alpha, 就可以實現背景色有透明度,當其他sub views不受影響給color 添加 alpha,或修改alpha的值。

1

2

3

4// Returns a color in the same color space as the receiver with the specified alpha component.

- (UIColor *)colorWithAlphaComponent:(CGFloat)alpha;

// eg.

[view.backgroundColor colorWithAlphaComponent:0.5];

十九、將color轉爲UIImage

1

2

3

4

5

6

7

8

9

10

11

12

13//將color轉爲UIImage

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

{

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

UIGraphicsBeginImageContext(rect.size);

CGContextRef context = UIGraphicsGetCurrentContext();

CGContextSetFillColorWithColor(context, [color CGColor]);

CGContextFillRect(context, rect);

UIImage *theImage = UIGraphicsGetImageFromCurrentImageContext();

UIGraphicsEndImageContext();

returntheImage;

}

二十、NSTimer 用法

1

2

3

4NSTimer *timer = [NSTimer scheduledTimerWithTimeInterval:.02 target:self selector:@selector(tick:) userInfo:nil repeats:YES];

[[NSRunLoop currentRunLoop] addTimer:timer forMode:NSRunLoopCommonModes];

在NSRunLoop 中添加定時器.

二十一、Bundle identifier 應用標示符

Bundle identifier 是應用的標示符,表明應用和其他APP的區別。

二十二、NSDate 獲取幾年前的時間

eg. 獲取到40年前的日期

1

2

3

4NSCalendar *gregorian = [[NSCalendar alloc] initWithCalendarIdentifier:NSGregorianCalendar];

NSDateComponents *dateComponents = [[NSDateComponents alloc] init];

[dateComponents setYear:-40];

self.birthDate = [gregorian dateByAddingComponents:dateComponents toDate:[NSDate date] options:0];

二十三、iOS加載啓動圖的時候隱藏statusbar

只需需要在info.plist中加入Status bar is initially hidden 設置爲YES就好


二十四、iOS 開發,工程中混合使用 ARC 和非ARC

Xcode 項目中我們可以使用 ARC 和非 ARC 的混合模式。

如果你的項目使用的非 ARC 模式,則爲 ARC 模式的代碼文件加入 -fobjc-arc 標籤。

如果你的項目使用的是 ARC 模式,則爲非 ARC 模式的代碼文件加入 -fno-objc-arc 標籤。

添加標籤的方法:

打開:你的target -> Build Phases -> Compile Sources.

雙擊對應的 *.m 文件

在彈出窗口中輸入上面提到的標籤 -fobjc-arc / -fno-objc-arc

點擊 done 保存

二十五、iOS7 中 boundingRectWithSize:options:attributes:context:計算文本尺寸的使用

之前使用了NSString類的sizeWithFont:constrainedToSize:lineBreakMode:方法,但是該方法已經被iOS7 Deprecated了,而iOS7新出了一個boudingRectWithSize:options:attributes:context方法來代替。

而具體怎麼使用呢,尤其那個attribute

1

2NSDictionary *attribute = @{NSFontAttributeName: [UIFont systemFontOfSize:13]};

CGSize size = [@"相關NSString"boundingRectWithSize:CGSizeMake(100, 0) options: NSStringDrawingTruncatesLastVisibleLine | NSStringDrawingUsesLineFragmentOrigin | NSStringDrawingUsesFontLeading attributes:attribute context:nil].size;

二十六、NSDate使用 注意

NSDate 在保存數據,傳輸數據中,一般最好使用UTC時間。

在顯示到界面給用戶看的時候,需要轉換爲本地時間。

二十七、在UIViewController中property的一個UIViewController的Present問題

如果在一個UIViewController A中有一個property屬性爲UIViewController B,實例化後,將BVC.view 添加到主UIViewController A.view上,如果在viewB上進行- (void)presentViewController:(UIViewController *)viewControllerToPresent animated: (BOOL)flag completion:(void (^)(void))completion NS_AVAILABLE_IOS(5_0);的操作將會出現,“Presenting view controllers on detached view controllers is discouraged” 的問題。

以爲BVC已經present到AVC中了,所以再一次進行會出現錯誤。

可以使用

1

2

3

4

5[self.view.window.rootViewController presentViewController:imagePicker

animated:YES

completion:^{

NSLog(@"Finished");

}];

來解決。

二十八、UITableViewCell indentationLevel 使用

UITableViewCell 屬性 NSInteger indentationLevel 的使用, 對cell設置 indentationLevel的值,可以將cell 分級別。

還有 CGFloat indentationWidth; 屬性,設置縮進的寬度。

總縮進的寬度:indentationLevel * indentationWidth

二十九、ActivityViewController 使用AirDrop分享

使用AirDrop 進行分享:

1

2

3

4

5

6

7

8NSArray *array = @[@"test1", @"test2"];

UIActivityViewController *activityVC = [[UIActivityViewController alloc] initWithActivityItems:array applicationActivities:nil];

[self presentViewController:activityVC animated:YES

completion:^{

NSLog(@"Air");

}];

就可以彈出界面:


三十、獲取CGRect的height

獲取CGRect的height, 除了self.createNewMessageTableView.frame.size.height這樣進行點語法獲取。

還可以使用CGRectGetHeight(self.createNewMessageTableView.frame)進行直接獲取。

除了這個方法還有func CGRectGetWidth(rect: CGRect) -> CGFloat

等等簡單地方法

func CGRectGetMinX(rect: CGRect) -> CGFloat

func CGRectGetMidX(rect: CGRect) -> CGFloat

func CGRectGetMaxX(rect: CGRect) -> CGFloat

func CGRectGetMinY(rect: CGRect) -> CGFloat

三十一、打印 %

1

NSString *printPercentStr = [NSString stringWithFormat:@"%%"];

三十二、在工程中查看是否使用 IDFA

allentekiMac-mini:JiKaTongGit lihuaxie$ grep -r advertisingIdentifier .

grep: ./ios/Framework/AMapSearchKit.framework/Resources: No such file or directory

Binary file ./ios/Framework/MAMapKit.framework/MAMapKit matches

Binary file ./ios/Framework/MAMapKit.framework/Versions/2.4.1.e00ba6a/MAMapKit matches

Binary file ./ios/Framework/MAMapKit.framework/Versions/Current/MAMapKit matches

Binary file ./ios/JiKaTong.xcodeproj/project.xcworkspace/xcuserdata/lihuaxie.xcuserdatad/UserInterfaceState.xcuserstate matches

allentekiMac-mini:JiKaTongGit lihuaxie$

打開終端,到工程目錄中, 輸入:

grep -r advertisingIdentifier .

可以看到那些文件中用到了IDFA,如果用到了就會被顯示出來。

三十三、APP 屏蔽 觸發事件

1

2// Disable user interaction when download finishes

[[UIApplication sharedApplication] beginIgnoringInteractionEvents];

三十四、設置Status bar顏色

status bar的顏色設置:

1、如果沒有navigation bar, 直接設置

1

2// make status bar background color

self.view.backgroundColor = COLOR_APP_MAIN;

2、如果有navigation bar, 在navigation bar 添加一個view來設置顏色。

1

2

3

4

5// status bar color

UIView *view = [[UIView alloc] initWithFrame:CGRectMake(0, -20, ScreenWidth, 20)];

[view setBackgroundColor:COLOR_APP_MAIN];

[viewController.navigationController.navigationBar addSubview:view];

三十五、NSDictionary 轉 NSString

1

2

3

4

5

6

7

8

9

10// Start

NSDictionary *parametersDic = [NSDictionary dictionaryWithObjectsAndKeys:

self.providerStr, KEY_LOGIN_PROVIDER,

token, KEY_TOKEN,

response, KEY_RESPONSE,

nil];

NSData *jsonData = parametersDic == nil ? nil : [NSJSONSerialization dataWithJSONObject:parametersDic options:0 error:nil];

NSString *requestBody = [[NSString alloc] initWithData:jsonData encoding:NSUTF8StringEncoding];

將dictionary 轉化爲 NSData, data 轉化爲 string .

三十六、iOS7 中UIButton setImage 沒有起作用

如果在iOS7 中進行設置image 沒有生效。

那麼說明UIButton的 enable 屬性沒有生效是NO的。 需要設置enable 爲YES。

三十七、User-Agent 判斷設

UIWebView 會根據User-Agent 的值來判斷需要顯示哪個界面。

如果需要設置爲全局,那麼直接在應用啓動的時候加載。

1

2

3

4

5

6

7

8

9- (void)appendUserAgent

{

NSString *oldAgent = [self.WebView stringByEvaluatingJavaScriptFromString:@"navigator.userAgent"];

NSString *newAgent = [oldAgent stringByAppendingString:@"iOS"];

NSDictionary *dic = [[NSDictionary alloc] initWithObjectsAndKeys:

newAgent, @"UserAgent", nil];

[[NSUserDefaults standardUserDefaults] registerDefaults:dic];

}

@“iOS" 爲添加的自定義。

三十八、UIPasteboard 屏蔽paste 選項

當UIpasteboard的string 設置爲@“” 時,那麼string會成爲nil。 就不會出現paste的選項。

三十九、class_addMethod 使用

ARC環境下

class_addMethod([self class], @selector(resolveThisMethodDynamically), (IMP) myMethodIMP, "v@:");

使用的時候@selector 需要使用super的class,不然會報錯。

MRC環境下

class_addMethod([EmptyClass class], @selector(sayHello2), (IMP)sayHello, "v@:");

可以任意定義。但是系統會出現警告,忽略警告就可以。

四十、AFNetworking 傳送 form-data

將JSON的數據,轉化爲NSData,放入Request的body中。 發送到服務器就是form-data格式。

四十一、非空判斷注意

1

2

3

4

5

6

7BOOL hasBccCode = YES;

if( nil == bccCodeStr

|| [bccCodeStr isKindOfClass:[NSNull class]]

|| [bccCodeStr isEqualToString:@""])

{

hasBccCode = NO;

}

如果進行非空判斷和類型判斷時,需要新進行類型判斷,再進行非空判斷,不然會crash

四十二、iOS 8.4 UIAlertView 鍵盤顯示問題

可以在調用UIAlertView 之前進行鍵盤是否已經隱藏的判斷。

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29@property (nonatomic, assign) BOOL hasShowdKeyboard;

[[NSNotificationCenter defaultCenter] addObserver:self

selector:@selector(showKeyboard)

name:UIKeyboardWillShowNotification

object:nil];

[[NSNotificationCenter defaultCenter] addObserver:self

selector:@selector(dismissKeyboard)

name:UIKeyboardDidHideNotification

object:nil];

- (void)showKeyboard

{

self.hasShowdKeyboard = YES;

}

- (void)dismissKeyboard

{

self.hasShowdKeyboard = NO;

}

while( self.hasShowdKeyboard )

{

[[NSRunLoop currentRunLoop] runMode:NSDefaultRunLoopMode beforeDate:[NSDate distantFuture]];

}

UIAlertView* alerview = [[UIAlertView alloc] initWithTitle:@""message:@"取消修改?"delegate:self cancelButtonTitle:@"取消"otherButtonTitles: @"確定", nil];

[alerview show];

四十三、模擬器中文輸入法設置

模擬器默認的配置種沒有“小地球”,只能輸入英文。加入中文方法如下:

選擇Settings--->General-->Keyboard-->International KeyBoards-->Add New Keyboard-->Chinese Simplified(PinYin) 即我們一般用的簡體中文拼音輸入法,配置好後,再輸入文字時,點擊彈出鍵盤上的“小地球”就可以輸入中文了。

如果不行,可以長按“小地球”選擇中文。

四十四、iPhone number pad

1、phone 的鍵盤類型:

number pad 只能輸入數字,不能切換到其他輸入


2、phone pad 類型: 撥打電話的時候使用,可以輸入數字和 + * #


四十五、UIView 自帶動畫翻轉界面

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23- (IBAction)changeImages:(id)sender

{

CGContextRef context = UIGraphicsGetCurrentContext();

[UIView beginAnimations:nil context:context];

[UIView setAnimationCurve:UIViewAnimationCurveEaseInOut];

[UIView setAnimationDuration:1.0];

[UIView setAnimationTransition:UIViewAnimationTransitionCurlDown forView:_parentView cache:YES];

[UIView setAnimationTransition:UIViewAnimationTransitionCurlUp forView:_parentView cache:YES];

[UIView setAnimationTransition:UIViewAnimationTransitionFlipFromLeft forView:_parentView cache:YES];

[UIView setAnimationTransition:UIViewAnimationTransitionFlipFromRight forView:_parentView cache:YES];

NSInteger purple = [[_parentView subviews] indexOfObject:self.image1];

NSInteger maroon = [[_parentView subviews] indexOfObject:self.image2];

[_parentView exchangeSubviewAtIndex:purple withSubviewAtIndex:maroon];

[UIView setAnimationDelegate:self];

[UIView commitAnimations];

}

四十六、KVO 監聽其他類的變量

1

2

3[[HXSLocationManager sharedManager] addObserver:self

forKeyPath:@"currentBoxEntry.boxCodeStr"

options:NSKeyValueObservingOptionNew | NSKeyValueObservingOptionInitial | NSKeyValueObservingOptionOld context:nil];

在實現的類self中,進行[HXSLocationManager sharedManager]類中的變量@“currentBoxEntry.boxCodeStr” 監聽。

四十七、ios9 crash animateWithDuration

在iOS9 中,如果進行animateWithDuration 時,view被release 那麼會引起crash。

1

2

3

4

5

6

7[UIView animateWithDuration:0.25f animations:^{

self.frame = selfFrame;

} completion:^(BOOL finished) {

if(finished) {

[superremoveFromSuperview];

}

}];

會crash。

1

2

3

4

5

6

7

8

9[UIView animateWithDuration:0.25f

delay:0

usingSpringWithDamping:1.0

initialSpringVelocity:1.0 options:UIViewAnimationOptionCurveLinear

animations:^{

self.frame = selfFrame;

} completion:^(BOOL finished) {

[superremoveFromSuperview];

}];

不會Crash。

四十八、對NSString進行URL編碼轉換

iPTV項目中在刪除影片時,URL中需傳送用戶名與影片ID兩個參數。當用戶名中帶中文字符時,刪除失敗。

之前測試時,手機號綁定的用戶名是英文或數字。換了手機號測試時才發現這個問題。

對於URL中有中文字符的情況,需對URL進行編碼轉換。

1

urlStr = [urlStr stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];

四十九、Xcode iOS加載圖片只能用PNG

雖然在Xcode可以看到jpg的圖片,但是在加載的時候會失敗。

錯誤爲 Could not load the "ReversalImage1" image referenced from a nib in the bun

必須使用PNG的圖片。

如果需要使用JPG 需要添加後綴

1

[UIImage imageNamed:@"myImage.jpg"];

五十、保存全屏爲image

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19CGSize imageSize = [[UIScreen mainScreen] bounds].size;

UIGraphicsBeginImageContextWithOptions(imageSize, NO, 0);

CGContextRef context = UIGraphicsGetCurrentContext();

for(UIWindow * windowin[[UIApplication sharedApplication] windows]) {

if(![window respondsToSelector:@selector(screen)] || [window screen] == [UIScreen mainScreen]) {

CGContextSaveGState(context);

CGContextTranslateCTM(context, [window center].x, [window center].y);

CGContextConcatCTM(context, [window transform]);

CGContextTranslateCTM(context, -[window bounds].size.width*[[window layer] anchorPoint].x, -[window bounds].size.height*[[window layer] anchorPoint].y);

[[window layer] renderInContext:context];

CGContextRestoreGState(context);

}

}

UIImage *image = UIGraphicsGetImageFromCurrentImageContext();

UIGraphicsEndImageContext();

五十一、判斷定位狀態 locationServicesEnabled

這個[CLLocationManager locationServicesEnabled]檢測的是整個iOS系統的位置服務開關,無法檢測當前應用是否被關閉。通過

1

2

3

4

5

6CLAuthorizationStatus status = [CLLocationManager authorizationStatus];

if(kCLAuthorizationStatusDenied == status || kCLAuthorizationStatusRestricted == status) {

[self locationManager:self.locationManager didUpdateLocations:nil];

}else{// the user has closed this function

[self.locationManager startUpdatingLocation];

}

CLAuthorizationStatus來判斷是否可以訪問GPS

五十二、微信分享的時候注意大小

text 的大小必須 大於0 小於 10k

image 必須 小於 64k

url 必須 大於 0k

五十三、圖片緩存的清空

一般使用SDWebImage 進行圖片的顯示和緩存,一般緩存的內容比較多了就需要進行清空緩存

清除SDWebImage的內存和硬盤時,可以同時清除session 和 cookie的緩存。

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19// 清理內存

[[SDImageCache sharedImageCache] clearMemory];

// 清理webview 緩存

NSHTTPCookieStorage *storage = [NSHTTPCookieStorage sharedHTTPCookieStorage];

for(NSHTTPCookie *cookiein[storage cookies]) {

[storage deleteCookie:cookie];

}

NSURLSessionConfiguration *config = [NSURLSessionConfiguration defaultSessionConfiguration];

[config.URLCache removeAllCachedResponses];

[[NSURLCache sharedURLCache] removeAllCachedResponses];

// 清理硬盤

[[SDImageCache sharedImageCache] clearDiskOnCompletion:^{

[MBProgressHUD hideAllHUDsForView:self.view animated:YES];

[self.tableView reloadData];

}];

五十四、TableView Header View 跟隨Tableview 滾動

當tableview的類型爲 plain的時候,header View 就會停留在最上面。

當類型爲 group的時候,header view 就會跟隨tableview 一起滾動了。

五十五、TabBar的title 設置

在xib 或 storyboard 中可以進行tabBar的設置


其中badge 是自帶的在圖標上添加一個角標。

1. self.navigationItem.title 設置navigation的title 需要用這個進行設置。

2. self.title 在tab bar的主VC 中,進行設置self.title 會導致navigation 的title 和 tab bar的title一起被修改。

五十六、UITabBar,移除頂部的陰影

添加這兩行代碼:

1

2[[UITabBar appearance] setShadowImage:[[UIImage alloc] init]];

[[UITabBar appearance] setBackgroundImage:[[UIImage alloc] init]];

頂部的陰影是在UIWindow上的,所以不能簡單的設置就去除。

五十七、當一行中,多個UIKit 都是動態的寬度設置


設置horizontal的值,表示出現內容很長的時候,優先壓縮這個UIKit。

五十八、JSON的“” 轉換爲nil

使用AFNetworking 時, 使用

1

2

3

4AFJSONResponseSerializer *response = [[AFJSONResponseSerializer alloc] init];

response.removesKeysWithNullValues = YES;

_sharedClient.responseSerializer = response;

這個參數 removesKeysWithNullValues 可以將null的值刪除,那麼就Value爲nil了

// END

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章