Bit Fields

Published April 16, 2013 by All8Up
Do you see issues with this article? Let us know.
Advertisement

During a discussion on GameDev recently, I suggested someone use a bit field as a method to avoid having to deal with various masking and shift operations in a manual and potentially buggy manner. The suggestion was taken and then a snippet of the code was given; everything looked correct at first glance but in fact it was incorrect. In the process of updating my suggestion for the specific usage, I did a bit of Googling for something simple, only to find that the usage of bit fields and solid information on behavior is severely lacking. I hope to centralize some of the information and also give some examples of bit fields beyond the trivial examples I found in my searches.

What Is A Bit Field

The general definition of a bit field is the ability to access and manipulate multiple logical neighboring bits in memory in a clean and concise manner. While technically correct this leaves a lot to be desired and also does not supply a very good reason to ever use a bit field in order to simplify your code. Additionally, the C and C++ standards leave some wiggle room in the definitions so there is a small amount of per compiler information to be learned when using bit fields.

The standard was left loose due to the fact that a primary usage of bit fields in C was to map between the language and underlying hardware control registers. This is beyond the scope here but in order for compilers to map to specific hardware, sometimes the rules of how bits were laid out needed to be tweaked from platform to platform. It is the same reason that an 'int' in C/C++ does not specify that it is 32 or 64 bits in length explicitly; int can be tweaked to the best fit for the CPU and architecture. In order to avoid any bad assumptions, we are going to base all examples and explanations on the idea that the target platform is an Intel x86 instruction set CPU and the compiler is set up accordingly. So, given that clarification, our first example is the following:

struct BitField 
{ 
	unsigned short Count : 8; 
	unsigned short Offset : 7; 
	unsigned short Inverted : 1; 
}; 

What this example is doing is defining specific bits within the fundamental unsigned short to be presented to the programmer as named fields which can be accessed or modified. The 'Count' field is specified as being 8 bits wide and as such has a valid range of 0-255. The 'Offset' is 7 bits wide and of course 'Inverted' is 1 bit. Using the bit field is as simple as accessing members of a structure in a normal fashion:

BitField a; 
a.Count = 12; 
a.Offset = 31; 
a.Inverted = 0; 

Nothing particularly surprising, so what good does specifying this as a bit field do? For one thing, in this case: "sizeof( a )==2". We have packed all three of the fields into a single unsigned short, so it is compressed. The same structure without the bit field specifications would be "sizeof( a )==6", quite a savings. The benefit to the programmer is that because we know the limits of intended data, we can pack the data into a smaller space; this is often used in network transmissions, file storage and other areas where you want to minimize the size of data.

Bit Field Overflow

The example so far packs into a single unsigned short because the number of bits used in total is 16, which happens to match the number of bits within the fundamental type we specified: unsigned short. So, what happens when the specification bit count is more than 16? Let's change the example to be:

struct BitField 
{ 
	unsigned short Count : 8; 
	unsigned short Offset : 7; 
	unsigned short Origin : 2; 
}; 

Now the count of bits says we have 17. There are two primary side effects of this change, the first being that "sizeof( BitField )!=2", it is instead now "sizeof( BitField )==4". The compiler has added another unsigned short to the structure in order to contain all the bits we specified, so there are now 15 bits which are unused in this structure.

The second side effect is that the 'Origin' field which replaced 'Inverted' is no longer where you may expect it in the binary data. Instead of splitting the 2 bits, both bits are placed in the new element added to the structure. This means that in the first 16 bit value the high bit is no longer used and that there are actually only 14 unused bits in the newly added element. Given that the compiler avoids splitting fields over the fundamental type boundaries, what happens if you tried the following?

struct BitField 
{ 
	unsigned short WhatsThis : 17; 
}; 

The compiler will likely give you a warning, if not an error, on the ': 17' portion saying that the specified bit count exceeds the size of the underlying type. Normally this means that the field will end up being only 16 bits long and you are not getting the 17th bit allocated. So, if you attempt to use the entire 17 bits the top bit will be truncated.

Mixing Types In a Bit Field

What happens when you try to specify the type of single bit fields as a 'bool' in C++:

struct BitField 
{ 
	int FirstField : 8; 
	bool SecondField : 1; 
	int ThirdField : 8; 
	int FourthField : 8; 
}; 

You will be in for an unpleasant surprise with this definition as the behavior in this case is compiler specific. The C++ standard supplies no rules to standardize the behavior here and as such we have an example of Visual Studio and GCC/Clang differences. I could find no documentation about Visual Studio's behavior here and can only write the observed result and the guessed rules which cause it.

The size of this bit field is actually 12, Visual Studio seems to close the first int, open a bool type for the single bit then open another int for the last two fields. On the other hand, both GCC and Clang seem to be just fine with packing the bool into the int type and the size of the bit field remains 4 bytes. Another variation of this, with a different result, could be the following:

struct BitField 
{ 
	int FirstField : 8; 
	unsigned int SecondField : 8; 
	int ThirdField : 8; 
	int FourthField : 8; 
};

If you report the size of this structure, you will get 4 bytes again on the three compilers. Visual Studio does not seem to care if the type is signed or unsigned in this case, it only cares that the fundamental type sizeof is the same. To be safe, it is suggested not to mix the fundamental types or at least do some serious testing to guarantee the compiler behavior. This is not a compiler bug, the C++ standard does not specify anything of use in clarifying the behavior here, so it is open to interpretation.

The Allowed Fundamental Types

A primary item which my searches failed to show initially was which fundamental types were allowed, most results just showed "unsigned" in examples. When the results were more specific, most of the documentation you find refers to the C99 standard which specifies that the fundamental types can be one of: _Byte, signed int and unsigned int. But what about the C++ standards? This actually took a little digging but the answer is that C++ greatly expanded the allowed types to be: any integral type or enumeration type.

So, in C++, fundamental types such as 'long long' (64 bit integer on x86) can be used as the type. The enumeration type is a bit beyond the intended scope but enumerations are considered to be a signed integer type unless you use C++11 class typing on the enumeration. How the compiler interprets mixing the enumeration into the bit field is implementation defined and as such you need to test your compiler behavior. By these definitions the prior examples, in C99, would have been flagged as warnings or errors due to the use of unsigned short. Though, most compilers did support this and other variations.

Bit Field Binary Representation

Mapping the bit fields to their binary representations is a compiler specific item, so this section may need to be researched for your compiler. On most modern compilers though (MSVC, GNU and Clang targeting x86/x64 code as examples), the general rule is that the fields take bits from the fundamental type in the order you specify starting with the first field taking the lowest bits and continuing up till ending the bit field or moving to the next fundamental type. So, for instance, our original example will have the following binary representation:

struct BitField 
{ 
	unsigned short Count : 8; 
	unsigned short Offset : 7; 
	unsigned short Inverted : 1; 
}; 
BitField.jpg

Fine Grained Bit Field Control

Packing bits tightly is only one of the abilities of a bit field. Additionally, you can insert padding and also control at what points a new fundamental type is allocated. We'll use an example of mapping a hypothetical binary image format header to a bit field for easier manipulation and access. We'll start with a textual description of the intentionally horrible image format header chunk:

Image Format: 
Byte 0-1: Magic identifier: 0xf321 
Byte 2: Version of format. Valid formats 0-5. 
Byte 3: low nibble specifies x origin, high nibble specifies y origin. 0=top or left, 1=bottom or right. 
Byte 4-7: Width of image. (Little endian.) 
Byte 8-11: Height of image. (Little endian.) 

Using bit fields we can define this as a structure which can be binary loaded and saved on a little endian CPU. The largest fundamental type described here is a 32 bit integer, so we want to end up with the width and height fields being represented as full integer values. Yet, at the same time we want to keep the bit counts we specify for the fields appropriate to the data ranges specified in the format.

For instance, we know the valid formats are 0-5 so the first byte only has 3 bits of range involved. A naive method of mapping the description to a bit field would be to insert padding manually as follows:

struct Header 
{ 
	int Magic : 16; 
	int Version : 3; 
	int pad0 : 5; // Padding to next byte. 
	int YOrigin : 1; 
	int pad1 : 3; // Padding to next nibble. 
	int XOrigin : 1; 
	int Width : 32; // Will be in the next 'int' automatically since it won't fit in the prior one. 
	int Height : 32; // Next int again. 
}; 

Personally, I don't like the unused 'pad' fields in my code, much less in an auto complete list if your editor supports such things. Additionally, I'd rather be explicit in expecting width to be in the next int as intended. So, we use unnamed fields in the definition to help out here:

struct Header 
{ 
	int Magic : 16; 
	int Version : 3; 
	int : 5; // Padding to next byte. 
	int YOrigin : 1; 
	int : 3; // Padding to next nibble. 
	int XOrigin : 1; 
	int : 0; // Explicitly tell the compiler to allocate a new integer. 
	int Width : 32; // Will be in the next 'int' automatically since it won't fit in the prior one. 
	int Height : 32; // Next int again. 
}; 

This does exactly the same thing but now you don't have to pepper the structure with 'padx' field names unless you have a specific purpose, in which case you could probably use a better name than 'pad'. Say for instance, you expect to eventually allow more than 8 type versions and thus end up using some of the 5 padding bits.

You could name the pad: "VersionReserved". The name makes sense as it is reserved specifically for extension of the version field. But, assuming you don't care about the bits for the time being, the unnamed field does the same job and doesn't dirty up auto completions and such.

What exactly is the unnamed '0' field though, 0 bits, huh? This is a special standards required behavior which tells the compiler to immediately allocate a new fundamental type for the next field to begin filling. While it is already implied that the 32 bit field will have to be placed in a new int since it won't fit otherwise, this is an explicit hint for readability in this case.

Real World Examples

So all the description is fine, but at this point you may be asking yourself, why would I ever bother with this? There are several cases where a bit field can be extremely valuable, either in simplification or in clearing up messy programming. I'll give two examples in the following which could be used in today's coding requirements.

Working With 16 Bit Colors

Working with 16 bit colors can often cause a fair amount of headaches. You pass the color around as an uint16_t (unsigned short) but then need to manipulate the r, g and b components individually. Accessing the components individually involves masking out the relevant portions of the value and then shifting them into place for further work.

So, for instance your color is probably packed as 5:6:5 such that there are 5 r and b bits and 6 g bits. Accessing the b bits is simple: "int b = color & 0x1f;". Accessing r and g involve shifts, so for instance, to get the g you could use: "int g = (color>>5) & 0x3f;". Replacing items in the colors is more complicated due to having to mask out the original value prior to inserting the new bits.

Doing such accesses, even with helpers or macros is often error-prone so, in steps the bit field:

typedef uint16_t ColorRGB565_t; 
union ColorRGB565 
{ 
	ColorRGB565_t Composite; 
	struct 
	{ 
		ColorRGB565_t B : 5; 
		ColorRGB565_t G : 6; 
		ColorRGB565_t R : 5; 
	}; 
}; 

So the compiler does all the masking and shifting for you and makes the type a bit cleaner to use. Better yet, by using the bit field you are giving the compiler more opportunity to perform optimizations for you. Perhaps in a function where you extract the G twice, if you use shifts and masking yourself or a helper function, the compiler may not be able to recognize that they are both doing the same thing and eliminate one of the extractions.

With the bit field, it is much more likely that the compiler will notice the duplication and remove it. But, considerably better, is that all the shifting and masking is handled by the compiler without hassles for the programmer.

Working With IEEE 754 Floating Points

Eventually, all programmers should probably understand the floating point format. But much as in the 16 bit color example, extracting and manipulating the bits in a float is both error-prone and often confusing. So, it is the bit field definition to the rescue once again:

typedef uint32_t FloatBinaryRep_t; 
union FloatBinaryRep 
{ 
	float Value; 
	struct 
	{ 
		FloatBinaryRep_t Mantissa : 23; 
		FloatBinaryRep_t Exponent : 8; 
		FloatBinaryRep_t Sign : 1; 
	}; 
}; 

By strict aliasing rules, the given union is actually undefined by the C++ standard. Thankfully both MSVC and GNU specifically state that this is valid and as such you can use this style of aliasing. On a compiler without the guarantee it would be required to memcpy the data from the float into the bit field representation.

Using this union allows you to write simplified code for several things. Duplicating some items in the standard libraries for instance, you could detect nan's using the following code:

bool IsNan( float f ) 
{ 
	FloatBinaryRep_t fbr; 
	fbr.Value = f; 
	
	if( fbr.Exponent=0xFF && fbr.Mantissa!=0 ) 
		return true; 
		
	return false; 
} 

More important uses are beyond the scope of this article but an example would be implementing a tolerant equivalence check which scales with the magnitudes of the inputs. This is an important feature since the standard tolerance used by many programs is something like "abs( a-b ) > tolerance" which has to be specifically coded for the input data.

If your values range from 1-100 the tolerances are likely in the '0.0001f' range, but if your values are 0-1, the tolerance may need to be more like '0.00000001f' to be useful. A more flexible tolerance is one which understands the binary representation and works as a percentage of difference instead of the fixed range used in the simple delta comparisons.

Conclusion

Hopefully you have a better understanding of bit fields, their possible uses and of course the idiosyncrasies of their implementations. Bringing all of the information into one place, with examples beyond the trivial, was the primary goal. Hopefully this short article will be a reasonable reference for people in the future.

Article Update Log

16 April 2013: Rewrite of mixing types. Tracked down a recent C++ standard, this is completely compiler specific and my testbed did not flag the problem due to a bug in my testbed.
15 April 2013: First pass clarification of binary representation.
13 April 2013: Initial release.

Cancel Save
0 Likes 10 Comments

Comments

jsvcycling

Great article on a rarely used concept.

April 15, 2013 06:37 PM
ultramailman
Bit fields are nice, and I've always wanted to use them in code. But I've seen many articles talking about how buggy there implementations are, or how many aspects of them are dependent on the compiler. Now I think maybe I should try to use them a little bit after all.

If they are only read and written to normally (as opposed to cool union tricks), then there should be no problems right?
April 15, 2013 10:56 PM
All8Up

Bit fields have gotten a pretty bad rap in the past but I've not seen a bug with them in a number of years and I tend to use them quite a bit. The union tricks are simply for ease of use in the two cases, you can use them as normal structures in other cases quite well.

April 15, 2013 11:56 PM
Servant of the Lord
Very great article. I saw your previous post in that other thread, and also found that useful. Thanks for posting it!

Under "Bit Field Overflow", you say, "The compiler has added another unsigned int to the binary data in order to contain all the bits we specified, so there are now 15 bits which are unused in this structure."

Did it add another unsigned short, or did it turn the previous unsigned short into an unsigned int?

"The compiler does not care if the type is signed or unsigned in this case, it only cares that the fundamental type has the same bit width."

So I can switch between signed and unsigned without consequence, as long as the byte-size is the same - that's really cool. Is that standard C++, or part of the compiler-specific stuff?

I've never really used bitfields, so I ran a few few tests - unfortunately, I'm observing results that differ from what I think you're saying my results should be.

How come I can put a bool and an enum into a bitfield started by an unsigned int, and it still all fit into 4 bytes? ( http://ideone.com/B5OYjh )

This seems contrary to what you are saying in "Mixing Types In a Bit Field". Am I missing something?

Under 'Bit Field Binary Representation', you said "the general rule is that the bits are mapped from lowest to highest within the fundamental type."

Are you saying that the specified bit size of each variable effects the order the variables are mapped into the memory?
That seems weird. Are you sure it's not just that you happen to be mapping them from greatest to least, and they are mapped exactly in the order you have it, except it appears backwards because Windows is Little Endian?

That seems to be what I'm observing here: http://ideone.com/T0w39g
April 16, 2013 01:59 AM
All8Up

Very great article. I saw your previous post in that other thread, and also found that useful. Thanks for posting it!

Under "Bit Field Overflow", you say, "The compiler has added another unsigned int to the binary data in order to contain all the bits we specified, so there are now 15 bits which are unused in this structure."

Did it add another unsigned short, or did it turn the previous unsigned short into an unsigned int?

Err, oops.. smile.png Will fix..


"The compiler does not care if the type is signed or unsigned in this case, it only cares that the fundamental type has the same bit width."

So I can switch between signed and unsigned without consequence, as long as the byte-size is the same - that's really cool. Is that standard C++, or part of the compiler-specific stuff?

I was actually unable to find a specific note on this even in the standard. I tested it on 5 compilers and they all accept the change without closing the fields though. I was going to try and find something more concrete on this one and forgot to drop a note in the text about it.


I've never really used bitfields, so I ran a few few tests - unfortunately, I'm observing results that differ from what I think you're saying my results should be.

So, it turns out I walked smack dab into implementation defined behavior issues. I dug up a recent C++11 standard finally (pain in the ass without paying a ton for it), and as mentioned the standard leaves all sorts of wiggle room. This entire bit is completely per implementation. Of course my testbed should have caught this but it turns out you should really go through with a fine tooth comb and debug the testbed. :) I was spitting out size of from a different test section and didn't notice the change between VC versions and GCC/Clang... Rewriting that bit..

Very nice catch, thanks..

That seems weird. Are you sure it's not just that you happen to be mapping them from greatest to least, and they are mapped exactly in the order you have it, except it appears backwards because Windows is Little Endian?

That seems to be what I'm observing here: http://ideone.com/T0w39g

Yeah, they are mapped in the order you specify, they steal the bits from the fundamental type lowest to highest. I'll clear that up in the text.

Thanks for the feedback.

April 16, 2013 03:55 AM
All8Up

Hopefully cleared up the oops, poor wording and the observed compiler differences.

April 16, 2013 04:21 PM
ultramailman
Anything to watch out for when using bit fields?

for example, if I have this:

struct a{
    uint8_t flag:1;
    uint8_t data[3];
};
Will writing to flag also write to data? That is, when writing to flag, will it load the whole struct into register, change flag, then write the whole struct back?
April 16, 2013 07:51 PM
All8Up

Anything to watch out for when using bit fields?

for example, if I have this:


struct a{
    uint8_t flag:1;
    uint8_t data[3];
};
Will writing to flag also write to data? That is, when writing to flag, will it load the whole struct into register, change flag, then write the whole struct back?

There would be no overlap in this case. The only way a bit field has any interaction is when you have a sequence of field declarations (i.e. the ': <count>' portion). So, this and other mixes of using bit fields are completely safe.

April 16, 2013 10:14 PM
All8Up

Great article on a rarely used concept.

I've been meaning to say thanks. But at the same time 'rarely' used is often due to a bad rap it gets for being buggy. If you go dig up a C++ standard and look at the specification, it can be pretty well described as: "here's the syntax, here are a couple things to support, the rest is compiler specific". If you understand the rules and how it works in your compiler(s), it is a very very handy thing which really should get more use. Though unit testing when moving to new compilers/architectures will pay it's weight in gold to catch differences. All compilers I know of targeting x86 handle the key bits the same, only in the really undefined edge cases, mixing types for instance, do the compilers tend to split up.

A game I worked on two years ago had a pretty horrible object system. Due to the way things were done, just maintaining all the instances of objects was 200MB's of memory. (Just the object data like transform matrix, lots of 'dirty' flags, etc, no resources at all.) By simply packing flags together into bit fields and doing some data reorganization to remove padding, I saved about 50MB's in about a day of work. Knowing the underlying data organization rules and using the available tools like a bit field is a wonderful thing sometimes. smile.png

April 17, 2013 03:02 AM
Walt Karas

Here is an implementation of bit fields structures as a C++ header file (bitfield.h) : https://github.com/wkaras/C-plus-plus-library-bit-fields

The header makes bit field use more flexible and portable, with performance comparable to using base language bit field structures.

July 10, 2016 02:40 PM
You must log in to join the conversation.
Don't have a GameDev.net account? Sign up!

Bit Fields are a useful element of C and C++ which are seemingly poorly documented. Presented here is an attempt to gather up the most pertinent information and provide a better understanding of bit fields.

Advertisement
Advertisement