UITextView包含了点击与系统键盘的交互和文字的排版,曾经好奇UITextView和UITextField是如何使系统弹起的键盘,并完成文字输入,大概进行了一番研究,最终只是实现了点击弹起键盘,现在当时的代码也已经找不到了,特此建立一个笔记,重新复习一下当时的知识。
参考UITextView的头文件
UIKIT_EXTERN API_AVAILABLE(ios(2.0)) @interface UITextView : UIScrollView <UITextInput, UIContentSizeCategoryAdjusting>
UITextView实现了UITextInput协议
UITextInput协议里面的方法有点多,但是可以看到UITextInput又是一路从别的协议继承下来大概看了看,协议之间的关系很复杂,没给协议都有很多的方法。
@protocol UITextInput <UIKeyInput>
@protocol UIKeyInput <UITextInputTraits>
@protocol UITextInputTraits <NSObject>
UITextInput和UIKeyInput在同一个头文件,头文件顶部有两处备注,感觉这两个协议一定是相关的东西
//===================================================================================================
// Responders that implement the UIKeyInput protocol will be driven by the system-provided keyboard,
// which will be made available whenever a conforming responder becomes first responder.
//===================================================================================================
// Responders that implement the UITextInput protocol allow the system-provided keyboard to
// offer more sophisticated behaviors based on a current selection and context.
三个协议的方法加起来不少,还有很多乱七八糟的类,基本都应该是些与系统键盘交互的协议。
自定义一个类,在touchbegin方法里面变成firstResponder,似乎并没有什么用
- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(UIEvent *)event
{
[super touchesBegan:touches withEvent:event];
[self becomeFirstResponder];
}
调起键盘还挺难的!!!!
那么根据协议的解释,理论上实现UIKeyInput协议以后,就可以实现自定义View与键盘的交互,而且该协议的方法只有三个,方法内容也很好理解。实现后的代码如下。(hasText方法先默认返回NO,毕竟我们本身确实没有文字)
#pragma mark ===== UIKeyInput =====
// 此处先默认返回NO
- (BOOL)hasText
{
return NO;
}
- (void)insertText:(NSString *)text{}
- (void)deleteBackward{}
点击,发现还是无法调起键盘,后来发现是遗忘了一个UIView的默认属性
@property(nonatomic, readonly) BOOL canBecomeFirstResponder; // default is NO
加入如下内容以后,点击就可以成功的调起键盘
- (BOOL)canBecomeFirstResponder
{
return YES;
}
这样处理后,使用第三方键盘输入是可以看到删除的操作和键盘输入文字内容,包括中文。但是用系统的键盘输入中文,是没有文字选择提示的,也没有调用插入文字的方法,也就是说,根本没有办法输入中文,九宫格输入英文也很麻烦。
用一个可变字符串存储文本数据,然后重写绘制方法
- (void)drawRect:(CGRect)rect
{
[super drawRect:rect];
CGContextRef ctx = UIGraphicsGetCurrentContext();
CFAttributedStringRef drawStr = CFBridgingRetain([[NSAttributedString alloc] initWithString:self.mTextContainer]);
CTFramesetterRef setter = CTFramesetterCreateWithAttributedString(drawStr);
CGPathRef path = CGPathCreateWithRect(rect, NULL);
CTFrameRef frame = CTFramesetterCreateFrame(setter, CFRangeMake(0, CFAttributedStringGetLength(drawStr)), path, NULL);
CGContextSaveGState(ctx);
CGContextScaleCTM(ctx, 1, -1);
CGContextTranslateCTM(ctx, 0, -CGRectGetHeight(rect));
CTFrameDraw(frame, ctx);
CGContextRestoreGState(ctx);
CGPathRelease(path);
CFRelease(frame);
CFRelease(setter);
CFRelease(drawStr);
}
一个很简陋的输入框就完成了。
网友评论