如何获取GDI的字距调整信息,然后在GetKerningPairs中使用? documentation表示
lpkrnpair数组中的对数。如果字体超过 nNumPairs字距调整对,函数返回错误。
但是,我不知道要传递多少对,我也没有办法查询它。
编辑#2
这是我也尝试过的填充应用程序,对于任意数量的对,总是为0生成0。 GetLastError也总是返回0。
#include <windows.h>
#include <Gdiplus.h>
#include <iostream>
using namespace std;
using namespace Gdiplus;
int main(void)
{
GdiplusStartupInput gdiplusStartupInput;
ULONG_PTR gdiplusToken;
GdiplusStartup(&gdiplusToken, &gdiplusStartupInput, NULL);
Font* myFont = new Font(L"Times New Roman", 12);
Bitmap* bitmap = new Bitmap(256, 256, PixelFormat32bppARGB);
Graphics* g = new Graphics(bitmap);
//HDC hdc = g->GetHDC();
HDC hdc = GetDC(NULL);
SelectObject(hdc, myFont->Clone());
DWORD numberOfKerningPairs = GetKerningPairs(hdc, INT_MAX, NULL );
cout << GetLastError() << endl;
cout << numberOfKerningPairs << endl;
GdiplusShutdown(gdiplusToken);
return 0;
}
修改 我尝试了以下操作,但它仍然给了我0。
Font* myFont = new Font(L"Times New Roman", 10);
Bitmap* bitmap = new Bitmap(256, 256, PixelFormat32bppARGB);
Graphics* g = new Graphics(bitmap);
SelectObject(g->GetHDC(), myFont);
//DWORD numberOfKerningPairs = GetKerningPairs( g->GetHDC(), -1, NULL );
DWORD numberOfKerningPairs = GetKerningPairs( g->GetHDC(), INT_MAX, NULL );
答案 0 :(得分:3)
首先使用第三个参数设置为NULL调用它,在这种情况下,它返回字体的字距调整对数。然后分配内存,并再次通过该缓冲区调用它:
int num_pairs = GetKerningPairs(your_dc, -1, NULL);
KERNINGPAIR *pairs = malloc(sizeof(*pairs) * num_pairs);
GetKernningPairs(your_dc, num_pairs, pairs);
编辑:我做了一个快速测试(使用不是GDI +的MFC)并得到了看似合理的结果。我使用的代码是:
CFont font;
font.CreatePointFont(120, "Times New Roman", pDC);
pDC->SelectObject(&font);
int pairs = pDC->GetKerningPairs(1000, NULL);
CString result;
result.Format("%d", pairs);
pDC->TextOut(10, 10, result);
这打印出116
作为结果。
答案 1 :(得分:3)
问题在于你传递的Gdiplus::Font
而不是HFONT SelectObject
。您需要将Font* myFont
转换为HFONT
,然后将HFONT
传递给SelectObject。
首先,要将Gdiplus::Font
转换为HFONT
,您需要从Gdiplus::Font
获取LOGFONT。一旦你这样做,其余的很简单。获得字距调整对的工作解决方案是
Font* gdiFont = new Font(L"Times New Roman", 12);
Bitmap* bitmap = new Bitmap(256, 256, PixelFormat32bppARGB);
Graphics* g = new Graphics(bitmap);
LOGFONT logFont;
gdiFont->GetLogFontA(g, &logFont);
HFONT hfont = CreateFontIndirect(&logFont);
HDC hdc = GetDC(NULL);
SelectObject(hdc, hfont);
DWORD numberOfKerningPairs = GetKerningPairs(hdc, INT_MAX, NULL );
正如您所知,我给出的唯一功能变化是创建FONT
。