iOS 7 - UITextView size font to fit all text into view (no scroll)
Try UITextView's sizeThatFits
. You can probably use it the following way:
//Set text content of UITextView
//...
while (fontSize > minSize) {
// Set font size of UITextView
CGSize size = [textView sizeThatFits:(CGSizeMake(textView.frame.size.width, FLT_MAX)];
if (size.height <= newView.frame.size.height) break;
fontSize -= 1.0;
}
UITextView is subclass of UIScrollView -> so you can check the contentSize of the scrollable area after you set your text or font into textView.
textView.text = quote;
do
{
textView.font = [UIFont fontWithName:@"Interstate" size:fontSize];
[textView layoutIfNeeded];
if (textView.contentSize.height <= newView.frame.size.height) {
break;
}
fontSize -= 1.0;
} while (fontSize >= minSize);
That should work... Probably it would work even without [textView layoutIfNeeded].
I had to do the same but then with programmatically added AutoLayout constraints (NSLayoutConstraint
). Because of the constraints the contentSize
wasn't correct for the most time causing the UITextView
to scroll :/ To still get the correct font size I ended up just creating a new UITextView
for the sake of doing some good ol' trial and error testing and getting it through there.
Pretty simple but like with everything you just gotta come up with it :)
NSInteger fontSize = 200;
UITextView *testTextView = [[UITextView alloc] init];
testTextView.text = self.myRealTextView.text;
testTextView.font = [UIFont fontWithName:@"AldotheApache" size:fontSize];
while ([testTextView sizeThatFits:(CGSizeMake(self.myRealTextView.frame.size.width, FLT_MAX))].height >= self.myRealTextView.frame.size.height ) {
fontSize -= 0.5;
testTextView.font = [UIFont fontWithName:@"AldotheApache" size:fontSize];
}
NSLog(@"Correct font size is: %ld",(long)fontSize);
self.myRealTextView.font = [UIFont fontWithName:@"AldotheApache" size:fontSize];
Solution 1
Your problem can be solved by simply replacing sizeWithFont: constrainedToSize:
with :
boundingRectWithSize:CGSizeMake(newView.frame.size.width, FLT_MAX)
options:NSStringDrawingUsesLineFragmentOrigin
attributes:@{NSFontAttributeName:[UIFont fontWithName:@"Interstate" size:fontSize]}
context:nil];
Solution 2
The sizeThatFits
method can be used to address this problem like this:
while (fontSize > minSize && [newView sizeThatFits:(CGSizeMake(newView.frame.size.width, FLT_MAX))].height >= newView.frame.size.height ) {
fontSize -= 1.0;
newView.font = [tv.font fontWithSize:fontSize];
}
I hope one of these solutions solve your problem. Cheers!