Skip to content

Commit bf3ac53

Browse files
HybridCache : implement the tag expiration feature (#5785)
* rebase hc-tags work from dev (easier to re-branch due to drift) * detect malformed unicode in tags/keys * avoid try/finally in unicode validation step * make build happy * happier * normalize and test how per-entry vs global options are inherited * add loggine of rejected data * event log for tag invalidations * make the CI overlord happy * rebase hc-tags work from dev (easier to re-branch due to drift) * detect malformed unicode in tags/keys * avoid try/finally in unicode validation step * make build happy * happier * normalize and test how per-entry vs global options are inherited * add loggine of rejected data * event log for tag invalidations * make the CI overlord happy * add event-source into more tests (proves logging-related code branches work) * add inbuilt type serializer test * add license header * improving code coverage * incorporate PR feedback re thread-static array * make the robots happy * Update src/Libraries/Microsoft.Extensions.Caching.Hybrid/Internal/TagSet.cs Co-authored-by: Sébastien Ros <[email protected]> * tag-based invalidate: pass multiple tags, to ensure code paths * more coverage --------- Co-authored-by: Sébastien Ros <[email protected]>
1 parent ab94e0b commit bf3ac53

34 files changed

+2288
-100
lines changed

eng/MSBuild/LegacySupport.props

+1-1
Original file line numberDiff line numberDiff line change
@@ -23,7 +23,7 @@
2323
<Compile Include="$(MSBuildThisFileDirectory)\..\..\src\LegacySupport\CallerAttributes\*.cs" LinkBase="LegacySupport\CallerAttributes" />
2424
</ItemGroup>
2525

26-
<ItemGroup Condition="'$(InjectSkipLocalsInitAttributeOnLegacy)' == 'true' AND ('$(TargetFramework)' == 'net462' or '$(TargetFramework)' == 'netstandard2.0' or '$(TargetFramework)' == 'netcoreapp3.1')">
26+
<ItemGroup Condition="'$(InjectSkipLocalsInitAttributeOnLegacy)' == 'true' AND ('$(TargetFramework)' == 'net462' or '$(TargetFramework)' == 'netstandard2.0' or '$(TargetFramework)' == 'netstandard2.1' or '$(TargetFramework)' == 'netcoreapp3.1')">
2727
<Compile Include="$(MSBuildThisFileDirectory)\..\..\src\LegacySupport\SkipLocalsInitAttribute\*.cs" LinkBase="LegacySupport\SkipLocalsInitAttribute" />
2828
</ItemGroup>
2929

src/Libraries/Microsoft.Extensions.Caching.Hybrid/Internal/BufferChunk.cs

+17-9
Original file line numberDiff line numberDiff line change
@@ -15,20 +15,23 @@ namespace Microsoft.Extensions.Caching.Hybrid.Internal;
1515
internal readonly struct BufferChunk
1616
{
1717
private const int FlagReturnToPool = (1 << 31);
18-
1918
private readonly int _lengthAndPoolFlag;
2019

21-
public byte[]? Array { get; } // null for default
20+
public byte[]? OversizedArray { get; } // null for default
21+
22+
public bool HasValue => OversizedArray is not null;
2223

24+
public int Offset { get; }
2325
public int Length => _lengthAndPoolFlag & ~FlagReturnToPool;
2426

2527
public bool ReturnToPool => (_lengthAndPoolFlag & FlagReturnToPool) != 0;
2628

2729
public BufferChunk(byte[] array)
2830
{
2931
Debug.Assert(array is not null, "expected valid array input");
30-
Array = array;
32+
OversizedArray = array;
3133
_lengthAndPoolFlag = array!.Length;
34+
Offset = 0;
3235

3336
// assume not pooled, if exact-sized
3437
// (we don't expect array.Length to be negative; we're really just saying
@@ -39,11 +42,12 @@ public BufferChunk(byte[] array)
3942
Debug.Assert(Length == array.Length, "array length not respected");
4043
}
4144

42-
public BufferChunk(byte[] array, int length, bool returnToPool)
45+
public BufferChunk(byte[] array, int offset, int length, bool returnToPool)
4346
{
4447
Debug.Assert(array is not null, "expected valid array input");
4548
Debug.Assert(length >= 0, "expected valid length");
46-
Array = array;
49+
OversizedArray = array;
50+
Offset = offset;
4751
_lengthAndPoolFlag = length | (returnToPool ? FlagReturnToPool : 0);
4852
Debug.Assert(ReturnToPool == returnToPool, "return-to-pool not respected");
4953
Debug.Assert(Length == length, "length not respected");
@@ -58,7 +62,7 @@ public byte[] ToArray()
5862
}
5963

6064
var copy = new byte[length];
61-
Buffer.BlockCopy(Array!, 0, copy, 0, length);
65+
Buffer.BlockCopy(OversizedArray!, Offset, copy, 0, length);
6266
return copy;
6367

6468
// Note on nullability of Array; the usage here is that a non-null array
@@ -73,15 +77,19 @@ internal void RecycleIfAppropriate()
7377
{
7478
if (ReturnToPool)
7579
{
76-
ArrayPool<byte>.Shared.Return(Array!);
80+
ArrayPool<byte>.Shared.Return(OversizedArray!);
7781
}
7882

7983
Unsafe.AsRef(in this) = default; // anti foot-shotgun double-return guard; not 100%, but worth doing
80-
Debug.Assert(Array is null && !ReturnToPool, "expected clean slate after recycle");
84+
Debug.Assert(OversizedArray is null && !ReturnToPool, "expected clean slate after recycle");
8185
}
8286

87+
internal ArraySegment<byte> AsArraySegment() => Length == 0 ? default! : new(OversizedArray!, Offset, Length);
88+
89+
internal ReadOnlySpan<byte> AsSpan() => Length == 0 ? default : new(OversizedArray!, Offset, Length);
90+
8391
// get the data as a ROS; for note on null-logic of Array!, see comment in ToArray
84-
internal ReadOnlySequence<byte> AsSequence() => Length == 0 ? default : new ReadOnlySequence<byte>(Array!, 0, Length);
92+
internal ReadOnlySequence<byte> AsSequence() => Length == 0 ? default : new ReadOnlySequence<byte>(OversizedArray!, Offset, Length);
8593

8694
internal BufferChunk DoNotReturnToPool()
8795
{

src/Libraries/Microsoft.Extensions.Caching.Hybrid/Internal/DefaultHybridCache.CacheItem.cs

+23-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33

44
using System;
55
using System.Diagnostics;
6+
using System.Runtime.CompilerServices;
67
using System.Threading;
78
using Microsoft.Extensions.Caching.Memory;
89
using Microsoft.Extensions.Logging;
@@ -13,10 +14,22 @@ internal partial class DefaultHybridCache
1314
{
1415
internal abstract class CacheItem
1516
{
17+
private readonly long _creationTimestamp;
18+
19+
protected CacheItem(long creationTimestamp, TagSet tags)
20+
{
21+
Tags = tags;
22+
_creationTimestamp = creationTimestamp;
23+
}
24+
1625
private int _refCount = 1; // the number of pending operations against this cache item
1726

1827
public abstract bool DebugIsImmutable { get; }
1928

29+
public long CreationTimestamp => _creationTimestamp;
30+
31+
public TagSet Tags { get; }
32+
2033
// Note: the ref count is the number of callers anticipating this value at any given time. Initially,
2134
// it is one for a simple "get the value" flow, but if another call joins with us, it'll be incremented.
2235
// If either cancels, it will get decremented, with the entire flow being cancelled if it ever becomes
@@ -27,6 +40,9 @@ internal abstract class CacheItem
2740

2841
internal int RefCount => Volatile.Read(ref _refCount);
2942

43+
internal void UnsafeSetCreationTimestamp(long timestamp)
44+
=> Unsafe.AsRef(in _creationTimestamp) = timestamp;
45+
3046
internal static readonly PostEvictionDelegate SharedOnEviction = static (key, value, reason, state) =>
3147
{
3248
if (value is CacheItem item)
@@ -88,6 +104,11 @@ protected virtual void OnFinalRelease() // any required release semantics
88104

89105
internal abstract class CacheItem<T> : CacheItem
90106
{
107+
protected CacheItem(long creationTimestamp, TagSet tags)
108+
: base(creationTimestamp, tags)
109+
{
110+
}
111+
91112
public abstract bool TryGetSize(out long size);
92113

93114
// Attempt to get a value that was *not* previously reserved.
@@ -112,6 +133,7 @@ public T GetReservedValue(ILogger log)
112133
static void Throw() => throw new ObjectDisposedException("The cache item has been recycled before the value was obtained");
113134
}
114135

115-
internal static CacheItem<T> Create() => ImmutableTypeCache<T>.IsImmutable ? new ImmutableCacheItem<T>() : new MutableCacheItem<T>();
136+
internal static CacheItem<T> Create(long creationTimestamp, TagSet tags) => ImmutableTypeCache<T>.IsImmutable
137+
? new ImmutableCacheItem<T>(creationTimestamp, tags) : new MutableCacheItem<T>(creationTimestamp, tags);
116138
}
117139
}

src/Libraries/Microsoft.Extensions.Caching.Hybrid/Internal/DefaultHybridCache.Debug.cs

+5-3
Original file line numberDiff line numberDiff line change
@@ -47,14 +47,13 @@ internal void DebugOnlyIncrementOutstandingBuffers()
4747
}
4848
#endif
4949

50-
private partial class MutableCacheItem<T>
50+
internal partial class MutableCacheItem<T>
5151
{
5252
#if DEBUG
5353
private DefaultHybridCache? _cache; // for buffer-tracking - only needed in DEBUG
5454
#endif
5555

5656
[Conditional("DEBUG")]
57-
[SuppressMessage("Performance", "CA1822:Mark members as static", Justification = "Instance state used in debug")]
5857
internal void DebugOnlyTrackBuffer(DefaultHybridCache cache)
5958
{
6059
#if DEBUG
@@ -63,18 +62,21 @@ internal void DebugOnlyTrackBuffer(DefaultHybridCache cache)
6362
{
6463
_cache?.DebugOnlyIncrementOutstandingBuffers();
6564
}
65+
#else
66+
_ = this; // dummy just to prevent CA1822, never hit
6667
#endif
6768
}
6869

6970
[Conditional("DEBUG")]
70-
[SuppressMessage("Performance", "CA1822:Mark members as static", Justification = "Instance state used in debug")]
7171
private void DebugOnlyDecrementOutstandingBuffers()
7272
{
7373
#if DEBUG
7474
if (_buffer.ReturnToPool)
7575
{
7676
_cache?.DebugOnlyDecrementOutstandingBuffers();
7777
}
78+
#else
79+
_ = this; // dummy just to prevent CA1822, never hit
7880
#endif
7981
}
8082
}

src/Libraries/Microsoft.Extensions.Caching.Hybrid/Internal/DefaultHybridCache.ImmutableCacheItem.cs

+7-2
Original file line numberDiff line numberDiff line change
@@ -8,10 +8,15 @@ namespace Microsoft.Extensions.Caching.Hybrid.Internal;
88

99
internal partial class DefaultHybridCache
1010
{
11-
private sealed class ImmutableCacheItem<T> : CacheItem<T> // used to hold types that do not require defensive copies
11+
internal sealed class ImmutableCacheItem<T> : CacheItem<T> // used to hold types that do not require defensive copies
1212
{
1313
private static ImmutableCacheItem<T>? _sharedDefault;
1414

15+
public ImmutableCacheItem(long creationTimestamp, TagSet tags)
16+
: base(creationTimestamp, tags)
17+
{
18+
}
19+
1520
private T _value = default!; // deferred until SetValue
1621

1722
public long Size { get; private set; } = -1;
@@ -25,7 +30,7 @@ public static ImmutableCacheItem<T> GetReservedShared()
2530
ImmutableCacheItem<T>? obj = Volatile.Read(ref _sharedDefault);
2631
if (obj is null || !obj.TryReserve())
2732
{
28-
obj = new();
33+
obj = new(0, TagSet.Empty); // timestamp doesn't matter - not used in L1/L2
2934
_ = obj.TryReserve(); // this is reliable on a new instance
3035
Volatile.Write(ref _sharedDefault, obj);
3136
}

0 commit comments

Comments
 (0)