Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Cocoa Can I Hide / Show an NSTextField / NSSecureTextField

Is there a way to turn secureTextField on and off in Cocoa? (OSX). I'd like users to have the option to see their passwords.

In iOS, I can do something like [textField setSecureTextEntry:YES];

I found [secureTextField setEchoBullets] but that's not what I want.

Any help appreciated.

like image 719
ICL1901 Avatar asked Oct 01 '22 15:10

ICL1901


2 Answers

I think you will need to have both an NSTextField and an NSSecureTextField. You could put them in a tabless NSTabView to make it a little easier to switch between them.

like image 108
JWWalker Avatar answered Oct 13 '22 11:10

JWWalker


For me works perfectly to have two different cells in the same NSTextField and switch between them.

void osedit_set_password_mode(OSEdit *edit, const bool_t password_mode)
{
    OSXEdit *ledit = (OSXEdit*)edit;
    cassert_no_null(ledit);
    if (password_mode == TRUE)
    {
        if ([ledit cell] == ledit->cell)
        {
            [ledit->scell setStringValue:[ledit->cell stringValue]];
            [ledit->scell setBackgroundColor:[ledit->cell backgroundColor]];
            [ledit->scell setTextColor:[ledit->cell textColor]];
            [ledit->scell setAlignment:[ledit->cell alignment]];
            [ledit->scell setFont:[ledit->cell font]];
            [ledit setCell:ledit->scell];
        }
    }
    else
    {
        if ([ledit cell] == ledit->scell)
        {
            [ledit->cell setStringValue:[ledit->scell stringValue]];
            [ledit->cell setBackgroundColor:[ledit->scell backgroundColor]];
            [ledit->cell setTextColor:[ledit->scell textColor]];
            [ledit->cell setAlignment:[ledit->scell alignment]];
            [ledit->cell setFont:[ledit->scell font]];
            [ledit setCell:ledit->cell];
        }
    }
}

The interface

@interface OSXEdit : NSTextField 
{
    @public
    NSTextFieldCell *cell;
    NSSecureTextFieldCell *scell;
}
@end

The constructor

OSEdit *osedit_create()
{
    OSXEdit *edit = nil;
    NSTextFieldCell *cell = nil;
    edit = [[OSXEdit alloc] initWithFrame:NSZeroRect];
    cell = [edit cell];
    [cell setEditable:YES];
    [cell setSelectable:YES];
    [cell setBordered:YES];
    [cell setBezeled:YES];
    [cell setDrawsBackground:YES];
    edit->cell = [cell retain];
    edit->scell = [[NSSecureTextFieldCell alloc] init];
    [edit->scell setEchosBullets:YES];
    [edit->scell setEditable:YES];
    [edit->scell setSelectable:YES];
    [edit->scell setBordered:YES];
    [edit->scell setBezeled:YES];
    [edit->scell setDrawsBackground:YES];
    return (OSEdit*)edit;
}

And destructor

void osedit_destroy(OSEdit *edit)
{
    OSXEdit *ledit = (OSXEdit*)edit;
    [ledit->cell release];
    [ledit->scell release];
    [ledit release];
}
like image 28
frang Avatar answered Oct 13 '22 11:10

frang