HBASE-18294 Reduce global heap pressure: flush based on heap occupancy

This commit is contained in:
eshcar 2018-02-18 12:58:52 +02:00
parent 0082f55595
commit a458d7c400
55 changed files with 648 additions and 376 deletions

View File

@ -320,7 +320,7 @@ public final class ConnectionUtils {
long estimatedHeapSizeOfResult = 0; long estimatedHeapSizeOfResult = 0;
// We don't make Iterator here // We don't make Iterator here
for (Cell cell : rs.rawCells()) { for (Cell cell : rs.rawCells()) {
estimatedHeapSizeOfResult += PrivateCellUtil.estimatedHeapSizeOf(cell); estimatedHeapSizeOfResult += PrivateCellUtil.estimatedSizeOfCell(cell);
} }
return estimatedHeapSizeOfResult; return estimatedHeapSizeOfResult;
} }

View File

@ -488,7 +488,7 @@ public abstract class Mutation extends OperationWithAttributes implements Row, C
size * ClassSize.REFERENCE); size * ClassSize.REFERENCE);
for(Cell cell : entry.getValue()) { for(Cell cell : entry.getValue()) {
heapsize += PrivateCellUtil.estimatedHeapSizeOf(cell); heapsize += PrivateCellUtil.estimatedSizeOfCell(cell);
} }
} }
heapsize += getAttributeSize(); heapsize += getAttributeSize();

View File

@ -859,7 +859,7 @@ public class Result implements CellScannable, CellScanner {
return size; return size;
} }
for (Cell c : result.rawCells()) { for (Cell c : result.rawCells()) {
size += PrivateCellUtil.estimatedHeapSizeOf(c); size += PrivateCellUtil.estimatedSizeOfCell(c);
} }
return size; return size;
} }

View File

@ -255,7 +255,7 @@ public class ByteBufferKeyValue extends ByteBufferExtendedCell {
if (this.buf.hasArray()) { if (this.buf.hasArray()) {
return ClassSize.align(FIXED_OVERHEAD + length); return ClassSize.align(FIXED_OVERHEAD + length);
} }
return ClassSize.align(FIXED_OVERHEAD); return ClassSize.align(FIXED_OVERHEAD) + KeyValueUtil.length(this);
} }
@Override @Override

View File

@ -250,7 +250,7 @@ public final class PrivateCellUtil {
@Override @Override
public long heapSize() { public long heapSize() {
long sum = HEAP_SIZE_OVERHEAD + estimatedHeapSizeOf(cell); long sum = HEAP_SIZE_OVERHEAD + estimatedSizeOfCell(cell);
if (this.tags != null) { if (this.tags != null) {
sum += ClassSize.sizeOf(this.tags); sum += ClassSize.sizeOf(this.tags);
} }
@ -446,7 +446,7 @@ public final class PrivateCellUtil {
@Override @Override
public long heapSize() { public long heapSize() {
long sum = HEAP_SIZE_OVERHEAD + estimatedHeapSizeOf(cell); long sum = HEAP_SIZE_OVERHEAD + estimatedSizeOfCell(cell);
// this.tags is on heap byte[] // this.tags is on heap byte[]
if (this.tags != null) { if (this.tags != null) {
sum += ClassSize.sizeOf(this.tags); sum += ClassSize.sizeOf(this.tags);
@ -2783,10 +2783,11 @@ public final class PrivateCellUtil {
* {@link HeapSize} we call {@link HeapSize#heapSize()} so cell can give a correct value. In other * {@link HeapSize} we call {@link HeapSize#heapSize()} so cell can give a correct value. In other
* cases we just consider the bytes occupied by the cell components ie. row, CF, qualifier, * cases we just consider the bytes occupied by the cell components ie. row, CF, qualifier,
* timestamp, type, value and tags. * timestamp, type, value and tags.
* Note that this can be the JVM heap space (on-heap) or the OS heap (off-heap)
* @param cell * @param cell
* @return estimate of the heap space * @return estimate of the heap space
*/ */
public static long estimatedHeapSizeOf(final Cell cell) { public static long estimatedSizeOfCell(final Cell cell) {
if (cell instanceof HeapSize) { if (cell instanceof HeapSize) {
return ((HeapSize) cell).heapSize(); return ((HeapSize) cell).heapSize();
} }

View File

@ -241,7 +241,7 @@ public class MapReduceExtendedCell extends ByteBufferExtendedCell {
@Override @Override
public long heapSize() { public long heapSize() {
return PrivateCellUtil.estimatedHeapSizeOf(cell); return PrivateCellUtil.estimatedSizeOfCell(cell);
} }
@Override @Override

View File

@ -266,7 +266,7 @@ public class HFileBlockIndex {
// Adding blockKeys // Adding blockKeys
for (Cell key : blockKeys) { for (Cell key : blockKeys) {
heapSize += ClassSize.align(PrivateCellUtil.estimatedHeapSizeOf(key)); heapSize += ClassSize.align(PrivateCellUtil.estimatedSizeOfCell(key));
} }
} }
// Add comparator and the midkey atomicreference // Add comparator and the midkey atomicreference

View File

@ -171,7 +171,9 @@ public abstract class AbstractMemStore implements MemStore {
} }
MemStoreSizing getSnapshotSizing() { MemStoreSizing getSnapshotSizing() {
return new MemStoreSizing(this.snapshot.keySize(), this.snapshot.heapSize()); return new MemStoreSizing(this.snapshot.keySize(),
this.snapshot.heapSize(),
this.snapshot.offHeapSize());
} }
@Override @Override

View File

@ -39,7 +39,8 @@ public class CSLMImmutableSegment extends ImmutableSegment {
protected CSLMImmutableSegment(Segment segment) { protected CSLMImmutableSegment(Segment segment) {
super(segment); super(segment);
// update the segment metadata heap size // update the segment metadata heap size
incSize(0, -MutableSegment.DEEP_OVERHEAD + DEEP_OVERHEAD_CSLM); long indexOverhead = -MutableSegment.DEEP_OVERHEAD + DEEP_OVERHEAD_CSLM;
incSize(0, indexOverhead, 0); // CSLM is always on-heap
} }
@Override @Override

View File

@ -45,7 +45,7 @@ public class CellArrayImmutableSegment extends ImmutableSegment {
protected CellArrayImmutableSegment(CellComparator comparator, MemStoreSegmentsIterator iterator, protected CellArrayImmutableSegment(CellComparator comparator, MemStoreSegmentsIterator iterator,
MemStoreLAB memStoreLAB, int numOfCells, MemStoreCompactionStrategy.Action action) { MemStoreLAB memStoreLAB, int numOfCells, MemStoreCompactionStrategy.Action action) {
super(null, comparator, memStoreLAB); // initiailize the CellSet with NULL super(null, comparator, memStoreLAB); // initiailize the CellSet with NULL
incSize(0, DEEP_OVERHEAD_CAM); incSize(0, DEEP_OVERHEAD_CAM, 0); // CAM is always on-heap
// build the new CellSet based on CellArrayMap and update the CellSet of the new Segment // build the new CellSet based on CellArrayMap and update the CellSet of the new Segment
initializeCellSet(numOfCells, iterator, action); initializeCellSet(numOfCells, iterator, action);
} }
@ -58,7 +58,8 @@ public class CellArrayImmutableSegment extends ImmutableSegment {
protected CellArrayImmutableSegment(CSLMImmutableSegment segment, MemStoreSizing memstoreSizing, protected CellArrayImmutableSegment(CSLMImmutableSegment segment, MemStoreSizing memstoreSizing,
MemStoreCompactionStrategy.Action action) { MemStoreCompactionStrategy.Action action) {
super(segment); // initiailize the upper class super(segment); // initiailize the upper class
incSize(0, DEEP_OVERHEAD_CAM - CSLMImmutableSegment.DEEP_OVERHEAD_CSLM); long indexOverhead = DEEP_OVERHEAD_CAM - CSLMImmutableSegment.DEEP_OVERHEAD_CSLM;
incSize(0, indexOverhead, 0); // CAM is always on-heap
int numOfCells = segment.getCellsCount(); int numOfCells = segment.getCellsCount();
// build the new CellSet based on CellChunkMap and update the CellSet of this Segment // build the new CellSet based on CellChunkMap and update the CellSet of this Segment
reinitializeCellSet(numOfCells, segment.getScanner(Long.MAX_VALUE), segment.getCellSet(), reinitializeCellSet(numOfCells, segment.getScanner(Long.MAX_VALUE), segment.getCellSet(),
@ -66,8 +67,8 @@ public class CellArrayImmutableSegment extends ImmutableSegment {
// arrange the meta-data size, decrease all meta-data sizes related to SkipList; // arrange the meta-data size, decrease all meta-data sizes related to SkipList;
// add sizes of CellArrayMap entry (reinitializeCellSet doesn't take the care for the sizes) // add sizes of CellArrayMap entry (reinitializeCellSet doesn't take the care for the sizes)
long newSegmentSizeDelta = numOfCells*(indexEntrySize()-ClassSize.CONCURRENT_SKIPLISTMAP_ENTRY); long newSegmentSizeDelta = numOfCells*(indexEntrySize()-ClassSize.CONCURRENT_SKIPLISTMAP_ENTRY);
incSize(0, newSegmentSizeDelta); incSize(0, newSegmentSizeDelta, 0);
memstoreSizing.incMemStoreSize(0, newSegmentSizeDelta); memstoreSizing.incMemStoreSize(0, newSegmentSizeDelta, 0);
} }
@Override @Override

View File

@ -53,7 +53,15 @@ public class CellChunkImmutableSegment extends ImmutableSegment {
protected CellChunkImmutableSegment(CellComparator comparator, MemStoreSegmentsIterator iterator, protected CellChunkImmutableSegment(CellComparator comparator, MemStoreSegmentsIterator iterator,
MemStoreLAB memStoreLAB, int numOfCells, MemStoreCompactionStrategy.Action action) { MemStoreLAB memStoreLAB, int numOfCells, MemStoreCompactionStrategy.Action action) {
super(null, comparator, memStoreLAB); // initialize the CellSet with NULL super(null, comparator, memStoreLAB); // initialize the CellSet with NULL
incSize(0, DEEP_OVERHEAD_CCM); // initiate the heapSize with the size of the segment metadata long indexOverhead = DEEP_OVERHEAD_CCM;
// memStoreLAB cannot be null in this class
boolean onHeap = getMemStoreLAB().isOnHeap();
// initiate the heapSize with the size of the segment metadata
if(onHeap) {
incSize(0, indexOverhead, 0);
} else {
incSize(0, 0, indexOverhead);
}
// build the new CellSet based on CellArrayMap and update the CellSet of the new Segment // build the new CellSet based on CellArrayMap and update the CellSet of the new Segment
initializeCellSet(numOfCells, iterator, action); initializeCellSet(numOfCells, iterator, action);
} }
@ -66,7 +74,15 @@ public class CellChunkImmutableSegment extends ImmutableSegment {
protected CellChunkImmutableSegment(CSLMImmutableSegment segment, protected CellChunkImmutableSegment(CSLMImmutableSegment segment,
MemStoreSizing memstoreSizing, MemStoreCompactionStrategy.Action action) { MemStoreSizing memstoreSizing, MemStoreCompactionStrategy.Action action) {
super(segment); // initiailize the upper class super(segment); // initiailize the upper class
incSize(0,-CSLMImmutableSegment.DEEP_OVERHEAD_CSLM + CellChunkImmutableSegment.DEEP_OVERHEAD_CCM); long indexOverhead = -CSLMImmutableSegment.DEEP_OVERHEAD_CSLM + DEEP_OVERHEAD_CCM;
// memStoreLAB cannot be null in this class
boolean onHeap = getMemStoreLAB().isOnHeap();
// initiate the heapSize with the size of the segment metadata
if(onHeap) {
incSize(0, indexOverhead, 0);
} else {
incSize(0, -CSLMImmutableSegment.DEEP_OVERHEAD_CSLM, DEEP_OVERHEAD_CCM);
}
int numOfCells = segment.getCellsCount(); int numOfCells = segment.getCellsCount();
// build the new CellSet based on CellChunkMap // build the new CellSet based on CellChunkMap
reinitializeCellSet(numOfCells, segment.getScanner(Long.MAX_VALUE), segment.getCellSet(), reinitializeCellSet(numOfCells, segment.getScanner(Long.MAX_VALUE), segment.getCellSet(),
@ -75,9 +91,32 @@ public class CellChunkImmutableSegment extends ImmutableSegment {
// add sizes of CellChunkMap entry, decrease also Cell object sizes // add sizes of CellChunkMap entry, decrease also Cell object sizes
// (reinitializeCellSet doesn't take the care for the sizes) // (reinitializeCellSet doesn't take the care for the sizes)
long newSegmentSizeDelta = numOfCells*(indexEntrySize()-ClassSize.CONCURRENT_SKIPLISTMAP_ENTRY); long newSegmentSizeDelta = numOfCells*(indexEntrySize()-ClassSize.CONCURRENT_SKIPLISTMAP_ENTRY);
if(onHeap) {
incSize(0, newSegmentSizeDelta, 0);
memstoreSizing.incMemStoreSize(0, newSegmentSizeDelta, 0);
} else {
incSize(0, 0, newSegmentSizeDelta);
memstoreSizing.incMemStoreSize(0, 0, newSegmentSizeDelta);
incSize(0, newSegmentSizeDelta); }
memstoreSizing.incMemStoreSize(0, newSegmentSizeDelta); }
@Override
protected long indexEntryOnHeapSize(boolean onHeap) {
if(onHeap) {
return indexEntrySize();
}
// else the index is allocated off-heap
return 0;
}
@Override
protected long indexEntryOffHeapSize(boolean offHeap) {
if(offHeap) {
return indexEntrySize();
}
// else the index is allocated on-heap
return 0;
} }
@Override @Override
@ -257,13 +296,16 @@ public class CellChunkImmutableSegment extends ImmutableSegment {
// The actual size of the cell is not added yet, and will be added (only in compaction) // The actual size of the cell is not added yet, and will be added (only in compaction)
// in initializeCellSet#updateMetaInfo(). // in initializeCellSet#updateMetaInfo().
long oldHeapSize = heapSizeChange(cell, true); long oldHeapSize = heapSizeChange(cell, true);
long oldOffHeapSize = offHeapSizeChange(cell, true);
long oldCellSize = getCellLength(cell); long oldCellSize = getCellLength(cell);
cell = maybeCloneWithAllocator(cell, true); cell = maybeCloneWithAllocator(cell, true);
long newHeapSize = heapSizeChange(cell, true); long newHeapSize = heapSizeChange(cell, true);
long newOffHeapSize = offHeapSizeChange(cell, true);
long newCellSize = getCellLength(cell); long newCellSize = getCellLength(cell);
long heapOverhead = newHeapSize - oldHeapSize; long heapOverhead = newHeapSize - oldHeapSize;
long offHeapOverhead = newOffHeapSize - oldOffHeapSize;
//TODO: maybe need to update the dataSize of the region //TODO: maybe need to update the dataSize of the region
incSize(newCellSize - oldCellSize, heapOverhead); incSize(newCellSize - oldCellSize, heapOverhead, offHeapOverhead);
return cell; return cell;
} }
} }

View File

@ -157,9 +157,9 @@ public class CompactingMemStore extends AbstractMemStore {
@Override @Override
public MemStoreSize size() { public MemStoreSize size() {
MemStoreSizing memstoreSizing = new MemStoreSizing(); MemStoreSizing memstoreSizing = new MemStoreSizing();
memstoreSizing.incMemStoreSize(this.active.keySize(), this.active.heapSize()); memstoreSizing.incMemStoreSize(active.getMemStoreSize());
for (Segment item : pipeline.getSegments()) { for (Segment item : pipeline.getSegments()) {
memstoreSizing.incMemStoreSize(item.keySize(), item.heapSize()); memstoreSizing.incMemStoreSize(item.getMemStoreSize());
} }
return memstoreSizing; return memstoreSizing;
} }
@ -231,13 +231,13 @@ public class CompactingMemStore extends AbstractMemStore {
// if snapshot is empty the tail of the pipeline (or everything in the memstore) is flushed // if snapshot is empty the tail of the pipeline (or everything in the memstore) is flushed
if (compositeSnapshot) { if (compositeSnapshot) {
snapshotSizing = pipeline.getPipelineSizing(); snapshotSizing = pipeline.getPipelineSizing();
snapshotSizing.incMemStoreSize(this.active.keySize(), this.active.heapSize()); snapshotSizing.incMemStoreSize(active.getMemStoreSize());
} else { } else {
snapshotSizing = pipeline.getTailSizing(); snapshotSizing = pipeline.getTailSizing();
} }
} }
return snapshotSizing.getDataSize() > 0 ? snapshotSizing return snapshotSizing.getDataSize() > 0 ? snapshotSizing
: new MemStoreSize(this.active.keySize(), this.active.heapSize()); : new MemStoreSize(active.getMemStoreSize());
} }
@Override @Override

View File

@ -138,16 +138,25 @@ public class CompactionPipeline {
if(segment != null) newDataSize = segment.keySize(); if(segment != null) newDataSize = segment.keySize();
long dataSizeDelta = suffixDataSize - newDataSize; long dataSizeDelta = suffixDataSize - newDataSize;
long suffixHeapSize = getSegmentsHeapSize(suffix); long suffixHeapSize = getSegmentsHeapSize(suffix);
long suffixOffHeapSize = getSegmentsOffHeapSize(suffix);
long newHeapSize = 0; long newHeapSize = 0;
if(segment != null) newHeapSize = segment.heapSize(); long newOffHeapSize = 0;
if(segment != null) {
newHeapSize = segment.heapSize();
newOffHeapSize = segment.offHeapSize();
}
long offHeapSizeDelta = suffixOffHeapSize - newOffHeapSize;
long heapSizeDelta = suffixHeapSize - newHeapSize; long heapSizeDelta = suffixHeapSize - newHeapSize;
region.addMemStoreSize(new MemStoreSizing(-dataSizeDelta, -heapSizeDelta)); region.addMemStoreSize(new MemStoreSize(-dataSizeDelta, -heapSizeDelta, -offHeapSizeDelta));
LOG.debug("Suffix data size={}, new segment data size={}, suffix heap size={}," + LOG.debug("Suffix data size={}, new segment data size={}, "
"new segment heap size={}", + "suffix heap size={}," + "new segment heap size={}"
suffixDataSize, + "suffix off heap size={}," + "new segment off heap size={}"
newDataSize, , suffixDataSize
suffixHeapSize, , newDataSize
newHeapSize); , suffixHeapSize
, newHeapSize
, suffixOffHeapSize
, newOffHeapSize);
} }
return true; return true;
} }
@ -160,6 +169,14 @@ public class CompactionPipeline {
return res; return res;
} }
private static long getSegmentsOffHeapSize(List<? extends Segment> list) {
long res = 0;
for (Segment segment : list) {
res += segment.offHeapSize();
}
return res;
}
private static long getSegmentsKeySize(List<? extends Segment> list) { private static long getSegmentsKeySize(List<? extends Segment> list) {
long res = 0; long res = 0;
for (Segment segment : list) { for (Segment segment : list) {
@ -201,7 +218,8 @@ public class CompactionPipeline {
if(region != null) { if(region != null) {
// update the global memstore size counter // update the global memstore size counter
// upon flattening there is no change in the data size // upon flattening there is no change in the data size
region.addMemStoreSize(new MemStoreSize(0, newMemstoreAccounting.getHeapSize())); region.addMemStoreSize(new MemStoreSize(0, newMemstoreAccounting.getHeapSize(),
newMemstoreAccounting.getOffHeapSize()));
} }
LOG.debug("Compaction pipeline segment {} flattened", s); LOG.debug("Compaction pipeline segment {} flattened", s);
return true; return true;
@ -239,19 +257,16 @@ public class CompactionPipeline {
public MemStoreSizing getTailSizing() { public MemStoreSizing getTailSizing() {
LinkedList<? extends Segment> localCopy = readOnlyCopy; LinkedList<? extends Segment> localCopy = readOnlyCopy;
if (localCopy.isEmpty()) return new MemStoreSizing(); if (localCopy.isEmpty()) return new MemStoreSizing();
return new MemStoreSizing(localCopy.peekLast().keySize(), localCopy.peekLast().heapSize()); return new MemStoreSizing(localCopy.peekLast().getMemStoreSize());
} }
public MemStoreSizing getPipelineSizing() { public MemStoreSizing getPipelineSizing() {
long keySize = 0; MemStoreSizing memStoreSizing = new MemStoreSizing();
long heapSize = 0;
LinkedList<? extends Segment> localCopy = readOnlyCopy; LinkedList<? extends Segment> localCopy = readOnlyCopy;
if (localCopy.isEmpty()) return new MemStoreSizing();
for (Segment segment : localCopy) { for (Segment segment : localCopy) {
keySize += segment.keySize(); memStoreSizing.incMemStoreSize(segment.getMemStoreSize());
heapSize += segment.heapSize();
} }
return new MemStoreSizing(keySize, heapSize); return memStoreSizing;
} }
private void swapSuffix(List<? extends Segment> suffix, ImmutableSegment segment, private void swapSuffix(List<? extends Segment> suffix, ImmutableSegment segment,

View File

@ -43,7 +43,7 @@ public class CompositeImmutableSegment extends ImmutableSegment {
private long keySize = 0; private long keySize = 0;
public CompositeImmutableSegment(CellComparator comparator, List<ImmutableSegment> segments) { public CompositeImmutableSegment(CellComparator comparator, List<ImmutableSegment> segments) {
super(comparator); super(comparator, segments);
this.segments = segments; this.segments = segments;
for (ImmutableSegment s : segments) { for (ImmutableSegment s : segments) {
this.timeRangeTracker.includeTimestamp(s.getTimeRangeTracker().getMax()); this.timeRangeTracker.includeTimestamp(s.getTimeRangeTracker().getMax());
@ -86,14 +86,6 @@ public class CompositeImmutableSegment extends ImmutableSegment {
return result; return result;
} }
/**
* @return the first cell in the segment that has equal or greater key than the given cell
*/
@Override
public Cell getFirstAfter(Cell cell) {
throw new IllegalStateException("Not supported by CompositeImmutableScanner");
}
/** /**
* Closing a segment before it is being discarded * Closing a segment before it is being discarded
*/ */
@ -206,7 +198,7 @@ public class CompositeImmutableSegment extends ImmutableSegment {
* Updates the heap size counter of the segment by the given delta * Updates the heap size counter of the segment by the given delta
*/ */
@Override @Override
protected void incSize(long delta, long heapOverhead) { protected void incSize(long delta, long heapOverhead, long offHeapOverhead) {
throw new IllegalStateException("Not supported by CompositeImmutableScanner"); throw new IllegalStateException("Not supported by CompositeImmutableScanner");
} }

View File

@ -106,7 +106,7 @@ public class DefaultMemStore extends AbstractMemStore {
public MemStoreSize getFlushableSize() { public MemStoreSize getFlushableSize() {
MemStoreSize snapshotSize = getSnapshotSize(); MemStoreSize snapshotSize = getSnapshotSize();
return snapshotSize.getDataSize() > 0 ? snapshotSize return snapshotSize.getDataSize() > 0 ? snapshotSize
: new MemStoreSize(keySize(), heapSize()); : new MemStoreSize(active.getMemStoreSize());
} }
@Override @Override
@ -155,7 +155,7 @@ public class DefaultMemStore extends AbstractMemStore {
@Override @Override
public MemStoreSize size() { public MemStoreSize size() {
return new MemStoreSize(this.active.keySize(), this.active.heapSize()); return new MemStoreSize(active.getMemStoreSize());
} }
/** /**

View File

@ -44,7 +44,7 @@ public class FlushAllLargeStoresPolicy extends FlushLargeStoresPolicy {
// Family number might also be zero in some of our unit test case // Family number might also be zero in some of our unit test case
return; return;
} }
this.flushSizeLowerBound = getFlushSizeLowerBound(region); setFlushSizeLowerBounds(region);
} }
@Override @Override

View File

@ -43,10 +43,11 @@ public abstract class FlushLargeStoresPolicy extends FlushPolicy {
protected long flushSizeLowerBound = -1; protected long flushSizeLowerBound = -1;
protected long getFlushSizeLowerBound(HRegion region) { int familyNumber = region.getTableDescriptor().getColumnFamilyCount(); protected void setFlushSizeLowerBounds(HRegion region) {
int familyNumber = region.getTableDescriptor().getColumnFamilyCount();
// For multiple families, lower bound is the "average flush size" by default // For multiple families, lower bound is the "average flush size" by default
// unless setting in configuration is larger. // unless setting in configuration is larger.
long flushSizeLowerBound = region.getMemStoreFlushSize() / familyNumber; flushSizeLowerBound = region.getMemStoreFlushSize() / familyNumber;
long minimumLowerBound = long minimumLowerBound =
getConf().getLong(HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND_MIN, getConf().getLong(HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND_MIN,
DEFAULT_HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND_MIN); DEFAULT_HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND_MIN);
@ -57,36 +58,45 @@ public abstract class FlushLargeStoresPolicy extends FlushPolicy {
String flushedSizeLowerBoundString = String flushedSizeLowerBoundString =
region.getTableDescriptor().getValue(HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND); region.getTableDescriptor().getValue(HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND);
if (flushedSizeLowerBoundString == null) { if (flushedSizeLowerBoundString == null) {
LOG.debug("No {} set in table {} descriptor;" + LOG.debug("No {} set in table {} descriptor;"
"using region.getMemStoreFlushSize/# of families ({}) instead.", + "using region.getMemStoreFlushHeapSize/# of families ({}) "
HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND, + "instead."
region.getTableDescriptor().getTableName(), , HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND
StringUtils.humanSize(flushSizeLowerBound) + ")"); , region.getTableDescriptor().getTableName()
, StringUtils.humanSize(flushSizeLowerBound)
+ ")");
} else { } else {
try { try {
flushSizeLowerBound = Long.parseLong(flushedSizeLowerBoundString); flushSizeLowerBound = Long.parseLong(flushedSizeLowerBoundString);
} catch (NumberFormatException nfe) { } catch (NumberFormatException nfe) {
// fall back for fault setting // fall back for fault setting
LOG.warn("Number format exception parsing {} for table {}: {}, {}; " + LOG.warn("Number format exception parsing {} for table {}: {}, {}; "
"using region.getMemStoreFlushSize/# of families ({}) instead.", + "using region.getMemStoreFlushHeapSize/# of families ({}) "
HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND, + "and region.getMemStoreFlushOffHeapSize/# of families ({}) "
region.getTableDescriptor().getTableName(), + "instead."
flushedSizeLowerBoundString, , HREGION_COLUMNFAMILY_FLUSH_SIZE_LOWER_BOUND
nfe, , region.getTableDescriptor().getTableName()
flushSizeLowerBound); , flushedSizeLowerBoundString
, nfe
, flushSizeLowerBound
);
} }
} }
return flushSizeLowerBound;
} }
protected boolean shouldFlush(HStore store) { protected boolean shouldFlush(HStore store) {
if (store.getMemStoreSize().getDataSize() > this.flushSizeLowerBound) { if (store.getMemStoreSize().getHeapSize()
LOG.debug("Flush {} of {}; memstoreSize={} > lowerBound={}", + store.getMemStoreSize().getOffHeapSize() > this.flushSizeLowerBound) {
store.getColumnFamilyName(), LOG.debug("Flush {} of {}; "
region.getRegionInfo().getEncodedName(), + "heap memstoreSize={} +"
store.getMemStoreSize().getDataSize(), + "off heap memstoreSize={} > memstore lowerBound={}"
this.flushSizeLowerBound); , store.getColumnFamilyName()
, region.getRegionInfo().getEncodedName()
, store.getMemStoreSize().getHeapSize()
, store.getMemStoreSize().getOffHeapSize()
, this.flushSizeLowerBound
);
return true; return true;
} }
return false; return false;

View File

@ -63,7 +63,7 @@ public class FlushNonSloppyStoresFirstPolicy extends FlushLargeStoresPolicy {
@Override @Override
protected void configureForRegion(HRegion region) { protected void configureForRegion(HRegion region) {
super.configureForRegion(region); super.configureForRegion(region);
this.flushSizeLowerBound = getFlushSizeLowerBound(region); setFlushSizeLowerBounds(region);
for (HStore store : region.stores.values()) { for (HStore store : region.stores.values()) {
if (store.isSloppyMemStore()) { if (store.isSloppyMemStore()) {
sloppyStores.add(store); sloppyStores.add(store);

View File

@ -65,7 +65,6 @@ import java.util.concurrent.TimeUnit;
import java.util.concurrent.TimeoutException; import java.util.concurrent.TimeoutException;
import java.util.concurrent.atomic.AtomicBoolean; import java.util.concurrent.atomic.AtomicBoolean;
import java.util.concurrent.atomic.AtomicInteger; import java.util.concurrent.atomic.AtomicInteger;
import java.util.concurrent.atomic.AtomicLong;
import java.util.concurrent.atomic.LongAdder; import java.util.concurrent.atomic.LongAdder;
import java.util.concurrent.locks.Lock; import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReadWriteLock; import java.util.concurrent.locks.ReadWriteLock;
@ -287,7 +286,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
// TODO: account for each registered handler in HeapSize computation // TODO: account for each registered handler in HeapSize computation
private Map<String, com.google.protobuf.Service> coprocessorServiceHandlers = Maps.newHashMap(); private Map<String, com.google.protobuf.Service> coprocessorServiceHandlers = Maps.newHashMap();
private final AtomicLong memstoreDataSize = new AtomicLong(0);// Track data size in all memstores // Track data size in all memstores
private final MemStoreSizing memStoreSize = new MemStoreSizing();
private final RegionServicesForStores regionServicesForStores = new RegionServicesForStores(this); private final RegionServicesForStores regionServicesForStores = new RegionServicesForStores(this);
// Debug possible data loss due to WAL off // Debug possible data loss due to WAL off
@ -832,9 +832,9 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
TableDescriptorBuilder.DEFAULT_MEMSTORE_FLUSH_SIZE); TableDescriptorBuilder.DEFAULT_MEMSTORE_FLUSH_SIZE);
} }
this.memstoreFlushSize = flushSize; this.memstoreFlushSize = flushSize;
this.blockingMemStoreSize = this.memstoreFlushSize * long mult = conf.getLong(HConstants.HREGION_MEMSTORE_BLOCK_MULTIPLIER,
conf.getLong(HConstants.HREGION_MEMSTORE_BLOCK_MULTIPLIER,
HConstants.DEFAULT_HREGION_MEMSTORE_BLOCK_MULTIPLIER); HConstants.DEFAULT_HREGION_MEMSTORE_BLOCK_MULTIPLIER);
this.blockingMemStoreSize = this.memstoreFlushSize * mult;
} }
/** /**
@ -1192,32 +1192,38 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
/** /**
* Increase the size of mem store in this region and the size of global mem * Increase the size of mem store in this region and the size of global mem
* store * store
* @return the size of memstore in this region
*/ */
public long addAndGetMemStoreSize(MemStoreSize memstoreSize) { public void incMemStoreSize(MemStoreSize memStoreSize) {
if (this.rsAccounting != null) { if (this.rsAccounting != null) {
rsAccounting.incGlobalMemStoreSize(memstoreSize); rsAccounting.incGlobalMemStoreSize(memStoreSize);
} }
long size = this.memstoreDataSize.addAndGet(memstoreSize.getDataSize()); long dataSize;
checkNegativeMemStoreDataSize(size, memstoreSize.getDataSize()); synchronized (this.memStoreSize) {
return size; this.memStoreSize.incMemStoreSize(memStoreSize);
dataSize = this.memStoreSize.getDataSize();
}
checkNegativeMemStoreDataSize(dataSize, memStoreSize.getDataSize());
} }
public void decrMemStoreSize(MemStoreSize memstoreSize) { public void decrMemStoreSize(MemStoreSize memStoreSize) {
if (this.rsAccounting != null) { if (this.rsAccounting != null) {
rsAccounting.decGlobalMemStoreSize(memstoreSize); rsAccounting.decGlobalMemStoreSize(memStoreSize);
} }
long size = this.memstoreDataSize.addAndGet(-memstoreSize.getDataSize()); long size;
checkNegativeMemStoreDataSize(size, -memstoreSize.getDataSize()); synchronized (this.memStoreSize) {
this.memStoreSize.decMemStoreSize(memStoreSize);
size = this.memStoreSize.getDataSize();
}
checkNegativeMemStoreDataSize(size, -memStoreSize.getDataSize());
} }
private void checkNegativeMemStoreDataSize(long memstoreDataSize, long delta) { private void checkNegativeMemStoreDataSize(long memStoreDataSize, long delta) {
// This is extremely bad if we make memstoreSize negative. Log as much info on the offending // This is extremely bad if we make memStoreSize negative. Log as much info on the offending
// caller as possible. (memStoreSize might be a negative value already -- freeing memory) // caller as possible. (memStoreSize might be a negative value already -- freeing memory)
if (memstoreDataSize < 0) { if (memStoreDataSize < 0) {
LOG.error("Asked to modify this region's (" + this.toString() LOG.error("Asked to modify this region's (" + this.toString()
+ ") memstoreSize to a negative value which is incorrect. Current memstoreSize=" + ") memStoreSize to a negative value which is incorrect. Current memStoreSize="
+ (memstoreDataSize - delta) + ", delta=" + delta, new Exception()); + (memStoreDataSize - delta) + ", delta=" + delta, new Exception());
} }
} }
@ -1250,8 +1256,18 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
} }
@Override @Override
public long getMemStoreSize() { public long getMemStoreDataSize() {
return memstoreDataSize.get(); return memStoreSize.getDataSize();
}
@Override
public long getMemStoreHeapSize() {
return memStoreSize.getHeapSize();
}
@Override
public long getMemStoreOffHeapSize() {
return memStoreSize.getOffHeapSize();
} }
/** @return store services for this region, to access services required by store level needs */ /** @return store services for this region, to access services required by store level needs */
@ -1521,7 +1537,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
int failedfFlushCount = 0; int failedfFlushCount = 0;
int flushCount = 0; int flushCount = 0;
long tmp = 0; long tmp = 0;
long remainingSize = this.memstoreDataSize.get(); long remainingSize = this.memStoreSize.getDataSize();
while (remainingSize > 0) { while (remainingSize > 0) {
try { try {
internalFlushcache(status); internalFlushcache(status);
@ -1530,7 +1546,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
" (carrying snapshot?) " + this); " (carrying snapshot?) " + this);
} }
flushCount++; flushCount++;
tmp = this.memstoreDataSize.get(); tmp = this.memStoreSize.getDataSize();
if (tmp >= remainingSize) { if (tmp >= remainingSize) {
failedfFlushCount++; failedfFlushCount++;
} }
@ -1570,7 +1586,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
getRegionServerServices().abort("Assertion failed while closing store " getRegionServerServices().abort("Assertion failed while closing store "
+ getRegionInfo().getRegionNameAsString() + " " + store + getRegionInfo().getRegionNameAsString() + " " + store
+ ". flushableSize expected=0, actual= " + flushableSize + ". flushableSize expected=0, actual= " + flushableSize
+ ". Current memstoreSize=" + getMemStoreSize() + ". Maybe a coprocessor " + ". Current memStoreSize=" + getMemStoreDataSize() + ". Maybe a coprocessor "
+ "operation failed and left the memstore in a partially updated state.", null); + "operation failed and left the memstore in a partially updated state.", null);
} }
} }
@ -1613,9 +1629,9 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
this.closed.set(true); this.closed.set(true);
if (!canFlush) { if (!canFlush) {
this.decrMemStoreSize(new MemStoreSizing(memstoreDataSize.get(), getMemStoreHeapSize())); this.decrMemStoreSize(new MemStoreSize(memStoreSize));
} else if (memstoreDataSize.get() != 0) { } else if (memStoreSize.getDataSize() != 0) {
LOG.error("Memstore size is " + memstoreDataSize.get()); LOG.error("Memstore data size is " + memStoreSize.getDataSize());
} }
if (coprocessorHost != null) { if (coprocessorHost != null) {
status.setStatus("Running coprocessor post-close hooks"); status.setStatus("Running coprocessor post-close hooks");
@ -1635,10 +1651,6 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
} }
} }
private long getMemStoreHeapSize() {
return stores.values().stream().mapToLong(s -> s.getMemStoreSize().getHeapSize()).sum();
}
/** Wait for all current flushes and compactions of the region to complete */ /** Wait for all current flushes and compactions of the region to complete */
// TODO HBASE-18906. Check the usage (if any) in Phoenix and expose this or give alternate way for // TODO HBASE-18906. Check the usage (if any) in Phoenix and expose this or give alternate way for
// Phoenix needs. // Phoenix needs.
@ -1752,7 +1764,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
* @return True if its worth doing a flush before we put up the close flag. * @return True if its worth doing a flush before we put up the close flag.
*/ */
private boolean worthPreFlushing() { private boolean worthPreFlushing() {
return this.memstoreDataSize.get() > return this.memStoreSize.getDataSize() >
this.conf.getLong("hbase.hregion.preclose.flush.size", 1024 * 1024 * 5); this.conf.getLong("hbase.hregion.preclose.flush.size", 1024 * 1024 * 5);
} }
@ -2370,12 +2382,12 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
// bulk loaded file between memory and existing hfiles. It wants a good seqeunceId that belongs // bulk loaded file between memory and existing hfiles. It wants a good seqeunceId that belongs
// to no other that it can use to associate with the bulk load. Hence this little dance below // to no other that it can use to associate with the bulk load. Hence this little dance below
// to go get one. // to go get one.
if (this.memstoreDataSize.get() <= 0) { if (this.memStoreSize.getDataSize() <= 0) {
// Take an update lock so no edits can come into memory just yet. // Take an update lock so no edits can come into memory just yet.
this.updatesLock.writeLock().lock(); this.updatesLock.writeLock().lock();
WriteEntry writeEntry = null; WriteEntry writeEntry = null;
try { try {
if (this.memstoreDataSize.get() <= 0) { if (this.memStoreSize.getDataSize() <= 0) {
// Presume that if there are still no edits in the memstore, then there are no edits for // Presume that if there are still no edits in the memstore, then there are no edits for
// this region out in the WAL subsystem so no need to do any trickery clearing out // this region out in the WAL subsystem so no need to do any trickery clearing out
// edits in the WAL sub-system. Up the sequence number so the resulting flush id is for // edits in the WAL sub-system. Up the sequence number so the resulting flush id is for
@ -2511,8 +2523,9 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
.append(StringUtils.byteDesc(store.getFlushableSize().getDataSize())); .append(StringUtils.byteDesc(store.getFlushableSize().getDataSize()));
} }
} }
LOG.info("Flushing " + + storesToFlush.size() + "/" + stores.size() + LOG.info("Flushing " + + storesToFlush.size() + "/" + stores.size() + " column families," +
" column families, memstore=" + StringUtils.byteDesc(this.memstoreDataSize.get()) + " memstore data size=" + StringUtils.byteDesc(this.memStoreSize.getDataSize()) +
" memstore heap size=" + StringUtils.byteDesc(this.memStoreSize.getHeapSize()) +
((perCfExtras != null && perCfExtras.length() > 0)? perCfExtras.toString(): "") + ((perCfExtras != null && perCfExtras.length() > 0)? perCfExtras.toString(): "") +
((wal != null) ? "" : "; WAL is null, using passed sequenceid=" + sequenceId)); ((wal != null) ? "" : "; WAL is null, using passed sequenceid=" + sequenceId));
} }
@ -2699,11 +2712,13 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
} }
long time = EnvironmentEdgeManager.currentTime() - startTime; long time = EnvironmentEdgeManager.currentTime() - startTime;
long memstoresize = this.memstoreDataSize.get(); long flushableDataSize = prepareResult.totalFlushableSize.getDataSize();
String msg = "Finished memstore flush of ~" long flushableHeapSize = prepareResult.totalFlushableSize.getHeapSize();
+ StringUtils.byteDesc(prepareResult.totalFlushableSize.getDataSize()) + "/" long memstoresize = this.memStoreSize.getDataSize();
+ prepareResult.totalFlushableSize.getDataSize() + ", currentsize=" String msg = "Finished memstore flush."
+ StringUtils.byteDesc(memstoresize) + "/" + memstoresize + " Flushed data size ~" + StringUtils.byteDesc(flushableDataSize) + "/" + flushableDataSize
+ " Flushed Heap size ~" + StringUtils.byteDesc(flushableHeapSize) + "/" + flushableHeapSize
+ ", currentsize=" + StringUtils.byteDesc(memstoresize) + "/" + memstoresize
+ " for region " + this + " in " + time + "ms, sequenceid=" + " for region " + this + " in " + time + "ms, sequenceid="
+ flushOpSeqId + ", compaction requested=" + compactionRequested + flushOpSeqId + ", compaction requested=" + compactionRequested
+ ((wal == null) ? "; wal=null" : ""); + ((wal == null) ? "; wal=null" : "");
@ -3037,7 +3052,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
return true; return true;
}); });
// update memStore size // update memStore size
region.addAndGetMemStoreSize(memStoreAccounting); region.incMemStoreSize(memStoreAccounting);
} }
public boolean isDone() { public boolean isDone() {
@ -3806,8 +3821,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
initialized = true; initialized = true;
} }
doMiniBatchMutate(batchOp); doMiniBatchMutate(batchOp);
long newSize = this.getMemStoreSize(); requestFlushIfNeeded();
requestFlushIfNeeded(newSize);
} }
} finally { } finally {
batchOp.closeRegionOperation(); batchOp.closeRegionOperation();
@ -4165,7 +4179,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
// If catalog region, do not impose resource constraints or block updates. // If catalog region, do not impose resource constraints or block updates.
if (this.getRegionInfo().isMetaRegion()) return; if (this.getRegionInfo().isMetaRegion()) return;
if (this.memstoreDataSize.get() > this.blockingMemStoreSize) { if (this.memStoreSize.getHeapSize()
+ this.memStoreSize.getOffHeapSize() > this.blockingMemStoreSize) {
blockedRequestsCount.increment(); blockedRequestsCount.increment();
requestFlush(); requestFlush();
// Don't print current limit because it will vary too much. The message is used as a key // Don't print current limit because it will vary too much. The message is used as a key
@ -4293,8 +4308,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
* @param size * @param size
* @return True if size is over the flush threshold * @return True if size is over the flush threshold
*/ */
private boolean isFlushSize(final long size) { private boolean isFlushSize(MemStoreSize size) {
return size > this.memstoreFlushSize; return size.getHeapSize() + size.getOffHeapSize() > getMemStoreFlushSize();
} }
/** /**
@ -4585,7 +4600,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
rsAccounting.addRegionReplayEditsSize(getRegionInfo().getRegionName(), rsAccounting.addRegionReplayEditsSize(getRegionInfo().getRegionName(),
memstoreSize); memstoreSize);
} }
flush = isFlushSize(this.addAndGetMemStoreSize(memstoreSize)); incMemStoreSize(memstoreSize);
flush = isFlushSize(this.memStoreSize);
if (flush) { if (flush) {
internalFlushcache(null, currentEditSeqId, stores.values(), status, false, internalFlushcache(null, currentEditSeqId, stores.values(), status, false,
FlushLifeCycleTracker.DUMMY); FlushLifeCycleTracker.DUMMY);
@ -6522,7 +6538,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
scannerContext.incrementBatchProgress(results.size()); scannerContext.incrementBatchProgress(results.size());
for (Cell cell : results) { for (Cell cell : results) {
scannerContext.incrementSizeProgress(PrivateCellUtil.estimatedSerializedSizeOf(cell), scannerContext.incrementSizeProgress(PrivateCellUtil.estimatedSerializedSizeOf(cell),
PrivateCellUtil.estimatedHeapSizeOf(cell)); PrivateCellUtil.estimatedSizeOfCell(cell));
} }
} }
@ -7264,7 +7280,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
return null; return null;
} }
ClientProtos.RegionLoadStats.Builder stats = ClientProtos.RegionLoadStats.newBuilder(); ClientProtos.RegionLoadStats.Builder stats = ClientProtos.RegionLoadStats.newBuilder();
stats.setMemStoreLoad((int) (Math.min(100, (this.memstoreDataSize.get() * 100) / this stats.setMemStoreLoad((int) (Math.min(100, (this.memStoreSize.getHeapSize() * 100) / this
.memstoreFlushSize))); .memstoreFlushSize)));
if (rsServices.getHeapMemoryManager() != null) { if (rsServices.getHeapMemoryManager() != null) {
// the HeapMemoryManager uses -0.0 to signal a problem asking the JVM, // the HeapMemoryManager uses -0.0 to signal a problem asking the JVM,
@ -7412,8 +7428,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
} finally { } finally {
closeRegionOperation(); closeRegionOperation();
if (!mutations.isEmpty()) { if (!mutations.isEmpty()) {
long newSize = this.addAndGetMemStoreSize(memstoreAccounting); this.incMemStoreSize(memstoreAccounting);
requestFlushIfNeeded(newSize); requestFlushIfNeeded();
} }
} }
} }
@ -7566,9 +7582,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
rowLock.release(); rowLock.release();
} }
// Request a cache flush if over the limit. Do it outside update lock. // Request a cache flush if over the limit. Do it outside update lock.
if (isFlushSize(addAndGetMemStoreSize(memstoreAccounting))) { incMemStoreSize(memstoreAccounting);
requestFlush(); requestFlushIfNeeded();
}
closeRegionOperation(op); closeRegionOperation(op);
if (this.metricsRegion != null) { if (this.metricsRegion != null) {
switch (op) { switch (op) {
@ -7894,7 +7909,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
public static final long DEEP_OVERHEAD = FIXED_OVERHEAD + public static final long DEEP_OVERHEAD = FIXED_OVERHEAD +
ClassSize.OBJECT + // closeLock ClassSize.OBJECT + // closeLock
(2 * ClassSize.ATOMIC_BOOLEAN) + // closed, closing (2 * ClassSize.ATOMIC_BOOLEAN) + // closed, closing
(4 * ClassSize.ATOMIC_LONG) + // memStoreSize, numPutsWithoutWAL, dataInMemoryWithoutWAL, (3 * ClassSize.ATOMIC_LONG) + // numPutsWithoutWAL, dataInMemoryWithoutWAL,
// compactionsFailed // compactionsFailed
(2 * ClassSize.CONCURRENT_HASHMAP) + // lockedRows, scannerReadPoints (2 * ClassSize.CONCURRENT_HASHMAP) + // lockedRows, scannerReadPoints
WriteState.HEAP_SIZE + // writestate WriteState.HEAP_SIZE + // writestate
@ -7935,8 +7950,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
String serviceName = CoprocessorRpcUtils.getServiceName(serviceDesc); String serviceName = CoprocessorRpcUtils.getServiceName(serviceDesc);
if (coprocessorServiceHandlers.containsKey(serviceName)) { if (coprocessorServiceHandlers.containsKey(serviceName)) {
LOG.error("Coprocessor service " + serviceName + LOG.error("Coprocessor service " + serviceName +
" already registered, rejecting request from " + instance " already registered, rejecting request from " + instance);
);
return false; return false;
} }
@ -8211,8 +8225,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
dataInMemoryWithoutWAL.add(mutationSize); dataInMemoryWithoutWAL.add(mutationSize);
} }
private void lock(final Lock lock) private void lock(final Lock lock) throws RegionTooBusyException, InterruptedIOException {
throws RegionTooBusyException, InterruptedIOException {
lock(lock, 1); lock(lock, 1);
} }
@ -8401,6 +8414,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
return this.memstoreFlushSize; return this.memstoreFlushSize;
} }
//// method for debugging tests //// method for debugging tests
void throwException(String title, String regionName) { void throwException(String title, String regionName) {
StringBuilder buf = new StringBuilder(); StringBuilder buf = new StringBuilder();
@ -8416,7 +8430,7 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
} }
buf.append("end-of-stores"); buf.append("end-of-stores");
buf.append(", memstore size "); buf.append(", memstore size ");
buf.append(getMemStoreSize()); buf.append(getMemStoreDataSize());
if (getRegionInfo().getRegionNameAsString().startsWith(regionName)) { if (getRegionInfo().getRegionNameAsString().startsWith(regionName)) {
throw new RuntimeException(buf.toString()); throw new RuntimeException(buf.toString());
} }
@ -8447,8 +8461,8 @@ public class HRegion implements HeapSize, PropagatingConfigurationObserver, Regi
RpcServer.getRequestUser().orElse(null)); RpcServer.getRequestUser().orElse(null));
} }
private void requestFlushIfNeeded(long memstoreTotalSize) throws RegionTooBusyException { private void requestFlushIfNeeded() throws RegionTooBusyException {
if (memstoreTotalSize > this.getMemStoreFlushSize()) { if(isFlushSize(memStoreSize)) {
requestFlush(); requestFlush();
} }
} }

View File

@ -1600,7 +1600,7 @@ public class HRegionServer extends HasThread implements
int storefiles = 0; int storefiles = 0;
int storeUncompressedSizeMB = 0; int storeUncompressedSizeMB = 0;
int storefileSizeMB = 0; int storefileSizeMB = 0;
int memstoreSizeMB = (int) (r.getMemStoreSize() / 1024 / 1024); int memstoreSizeMB = (int) (r.getMemStoreDataSize() / 1024 / 1024);
long storefileIndexSizeKB = 0; long storefileIndexSizeKB = 0;
int rootLevelIndexSizeKB = 0; int rootLevelIndexSizeKB = 0;
int totalStaticIndexSizeKB = 0; int totalStaticIndexSizeKB = 0;
@ -2732,11 +2732,11 @@ public class HRegionServer extends HasThread implements
} }
/** /**
* @return A new Map of online regions sorted by region size with the first entry being the * @return A new Map of online regions sorted by region off-heap size with the first entry being
* biggest. If two regions are the same size, then the last one found wins; i.e. this method * the biggest. If two regions are the same size, then the last one found wins; i.e. this
* may NOT return all regions. * method may NOT return all regions.
*/ */
SortedMap<Long, HRegion> getCopyOfOnlineRegionsSortedBySize() { SortedMap<Long, HRegion> getCopyOfOnlineRegionsSortedByOffHeapSize() {
// we'll sort the regions in reverse // we'll sort the regions in reverse
SortedMap<Long, HRegion> sortedRegions = new TreeMap<>( SortedMap<Long, HRegion> sortedRegions = new TreeMap<>(
new Comparator<Long>() { new Comparator<Long>() {
@ -2747,7 +2747,28 @@ public class HRegionServer extends HasThread implements
}); });
// Copy over all regions. Regions are sorted by size with biggest first. // Copy over all regions. Regions are sorted by size with biggest first.
for (HRegion region : this.onlineRegions.values()) { for (HRegion region : this.onlineRegions.values()) {
sortedRegions.put(region.getMemStoreSize(), region); sortedRegions.put(region.getMemStoreOffHeapSize(), region);
}
return sortedRegions;
}
/**
* @return A new Map of online regions sorted by region heap size with the first entry being the
* biggest. If two regions are the same size, then the last one found wins; i.e. this method
* may NOT return all regions.
*/
SortedMap<Long, HRegion> getCopyOfOnlineRegionsSortedByOnHeapSize() {
// we'll sort the regions in reverse
SortedMap<Long, HRegion> sortedRegions = new TreeMap<>(
new Comparator<Long>() {
@Override
public int compare(Long a, Long b) {
return -1 * a.compareTo(b);
}
});
// Copy over all regions. Regions are sorted by size with biggest first.
for (HRegion region : this.onlineRegions.values()) {
sortedRegions.put(region.getMemStoreHeapSize(), region);
} }
return sortedRegions; return sortedRegions;
} }

View File

@ -2188,7 +2188,7 @@ public class HStore implements Store, HeapSize, StoreConfigInformation, Propagat
this.cacheFlushCount = snapshot.getCellsCount(); this.cacheFlushCount = snapshot.getCellsCount();
this.cacheFlushSize = snapshot.getDataSize(); this.cacheFlushSize = snapshot.getDataSize();
committedFiles = new ArrayList<>(1); committedFiles = new ArrayList<>(1);
return new MemStoreSize(snapshot.getDataSize(), snapshot.getHeapSize()); return new MemStoreSize(snapshot.getMemStoreSize());
} }
@Override @Override

View File

@ -133,4 +133,16 @@ public class ImmutableMemStoreLAB implements MemStoreLAB {
checkAndCloseMSLABs(count); checkAndCloseMSLABs(count);
} }
} }
@Override
public boolean isOnHeap() {
return !isOffHeap();
}
@Override
public boolean isOffHeap() {
return ChunkCreator.getInstance().isOffheap();
}
} }

View File

@ -48,6 +48,10 @@ public abstract class ImmutableSegment extends Segment {
super(comparator, TimeRangeTracker.create(TimeRangeTracker.Type.NON_SYNC)); super(comparator, TimeRangeTracker.create(TimeRangeTracker.Type.NON_SYNC));
} }
protected ImmutableSegment(CellComparator comparator, List<ImmutableSegment> segments) {
super(comparator, segments, TimeRangeTracker.create(TimeRangeTracker.Type.NON_SYNC));
}
/**------------------------------------------------------------------------ /**------------------------------------------------------------------------
* C-tor to be used to build the derived classes * C-tor to be used to build the derived classes
*/ */

View File

@ -87,6 +87,8 @@ class MemStoreFlusher implements FlushRequester {
private final FlushHandler[] flushHandlers; private final FlushHandler[] flushHandlers;
private List<FlushRequestListener> flushRequestListeners = new ArrayList<>(1); private List<FlushRequestListener> flushRequestListeners = new ArrayList<>(1);
private FlushType flushType;
/** /**
* @param conf * @param conf
* @param server * @param server
@ -116,6 +118,10 @@ class MemStoreFlusher implements FlushRequester {
return this.updatesBlockedMsHighWater; return this.updatesBlockedMsHighWater;
} }
public void setFlushType(FlushType flushType) {
this.flushType = flushType;
}
/** /**
* The memstore across all regions has exceeded the low water mark. Pick * The memstore across all regions has exceeded the low water mark. Pick
* one region to flush and flush it synchronously (this is called from the * one region to flush and flush it synchronously (this is called from the
@ -123,7 +129,17 @@ class MemStoreFlusher implements FlushRequester {
* @return true if successful * @return true if successful
*/ */
private boolean flushOneForGlobalPressure() { private boolean flushOneForGlobalPressure() {
SortedMap<Long, HRegion> regionsBySize = server.getCopyOfOnlineRegionsSortedBySize(); SortedMap<Long, HRegion> regionsBySize = null;
switch(flushType) {
case ABOVE_OFFHEAP_HIGHER_MARK:
case ABOVE_OFFHEAP_LOWER_MARK:
regionsBySize = server.getCopyOfOnlineRegionsSortedByOffHeapSize();
break;
case ABOVE_ONHEAP_HIGHER_MARK:
case ABOVE_ONHEAP_LOWER_MARK:
default:
regionsBySize = server.getCopyOfOnlineRegionsSortedByOnHeapSize();
}
Set<HRegion> excludedRegions = new HashSet<>(); Set<HRegion> excludedRegions = new HashSet<>();
double secondaryMultiplier double secondaryMultiplier
@ -147,8 +163,25 @@ class MemStoreFlusher implements FlushRequester {
} }
HRegion regionToFlush; HRegion regionToFlush;
long bestAnyRegionSize;
long bestFlushableRegionSize;
switch(flushType) {
case ABOVE_OFFHEAP_HIGHER_MARK:
case ABOVE_OFFHEAP_LOWER_MARK:
bestAnyRegionSize = bestAnyRegion.getMemStoreOffHeapSize();
bestFlushableRegionSize = bestFlushableRegion.getMemStoreOffHeapSize();
break;
case ABOVE_ONHEAP_HIGHER_MARK:
case ABOVE_ONHEAP_LOWER_MARK:
bestAnyRegionSize = bestAnyRegion.getMemStoreHeapSize();
bestFlushableRegionSize = bestFlushableRegion.getMemStoreHeapSize();
break;
default:
bestAnyRegionSize = bestAnyRegion.getMemStoreDataSize();
bestFlushableRegionSize = bestFlushableRegion.getMemStoreDataSize();
}
if (bestFlushableRegion != null && if (bestFlushableRegion != null &&
bestAnyRegion.getMemStoreSize() > 2 * bestFlushableRegion.getMemStoreSize()) { bestAnyRegionSize > 2 * bestFlushableRegionSize) {
// Even if it's not supposed to be flushed, pick a region if it's more than twice // Even if it's not supposed to be flushed, pick a region if it's more than twice
// as big as the best flushable one - otherwise when we're under pressure we make // as big as the best flushable one - otherwise when we're under pressure we make
// lots of little flushes and cause lots of compactions, etc, which just makes // lots of little flushes and cause lots of compactions, etc, which just makes
@ -157,9 +190,10 @@ class MemStoreFlusher implements FlushRequester {
LOG.debug("Under global heap pressure: " + "Region " LOG.debug("Under global heap pressure: " + "Region "
+ bestAnyRegion.getRegionInfo().getRegionNameAsString() + bestAnyRegion.getRegionInfo().getRegionNameAsString()
+ " has too many " + "store files, but is " + " has too many " + "store files, but is "
+ TraditionalBinaryPrefix.long2String(bestAnyRegion.getMemStoreSize(), "", 1) + TraditionalBinaryPrefix.long2String(bestAnyRegionSize, "", 1)
+ " vs best flushable region's " + " vs best flushable region's "
+ TraditionalBinaryPrefix.long2String(bestFlushableRegion.getMemStoreSize(), "", 1) + TraditionalBinaryPrefix.long2String(
bestFlushableRegionSize, "", 1)
+ ". Choosing the bigger."); + ". Choosing the bigger.");
} }
regionToFlush = bestAnyRegion; regionToFlush = bestAnyRegion;
@ -171,19 +205,36 @@ class MemStoreFlusher implements FlushRequester {
} }
} }
long regionToFlushSize;
long bestRegionReplicaSize;
switch(flushType) {
case ABOVE_OFFHEAP_HIGHER_MARK:
case ABOVE_OFFHEAP_LOWER_MARK:
regionToFlushSize = regionToFlush.getMemStoreOffHeapSize();
bestRegionReplicaSize = bestRegionReplica.getMemStoreOffHeapSize();
break;
case ABOVE_ONHEAP_HIGHER_MARK:
case ABOVE_ONHEAP_LOWER_MARK:
regionToFlushSize = regionToFlush.getMemStoreHeapSize();
bestRegionReplicaSize = bestRegionReplica.getMemStoreHeapSize();
break;
default:
regionToFlushSize = regionToFlush.getMemStoreDataSize();
bestRegionReplicaSize = bestRegionReplica.getMemStoreDataSize();
}
Preconditions.checkState( Preconditions.checkState(
(regionToFlush != null && regionToFlush.getMemStoreSize() > 0) || (regionToFlush != null && regionToFlushSize > 0) ||
(bestRegionReplica != null && bestRegionReplica.getMemStoreSize() > 0)); (bestRegionReplica != null && bestRegionReplicaSize > 0));
if (regionToFlush == null || if (regionToFlush == null ||
(bestRegionReplica != null && (bestRegionReplica != null &&
ServerRegionReplicaUtil.isRegionReplicaStoreFileRefreshEnabled(conf) && ServerRegionReplicaUtil.isRegionReplicaStoreFileRefreshEnabled(conf) &&
(bestRegionReplica.getMemStoreSize() (bestRegionReplicaSize > secondaryMultiplier * regionToFlushSize))) {
> secondaryMultiplier * regionToFlush.getMemStoreSize()))) {
LOG.info("Refreshing storefiles of region " + bestRegionReplica + LOG.info("Refreshing storefiles of region " + bestRegionReplica +
" due to global heap pressure. Total memstore datasize=" + " due to global heap pressure. Total memstore off heap size=" +
TraditionalBinaryPrefix.long2String( TraditionalBinaryPrefix.long2String(
server.getRegionServerAccounting().getGlobalMemStoreDataSize(), "", 1) + server.getRegionServerAccounting().getGlobalMemStoreOffHeapSize(), "", 1) +
" memstore heap size=" + TraditionalBinaryPrefix.long2String( " memstore heap size=" + TraditionalBinaryPrefix.long2String(
server.getRegionServerAccounting().getGlobalMemStoreHeapSize(), "", 1)); server.getRegionServerAccounting().getGlobalMemStoreHeapSize(), "", 1));
flushedOne = refreshStoreFilesAndReclaimMemory(bestRegionReplica); flushedOne = refreshStoreFilesAndReclaimMemory(bestRegionReplica);
@ -194,11 +245,15 @@ class MemStoreFlusher implements FlushRequester {
} }
} else { } else {
LOG.info("Flush of region " + regionToFlush + " due to global heap pressure. " + LOG.info("Flush of region " + regionToFlush + " due to global heap pressure. " +
"Total Memstore size=" + "Flush type=" + flushType.toString() +
"Total Memstore Heap size=" +
TraditionalBinaryPrefix.long2String( TraditionalBinaryPrefix.long2String(
server.getRegionServerAccounting().getGlobalMemStoreDataSize(), "", 1) + server.getRegionServerAccounting().getGlobalMemStoreHeapSize(), "", 1) +
"Total Memstore Off-Heap size=" +
TraditionalBinaryPrefix.long2String(
server.getRegionServerAccounting().getGlobalMemStoreOffHeapSize(), "", 1) +
", Region memstore size=" + ", Region memstore size=" +
TraditionalBinaryPrefix.long2String(regionToFlush.getMemStoreSize(), "", 1)); TraditionalBinaryPrefix.long2String(regionToFlushSize, "", 1));
flushedOne = flushRegion(regionToFlush, true, false, FlushLifeCycleTracker.DUMMY); flushedOne = flushRegion(regionToFlush, true, false, FlushLifeCycleTracker.DUMMY);
if (!flushedOne) { if (!flushedOne) {
@ -582,6 +637,7 @@ class MemStoreFlusher implements FlushRequester {
try { try {
flushType = isAboveHighWaterMark(); flushType = isAboveHighWaterMark();
while (flushType != FlushType.NORMAL && !server.isStopped()) { while (flushType != FlushType.NORMAL && !server.isStopped()) {
server.cacheFlusher.setFlushType(flushType);
if (!blocked) { if (!blocked) {
startTime = EnvironmentEdgeManager.currentTime(); startTime = EnvironmentEdgeManager.currentTime();
if (!server.getRegionServerAccounting().isOffheap()) { if (!server.getRegionServerAccounting().isOffheap()) {
@ -592,7 +648,7 @@ class MemStoreFlusher implements FlushRequester {
switch (flushType) { switch (flushType) {
case ABOVE_OFFHEAP_HIGHER_MARK: case ABOVE_OFFHEAP_HIGHER_MARK:
logMsg("the global offheap memstore datasize", logMsg("the global offheap memstore datasize",
server.getRegionServerAccounting().getGlobalMemStoreDataSize(), server.getRegionServerAccounting().getGlobalMemStoreOffHeapSize(),
server.getRegionServerAccounting().getGlobalMemStoreLimit()); server.getRegionServerAccounting().getGlobalMemStoreLimit());
break; break;
case ABOVE_ONHEAP_HIGHER_MARK: case ABOVE_ONHEAP_HIGHER_MARK:
@ -633,9 +689,13 @@ class MemStoreFlusher implements FlushRequester {
LOG.info("Unblocking updates for server " + server.toString()); LOG.info("Unblocking updates for server " + server.toString());
} }
} }
} else if (isAboveLowWaterMark() != FlushType.NORMAL) { } else {
flushType = isAboveLowWaterMark();
if (flushType != FlushType.NORMAL) {
server.cacheFlusher.setFlushType(flushType);
wakeupFlushThread(); wakeupFlushThread();
} }
}
if(scope!= null) { if(scope!= null) {
scope.close(); scope.close();
} }

View File

@ -114,7 +114,7 @@ public interface MemStoreLAB {
*/ */
Chunk getNewExternalJumboChunk(int size); Chunk getNewExternalJumboChunk(int size);
public static MemStoreLAB newInstance(Configuration conf) { static MemStoreLAB newInstance(Configuration conf) {
MemStoreLAB memStoreLAB = null; MemStoreLAB memStoreLAB = null;
if (isEnabled(conf)) { if (isEnabled(conf)) {
String className = conf.get(MSLAB_CLASS_NAME, MemStoreLABImpl.class.getName()); String className = conf.get(MSLAB_CLASS_NAME, MemStoreLABImpl.class.getName());
@ -124,7 +124,11 @@ public interface MemStoreLAB {
return memStoreLAB; return memStoreLAB;
} }
public static boolean isEnabled(Configuration conf) { static boolean isEnabled(Configuration conf) {
return conf.getBoolean(USEMSLAB_KEY, USEMSLAB_DEFAULT); return conf.getBoolean(USEMSLAB_KEY, USEMSLAB_DEFAULT);
} }
boolean isOnHeap();
boolean isOffHeap();
} }

View File

@ -317,6 +317,16 @@ public class MemStoreLABImpl implements MemStoreLAB {
return c; return c;
} }
@Override
public boolean isOnHeap() {
return !isOffHeap();
}
@Override
public boolean isOffHeap() {
return this.chunkCreator.isOffheap();
}
@VisibleForTesting @VisibleForTesting
Chunk getCurrentChunk() { Chunk getCurrentChunk() {
return this.curChunk.get(); return this.curChunk.get();

View File

@ -27,29 +27,58 @@ import org.apache.yetus.audience.InterfaceAudience;
*/ */
@InterfaceAudience.LimitedPrivate(HBaseInterfaceAudience.COPROC) @InterfaceAudience.LimitedPrivate(HBaseInterfaceAudience.COPROC)
public class MemStoreSize { public class MemStoreSize {
// MemStore size tracks 3 sizes:
// (1) data size: the aggregated size of all key-value not including meta data such as
// index, time range etc.
// (2) heap size: the aggregated size of all data that is allocated on-heap including all
// key-values that reside on-heap and the metadata that resides on-heap
// (3) off-heap size: the aggregated size of all data that is allocated off-heap including all
// key-values that reside off-heap and the metadata that resides off-heap
//
// 3 examples to illustrate their usage:
// Consider a store with 100MB of key-values allocated on-heap and 20MB of metadata allocated
// on-heap. The counters are <100MB, 120MB, 0>, respectively.
// Consider a store with 100MB of key-values allocated off-heap and 20MB of metadata
// allocated on-heap (e.g, CAM index). The counters are <100MB, 20MB, 100MB>, respectively.
// Consider a store with 100MB of key-values from which 95MB are allocated off-heap and 5MB
// are allocated on-heap (e.g., due to upserts) and 20MB of metadata from which 15MB allocated
// off-heap (e.g, CCM index) and 5MB allocated on-heap (e.g, CSLM index in active).
// The counters are <100MB, 10MB, 110MB>, respectively.
/** /**
*'dataSize' tracks the Cell's data bytes size alone (Key bytes, value bytes). A cell's data can *'dataSize' tracks the Cell's data bytes size alone (Key bytes, value bytes). A cell's data can
* be in on heap or off heap area depending on the MSLAB and its configuration to be using on heap * be in on heap or off heap area depending on the MSLAB and its configuration to be using on heap
* or off heap LABs * or off heap LABs
*/ */
protected long dataSize; protected volatile long dataSize;
/** 'heapSize' tracks all Cell's heap size occupancy. This will include Cell POJO heap overhead. /** 'heapSize' tracks all Cell's heap size occupancy. This will include Cell POJO heap overhead.
* When Cells in on heap area, this will include the cells data size as well. * When Cells in on heap area, this will include the cells data size as well.
*/ */
protected long heapSize; protected volatile long heapSize;
/** off-heap size: the aggregated size of all data that is allocated off-heap including all
* key-values that reside off-heap and the metadata that resides off-heap
*/
protected volatile long offHeapSize;
public MemStoreSize() { public MemStoreSize() {
this(0L, 0L); this(0L, 0L, 0L);
} }
public MemStoreSize(long dataSize, long heapSize) { public MemStoreSize(long dataSize, long heapSize, long offHeapSize) {
this.dataSize = dataSize; this.dataSize = dataSize;
this.heapSize = heapSize; this.heapSize = heapSize;
this.offHeapSize = offHeapSize;
} }
protected MemStoreSize(MemStoreSize memStoreSize) {
this.dataSize = memStoreSize.dataSize;
this.heapSize = memStoreSize.heapSize;
this.offHeapSize = memStoreSize.offHeapSize;
}
public boolean isEmpty() { public boolean isEmpty() {
return this.dataSize == 0 && this.heapSize == 0; return this.dataSize == 0 && this.heapSize == 0 && this.offHeapSize == 0;
} }
public long getDataSize() { public long getDataSize() {
@ -60,24 +89,33 @@ public class MemStoreSize {
return this.heapSize; return this.heapSize;
} }
public long getOffHeapSize() {
return this.offHeapSize;
}
@Override @Override
public boolean equals(Object obj) { public boolean equals(Object obj) {
if (obj == null || getClass() != obj.getClass()) { if (obj == null || getClass() != obj.getClass()) {
return false; return false;
} }
MemStoreSize other = (MemStoreSize) obj; MemStoreSize other = (MemStoreSize) obj;
return this.dataSize == other.dataSize && this.heapSize == other.heapSize; return this.dataSize == other.dataSize
&& this.heapSize == other.heapSize
&& this.offHeapSize == other.offHeapSize;
} }
@Override @Override
public int hashCode() { public int hashCode() {
long h = 13 * this.dataSize; long h = 13 * this.dataSize;
h = h + 14 * this.heapSize; h = h + 14 * this.heapSize;
h = h + 15 * this.offHeapSize;
return (int) h; return (int) h;
} }
@Override @Override
public String toString() { public String toString() {
return "dataSize=" + this.dataSize + " , heapSize=" + this.heapSize; return "dataSize=" + this.dataSize
+ " , heapSize=" + this.heapSize
+ " , offHeapSize=" + this.offHeapSize;
} }
} }

View File

@ -28,23 +28,14 @@ import org.apache.yetus.audience.InterfaceAudience;
@InterfaceAudience.Private @InterfaceAudience.Private
public class MemStoreSizing extends MemStoreSize { public class MemStoreSizing extends MemStoreSize {
public static final MemStoreSizing DUD = new MemStoreSizing() { public static final MemStoreSizing DUD = new MemStoreSizing() {
@Override
public void incMemStoreSize(MemStoreSize delta) {
incMemStoreSize(delta.getDataSize(), delta.getHeapSize());
}
@Override @Override public void incMemStoreSize(long dataSizeDelta, long heapSizeDelta,
public void incMemStoreSize(long dataSizeDelta, long heapSizeDelta) { long offHeapSizeDelta) {
throw new RuntimeException("I'm a dud, you can't use me!"); throw new RuntimeException("I'm a dud, you can't use me!");
} }
@Override @Override public void decMemStoreSize(long dataSizeDelta, long heapSizeDelta,
public void decMemStoreSize(MemStoreSize delta) { long offHeapSizeDelta) {
decMemStoreSize(delta.getDataSize(), delta.getHeapSize());
}
@Override
public void decMemStoreSize(long dataSizeDelta, long heapSizeDelta) {
throw new RuntimeException("I'm a dud, you can't use me!"); throw new RuntimeException("I'm a dud, you can't use me!");
} }
}; };
@ -53,51 +44,38 @@ public class MemStoreSizing extends MemStoreSize {
super(); super();
} }
public MemStoreSizing(long dataSize, long heapSize) { public MemStoreSizing(long dataSize, long heapSize, long offHeapSize) {
super(dataSize, heapSize); super(dataSize, heapSize, offHeapSize);
} }
public void incMemStoreSize(long dataSizeDelta, long heapSizeDelta) { public MemStoreSizing(MemStoreSize memStoreSize) {
super(memStoreSize);
}
public void incMemStoreSize(long dataSizeDelta, long heapSizeDelta, long offHeapSizeDelta) {
this.dataSize += dataSizeDelta; this.dataSize += dataSizeDelta;
this.heapSize += heapSizeDelta; this.heapSize += heapSizeDelta;
this.offHeapSize += offHeapSizeDelta;
} }
public void incMemStoreSize(MemStoreSize delta) { public void incMemStoreSize(MemStoreSize delta) {
incMemStoreSize(delta.getDataSize(), delta.getHeapSize()); incMemStoreSize(delta.getDataSize(), delta.getHeapSize(), delta.getOffHeapSize());
} }
public void decMemStoreSize(long dataSizeDelta, long heapSizeDelta) { public void decMemStoreSize(long dataSizeDelta, long heapSizeDelta, long offHeapSizeDelta) {
this.dataSize -= dataSizeDelta; this.dataSize -= dataSizeDelta;
this.heapSize -= heapSizeDelta; this.heapSize -= heapSizeDelta;
this.offHeapSize -= offHeapSizeDelta;
} }
public void decMemStoreSize(MemStoreSize delta) { public void decMemStoreSize(MemStoreSize delta) {
decMemStoreSize(delta.getDataSize(), delta.getHeapSize()); decMemStoreSize(delta.getDataSize(), delta.getHeapSize(), delta.getOffHeapSize());
} }
public void empty() { public void empty() {
this.dataSize = 0L; this.dataSize = 0L;
this.heapSize = 0L; this.heapSize = 0L;
this.offHeapSize = 0L;
} }
@Override
public boolean equals(Object obj) {
if (obj == null || (getClass() != obj.getClass())) {
return false;
}
MemStoreSizing other = (MemStoreSizing) obj;
return this.dataSize == other.dataSize && this.heapSize == other.heapSize;
}
@Override
public int hashCode() {
long h = 13 * this.dataSize;
h = h + 14 * this.heapSize;
return (int) h;
}
@Override
public String toString() {
return "dataSize=" + this.dataSize + " , heapSize=" + this.heapSize;
}
} }

View File

@ -30,8 +30,7 @@ import java.util.List;
public class MemStoreSnapshot implements Closeable { public class MemStoreSnapshot implements Closeable {
private final long id; private final long id;
private final int cellsCount; private final int cellsCount;
private final long dataSize; private final MemStoreSize memStoreSize;
private final long heapSize;
private final TimeRangeTracker timeRangeTracker; private final TimeRangeTracker timeRangeTracker;
private final List<KeyValueScanner> scanners; private final List<KeyValueScanner> scanners;
private final boolean tagsPresent; private final boolean tagsPresent;
@ -39,8 +38,7 @@ public class MemStoreSnapshot implements Closeable {
public MemStoreSnapshot(long id, ImmutableSegment snapshot) { public MemStoreSnapshot(long id, ImmutableSegment snapshot) {
this.id = id; this.id = id;
this.cellsCount = snapshot.getCellsCount(); this.cellsCount = snapshot.getCellsCount();
this.dataSize = snapshot.keySize(); this.memStoreSize = snapshot.getMemStoreSize();
this.heapSize = snapshot.heapSize();
this.timeRangeTracker = snapshot.getTimeRangeTracker(); this.timeRangeTracker = snapshot.getTimeRangeTracker();
this.scanners = snapshot.getScanners(Long.MAX_VALUE, Long.MAX_VALUE); this.scanners = snapshot.getScanners(Long.MAX_VALUE, Long.MAX_VALUE);
this.tagsPresent = snapshot.isTagsPresent(); this.tagsPresent = snapshot.isTagsPresent();
@ -60,15 +58,12 @@ public class MemStoreSnapshot implements Closeable {
return cellsCount; return cellsCount;
} }
/**
* @return Total memory size occupied by this snapshot.
*/
public long getDataSize() { public long getDataSize() {
return dataSize; return memStoreSize.getDataSize();
} }
public long getHeapSize() { public MemStoreSize getMemStoreSize() {
return heapSize; return memStoreSize;
} }
/** /**
@ -100,4 +95,5 @@ public class MemStoreSnapshot implements Closeable {
} }
} }
} }
} }

View File

@ -72,7 +72,7 @@ public class MetricsTableWrapperAggregateImpl implements MetricsTableWrapperAggr
for (Store store : r.getStores()) { for (Store store : r.getStores()) {
tempStorefilesSize += store.getStorefilesSize(); tempStorefilesSize += store.getStorefilesSize();
} }
metricsTable.setMemStoresSize(metricsTable.getMemStoresSize() + r.getMemStoreSize()); metricsTable.setMemStoresSize(metricsTable.getMemStoresSize() + r.getMemStoreDataSize());
metricsTable.setStoreFilesSize(metricsTable.getStoreFilesSize() + tempStorefilesSize); metricsTable.setStoreFilesSize(metricsTable.getStoreFilesSize() + tempStorefilesSize);
metricsTable.setTableSize(metricsTable.getMemStoresSize() + metricsTable.getStoreFilesSize()); metricsTable.setTableSize(metricsTable.getMemStoresSize() + metricsTable.getStoreFilesSize());
metricsTable.setReadRequestsCount(metricsTable.getReadRequestsCount() + r.getReadRequestsCount()); metricsTable.setReadRequestsCount(metricsTable.getReadRequestsCount() + r.getReadRequestsCount());

View File

@ -44,7 +44,7 @@ public class MutableSegment extends Segment {
protected MutableSegment(CellSet cellSet, CellComparator comparator, MemStoreLAB memStoreLAB) { protected MutableSegment(CellSet cellSet, CellComparator comparator, MemStoreLAB memStoreLAB) {
super(cellSet, comparator, memStoreLAB, TimeRangeTracker.create(TimeRangeTracker.Type.SYNC)); super(cellSet, comparator, memStoreLAB, TimeRangeTracker.create(TimeRangeTracker.Type.SYNC));
incSize(0,DEEP_OVERHEAD); // update the mutable segment metadata incSize(0, DEEP_OVERHEAD, 0); // update the mutable segment metadata
} }
/** /**
@ -88,9 +88,10 @@ public class MutableSegment extends Segment {
// removed cell is from MSLAB or not. Will do once HBASE-16438 is in // removed cell is from MSLAB or not. Will do once HBASE-16438 is in
int cellLen = getCellLength(cur); int cellLen = getCellLength(cur);
long heapSize = heapSizeChange(cur, true); long heapSize = heapSizeChange(cur, true);
this.incSize(-cellLen, -heapSize); long offHeapSize = offHeapSizeChange(cur, true);
this.incSize(-cellLen, -heapSize, -offHeapSize);
if (memStoreSizing != null) { if (memStoreSizing != null) {
memStoreSizing.decMemStoreSize(cellLen, heapSize); memStoreSizing.decMemStoreSize(cellLen, heapSize, offHeapSize);
} }
it.remove(); it.remove();
} else { } else {

View File

@ -150,7 +150,21 @@ public interface Region extends ConfigurationObserver {
* the memstores of this Region. Means size in bytes for key, value and tags within Cells. * the memstores of this Region. Means size in bytes for key, value and tags within Cells.
* It wont consider any java heap overhead for the cell objects or any other. * It wont consider any java heap overhead for the cell objects or any other.
*/ */
long getMemStoreSize(); long getMemStoreDataSize();
/**
* @return memstore heap size for this region, in bytes. It accounts data size of cells
* added to the memstores of this Region, as well as java heap overhead for the cell
* objects or any other.
*/
long getMemStoreHeapSize();
/**
* @return memstore off-heap size for this region, in bytes. It accounts data size of cells
* added to the memstores of this Region, as well as overhead for the cell
* objects or any other that is allocated off-heap.
*/
long getMemStoreOffHeapSize();
/** @return the number of mutations processed bypassing the WAL */ /** @return the number of mutations processed bypassing the WAL */
long getNumMutationsWithoutWAL(); long getNumMutationsWithoutWAL();

View File

@ -31,17 +31,17 @@ import org.apache.hadoop.hbase.util.Pair;
/** /**
* RegionServerAccounting keeps record of some basic real time information about * RegionServerAccounting keeps record of some basic real time information about
* the Region Server. Currently, it keeps record the global memstore size and global memstore heap * the Region Server. Currently, it keeps record the global memstore size and global memstore
* overhead. It also tracks the replay edits per region. * on-heap and off-heap overhead. It also tracks the replay edits per region.
*/ */
@InterfaceAudience.Private @InterfaceAudience.Private
public class RegionServerAccounting { public class RegionServerAccounting {
// memstore data size // memstore data size
private final LongAdder globalMemstoreDataSize = new LongAdder(); private final LongAdder globalMemStoreDataSize = new LongAdder();
// memstore heap size. When off heap MSLAB in place, this will be only heap overhead of the Cell // memstore heap size.
// POJOs and entry overhead of them onto memstore. When on heap MSLAB, this will be include heap private final LongAdder globalMemStoreHeapSize = new LongAdder();
// overhead as well as the cell data size. Ya cell data is in on heap area only then. // memstore off-heap size.
private final LongAdder globalMemstoreHeapSize = new LongAdder(); private final LongAdder globalMemStoreOffHeapSize = new LongAdder();
// Store the edits size during replaying WAL. Use this to roll back the // Store the edits size during replaying WAL. Use this to roll back the
// global memstore size once a region opening failed. // global memstore size once a region opening failed.
@ -114,14 +114,21 @@ public class RegionServerAccounting {
* @return the global Memstore data size in the RegionServer * @return the global Memstore data size in the RegionServer
*/ */
public long getGlobalMemStoreDataSize() { public long getGlobalMemStoreDataSize() {
return globalMemstoreDataSize.sum(); return globalMemStoreDataSize.sum();
} }
/** /**
* @return the global memstore heap size in the RegionServer * @return the global memstore heap size in the RegionServer
*/ */
public long getGlobalMemStoreHeapSize() { public long getGlobalMemStoreHeapSize() {
return this.globalMemstoreHeapSize.sum(); return this.globalMemStoreHeapSize.sum();
}
/**
* @return the global memstore heap size in the RegionServer
*/
public long getGlobalMemStoreOffHeapSize() {
return this.globalMemStoreOffHeapSize.sum();
} }
/** /**
@ -129,13 +136,15 @@ public class RegionServerAccounting {
* the global Memstore size * the global Memstore size
*/ */
public void incGlobalMemStoreSize(MemStoreSize memStoreSize) { public void incGlobalMemStoreSize(MemStoreSize memStoreSize) {
globalMemstoreDataSize.add(memStoreSize.getDataSize()); globalMemStoreDataSize.add(memStoreSize.getDataSize());
globalMemstoreHeapSize.add(memStoreSize.getHeapSize()); globalMemStoreHeapSize.add(memStoreSize.getHeapSize());
globalMemStoreOffHeapSize.add(memStoreSize.getOffHeapSize());
} }
public void decGlobalMemStoreSize(MemStoreSize memStoreSize) { public void decGlobalMemStoreSize(MemStoreSize memStoreSize) {
globalMemstoreDataSize.add(-memStoreSize.getDataSize()); globalMemStoreDataSize.add(-memStoreSize.getDataSize());
globalMemstoreHeapSize.add(-memStoreSize.getHeapSize()); globalMemStoreHeapSize.add(-memStoreSize.getHeapSize());
globalMemStoreOffHeapSize.add(-memStoreSize.getOffHeapSize());
} }
/** /**
@ -151,13 +160,13 @@ public class RegionServerAccounting {
} }
} else { } else {
// If the configured memstore is offheap, check for two things // If the configured memstore is offheap, check for two things
// 1) If the global memstore data size is greater than the configured // 1) If the global memstore off-heap size is greater than the configured
// 'hbase.regionserver.offheap.global.memstore.size' // 'hbase.regionserver.offheap.global.memstore.size'
// 2) If the global memstore heap size is greater than the configured onheap // 2) If the global memstore heap size is greater than the configured onheap
// global memstore limit 'hbase.regionserver.global.memstore.size'. // global memstore limit 'hbase.regionserver.global.memstore.size'.
// We do this to avoid OOME incase of scenarios where the heap is occupied with // We do this to avoid OOME incase of scenarios where the heap is occupied with
// lot of onheap references to the cells in memstore // lot of onheap references to the cells in memstore
if (getGlobalMemStoreDataSize() >= globalMemStoreLimit) { if (getGlobalMemStoreOffHeapSize() >= globalMemStoreLimit) {
// Indicates that global memstore size is above the configured // Indicates that global memstore size is above the configured
// 'hbase.regionserver.offheap.global.memstore.size' // 'hbase.regionserver.offheap.global.memstore.size'
return FlushType.ABOVE_OFFHEAP_HIGHER_MARK; return FlushType.ABOVE_OFFHEAP_HIGHER_MARK;
@ -181,8 +190,8 @@ public class RegionServerAccounting {
return FlushType.ABOVE_ONHEAP_LOWER_MARK; return FlushType.ABOVE_ONHEAP_LOWER_MARK;
} }
} else { } else {
if (getGlobalMemStoreDataSize() >= globalMemStoreLimitLowMark) { if (getGlobalMemStoreOffHeapSize() >= globalMemStoreLimitLowMark) {
// Indicates that the offheap memstore's data size is greater than the global memstore // Indicates that the offheap memstore's size is greater than the global memstore
// lower limit // lower limit
return FlushType.ABOVE_OFFHEAP_LOWER_MARK; return FlushType.ABOVE_OFFHEAP_LOWER_MARK;
} else if (getGlobalMemStoreHeapSize() >= globalOnHeapMemstoreLimitLowMark) { } else if (getGlobalMemStoreHeapSize() >= globalOnHeapMemstoreLimitLowMark) {
@ -203,7 +212,7 @@ public class RegionServerAccounting {
if (memType == MemoryType.HEAP) { if (memType == MemoryType.HEAP) {
return (getGlobalMemStoreHeapSize()) * 1.0 / globalMemStoreLimitLowMark; return (getGlobalMemStoreHeapSize()) * 1.0 / globalMemStoreLimitLowMark;
} else { } else {
return Math.max(getGlobalMemStoreDataSize() * 1.0 / globalMemStoreLimitLowMark, return Math.max(getGlobalMemStoreOffHeapSize() * 1.0 / globalMemStoreLimitLowMark,
getGlobalMemStoreHeapSize() * 1.0 / globalOnHeapMemstoreLimitLowMark); getGlobalMemStoreHeapSize() * 1.0 / globalOnHeapMemstoreLimitLowMark);
} }
} }

View File

@ -66,7 +66,7 @@ public class RegionServicesForStores {
} }
public void addMemStoreSize(MemStoreSize size) { public void addMemStoreSize(MemStoreSize size) {
region.addAndGetMemStoreSize(size); region.incMemStoreSize(size);
} }
public RegionInfo getRegionInfo() { public RegionInfo getRegionInfo() {
@ -89,6 +89,6 @@ public class RegionServicesForStores {
@VisibleForTesting @VisibleForTesting
long getMemStoreSize() { long getMemStoreSize() {
return region.getMemStoreSize(); return region.getMemStoreDataSize();
} }
} }

View File

@ -23,7 +23,6 @@ import java.util.Iterator;
import java.util.List; import java.util.List;
import java.util.Objects; import java.util.Objects;
import java.util.SortedSet; import java.util.SortedSet;
import java.util.concurrent.atomic.AtomicLong;
import java.util.concurrent.atomic.AtomicReference; import java.util.concurrent.atomic.AtomicReference;
import org.apache.hadoop.hbase.Cell; import org.apache.hadoop.hbase.Cell;
@ -48,9 +47,9 @@ import org.apache.hbase.thirdparty.com.google.common.annotations.VisibleForTesti
@InterfaceAudience.Private @InterfaceAudience.Private
public abstract class Segment { public abstract class Segment {
public final static long FIXED_OVERHEAD = ClassSize.align((long)ClassSize.OBJECT public final static long FIXED_OVERHEAD = ClassSize.align(ClassSize.OBJECT
+ 6 * ClassSize.REFERENCE // cellSet, comparator, memStoreLAB, dataSize, + 5 * ClassSize.REFERENCE // cellSet, comparator, memStoreLAB, memStoreSizing,
// heapSize, and timeRangeTracker // and timeRangeTracker
+ Bytes.SIZEOF_LONG // minSequenceId + Bytes.SIZEOF_LONG // minSequenceId
+ Bytes.SIZEOF_BOOLEAN); // tagsPresent + Bytes.SIZEOF_BOOLEAN); // tagsPresent
public final static long DEEP_OVERHEAD = FIXED_OVERHEAD + ClassSize.ATOMIC_REFERENCE public final static long DEEP_OVERHEAD = FIXED_OVERHEAD + ClassSize.ATOMIC_REFERENCE
@ -62,8 +61,7 @@ public abstract class Segment {
private MemStoreLAB memStoreLAB; private MemStoreLAB memStoreLAB;
// Sum of sizes of all Cells added to this Segment. Cell's heapSize is considered. This is not // Sum of sizes of all Cells added to this Segment. Cell's heapSize is considered. This is not
// including the heap overhead of this class. // including the heap overhead of this class.
protected final AtomicLong dataSize; protected final MemStoreSizing segmentSize;
protected final AtomicLong heapSize;
protected final TimeRangeTracker timeRangeTracker; protected final TimeRangeTracker timeRangeTracker;
protected volatile boolean tagsPresent; protected volatile boolean tagsPresent;
@ -71,8 +69,23 @@ public abstract class Segment {
// and there is no need in true Segments state // and there is no need in true Segments state
protected Segment(CellComparator comparator, TimeRangeTracker trt) { protected Segment(CellComparator comparator, TimeRangeTracker trt) {
this.comparator = comparator; this.comparator = comparator;
this.dataSize = new AtomicLong(0); this.segmentSize = new MemStoreSizing();
this.heapSize = new AtomicLong(0); this.timeRangeTracker = trt;
}
protected Segment(CellComparator comparator, List<ImmutableSegment> segments,
TimeRangeTracker trt) {
long dataSize = 0;
long heapSize = 0;
long OffHeapSize = 0;
for (Segment segment : segments) {
MemStoreSize memStoreSize = segment.getMemStoreSize();
dataSize += memStoreSize.getDataSize();
heapSize += memStoreSize.getHeapSize();
OffHeapSize += memStoreSize.getOffHeapSize();
}
this.comparator = comparator;
this.segmentSize = new MemStoreSizing(dataSize, heapSize, OffHeapSize);
this.timeRangeTracker = trt; this.timeRangeTracker = trt;
} }
@ -82,8 +95,7 @@ public abstract class Segment {
this.comparator = comparator; this.comparator = comparator;
this.minSequenceId = Long.MAX_VALUE; this.minSequenceId = Long.MAX_VALUE;
this.memStoreLAB = memStoreLAB; this.memStoreLAB = memStoreLAB;
this.dataSize = new AtomicLong(0); this.segmentSize = new MemStoreSizing();
this.heapSize = new AtomicLong(0);
this.tagsPresent = false; this.tagsPresent = false;
this.timeRangeTracker = trt; this.timeRangeTracker = trt;
} }
@ -93,8 +105,7 @@ public abstract class Segment {
this.comparator = segment.getComparator(); this.comparator = segment.getComparator();
this.minSequenceId = segment.getMinSequenceId(); this.minSequenceId = segment.getMinSequenceId();
this.memStoreLAB = segment.getMemStoreLAB(); this.memStoreLAB = segment.getMemStoreLAB();
this.dataSize = new AtomicLong(segment.keySize()); this.segmentSize = new MemStoreSizing(segment.getMemStoreSize());
this.heapSize = new AtomicLong(segment.heapSize.get());
this.tagsPresent = segment.isTagsPresent(); this.tagsPresent = segment.isTagsPresent();
this.timeRangeTracker = segment.getTimeRangeTracker(); this.timeRangeTracker = segment.getTimeRangeTracker();
} }
@ -133,17 +144,6 @@ public abstract class Segment {
return getCellSet().size(); return getCellSet().size();
} }
/**
* @return the first cell in the segment that has equal or greater key than the given cell
*/
public Cell getFirstAfter(Cell cell) {
SortedSet<Cell> snTailSet = tailSet(cell);
if (!snTailSet.isEmpty()) {
return snTailSet.first();
}
return null;
}
/** /**
* Closing a segment before it is being discarded * Closing a segment before it is being discarded
*/ */
@ -221,27 +221,39 @@ public abstract class Segment {
return this; return this;
} }
public MemStoreSize getMemStoreSize() {
return this.segmentSize;
}
/** /**
* @return Sum of all cell's size. * @return Sum of all cell's size.
*/ */
public long keySize() { public long keySize() {
return this.dataSize.get(); return this.segmentSize.getDataSize();
} }
/** /**
* @return The heap size of this segment. * @return The heap size of this segment.
*/ */
public long heapSize() { public long heapSize() {
return this.heapSize.get(); return this.segmentSize.getHeapSize();
}
/**
* @return The off-heap size of this segment.
*/
public long offHeapSize() {
return this.segmentSize.getOffHeapSize();
} }
/** /**
* Updates the size counters of the segment by the given delta * Updates the size counters of the segment by the given delta
*/ */
//TODO //TODO
protected void incSize(long delta, long heapOverhead) { protected void incSize(long delta, long heapOverhead, long offHeapOverhead) {
this.dataSize.addAndGet(delta); synchronized (this) {
this.heapSize.addAndGet(heapOverhead); this.segmentSize.incMemStoreSize(delta, heapOverhead, offHeapOverhead);
}
} }
public long getMinSequenceId() { public long getMinSequenceId() {
@ -303,9 +315,10 @@ public abstract class Segment {
cellSize = getCellLength(cellToAdd); cellSize = getCellLength(cellToAdd);
} }
long heapSize = heapSizeChange(cellToAdd, succ); long heapSize = heapSizeChange(cellToAdd, succ);
incSize(cellSize, heapSize); long offHeapSize = offHeapSizeChange(cellToAdd, succ);
incSize(cellSize, heapSize, offHeapSize);
if (memstoreSizing != null) { if (memstoreSizing != null) {
memstoreSizing.incMemStoreSize(cellSize, heapSize); memstoreSizing.incMemStoreSize(cellSize, heapSize, offHeapSize);
} }
getTimeRangeTracker().includeTimestamp(cellToAdd); getTimeRangeTracker().includeTimestamp(cellToAdd);
minSequenceId = Math.min(minSequenceId, cellToAdd.getSequenceId()); minSequenceId = Math.min(minSequenceId, cellToAdd.getSequenceId());
@ -327,10 +340,48 @@ public abstract class Segment {
* heap size itself and additional overhead because of addition on to CSLM. * heap size itself and additional overhead because of addition on to CSLM.
*/ */
protected long heapSizeChange(Cell cell, boolean succ) { protected long heapSizeChange(Cell cell, boolean succ) {
long res = 0;
if (succ) { if (succ) {
return ClassSize boolean onHeap = true;
.align(indexEntrySize() + PrivateCellUtil.estimatedHeapSizeOf(cell)); MemStoreLAB memStoreLAB = getMemStoreLAB();
if(memStoreLAB != null) {
onHeap = memStoreLAB.isOnHeap();
} }
res += indexEntryOnHeapSize(onHeap);
if(onHeap) {
res += PrivateCellUtil.estimatedSizeOfCell(cell);
}
res = ClassSize.align(res);
}
return res;
}
protected long offHeapSizeChange(Cell cell, boolean succ) {
long res = 0;
if (succ) {
boolean offHeap = false;
MemStoreLAB memStoreLAB = getMemStoreLAB();
if(memStoreLAB != null) {
offHeap = memStoreLAB.isOffHeap();
}
res += indexEntryOffHeapSize(offHeap);
if(offHeap) {
res += PrivateCellUtil.estimatedSizeOfCell(cell);
}
res = ClassSize.align(res);
}
return res;
}
protected long indexEntryOnHeapSize(boolean onHeap) {
// in most cases index is allocated on-heap
// override this method when it is not always the case, e.g., in CCM
return indexEntrySize();
}
protected long indexEntryOffHeapSize(boolean offHeap) {
// in most cases index is allocated on-heap
// override this method when it is not always the case, e.g., in CCM
return 0; return 0;
} }

View File

@ -600,7 +600,7 @@ public class StoreScanner extends NonReversedNonLazyKeyValueScanner
// Update the progress of the scanner context // Update the progress of the scanner context
scannerContext.incrementSizeProgress(cellSize, scannerContext.incrementSizeProgress(cellSize,
PrivateCellUtil.estimatedHeapSizeOf(cell)); PrivateCellUtil.estimatedSizeOfCell(cell));
scannerContext.incrementBatchProgress(1); scannerContext.incrementBatchProgress(1);
if (matcher.isUserScan() && totalBytesRead > maxRowSize) { if (matcher.isUserScan() && totalBytesRead > maxRowSize) {

View File

@ -168,7 +168,7 @@ public class WALEdit implements HeapSize {
public long heapSize() { public long heapSize() {
long ret = ClassSize.ARRAYLIST; long ret = ClassSize.ARRAYLIST;
for (Cell cell : cells) { for (Cell cell : cells) {
ret += PrivateCellUtil.estimatedHeapSizeOf(cell); ret += PrivateCellUtil.estimatedSizeOfCell(cell);
} }
return ret; return ret;
} }

View File

@ -99,7 +99,7 @@ public class TestGlobalMemStoreSize {
long globalMemStoreSize = 0; long globalMemStoreSize = 0;
for (RegionInfo regionInfo : for (RegionInfo regionInfo :
ProtobufUtil.getOnlineRegions(null, server.getRSRpcServices())) { ProtobufUtil.getOnlineRegions(null, server.getRSRpcServices())) {
globalMemStoreSize += server.getRegion(regionInfo.getEncodedName()).getMemStoreSize(); globalMemStoreSize += server.getRegion(regionInfo.getEncodedName()).getMemStoreDataSize();
} }
assertEquals(server.getRegionServerAccounting().getGlobalMemStoreDataSize(), assertEquals(server.getRegionServerAccounting().getGlobalMemStoreDataSize(),
globalMemStoreSize); globalMemStoreSize);
@ -130,7 +130,7 @@ public class TestGlobalMemStoreSize {
for (RegionInfo regionInfo : for (RegionInfo regionInfo :
ProtobufUtil.getOnlineRegions(null, server.getRSRpcServices())) { ProtobufUtil.getOnlineRegions(null, server.getRSRpcServices())) {
HRegion r = server.getRegion(regionInfo.getEncodedName()); HRegion r = server.getRegion(regionInfo.getEncodedName());
long l = r.getMemStoreSize(); long l = r.getMemStoreDataSize();
if (l > 0) { if (l > 0) {
// Only meta could have edits at this stage. Give it another flush // Only meta could have edits at this stage. Give it another flush
// clear them. // clear them.

View File

@ -391,7 +391,7 @@ public class TestPartialResultsFromClientSide {
// Estimate the cell heap size. One difference is that on server side, the KV Heap size is // Estimate the cell heap size. One difference is that on server side, the KV Heap size is
// estimated differently in case the cell is backed up by MSLAB byte[] (no overhead for // estimated differently in case the cell is backed up by MSLAB byte[] (no overhead for
// backing array). Thus below calculation is a bit brittle. // backing array). Thus below calculation is a bit brittle.
CELL_HEAP_SIZE = PrivateCellUtil.estimatedHeapSizeOf(result.rawCells()[0]) CELL_HEAP_SIZE = PrivateCellUtil.estimatedSizeOfCell(result.rawCells()[0])
- (ClassSize.ARRAY+3); - (ClassSize.ARRAY+3);
if (LOG.isInfoEnabled()) LOG.info("Cell heap size: " + CELL_HEAP_SIZE); if (LOG.isInfoEnabled()) LOG.info("Cell heap size: " + CELL_HEAP_SIZE);
scanner.close(); scanner.close();

View File

@ -32,7 +32,6 @@ import org.apache.hadoop.hbase.client.metrics.ScanMetrics;
import org.apache.hadoop.hbase.client.metrics.ServerSideScanMetrics; import org.apache.hadoop.hbase.client.metrics.ServerSideScanMetrics;
import org.apache.hadoop.hbase.filter.BinaryComparator; import org.apache.hadoop.hbase.filter.BinaryComparator;
import org.apache.hadoop.hbase.filter.ColumnPrefixFilter; import org.apache.hadoop.hbase.filter.ColumnPrefixFilter;
import org.apache.hadoop.hbase.filter.CompareFilter.CompareOp;
import org.apache.hadoop.hbase.filter.Filter; import org.apache.hadoop.hbase.filter.Filter;
import org.apache.hadoop.hbase.filter.FilterList; import org.apache.hadoop.hbase.filter.FilterList;
import org.apache.hadoop.hbase.filter.FilterList.Operator; import org.apache.hadoop.hbase.filter.FilterList.Operator;
@ -156,7 +155,7 @@ public class TestServerSideScanMetricsFromClientSide {
assertTrue(result.rawCells() != null); assertTrue(result.rawCells() != null);
assertTrue(result.rawCells().length == 1); assertTrue(result.rawCells().length == 1);
CELL_HEAP_SIZE = PrivateCellUtil.estimatedHeapSizeOf(result.rawCells()[0]); CELL_HEAP_SIZE = PrivateCellUtil.estimatedSizeOfCell(result.rawCells()[0]);
scanner.close(); scanner.close();
} }

View File

@ -215,30 +215,30 @@ public class TestAsyncRegionAdminApi extends TestAsyncAdminBase {
ASYNC_CONN.getTable(tableName) ASYNC_CONN.getTable(tableName)
.put(new Put(hri.getStartKey()).addColumn(FAMILY, FAMILY_0, Bytes.toBytes("value-1"))) .put(new Put(hri.getStartKey()).addColumn(FAMILY, FAMILY_0, Bytes.toBytes("value-1")))
.join(); .join();
assertTrue(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize() > 0); assertTrue(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize() > 0);
// flush region and wait flush operation finished. // flush region and wait flush operation finished.
LOG.info("flushing region: " + Bytes.toStringBinary(hri.getRegionName())); LOG.info("flushing region: " + Bytes.toStringBinary(hri.getRegionName()));
admin.flushRegion(hri.getRegionName()).get(); admin.flushRegion(hri.getRegionName()).get();
LOG.info("blocking until flush is complete: " + Bytes.toStringBinary(hri.getRegionName())); LOG.info("blocking until flush is complete: " + Bytes.toStringBinary(hri.getRegionName()));
Threads.sleepWithoutInterrupt(500); Threads.sleepWithoutInterrupt(500);
while (regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize() > 0) { while (regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize() > 0) {
Threads.sleep(50); Threads.sleep(50);
} }
// check the memstore. // check the memstore.
assertEquals(0, regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize()); assertEquals(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize(), 0);
// write another put into the specific region // write another put into the specific region
ASYNC_CONN.getTable(tableName) ASYNC_CONN.getTable(tableName)
.put(new Put(hri.getStartKey()).addColumn(FAMILY, FAMILY_0, Bytes.toBytes("value-2"))) .put(new Put(hri.getStartKey()).addColumn(FAMILY, FAMILY_0, Bytes.toBytes("value-2")))
.join(); .join();
assertTrue(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize() > 0); assertTrue(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize() > 0);
admin.flush(tableName).get(); admin.flush(tableName).get();
Threads.sleepWithoutInterrupt(500); Threads.sleepWithoutInterrupt(500);
while (regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize() > 0) { while (regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize() > 0) {
Threads.sleep(50); Threads.sleep(50);
} }
// check the memstore. // check the memstore.
assertEquals(0, regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreSize()); assertEquals(regionServer.getOnlineRegion(hri.getRegionName()).getMemStoreDataSize(), 0);
} }
private void waitUntilMobCompactionFinished(TableName tableName) private void waitUntilMobCompactionFinished(TableName tableName)

View File

@ -36,9 +36,7 @@ import org.apache.hadoop.hbase.client.backoff.ClientBackoffPolicy;
import org.apache.hadoop.hbase.client.backoff.ExponentialClientBackoffPolicy; import org.apache.hadoop.hbase.client.backoff.ExponentialClientBackoffPolicy;
import org.apache.hadoop.hbase.client.backoff.ServerStatistics; import org.apache.hadoop.hbase.client.backoff.ServerStatistics;
import org.apache.hadoop.hbase.client.coprocessor.Batch; import org.apache.hadoop.hbase.client.coprocessor.Batch;
import org.apache.hadoop.hbase.regionserver.HRegion;
import org.apache.hadoop.hbase.regionserver.HRegionServer; import org.apache.hadoop.hbase.regionserver.HRegionServer;
import org.apache.hadoop.hbase.regionserver.MemStoreSize;
import org.apache.hadoop.hbase.regionserver.Region; import org.apache.hadoop.hbase.regionserver.Region;
import org.apache.hadoop.hbase.testclassification.MediumTests; import org.apache.hadoop.hbase.testclassification.MediumTests;
import org.apache.hadoop.hbase.util.Bytes; import org.apache.hadoop.hbase.util.Bytes;
@ -67,7 +65,7 @@ public class TestClientPushback {
private static final TableName tableName = TableName.valueOf("client-pushback"); private static final TableName tableName = TableName.valueOf("client-pushback");
private static final byte[] family = Bytes.toBytes("f"); private static final byte[] family = Bytes.toBytes("f");
private static final byte[] qualifier = Bytes.toBytes("q"); private static final byte[] qualifier = Bytes.toBytes("q");
private static final long flushSizeBytes = 256; private static final long flushSizeBytes = 512;
@BeforeClass @BeforeClass
public static void setupCluster() throws Exception{ public static void setupCluster() throws Exception{
@ -110,7 +108,7 @@ public class TestClientPushback {
mutator.flush(); mutator.flush();
// get the current load on RS. Hopefully memstore isn't flushed since we wrote the the data // get the current load on RS. Hopefully memstore isn't flushed since we wrote the the data
int load = (int) ((((HRegion) region).addAndGetMemStoreSize(new MemStoreSize(0, 0)) * 100) int load = (int) ((region.getMemStoreHeapSize() * 100)
/ flushSizeBytes); / flushSizeBytes);
LOG.debug("Done writing some data to "+tableName); LOG.debug("Done writing some data to "+tableName);

View File

@ -93,7 +93,7 @@ public class TestFlushFromClient {
t.put(puts); t.put(puts);
} }
assertFalse(getRegionInfo().isEmpty()); assertFalse(getRegionInfo().isEmpty());
assertTrue(getRegionInfo().stream().allMatch(r -> r.getMemStoreSize() != 0)); assertTrue(getRegionInfo().stream().allMatch(r -> r.getMemStoreDataSize() != 0));
} }
@After @After
@ -108,7 +108,7 @@ public class TestFlushFromClient {
public void testFlushTable() throws Exception { public void testFlushTable() throws Exception {
try (Admin admin = TEST_UTIL.getAdmin()) { try (Admin admin = TEST_UTIL.getAdmin()) {
admin.flush(tableName); admin.flush(tableName);
assertFalse(getRegionInfo().stream().anyMatch(r -> r.getMemStoreSize() != 0)); assertFalse(getRegionInfo().stream().anyMatch(r -> r.getMemStoreDataSize() != 0));
} }
} }
@ -116,7 +116,7 @@ public class TestFlushFromClient {
public void testAsyncFlushTable() throws Exception { public void testAsyncFlushTable() throws Exception {
AsyncAdmin admin = asyncConn.getAdmin(); AsyncAdmin admin = asyncConn.getAdmin();
admin.flush(tableName).get(); admin.flush(tableName).get();
assertFalse(getRegionInfo().stream().anyMatch(r -> r.getMemStoreSize() != 0)); assertFalse(getRegionInfo().stream().anyMatch(r -> r.getMemStoreDataSize() != 0));
} }
@Test @Test
@ -125,7 +125,7 @@ public class TestFlushFromClient {
for (HRegion r : getRegionInfo()) { for (HRegion r : getRegionInfo()) {
admin.flushRegion(r.getRegionInfo().getRegionName()); admin.flushRegion(r.getRegionInfo().getRegionName());
TimeUnit.SECONDS.sleep(1); TimeUnit.SECONDS.sleep(1);
assertEquals(0, r.getMemStoreSize()); assertEquals(0, r.getMemStoreDataSize());
} }
} }
} }
@ -136,7 +136,7 @@ public class TestFlushFromClient {
for (HRegion r : getRegionInfo()) { for (HRegion r : getRegionInfo()) {
admin.flushRegion(r.getRegionInfo().getRegionName()).get(); admin.flushRegion(r.getRegionInfo().getRegionName()).get();
TimeUnit.SECONDS.sleep(1); TimeUnit.SECONDS.sleep(1);
assertEquals(0, r.getMemStoreSize()); assertEquals(0, r.getMemStoreDataSize());
} }
} }
@ -148,7 +148,7 @@ public class TestFlushFromClient {
.stream().map(JVMClusterUtil.RegionServerThread::getRegionServer) .stream().map(JVMClusterUtil.RegionServerThread::getRegionServer)
.collect(Collectors.toList())) { .collect(Collectors.toList())) {
admin.flushRegionServer(rs.getServerName()); admin.flushRegionServer(rs.getServerName());
assertFalse(getRegionInfo(rs).stream().anyMatch(r -> r.getMemStoreSize() != 0)); assertFalse(getRegionInfo(rs).stream().anyMatch(r -> r.getMemStoreDataSize() != 0));
} }
} }
} }
@ -161,7 +161,7 @@ public class TestFlushFromClient {
.stream().map(JVMClusterUtil.RegionServerThread::getRegionServer) .stream().map(JVMClusterUtil.RegionServerThread::getRegionServer)
.collect(Collectors.toList())) { .collect(Collectors.toList())) {
admin.flushRegionServer(rs.getServerName()).get(); admin.flushRegionServer(rs.getServerName()).get();
assertFalse(getRegionInfo(rs).stream().anyMatch(r -> r.getMemStoreSize() != 0)); assertFalse(getRegionInfo(rs).stream().anyMatch(r -> r.getMemStoreDataSize() != 0));
} }
} }

View File

@ -53,7 +53,7 @@ public class TestSizeFailures {
private static byte [] FAMILY = Bytes.toBytes("testFamily"); private static byte [] FAMILY = Bytes.toBytes("testFamily");
protected static int SLAVES = 1; protected static int SLAVES = 1;
private static TableName TABLENAME; private static TableName TABLENAME;
private static final int NUM_ROWS = 1000 * 1000, NUM_COLS = 10; private static final int NUM_ROWS = 1000 * 1000, NUM_COLS = 9;
@BeforeClass @BeforeClass
public static void setUpBeforeClass() throws Exception { public static void setUpBeforeClass() throws Exception {
@ -129,7 +129,7 @@ public class TestSizeFailures {
long rowsObserved = entry.getKey(); long rowsObserved = entry.getKey();
long entriesObserved = entry.getValue(); long entriesObserved = entry.getValue();
// Verify that we see 1M rows and 10M cells // Verify that we see 1M rows and 9M cells
assertEquals(NUM_ROWS, rowsObserved); assertEquals(NUM_ROWS, rowsObserved);
assertEquals(NUM_ROWS * NUM_COLS, entriesObserved); assertEquals(NUM_ROWS * NUM_COLS, entriesObserved);
} }
@ -152,7 +152,7 @@ public class TestSizeFailures {
long rowsObserved = entry.getKey(); long rowsObserved = entry.getKey();
long entriesObserved = entry.getValue(); long entriesObserved = entry.getValue();
// Verify that we see 1M rows and 10M cells // Verify that we see 1M rows and 9M cells
assertEquals(NUM_ROWS, rowsObserved); assertEquals(NUM_ROWS, rowsObserved);
assertEquals(NUM_ROWS * NUM_COLS, entriesObserved); assertEquals(NUM_ROWS * NUM_COLS, entriesObserved);
} }

View File

@ -27,7 +27,6 @@ import org.apache.hadoop.hbase.client.Durability;
import org.apache.hadoop.hbase.client.Put; import org.apache.hadoop.hbase.client.Put;
import org.apache.hadoop.hbase.client.Table; import org.apache.hadoop.hbase.client.Table;
import org.apache.hadoop.hbase.regionserver.HRegion; import org.apache.hadoop.hbase.regionserver.HRegion;
import org.apache.hadoop.hbase.regionserver.MemStoreSize;
import org.apache.hadoop.hbase.testclassification.LargeTests; import org.apache.hadoop.hbase.testclassification.LargeTests;
import org.apache.hadoop.hbase.util.Bytes; import org.apache.hadoop.hbase.util.Bytes;
import org.apache.hadoop.hbase.wal.WALEdit; import org.apache.hadoop.hbase.wal.WALEdit;
@ -111,7 +110,7 @@ public class TestNegativeMemStoreSizeWithSlowCoprocessor {
if (Bytes.equals(put.getRow(), Bytes.toBytes("row2"))) { if (Bytes.equals(put.getRow(), Bytes.toBytes("row2"))) {
region.flush(false); region.flush(false);
Assert.assertTrue(region.addAndGetMemStoreSize(new MemStoreSize()) >= 0); Assert.assertTrue(region.getMemStoreDataSize() >= 0);
} }
} }
} }

View File

@ -699,7 +699,7 @@ public class TestCompactingMemStore extends TestDefaultMemStore {
int totalCellsLen1 = addRowsByKeys(memstore, keys1);// Adding 4 cells. int totalCellsLen1 = addRowsByKeys(memstore, keys1);// Adding 4 cells.
int oneCellOnCSLMHeapSize = 120; int oneCellOnCSLMHeapSize = 120;
int oneCellOnCAHeapSize = 88; int oneCellOnCAHeapSize = 88;
assertEquals(totalCellsLen1, region.getMemStoreSize()); assertEquals(totalCellsLen1, region.getMemStoreDataSize());
long totalHeapSize = MutableSegment.DEEP_OVERHEAD + 4 * oneCellOnCSLMHeapSize; long totalHeapSize = MutableSegment.DEEP_OVERHEAD + 4 * oneCellOnCSLMHeapSize;
assertEquals(totalHeapSize, ((CompactingMemStore)memstore).heapSize()); assertEquals(totalHeapSize, ((CompactingMemStore)memstore).heapSize());
((CompactingMemStore)memstore).flushInMemory(); // push keys to pipeline and compact ((CompactingMemStore)memstore).flushInMemory(); // push keys to pipeline and compact
@ -780,7 +780,7 @@ public class TestCompactingMemStore extends TestDefaultMemStore {
int totalCellsLen1 = addRowsByKeys(memstore, keys1);// Adding 3 cells. int totalCellsLen1 = addRowsByKeys(memstore, keys1);// Adding 3 cells.
int oneCellOnCSLMHeapSize = 120; int oneCellOnCSLMHeapSize = 120;
assertEquals(totalCellsLen1, region.getMemStoreSize()); assertEquals(totalCellsLen1, region.getMemStoreDataSize());
long totalHeapSize = MutableSegment.DEEP_OVERHEAD + 3 * oneCellOnCSLMHeapSize; long totalHeapSize = MutableSegment.DEEP_OVERHEAD + 3 * oneCellOnCSLMHeapSize;
assertEquals(totalHeapSize, memstore.heapSize()); assertEquals(totalHeapSize, memstore.heapSize());
@ -838,7 +838,7 @@ public class TestCompactingMemStore extends TestDefaultMemStore {
LOG.debug("added kv: " + kv.getKeyString() + ", timestamp:" + kv.getTimestamp()); LOG.debug("added kv: " + kv.getKeyString() + ", timestamp:" + kv.getTimestamp());
} }
regionServicesForStores.addMemStoreSize(new MemStoreSize(hmc.getActive().keySize() - size, regionServicesForStores.addMemStoreSize(new MemStoreSize(hmc.getActive().keySize() - size,
hmc.getActive().heapSize() - heapOverhead)); hmc.getActive().heapSize() - heapOverhead, 0));
return totalLen; return totalLen;
} }
@ -859,7 +859,7 @@ public class TestCompactingMemStore extends TestDefaultMemStore {
LOG.debug("added kv: " + kv.getKeyString() + ", timestamp:" + kv.getTimestamp()); LOG.debug("added kv: " + kv.getKeyString() + ", timestamp:" + kv.getTimestamp());
} }
regionServicesForStores.addMemStoreSize(new MemStoreSize(hmc.getActive().keySize() - size, regionServicesForStores.addMemStoreSize(new MemStoreSize(hmc.getActive().keySize() - size,
hmc.getActive().heapSize() - heapOverhead)); hmc.getActive().heapSize() - heapOverhead, 0));
return totalLen; return totalLen;
} }

View File

@ -221,7 +221,7 @@ public class TestCompactingToCellFlatMapMemStore extends TestCompactingMemStore
long cellBeforeFlushSize = cellBeforeFlushSize(); long cellBeforeFlushSize = cellBeforeFlushSize();
long cellAfterFlushSize = cellAfterFlushSize(); long cellAfterFlushSize = cellAfterFlushSize();
long totalHeapSize1 = MutableSegment.DEEP_OVERHEAD + 4 * cellBeforeFlushSize; long totalHeapSize1 = MutableSegment.DEEP_OVERHEAD + 4 * cellBeforeFlushSize;
assertEquals(totalCellsLen1, region.getMemStoreSize()); assertEquals(totalCellsLen1, region.getMemStoreDataSize());
assertEquals(totalHeapSize1, ((CompactingMemStore) memstore).heapSize()); assertEquals(totalHeapSize1, ((CompactingMemStore) memstore).heapSize());
MemStoreSize size = memstore.getFlushableSize(); MemStoreSize size = memstore.getFlushableSize();

View File

@ -321,7 +321,7 @@ public class TestEndToEndSplitTransaction {
admin.flushRegion(regionName); admin.flushRegion(regionName);
log("blocking until flush is complete: " + Bytes.toStringBinary(regionName)); log("blocking until flush is complete: " + Bytes.toStringBinary(regionName));
Threads.sleepWithoutInterrupt(500); Threads.sleepWithoutInterrupt(500);
while (rs.getOnlineRegion(regionName).getMemStoreSize() > 0) { while (rs.getOnlineRegion(regionName).getMemStoreDataSize() > 0) {
Threads.sleep(50); Threads.sleep(50);
} }
} }

View File

@ -310,7 +310,7 @@ public class TestHRegion {
region.put(put); region.put(put);
// Close with something in memstore and something in the snapshot. Make sure all is cleared. // Close with something in memstore and something in the snapshot. Make sure all is cleared.
region.close(); region.close();
assertEquals(0, region.getMemStoreSize()); assertEquals(0, region.getMemStoreDataSize());
HBaseTestingUtility.closeRegionAndWAL(region); HBaseTestingUtility.closeRegionAndWAL(region);
} }
@ -391,14 +391,14 @@ public class TestHRegion {
HRegion region = initHRegion(tableName, null, null, false, Durability.SYNC_WAL, hLog, HRegion region = initHRegion(tableName, null, null, false, Durability.SYNC_WAL, hLog,
COLUMN_FAMILY_BYTES); COLUMN_FAMILY_BYTES);
HStore store = region.getStore(COLUMN_FAMILY_BYTES); HStore store = region.getStore(COLUMN_FAMILY_BYTES);
assertEquals(0, region.getMemStoreSize()); assertEquals(0, region.getMemStoreDataSize());
// Put one value // Put one value
byte [] value = Bytes.toBytes(method); byte [] value = Bytes.toBytes(method);
Put put = new Put(value); Put put = new Put(value);
put.addColumn(COLUMN_FAMILY_BYTES, Bytes.toBytes("abc"), value); put.addColumn(COLUMN_FAMILY_BYTES, Bytes.toBytes("abc"), value);
region.put(put); region.put(put);
long onePutSize = region.getMemStoreSize(); long onePutSize = region.getMemStoreDataSize();
assertTrue(onePutSize > 0); assertTrue(onePutSize > 0);
RegionCoprocessorHost mockedCPHost = Mockito.mock(RegionCoprocessorHost.class); RegionCoprocessorHost mockedCPHost = Mockito.mock(RegionCoprocessorHost.class);
@ -414,7 +414,7 @@ public class TestHRegion {
} catch (IOException expected) { } catch (IOException expected) {
} }
long expectedSize = onePutSize * 2; long expectedSize = onePutSize * 2;
assertEquals("memstoreSize should be incremented", expectedSize, region.getMemStoreSize()); assertEquals("memstoreSize should be incremented", expectedSize, region.getMemStoreDataSize());
assertEquals("flushable size should be incremented", expectedSize, assertEquals("flushable size should be incremented", expectedSize,
store.getFlushableSize().getDataSize()); store.getFlushableSize().getDataSize());
@ -459,13 +459,13 @@ public class TestHRegion {
// Initialize region // Initialize region
region = initHRegion(tableName, null, null, false, Durability.SYNC_WAL, wal, region = initHRegion(tableName, null, null, false, Durability.SYNC_WAL, wal,
COLUMN_FAMILY_BYTES); COLUMN_FAMILY_BYTES);
long size = region.getMemStoreSize(); long size = region.getMemStoreDataSize();
Assert.assertEquals(0, size); Assert.assertEquals(0, size);
// Put one item into memstore. Measure the size of one item in memstore. // Put one item into memstore. Measure the size of one item in memstore.
Put p1 = new Put(row); Put p1 = new Put(row);
p1.add(new KeyValue(row, COLUMN_FAMILY_BYTES, qual1, 1, (byte[]) null)); p1.add(new KeyValue(row, COLUMN_FAMILY_BYTES, qual1, 1, (byte[]) null));
region.put(p1); region.put(p1);
final long sizeOfOnePut = region.getMemStoreSize(); final long sizeOfOnePut = region.getMemStoreDataSize();
// Fail a flush which means the current memstore will hang out as memstore 'snapshot'. // Fail a flush which means the current memstore will hang out as memstore 'snapshot'.
try { try {
LOG.info("Flushing"); LOG.info("Flushing");
@ -478,7 +478,7 @@ public class TestHRegion {
// Make it so all writes succeed from here on out // Make it so all writes succeed from here on out
ffs.fault.set(false); ffs.fault.set(false);
// Check sizes. Should still be the one entry. // Check sizes. Should still be the one entry.
Assert.assertEquals(sizeOfOnePut, region.getMemStoreSize()); Assert.assertEquals(sizeOfOnePut, region.getMemStoreDataSize());
// Now add two entries so that on this next flush that fails, we can see if we // Now add two entries so that on this next flush that fails, we can see if we
// subtract the right amount, the snapshot size only. // subtract the right amount, the snapshot size only.
Put p2 = new Put(row); Put p2 = new Put(row);
@ -486,13 +486,13 @@ public class TestHRegion {
p2.add(new KeyValue(row, COLUMN_FAMILY_BYTES, qual3, 3, (byte[])null)); p2.add(new KeyValue(row, COLUMN_FAMILY_BYTES, qual3, 3, (byte[])null));
region.put(p2); region.put(p2);
long expectedSize = sizeOfOnePut * 3; long expectedSize = sizeOfOnePut * 3;
Assert.assertEquals(expectedSize, region.getMemStoreSize()); Assert.assertEquals(expectedSize, region.getMemStoreDataSize());
// Do a successful flush. It will clear the snapshot only. Thats how flushes work. // Do a successful flush. It will clear the snapshot only. Thats how flushes work.
// If already a snapshot, we clear it else we move the memstore to be snapshot and flush // If already a snapshot, we clear it else we move the memstore to be snapshot and flush
// it // it
region.flush(true); region.flush(true);
// Make sure our memory accounting is right. // Make sure our memory accounting is right.
Assert.assertEquals(sizeOfOnePut * 2, region.getMemStoreSize()); Assert.assertEquals(sizeOfOnePut * 2, region.getMemStoreDataSize());
} finally { } finally {
HBaseTestingUtility.closeRegionAndWAL(region); HBaseTestingUtility.closeRegionAndWAL(region);
} }
@ -524,7 +524,7 @@ public class TestHRegion {
// Initialize region // Initialize region
region = initHRegion(tableName, null, null, false, region = initHRegion(tableName, null, null, false,
Durability.SYNC_WAL, wal, COLUMN_FAMILY_BYTES); Durability.SYNC_WAL, wal, COLUMN_FAMILY_BYTES);
long size = region.getMemStoreSize(); long size = region.getMemStoreDataSize();
Assert.assertEquals(0, size); Assert.assertEquals(0, size);
// Put one item into memstore. Measure the size of one item in memstore. // Put one item into memstore. Measure the size of one item in memstore.
Put p1 = new Put(row); Put p1 = new Put(row);

View File

@ -366,7 +366,7 @@ public class TestHRegionReplayEvents {
verifyData(secondaryRegion, 0, lastReplayed, cq, families); verifyData(secondaryRegion, 0, lastReplayed, cq, families);
HStore store = secondaryRegion.getStore(Bytes.toBytes("cf1")); HStore store = secondaryRegion.getStore(Bytes.toBytes("cf1"));
long storeMemstoreSize = store.getMemStoreSize().getHeapSize(); long storeMemstoreSize = store.getMemStoreSize().getHeapSize();
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
long storeFlushableSize = store.getFlushableSize().getHeapSize(); long storeFlushableSize = store.getFlushableSize().getHeapSize();
long storeSize = store.getSize(); long storeSize = store.getSize();
long storeSizeUncompressed = store.getStoreSizeUncompressed(); long storeSizeUncompressed = store.getStoreSizeUncompressed();
@ -395,7 +395,7 @@ public class TestHRegionReplayEvents {
assertTrue(storeFlushableSize > newFlushableSize); assertTrue(storeFlushableSize > newFlushableSize);
// assert that the region memstore is smaller now // assert that the region memstore is smaller now
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertTrue(regionMemstoreSize > newRegionMemstoreSize); assertTrue(regionMemstoreSize > newRegionMemstoreSize);
// assert that the store sizes are bigger // assert that the store sizes are bigger
@ -465,7 +465,7 @@ public class TestHRegionReplayEvents {
// first verify that everything is replayed and visible before flush event replay // first verify that everything is replayed and visible before flush event replay
HStore store = secondaryRegion.getStore(Bytes.toBytes("cf1")); HStore store = secondaryRegion.getStore(Bytes.toBytes("cf1"));
long storeMemstoreSize = store.getMemStoreSize().getHeapSize(); long storeMemstoreSize = store.getMemStoreSize().getHeapSize();
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
long storeFlushableSize = store.getFlushableSize().getHeapSize(); long storeFlushableSize = store.getFlushableSize().getHeapSize();
if (flushDesc.getAction() == FlushAction.START_FLUSH) { if (flushDesc.getAction() == FlushAction.START_FLUSH) {
@ -505,7 +505,7 @@ public class TestHRegionReplayEvents {
assertNotNull(secondaryRegion.getPrepareFlushResult()); assertNotNull(secondaryRegion.getPrepareFlushResult());
assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId, assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId,
startFlushDesc.getFlushSequenceNumber()); startFlushDesc.getFlushSequenceNumber());
assertTrue(secondaryRegion.getMemStoreSize() > 0); // memstore is not empty assertTrue(secondaryRegion.getMemStoreDataSize() > 0); // memstore is not empty
verifyData(secondaryRegion, 0, numRows, cq, families); verifyData(secondaryRegion, 0, numRows, cq, families);
// Test case 2: replay a flush start marker with a smaller seqId // Test case 2: replay a flush start marker with a smaller seqId
@ -518,7 +518,7 @@ public class TestHRegionReplayEvents {
assertNotNull(secondaryRegion.getPrepareFlushResult()); assertNotNull(secondaryRegion.getPrepareFlushResult());
assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId, assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId,
startFlushDesc.getFlushSequenceNumber()); startFlushDesc.getFlushSequenceNumber());
assertTrue(secondaryRegion.getMemStoreSize() > 0); // memstore is not empty assertTrue(secondaryRegion.getMemStoreDataSize() > 0); // memstore is not empty
verifyData(secondaryRegion, 0, numRows, cq, families); verifyData(secondaryRegion, 0, numRows, cq, families);
// Test case 3: replay a flush start marker with a larger seqId // Test case 3: replay a flush start marker with a larger seqId
@ -531,7 +531,7 @@ public class TestHRegionReplayEvents {
assertNotNull(secondaryRegion.getPrepareFlushResult()); assertNotNull(secondaryRegion.getPrepareFlushResult());
assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId, assertEquals(secondaryRegion.getPrepareFlushResult().flushOpSeqId,
startFlushDesc.getFlushSequenceNumber()); startFlushDesc.getFlushSequenceNumber());
assertTrue(secondaryRegion.getMemStoreSize() > 0); // memstore is not empty assertTrue(secondaryRegion.getMemStoreDataSize() > 0); // memstore is not empty
verifyData(secondaryRegion, 0, numRows, cq, families); verifyData(secondaryRegion, 0, numRows, cq, families);
LOG.info("-- Verifying edits from secondary"); LOG.info("-- Verifying edits from secondary");
@ -600,7 +600,7 @@ public class TestHRegionReplayEvents {
for (HStore s : secondaryRegion.getStores()) { for (HStore s : secondaryRegion.getStores()) {
assertEquals(expectedStoreFileCount, s.getStorefilesCount()); assertEquals(expectedStoreFileCount, s.getStorefilesCount());
} }
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
// Test case 1: replay the a flush commit marker smaller than what we have prepared // Test case 1: replay the a flush commit marker smaller than what we have prepared
LOG.info("Testing replaying flush COMMIT " + commitFlushDesc + " on top of flush START" LOG.info("Testing replaying flush COMMIT " + commitFlushDesc + " on top of flush START"
@ -620,7 +620,7 @@ public class TestHRegionReplayEvents {
assertTrue(newFlushableSize > 0); // assert that the memstore is not dropped assertTrue(newFlushableSize > 0); // assert that the memstore is not dropped
// assert that the region memstore is same as before // assert that the region memstore is same as before
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertEquals(regionMemstoreSize, newRegionMemstoreSize); assertEquals(regionMemstoreSize, newRegionMemstoreSize);
assertNotNull(secondaryRegion.getPrepareFlushResult()); // not dropped assertNotNull(secondaryRegion.getPrepareFlushResult()); // not dropped
@ -690,7 +690,7 @@ public class TestHRegionReplayEvents {
for (HStore s : secondaryRegion.getStores()) { for (HStore s : secondaryRegion.getStores()) {
assertEquals(expectedStoreFileCount, s.getStorefilesCount()); assertEquals(expectedStoreFileCount, s.getStorefilesCount());
} }
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
// Test case 1: replay the a flush commit marker larger than what we have prepared // Test case 1: replay the a flush commit marker larger than what we have prepared
LOG.info("Testing replaying flush COMMIT " + commitFlushDesc + " on top of flush START" LOG.info("Testing replaying flush COMMIT " + commitFlushDesc + " on top of flush START"
@ -710,7 +710,7 @@ public class TestHRegionReplayEvents {
assertTrue(newFlushableSize > 0); // assert that the memstore is not dropped assertTrue(newFlushableSize > 0); // assert that the memstore is not dropped
// assert that the region memstore is smaller than before, but not empty // assert that the region memstore is smaller than before, but not empty
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertTrue(newRegionMemstoreSize > 0); assertTrue(newRegionMemstoreSize > 0);
assertTrue(regionMemstoreSize > newRegionMemstoreSize); assertTrue(regionMemstoreSize > newRegionMemstoreSize);
@ -791,7 +791,7 @@ public class TestHRegionReplayEvents {
for (HStore s : secondaryRegion.getStores()) { for (HStore s : secondaryRegion.getStores()) {
assertEquals(expectedStoreFileCount, s.getStorefilesCount()); assertEquals(expectedStoreFileCount, s.getStorefilesCount());
} }
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
// Test case 1: replay a flush commit marker without start flush marker // Test case 1: replay a flush commit marker without start flush marker
assertNull(secondaryRegion.getPrepareFlushResult()); assertNull(secondaryRegion.getPrepareFlushResult());
@ -820,7 +820,7 @@ public class TestHRegionReplayEvents {
} }
// assert that the region memstore is same as before (we could not drop) // assert that the region memstore is same as before (we could not drop)
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
if (droppableMemstore) { if (droppableMemstore) {
assertTrue(0 == newRegionMemstoreSize); assertTrue(0 == newRegionMemstoreSize);
} else { } else {
@ -890,7 +890,7 @@ public class TestHRegionReplayEvents {
for (HStore s : secondaryRegion.getStores()) { for (HStore s : secondaryRegion.getStores()) {
assertEquals(expectedStoreFileCount, s.getStorefilesCount()); assertEquals(expectedStoreFileCount, s.getStorefilesCount());
} }
long regionMemstoreSize = secondaryRegion.getMemStoreSize(); long regionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertTrue(regionMemstoreSize == 0); assertTrue(regionMemstoreSize == 0);
// now replay the region open event that should contain new file locations // now replay the region open event that should contain new file locations
@ -907,7 +907,7 @@ public class TestHRegionReplayEvents {
assertTrue(newFlushableSize == MutableSegment.DEEP_OVERHEAD); assertTrue(newFlushableSize == MutableSegment.DEEP_OVERHEAD);
// assert that the region memstore is empty // assert that the region memstore is empty
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertTrue(newRegionMemstoreSize == 0); assertTrue(newRegionMemstoreSize == 0);
assertNull(secondaryRegion.getPrepareFlushResult()); //prepare snapshot should be dropped if any assertNull(secondaryRegion.getPrepareFlushResult()); //prepare snapshot should be dropped if any
@ -986,7 +986,7 @@ public class TestHRegionReplayEvents {
assertTrue(newSnapshotSize.getDataSize() == 0); assertTrue(newSnapshotSize.getDataSize() == 0);
// assert that the region memstore is empty // assert that the region memstore is empty
long newRegionMemstoreSize = secondaryRegion.getMemStoreSize(); long newRegionMemstoreSize = secondaryRegion.getMemStoreDataSize();
assertTrue(newRegionMemstoreSize == 0); assertTrue(newRegionMemstoreSize == 0);
assertNull(secondaryRegion.getPrepareFlushResult()); //prepare snapshot should be dropped if any assertNull(secondaryRegion.getPrepareFlushResult()); //prepare snapshot should be dropped if any
@ -1434,7 +1434,7 @@ public class TestHRegionReplayEvents {
LOG.info("-- Replaying edits in secondary"); LOG.info("-- Replaying edits in secondary");
// Test case 4: replay some edits, ensure that memstore is dropped. // Test case 4: replay some edits, ensure that memstore is dropped.
assertTrue(secondaryRegion.getMemStoreSize() == 0); assertTrue(secondaryRegion.getMemStoreDataSize() == 0);
putDataWithFlushes(primaryRegion, 400, 400, 0); putDataWithFlushes(primaryRegion, 400, 400, 0);
numRows = 400; numRows = 400;
@ -1452,11 +1452,11 @@ public class TestHRegionReplayEvents {
} }
} }
assertTrue(secondaryRegion.getMemStoreSize() > 0); assertTrue(secondaryRegion.getMemStoreDataSize() > 0);
secondaryRegion.refreshStoreFiles(); secondaryRegion.refreshStoreFiles();
assertTrue(secondaryRegion.getMemStoreSize() == 0); assertTrue(secondaryRegion.getMemStoreDataSize() == 0);
LOG.info("-- Verifying edits from primary"); LOG.info("-- Verifying edits from primary");
verifyData(primaryRegion, 0, numRows, cq, families); verifyData(primaryRegion, 0, numRows, cq, families);

View File

@ -265,7 +265,7 @@ public class TestHStore {
MemStoreSizing kvSize = new MemStoreSizing(); MemStoreSizing kvSize = new MemStoreSizing();
store.add(new KeyValue(row, family, qf1, 1, (byte[]) null), kvSize); store.add(new KeyValue(row, family, qf1, 1, (byte[]) null), kvSize);
// add the heap size of active (mutable) segment // add the heap size of active (mutable) segment
kvSize.incMemStoreSize(0, MutableSegment.DEEP_OVERHEAD); kvSize.incMemStoreSize(0, MutableSegment.DEEP_OVERHEAD, 0);
size = store.memstore.getFlushableSize(); size = store.memstore.getFlushableSize();
assertEquals(kvSize, size); assertEquals(kvSize, size);
// Flush. Bug #1 from HBASE-10466. Make sure size calculation on failed flush is right. // Flush. Bug #1 from HBASE-10466. Make sure size calculation on failed flush is right.
@ -278,12 +278,12 @@ public class TestHStore {
} }
// due to snapshot, change mutable to immutable segment // due to snapshot, change mutable to immutable segment
kvSize.incMemStoreSize(0, kvSize.incMemStoreSize(0,
CSLMImmutableSegment.DEEP_OVERHEAD_CSLM-MutableSegment.DEEP_OVERHEAD); CSLMImmutableSegment.DEEP_OVERHEAD_CSLM-MutableSegment.DEEP_OVERHEAD, 0);
size = store.memstore.getFlushableSize(); size = store.memstore.getFlushableSize();
assertEquals(kvSize, size); assertEquals(kvSize, size);
MemStoreSizing kvSize2 = new MemStoreSizing(); MemStoreSizing kvSize2 = new MemStoreSizing();
store.add(new KeyValue(row, family, qf2, 2, (byte[])null), kvSize2); store.add(new KeyValue(row, family, qf2, 2, (byte[])null), kvSize2);
kvSize2.incMemStoreSize(0, MutableSegment.DEEP_OVERHEAD); kvSize2.incMemStoreSize(0, MutableSegment.DEEP_OVERHEAD, 0);
// Even though we add a new kv, we expect the flushable size to be 'same' since we have // Even though we add a new kv, we expect the flushable size to be 'same' since we have
// not yet cleared the snapshot -- the above flush failed. // not yet cleared the snapshot -- the above flush failed.
assertEquals(kvSize, size); assertEquals(kvSize, size);

View File

@ -149,7 +149,7 @@ public class TestPerColumnFamilyFlush {
} }
} }
long totalMemstoreSize = region.getMemStoreSize(); long totalMemstoreSize = region.getMemStoreDataSize();
// Find the smallest LSNs for edits wrt to each CF. // Find the smallest LSNs for edits wrt to each CF.
long smallestSeqCF1 = region.getOldestSeqIdOfStore(FAMILY1); long smallestSeqCF1 = region.getOldestSeqIdOfStore(FAMILY1);
@ -192,7 +192,7 @@ public class TestPerColumnFamilyFlush {
cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize(); cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize();
cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize(); cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize();
cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize(); cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize();
totalMemstoreSize = region.getMemStoreSize(); totalMemstoreSize = region.getMemStoreDataSize();
smallestSeqInRegionCurrentMemstore = getWAL(region) smallestSeqInRegionCurrentMemstore = getWAL(region)
.getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes()); .getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes());
@ -230,7 +230,7 @@ public class TestPerColumnFamilyFlush {
cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize(); cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize();
cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize(); cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize();
cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize(); cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize();
totalMemstoreSize = region.getMemStoreSize(); totalMemstoreSize = region.getMemStoreDataSize();
smallestSeqInRegionCurrentMemstore = getWAL(region) smallestSeqInRegionCurrentMemstore = getWAL(region)
.getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes()); .getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes());
@ -265,7 +265,7 @@ public class TestPerColumnFamilyFlush {
// Since we won't find any CF above the threshold, and hence no specific // Since we won't find any CF above the threshold, and hence no specific
// store to flush, we should flush all the memstores. // store to flush, we should flush all the memstores.
assertEquals(0, region.getMemStoreSize()); assertEquals(0, region.getMemStoreDataSize());
HBaseTestingUtility.closeRegionAndWAL(region); HBaseTestingUtility.closeRegionAndWAL(region);
} }
@ -289,7 +289,7 @@ public class TestPerColumnFamilyFlush {
} }
} }
long totalMemstoreSize = region.getMemStoreSize(); long totalMemstoreSize = region.getMemStoreDataSize();
// Find the sizes of the memstores of each CF. // Find the sizes of the memstores of each CF.
MemStoreSize cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize(); MemStoreSize cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize();
@ -312,7 +312,7 @@ public class TestPerColumnFamilyFlush {
cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize(); cf1MemstoreSize = region.getStore(FAMILY1).getMemStoreSize();
cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize(); cf2MemstoreSize = region.getStore(FAMILY2).getMemStoreSize();
cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize(); cf3MemstoreSize = region.getStore(FAMILY3).getMemStoreSize();
totalMemstoreSize = region.getMemStoreSize(); totalMemstoreSize = region.getMemStoreDataSize();
long smallestSeqInRegionCurrentMemstore = long smallestSeqInRegionCurrentMemstore =
region.getWAL().getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes()); region.getWAL().getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes());
@ -381,7 +381,7 @@ public class TestPerColumnFamilyFlush {
long totalMemstoreSize; long totalMemstoreSize;
long cf1MemstoreSize, cf2MemstoreSize, cf3MemstoreSize; long cf1MemstoreSize, cf2MemstoreSize, cf3MemstoreSize;
totalMemstoreSize = desiredRegion.getMemStoreSize(); totalMemstoreSize = desiredRegion.getMemStoreDataSize();
// Find the sizes of the memstores of each CF. // Find the sizes of the memstores of each CF.
cf1MemstoreSize = desiredRegion.getStore(FAMILY1).getMemStoreSize().getDataSize(); cf1MemstoreSize = desiredRegion.getStore(FAMILY1).getMemStoreSize().getDataSize();
@ -504,12 +504,12 @@ public class TestPerColumnFamilyFlush {
@Override @Override
public boolean evaluate() throws Exception { public boolean evaluate() throws Exception {
return desiredRegion.getMemStoreSize() == 0; return desiredRegion.getMemStoreDataSize() == 0;
} }
@Override @Override
public String explainFailure() throws Exception { public String explainFailure() throws Exception {
long memstoreSize = desiredRegion.getMemStoreSize(); long memstoreSize = desiredRegion.getMemStoreDataSize();
if (memstoreSize > 0) { if (memstoreSize > 0) {
return "Still have unflushed entries in memstore, memstore size is " + memstoreSize; return "Still have unflushed entries in memstore, memstore size is " + memstoreSize;
} }
@ -551,7 +551,7 @@ public class TestPerColumnFamilyFlush {
put.addColumn(FAMILY3, qf, value3); put.addColumn(FAMILY3, qf, value3);
table.put(put); table.put(put);
// slow down to let regionserver flush region. // slow down to let regionserver flush region.
while (region.getMemStoreSize() > memstoreFlushSize) { while (region.getMemStoreHeapSize() > memstoreFlushSize) {
Thread.sleep(100); Thread.sleep(100);
} }
} }

View File

@ -42,7 +42,7 @@ public class TestRegionServerAccounting {
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024 * 1024, 1L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L * 1024L), (1L * 1024L * 1024L * 1024L), 0);
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_ONHEAP_HIGHER_MARK, assertEquals(FlushType.ABOVE_ONHEAP_HIGHER_MARK,
regionServerAccounting.isAboveHighWaterMark()); regionServerAccounting.isAboveHighWaterMark());
@ -55,7 +55,7 @@ public class TestRegionServerAccounting {
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024 * 1024, 1L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L * 1024L), (1L * 1024L * 1024L * 1024L), 0);
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_ONHEAP_LOWER_MARK, assertEquals(FlushType.ABOVE_ONHEAP_LOWER_MARK,
regionServerAccounting.isAboveLowWaterMark()); regionServerAccounting.isAboveLowWaterMark());
@ -65,12 +65,12 @@ public class TestRegionServerAccounting {
public void testOffheapMemstoreHigherWaterMarkLimitsDueToDataSize() { public void testOffheapMemstoreHigherWaterMarkLimitsDueToDataSize() {
Configuration conf = HBaseConfiguration.create(); Configuration conf = HBaseConfiguration.create();
// setting 1G as offheap data size // setting 1G as offheap data size
conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024)); conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024L));
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
// this will breach offheap limit as data size is higher and not due to heap size // this will breach offheap limit as data size is higher and not due to heap size
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024 * 1024, 1L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L * 1024L), 0, (1L * 1024L * 1024L * 1024L));
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_OFFHEAP_HIGHER_MARK, assertEquals(FlushType.ABOVE_OFFHEAP_HIGHER_MARK,
regionServerAccounting.isAboveHighWaterMark()); regionServerAccounting.isAboveHighWaterMark());
@ -81,12 +81,12 @@ public class TestRegionServerAccounting {
Configuration conf = HBaseConfiguration.create(); Configuration conf = HBaseConfiguration.create();
conf.setFloat(MemorySizeUtil.MEMSTORE_SIZE_KEY, 0.2f); conf.setFloat(MemorySizeUtil.MEMSTORE_SIZE_KEY, 0.2f);
// setting 1G as offheap data size // setting 1G as offheap data size
conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024)); conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024L));
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
// this will breach higher limit as heap size is higher and not due to offheap size // this will breach higher limit as heap size is higher and not due to offheap size
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024, 2L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L), (2L * 1024L * 1024L * 1024L), 0);
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_ONHEAP_HIGHER_MARK, assertEquals(FlushType.ABOVE_ONHEAP_HIGHER_MARK,
regionServerAccounting.isAboveHighWaterMark()); regionServerAccounting.isAboveHighWaterMark());
@ -96,12 +96,12 @@ public class TestRegionServerAccounting {
public void testOffheapMemstoreLowerWaterMarkLimitsDueToDataSize() { public void testOffheapMemstoreLowerWaterMarkLimitsDueToDataSize() {
Configuration conf = HBaseConfiguration.create(); Configuration conf = HBaseConfiguration.create();
// setting 1G as offheap data size // setting 1G as offheap data size
conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024)); conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024L));
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
// this will breach offheap limit as data size is higher and not due to heap size // this will breach offheap limit as data size is higher and not due to heap size
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024 * 1024, 1L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L * 1024L), 0, (1L * 1024L * 1024L * 1024L));
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_OFFHEAP_LOWER_MARK, assertEquals(FlushType.ABOVE_OFFHEAP_LOWER_MARK,
regionServerAccounting.isAboveLowWaterMark()); regionServerAccounting.isAboveLowWaterMark());
@ -112,12 +112,12 @@ public class TestRegionServerAccounting {
Configuration conf = HBaseConfiguration.create(); Configuration conf = HBaseConfiguration.create();
conf.setFloat(MemorySizeUtil.MEMSTORE_SIZE_KEY, 0.2f); conf.setFloat(MemorySizeUtil.MEMSTORE_SIZE_KEY, 0.2f);
// setting 1G as offheap data size // setting 1G as offheap data size
conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024)); conf.setLong(MemorySizeUtil.OFFHEAP_MEMSTORE_SIZE_KEY, (1L * 1024L));
// try for default cases // try for default cases
RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf); RegionServerAccounting regionServerAccounting = new RegionServerAccounting(conf);
// this will breach higher limit as heap size is higher and not due to offheap size // this will breach higher limit as heap size is higher and not due to offheap size
MemStoreSize memstoreSize = MemStoreSize memstoreSize =
new MemStoreSize(3L * 1024 * 1024, 2L * 1024 * 1024 * 1024); new MemStoreSize((3L * 1024L * 1024L), (2L * 1024L * 1024L * 1024L), 0);
regionServerAccounting.incGlobalMemStoreSize(memstoreSize); regionServerAccounting.incGlobalMemStoreSize(memstoreSize);
assertEquals(FlushType.ABOVE_ONHEAP_LOWER_MARK, assertEquals(FlushType.ABOVE_ONHEAP_LOWER_MARK,
regionServerAccounting.isAboveLowWaterMark()); regionServerAccounting.isAboveLowWaterMark());

View File

@ -264,8 +264,8 @@ public class TestWALLockup {
@Override @Override
public void run() { public void run() {
try { try {
if (region.getMemStoreSize() <= 0) { if (region.getMemStoreDataSize() <= 0) {
throw new IOException("memstore size=" + region.getMemStoreSize()); throw new IOException("memstore size=" + region.getMemStoreDataSize());
} }
region.flush(false); region.flush(false);
} catch (IOException e) { } catch (IOException e) {

View File

@ -172,7 +172,7 @@ public class TestWalAndCompactingMemStoreFlush {
region.put(createPut(2, i)); region.put(createPut(2, i));
} }
long totalMemstoreSize = region.getMemStoreSize(); long totalMemstoreSize = region.getMemStoreDataSize();
// Find the smallest LSNs for edits wrt to each CF. // Find the smallest LSNs for edits wrt to each CF.
long smallestSeqCF1PhaseI = region.getOldestSeqIdOfStore(FAMILY1); long smallestSeqCF1PhaseI = region.getOldestSeqIdOfStore(FAMILY1);
@ -363,13 +363,13 @@ public class TestWalAndCompactingMemStoreFlush {
s = s + "----AFTER THIRD AND FORTH FLUSH, The smallest sequence in region WAL is: " s = s + "----AFTER THIRD AND FORTH FLUSH, The smallest sequence in region WAL is: "
+ smallestSeqInRegionCurrentMemstorePhaseV + smallestSeqInRegionCurrentMemstorePhaseV
+ ". After additional inserts and last flush, the entire region size is:" + region + ". After additional inserts and last flush, the entire region size is:" + region
.getMemStoreSize() .getMemStoreDataSize()
+ "\n----------------------------------\n"; + "\n----------------------------------\n";
// Since we won't find any CF above the threshold, and hence no specific // Since we won't find any CF above the threshold, and hence no specific
// store to flush, we should flush all the memstores // store to flush, we should flush all the memstores
// Also compacted memstores are flushed to disk. // Also compacted memstores are flushed to disk.
assertEquals(0, region.getMemStoreSize()); assertEquals(0, region.getMemStoreDataSize());
System.out.println(s); System.out.println(s);
HBaseTestingUtility.closeRegionAndWAL(region); HBaseTestingUtility.closeRegionAndWAL(region);
} }
@ -411,7 +411,7 @@ public class TestWalAndCompactingMemStoreFlush {
/*------------------------------------------------------------------------------*/ /*------------------------------------------------------------------------------*/
/*------------------------------------------------------------------------------*/ /*------------------------------------------------------------------------------*/
/* PHASE I - collect sizes */ /* PHASE I - collect sizes */
long totalMemstoreSizePhaseI = region.getMemStoreSize(); long totalMemstoreSizePhaseI = region.getMemStoreDataSize();
// Find the smallest LSNs for edits wrt to each CF. // Find the smallest LSNs for edits wrt to each CF.
long smallestSeqCF1PhaseI = region.getOldestSeqIdOfStore(FAMILY1); long smallestSeqCF1PhaseI = region.getOldestSeqIdOfStore(FAMILY1);
long smallestSeqCF2PhaseI = region.getOldestSeqIdOfStore(FAMILY2); long smallestSeqCF2PhaseI = region.getOldestSeqIdOfStore(FAMILY2);
@ -474,7 +474,7 @@ public class TestWalAndCompactingMemStoreFlush {
.getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes()); .getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes());
// Find the smallest LSNs for edits wrt to each CF. // Find the smallest LSNs for edits wrt to each CF.
long smallestSeqCF3PhaseII = region.getOldestSeqIdOfStore(FAMILY3); long smallestSeqCF3PhaseII = region.getOldestSeqIdOfStore(FAMILY3);
long totalMemstoreSizePhaseII = region.getMemStoreSize(); long totalMemstoreSizePhaseII = region.getMemStoreDataSize();
/*------------------------------------------------------------------------------*/ /*------------------------------------------------------------------------------*/
/* PHASE II - validation */ /* PHASE II - validation */
@ -517,7 +517,7 @@ public class TestWalAndCompactingMemStoreFlush {
/* PHASE III - collect sizes */ /* PHASE III - collect sizes */
// How much does the CF1 memstore occupy now? Will be used later. // How much does the CF1 memstore occupy now? Will be used later.
MemStoreSize cf1MemstoreSizePhaseIII = region.getStore(FAMILY1).getMemStoreSize(); MemStoreSize cf1MemstoreSizePhaseIII = region.getStore(FAMILY1).getMemStoreSize();
long totalMemstoreSizePhaseIII = region.getMemStoreSize(); long totalMemstoreSizePhaseIII = region.getMemStoreDataSize();
/*------------------------------------------------------------------------------*/ /*------------------------------------------------------------------------------*/
/* PHASE III - validation */ /* PHASE III - validation */
@ -575,7 +575,7 @@ public class TestWalAndCompactingMemStoreFlush {
MemStoreSize cf3MemstoreSizePhaseV = region.getStore(FAMILY3).getMemStoreSize(); MemStoreSize cf3MemstoreSizePhaseV = region.getStore(FAMILY3).getMemStoreSize();
long smallestSeqInRegionCurrentMemstorePhaseV = getWAL(region) long smallestSeqInRegionCurrentMemstorePhaseV = getWAL(region)
.getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes()); .getEarliestMemStoreSeqNum(region.getRegionInfo().getEncodedNameAsBytes());
long totalMemstoreSizePhaseV = region.getMemStoreSize(); long totalMemstoreSizePhaseV = region.getMemStoreDataSize();
/*------------------------------------------------------------------------------*/ /*------------------------------------------------------------------------------*/
/* PHASE V - validation */ /* PHASE V - validation */
@ -663,7 +663,7 @@ public class TestWalAndCompactingMemStoreFlush {
((CompactingMemStore) ((HStore) region.getStore(FAMILY1)).memstore).setCompositeSnapshot(false); ((CompactingMemStore) ((HStore) region.getStore(FAMILY1)).memstore).setCompositeSnapshot(false);
((CompactingMemStore) ((HStore) region.getStore(FAMILY3)).memstore).setCompositeSnapshot(false); ((CompactingMemStore) ((HStore) region.getStore(FAMILY3)).memstore).setCompositeSnapshot(false);
long totalMemstoreSize = region.getMemStoreSize(); long totalMemstoreSize = region.getMemStoreDataSize();
// Find the sizes of the memstores of each CF. // Find the sizes of the memstores of each CF.
MemStoreSize cf1MemstoreSizePhaseI = region.getStore(FAMILY1).getMemStoreSize(); MemStoreSize cf1MemstoreSizePhaseI = region.getStore(FAMILY1).getMemStoreSize();
@ -794,7 +794,7 @@ public class TestWalAndCompactingMemStoreFlush {
region.put(createPut(2, i)); region.put(createPut(2, i));
} }
long totalMemstoreSize = region.getMemStoreSize(); long totalMemstoreSize = region.getMemStoreDataSize();
// test in-memory flashing into CAM here // test in-memory flashing into CAM here
((CompactingMemStore) ((HStore)region.getStore(FAMILY1)).memstore).setIndexType( ((CompactingMemStore) ((HStore)region.getStore(FAMILY1)).memstore).setIndexType(