读取包含Heightmap的.raw文件

时间:2017-07-12 00:30:43

标签: c++ directx-11 heightmap

我正在使用libnoise库生成随机地形并将其保存在.raw文件中,该文件的高程点以米为单位。此terrain文件包含16位有符号的big-endian值,按行主要顺序,从南到北排序。这是我用来读取文件的代码。

struct HeightMapType
    {
        float x, y, z;
        float nx, ny, nz;
        float r, g, b;
    };

bool Terrain::LoadRawFile()
{
    int error, i, j, index;
    FILE* filePtr;
    unsigned long long imageSize, count;
    unsigned short* rawImage;


    // Create the float array to hold the height map data.
    m_heightMap = new HeightMapType[m_terrainWidth * m_terrainHeight];
    if(!m_heightMap)
    {
        return false;
    }

    // Open the 16 bit raw height map file for reading in binary.
    error = fopen_s(&filePtr, m_terrainFilename, "rb");
    if(error != 0)
    {
        return false;
    }

    // Calculate the size of the raw image data.
    imageSize = m_terrainHeight * m_terrainWidth;

    // Allocate memory for the raw image data.
    rawImage = new unsigned short[imageSize];
    if(!rawImage)
    {
        return false;
    }

    // Read in the raw image data.
    count = fread(rawImage, sizeof(unsigned short), imageSize, filePtr);
    if(count != imageSize)
    {
        return false;
    }

    // Close the file.
    error = fclose(filePtr);
    if(error != 0)
    {
        return false;
    }

    // Copy the image data into the height map array.
    for(j=0; j<m_terrainHeight; j++)
    {
        for(i=0; i<m_terrainWidth; i++)
        {
            index = (m_terrainWidth * j) + i;

            // Store the height at this point in the height map array.
            m_heightMap[index].y = (float)rawImage[index];
        }
    }

    // Release the bitmap image data.
    delete [] rawImage;
    rawImage = 0;

    // Release the terrain filename now that it has been read in.
    delete [] m_terrainFilename;
    m_terrainFilename = 0;

    return true;
}

代码不会返回任何错误,但这是呈现的结果:rawFileRendering

我用另一个保存在原始文件中的高度图(由rastertek给出)测试了代码并且它有效。

你知道为什么渲染的场景是这样的吗? 谢谢你的帮助。

1 个答案:

答案 0 :(得分:0)

两个问题:

  1. 您使用的是unsigned short,但您在说明中说过这些数字是已签名的。因此,您应该使用signed short代替
  2. 你不做任何关于字节序的事情。如果您使用的是小端机器,则应将值从big endian转换为little endian。
  3. 您可以使用以下方式转换字节顺序:

    short endianConvert(short x) {
        unsigned short v = (unsigned short)x;
        return (short)(v>>8|v<<8);
    }