- 目标:在UITextView中获取特定文本部分的来源
以下是我正在处理的应用的屏幕截图的链接。请查看它,因为它更容易解释。 图片链接:ScreenShot
这是填空白风格游戏的开始。我目前正在尝试获取每个下划线的x,y坐标。当点击屏幕底部的单词时,它将移动到下一个可用的下划线空间。
目前我已编写此代码来执行我需要的操作,但它非常难看,几乎无法工作且不够灵活。见下文:
// self.mainTextView is where the text with the underscores is coming from
NSString *text = self.mainTextView.text;
NSString *substring = [text substringToIndex:[text rangeOfString:@"__________"].location];
CGSize size = [substring sizeWithFont:self.mainTextView.font];
CGPoint p = CGPointMake((int)size.width % (int)self.mainTextView.frame.size.width, ((int)size.width / (int)self.mainTextView.frame.size.width) * size.height);
// What is going on here is for some reason everytime there is a new
// line my x coordinate is offset by what seems to be 10 pixels...
// So was my ugly fix for it..
// The UITextView width is 280
CGRect mainTextFrame = [self.mainTextView frame];
p.x = p.x + mainTextFrame.origin.x + 9;
if ((int)size.width > 280) {
NSLog(@"width: 280");
p.x = p.x + mainTextFrame.origin.x + 10;
}
if ((int)size.width > 560) {
NSLog(@"width: 560");
p.x = p.x + mainTextFrame.origin.x + 12;
}
if ((int)size.width > 840) {
p.x = p.x + mainTextFrame.origin.x + 14;
}
p.y = p.y + mainTextFrame.origin.y + 5;
// Sender is the button that was pressed
newFrame = [sender frame];
newFrame.origin = p;
[UIView animateWithDuration:0.2
delay:0
options:UIViewAnimationOptionAllowAnimatedContent|UIViewAnimationCurveEaseInOut
animations:^{
[sender setFrame:newFrame];
}
completion:^(BOOL finished){
}
];
所以我要问的最好的问题是 有什么更好的解决方法?或者您有什么建议吗?你会怎么做?
感谢您提前抽出时间。
答案 0 :(得分:1)
而不是手动搜索每个下划线。利用 NSRegularExpression
这使您的任务变得如此简单和轻松。找到匹配的字符串后,使用 NSTextCheckingResult
来获取每个匹配字符串的位置。
<强> More Explaination:
强>
你可以使用正则表达式来获得下划线的所有出现。这是使用以下代码来解释的。
NSError *error = NULL;
NSString *pattern = @"_*_"; // pattern to search underscore.
NSString *string = self.textView.text;
NSRange range = NSMakeRange(0, string.length);
NSRegularExpression *regex = [NSRegularExpression regularExpressionWithPattern:pattern options:NSRegularExpressionCaseInsensitive error:&error];
NSArray *matches = [regex matchesInString:string options:NSMatchingProgress range:range];
获得所有匹配模式后,您可以使用以下代码获取匹配字符串的位置。
[matches enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
if ([obj isKindOfClass:[NSTextCheckingResult class]])
{
NSTextCheckingResult *match = (NSTextCheckingResult *)obj;
CGRect rect = [self frameOfTextRange:match.range inTextView:self.textView];
//get location of all the matched strings.
}
}];
希望这能解答您所有的疑虑!