0

我有以下算法用于将 24 位位图转换为像素的十六进制字符串表示形式:

// *data = previously returned data from a call to GetDIBits
// width = width of bmp
// height = height of bmp
void BitmapToString(BYTE *data, int width, int height)
{
    int total = 4*width*height;
    int i;
    CHAR buf[3];
    DWORD dwWritten = 0;
    HANDLE hFile = CreateFile(TEXT("out.txt"), GENERIC_READ | GENERIC_WRITE, 
                                0, NULL, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL, NULL);
    for(i = 0; i < total; i++)
    {
        SecureZeroMemory(buf, 3);
        wsprintfA(buf, "%.2X", data[i]);

        // only write the 2 characters and not the null terminator:
        WriteFile(hFile, buf, 2, &dwWritten, NULL);

    }
    WriteFile(hFile, "\0", 2, &dwWritten, NULL);
    CloseHandle(hFile);
}

问题是,我希望它忽略每行末尾的填充。例如,对于一个 2x2 位图,其中所有像素的值为 #7f7f7f,out.txt 的内容也包含填充字节:

7F7F7F7F7F7F00007F7F7F7F7F7F0000

我将如何调整循环以避免包含填充零?

4

1 回答 1

1

将您的项目设置更改为在写入时不填充到 16 个字节是一种想法。另一个是知道填充设置的字节数(在您的示例中为 16),并使用模数(或和)来确定每行需要跳过多少字节:

  int offset = 0;
  for(i = 0; i < height; i++)
  {
    // only read 3 sets of bytes as the 4th is padding.
    for(j = 0; j < width*3; j++)
    {
        SecureZeroMemory(buf, 3);
        wsprintfA(buf, "%.2X", data[offset]);

        // only write the 2 characters and not the null terminator:
        WriteFile(hFile, buf, 2, &dwWritten, NULL);
        offset++;
    }

    // offset past pad bytes
    offset += offset % 8;
  }

这个解决方案应该可以工作,但如果不进一步了解您的填充字节是如何发生的,我不会保证它。

于 2013-03-07T18:23:57.797 回答