web-dev-qa-db-ja.com

iOS 7でUITextViewの高さを持つUITableViewCell?

IOS 7でUITextViewを含むUITableViewCellの高さを計算するにはどうすればよいですか?

同様の質問に対して多くの回答を見つけましたが、sizeWithFont:はすべてのソリューションに参加しており、このメソッドは非推奨です!

- (CGFloat)tableView:heightForRowAtIndexPath:を使用する必要があることは知っていますが、TextViewがテキスト全体を表示するために必要な高さを計算するにはどうすればよいですか?

121
MyJBMe

まず、テキストのレンダリング方法に関しては、UITextViewとUILabelの間に大きな違いがあることに注意することが非常に重要です。 UITextViewはすべての境界にインセットがあるだけでなく、その内部のテキストレイアウトもわずかに異なります。

そのため、sizeWithFont:はUITextViewsに適した方法ではありません。

代わりに、UITextView自体にsizeThatFits:という関数があり、UITextViewのすべての内容を表示するために必要な最小サイズを返します。

以下はiOS 7と古いバージョンの両方で同等に機能しますが、現時点では非推奨のメソッドは含まれていません。


シンプルなソリューション

- (CGFloat)textViewHeightForAttributedText: (NSAttributedString*)text andWidth: (CGFloat)width {
    UITextView *calculationView = [[UITextView alloc] init];
    [calculationView setAttributedText:text];
    CGSize size = [calculationView sizeThatFits:CGSizeMake(width, FLT_MAX)];
    return size.height;
}

この関数は、NSAttributedStringと必要な幅をCGFloatとして受け取り、必要な高さを返します


詳細なソリューション

私は最近似たようなことをしたので、私は出会った関連する問題のいくつかの解決策も共有すると思いました。私はそれが誰かを助けることを願っています。

これははるかに詳細であり、以下をカバーします。

  • もちろん:含まれるUITableViewCellの全内容を表示するために必要なサイズに基づいてUITextViewの高さを設定する
  • テキストの変更に対応する(および行の高さの変更をアニメーション化する)
  • 編集中にUITextViewのサイズを変更するときに、カーソルを表示領域内に保持し、最初のレスポンダーをUITableViewCellに保持する

静的テーブルビューで作業している場合、またはUITextViewsの数がわかっている場合は、手順2をはるかに簡単にすることができます。

1.最初に、heightForRowAtIndexPathを上書きします。

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
    // check here, if it is one of the cells, that needs to be resized
    // to the size of the contained UITextView
    if (  )             
        return [self textViewHeightForRowAtIndexPath:indexPath];
    else
    // return your normal height here:
            return 100.0;           
}

2.必要な高さを計算する関数を定義します。

NSMutableDictionaryサブクラスにインスタンス変数としてtextViews(この例ではUITableViewControllerと呼ばれます)を追加します。

この辞書を使用して、個々のUITextViewsへの参照を次のように保存します。

(そして、はい、 indexPathsは辞書の有効なキーです

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *CellIdentifier = @"Cell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier forIndexPath:indexPath];

    // Do you cell configuring ...

    [textViews setObject:cell.textView forKey:indexPath];
    [cell.textView setDelegate: self]; // Needed for step 3

    return cell;
}

この関数は実際の高さを計算します:

- (CGFloat)textViewHeightForRowAtIndexPath: (NSIndexPath*)indexPath {
    UITextView *calculationView = [textViews objectForKey: indexPath];
    CGFloat textViewWidth = calculationView.frame.size.width;
    if (!calculationView.attributedText) {
        // This will be needed on load, when the text view is not inited yet

        calculationView = [[UITextView alloc] init];
        calculationView.attributedText = // get the text from your datasource add attributes and insert here
        textViewWidth = 290.0; // Insert the width of your UITextViews or include calculations to set it accordingly
    }
    CGSize size = [calculationView sizeThatFits:CGSizeMake(textViewWidth, FLT_MAX)];
    return size.height;
}

3.編集中にサイズ変更を有効にする

次の2つの関数では、UITextViewsのデリゲートがUITableViewControllerに設定されることが重要です。デリゲートとして他の何かが必要な場合は、そこから関連する呼び出しを行うか、適切なNSNotificationCenterフックを使用して回避できます。

- (void)textViewDidChange:(UITextView *)textView {

    [self.tableView beginUpdates]; // This will cause an animated update of
    [self.tableView endUpdates];   // the height of your UITableViewCell

    // If the UITextView is not automatically resized (e.g. through autolayout 
    // constraints), resize it here

    [self scrollToCursorForTextView:textView]; // OPTIONAL: Follow cursor
}

4.編集中にカーソルを移動

- (void)textViewDidBeginEditing:(UITextView *)textView {
    [self scrollToCursorForTextView:textView];
}

これにより、UITableViewがカーソルの位置までスクロールします(UITableViewの表示されているRect内にない場合)。

- (void)scrollToCursorForTextView: (UITextView*)textView {

    CGRect cursorRect = [textView caretRectForPosition:textView.selectedTextRange.start];

    cursorRect = [self.tableView convertRect:cursorRect fromView:textView];

    if (![self rectVisible:cursorRect]) {
        cursorRect.size.height += 8; // To add some space underneath the cursor
        [self.tableView scrollRectToVisible:cursorRect animated:YES];
    }
}

5.インセットを設定して、表示される四角形を調整します

編集中に、UITableViewの一部がキーボードで覆われる場合があります。テーブルビューのインセットが調整されていない場合、scrollToCursorForTextView:はカーソルがテーブルビューの下部にあるとスクロールできません。

- (void)keyboardWillShow:(NSNotification*)aNotification {
    NSDictionary* info = [aNotification userInfo];
    CGSize kbSize = [[info objectForKey:UIKeyboardFrameBeginUserInfoKey] CGRectValue].size;

    UIEdgeInsets contentInsets = UIEdgeInsetsMake(self.tableView.contentInset.top, 0.0, kbSize.height, 0.0);
    self.tableView.contentInset = contentInsets;
    self.tableView.scrollIndicatorInsets = contentInsets;
}

- (void)keyboardWillHide:(NSNotification*)aNotification {
    [UIView beginAnimations:nil context:nil];
    [UIView setAnimationDuration:0.35];
    UIEdgeInsets contentInsets = UIEdgeInsetsMake(self.tableView.contentInset.top, 0.0, 0.0, 0.0);
    self.tableView.contentInset = contentInsets;
    self.tableView.scrollIndicatorInsets = contentInsets;
    [UIView commitAnimations];
}

そして最後の部分:

ビューがロードされたら、NSNotificationCenterを使用してキーボード変更の通知にサインアップします。

- (void)viewDidLoad
{
    [super viewDidLoad];

    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillShow:) name:UIKeyboardWillShowNotification object:nil];
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(keyboardWillHide:) name:UIKeyboardWillHideNotification object:nil];
}

この答えを長くしてくれたので、私に怒らないでください。質問に答えるのにすべてが必要というわけではありませんが、これらの直接関連する問題が役に立つ他の人がいると思います。


更新:

Dave Haupertが指摘したように、rectVisible関数を含めるのを忘れていました。

- (BOOL)rectVisible: (CGRect)rect {
    CGRect visibleRect;
    visibleRect.Origin = self.tableView.contentOffset;
    visibleRect.Origin.y += self.tableView.contentInset.top;
    visibleRect.size = self.tableView.bounds.size;
    visibleRect.size.height -= self.tableView.contentInset.top + self.tableView.contentInset.bottom;

    return CGRectContainsRect(visibleRect, rect);
}

また、scrollToCursorForTextView:にはプロジェクトのTextFieldの1つへの直接参照が含まれていることに気付きました。 bodyTextViewが見つからないという問題がある場合は、関数の更新バージョンを確認してください。

425
Tim Bodeit

BoundingRectWithSizeであるsizeWithFontを置き換える新しい関数があります。

次の関数をプロジェクトに追加しました。この関数は、iOS7の新しい関数と7より前のiOSの古い関数を使用します。基本的にはsizeWithFontと同じ構文です。

    -(CGSize)text:(NSString*)text sizeWithFont:(UIFont*)font constrainedToSize:(CGSize)size{
        if(IOS_NEWER_OR_EQUAL_TO_7){
            NSDictionary *attributesDictionary = [NSDictionary dictionaryWithObjectsAndKeys:
                                              font, NSFontAttributeName,
                                              nil];

            CGRect frame = [text boundingRectWithSize:size
                                              options:(NSStringDrawingUsesLineFragmentOrigin | NSStringDrawingUsesFontLeading)
                                           attributes:attributesDictionary
                                              context:nil];

            return frame.size;
        }else{
#pragma clang diagnostic Push
#pragma clang diagnostic ignored "-Wdeprecated-declarations"
            return [text sizeWithFont:font constrainedToSize:size];
#pragma clang diagnostic pop
        }
    }

そのIOS_NEWER_OR_EQUAL_TO_7をプロジェクトのprefix.pchファイルに次のように追加できます。

#define IOS_NEWER_OR_EQUAL_TO_7 ( [ [ [ UIDevice currentDevice ] systemVersion ] floatValue ] >= 7.0 )
37
manecosta

UITableViewAutomaticDimensionを使用している場合、非常にシンプルな(iOS 8のみ)ソリューションがあります。私の場合、それは静的なテーブルビューですが、動的なプロトタイプにこれを適応させることができると思います...

テキストビューの高さの制約アウトレットがあり、次のようなメソッドを実装しました。

// Outlets

@property (weak, nonatomic) IBOutlet UITextView *textView;
@property (weak, nonatomic) IBOutlet NSLayoutConstraint *textViewHeight;


// Implementation

#pragma mark - Private Methods

- (void)updateTextViewHeight {
    self.textViewHeight.constant = self.textView.contentSize.height + self.textView.contentInset.top + self.textView.contentInset.bottom;
}

#pragma mark - View Controller Overrides

- (void)viewDidLoad {
    [super viewDidLoad];
    [self updateTextViewHeight];
}

#pragma mark - TableView Delegate & Datasource

- (CGFloat)tableView:(UITableView *)tableView estimatedHeightForRowAtIndexPath:(NSIndexPath *)indexPath {
    return 80;
}

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
    return UITableViewAutomaticDimension;
}

#pragma mark - TextViewDelegate

- (void)textViewDidChange:(UITextView *)textView {
    [self.tableView beginUpdates];
    [self updateTextViewHeight];
    [self.tableView endUpdates];
}

ただし、覚えておいてください:テキストビューはスクロール可能でなければならず、自動寸法で機能するように制約を設定する必要があります。

  • セル内のすべてのビューを互いに固定して設定します(プログラムで変更するテキストビューの高さを含む)。
  • 最上部のビューには上部の間隔があり、最下部のビューには下部の間隔があります。

最も基本的なセルの例は次のとおりです。

  • textview以外のセル内の他のビューはありません
  • テキストビューのすべての辺の周囲に0のマージンと、テキストビューの定義済みの高さの制約。
9
dec-vt100

シンプルさと迅速なプロトタイピングを目指したもう1つのソリューションがあります:

セットアップ:

  1. プロトタイプセルを含むテーブル。
  2. 各セルには、動的なサイズのUITextViewと他のコンテンツが含まれています。
  3. プロトタイプセルはTableCell.hに関連付けられています。
  4. UITableViewTableViewController.hに関連付けられています。

解決策:

(1)TableViewController.mに追加:

 // This is the method that determines the height of each cell.  
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath 
{
    // I am using a helper method here to get the text at a given cell.
    NSString *text = [self getTextAtIndex:indexPath];

    // Getting the height needed by the dynamic text view.
    CGSize size = [self frameForText:text sizeWithFont:nil constrainedToSize:CGSizeMake(300.f, CGFLOAT_MAX)];

    // Return the size of the current row.
    // 80 is the minimum height! Update accordingly - or else, cells are going to be too thin.
    return size.height + 80; 
}

// Think of this as some utility function that given text, calculates how much 
// space would be needed to fit that text.
- (CGSize)frameForText:(NSString *)text sizeWithFont:(UIFont *)font constrainedToSize:(CGSize)size
{
    NSDictionary *attributesDictionary = [NSDictionary dictionaryWithObjectsAndKeys:
                                          font, NSFontAttributeName,
                                          nil];
    CGRect frame = [text boundingRectWithSize:size
                                      options:(NSStringDrawingUsesLineFragmentOrigin | NSStringDrawingUsesFontLeading)
                                   attributes:attributesDictionary
                                      context:nil];

    // This contains both height and width, but we really care about height.
    return frame.size;
}

// Think of this as a source for the text to be rendered in the text view. 
// I used a dictionary to map indexPath to some dynamically fetched text.
- (NSString *) getTextAtIndex: (NSIndexPath *) indexPath
{
    return @"This is stubbed text - update it to return the text of the text view.";
}

(2)TableCell.mに追加:

// This method will be called when the cell is initialized from the storyboard
// prototype. 
- (void)awakeFromNib
{
    // Assuming TextView here is the text view in the cell. 
    TextView.scrollEnabled = YES;
}

説明:

したがって、ここで何が起こっているのでしょうか:各テキストビューは、垂直および水平の制約によってテーブルセルの高さにバインドされています。つまり、テーブルセルの高さが増加すると、テキストビューもサイズが増加します。 @manecostaのコードの修正版を使用して、テキストビューに必要な高さを計算し、指定されたテキストをセルに合わせました。つまり、X文字数のテキストを指定すると、frameForText:は、テキストビューの必要な高さに一致するプロパティsize.heightを持つサイズを返します。

残っているのは、必要なテキストビューの高さに合わせてセルの高さを更新することだけです。そして、これはheightForRowAtIndexPath:で達成されます。コメントに記載されているように、size.heightはセル全体ではなくテキストビューの高さのみであるため、オフセットを追加する必要があります。例の場合、この値は80でした。

4
Zorayr

自動レイアウトを使用している場合の1つのアプローチは、自動レイアウトエンジンにサイズを計算させることです。これは最も効率的なアプローチではありませんが、非常に便利です(ほぼ間違いなく最も正確です)。セルレイアウトの複雑さが増すにつれて、より便利になります。突然、セルに2つ以上のテキストビュー/フィールドがあります。

自動レイアウトを使用してTableViewセルのサイズを設定するための完全なサンプルで、同様の質問に回答しました。

自動レイアウトですべてのサブビューに合うようにスーパービューのサイズを変更する方法?

3
TomSwift

完全な滑らかなソリューションは次のとおりです。

まず、textViewを持つセルクラスが必要です

@protocol TextInputTableViewCellDelegate <NSObject>
@optional
- (void)textInputTableViewCellTextWillChange:(TextInputTableViewCell *)cell;
- (void)textInputTableViewCellTextDidChange:(TextInputTableViewCell *)cell;
@end

@interface TextInputTableViewCell : UITableViewCell
@property (nonatomic, weak) id<TextInputTableViewCellDelegate> delegate;
@property (nonatomic, readonly) UITextView *textView;
@property (nonatomic) NSInteger minLines;
@property (nonatomic) CGFloat lastRelativeFrameOriginY;
@end


#import "TextInputTableViewCell.h"

@interface TextInputTableViewCell () <UITextViewDelegate> {
    NSLayoutConstraint *_heightConstraint;
}
@property (nonatomic) UITextView *textView;
@end

@implementation TextInputTableViewCell

- (id)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier {
    self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];
    if (self) {
        self.selectionStyle = UITableViewCellSelectionStyleNone;

        _textView = [UITextView new];
        _textView.translatesAutoresizingMaskIntoConstraints = NO;
        _textView.delegate = self;
        _textView.scrollEnabled = NO;
        _textView.font = CELL_REG_FONT;
        _textView.textContainer.lineFragmentPadding = 0.0;
        _textView.textContainerInset = UIEdgeInsetsZero;
        [self.contentView addSubview:_textView];

        [self.contentView addConstraints: [NSLayoutConstraint constraintsWithVisualFormat:@"H:|-[view]-|" options:nil metrics:nil views:@{@"view": _textView}]];
        [self.contentView addConstraints: [NSLayoutConstraint constraintsWithVisualFormat:@"V:|-[view]-|" options:nil metrics:nil views:@{@"view": _textView}]];

        _heightConstraint = [NSLayoutConstraint constraintWithItem: _textView
                         attribute: NSLayoutAttributeHeight
                         relatedBy: NSLayoutRelationGreaterThanOrEqual
                         toItem: nil
                         attribute: NSLayoutAttributeNotAnAttribute
                         multiplier: 0.0
                         constant: (_textView.font.lineHeight + 15)];
        _heightConstraint.priority = UILayoutPriorityRequired - 1;
        [_textView addConstraint:_heightConstraint];
    }
    return self;
}

- (void)prepareForReuse {
    [super prepareForReuse];    
    self.minLines = 1;
}

- (void)setMinLines:(NSInteger)minLines {
    _heightConstraint.constant = minLines * _textView.font.lineHeight + 15;
}

- (BOOL)textView:(UITextView *)textView shouldChangeTextInRange:(NSRange)range replacementText:(NSString *)text {
    if ([self.delegate respondsToSelector:@selector(textInputTableViewCellTextWillChange:)]) {
        [self.delegate textInputTableViewCellTextWillChange:self];
    }
    return YES;
}

- (void)textViewDidChange:(UITextView *)textView {
    if ([self.delegate respondsToSelector:@selector(textInputTableViewCellTextDidChange:)]) {
        [self.delegate textInputTableViewCellTextDidChange:self];
    }
}

次に、TableViewControllerで使用します

@interface SomeTableViewController () <TextInputTableViewCellDelegate>
@end

@implementation SomeTableViewController

. . . . . . . . . . . . . . . . . . . .

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {

    TextInputTableViewCell *cell = [tableView dequeueReusableCellWithIdentifier: TextInputTableViewCellIdentifier forIndexPath:indexPath];
    cell.delegate = self;
    cell.minLines = 3;
    . . . . . . . . . .  
    return cell;
}

- (CGFloat)tableView:(UITableView *)tableView estimatedHeightForRowAtIndexPath:(NSIndexPath *)indexPath {
    return UITableViewAutomaticDimension;
}

- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
    return UITableViewAutomaticDimension;
}

- (void)textInputTableViewCellWillChange:(TextInputTableViewCell *)cell {
    cell.lastRelativeFrameOriginY = cell.frame.Origin.y - self.tableView.contentOffset.y;
}

- (void)textInputTableViewCellTextDidChange:(TextInputTableViewCell *)cell {
    NSIndexPath *indexPath = [self.tableView indexPathForCell:cell];

    [UIView performWithoutAnimation:^{
        [self.tableView moveRowAtIndexPath:indexPath toIndexPath:indexPath];
    }];

    CGFloat contentOffsetY = cell.frame.Origin.y - cell.lastRelativeFrameOriginY;
    self.tableView.contentOffset = CGPointMake(self.tableView.contentOffset.x, contentOffsetY);

    CGRect caretRect = [cell.textView caretRectForPosition:cell.textView.selectedTextRange.start];
    caretRect = [self.tableView convertRect:caretRect fromView:cell.textView];

    CGRect visibleRect = self.tableView.bounds;
    visibleRect.Origin.y += self.tableView.contentInset.top;
    visibleRect.size.height -= self.tableView.contentInset.top + self.tableView.contentInset.bottom;
    BOOL res = CGRectContainsRect(visibleRect, caretRect);
    if (!res) {
        caretRect.size.height += 5;
        [self.tableView scrollRectToVisible:caretRect animated:NO];
    }
}
@end
  • ここでminLinesを使用すると、textViewの最小の高さを設定できます(UITableViewAutomaticDimensionによるAutoLayoutによる高さの最小化に抵抗するため)。

  • 同じindexPathを持つmoveRowAtIndexPath:indexPath:は、tableViewCellの高さの再計算と再レイアウトを開始します。

  • performWithoutAnimation:は副作用を取り除きます(tableViewのコンテンツオフセットは、入力中に新しい行を開始するとジャンプします)。

  • 現在のセルの前のセルのrelativeFrameOriginYは予期しない方法でautoLayout計算によって変更される可能性があるため、セルの更新中はcontentOffsetYではなくcontentSizeを保持することが重要です。長い単語を入力する際のシステムハイフネーションの視覚的なジャンプを削除します。

  • プロパティを設定しないでくださいestimatedRowHeight以下は機能しません

    self.tableView.estimatedRowHeight = UITableViewAutomaticDimension;
    

    tableViewDelegateメソッドのみを使用します。

================================================== ========================

tableViewtableViewCellの間の弱いバインディングとtableViewCellからtableViewのジオメトリの更新を気にしない場合は、TextInputTableViewCellクラスをアップグレードできます。上記:

@interface TextInputTableViewCell : UITableViewCell
@property (nonatomic, weak) id<TextInputTableViewCellDelegate> delegate;
@property (nonatomic, weak) UITableView *tableView;
@property (nonatomic, readonly) UITextView *textView;
@property (nonatomic) NSInteger minLines;
@end


#import "TextInputTableViewCell.h"

@interface TextInputTableViewCell () <UITextViewDelegate> {
    NSLayoutConstraint *_heightConstraint;
    CGFloat _lastRelativeFrameOriginY;
}
@property (nonatomic) UITextView *textView;
@end

@implementation TextInputTableViewCell

- (id)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier {
    self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];
    if (self) {
        self.selectionStyle = UITableViewCellSelectionStyleNone;

        _textView = [UITextView new];
        _textView.translatesAutoresizingMaskIntoConstraints = NO;
        _textView.delegate = self;
        _textView.scrollEnabled = NO;
        _textView.font = CELL_REG_FONT;
        _textView.textContainer.lineFragmentPadding = 0.0;
        _textView.textContainerInset = UIEdgeInsetsZero;
        [self.contentView addSubview:_textView];

        [self.contentView addConstraints: [NSLayoutConstraint constraintsWithVisualFormat:@"H:|-[view]-|" options:nil metrics:nil views:@{@"view": _textView}]];
        [self.contentView addConstraints: [NSLayoutConstraint constraintsWithVisualFormat:@"V:|-[view]-|" options:nil metrics:nil views:@{@"view": _textView}]];

        _heightConstraint = [NSLayoutConstraint constraintWithItem: _textView
                         attribute: NSLayoutAttributeHeight
                         relatedBy: NSLayoutRelationGreaterThanOrEqual
                         toItem: nil
                         attribute: NSLayoutAttributeNotAnAttribute
                         multiplier: 0.0
                         constant: (_textView.font.lineHeight + 15)];
        _heightConstraint.priority = UILayoutPriorityRequired - 1;
        [_textView addConstraint:_heightConstraint];
    }
    return self;
}

- (void)prepareForReuse {
    [super prepareForReuse];    
    self.minLines = 1;
    self.tableView = nil;
}

- (void)setMinLines:(NSInteger)minLines {
    _heightConstraint.constant = minLines * _textView.font.lineHeight + 15;
}

- (BOOL)textView:(UITextView *)textView shouldChangeTextInRange:(NSRange)range replacementText:(NSString *)text {

    _lastRelativeFrameOriginY = self.frame.Origin.y - self.tableView.contentOffset.y;
    return YES;
}

- (void)textViewDidChange:(UITextView *)textView {

    NSIndexPath *indexPath = [self.tableView indexPathForCell:self];
    if (indexPath == nil) return;

    [UIView performWithoutAnimation:^{
        [self.tableView moveRowAtIndexPath:indexPath toIndexPath:indexPath];
    }];

    CGFloat contentOffsetY = self.frame.Origin.y - _lastRelativeFrameOriginY;
    self.tableView.contentOffset = CGPointMake(self.tableView.contentOffset.x, contentOffsetY);

    CGRect caretRect = [self.textView caretRectForPosition:self.textView.selectedTextRange.start];
    caretRect = [self.tableView convertRect:caretRect fromView:self.textView];

    CGRect visibleRect = self.tableView.bounds;
    visibleRect.Origin.y += self.tableView.contentInset.top;
    visibleRect.size.height -= self.tableView.contentInset.top + self.tableView.contentInset.bottom;

    BOOL res = CGRectContainsRect(visibleRect, caretRect);
    if (!res) {
        caretRect.size.height += 5;
        [self.tableView scrollRectToVisible:caretRect animated:NO];
    }
}
@end
1
malex
  1. UITextViewの背後にUILabelを配置します。
  2. この答えを使用してください: https://stackoverflow.com/a/36054679/6681462 作成したUILabel
  3. 同じ制約とフォントを与える
  4. 同じテキストを設定します。

セルの高さはUILabelのコンテンツによって計算されますが、すべてのテキストはTextFieldによって表示されます。

1
ilnur

内部のUITableViewCellの高さに基づいてUITextViewの高さを自動的に調整する場合。ここで私の答えを参照してください: https://stackoverflow.com/a/45890087/1245231

ソリューションは非常にシンプルで、iOS 7以降で動作するはずです。StoryBoardのUITextView内のUITableViewCellに対してScrolling Enabledオプションが有効になっていることを確認してくださいoff

次に、UITableViewControllerのviewDidLoad()で、次のようなtableView.rowHeight = UITableViewAutomaticDimensionおよびtableView.estimatedRowHeight > 0を設定します。

override func viewDidLoad() {
    super.viewDidLoad()

    tableView.rowHeight = UITableViewAutomaticDimension
    tableView.estimatedRowHeight = 44.0
}

それでおしまい。 UITableViewCellの高さは、内部のUITextViewの高さに基づいて自動的に調整されます。

0
petrsyn

迅速なバージョン

func textViewHeightForAttributedText(text: NSAttributedString, andWidth width: CGFloat) -> CGFloat {
    let calculationView = UITextView()
    calculationView.attributedText = text
    let size = calculationView.sizeThatFits(CGSize(width: width, height: CGFloat.max))
    return size.height
}
0
Adam Smaka
UITextView *txtDescLandscape=[[UITextView alloc] initWithFrame:CGRectMake(2,20,310,2)];

    txtDescLandscape.editable =NO;
    txtDescLandscape.textAlignment =UITextAlignmentLeft;
    [txtDescLandscape setFont:[UIFont fontWithName:@"ArialMT" size:15]];
    txtDescLandscape.text =[objImage valueForKey:@"imgdescription"];
    txtDescLandscape.text =[txtDescLandscape.text stringByTrimmingCharactersInSet:[NSCharacterSet whitespaceAndNewlineCharacterSet]];
    [txtDescLandscape sizeToFit];
    [headerView addSubview:txtDescLandscape];

    CGRect txtViewlandscpframe = txtDescLandscape.frame;
    txtViewlandscpframe.size.height = txtDescLandscape.contentSize.height;
    txtDescLandscape.frame = txtViewlandscpframe;

この方法で、テキストビューの高さを数え、その高さに応じてテーブルビューセルのサイズを変更して、セルにフルテキストを表示できるようにすると思います

0
D-eptdeveloper