Reputation: 32093
I've been considering the optimization of two of my latest data storage techniques in Java, and would like to know which is really the most memory-efficient. Below are descriptions of the two classes. For the sake of argument, assume they have the same methods for interfacing with the data, which allow the user to get or set the state of any of the bits individually or by range via the following methods:
public boolean getBitState(byte bitIndex)
bitIndex
public Clazz setBitState(byte bitIndex, boolean newState)
bitIndex
to newState
and returns the resulting objectpublic int getStateOfBits(byte startIndex, byte endIndex)
startIndex
and endIndex
as an int
public Clazz setStateOfBits(byte startIndex, byte endIndex, int newState)
startIndex
and endIndex
to the value provided in newState
.newState
has fewer bits than fit, it is made to fit by adding zeros to the leftnewState
has more bits than fit, the excess bits (on the left side) are croppedThese are the classes I have made to utilize this interface:
This class uses an int
as a way of storing 32 bits of data through bitwise functions.
This class uses an array of 32 boolean
s as its way of storing 32 bits of data through standard array interactions.
Upvotes: 3
Views: 634
Reputation: 20875
Have you considered using the BitSet
class? It seems like it does everything you need to do, and is probably well optimized, memory-wise.
Considering your two choices, definitely not an array of booleans. And array of boolean requires extra memory space for the metadata associated to the datatype. Plus, most JVM will allocate 32 bits of memory for each boolean.
Upvotes: 5
Reputation: 10780
Use an int
and bitwise functions! Most JVMs will represent an array of boolean
as an array of bytes. java.util.BitSet
uses internally an array of longs to represent it's bits (chunks of 64).
Upvotes: 6