получить положение текста внутри TextView - PullRequest
0 голосов
/ 20 сентября 2018

Предположим, у меня есть следующий текст 'ДОБАВИТЬ ТЕСТ' внутри TextView, как показано ниже enter image description here

, поскольку вы можете видеть, что текст внутри TextView не имееттакая же ширина и высота, как у TextView.

. Я хочу получить текст X, Y внутри TextView

Ответы [ 2 ]

0 голосов
/ 28 сентября 2018

Взгляните на пару Paint методов: getTextBounds() и measureText.Мы можем использовать их для определения смещения текста в пределах TextView.Как только смещение в пределах TextView определено, мы можем добавить это к местоположению самого TextView, чтобы определить экранные координаты текста, если это необходимо.

Я также нашел статью "Android 101: Типография" , чтобы быть полезным для понимания некоторых сложностей типографии.

В следующем примере показано, как найти границы текста в пределах трех TextViews и нарисовать прямоугольник вокруг текста.,Прямоугольник содержит (x, y) координаты текста в TextView.

activity_main.xml Простой макет для демонстрации.

<android.support.constraint.ConstraintLayout
    android:id="@+id/layout"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context=".MainActivity">

    <TextView
        android:id="@+id/textView1"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_marginTop="24dp"
        android:background="@android:color/holo_blue_light"
        android:padding="24dp"
        android:text="Hello World"
        android:textColor="@android:color/black"
        android:textSize="50sp"
        app:layout_constraintLeft_toLeftOf="parent"
        app:layout_constraintRight_toRightOf="parent"
        app:layout_constraintTop_toTopOf="parent" />

    <TextView
        android:id="@+id/textView2"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_marginTop="24dp"
        android:background="@android:color/holo_blue_light"
        android:padding="24dp"
        android:text="Hello Worldly"
        android:textColor="@android:color/black"
        android:textSize="50sp"
        app:layout_constraintLeft_toLeftOf="parent"
        app:layout_constraintRight_toRightOf="parent"
        app:layout_constraintTop_toBottomOf="@id/textView1" />

    <TextView
        android:id="@+id/textView3"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_marginTop="24dp"
        android:background="@android:color/holo_blue_light"
        android:padding="24dp"
        android:text="aaaaaaaaaa"
        android:textColor="@android:color/black"
        android:textSize="50sp"
        app:layout_constraintLeft_toLeftOf="parent"
        app:layout_constraintRight_toRightOf="parent"
        app:layout_constraintTop_toBottomOf="@id/textView2" />

</android.support.constraint.ConstraintLayout>

MainActivity.java

public class MainActivity extends AppCompatActivity {

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        drawTextBounds((TextView) findViewById(R.id.textView1));
        drawTextBounds((TextView) findViewById(R.id.textView2));
        drawTextBounds((TextView) findViewById(R.id.textView3));
    }

    private void drawTextBounds(TextView textView) {
        // Force measure of text pre-layout.
        textView.measure(0, 0);
        String s = (String) textView.getText();

        // bounds will store the rectangle that will circumscribe the text.
        Rect bounds = new Rect();
        Paint textPaint = textView.getPaint();

        // Get the bounds for the text. Top and bottom are measured from the baseline. Left
        // and right are measured from 0.
        textPaint.getTextBounds(s, 0, s.length(), bounds);
        int baseline = textView.getBaseline();
        bounds.top = baseline + bounds.top;
        bounds.bottom = baseline + bounds.bottom;
        int startPadding = textView.getPaddingStart();
        bounds.left += startPadding;

        // textPaint.getTextBounds() has already computed a value for the width of the text, 
        // however, Paint#measureText() gives a more accurate value.
        bounds.right = (int) textPaint.measureText(s, 0, s.length()) + startPadding;

        // At this point, (x, y) of the text within the TextView is (bounds.left, bounds.top)
        // Draw the bounding rectangle.
        Bitmap bitmap = Bitmap.createBitmap(textView.getMeasuredWidth(),
                                            textView.getMeasuredHeight(),
                                            Bitmap.Config.ARGB_8888);
        Canvas canvas = new Canvas(bitmap);
        Paint rectPaint = new Paint();
        rectPaint.setColor(Color.RED);
        rectPaint.setStyle(Paint.Style.STROKE);
        rectPaint.setStrokeWidth(1);
        canvas.drawRect(bounds, rectPaint);
        textView.setForeground(new BitmapDrawable(getResources(), bitmap));
    }
}

enter image description here

0 голосов
/ 24 сентября 2018

Значение Y

Вы можете использовать textView.getTextSize() или textView.getPaint().getTextSize(), чтобы получить фактический размер используемого текста в пикселях (как Float).

ДалееНам нужна общая высота текстового представления, которое мы можем найти следующим образом:

textView.measure(0, 0); // We must call this to let it calculate the heights
int height = textView.getMeasuredHeight();

Однако конечный размер, который нам нужен, также может иметь десятичные дроби.Итак, давайте сделаем его плавающим для большей точности:

float totalHeight = (float) height;

Теперь, когда мы знаем значения, мы можем вычислить значение y текста внутри представления:

// The spacing between the views is `totalHeight - textSize`
// We have a spacing at the top and the bottom, so we divide it by 2
float yValue = (totalHeight - textSize) / 2

Значение X

Кроме того, xValue - это просто значение x самого текстового представления при использовании android:includeFontPadding="false".

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...