Как я могу использовать TypefaceSpan или StyleSpan с пользовательским шрифтом? - PullRequest
71 голосов
/ 27 января 2011

Я не нашел способ сделать это. Возможно ли это?

Ответы [ 5 ]

145 голосов
/ 28 января 2011

Ну, я не мог понять, как это сделать с доступными классами, поэтому я расширил TypefaceSpan самостоятельно, и теперь он работает для меня.Вот что я сделал:

package de.myproject.text.style;

import android.graphics.Paint;
import android.graphics.Typeface;
import android.text.TextPaint;
import android.text.style.TypefaceSpan;

public class CustomTypefaceSpan extends TypefaceSpan {
    private final Typeface newType;

    public CustomTypefaceSpan(String family, Typeface type) {
        super(family);
        newType = type;
    }

    @Override
    public void updateDrawState(TextPaint ds) {
        applyCustomTypeFace(ds, newType);
    }

    @Override
    public void updateMeasureState(TextPaint paint) {
        applyCustomTypeFace(paint, newType);
    }

    private static void applyCustomTypeFace(Paint paint, Typeface tf) {
        int oldStyle;
        Typeface old = paint.getTypeface();
        if (old == null) {
            oldStyle = 0;
        } else {
            oldStyle = old.getStyle();
        }

        int fake = oldStyle & ~tf.getStyle();
        if ((fake & Typeface.BOLD) != 0) {
            paint.setFakeBoldText(true);
        }

        if ((fake & Typeface.ITALIC) != 0) {
            paint.setTextSkewX(-0.25f);
        }

        paint.setTypeface(tf);
    }
}
96 голосов
/ 31 июля 2013

Хотя notme имеет по существу правильную идею, данное решение немного ошибочно, поскольку «семья» становится избыточной. Это также немного неверно, потому что TypefaceSpan - это один из специальных диапазонов, о которых Android знает и ожидает определенного поведения по отношению к интерфейсу ParcelableSpan (который подкласс notme не реализует должным образом, и это невозможно).

Более простое и точное решение:

public class CustomTypefaceSpan extends MetricAffectingSpan
{
    private final Typeface typeface;

    public CustomTypefaceSpan(final Typeface typeface)
    {
        this.typeface = typeface;
    }

    @Override
    public void updateDrawState(final TextPaint drawState)
    {
        apply(drawState);
    }

    @Override
    public void updateMeasureState(final TextPaint paint)
    {
        apply(paint);
    }

    private void apply(final Paint paint)
    {
        final Typeface oldTypeface = paint.getTypeface();
        final int oldStyle = oldTypeface != null ? oldTypeface.getStyle() : 0;
        final int fakeStyle = oldStyle & ~typeface.getStyle();

        if ((fakeStyle & Typeface.BOLD) != 0)
        {
            paint.setFakeBoldText(true);
        }

        if ((fakeStyle & Typeface.ITALIC) != 0)
        {
            paint.setTextSkewX(-0.25f);
        }

        paint.setTypeface(typeface);
    }
}
4 голосов
/ 19 мая 2018

В Android P возможно использовать тот же класс TypefaceSpan, о котором вы знаете, как показано здесь .

Но в более старых версиях вы можете использовать то, что они показали позже в видео, о котором я писал здесь .

0 голосов
/ 17 марта 2019

Если кому-то будет интересно, вот версия C # Xamarin кода Бенджамина:

using System;
using Android.Graphics;
using Android.Text;
using Android.Text.Style;

namespace Utils
{
    //https://stackoverflow.com/a/17961854/1996780
    /// <summary>A text span which applies <see cref="Android.Graphics.Typeface"/> on text</summary>
    internal class CustomFontSpan : MetricAffectingSpan
    {
        /// <summary>The typeface to apply</summary>
        public Typeface Typeface { get; }

        /// <summary>CTor - creates a new instance of the <see cref="CustomFontSpan"/> class</summary>
        /// <param name="typeface">Typeface to apply</param>
        /// <exception cref="ArgumentNullException"><paramref name="typeface"/> is null</exception>
        public CustomFontSpan(Typeface typeface) =>
            Typeface = typeface ?? throw new ArgumentNullException(nameof(typeface));


        public override void UpdateDrawState(TextPaint drawState) => Apply(drawState);

        public override void UpdateMeasureState(TextPaint paint) => Apply(paint);

        /// <summary>Applies <see cref="Typeface"/></summary>
        /// <param name="paint"><see cref="Paint"/> to apply <see cref="Typeface"/> on</param>
        private void Apply(Paint paint)
        {
            Typeface oldTypeface = paint.Typeface;
            var oldStyle = oldTypeface != null ? oldTypeface.Style : 0;
            var fakeStyle = oldStyle & Typeface.Style;

            if (fakeStyle.HasFlag(TypefaceStyle.Bold))
                paint.FakeBoldText = true;

            if (fakeStyle.HasFlag(TypefaceStyle.Italic))
                paint.TextSkewX = -0.25f;

            paint.SetTypeface(Typeface);
        }
    }
}

и использование: (в действии OnCreate)

var txwLogo = FindViewById<TextView>(Resource.Id.logo);
var font = Resources.GetFont(Resource.Font.myFont);

var wordtoSpan = new SpannableString(txwLogo.Text);
wordtoSpan.SetSpan(new CustomFontSpan(font), 6, 7, SpanTypes.InclusiveInclusive); //One caracter
txwLogo.TextFormatted = wordtoSpan;  
0 голосов
/ 18 декабря 2015

Я попробовал несколько подобных решений, обнаружил, что Это просто и выполнимо. Просто щелчок элемента обрабатывается как нажатие кнопки вместо onOptionsItemSelected. Спасибо!

Вот мой код для моего проекта:

В моем menu_main.xml:

<menu xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
tools:context=".MainActivity">


<item
    android:id="@+id/action_friends"
    android:orderInCategory="100"
    android:title="@string/hello_world"
    app:actionViewClass="android.widget.Button"
    app:showAsAction="always" />


<item
    android:id="@+id/action_settings"
    android:orderInCategory="100"
    android:title="@string/action_settings"
    app:showAsAction="never" />

</menu>

In My MainActivity.java:

@Override
public boolean onCreateOptionsMenu(Menu menu) {
    //Use custom menu
    MenuInflater inflater = getMenuInflater();
    //Inflate the custom menu
    inflater.inflate(R.menu.menu_main, menu);
    //reference to the item of the menu
    MenuItem i=menu.findItem(R.id.action_friends);
    Button itemuser =(Button) i.getActionView();

    if(itemuser!=null){
        // Create Typeface object to use unicode font in assets folder
        Typeface a =  Typeface.createFromAsset(getApplicationContext(), "fontawesome-webfont.ttf");
        // Set unicode font to menu item
        itemuser.setTypeface(a);
        itemuser.setText(getString(R.string.fa_users));
        // Set item text and color
        itemuser.setTextColor(Color.BLACK);
        // Make item background transparent
        itemuser.setBackgroundColor(Color.TRANSPARENT);

        itemuser.setOnClickListener(new View.OnClickListener(){

            @Override
            public void onClick(View v) {
                //set action when clicked
            }
        });
    }
    return super.onCreateOptionsMenu(menu);
}
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...