我很困惑-我不明白代表的目的是什么?

默认情况下创建的Application Delegate是可以理解的,但是在某些情况下,我看到了以下内容:

@interface MyClass : UIViewController <UIScrollViewDelegate> {
    UIScrollView *scrollView;
    UIPageControl *pageControl;
    NSMutableArray *viewControllers;
    BOOL pageControlUsed;
}

//...

@end
<UIScrollViewDelegate>是做什么用的?

它如何工作,为什么使用?

最佳答案

<UIScrollViewDelegate>表示该类符合UIScrollViewDelegate 协议

这实际上意味着类必须实现UIScrollViewDelegate协议中定义的所有必需方法。就那么简单。

如果愿意,可以使您的 class 遵循多种协议:

@implementation MyClass : UIViewController <SomeProtocol, SomeOtherProtocol>

使类符合协议的目的是:a)将类型声明为协议的符合性,因此您现在可以在id <SomeProtocol>下对该类型进行分类,这对于此类对象可能属于的委托对象更好,并且b )它告诉编译器不要警告您未在头文件中声明已实现的方法,因为您的类符合协议。

这是一个例子:

可打印的
@protocol Printable

 - (void) print:(Printer *) printer;

@end

文档.h
#import "Printable.h"
@interface Document : NSObject <Printable> {
   //ivars omitted for brevity, there are sure to be many of these :)
}
@end

文件
@implementation Document

   //probably tons of code here..

#pragma mark Printable methods

   - (void) print: (Printer *) printer {
       //do awesome print job stuff here...
   }

@end

然后,您可以有多个符合Printable协议的对象,然后可以将它们用作PrintJob对象中的实例变量:
@interface PrintJob : NSObject {
   id <Printable> target;
   Printer *printer;
}

@property (nonatomic, retain) id <Printable> target;

- (id) initWithPrinter:(Printer *) print;
- (void) start;

@end

@implementation PrintJob

@synthesize target;

- (id) initWithPrinter:(Printer *) print andTarget:(id<Printable>) targ {
   if((self = [super init])) {
      printer = print;
      self.target = targ;
   }
   return self;
}

- (void) start {
   [target print:printer]; //invoke print on the target, which we know conforms to Printable
}

- (void) dealloc {
   [target release];
   [super dealloc];
}
@end

10-08 08:12