1

我试图弄清楚如何在 Cocoa/OSX 中自定义绘制按钮。由于我的视图是自定义绘制的,因此我不会使用 IB,而是希望在代码中完成所有操作。我创建了 NSButtonCell 的子类和 NSButton 的子类。在 NSButtonCell 的子类中,我覆盖了方法 drawBezelWithFrame:inView: 并在我的子类 NSButton 的 initWithFrame 方法中,我使用 setCell 在按钮中设置了我的 CustomCell。但是,drawBezelWithFrame 没有被调用,我不明白为什么。有人可以指出我做错了什么或我在这里想念什么吗?

NSButtonCell 的子类:

#import "TWIButtonCell.h"

@implementation TWIButtonCell

-(void)drawBezelWithFrame:(NSRect)frame inView:(NSView *)controlView
{
    //// General Declarations
[[NSGraphicsContext currentContext] saveGraphicsState];

    //// Color Declarations
    NSColor* fillColor = [NSColor colorWithCalibratedRed: 0 green: 0.59 blue: 0.886 alpha: 1];

    //// Rectangle Drawing
    NSBezierPath* rectanglePath = [NSBezierPath bezierPathWithRect: NSMakeRect(8.5, 7.5, 85, 25)];
    [fillColor setFill];
    [rectanglePath fill];
    [NSGraphicsContext restoreGraphicsState];
}

@end

NSButton 的子类:

#import "TWIButton.h"
#import "TWIButtonCell.h"

@implementation TWIButton

- (id)initWithFrame:(NSRect)frame
{
    self = [super initWithFrame:frame];
    if (self)
    {
        TWIButtonCell *cell = [[TWIButtonCell alloc]init];
        [self setCell:cell];
    }

    return self;
}

- (void)drawRect:(NSRect)dirtyRect
{
    // Drawing code here.
}

@end

用法:

- (void)addSendButton:(NSRect)btnSendRectRect 
{
    TWIButton *sendButton = [[TWIButton alloc] initWithFrame:btnSendRectRect];
    [self addSubview:sendButton];
    [sendButton setTitle:@"Send"];
    [sendButton setTarget:self];
    [sendButton setAction:@selector(send:)];
}
4

2 回答 2

3

以下是您的代码中似乎遗漏的内容。

  1. 您没有调用 [super drawRect:dirtyRect]
  2. 您没有覆盖 派生自 NSButton 的 Class(TWIButton) 中的+ (Class)cellClass 。

下面是修改后的代码:

@implementation TWIButton

    - (id)initWithFrame:(NSRect)frame
    {
        self = [super initWithFrame:frame];
        if (self)
        {
            TWIButtonCell *cell = [[TWIButtonCell alloc]init];
            [self setCell:cell];
        }

        return self;
    }

    - (void)drawRect:(NSRect)dirtyRect
    {
        // Drawing code here.
       //Changes Added!!!
    [super drawRect:dirtyRect];

    }

    //Changes Added!!!!
    + (Class)cellClass
    {
       return [TWIButtonCell class];
    }

    @end

现在将断点保留在 drawBezelWithFrame 并检查它是否会被调用。

于 2013-05-31T07:08:15.393 回答
1

有人可能会放弃 NSButton 子类,因为看起来您只是在使用它来实例化初始化程序中的 Cell 类型。简单地

NSButton *button ...
[button setCell: [[TWIButtonCell alloc] init] autorelease]];

顺便提一句。您可能会在前面的示例中出现泄漏,因为您初始化然后调用可能有自己保留的 setCell。

于 2013-06-15T20:50:02.940 回答