8

我将在一个 android 应用程序的几个页面上显示一个完整的文本文档。每个页面都包含一个 TextView 控件,该控件负责显示文本。它还包含一个下一步按钮,该按钮负责更新 textview 并从最后显示的部分结束的地方跟随文本。
问题是如何在 TextView 的可显示区域中找到最后显示的单词?
注意:在这个应用程序中, textView应该滚动或使用 ellipsize。还必须注意 textsize 可以增加或减少。为了更好地了解情况:要显示的示例文本:

这是全文。在第一页它刚刚结束,必须从这里开始

这是其显示的示例插图。问题是如何找到“这里”作为第 1 页中显示的最后一个单词? 这是其显示的示例插图。 问题是如何找到单词

4

2 回答 2

1

最后我开发了一段代码,可以找到最后显示的单词。考虑到我们将使用属性widthheight作为其大小以及dp 中的textSize作为文本大小的文本视图,函数 formatStringToFitInTextView 计算文本视图中最后显示的单词并将其作为函数输出返回。在下面的示例中,我们将 SERIF 字体视为 TextView 字体。

String formatStringToFitInTextView(int width, int heigth, String inputText,float textSize) {
    String[] words;
    String lastWord = "";
    String finalString="";
    StaticLayout stLayout;
    int i,numberOfWords;
    int h;
    Typeface tf = Typeface.SERIF;
    TextPaint tp = new TextPaint();
    tp.setTypeface(tf );
    tp.setTextSize(textSize);   //COMPLEX_UNIT_DP

    words = inputText.split(" ");   //split input text to words
    numberOfWords = words.length;
    for (i=0;i<numberOfWords;i++){ 
        stLayout= measure(tp,finalString+words[i]+" ",width);
        h=stLayout.getHeight(); 
        if (stLayout.getHeight() > heigth) break;
        finalString += words[i]+" ";
        lastWord  = words[i];
    }

    return lastWord;
}
StaticLayout measure( TextPaint textPaint, String text, Integer wrapWidth ) {
    int boundedWidth = Integer.MAX_VALUE;
    if( wrapWidth != null && wrapWidth > 0 ) {
      boundedWidth = wrapWidth;
    }
    StaticLayout layout = new StaticLayout( text, textPaint, boundedWidth, Alignment.ALIGN_NORMAL, 1.0f, 0.0f, false );
    return layout;
}

执行操作的总逻辑是将输入文本拆分为单词并将单词逐个添加到 textview 直到它填满提供的高度和宽度,然后将最后添加的单词作为最后显示的单词返回。

注意:感谢Moritz,我使用了此答案中的函数测量。

于 2012-05-12T13:18:06.563 回答
1

我现在不能尝试这个想法,但让我们试一试吧!根据这篇文章,您可以使用以下方法来确定字符串是否适合文本视图。

private boolean isTooLarge (TextView text, String newText) {
    float textWidth = text.getPaint().measureText(newText);
    return (textWidth >= text.getMeasuredWidth ());
}

所以一个想法,如果文本总是相同的,您可以手动定义每个文本视图的初始值,然后当您增加或减少字体时重新计算它,删除或添加单词。

如果不能手动输入初始值,您可以执行以下操作:

String wordsInTextview = new String();
int lastUsedWord= 0;
int totalNumberOfWords = text.size();
  for (int i=lastUsedWord;i<totalNumberOfWords;i++) {             
         if !(isTooLarge(TextView,wordsInTextview)) { 
            wordsInTextview = wordsInTextview + text(i); // add the words to be shown
         } else { 
         TextView.setText(wordsInTextView);
         lastUsedWord= i;
         wordsInTextView = new String(); // no idea if this will erase the textView but shouldn't be hard to fix     
         }      
    }

您还需要存储 textView 的第一个单词的位置,因此当您调整文本大小时,您知道从哪里开始!

int firstWordOnTextView = TextView.getText().toString().split(" ")[0]

当它调整大小时,您可以使用相同的方法来计算屏幕上的文本。

lastUsedWord = firstWordOnTextView;

如果您想更快,您可以跟踪每页上有多少单词,进行平均,然后在运行几次后始终从那里统计您的循环。或之前的几句话,以避免不得不重复回来。

如果您不必一次显示太多页面,我相信这是一个合理的解决方案!

对不起,代码中的错误我现在没有地方可以尝试!对此解决方案有何评论?非常有趣的问题!

于 2012-05-09T22:08:04.040 回答