71. UIWebView의 크기를 HTML 콘텐츠에 맞게 만드는 방법은 무엇입니까?
iOS5에서는 매우 간단합니다. webview의 대리자를 설정한 다음 대리자에 didFinishLoad: 메서드를 구현합니다.
-(void)webViewDidFinishLoad:(UIWebView*)webView{ CGSizesize=webView.scrollView.contentSize;//iOS5+ webView.bounds=CGRectMake(0,0,size.width,size.height); }
72 창에 여러 개의 응답자가 있습니다. 키보드를 놓습니다
[[UIApplicationsharedApplication]sendAction:@selector(resignFirstResponder)to:nilfrom:nilforEvent:nil];
이렇게 하면 모든 응답자가 한꺼번에 초점을 잃을 수 있습니다.
73. "핀치" 동작을 통해 UIWebView를 확대/축소하는 방법은 무엇입니까?
다음 코드를 사용하세요:
webview=[[UIWebViewalloc]init]; webview.autoresizingMask=(UIViewAutoresizingFlexibleWidth|UIViewAutoresizingFlexibleHeight); webview.scalesPageToFit=YES; webview.multipleTouchEnabled=YES; webview.userInteractionEnabled=YES;
74, 정의되지 않은 기호:_kCGImageSourceShouldCache, _CGImageSourceCreateWithData, _CGImageSourceCreateImageAtIndex
ImageIO.framework를 가져오지 않습니다.
75.expectedmethodtoreaddictionaryelementnotfoundonobjectoftypensdictionary
SDK6.0은 사전에 "subscript" 인덱스를 추가했습니다. 즉, 사전[@"key"]를 통해 사전의 개체를 검색합니다. 그러나 SDK5.0에서는 이는 불법입니다. 이 문제를 해결하려면 프로젝트에서 새 헤더 파일 NSObject+subscripts.h를 생성하면 됩니다. 내용은 다음과 같습니다:
#if__IPHONE_OS_VERSION_MAX_ALLOWED<60000 @interfaceNSDictionary(subscripts) -(id)objectForKeyedSubscript:(id)key; @end @interfaceNSMutableDictionary(subscripts) -(void)setObject:(id)objforKeyedSubscript:(id<NSCopying>)key; @end @interfaceNSArray(subscripts) -(id)objectAtIndexedSubscript:(NSUInteger)idx; @end @interfaceNSMutableArray(subscripts) -(void)setObject:(id)objatIndexedSubscript:(NSUInteger)idx; @end #endif
76. 🎜>메모리 관리 오류입니다. MKNetwork 프레임워크는 ARC를 지원하므로 메모리 관리 문제가 발생하지 않습니다. 그러나 MKNetwork의 일부 버그로 인해 MKNetworkEngine이 Strong 속성으로 설정되지 않은 경우 이 문제가 발생합니다. MKNetworkEngine 객체를 ViewController의 강력한 속성으로 설정하는 것이 좋습니다.
77. UIImagePickerControllerSourceTypeSavedPhotosAlbum과 UIImagePickerControllerSourceTypePhotoLibrary
UIImagePickerControllerSourceTypePhotoLibrary는 전체 사진 라이브러리를 나타내므로 사용자가 모든 사진 앨범(카메라 롤 포함)을 선택할 수 있는 반면 UIImagePickerControllerSourceTypeSavedPhotosAlbum에는 카메라 롤만 포함됩니다.
78. "Prototypetablecellsmusthaveresueidentifiers" 경고
Prototypecell(iOS5 템플릿 셀)의 Identidfier 속성이 채워지지 않았으므로 속성 템플릿에 입력하세요.
79. info.plist의 값을 읽는 방법은 무엇인가요?
다음 샘플 코드는 info.plist의 URLSchemes를 읽습니다.
//TheInfo.plistisconsideredthemainBundle. mainBundle=[NSBundlemainBundle]; NSArray*types=[mainBundleobjectForInfoDictionaryKey:@"CFBundleURLTypes"]; NSDictionary*dictionary=[typesobjectAtIndex:0]; NSArray*schemes=[dictionaryobjectForKey:@"CFBundleURLSchemes"]; NSLog(@"%@",[schemesobjectAtIndex:0]);80 ActionSheet가 자동으로 해체되는 것을 방지하는 방법은 무엇입니까?
어떤 버튼을 클릭하든 UIActionSheet는 결국 자동으로 닫힙니다. 가장 좋은 방법은 이를 서브클래싱하고 noAutoDismiss 속성을 추가한 다음 hideWithClickedButtonIndex 메서드를 재정의하는 것입니다. 이 속성이 YES이면 해제 작업이 수행되지 않습니다. NO이면 기본 hideWithClickedButtonIndex가 호출됩니다.
#import<UIKit/UIKit.h> @interfaceMyAlertView:UIAlertView @property(nonatomic,assign)BOOLnoAutoDismiss; @end #import"MyAlertView.h" @implementationMyAlertView -(void)dismissWithClickedButtonIndex:(NSInteger)buttonIndexanimated:(BOOL)animated{ if(self.noAutoDismiss) return; [superdismissWithClickedButtonIndex:buttonIndexanimated:animated]; } @end81 ,RSA_public_encrypt 함수 실행 시 충돌
이 문제는 매우 이상합니다. 두 개의 장치(시스템 6.1과 6.02)를 사용하면 동일한 코드가 버전 6.02에서는 잘 작동하지만 버전 6.1에서는 프로그램이 충돌하게 됩니다.
unsignedcharbuff[2560]={0}; intbuffSize=0; buffSize=RSA_public_encrypt(strlen(cleartext), (unsignedchar*)cleartext,buff,rsa,padding);문제는 다음 문장에 있습니다. 🎜>
buffSize=RSA_public_encrypt(strlen(cleartext), (unsignedchar*)cleartext,buff,rsa,padding);
NSTextAlignmentCenter가 UITextAlignmentCenter로 대체되었습니다. 다음 매크로를 사용할 수 있습니다.
#ifdef__IPHONE_6_0//iOS6andlater #defineUITextAlignmentCenter(UITextAlignment)NSTextAlignmentCenter #defineUITextAlignmentLeft(UITextAlignment)NSTextAlignmentLeft #defineUITextAlignmentRight(UITextAlignment)NSTextAlignmentRight #defineUILineBreakModeTailTruncation(UILineBreakMode)NSLineBreakByTruncatingTail #defineUILineBreakModeMiddleTruncation(UILineBreakMode)NSLineBreakByTruncatingMiddle #endif
84. 경고: 'ABAddressBookCreate'는 더 이상 사용되지 않습니다: firstdeprecatediniOS6.0
이 메서드는 iOS6.0 이후에 폐기되고 ABAddressBookCreateWithOptions 메서드로 대체됩니다:
CFErrorRef*error=nil; ABAddressBookRefaddressBook=ABAddressBookCreateWithOptions(NULL,error);
+(void)fetchContacts:(void(^)(NSArray*contacts))successfailure:(void(^)(NSError*error))failure{ #ifdef__IPHONE_6_0 if(ABAddressBookRequestAccessWithCompletion){ CFErrorReferr; ABAddressBookRefaddressBook=ABAddressBookCreateWithOptions(NULL,&err); ABAddressBookRequestAccessWithCompletion(addressBook,^(boolgranted,CFErrorReferror){ //ABAddressBookdoesn'tgauranteeexecutionofthisblockonmainthread,butwewantourcallbackstobe dispatch_async(dispatch_get_main_queue(),^{ if(!granted){ failure((__bridgeNSError*)error); }else{ readAddressBookContacts(addressBook,success); } CFRelease(addressBook); }); }); } #else //oniOS<6 ABAddressBookRefaddressBook=ABAddressBookCreate(); readAddressBookContacts(addressBook,success); CFRelease(addressBook); } #endif }
readAddressBookContacts는 다음과 같이 선언됩니다.
staticvoidreadAddressBookContacts(ABAddressBookRefaddressBook,void(^completion)(NSArray*contacts)){ //dostuffwithaddressBook NSArray*contacts=(NSArray*)CFBridgingRelease(ABAddressBookCopyArrayOfAllPeople(addressBook)); completion(contacts); }
+(void)getAddressBook:(void(^)(NSArray*))completion{ [selffetchContacts:^(NSArray*contacts){ NSArray*sortedArray=[contactssortedArrayUsingComparator:^(ida,idb){ NSString*fullName1=(NSString*)CFBridgingRelease(ABRecordCopyCompositeName((__bridgeABRecordRef)(a))); NSString*fullName2=(NSString*)CFBridgingRelease(ABRecordCopyCompositeName((__bridgeABRecordRef)(b))); intlen=[fullName1length]>[fullName2length]?[fullName2length]:[fullName1length]; NSLocale*local=[[NSLocalealloc]initWithLocaleIdentifier:@"zh_hans"]; return[fullName1compare:fullName2options:NSCaseInsensitiveSearchrange:NSMakeRange(0,len)locale:local]; }]; completion(sortedArray); }failure:^(NSError*error){ DLog(@"%@",error); }]; }
即在fetchContacts的完成块中对联系人姓名进行中文排序。最后调用completion块。在fetchContacts的错误块中,简单打印错误信息。
调用getAddressBook的示例代码如下:
[AddressBookHelpergetAddressBook:^(NSArray*node){ NSLog(@"%@",NSArray); }];
86、ARC警告:PerformSelectormaycausealeakbecauseitsselectorisunknown
这个是ARC下特有的警告,用#pragmaclangdiagnostic宏简单地忽略它即可:
#pragmaclangdiagnosticpush #pragmaclangdiagnosticignored"-Warc-performSelector-leaks" [targetperformSelector:selwithObject:[NSNumbernumberWithBool:YES]]; #pragmaclangdiagnosticpop
87、'libxml/HTMLparser.h'filenotfound
导入libxml2.dylib后出现此错误,尤其是使用ASIHTTP框架的时候。在BuildSettings的HeaderSearchPaths列表中增加“${SDK_DIR}/usr/include/libxml2”一项可解决此问题。
所谓"$(SDK_ROOT)"是指编译目标所使用的SDK的目录,以iPhoneSDK7.0(真机)为例,是指/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS7.0.sdk目录。
注意,似乎Xcode4.6以后“UserHeaderSearchPaths”(或者“AlwaysSearchUserPaths”)不再有效,因此在“UserHeaderSearchPaths”中配置路径往往是无用的,最好是配置在“HeaderSearchPaths”中。
88、错误:-[UITableViewdequeueReusableCellWithIdentifier:forIndexPath:]:unrecognizedselector
这是SDK6以后的方法,在iOS5.0中这个方法为:
[UITableViewdequeueReusableCellWithIdentifier:]
89、@YES语法在iOS5中无效,提示错误:Unexpectedtypename'BOOL':expectedexpression
在IOS6中,@YES定义为:
#defineYES((BOOL)1)
但在iOS5中,@YES被少写了一个括号:
#defineYES(BOOL)1
因此@YES在iOS5中的正确写法应当为@(YES)。为了简便,你也可以在.pch文件中修正这个Bug:
#if__has_feature(objc_bool) #undefYES #undefNO #defineYES__objc_yes #defineNO__objc_no #endif
以上就是iOS 开发百问(7)的内容,更多相关内容请关注PHP中文网(www.php.cn)!