Unions, Different Data Types, Same Memory
Overview ''Author: '' () Dear Community, Unions enable you to have a shape-shifting data type :) The same memory space can be used to store different variable types, but only 1 of the data types is...
Overview
''Author: '' ()
Dear Community,
Unions enable you to have a shape-shifting data type :)
The same memory space can be used to store different variable types, but only 1 of the data types is ever active at any one time.
The amount of memory set aside for the union is the amount needed for the largest data type.
Search the code base for example uses of unions!
For lots of info on unions, google "unions c++", or check out MSDN: Unions
My Example
In my example below, I am extracting binary data from a binary array, and storing it into the union space of a float/long union.
Then once the data is transferred to the union, as a long, then I am switching it to its float value to get the float data!
The result:
Converting binary data to a float variable type using a union :)
My example covers Platform Endian-ness
Syntax
typedef union floatdata {
float AsFloat;
unsigned long byteData;
} FloatUnionData;
UCLASS()
class AVictoryPC : public APlayerController
{
GENERATED_UCLASS_BODY()
float BinaryToFloat( const TArray BinaryData, const int64 BinaryStart) const
//FloatUnionData FloatUnion;
//Could be declared Globally here
};
My Example: Converting to Float From Binary
float AVictoryPC::BinaryToFloat( const TArray BinaryData, const int64 BinaryStart) const
{
//***************************************************************
//Set end based on BinaryStart and fact that we're making a float
const int64 BinaryEnd = BinaryStart + sizeof( float );
//***************************************************************
//check valid range for BinaryStart, BinaryEnd
if (! BinaryData.IsValidIndex(BinaryStart)
! BinaryData.IsValidIndex(BinaryEnd-1))
{
return -1;
}
//~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
//The float union!
FloatUnionData FloatUnion;
FloatUnion.AsFloat = 0;
if (PLATFORM_LITTLE_ENDIAN)
{
//the float union's long version
FloatUnion.byteData = (BinaryData[ BinaryStart + 3 ] < 24) | (BinaryData[ BinaryStart + 2 ] < 16) | (BinaryData[ BinaryStart + 1 ] < 8) | BinaryData[ BinaryStart ] ;
}
else
{
//the float union's long version
FloatUnion.byteData = (BinaryData[ BinaryStart ] < 24) | (BinaryData[ BinaryStart + 1 ] < 16) | (BinaryData[ BinaryStart + 2 ] < 8) | BinaryData[ BinaryStart + 3 ] ;
}
//switch and get float value from union
// thus we return the float that was reconstructed from binary
return FloatUnion.AsFloat;
}
Conclusion
This is a fully functional example of where using a union comes in handy!
Enjoy!
()