访问 Syles 中的自定义字体

Xamarin.Forms 为使用全局样式设计跨平台应用程序提供了很好的机制。

在移动世界中,你的应用程序必须漂亮并且能够从其他应用程序中脱颖而其中一个字符是应用程序中使用的自定义字体。

在 Xamarin.Forms 中使用 XAML Styling 的强大支持,只需为你的自定义字体创建所有标签的基本样式。

要在 iOS 和 Android 项目中包含自定义字体,请遵循使用由 Gerald 编写的 Xamarin.Forms帖子在 iOS 和 Android 上使用自定义字体的指南。

在 App.xaml 文件资源部分中声明样式。这使得所有样式全局可见。

从上面的 Gerald 帖子我们需要使用 StyleId 属性,但它不是可绑定属性,所以要在 Style Setter 中使用它,我们需要为它创建 Attachable 属性:

public static class FontHelper
{
    public static readonly BindableProperty StyleIdProperty =
        BindableProperty.CreateAttached(
            propertyName: nameof(Label.StyleId),
            returnType: typeof(String),
            declaringType: typeof(FontHelper),
            defaultValue: default(String),
            propertyChanged: OnItemTappedChanged);

    public static String GetStyleId(BindableObject bindable) => (String)bindable.GetValue(StyleIdProperty);

    public static void SetStyleId(BindableObject bindable, String value) => bindable.SetValue(StyleIdProperty, value);

    public static void OnItemTappedChanged(BindableObject bindable, object oldValue, object newValue)
    {
        var control = bindable as Element;
        if (control != null)
        {
            control.StyleId = GetStyleId(control);
        }
    }
}

然后在 App.xaml 资源中添加样式:

<?xml version="1.0" encoding="utf-8" ?>
<Application xmlns="http://xamarin.com/schemas/2014/forms"
             xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
             xmlns:h="clr-namespace:My.Helpers"
             x:Class="My.App">

  <Application.Resources>

    <ResourceDictionary>
        <Style x:Key="LabelStyle" TargetType="Label">
            <Setter Property="FontFamily" Value="Metric Bold" />
            <Setter Property="h:FontHelper.StyleId" Value="Metric-Bold" />
        </Style>
    </ResourceDictionary>

  </Application.Resources>

</Application>

根据上面的帖子,我们需要创建 Label 的 Custom Renderer,它继承自 Android 平台上的 LabelRenderer。

internal class LabelExRenderer : LabelRenderer
{
    protected override void OnElementChanged(ElementChangedEventArgs<Label> e)
    {
        base.OnElementChanged(e);
        if (!String.IsNullOrEmpty(e.NewElement?.StyleId))
        {
            var font = Typeface.CreateFromAsset(Forms.Context.ApplicationContext.Assets, e.NewElement.StyleId + ".ttf");
            Control.Typeface = font;
        }
    }
}

对于 iOS 平台,不需要自定义渲染器。

现在,你可以在页面标记中获取样式:

对于特定标签

<Label Text="Some text" Style={StaticResource LabelStyle} />

或者通过创建基于 LabesStyle 的样式将样式应用于页面上的所有标签

<!-- language: xaml -->

<?xml version="1.0" encoding="utf-8" ?>
<ContentPage xmlns="http://xamarin.com/schemas/2014/forms"
             xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
             x:Class="My.MainPage">

  <ContentPage.Resources>

    <ResourceDictionary>
        <Style TargetType="Label" BasedOn={StaticResource LabelStyle}>
        </Style>
    </ResourceDictionary>

  </ContentPage.Resources>

  <Label Text="Some text" />      

</ContentPage>