Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I make my NSTextField NOT highlight its text when the application starts?

When my application launches, the first NSTextField is being selected like this:

enter image description here

I can edit the NSTextField fine, but when I press enter to end the editing, the text becomes selected again, and the editing does not end.

I followed the Apple tutorial here, and I had the same problem with the text field being perpetually highlighted.

How do I stop this? I would like it so the text field is not the first responder of the app so it's not edited right away, and when it is being edited, clicking outside of the text field will end it. I'm not sure where to put the [[textField window]makeFirstResponder:nil] to stop the editing in the latter case.

I'm running Yosemite 10.10.2.

like image 476
swanhella Avatar asked Feb 28 '15 08:02

swanhella


1 Answers

Your text field is selecting the text, due to the default implementation of becomeFirstResponder in NSTextField.

To prevent selection, subclass NSTextField, and override becomeFirstResponder to deselect any text:

- (BOOL) becomeFirstResponder
{
    BOOL responderStatus = [super becomeFirstResponder];

    NSRange selectionRange = [[self  currentEditor] selectedRange];
    [[self currentEditor] setSelectedRange:NSMakeRange(selectionRange.length,0)];

    return responderStatus;
}

The resulting behavior is that the field does not select the text when it gets the focus.

To make nothing the first responder, call makeFirstResponder:nil after your application finishes launching. I like to subclass NSObject to define doInitWithContentView:(NSView *)contentView, and call it from my NSApplicationDelegate. In the code below, _window is an IBOutlet:

- (void) applicationDidFinishLaunching:(NSNotification *)aNotification {
    // Insert code here to initialize your application

    [_menuController doInitWithContentView:_window.contentView];
}

The reason your field is getting focus when the application starts is because the window automatically gives focus to the first control. It determines what is considered first, by scanning left to right, top down (it scans left to right first, since a text field placed at the top right will still get focused). One caveat is that if the window is restorable, and you terminate the application from within Xcode, then whatever field was last focused will retain the focus state from the last execution.

like image 137
Sheamus Avatar answered Sep 23 '22 17:09

Sheamus