old-nall/decode/bmp.hpp

77 lines
2.1 KiB
C++
Raw Normal View History

2016-05-15 10:42:10 +00:00
#pragma once
namespace nall { namespace Decode {
struct BMP {
BMP() = default;
BMP(const string& filename) { load(filename); }
2016-08-09 18:27:40 +00:00
BMP(const uint8_t* data, uint size) { load(data, size); }
2016-05-15 10:42:10 +00:00
explicit operator bool() const { return _data; }
auto reset() -> void {
if(_data) { delete[] _data; _data = nullptr; }
}
auto data() -> uint32_t* { return _data; }
auto data() const -> const uint32_t* { return _data; }
2016-08-09 18:27:40 +00:00
auto width() const -> uint { return _width; }
auto height() const -> uint { return _height; }
2016-05-15 10:42:10 +00:00
auto load(const string& filename) -> bool {
auto buffer = file::read(filename);
return load(buffer.data(), buffer.size());
}
2016-08-09 18:27:40 +00:00
auto load(const uint8_t* data, uint size) -> bool {
2016-05-15 10:42:10 +00:00
if(size < 0x36) return false;
const uint8_t* p = data;
if(read(p, 2) != 0x4d42) return false; //signature
read(p, 8);
2016-08-09 18:27:40 +00:00
uint offset = read(p, 4);
2016-05-15 10:42:10 +00:00
if(read(p, 4) != 40) return false; //DIB size
2016-08-09 18:27:40 +00:00
int width = read(p, 4);
2016-05-15 10:42:10 +00:00
if(width < 0) return false;
2016-08-09 18:27:40 +00:00
int height = read(p, 4);
2016-05-15 10:42:10 +00:00
bool flip = height < 0;
if(flip) height = -height;
read(p, 2);
2016-08-09 18:27:40 +00:00
uint bitsPerPixel = read(p, 2);
2016-05-15 10:42:10 +00:00
if(bitsPerPixel != 24 && bitsPerPixel != 32) return false;
if(read(p, 4) != 0) return false; //compression type
_width = width;
_height = height;
_data = new uint32_t[width * height];
2016-08-09 18:27:40 +00:00
uint bytesPerPixel = bitsPerPixel / 8;
uint alignedWidth = width * bytesPerPixel;
uint paddingLength = 0;
2016-05-15 10:42:10 +00:00
while(alignedWidth % 4) alignedWidth++, paddingLength++;
p = data + offset;
for(auto y : range(height)) {
uint32_t* output = flip ? _data + (height - 1 - y) * width : _data + y * width;
for(auto x : range(width)) {
*output++ = read(p, bytesPerPixel) | (bitsPerPixel == 24 ? 255u << 24 : 0);
}
if(paddingLength) read(p, paddingLength);
}
return true;
}
private:
uint32_t* _data = nullptr;
2016-08-09 18:27:40 +00:00
uint _width = 0;
uint _height = 0;
2016-05-15 10:42:10 +00:00
2016-08-09 18:27:40 +00:00
auto read(const uint8_t*& buffer, uint length) -> uintmax {
uintmax result = 0;
for(auto n : range(length)) result |= (uintmax)*buffer++ << (n << 3);
2016-05-15 10:42:10 +00:00
return result;
}
};
}}