前言
我们在处理文本内容的时候,必然会和控件打交道,那么系统本身的默认效果设置的一般都不太理想,那么下面就来说说需要达到一些比较常用效果的时候,我们应该怎么设置控件呢?
概要
一般和文本打交道的控件分为:UILable、UITextField、UITextView
UILabel
1、有时候字体本身不是处于正中心,稍微向下偏移或者其他方位偏移那么就有问题了,那么我们需要借助于drawTextInRect来即可实现
代码如下:
#import <UIKit/UIKit.h>
#import <Foundation/Foundation.h>
@interface KODSpecialLable : UILabel
@property(nonatomic, assign) UIEdgeInsets textInset;
@end
#import "KODSpecialLable.h"
@implementation KODSpecialLable
- (void)drawTextInRect:(CGRect)rect {
[super drawTextInRect:UIEdgeInsetsInsetRect(rect, self.textInset)];
}
- (void)setTextInset:(UIEdgeInsets)textInset{
_textInset = textInset;
//因为只有self.text内容变化了,才会调用drawTextInRect
NSString *tempStr = self.text;
self.text = @"";
self.text = tempStr;
}
@end
2、有时候我们需要旋转一个UILabel,但是有时候效果可能不近如人意。那我们现在来剖析下。
首先正常的代码:
#import "ViewController.h"
@interface ViewController ()
@property(nonatomic, weak) UILabel *showLabel;
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
[self addRotateLabel];
}
- (void)addRotateLabel{
UILabel *showLabel = [[UILabel alloc] initWithFrame:CGRectMake(100, 100, 300, 50)];
showLabel.backgroundColor = [UIColor cyanColor];
showLabel.text = @"我爱你中国你农工委讴歌";
showLabel.font = [UIFont systemFontOfSize:45];
showLabel.textAlignment = NSTextAlignmentCenter;
[self.view addSubview:showLabel];
self.showLabel = showLabel;
}
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event{
self.showLabel.frame = CGRectMake(100, 100, 300, 50);
self.showLabel.transform = CGAffineTransformMakeRotation(M_PI_2);
}
@end
按照这样运行后,你点击屏幕,会出现如下的效果,点击第一次正常,点击第二次就不正常了。Gif如下:
111.gif
那么出现这样的问题是因为你第二次点击的时候Transform没有复位,加上如下代码就好了:
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event{
//这里是新增代码 PS:这句代码要放在设置Frame之前
self.showLabel.transform = CGAffineTransformIdentity;
self.showLabel.frame = CGRectMake(100, 100, 300, 50);
self.showLabel.transform = CGAffineTransformMakeRotation(M_PI_2);
}
PS:这句代码要放在设置Frame之前
这样的情境出现的还是挺多的,因为有时候会根据需要多次的刷新该Label的frame,那就需要在每次修改Frame之前将Transform复位,再重新设置即可。
UITextField
网友评论