4

我想弄清楚如何在 SlimDX 的屏幕上绘制文本。

初步研究并不令人鼓舞。我发现的唯一具体例子是:

http://www.aaronblog.us/?p=36

我正在尝试将其移植到我的代码中,但事实证明这非常困难,4 小时后我开始怀疑这是否是正确的方法。

从本质上讲,做一些像在屏幕上写文本这样简单的事情似乎很困难。Aaron 的方法似乎是目前唯一可行的方法。没有其他比较点。

还有其他人可以提供任何建议吗?

PS 我怀疑我现在可以为字母创建单独的图像,并编写一个例程将字符串转换为一系列精灵。不过,这样做似乎有点疯狂。

4

2 回答 2

4

渲染文本确实有点复杂。呈现一般文本的唯一方法是使用 Direct2D / DirectWrite。这仅在 DirectX10 中受支持。所以你必须创建一个 DirectX 10 设备、DirectWrite 和 Direct2D 工厂。然后,您可以创建可供 DirectX 10 和 11 设备使用的共享纹理。

此纹理将包含渲染后的文本。Aaron 使用此纹理将其与全屏融合。因此,您可以使用 DirectWrite 绘制完整的字符串。本质上,这就像绘制一个带纹理的四边形。

正如您已经提到的,另一种方法是绘制一个精灵表并将字符串分成几个精灵。我认为,后一种方式要快一些,但我还没有测试过。我在我的Sprite & Text 引擎中使用了这种方法。见方法AssertDeviceCreateCharTable

于 2012-09-04T09:03:14.280 回答
3

有一个不错的 DirectWrite 包装器,名为http://fw1.codeplex.com/

它在 c++ 中,但是为它制作一个混合模式包装器非常简单(这是我为我的 c# 项目所做的)。

这是一个简单的例子:

.h 文件

#pragma once
#include "Lib/FW1FontWrapper.h"
using namespace System::Runtime::InteropServices;

public ref class DX11FontWrapper
{
public:
    DX11FontWrapper(SlimDX::Direct3D11::Device^ device);
    void Draw(System::String^ str,float size,int x,int y,int color);
private:
    SlimDX::Direct3D11::Device^ device;
    IFW1FontWrapper* pFontWrapper;
};

.cpp 文件

#include "StdAfx.h"
#include "DX11FontWrapper.h"

DX11FontWrapper::DX11FontWrapper(SlimDX::Direct3D11::Device^ device)
{
    this->device = device;

    IFW1Factory *pFW1Factory;
    FW1CreateFactory(FW1_VERSION, &pFW1Factory);
    ID3D11Device* dev = (ID3D11Device*)device->ComPointer.ToPointer();

    IFW1FontWrapper* pw;

    pFW1Factory->CreateFontWrapper(dev, L"Arial", &pw); 
    pFW1Factory->Release();

    this->pFontWrapper = pw;
}

void DX11FontWrapper::Draw(System::String^ str,float size,int x,int y, int color)
{
    ID3D11DeviceContext* pImmediateContext = 
        (ID3D11DeviceContext*)this->device->ImmediateContext->ComPointer.ToPointer();

    void* txt = (void*)Marshal::StringToHGlobalUni(str);
    pFontWrapper->DrawString(pImmediateContext, (WCHAR*)txt, size, x, y, color, 0);
    Marshal::FreeHGlobal(System::IntPtr(txt));
}
于 2012-09-06T09:38:35.473 回答