Textview.getlinecount Always 0 In Android
Solution 1:
I know this question is quite old, but in case anyone comes here looking for the actual answer:
holder.text2.setText(arr2[position]);
holder.text2.post(new Runnable() {
@Override
publicvoidrun() {
int lineCnt = holder.text2.getLineCount();
// Perform any actions you want based on the line count here.
}
});
Solution 2:
In order to fix this issue apply the following lines:
textView.getViewTreeObserver().addOnGlobalLayoutListener(new OnGlobalLayoutListener() {
@Override
public void onGlobalLayout() {
if (textView.getLineCount() > 1) {
textView.getViewTreeObserver().removeOnGlobalLayoutListener(this);
}
}
});
The OnGlobalLayoutListener
will be called after every change to the TextView
(after measuring it, drawing it, ..). Here you can catch changes to your TextView
before it'll be drawn to the screen and do whatever you need with it.
The last line in the code is to remove the listener, it's important since we don't want to continue catching each layout change.
Solution 3:
It should be done on UI Thread by post method.
textView.post(newRunnable() {
@Overridepublicvoidrun() {
Log.v("Line count: ", textView.getLineCount()+"");
}
});
Solution 4:
getLineCount() will give you the correct number of lines only after a layout pass. That means the TextView must have been drawn at least once. I assume that at this point of time your Textview is not drawn hence you are getting 0 as the line count
Solution 5:
actually TextView.getLineCount() rely on TextView.mLayout.getLineCount but TextView.mLayout is lazy init before onMeasure, you can do like this:
if (holder.contentTV.getLayout() == null) {
holder.contentTV.getViewTreeObserver().addOnPreDrawListener(newViewTreeObserver.OnPreDrawListener() {
@OverridepublicbooleanonPreDraw() {
holder.contentTV.getLineCount();
holder.contentTV.getViewTreeObserver().removeOnPreDrawListener(this);
returntrue;
}
});
} else {
holder.contentTV.getLineCount();
}
Post a Comment for "Textview.getlinecount Always 0 In Android"