diff --git a/src/ImageSharp/Memory/Allocators/MemoryAllocator.cs b/src/ImageSharp/Memory/Allocators/MemoryAllocator.cs
index 8eaf0b6d69..2a414f869f 100644
--- a/src/ImageSharp/Memory/Allocators/MemoryAllocator.cs
+++ b/src/ImageSharp/Memory/Allocators/MemoryAllocator.cs
@@ -12,6 +12,8 @@ namespace SixLabors.ImageSharp.Memory;
public abstract class MemoryAllocator
{
private const int OneGigabyte = 1 << 30;
+ private long accumulativeAllocatedBytes;
+ private int trackingSuppressionCount;
///
/// Gets the default platform-specific global instance that
@@ -23,9 +25,41 @@ public abstract class MemoryAllocator
///
public static MemoryAllocator Default { get; } = Create();
- internal long MemoryGroupAllocationLimitBytes { get; private set; } = Environment.Is64BitProcess ? 4L * OneGigabyte : OneGigabyte;
+ ///
+ /// Gets the maximum number of bytes that can be allocated by a memory group.
+ ///
+ ///
+ /// The allocation limit is determined by the process architecture: 4 GB for 64-bit processes and
+ /// 1 GB for 32-bit processes.
+ ///
+ internal long MemoryGroupAllocationLimitBytes { get; private protected set; } = Environment.Is64BitProcess ? 4L * OneGigabyte : OneGigabyte;
+
+ ///
+ /// Gets the maximum allowed total allocation size, in bytes, for the current process.
+ ///
+ ///
+ /// The allocation limit is determined based on the process architecture. For 64-bit processes,
+ /// the limit is higher than for 32-bit processes.
+ ///
+ internal long AccumulativeAllocationLimitBytes { get; private protected set; } = Environment.Is64BitProcess ? 8L * OneGigabyte : 2L * OneGigabyte;
- internal int SingleBufferAllocationLimitBytes { get; private set; } = OneGigabyte;
+ ///
+ /// Gets the maximum size, in bytes, that can be allocated for a single buffer.
+ ///
+ ///
+ /// The single buffer allocation limit is set to 1 GB by default.
+ ///
+ internal int SingleBufferAllocationLimitBytes { get; private protected set; } = OneGigabyte;
+
+ ///
+ /// Gets a value indicating whether change tracking is currently suppressed for this instance.
+ ///
+ ///
+ /// When change tracking is suppressed, modifications to the object will not be recorded or
+ /// trigger change notifications. This property is used internally to temporarily disable tracking during
+ /// batch updates or initialization.
+ ///
+ private bool IsTrackingSuppressed => Volatile.Read(ref this.trackingSuppressionCount) > 0;
///
/// Gets the length of the largest contiguous buffer that can be handled by this allocator instance in bytes.
@@ -53,6 +87,11 @@ public static MemoryAllocator Create(MemoryAllocatorOptions options)
allocator.SingleBufferAllocationLimitBytes = (int)Math.Min(allocator.SingleBufferAllocationLimitBytes, allocator.MemoryGroupAllocationLimitBytes);
}
+ if (options.AccumulativeAllocationLimitMegabytes.HasValue)
+ {
+ allocator.AccumulativeAllocationLimitBytes = options.AccumulativeAllocationLimitMegabytes.Value * 1024L * 1024L;
+ }
+
return allocator;
}
@@ -72,6 +111,10 @@ public abstract IMemoryOwner Allocate(int length, AllocationOptions option
/// Releases all retained resources not being in use.
/// Eg: by resetting array pools and letting GC to free the arrays.
///
+ ///
+ /// This does not dispose active allocations; callers are responsible for disposing all
+ /// instances to release memory.
+ ///
public virtual void ReleaseRetainedResources()
{
}
@@ -102,11 +145,137 @@ internal MemoryGroup AllocateGroup(
InvalidMemoryOperationException.ThrowAllocationOverLimitException(totalLengthInBytes, this.MemoryGroupAllocationLimitBytes);
}
- // Cast to long is safe because we already checked that the total length is within the limit.
- return this.AllocateGroupCore(totalLength, (long)totalLengthInBytes, bufferAlignment, options);
+ long totalLengthInBytesLong = (long)totalLengthInBytes;
+ this.ReserveAllocation(totalLengthInBytesLong);
+
+ using (this.SuppressTracking())
+ {
+ try
+ {
+ MemoryGroup group = this.AllocateGroupCore(totalLength, totalLengthInBytesLong, bufferAlignment, options);
+ group.SetAllocationTracking(this, totalLengthInBytesLong);
+ return group;
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(totalLengthInBytesLong);
+ throw;
+ }
+ }
}
internal virtual MemoryGroup AllocateGroupCore(long totalLengthInElements, long totalLengthInBytes, int bufferAlignment, AllocationOptions options)
where T : struct
=> MemoryGroup.Allocate(this, totalLengthInElements, bufferAlignment, options);
+
+ ///
+ /// Tracks the allocation of an instance after reserving bytes.
+ ///
+ /// Type of the data stored in the buffer.
+ /// The allocation to track.
+ /// The allocation size in bytes.
+ /// The tracked allocation.
+ protected IMemoryOwner TrackAllocation(IMemoryOwner owner, ulong lengthInBytes)
+ where T : struct
+ {
+ if (this.IsTrackingSuppressed || lengthInBytes == 0)
+ {
+ return owner;
+ }
+
+ return new TrackingMemoryOwner(owner, this, (long)lengthInBytes);
+ }
+
+ ///
+ /// Reserves accumulative allocation bytes before creating the underlying buffer.
+ ///
+ /// The number of bytes to reserve.
+ protected void ReserveAllocation(long lengthInBytes)
+ {
+ if (this.IsTrackingSuppressed || lengthInBytes <= 0)
+ {
+ return;
+ }
+
+ long total = Interlocked.Add(ref this.accumulativeAllocatedBytes, lengthInBytes);
+ if (total > this.AccumulativeAllocationLimitBytes)
+ {
+ _ = Interlocked.Add(ref this.accumulativeAllocatedBytes, -lengthInBytes);
+ InvalidMemoryOperationException.ThrowAllocationOverLimitException((ulong)lengthInBytes, this.AccumulativeAllocationLimitBytes);
+ }
+ }
+
+ ///
+ /// Releases accumulative allocation bytes previously tracked by this allocator.
+ ///
+ /// The number of bytes to release.
+ internal void ReleaseAccumulatedBytes(long lengthInBytes)
+ {
+ if (lengthInBytes <= 0)
+ {
+ return;
+ }
+
+ _ = Interlocked.Add(ref this.accumulativeAllocatedBytes, -lengthInBytes);
+ }
+
+ ///
+ /// Suppresses accumulative allocation tracking for the lifetime of the returned scope.
+ ///
+ /// An that restores tracking when disposed.
+ internal IDisposable SuppressTracking() => new TrackingSuppressionScope(this);
+
+ ///
+ /// Temporarily suppresses accumulative allocation tracking within a scope.
+ ///
+ private sealed class TrackingSuppressionScope : IDisposable
+ {
+ private MemoryAllocator? allocator;
+
+ public TrackingSuppressionScope(MemoryAllocator allocator)
+ {
+ this.allocator = allocator;
+ _ = Interlocked.Increment(ref allocator.trackingSuppressionCount);
+ }
+
+ public void Dispose()
+ {
+ if (this.allocator != null)
+ {
+ _ = Interlocked.Decrement(ref this.allocator.trackingSuppressionCount);
+ this.allocator = null;
+ }
+ }
+ }
+
+ ///
+ /// Wraps an to release accumulative tracking on dispose.
+ ///
+ private sealed class TrackingMemoryOwner : IMemoryOwner
+ where T : struct
+ {
+ private IMemoryOwner? owner;
+ private readonly MemoryAllocator allocator;
+ private readonly long lengthInBytes;
+
+ public TrackingMemoryOwner(IMemoryOwner owner, MemoryAllocator allocator, long lengthInBytes)
+ {
+ this.owner = owner;
+ this.allocator = allocator;
+ this.lengthInBytes = lengthInBytes;
+ }
+
+ public Memory Memory => this.owner?.Memory ?? Memory.Empty;
+
+ public void Dispose()
+ {
+ // Ensure only one caller disposes the inner owner and releases the reservation.
+ IMemoryOwner? inner = Interlocked.Exchange(ref this.owner, null);
+ if (inner != null)
+ {
+ inner.Dispose();
+ this.allocator.ReleaseAccumulatedBytes(this.lengthInBytes);
+ }
+ }
+ }
}
diff --git a/src/ImageSharp/Memory/Allocators/MemoryAllocatorOptions.cs b/src/ImageSharp/Memory/Allocators/MemoryAllocatorOptions.cs
index d9ba62c1ef..3339203dac 100644
--- a/src/ImageSharp/Memory/Allocators/MemoryAllocatorOptions.cs
+++ b/src/ImageSharp/Memory/Allocators/MemoryAllocatorOptions.cs
@@ -10,6 +10,7 @@ public struct MemoryAllocatorOptions
{
private int? maximumPoolSizeMegabytes;
private int? allocationLimitMegabytes;
+ private int? accumulativeAllocationLimitMegabytes;
///
/// Gets or sets a value defining the maximum size of the 's internal memory pool
@@ -17,7 +18,7 @@ public struct MemoryAllocatorOptions
///
public int? MaximumPoolSizeMegabytes
{
- get => this.maximumPoolSizeMegabytes;
+ readonly get => this.maximumPoolSizeMegabytes;
set
{
if (value.HasValue)
@@ -35,7 +36,7 @@ public int? MaximumPoolSizeMegabytes
///
public int? AllocationLimitMegabytes
{
- get => this.allocationLimitMegabytes;
+ readonly get => this.allocationLimitMegabytes;
set
{
if (value.HasValue)
@@ -46,4 +47,29 @@ public int? AllocationLimitMegabytes
this.allocationLimitMegabytes = value;
}
}
+
+ ///
+ /// Gets or sets a value defining the maximum total size that can be allocated by the allocator in Megabytes.
+ /// means platform default: 2GB on 32-bit processes, 8GB on 64-bit processes.
+ ///
+ public int? AccumulativeAllocationLimitMegabytes
+ {
+ readonly get => this.accumulativeAllocationLimitMegabytes;
+ set
+ {
+ if (value.HasValue)
+ {
+ Guard.MustBeGreaterThan(value.Value, 0, nameof(this.AccumulativeAllocationLimitMegabytes));
+ if (this.AllocationLimitMegabytes.HasValue)
+ {
+ Guard.MustBeGreaterThanOrEqualTo(
+ value.Value,
+ this.AllocationLimitMegabytes.Value,
+ nameof(this.AccumulativeAllocationLimitMegabytes));
+ }
+ }
+
+ this.accumulativeAllocationLimitMegabytes = value;
+ }
+ }
}
diff --git a/src/ImageSharp/Memory/Allocators/SimpleGcMemoryAllocator.cs b/src/ImageSharp/Memory/Allocators/SimpleGcMemoryAllocator.cs
index 675afe8b9f..9cbb15713a 100644
--- a/src/ImageSharp/Memory/Allocators/SimpleGcMemoryAllocator.cs
+++ b/src/ImageSharp/Memory/Allocators/SimpleGcMemoryAllocator.cs
@@ -12,6 +12,32 @@ namespace SixLabors.ImageSharp.Memory;
///
public sealed class SimpleGcMemoryAllocator : MemoryAllocator
{
+ ///
+ /// Initializes a new instance of the class with default limits.
+ ///
+ public SimpleGcMemoryAllocator()
+ : this(default)
+ {
+ }
+
+ ///
+ /// Initializes a new instance of the class with custom limits.
+ ///
+ /// The to apply.
+ public SimpleGcMemoryAllocator(MemoryAllocatorOptions options)
+ {
+ if (options.AllocationLimitMegabytes.HasValue)
+ {
+ this.MemoryGroupAllocationLimitBytes = options.AllocationLimitMegabytes.Value * 1024L * 1024L;
+ this.SingleBufferAllocationLimitBytes = (int)Math.Min(this.SingleBufferAllocationLimitBytes, this.MemoryGroupAllocationLimitBytes);
+ }
+
+ if (options.AccumulativeAllocationLimitMegabytes.HasValue)
+ {
+ this.AccumulativeAllocationLimitBytes = options.AccumulativeAllocationLimitMegabytes.Value * 1024L * 1024L;
+ }
+ }
+
///
protected internal override int GetBufferCapacityInBytes() => int.MaxValue;
@@ -29,6 +55,18 @@ public override IMemoryOwner Allocate(int length, AllocationOptions option
InvalidMemoryOperationException.ThrowAllocationOverLimitException(lengthInBytes, this.SingleBufferAllocationLimitBytes);
}
- return new BasicArrayBuffer(new T[length]);
+ long lengthInBytesLong = (long)lengthInBytes;
+ this.ReserveAllocation(lengthInBytesLong);
+
+ try
+ {
+ IMemoryOwner buffer = new BasicArrayBuffer(new T[length]);
+ return this.TrackAllocation(buffer, lengthInBytes);
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(lengthInBytesLong);
+ throw;
+ }
}
}
diff --git a/src/ImageSharp/Memory/Allocators/UniformUnmanagedMemoryPoolMemoryAllocator.cs b/src/ImageSharp/Memory/Allocators/UniformUnmanagedMemoryPoolMemoryAllocator.cs
index 10defe6cdf..28554b589d 100644
--- a/src/ImageSharp/Memory/Allocators/UniformUnmanagedMemoryPoolMemoryAllocator.cs
+++ b/src/ImageSharp/Memory/Allocators/UniformUnmanagedMemoryPoolMemoryAllocator.cs
@@ -96,13 +96,24 @@ public override IMemoryOwner Allocate(
if (lengthInBytes <= (ulong)this.sharedArrayPoolThresholdInBytes)
{
- SharedArrayPoolBuffer buffer = new(length);
- if (options.Has(AllocationOptions.Clean))
+ long lengthInBytesLong = (long)lengthInBytes;
+ this.ReserveAllocation(lengthInBytesLong);
+
+ try
{
- buffer.GetSpan().Clear();
- }
+ SharedArrayPoolBuffer buffer = new(length);
+ if (options.Has(AllocationOptions.Clean))
+ {
+ buffer.GetSpan().Clear();
+ }
- return buffer;
+ return this.TrackAllocation(buffer, lengthInBytes);
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(lengthInBytesLong);
+ throw;
+ }
}
if (lengthInBytes <= (ulong)this.poolBufferSizeInBytes)
@@ -110,12 +121,38 @@ public override IMemoryOwner Allocate(
UnmanagedMemoryHandle mem = this.pool.Rent();
if (mem.IsValid)
{
- UnmanagedBuffer buffer = this.pool.CreateGuardedBuffer(mem, length, options.Has(AllocationOptions.Clean));
- return buffer;
+ long lengthInBytesLong = (long)lengthInBytes;
+ this.ReserveAllocation(lengthInBytesLong);
+
+ try
+ {
+ UnmanagedBuffer buffer = this.pool.CreateGuardedBuffer(mem, length, options.Has(AllocationOptions.Clean));
+ return this.TrackAllocation(buffer, lengthInBytes);
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(lengthInBytesLong);
+ throw;
+ }
}
}
- return this.nonPoolAllocator.Allocate(length, options);
+ long nonPooledLengthInBytesLong = (long)lengthInBytes;
+ this.ReserveAllocation(nonPooledLengthInBytesLong);
+
+ try
+ {
+ using (this.nonPoolAllocator.SuppressTracking())
+ {
+ IMemoryOwner nonPooled = this.nonPoolAllocator.Allocate(length, options);
+ return this.TrackAllocation(nonPooled, lengthInBytes);
+ }
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(nonPooledLengthInBytesLong);
+ throw;
+ }
}
///
@@ -148,7 +185,10 @@ internal override MemoryGroup AllocateGroupCore(
return poolGroup;
}
- return MemoryGroup.Allocate(this.nonPoolAllocator, totalLengthInElements, bufferAlignment, options);
+ using (this.nonPoolAllocator.SuppressTracking())
+ {
+ return MemoryGroup.Allocate(this.nonPoolAllocator, totalLengthInElements, bufferAlignment, options);
+ }
}
public override void ReleaseRetainedResources() => this.pool.Release();
diff --git a/src/ImageSharp/Memory/Allocators/UnmanagedMemoryAllocator.cs b/src/ImageSharp/Memory/Allocators/UnmanagedMemoryAllocator.cs
index daf1a79925..73cef8b5ee 100644
--- a/src/ImageSharp/Memory/Allocators/UnmanagedMemoryAllocator.cs
+++ b/src/ImageSharp/Memory/Allocators/UnmanagedMemoryAllocator.cs
@@ -2,6 +2,7 @@
// Licensed under the Six Labors Split License.
using System.Buffers;
+using System.Runtime.CompilerServices;
using SixLabors.ImageSharp.Memory.Internals;
namespace SixLabors.ImageSharp.Memory;
@@ -19,13 +20,26 @@ internal class UnmanagedMemoryAllocator : MemoryAllocator
protected internal override int GetBufferCapacityInBytes() => this.bufferCapacityInBytes;
public override IMemoryOwner Allocate(int length, AllocationOptions options = AllocationOptions.None)
+ where T : struct
{
- UnmanagedBuffer buffer = UnmanagedBuffer.Allocate(length);
- if (options.Has(AllocationOptions.Clean))
+ ulong lengthInBytes = (ulong)length * (ulong)Unsafe.SizeOf();
+ long lengthInBytesLong = (long)lengthInBytes;
+ this.ReserveAllocation(lengthInBytesLong);
+
+ try
{
- buffer.GetSpan().Clear();
- }
+ UnmanagedBuffer buffer = UnmanagedBuffer.Allocate(length);
+ if (options.Has(AllocationOptions.Clean))
+ {
+ buffer.GetSpan().Clear();
+ }
- return buffer;
+ return this.TrackAllocation(buffer, lengthInBytes);
+ }
+ catch
+ {
+ this.ReleaseAccumulatedBytes(lengthInBytesLong);
+ throw;
+ }
}
}
diff --git a/src/ImageSharp/Memory/DiscontiguousBuffers/IMemoryGroup{T}.cs b/src/ImageSharp/Memory/DiscontiguousBuffers/IMemoryGroup{T}.cs
index 7e9719ea75..03f26aab04 100644
--- a/src/ImageSharp/Memory/DiscontiguousBuffers/IMemoryGroup{T}.cs
+++ b/src/ImageSharp/Memory/DiscontiguousBuffers/IMemoryGroup{T}.cs
@@ -15,12 +15,12 @@ public interface IMemoryGroup : IReadOnlyList>
/// Gets the number of elements per contiguous sub-buffer preceding the last buffer.
/// The last buffer is allowed to be smaller.
///
- int BufferLength { get; }
+ public int BufferLength { get; }
///
/// Gets the aggregate number of elements in the group.
///
- long TotalLength { get; }
+ public long TotalLength { get; }
///
/// Gets a value indicating whether the group has been invalidated.
@@ -29,7 +29,7 @@ public interface IMemoryGroup : IReadOnlyList>
/// Invalidation usually occurs when an image processor capable to alter the image dimensions replaces
/// the image buffers internally.
///
- bool IsValid { get; }
+ public bool IsValid { get; }
///
/// Returns a value-type implementing an allocation-free enumerator of the memory groups in the current
@@ -39,5 +39,5 @@ public interface IMemoryGroup : IReadOnlyList>
/// implementation, which is still available when casting to one of the underlying interfaces.
///
/// A new instance mapping the current values in use.
- new MemoryGroupEnumerator GetEnumerator();
+ public new MemoryGroupEnumerator GetEnumerator();
}
diff --git a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Consumed.cs b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Consumed.cs
index 950e2a019e..75e93ce7f8 100644
--- a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Consumed.cs
+++ b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Consumed.cs
@@ -31,23 +31,23 @@ public override int Count
///
[MethodImpl(InliningOptions.ShortMethod)]
- public override MemoryGroupEnumerator GetEnumerator()
- {
- return new MemoryGroupEnumerator(this);
- }
+ public override MemoryGroupEnumerator GetEnumerator() => new(this);
///
IEnumerator> IEnumerable>.GetEnumerator()
- {
+
/* The runtime sees the Array class as if it implemented the
* type-generic collection interfaces explicitly, so here we
* can just cast the source array to IList> (or to
* an equivalent type), and invoke the generic GetEnumerator
* method directly from that interface reference. This saves
* having to create our own iterator block here. */
- return ((IList>)this.source).GetEnumerator();
- }
+ => ((IList>)this.source).GetEnumerator();
- public override void Dispose() => this.View.Invalidate();
+ public override void Dispose()
+ {
+ this.View.Invalidate();
+ this.ReleaseAllocationTracking();
+ }
}
}
diff --git a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Owned.cs b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Owned.cs
index af896ee0e1..be92272bbe 100644
--- a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Owned.cs
+++ b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.Owned.cs
@@ -73,8 +73,8 @@ private static IMemoryOwner[] CreateBuffers(
result[i] = currentBuffer;
}
- ObservedBuffer lastBuffer = ObservedBuffer.Create(pooledBuffers[pooledBuffers.Length - 1], sizeOfLastBuffer, options);
- result[result.Length - 1] = lastBuffer;
+ ObservedBuffer lastBuffer = ObservedBuffer.Create(pooledBuffers[^1], sizeOfLastBuffer, options);
+ result[^1] = lastBuffer;
return result;
}
@@ -155,6 +155,7 @@ public override void Dispose()
}
}
+ this.ReleaseAllocationTracking();
this.memoryOwners = null;
this.IsValid = false;
this.groupLifetimeGuard = null;
diff --git a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.cs b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.cs
index 6dd99fcb02..aa0e188959 100644
--- a/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.cs
+++ b/src/ImageSharp/Memory/DiscontiguousBuffers/MemoryGroup{T}.cs
@@ -22,6 +22,9 @@ internal abstract partial class MemoryGroup : IMemoryGroup, IDisposable
private static readonly int ElementSize = Unsafe.SizeOf();
private MemoryGroupSpanCache memoryGroupSpanCache;
+ private MemoryAllocator? trackingAllocator;
+ private long trackingLengthInBytes;
+ private int trackingReleased;
private MemoryGroup(int bufferLength, long totalLength)
{
@@ -52,16 +55,45 @@ private MemoryGroup(int bufferLength, long totalLength)
///
public abstract MemoryGroupEnumerator GetEnumerator();
+ ///
+ /// Configures allocation tracking by specifying the allocator and the length, in bytes, to be tracked.
+ ///
+ /// The memory allocator to use for tracking allocations.
+ /// The length, in bytes, of the memory region to track. Must be greater than or equal to zero.
+ ///
+ /// Intended for initialization; callers should avoid changing tracking state concurrently with disposal.
+ ///
+ internal void SetAllocationTracking(MemoryAllocator allocator, long lengthInBytes)
+ {
+ this.trackingAllocator = allocator;
+ this.trackingLengthInBytes = lengthInBytes;
+ }
+
+ ///
+ /// Releases any resources or tracking information associated with allocation tracking for this instance.
+ ///
+ ///
+ /// This method is intended to be called when allocation tracking is no longer needed. It is safe
+ /// to call multiple times; subsequent calls after the first have no effect, even when called concurrently.
+ ///
+ internal void ReleaseAllocationTracking()
+ {
+ if (Interlocked.Exchange(ref this.trackingReleased, 1) == 0 && this.trackingAllocator != null)
+ {
+ this.trackingAllocator.ReleaseAccumulatedBytes(this.trackingLengthInBytes);
+ this.trackingAllocator = null;
+ }
+ }
+
///
IEnumerator> IEnumerable>.GetEnumerator()
- {
+
/* This method is implemented in each derived class.
* Implementing the method here as non-abstract and throwing,
* then reimplementing it explicitly in each derived class, is
* a workaround for the lack of support for abstract explicit
* interface method implementations in C#. */
- throw new NotImplementedException($"The type {this.GetType()} needs to override IEnumerable>.GetEnumerator()");
- }
+ => throw new NotImplementedException($"The type {this.GetType()} needs to override IEnumerable>.GetEnumerator()");
///
IEnumerator IEnumerable.GetEnumerator() => ((IEnumerable>)this).GetEnumerator();
diff --git a/tests/ImageSharp.Tests/Memory/Allocators/SimpleGcMemoryAllocatorTests.cs b/tests/ImageSharp.Tests/Memory/Allocators/SimpleGcMemoryAllocatorTests.cs
index 0e791c5d97..c33e6d1070 100644
--- a/tests/ImageSharp.Tests/Memory/Allocators/SimpleGcMemoryAllocatorTests.cs
+++ b/tests/ImageSharp.Tests/Memory/Allocators/SimpleGcMemoryAllocatorTests.cs
@@ -48,6 +48,50 @@ public unsafe void Allocate_MemoryIsPinnableMultipleTimes()
}
}
+ [Fact]
+ public void Allocate_AccumulativeLimit_ReleasesOnOwnerDispose()
+ {
+ SimpleGcMemoryAllocator allocator = new(new MemoryAllocatorOptions
+ {
+ AccumulativeAllocationLimitMegabytes = 1
+ });
+ const int oneMb = 1 << 20;
+
+ // Reserve the full limit with a single owner.
+ IMemoryOwner b0 = allocator.Allocate(oneMb);
+
+ // Additional allocation should exceed the limit while the owner is live.
+ Assert.Throws(() => allocator.Allocate(1));
+
+ // Disposing the owner releases the reservation.
+ b0.Dispose();
+
+ // Allocation should succeed after the reservation is released.
+ allocator.Allocate(oneMb).Dispose();
+ }
+
+ [Fact]
+ public void AllocateGroup_AccumulativeLimit_ReleasesOnGroupDispose()
+ {
+ SimpleGcMemoryAllocator allocator = new(new MemoryAllocatorOptions
+ {
+ AccumulativeAllocationLimitMegabytes = 1
+ });
+ const int oneMb = 1 << 20;
+
+ // Reserve the full limit with a single group.
+ MemoryGroup g0 = allocator.AllocateGroup(oneMb, 1024);
+
+ // Additional allocation should exceed the limit while the group is live.
+ Assert.Throws(() => allocator.AllocateGroup(1, 1024));
+
+ // Disposing the group releases the reservation.
+ g0.Dispose();
+
+ // Allocation should succeed after the reservation is released.
+ allocator.AllocateGroup(oneMb, 1024).Dispose();
+ }
+
[StructLayout(LayoutKind.Explicit, Size = 512)]
private struct BigStruct
{
diff --git a/tests/ImageSharp.Tests/Memory/Allocators/UniformUnmanagedPoolMemoryAllocatorTests.cs b/tests/ImageSharp.Tests/Memory/Allocators/UniformUnmanagedPoolMemoryAllocatorTests.cs
index c1f5b44bf7..f6cbae3826 100644
--- a/tests/ImageSharp.Tests/Memory/Allocators/UniformUnmanagedPoolMemoryAllocatorTests.cs
+++ b/tests/ImageSharp.Tests/Memory/Allocators/UniformUnmanagedPoolMemoryAllocatorTests.cs
@@ -16,8 +16,8 @@ public class UniformUnmanagedPoolMemoryAllocatorTests
{
public class BufferTests1 : BufferTestSuite
{
- private static MemoryAllocator CreateMemoryAllocator() =>
- new UniformUnmanagedMemoryPoolMemoryAllocator(
+ private static UniformUnmanagedMemoryPoolMemoryAllocator CreateMemoryAllocator() =>
+ new(
sharedArrayPoolThresholdInBytes: 1024,
poolBufferSizeInBytes: 2048,
maxPoolSizeInBytes: 2048 * 4,
@@ -31,8 +31,8 @@ public BufferTests1()
public class BufferTests2 : BufferTestSuite
{
- private static MemoryAllocator CreateMemoryAllocator() =>
- new UniformUnmanagedMemoryPoolMemoryAllocator(
+ private static UniformUnmanagedMemoryPoolMemoryAllocator CreateMemoryAllocator() =>
+ new(
sharedArrayPoolThresholdInBytes: 512,
poolBufferSizeInBytes: 1024,
maxPoolSizeInBytes: 1024 * 4,
@@ -179,8 +179,8 @@ static void RunTest()
g1.Dispose();
// Do some unmanaged allocations to make sure new non-pooled unmanaged allocations will grab different memory:
- IntPtr dummy1 = Marshal.AllocHGlobal((IntPtr)B(8));
- IntPtr dummy2 = Marshal.AllocHGlobal((IntPtr)B(8));
+ IntPtr dummy1 = Marshal.AllocHGlobal(checked((IntPtr)B(8)));
+ IntPtr dummy2 = Marshal.AllocHGlobal(checked((IntPtr)B(8)));
using MemoryGroup g2 = allocator.AllocateGroup(B(8), 1024);
using MemoryGroup g3 = allocator.AllocateGroup(B(8), 1024);
@@ -446,6 +446,50 @@ public void AllocateGroup_OverLimit_ThrowsInvalidMemoryOperationException()
Assert.Throws(() => allocator.AllocateGroup(5 * oneMb, 1024));
}
+ [Fact]
+ public void Allocate_AccumulativeLimit_ReleasesOnOwnerDispose()
+ {
+ MemoryAllocator allocator = MemoryAllocator.Create(new MemoryAllocatorOptions
+ {
+ AccumulativeAllocationLimitMegabytes = 1
+ });
+ const int oneMb = 1 << 20;
+
+ // Reserve the full limit with a single owner.
+ IMemoryOwner b0 = allocator.Allocate(oneMb);
+
+ // Additional allocation should exceed the limit while the owner is live.
+ Assert.Throws(() => allocator.Allocate(1));
+
+ // Disposing the owner releases the reservation.
+ b0.Dispose();
+
+ // Allocation should succeed after the reservation is released.
+ allocator.Allocate(oneMb).Dispose();
+ }
+
+ [Fact]
+ public void AllocateGroup_AccumulativeLimit_ReleasesOnGroupDispose()
+ {
+ MemoryAllocator allocator = MemoryAllocator.Create(new MemoryAllocatorOptions
+ {
+ AccumulativeAllocationLimitMegabytes = 1
+ });
+ const int oneMb = 1 << 20;
+
+ // Reserve the full limit with a single group.
+ MemoryGroup g0 = allocator.AllocateGroup(oneMb, 1024);
+
+ // Additional allocation should exceed the limit while the group is live.
+ Assert.Throws(() => allocator.AllocateGroup(1, 1024));
+
+ // Disposing the group releases the reservation.
+ g0.Dispose();
+
+ // Allocation should succeed after the reservation is released.
+ allocator.AllocateGroup(oneMb, 1024).Dispose();
+ }
+
[ConditionalFact(typeof(Environment), nameof(Environment.Is64BitProcess))]
public void MemoryAllocator_Create_SetHighLimit()
{
diff --git a/tests/ImageSharp.Tests/Memory/DiscontiguousBuffers/MemoryGroupTests.Allocate.cs b/tests/ImageSharp.Tests/Memory/DiscontiguousBuffers/MemoryGroupTests.Allocate.cs
index 678a089a85..cca2230e6f 100644
--- a/tests/ImageSharp.Tests/Memory/DiscontiguousBuffers/MemoryGroupTests.Allocate.cs
+++ b/tests/ImageSharp.Tests/Memory/DiscontiguousBuffers/MemoryGroupTests.Allocate.cs
@@ -98,7 +98,15 @@ public void Allocate_FromPool_BufferSizesAreCorrect(
[InlineData(AllocationOptions.Clean)]
public unsafe void Allocate_FromPool_AllocationOptionsAreApplied(AllocationOptions options)
{
- UniformUnmanagedMemoryPool pool = new(10, 5);
+ // Disable trimming to avoid buffers being freed between Return and TryAllocate by the
+ // trim timer or the Gen2 GC callback.
+ UniformUnmanagedMemoryPool pool = new(
+ 10,
+ 5,
+ new UniformUnmanagedMemoryPool.TrimSettings
+ {
+ Rate = 0
+ });
UnmanagedMemoryHandle[] buffers = pool.Rent(5);
foreach (UnmanagedMemoryHandle b in buffers)
{