UE富文本(RichText)和自定义装饰器(Custom Decorator)

参考文档:

Epic提供了一个ImageDecorator的实现,我们可以模仿它来实现自定义Decorator。

剖析RichTextBlockImageDecorator

RichTextBlockImageDecorator.h

// Copyright Epic Games, Inc. All Rights Reserved.

#pragma once

#include "CoreMinimal.h"
#include "UObject/ObjectMacros.h"
#include "UObject/Object.h"
#include "Fonts/SlateFontInfo.h"
#include "Styling/SlateTypes.h"
#include "Framework/Text/TextLayout.h"
#include "Framework/Text/ISlateRun.h"
#include "Framework/Text/ITextDecorator.h"
#include "Components/RichTextBlockDecorator.h"
#include "Engine/DataTable.h"
#include "RichTextBlockImageDecorator.generated.h"

class ISlateStyle;

/** Simple struct for rich text styles */
/** Data的数据行定义,这里只含有一个FSlateBrush*/
USTRUCT(Blueprintable, BlueprintType)
struct UMG_API FRichImageRow : public FTableRowBase
{
    GENERATED_USTRUCT_BODY()

public:

    UPROPERTY(EditAnywhere, Category = Appearance)
    FSlateBrush Brush;
};

/**
 * Allows you to setup an image decorator that can be configured
 * to map certain keys to certain images.  We recommend you subclass this
 * as a blueprint to configure the instance.
 *
 * Understands the format <img id="NameOfBrushInTable"></>
 */
/**  图片装饰器类,可以在RichTextBlock的Decorator详情里看到UPROPERTY */
UCLASS(Abstract, Blueprintable) 
class UMG_API URichTextBlockImageDecorator : public URichTextBlockDecorator
{
    GENERATED_BODY()

public:
    URichTextBlockImageDecorator(const FObjectInitializer& ObjectInitializer);

        // 必须实现这个重写
    virtual TSharedPtr<ITextDecorator> CreateDecorator(URichTextBlock* InOwner) override;

       //找到数据表中相应的数据,即我们设置的FSlateBrush
    virtual const FSlateBrush* FindImageBrush(FName TagOrId, bool bWarnIfMissing);

protected:
       // 找到数据表中对应的行
    FRichImageRow* FindImageRow(FName TagOrId, bool bWarnIfMissing);

      // 数据表引用
    UPROPERTY(EditAnywhere, Category=Appearance, meta=(RowType="RichImageRow"))
    class UDataTable* ImageSet;
};

RichTextBlockImageDecorator.cpp
除了实现RichTextBlockImageDecorator之外,还定义并实现了两个类,分别是SRichInlineImage和FRichInlineImage。其中,SRichInlineImage为Slate,负责标记文本解析后的UI渲染;FRichInlineImage负责对标记进行实际的解析/替换。通过阅读后面的代码我们可以知道ImageDecorator支持的标签为:<img id="",width= ,height= ,strecth= />

// Copyright Epic Games, Inc. All Rights Reserved.

#include "Components/RichTextBlockImageDecorator.h"
#include "UObject/SoftObjectPtr.h"
#include "Rendering/DrawElements.h"
#include "Framework/Text/SlateTextRun.h"
#include "Framework/Text/SlateTextLayout.h"
#include "Slate/SlateGameResources.h"
#include "Widgets/SCompoundWidget.h"
#include "Widgets/DeclarativeSyntaxSupport.h"
#include "Framework/Application/SlateApplication.h"
#include "Fonts/FontMeasure.h"
#include "Math/UnrealMathUtility.h"
#include "Widgets/Images/SImage.h"
#include "Widgets/Layout/SScaleBox.h"
#include "Widgets/Layout/SBox.h"
#include "Misc/DefaultValueHelper.h"
#include "UObject/UObjectGlobals.h"
#include "UObject/Package.h"

#define LOCTEXT_NAMESPACE "UMG"

/**  Slate !!不熟啊 ~~~~*/
class SRichInlineImage : public SCompoundWidget
{
public:
    SLATE_BEGIN_ARGS(SRichInlineImage)
    {}
    SLATE_END_ARGS()

public:
    void Construct(const FArguments& InArgs, const FSlateBrush* Brush, const FTextBlockStyle& TextStyle, TOptional<int32> Width, TOptional<int32> Height, EStretch::Type Stretch)
    {
        if (ensure(Brush))
        {
            //获取FontMeasureService实例
            const TSharedRef<FSlateFontMeasure> FontMeasure = FSlateApplication::Get().GetRenderer()->GetFontMeasureService();
          // 富文本图片高度:取字体高度、Brush中ImageSize的Y值二者中更小的值,即图片大小受两个参数影响
            float IconHeight = FMath::Min((float)FontMeasure->GetMaxCharacterHeight(TextStyle.Font, 1.0f), Brush->ImageSize.Y);
            float IconWidth = IconHeight;

          // 还可以直接传入宽高值
            if (Width.IsSet())
            {
                IconWidth = Width.GetValue();
            }

            if (Height.IsSet())
            {
                IconHeight = Height.GetValue();
            }
          // 开始绘制
            ChildSlot
            [
                SNew(SBox)
                .HeightOverride(IconHeight)
                .WidthOverride(IconWidth)
                [
                    SNew(SScaleBox)
                    .Stretch(Stretch)
                    .StretchDirection(EStretchDirection::DownOnly)
                    .VAlign(VAlign_Center)
                    [
                        SNew(SImage)
                        .Image(Brush)
                    ]
                ]
            ];
        }
    }
};

class FRichInlineImage : public FRichTextDecorator
{
public:
//构造函数,先调用父类构造函数,然后传入Decorator指针
    FRichInlineImage(URichTextBlock* InOwner, URichTextBlockImageDecorator* InDecorator)
        : FRichTextDecorator(InOwner)
        , Decorator(InDecorator)
    {
    }
/**解析文本,如果返回true则表明支持这个标签文本,false则当作普通文字
 我们使用ImageDecorator的标签文本为: <img id="RowName"/> ,所以我们可以大致了解Parser是如何工作的,当然如果你想的话,你还可以自定义Parser (⊙﹏⊙)
*/
    virtual bool Supports(const FTextRunParseResults& RunParseResult, const FString& Text) const override
    {
        if (RunParseResult.Name == TEXT("img") && RunParseResult.MetaData.Contains(TEXT("id")))
        {
            const FTextRange& IdRange = RunParseResult.MetaData[TEXT("id")];
              //Text.Mid:取子串。这里取出Id值
            const FString TagId = Text.Mid(IdRange.BeginIndex, IdRange.EndIndex - IdRange.BeginIndex);

            const bool bWarnIfMissing = false;
            return Decorator->FindImageBrush(*TagId, bWarnIfMissing) != nullptr;
        }

        return false;
    }

protected:
/**   显然,只有当Support方法返回true之后,才会执行。找到我们在DataTable中配置的数据,用以生成Slate
*/
    virtual TSharedPtr<SWidget> CreateDecoratorWidget(const FTextRunInfo& RunInfo, const FTextBlockStyle& TextStyle) const override
    {
        const bool bWarnIfMissing = true;
        const FSlateBrush* Brush = Decorator->FindImageBrush(*RunInfo.MetaData[TEXT("id")], bWarnIfMissing);

            // 除了id之外,我们还可以在标签中写 width= ,height=,strech=
        TOptional<int32> Width;
        if (const FString* WidthString = RunInfo.MetaData.Find(TEXT("width")))
        {
            int32 WidthTemp;
            Width = FDefaultValueHelper::ParseInt(*WidthString, WidthTemp) ? WidthTemp : TOptional<int32>();
        }

        TOptional<int32> Height;
        if (const FString* HeightString = RunInfo.MetaData.Find(TEXT("height")))
        {
            int32 HeightTemp;
            Height = FDefaultValueHelper::ParseInt(*HeightString, HeightTemp) ? HeightTemp : TOptional<int32>();
        }

        EStretch::Type Stretch = EStretch::ScaleToFit;
        if (const FString* SstretchString = RunInfo.MetaData.Find(TEXT("stretch")))
        {
            static const UEnum* StretchEnum = StaticEnum<EStretch::Type>();
            int64 StretchValue = StretchEnum->GetValueByNameString(*SstretchString);
            if (StretchValue != INDEX_NONE)
            {
                Stretch = static_cast<EStretch::Type>(StretchValue);
            }
        }
            // 使用解析的数据构造Slate
        return SNew(SRichInlineImage, Brush, TextStyle, Width, Height, Stretch);
    }

private:
    URichTextBlockImageDecorator* Decorator;
};

/////////////////////////////////////////////////////
// URichTextBlockImageDecorator

URichTextBlockImageDecorator::URichTextBlockImageDecorator(const FObjectInitializer& ObjectInitializer)
    : Super(ObjectInitializer)
{
}

const FSlateBrush* URichTextBlockImageDecorator::FindImageBrush(FName TagOrId, bool bWarnIfMissing)
{
    const FRichImageRow* ImageRow = FindImageRow(TagOrId, bWarnIfMissing);
    if (ImageRow)
    {
        return &ImageRow->Brush;
    }

    return nullptr;
}

FRichImageRow* URichTextBlockImageDecorator::FindImageRow(FName TagOrId, bool bWarnIfMissing)
{
    if (ImageSet)
    {
        FString ContextString;
        return ImageSet->FindRow<FRichImageRow>(TagOrId, ContextString, bWarnIfMissing);
    }
    
    return nullptr;
}

// 必须实现,创建FRichInlineImage用来解析文本
TSharedPtr<ITextDecorator> URichTextBlockImageDecorator::CreateDecorator(URichTextBlock* InOwner)
{
    return MakeShareable(new FRichInlineImage(InOwner, this));
}

/////////////////////////////////////////////////////

#undef LOCTEXT_NAMESPACE

超链接Decorator:

上面的参考文章中有详细的代码可供查阅。引擎提供了SRichTextHyperlinkFHyperlinkStyle供使用,如果不能满足你的需求,那么你必须先好好学习Slate。

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 198,154评论 5 464
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 83,252评论 2 375
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 145,107评论 0 327
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 52,985评论 1 268
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 61,905评论 5 359
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 47,256评论 1 275
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 36,978评论 3 388
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 35,611评论 0 254
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 39,891评论 1 293
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 34,910评论 2 314
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 36,736评论 1 328
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 32,516评论 3 316
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 37,995评论 3 301
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,132评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 30,447评论 1 255
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,034评论 2 343
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 41,242评论 2 339