iOS備忘錄之開發經驗總結

來源:互聯網
上載者:User

轉載自:點擊開啟連結

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

手機型號 螢幕尺寸
iPhone 4 4s 320 * 480
iPhone 5 5s 320 * 568
iPhone 6 6s 375 * 667
iphone 6 plus 6s plus 414 * 736
二、 給navigation Bar 設定 title 顏色
UIColor *whiteColor = [UIColor whiteColor];NSDictionary *dic = [NSDictionary dictionaryWithObject:whiteColor forKey:NSForegroundColorAttributeName];[self.navigationController.navigationBar setTitleTextAttributes:dic];
三、 如何把一個CGPoint存入數組裡
CGPoint  itemSprite1position = CGPointMake(100, 200);NSMutableArray * array  = [[NSMutableArray alloc] initWithObjects:NSStringFromCGPoint(itemSprite1position),nil];    //    從數組中取值的過程是這樣的:   CGPoint point = CGPointFromString([array objectAtIndex:0]);NSLog(@"point is %@.", NSStringFromCGPoint(point));

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

CGPoint  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<NSString *> *array來儲存。 四、 UIColor 擷取 RGB 值

UIColor *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的字型顏色、大小
self.textField.placeholder = @"username is in here!";[self.textField setValue:[UIColor redColor] forKeyPath:@"_placeholderLabel.textColor"];[self.textField setValue:[UIFont boldSystemFontOfSize:16] forKeyPath:@"_placeholderLabel.font"];
六、兩點之間的距離
static __inline__ CGFloat CGPointDistanceBetweenTwoPoints(CGPoint point1, CGPoint point2) { CGFloat dx = point2.x - point1.x; CGFloat dy = point2.y - point1.y; return sqrt(dx*dx + dy*dy);}
七、IOS開發-關閉/收合鍵盤方法總結

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

- (BOOL)textFieldShouldReturn:(UITextField *)textField {    return [textField resignFirstResponder]; }

2、點擊背景View收合鍵盤(你的View必須是繼承於UIControl)

[self.view endEditing:YES];

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

[[[UIApplication sharedApplication] keyWindow] endEditing:YES];
八、在使用 ImagesQA.xcassets 時需要注意

將圖片直接拖入image到ImagesQA.xcassets中時,圖片的名字會保留。
這個時候如果圖片的名字過長,那麼這個名字會存入到ImagesQA.xcassets中,名字過長會引起SourceTree判斷異常。 九、UIPickerView 判斷開始選擇到選擇結束

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

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

當[super hitTest:point withEvent:event]返回不是nil的時候,說明是點擊中UIPickerView中了。
結束選擇的, 實現UIPickerView的delegate方法

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

當調用這個方法的時候,說明選擇已經結束了。 十、iOS模擬器 鍵盤事件

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

當代碼中添加了

[[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來解決。

十一.png 十二、設定不同size在size classes

Font中設定不同的size classes。

十二.png 十三、線程中更新 UILabel的text

[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枚舉類型可能的值如下:

typedef 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);

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

十四.png 十五、報錯 "_sqlite3_bind_blob", referenced from:

將 sqlite3.dylib載入到framework 十六、ios7 statusbar 文字顏色

iOS7上,預設status bar字型顏色是黑色的,要修改為白色的需要在infoPlist裡設定UIViewControllerBasedStatusBarAppearance為NO,然後在代碼裡添加:
[application setStatusBarStyle:UIStatusBarStyleLightContent]; 十七、獲得當前硬碟空間

NSFileManager *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的顏色中的透明度

比如:

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

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

// 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
//將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();    return theImage;}
二十、NSTimer 用法
NSTimer *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年前的日期

NSCalendar *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就好

二十三.jpg 二十四、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

NSDictionary *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中了,所以再一次進行會出現錯誤。

可以使用

[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 進行分享:

NSArray *array = @[@"test1", @"test2"];UIActivityViewController *activityVC = [[UIActivityViewController alloc] initWithActivityItems:array applicationActivities:nil];[self presentViewController:activityVC animated:YES                 completion:^{                     NSLog(@"Air");                 }];

就可以彈出介面:

二十九.png 三十、擷取CGRect的height

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

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

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

等等簡單地方法

func CGRectGetMinX(rect: CGRect) -> CGFloatfunc CGRectGetMidX(rect: CGRect) -> CGFloatfunc CGRectGetMaxX(rect: CGRect) -> CGFloatfunc CGRectGetMinY(rect: CGRect) -> CGFloat
三十一、列印 %
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 屏蔽 觸發事件

// Disable user interaction when download finishes[[UIApplication sharedApplication] beginIgnoringInteractionEvents];
三十四、設定Status bar顏色

status bar的顏色設定:

如果沒有navigation bar, 直接設定 // make status bar background color

self.view.backgroundColor = COLOR_APP_MAIN;

如果有navigation bar, 在navigation bar 添加一個view來設定顏色。// 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

// 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 的值來判斷需要顯示哪個介面。如果需要設定為全域,那麼直接在應用啟動的時候載入。

(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格式。 四十一、非空判斷注意

BOOL hasBccCode = YES;if ( nil == bccCodeStr    || [bccCodeStr isKindOfClass:[NSNull class]]    || [bccCodeStr isEqualToString:@""]){    hasBccCode = NO;}

如果進行非空判斷和類型判斷時,需要新進行類型判斷,再進行非空判斷,不然會crash四十二、iOS 8.4 UIAlertView 鍵盤顯示問題

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

@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];
四十三、模擬器中文IME設定

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

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

phone 的鍵盤類型: number pad 只能輸入數字,不能切換到其他輸入

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

phone_pad.png 四十五、UIView 內建動畫翻轉介面

- (IBAction)changeImages:(id)sender{    CGContextRef context = UIGraphicsGetCurrentContext();    [UIView beginAnimations:nil context:context];    [UIView setAnimationCurve:UIViewAn
相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.