在开发的时候遇到了这个问题,系统默认的NSTextField
中的text
不是垂直居中,这就很尴尬了,意味着你就不能把NSTextField
的高度设置的太高,不然很难看,当然可以用其他方法来做,比如用两个NSTextField
来组合一起就可以了,但是这样显得很low,然后我就去网上去找了找,找到了以下两种做法:
- (NSRect)adjustedFrameToVerticallyCenterText:(NSRect)frame {
// super would normally draw text at the top of the cell
CGFloat fontSize = self.font.boundingRectForFont.size.height;
NSInteger offset = floor((NSHeight(frame) - ceilf(fontSize))/2)-5;
NSRect centeredRect = NSInsetRect(frame, 0, offset);
return centeredRect;
}
- (void)editWithFrame:(NSRect)aRect inView:(NSView *)controlView
editor:(NSText *)editor delegate:(id)delegate event:(NSEvent *)event {
[super editWithFrame:[self adjustedFrameToVerticallyCenterText:aRect]
inView:controlView editor:editor delegate:delegate event:event];
}
- (void)selectWithFrame:(NSRect)aRect inView:(NSView *)controlView
editor:(NSText *)editor delegate:(id)delegate
start:(NSInteger)start length:(NSInteger)length {
[super selectWithFrame:[self adjustedFrameToVerticallyCenterText:aRect]
inView:controlView editor:editor delegate:delegate
start:start length:length];
}
- (void)drawInteriorWithFrame:(NSRect)frame inView:(NSView *)view {
[super drawInteriorWithFrame:
[self adjustedFrameToVerticallyCenterText:frame] inView:view];
}
说说这个怎么用,首先这个是你自己新建一个类,继承自:NSTextFieldCell
,然后把你xib
或者sb
或者自己纯代码写的继承自这个类,然后你就会神奇的发现,居然居中了,这段代码里面一个地方得注意下,NSInteger offset = floor((NSHeight(frame) - ceilf(fontSize))/2)-5;
,这句话得自己注意一下,因为这个距离你自己得调整一下,不然居中的字有一部分被挡住了就。
另一种方法,我搜到的,但是没啥用,我试了试不起作用,大家也可以看看:
- (NSRect) titleRectForBounds:(NSRect)frame {
CGFloat stringHeight = self.attributedStringValue.size.height;
NSRect titleRect = [super titleRectForBounds:frame];
CGFloat oldOriginY = frame.origin.y;
titleRect.origin.y = oldOriginY + (frame.size.height - stringHeight) / 2.0;
titleRect.size.height = titleRect.size.height - (titleRect.origin.y - oldOriginY);
return titleRect;
}
- (void) drawInteriorWithFrame:(NSRect)cFrame inView:(NSView*)cView {
[super drawInteriorWithFrame:[self titleRectForBounds:cFrame] inView:cView];
}
这个方法我试了试没啥用。既然可以了。我就很高兴,但是我有一个NSTextField
是密码框,我以为和iOS
一样可以直接在NSTextField
设置,结果不行,密码框是属于NSSecureTextField
这个类, 我用上面的方法测试,不行,不能这么重写,所以显然这种方法是不行的,然后有一种取巧的方法可以实现,但是不是什么正路子,不喜欢的可以去老老实实的重绘,方法如下:
#import <Cocoa/Cocoa.h>
@interface VerticallyCenteredTextFieldCell : NSTextFieldCell
@end
@interface VerticallyCenteredSecureTextFieldCell : NSSecureTextFieldCell
@end
这个是.h
文件。
#import "VerticallyCenteredTextFieldCell.h"
@implementation VerticallyCenteredTextFieldCell
- (instancetype)initWithCoder:(NSCoder *)coder
{
self = [super initWithCoder:coder];
if (self) {
_cFlags.vCentered = 1;
}
return self;
}
@end
@implementation VerticallyCenteredSecureTextFieldCell
- (instancetype)initWithCoder:(NSCoder *)coder
{
self = [super initWithCoder:coder];
if (self) {
_cFlags.vCentered = 1;
}
return self;
}
@end
因为NSCell
里面有个vCentered
的属性,所以可以这就这么设置,这只是个取巧的方法,这样写把NSTextField
和NSSecureTextField
垂直居中的问题都解决了。
demo地址[https://git.oschina.net/ffxk/NSTextfield.git]
网友评论
这样吗