Replacement for deprecated sizeWithFont: in iOS 7?
Asked Answered
S

20

327

In iOS 7, sizeWithFont: is now deprecated. How do I now pass in the UIFont object into the replacement method sizeWithAttributes:?

Staphylococcus answered 19/9, 2013 at 14:47 Comment(0)
S
528

Use sizeWithAttributes: instead, which now takes an NSDictionary. Pass in the pair with key UITextAttributeFont and your font object like this:

CGRect rawRect = {};
rawRect.size = [string sizeWithAttributes: @{
    NSFontAttributeName: [UIFont systemFontOfSize:17.0f],
}];

// Values are fractional -- you should take the ceil to get equivalent values
CGSize adjustedSize = CGRectIntegral(rawRect).size;
Staphylococcus answered 19/9, 2013 at 14:47 Comment(13)
when working with an NSString and a UILabel (not ALWAYS the case, but often so), to prevent duplicated code/etc, you can also replace [UIFont systemFontOfSize:17.0f] with label.font - helps code maintenance by referencing existing data vs. you typing it multiple times or referencing constants all over the place, etcInfirm
@Infirm it's possible the label doesn't exist and you're trying to calculate a theoretical label.Salute
How would I use this example to get the size.height with a label that got a fixed width of for example 250? OR if its a label with autolatyout witch takes up a procentage of the width and I go to landscapemode.Cobaltic
@Cobaltic You would use boundingRectWithSize:options:attributes:context: instead, passing in CGSizeMake(250.0f, CGFLOAT_MAX) in most cases.Staphylococcus
Something else to note sizeWithAttributes: is not 100% equivalent. sizeWithFont used to round up the sizes to integer (pixel) values. Suggest use ceilf on the resultant height/width or you may get blurry artefacts (esp non retina HW) if you use this for positional calculations.Astrakhan
What about word wrap, how to add that?Trustbuster
@PsychoDad you would use boundingRectWithSize:options:attributes:context: like mentioned in a previous comment.Staphylococcus
Are we sure ceiling function is the right function to use? I always thought fractional pixels were rounded not ceiling or floored— I may be wrong though.Nicky
@AlbertRenshaw Yes, according to Apple documentation "This method returns fractional sizes; to use a returned size to size views, you must raise its value to the nearest higher integer using the ceil function." (developer.apple.com/library/ios/documentation/UIKit/Reference/…)Staphylococcus
@incyc thank you for the reference! :D Much more confident in my code now!Nicky
No need to introduce another variable for ceiling. size = CGSizeMake(ceilf(size.width), ceilf(size.height));Diazomethane
@Diazomethane The extra variable is for clarity and the comment for purposes of demonstration. However someone chooses to structure their code should be up to them.Staphylococcus
thanks martinjbaker, the adjustedSize variable actually confused me, until I saw your comment.Stepha
C
174

I believe the function was deprecated because that series of NSString+UIKit functions (sizewithFont:..., etc) were based on the UIStringDrawing library, which wasn't thread safe. If you tried to run them not on the main thread (like any other UIKit functionality), you'll get unpredictable behaviors. In particular, if you ran the function on multiple threads simultaneously, it'll probably crash your app. This is why in iOS 6, they introduced a the boundingRectWithSize:... method for NSAttributedString. This was built on top of the NSStringDrawing libraries and is thread safe.

If you look at the new NSString boundingRectWithSize:... function, it asks for an attributes array in the same manner as a NSAttributeString. If I had to guess, this new NSString function in iOS 7 is merely a wrapper for the NSAttributeString function from iOS 6.

On that note, if you were only supporting iOS 6 and iOS 7, then I would definitely change all of your NSString sizeWithFont:... to the NSAttributeString boundingRectWithSize. It'll save you a lot of headache if you happen to have a weird multi-threading corner case! Here's how I converted NSString sizeWithFont:constrainedToSize::

What used to be:

NSString *text = ...;
CGFloat width = ...;
UIFont *font = ...;
CGSize size = [text sizeWithFont:font 
               constrainedToSize:(CGSize){width, CGFLOAT_MAX}];

Can be replaced with:

NSString *text = ...;
CGFloat width = ...;
UIFont *font = ...;
NSAttributedString *attributedText =
    [[NSAttributedString alloc] initWithString:text 
                                    attributes:@{NSFontAttributeName: font}];
CGRect rect = [attributedText boundingRectWithSize:(CGSize){width, CGFLOAT_MAX}
                                           options:NSStringDrawingUsesLineFragmentOrigin
                                           context:nil];
CGSize size = rect.size;

Please note the documentation mentions:

In iOS 7 and later, this method returns fractional sizes (in the size component of the returned CGRect); to use a returned size to size views, you must use raise its value to the nearest higher integer using the ceil function.

So to pull out the calculated height or width to be used for sizing views, I would use:

CGFloat height = ceilf(size.height);
CGFloat width  = ceilf(size.width);
Cyrstalcyrus answered 23/9, 2013 at 3:30 Comment(8)
boundingRectWithSize is deprecated in iOS 6.0.Collimator
@Nirav I don't see any mention of the deprecation. Can you point me to where it says it's deprecated? Thanks! (developer.apple.com/library/ios/documentation/uikit/reference/…)Cyrstalcyrus
Maybe @Nirav meant that it wasn't available for NSString in iOS 6 (which is mentioned indirectly in the answer)?Langouste
Mr.T you must set your deployment target to iOS 7 to see that it is deprecated.Charlean
@VagueExplanation I just tried that and boundingRectForSize still isn't deprecated for NSAttributedString. It also doesn't say deprecated in the documentation.Cyrstalcyrus
Fantastic for mentioning using ceilf(). Nowhere else mentioned that and my size was always slightly too small. Thanks!Selfsufficient
How do we set the text? text = self.cell.label.text; like this? This isn't working for me.Incredible
In my case I had to set options to: NSStringDrawingUsesLineFragmentOrigin | NSStringDrawingUsesFontLeading, otherwise wrong height was calcualted.Mellow
K
29

As you can see sizeWithFont at Apple Developer site it is deprecated so we need to use sizeWithAttributes.

#define SYSTEM_VERSION_LESS_THAN(v) ([[[UIDevice currentDevice] systemVersion] compare:v options:NSNumericSearch] == NSOrderedAscending)

NSString *text = @"Hello iOS 7.0";
if (SYSTEM_VERSION_LESS_THAN(@"7.0")) {
    // code here for iOS 5.0,6.0 and so on
    CGSize fontSize = [text sizeWithFont:[UIFont fontWithName:@"Helvetica" 
                                                         size:12]];
} else {
    // code here for iOS 7.0
   CGSize fontSize = [text sizeWithAttributes: 
                            @{NSFontAttributeName: 
                              [UIFont fontWithName:@"Helvetica" size:12]}];
}
Kob answered 19/9, 2013 at 15:27 Comment(1)
In this case better to use [NSObject respondsToSelector:] method like here: https://mcmap.net/q/23696/-check-ios-version-at-runtimeOut
C
17

I created a category to handle this problem, here it is :

#import "NSString+StringSizeWithFont.h"

@implementation NSString (StringSizeWithFont)

- (CGSize) sizeWithMyFont:(UIFont *)fontToUse
{
    if ([self respondsToSelector:@selector(sizeWithAttributes:)])
    {
        NSDictionary* attribs = @{NSFontAttributeName:fontToUse};
        return ([self sizeWithAttributes:attribs]);
    }
    return ([self sizeWithFont:fontToUse]);
}

This way you only have to find/replace sizeWithFont: with sizeWithMyFont: and you're good to go.

Culvert answered 25/9, 2013 at 12:45 Comment(2)
though this will produce a compiler warning on ios7+ for referencing sizeWithFont, or a compile warning/error on < ios7 for referencing sizeWithAttributes! Probably best to use a macro instead of checking respondsToSelector - if necessary. But as you can't deliver to apple with ioS6 SDK any more...it probably isn't!Astrakhan
Add this to supress warning #pragma GCC diagnostic ignored "-Wdeprecated-declarations"Gerrilee
E
10

In iOS7 I needed the logic to return the correct height for the tableview:heightForRowAtIndexPath method, but the sizeWithAttributes always returns the same height regardless of the string length because it doesn't know that it is going to be put in a fixed width table cell. I found this works great for me and calculates the correct height taking in consideration the width for the table cell! This is based on Mr. T's answer above.

NSString *text = @"The text that I want to wrap in a table cell."

CGFloat width = tableView.frame.size.width - 15 - 30 - 15;  //tableView width - left border width - accessory indicator - right border width
UIFont *font = [UIFont systemFontOfSize:17];
NSAttributedString *attributedText = [[NSAttributedString alloc] initWithString:text attributes:@{NSFontAttributeName: font}];
CGRect rect = [attributedText boundingRectWithSize:(CGSize){width, CGFLOAT_MAX}
                                           options:NSStringDrawingUsesLineFragmentOrigin
                                           context:nil];
CGSize size = rect.size;
size.height = ceilf(size.height);
size.width  = ceilf(size.width);
return size.height + 15;  //Add a little more padding for big thumbs and the detailText label
Emia answered 26/12, 2013 at 2:13 Comment(0)
M
7

Multi-line labels using dynamic height may require additional information to set the size properly. You can use sizeWithAttributes with UIFont and NSParagraphStyle to specify both the font and the line-break mode.

You would define the Paragraph Style and use an NSDictionary like this:

// set paragraph style
NSMutableParagraphStyle *style = [[NSParagraphStyle defaultParagraphStyle] mutableCopy];
[style setLineBreakMode:NSLineBreakByWordWrapping];
// make dictionary of attributes with paragraph style
NSDictionary *sizeAttributes        = @{NSFontAttributeName:myLabel.font, NSParagraphStyleAttributeName: style};
// get the CGSize
CGSize adjustedSize = CGSizeMake(label.frame.size.width, CGFLOAT_MAX);

// alternatively you can also get a CGRect to determine height
CGRect rect = [myLabel.text boundingRectWithSize:adjustedSize
                                                         options:NSStringDrawingUsesLineFragmentOrigin
                                                      attributes:sizeAttributes
                                                         context:nil];

You can use the CGSize 'adjustedSize' or CGRect as rect.size.height property if you're looking for the height.

More info on NSParagraphStyle here: https://developer.apple.com/library/mac/documentation/cocoa/reference/applicationkit/classes/NSParagraphStyle_Class/Reference/Reference.html

Mayman answered 12/8, 2015 at 21:13 Comment(1)
It seems like there's a syntax issue immediately after adjustedSize.Slaty
W
6
// max size constraint
CGSize maximumLabelSize = CGSizeMake(184, FLT_MAX)

// font
UIFont *font = [UIFont fontWithName:TRADE_GOTHIC_REGULAR size:20.0f];

// set paragraph style
NSMutableParagraphStyle *paragraphStyle = [[NSMutableParagraphStyle alloc] init];
paragraphStyle.lineBreakMode = NSLineBreakByWordWrapping;

// dictionary of attributes
NSDictionary *attributes = @{NSFontAttributeName:font,
                             NSParagraphStyleAttributeName: paragraphStyle.copy};

CGRect textRect = [string boundingRectWithSize: maximumLabelSize
                                     options:NSStringDrawingUsesLineFragmentOrigin
                                  attributes:attributes
                                     context:nil];

CGSize expectedLabelSize = CGSizeMake(ceil(textRect.size.width), ceil(textRect.size.height));
Wafture answered 28/6, 2016 at 11:52 Comment(1)
This saved me hours of headaches, thanks Kirit, defining the attributes and dictionaries prior to the CGRect block was what did it for me... also much easier to read.Sadness
E
3

Create a function that takes a UILabel instance. and returns CGSize

CGSize constraint = CGSizeMake(label.frame.size.width , 2000.0);
// Adjust according to requirement

CGSize size;
if([[[UIDevice currentDevice] systemVersion] floatValue] >= 7.0){

    NSRange range = NSMakeRange(0, [label.attributedText length]);

    NSDictionary *attributes = [label.attributedText attributesAtIndex:0 effectiveRange:&range];
    CGSize boundingBox = [label.text boundingRectWithSize:constraint options: NSStringDrawingUsesLineFragmentOrigin attributes:attributes context:nil].size;

    size = CGSizeMake(ceil(boundingBox.width), ceil(boundingBox.height));
}
else{
    size = [label.text sizeWithFont:label.font constrainedToSize:constraint lineBreakMode:label.lineBreakMode];
}

return size;
Eleaseeleatic answered 20/9, 2013 at 7:29 Comment(1)
I my case for dynamicaly Row height I completely removed HeightForRow method and used UITableViewAutomaticDimension. tableView.estimatedRowHeight = 68.0 tableView.rowHeight = UITableViewAutomaticDimensionRorry
B
3

Alternate solution-

CGSize expectedLabelSize;
if ([subTitle respondsToSelector:@selector(sizeWithAttributes:)])
{
    expectedLabelSize = [subTitle sizeWithAttributes:@{NSFontAttributeName:subTitleLabel.font}];
}else{
    expectedLabelSize = [subTitle sizeWithFont:subTitleLabel.font constrainedToSize:subTitleLabel.frame.size lineBreakMode:NSLineBreakByWordWrapping];
}
Berube answered 1/12, 2013 at 11:2 Comment(1)
This will produce a compiler warning on both iOS6 & 7. And will have quite different behaviour for each!Astrakhan
S
3

Building on @bitsand, this is a new method I just added to my NSString+Extras category:

- (CGRect) boundingRectWithFont:(UIFont *) font constrainedToSize:(CGSize) constraintSize lineBreakMode:(NSLineBreakMode) lineBreakMode;
{
    // set paragraph style
    NSMutableParagraphStyle *style = [[NSParagraphStyle defaultParagraphStyle] mutableCopy];
    [style setLineBreakMode:lineBreakMode];

    // make dictionary of attributes with paragraph style
    NSDictionary *sizeAttributes = @{NSFontAttributeName:font, NSParagraphStyleAttributeName: style};

    CGRect frame = [self boundingRectWithSize:constraintSize options:NSStringDrawingUsesLineFragmentOrigin attributes:sizeAttributes context:nil];

    /*
    // OLD
    CGSize stringSize = [self sizeWithFont:font
                              constrainedToSize:constraintSize
                                  lineBreakMode:lineBreakMode];
    // OLD
    */

    return frame;
}

I just use the size of the resulting frame.

Slaty answered 5/10, 2015 at 21:45 Comment(0)
T
2

You can still use sizeWithFont. but, in iOS >= 7.0 method cause crashing if the string contains leading and trailing spaces or end lines \n.

Trimming text before using it

label.text = [label.text stringByTrimmingCharactersInSet:
             [NSCharacterSet whitespaceAndNewlineCharacterSet]];

That's also may apply to sizeWithAttributes and [label sizeToFit].

also, whenever you have nsstringdrawingtextstorage message sent to deallocated instance in iOS 7.0 device it deals with this.

Tribromoethanol answered 10/12, 2013 at 9:55 Comment(0)
R
2

Better use automatic dimensions (Swift):

  tableView.estimatedRowHeight = 68.0
  tableView.rowHeight = UITableViewAutomaticDimension

NB: 1. UITableViewCell prototype should be properly designed (for the instance don't forget set UILabel.numberOfLines = 0 etc) 2. Remove HeightForRowAtIndexPath method

enter image description here

VIDEO: https://youtu.be/Sz3XfCsSb6k

Rorry answered 9/4, 2015 at 13:25 Comment(4)
It's take static cell height that are define in storyboard prototype cellWafture
Added those two lines and made sure my UILabel was set to 0 number of lines. Did not work as advertised. What else did you do to make it work with just those two lines of code?Latticed
hm, also you have to pin your label constraints to the top and bottom of the cellRorry
No, this should be enough. Do you have autolayout constraints for label pinned to superview?Rorry
D
1
boundingRectWithSize:options:attributes:context:
Discotheque answered 2/4, 2014 at 2:52 Comment(0)
Y
1

Accepted answer in Xamarin would be (use sizeWithAttributes and UITextAttributeFont):

        UIStringAttributes attributes = new UIStringAttributes
        { 
            Font = UIFont.SystemFontOfSize(17) 
        }; 
        var size = text.GetSizeUsingAttributes(attributes);
Yardman answered 25/6, 2014 at 4:13 Comment(0)
K
1

As the @Ayush answer:

As you can see sizeWithFont at Apple Developer site it is deprecated so we need to use sizeWithAttributes.

Well, supposing that in 2019+ you are probably using Swift and String instead of Objective-c and NSString, here's the correct way do get the size of a String with predefined font:

let stringSize = NSString(string: label.text!).size(withAttributes: [.font : UIFont(name: "OpenSans-Regular", size: 15)!])
Kearney answered 22/4, 2019 at 20:7 Comment(3)
How could you the use this to determine the font size?Esquiline
@JosephAstrahan this isn't for determine the font size, it's for getting the size(CGSize) of an string with determined font. If you want to get the font size of a label you can easily use label.fontKearney
using your idea, I created a way to get the font size more or less (#61652114), label.font would would not work in my case due to some complicated issues with labels being clickable only if the exact font is known you can read about it on my post.Esquiline
T
0
- (CGSize) sizeWithMyFont:(UIFont *)fontToUse
{
    if ([self respondsToSelector:@selector(sizeWithAttributes:)])
    {
        NSDictionary* attribs = @{NSFontAttributeName:fontToUse};
        return ([self sizeWithAttributes:attribs]);
    }
    return ([self sizeWithFont:fontToUse]);
}
Tallbott answered 10/12, 2013 at 11:6 Comment(0)
P
0

Here is the monotouch equivalent if anyone needs it:

/// <summary>
/// Measures the height of the string for the given width.
/// </summary>
/// <param name="text">The text.</param>
/// <param name="font">The font.</param>
/// <param name="width">The width.</param>
/// <param name="padding">The padding.</param>
/// <returns></returns>
public static float MeasureStringHeightForWidth(this string text, UIFont font, float width, float padding = 20)
{
    NSAttributedString attributedString = new NSAttributedString(text, new UIStringAttributes() { Font = font });
    RectangleF rect = attributedString.GetBoundingRect(new SizeF(width, float.MaxValue), NSStringDrawingOptions.UsesLineFragmentOrigin, null);
    return rect.Height + padding;
}

which can be used like this:

public override float GetHeightForRow(UITableView tableView, NSIndexPath indexPath)
{
    //Elements is a string array
    return Elements[indexPath.Row].MeasureStringHeightForWidth(UIFont.SystemFontOfSize(UIFont.LabelFontSize), tableView.Frame.Size.Width - 15 - 30 - 15);
}
Presbyter answered 12/11, 2014 at 12:44 Comment(0)
K
0
CGSize maximumLabelSize = CGSizeMake(label.frame.size.width, FLT_MAX);
CGSize expectedLabelSize = [label sizeThatFits:maximumLabelSize];
float heightUse = expectedLabelSize.height;
Karly answered 3/7, 2015 at 6:41 Comment(0)
P
0

Try this syntax:

NSAttributedString *attributedText =
    [[NSAttributedString alloc] initWithString:text 
                                    attributes:@{NSFontAttributeName: font}];
Picky answered 7/6, 2016 at 5:51 Comment(0)
N
-1

None of this worked for me in ios 7. Here is what I ended up doing. I put this in my custom cell class and call the method in my heightForCellAtIndexPath method.

My cell looks similar to the description cell when viewing an app in the app store.

First in the storyboard, set your label to 'attributedText', set the number of lines to 0 (which will resize the label automatically (ios 6+ only)) and set it to word wrap.

Then i just add up all the heights of the content of the cell in my custom Cell Class. In my case I have a Label at the top that always says "Description" (_descriptionHeadingLabel), a smaller label that is variable in size that contains the actual description (_descriptionLabel) a constraint from the top of the cell to the heading (_descriptionHeadingLabelTopConstraint). I also added 3 to space out the bottom a little bit (about the same amount apple places on the subtitle type cell.)

- (CGFloat)calculateHeight
{
    CGFloat width = _descriptionLabel.frame.size.width;
    NSAttributedString *attributedText = _descriptionLabel.attributedText;
    CGRect rect = [attributedText boundingRectWithSize:(CGSize){width, CGFLOAT_MAX} options: NSStringDrawingUsesLineFragmentOrigin context:nil];

    return rect.size.height + _descriptionHeadingLabel.frame.size.height + _descriptionHeadingLabelTopConstraint.constant + 3;
}

And in my Table View delegate:

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath;
{
    if (indexPath.row == 0) {
        UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"descriptionCell"];
        DescriptionCell *descriptionCell = (DescriptionCell *)cell;
        NSString *text = [_event objectForKey:@"description"];
        descriptionCell.descriptionLabel.text = text;

        return [descriptionCell calculateHeight];
    }

    return 44.0f;
}

You can change the if statement to be a little 'smarter' and actually get the cell identifier from some sort of data source. In my case the cells are going to be hard coded since there will be fixed amount of them in a specific order.

Novelia answered 20/12, 2013 at 5:40 Comment(1)
boundingRectWithSize in ios 9.2 present problems, is different results to ios < 9.2. You found or know any other best way for make this.Funda

© 2022 - 2024 — McMap. All rights reserved.