1

我的应用程序包含一个 PLAY/PAUSE 按钮,该按钮设置为在 Interface Builder中键入Toggle 。顾名思义,我使用它来播放我的资产或暂停它们。
此外,我正在听 SPACE 键以通过键盘快捷键启用相同的功能。因此,我在我的应用程序中使用keyDown:from NSResponder。这是在另一个子视图中完成的。此时按钮本身不可见。
我将当前播放状态存储在单例中。

在考虑到其状态可能已被键盘快捷键更改的情况下,您将如何更新工具按钮的标题/替代标题?我可以使用绑定吗?

4

1 回答 1

2

我设法实现了按钮标题的持续更新,如下所示。我为状态添加了一个编程绑定(在示例中buttonTitle)。请注意,IBAction toggleButtonTitle:不会直接更改按钮标题!相反,该updateButtonTitle方法负责此任务。由于self.setButtonTitle被称为上述绑定立即更新。
以下示例显示了我试图描述的内容。

//  BindThisAppDelegate.h
#import <Cocoa/Cocoa.h>

@interface BindThisAppDelegate : NSObject<NSApplicationDelegate> {
    NSWindow* m_window;
    NSButton* m_button;
    NSString* m_buttonTitle;
    NSUInteger m_hitCount;
}

@property (readwrite, assign) IBOutlet NSWindow* window;
@property (readwrite, assign) IBOutlet NSButton* button;
@property (readwrite, assign) NSString* buttonTitle;

- (IBAction)toggleButtonTitle:(id)sender;

@end

以及实现文件:

//  BindThisAppDelegate.m
#import "BindThisAppDelegate.h"

@interface BindThisAppDelegate()
- (void)updateButtonTitle;
@end


@implementation BindThisAppDelegate

- (id)init {
    self = [super init];
    if (self) {
        m_hitCount = 0;
        [self updateButtonTitle];
    }
    return self;
}

@synthesize window = m_window;
@synthesize button = m_button;
@synthesize buttonTitle = m_buttonTitle;

- (void)applicationDidFinishLaunching:(NSNotification*)notification {
    [self.button bind:@"title" toObject:self withKeyPath:@"buttonTitle" options:nil];
}

- (IBAction)toggleButtonTitle:(id)sender {
    m_hitCount++;
    [self updateButtonTitle];
}

- (void)updateButtonTitle {
    self.buttonTitle = (m_hitCount % 2 == 0) ? @"Even" : @"Uneven";
}

@end

如果您将状态存储在枚举或整数中,自定义NSValueTransformer将帮助您将状态转换为其按钮标题等效项。您可以添加NSValueTransformer到绑定选项。

NSDictionary* options = [NSDictionary dictionaryWithObject:[[CustomValueTransformer alloc] init] forKey:NSValueTransformerBindingOption];
[self.button bind:@"title" toObject:self withKeyPath:@"buttonTitle" options:options];
于 2011-09-01T14:40:24.313 回答