Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
@@ -0,0 +1,323 @@
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/

package org.apache.hadoop.hdds.scm.node;

import com.google.common.annotations.VisibleForTesting;
import java.util.HashSet;
import java.util.List;
import java.util.Objects;
import java.util.Set;
import java.util.concurrent.ConcurrentHashMap;
import org.apache.hadoop.hdds.protocol.DatanodeDetails;
import org.apache.hadoop.hdds.protocol.DatanodeID;
import org.apache.hadoop.hdds.protocol.proto.StorageContainerDatanodeProtocolProtos.StorageReportProto;
import org.apache.hadoop.hdds.scm.container.ContainerID;
import org.apache.hadoop.hdds.scm.pipeline.Pipeline;
import org.apache.hadoop.ozone.container.common.volume.VolumeUsage;
import org.apache.hadoop.util.Time;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

/**
* Tracks per-datanode pending container allocations at SCM using a Two Window Tumbling Bucket
* pattern (similar to HDFS HADOOP-3707).
*
* Two Window Tumbling Bucket for automatic aging and cleanup.
*
* How It Works:
* <li>Each DataNode has two sets: <b>currentWindow</b> and <b>previousWindow</b></li>
* <li>New allocations go into <b>currentWindow</b></li>
* <li>Every <b>ROLL_INTERVAL</b> (default 5 minutes):
* <ul>
* <li>previousWindow = currentWindow (shift)</li>
* <li>currentWindow = new empty set (reset)</li>
* <li>Old previousWindow is discarded (automatic aging)</li>
* </ul>
* </li>
* <li>When checking pending: return <b>union</b> of currentWindow + previousWindow</li>
*
*
* Example Timeline:
* <pre>
* Time | Action | CurrentWindow | PreviousWindow | Total Pending
* ------+---------------------------+---------------+----------------+--------------
* 00:00 | Allocate Container-1 | {C1} | {} | {C1}
* 00:02 | Allocate Container-2 | {C1, C2} | {} | {C1, C2}
* 00:05 | [ROLL] Window tumbles | {} | {C1, C2} | {C1, C2}
* 00:07 | Allocate Container-3 | {C3} | {C1, C2} | {C1, C2, C3}
* 00:08 | Report confirms C1 | {C3} | {C2} | {C2, C3}
* 00:10 | [ROLL] Window tumbles | {} | {C3} | {C3}
* | (C2 aged out if not reported)
Comment thread
rakeshadr marked this conversation as resolved.
* </pre>
*
*/
public class PendingContainerTracker {

private static final Logger LOG = LoggerFactory.getLogger(PendingContainerTracker.class);

private final DatanodeBuckets datanodeBuckets;

/**
* Maximum container size in bytes.
*/
private final long maxContainerSize;

/**
* Metrics for tracking pending containers (same instance as {@link SCMNodeManager}'s node metrics).
*/
private final SCMNodeMetrics metrics;

/**
* Two-window bucket for a single DataNode.
* Contains current and previous window sets, plus last roll timestamp.
*/
private static class TwoWindowBucket {
private Set<ContainerID> currentWindow = new HashSet<>();
private Set<ContainerID> previousWindow = new HashSet<>();
private long lastRollTime = Time.monotonicNow();
private final long rollIntervalMs;

TwoWindowBucket(long rollIntervalMs) {
this.rollIntervalMs = rollIntervalMs;
}

/**
* Roll one or both windows based on elapsed time.
*/
synchronized void rollIfNeeded() {
long now = Time.monotonicNow();
long elapsed = now - lastRollTime;

if (elapsed >= 2 * rollIntervalMs) {
int dropped = getCount();
previousWindow.clear();
currentWindow.clear();
lastRollTime = now;
Comment thread
ashishkumar50 marked this conversation as resolved.
LOG.debug("Double roll interval elapsed ({}ms): dropped {} pending containers", elapsed, dropped);
} else if (elapsed >= rollIntervalMs) {
previousWindow.clear();
final Set<ContainerID> tmp = previousWindow;
previousWindow = currentWindow;
currentWindow = tmp;
lastRollTime = now;
LOG.debug("Rolled window. Previous window size: {} elapsed: ({}ms), Current window reset to empty",
previousWindow.size(), elapsed);
}
}

synchronized boolean contains(ContainerID containerID) {
return currentWindow.contains(containerID) || previousWindow.contains(containerID);
}

/**
* Add container to current window.
*/
synchronized boolean add(ContainerID containerID, DatanodeID dnID) {
boolean added = currentWindow.add(containerID);
LOG.debug("Recorded pending container {} on DataNode {}. Added={}, Total pending={}",
containerID, dnID, added, getCount());
return added;
}

/**
* Remove container from both windows.
*/
synchronized boolean remove(ContainerID containerID, DatanodeID dnID) {
boolean removedFromCurrent = currentWindow.remove(containerID);
boolean removedFromPrevious = previousWindow.remove(containerID);
boolean removed = removedFromCurrent || removedFromPrevious;
LOG.debug("Removed pending container {} from DataNode {}. Removed={}, Remaining={}",
containerID, dnID, removed, getCount());
return removed;
}

/**
* Count of pending containers in both windows.
*/
synchronized int getCount() {
return currentWindow.size() + previousWindow.size();
}
}

/**
* Per-datanode two-window buckets.
*/
private static class DatanodeBuckets {
private final ConcurrentHashMap<DatanodeID, TwoWindowBucket> map = new ConcurrentHashMap<>();
private final long rollIntervalMs;

DatanodeBuckets(long rollIntervalMs) {
this.rollIntervalMs = rollIntervalMs;
}

TwoWindowBucket get(DatanodeID id) {
final TwoWindowBucket bucket = map.compute(id, (k, b) -> b != null ? b : new TwoWindowBucket(rollIntervalMs));
bucket.rollIfNeeded();
return bucket;
}

TwoWindowBucket get(DatanodeDetails dn) {
Objects.requireNonNull(dn, "dn == null");
return get(dn.getID());
}
}

public PendingContainerTracker(long maxContainerSize, long rollIntervalMs,
SCMNodeMetrics metrics) {
this.datanodeBuckets = new DatanodeBuckets(rollIntervalMs);
this.maxContainerSize = maxContainerSize;
this.metrics = metrics;
LOG.info("PendingContainerTracker initialized with maxContainerSize={}B, rollInterval={}ms",
maxContainerSize, rollIntervalMs);
}

/**
* Advances the two-window tumbling bucket for this datanode when the roll interval has elapsed.
* Call on periodic paths (node report) so windows age even when there are no new
* allocations or container reports touching this tracker.
*/
public void rollWindowsIfNeeded(DatanodeDetails node) {
Objects.requireNonNull(node, "node == null");
datanodeBuckets.get(node.getID());
}

/**
* Whether the datanode can fit another container of {@link #maxContainerSize} after accounting for
* SCM pending allocations for {@code node} (this tracker) and usable space across volumes on
* {@code datanodeInfo}. Pending bytes are {@link #getPendingContainerCount} × {@code maxContainerSize};
* effective allocatable space sums full-container slots per storage report.
*
* @param node identity used to look up pending allocations (same DN as {@code datanodeInfo})
* @param datanodeInfo storage reports for the datanode
*/
public boolean hasEffectiveAllocatableSpaceForNewContainer(
DatanodeDetails node, DatanodeInfo datanodeInfo) {
Objects.requireNonNull(node, "node == null");
Objects.requireNonNull(datanodeInfo, "datanodeInfo == null");

long pendingAllocationSize = getPendingContainerCount(node) * maxContainerSize;
List<StorageReportProto> storageReports = datanodeInfo.getStorageReports();
Objects.requireNonNull(storageReports, "storageReports == null");
if (storageReports.isEmpty()) {
return false;
}
long effectiveAllocatableSpace = 0L;
for (StorageReportProto report : storageReports) {
Copy link
Copy Markdown
Contributor

@rakeshadr rakeshadr Apr 16, 2026

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@ashishkumar50
Point-1) Can you add tests for this logic with multiple volumes in a datanode.

Test scenario:

pendingAllocationBytes = 15GB
Volume-0: capacity=100GB, usableSpace=20GB <---- (20-15 >= 5) <--- return true
Volume-1: capacity=100GB, usableSpace=1GB
Volume-2: capacity=100GB, usableSpace=1GB

Point-2) There is a corner case. Say, all 3 volumes have 15GB free and pendingAllocationBytes is 15GB. A 5GB container fits easily. But SCM wrongly rejects the entire DN because it applied 15GB of pending (which in reality may all be on one volume) to every volume.

Test scenario: False negative case, since pendingAllocationBytes is the total pending across the entire DN, not per-volume and causing the trouble. Good thing is it won't result into write failure but it will result into unused space eventhough volumes has space.

pendingAllocationBytes = 15GB
Volume-0: capacity=100GB, usableSpace=15GB <---- (15-15 >= 0) <--- return false
Volume-1: capacity=100GB, usableSpace=15GB <---- (15-15 >= 0) <--- return false
Volume-2: capacity=100GB, usableSpace=15GB <---- (15-15 >= 0) <--- return false

Copy link
Copy Markdown
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

@szetszwo We changed to use only usableSpace after this comment but i think we should use effectiveAllocatableSpace across all the volumes as mentioned by Rakesh as well. I have changed it to use effectiveAllocatableSpace, what do you think?

Copy link
Copy Markdown
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Sorry that I have misunderstood the calculation. There are three different methods below for a single calculation. Let's combine them into a single method.

  • hasEffectiveAllocatableSpaceForNewContainer
  • getPendingAllocationSize
  • hasAllocatableSpaceAfterPending

There are also two different sizes

  • containerSize
  • maxContainerSize

Are they supposed to be different?

Copy link
Copy Markdown
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Combined to single method also maxContainerSize is only used as both are same.

long usableSpace = VolumeUsage.getUsableSpace(report);
long containersOnThisDisk = usableSpace / maxContainerSize;
effectiveAllocatableSpace += containersOnThisDisk * maxContainerSize;
if (effectiveAllocatableSpace - pendingAllocationSize >= maxContainerSize) {
return true;
}
}
if (metrics != null) {
metrics.incNumSkippedFullNodeContainerAllocation();
}
return false;
}

/**
* Record a pending container allocation for all DataNodes in the pipeline.
* Container is added to the current window.
*
* @param pipeline The pipeline where container is allocated
* @param containerID The container being allocated
*/
public void recordPendingAllocation(Pipeline pipeline, ContainerID containerID) {
Objects.requireNonNull(pipeline, "pipeline == null");
Objects.requireNonNull(containerID, "containerID == null");

for (DatanodeDetails node : pipeline.getNodes()) {
recordPendingAllocationForDatanode(node, containerID);
}
}

/**
* Record a pending container allocation for a single DataNode.
* Container is added to the current window.
*
* @param node The DataNode where container is being allocated/replicated
* @param containerID The container being allocated/replicated
*/
public void recordPendingAllocationForDatanode(DatanodeDetails node, ContainerID containerID) {
Objects.requireNonNull(node, "node == null");
Objects.requireNonNull(containerID, "containerID == null");

DatanodeID dnID = node.getID();
boolean added = addContainerToBucket(containerID, dnID);

if (added && metrics != null) {
metrics.incNumPendingContainersAdded();
}
}

private boolean addContainerToBucket(ContainerID containerID, DatanodeID dnID) {
return datanodeBuckets.get(dnID).add(containerID, dnID);
}

/**
* Remove a pending container allocation from a specific DataNode.
* Removes from both current and previous windows.
* Called when container is confirmed.
*
* @param node The DataNode
* @param containerID The container to remove from pending
*/
public void removePendingAllocation(DatanodeDetails node, ContainerID containerID) {
Objects.requireNonNull(node, "node == null");
Objects.requireNonNull(containerID, "containerID == null");

DatanodeID dnID = node.getID();
boolean removed = removeContainerFromBucket(containerID, dnID);

if (removed && metrics != null) {
metrics.incNumPendingContainersRemoved();
}
}

private boolean removeContainerFromBucket(ContainerID containerID, DatanodeID dnID) {
return datanodeBuckets.get(dnID).remove(containerID, dnID);
}

/**
* Number of pending container allocations for this datanode (union of current and previous
* windows). This call may advance the internal tumbling window if the roll interval has elapsed.
*
* @param node The DataNode
* @return Pending container count
*/
public long getPendingContainerCount(DatanodeDetails node) {
Objects.requireNonNull(node, "node == null");
return datanodeBuckets.get(node).getCount();
}

/**
* Whether container is in the current or previous window for this datanode.
*/
@VisibleForTesting
public boolean containsPendingContainer(DatanodeDetails node, ContainerID containerID) {
Objects.requireNonNull(node, "node == null");
Objects.requireNonNull(containerID, "containerID == null");
return datanodeBuckets.get(node).contains(containerID);
}

@VisibleForTesting
public SCMNodeMetrics getMetrics() {
return metrics;
}
}
Original file line number Diff line number Diff line change
Expand Up @@ -50,6 +50,10 @@ public final class SCMNodeMetrics implements MetricsSource {
private @Metric MutableCounterLong numNodeCommandQueueReportProcessed;
private @Metric MutableCounterLong numNodeCommandQueueReportProcessingFailed;
private @Metric String textMetric;
// Pending container allocations at SCM (per-DN tracker), not yet on datanodes.
private @Metric MutableCounterLong numPendingContainersAdded;
private @Metric MutableCounterLong numPendingContainersRemoved;
private @Metric MutableCounterLong numSkippedFullNodeContainerAllocation;

private final MetricsRegistry registry;
private final NodeManagerMXBean managerMXBean;
Expand Down Expand Up @@ -124,6 +128,18 @@ void incNumNodeCommandQueueReportProcessingFailed() {
numNodeCommandQueueReportProcessingFailed.incr();
}

void incNumPendingContainersAdded() {
numPendingContainersAdded.incr();
}

void incNumPendingContainersRemoved() {
numPendingContainersRemoved.incr();
}

void incNumSkippedFullNodeContainerAllocation() {
numSkippedFullNodeContainerAllocation.incr();
}

/**
* Get aggregated counter and gauge metrics.
*/
Expand Down
Loading