feat(batch8): implement store codec/helpers parity group A

This commit is contained in:
Joseph Doherty
2026-02-28 11:49:13 -05:00
parent 365712b912
commit cfb49ef477
4 changed files with 581 additions and 8 deletions

View File

@@ -0,0 +1,276 @@
using System.Text;
using ZB.MOM.NatsNet.Server.Internal.DataStructures;
namespace ZB.MOM.NatsNet.Server;
public static class StoreParity
{
private const byte StreamStateMagic = 42;
private const byte StreamStateVersion = 1;
private const byte RunLengthMagic = 33;
private const byte SequenceSetMagic = 22;
private const int StreamHeaderLength = 2;
private const int MaxVarIntLength = 10;
private const int ConsumerStateHeaderSize = 6 * MaxVarIntLength + StreamHeaderLength;
private const long NanosecondsPerSecond = 1_000_000_000L;
public static readonly Exception ErrLastSeqMismatch = new InvalidOperationException("last sequence mismatch");
public static readonly Exception ErrFirstSequenceMismatch = new InvalidOperationException("first sequence mismatch");
public static readonly Exception ErrCatchupAbortedNoLeader = new InvalidOperationException("catchup aborted no leader");
public static readonly Exception ErrCatchupTooManyRetries = new InvalidOperationException("catchup too many retries");
public static bool IsEncodedStreamState(byte[]? buf)
=> buf is { Length: >= StreamHeaderLength } &&
buf[0] == StreamStateMagic &&
buf[1] == StreamStateVersion;
public static (StreamReplicatedState? State, Exception? Error) DecodeStreamState(byte[]? buf)
{
if (!IsEncodedStreamState(buf))
return (null, StoreErrors.ErrBadStreamStateEncoding);
var data = buf!;
var state = new StreamReplicatedState();
var index = StreamHeaderLength;
if (!TryReadUVarInt(data, ref index, out var msgs) ||
!TryReadUVarInt(data, ref index, out var bytes) ||
!TryReadUVarInt(data, ref index, out var firstSeq) ||
!TryReadUVarInt(data, ref index, out var lastSeq) ||
!TryReadUVarInt(data, ref index, out var failed))
return (null, StoreErrors.ErrCorruptStreamState);
state.Msgs = msgs;
state.Bytes = bytes;
state.FirstSeq = firstSeq;
state.LastSeq = lastSeq;
state.Failed = failed;
if (!TryReadUVarInt(data, ref index, out var numDeleted))
return (null, StoreErrors.ErrCorruptStreamState);
if (numDeleted > 0)
{
while (index < data.Length)
{
switch (data[index])
{
case SequenceSetMagic:
try
{
var (set, bytesRead) = SequenceSet.Decode(data.AsSpan(index));
if (bytesRead <= 0)
return (null, StoreErrors.ErrCorruptStreamState);
index += bytesRead;
state.Deleted.Add(new SequenceSetDeleteBlock(set));
}
catch (InvalidDataException)
{
return (null, StoreErrors.ErrCorruptStreamState);
}
break;
case RunLengthMagic:
index++;
if (!TryReadUVarInt(data, ref index, out var first) ||
!TryReadUVarInt(data, ref index, out var num))
return (null, StoreErrors.ErrCorruptStreamState);
state.Deleted.Add(new DeleteRange
{
First = first,
Num = num,
});
break;
default:
return (null, StoreErrors.ErrCorruptStreamState);
}
}
}
return (state, null);
}
public static byte[] EncodeConsumerState(ConsumerState state)
{
ArgumentNullException.ThrowIfNull(state);
var pendingCount = state.Pending?.Count ?? 0;
var redeliveredCount = state.Redelivered?.Count ?? 0;
var maxSize = ConsumerStateHeaderSize;
if (pendingCount > 0)
maxSize += pendingCount * (3 * MaxVarIntLength) + MaxVarIntLength;
if (redeliveredCount > 0)
maxSize += redeliveredCount * (2 * MaxVarIntLength) + MaxVarIntLength;
var buffer = new byte[maxSize];
buffer[0] = SequenceSetMagic;
buffer[1] = 2;
var offset = StreamHeaderLength;
WriteUVarInt(buffer, ref offset, state.AckFloor.Consumer);
WriteUVarInt(buffer, ref offset, state.AckFloor.Stream);
WriteUVarInt(buffer, ref offset, state.Delivered.Consumer);
WriteUVarInt(buffer, ref offset, state.Delivered.Stream);
WriteUVarInt(buffer, ref offset, (ulong)pendingCount);
var ackStreamFloor = state.AckFloor.Stream;
var ackConsumerFloor = state.AckFloor.Consumer;
if (pendingCount > 0)
{
var minTs = DateTimeOffset.UtcNow.ToUnixTimeSeconds();
WriteVarInt(buffer, ref offset, minTs);
foreach (var entry in state.Pending!)
{
var pending = entry.Value ?? new Pending();
WriteUVarInt(buffer, ref offset, entry.Key - ackStreamFloor);
WriteUVarInt(buffer, ref offset, pending.Sequence - ackConsumerFloor);
var tsSeconds = pending.Timestamp / NanosecondsPerSecond;
WriteVarInt(buffer, ref offset, minTs - tsSeconds);
}
}
WriteUVarInt(buffer, ref offset, (ulong)redeliveredCount);
if (redeliveredCount > 0)
{
foreach (var entry in state.Redelivered!)
{
WriteUVarInt(buffer, ref offset, entry.Key - ackStreamFloor);
WriteUVarInt(buffer, ref offset, entry.Value);
}
}
return buffer[..offset];
}
public static bool IsOutOfSpaceErr(Exception? error)
=> error != null && error.Message.Contains("no space left", StringComparison.Ordinal);
public static bool IsClusterResetErr(Exception? error)
=> ContainsException(error, ErrLastSeqMismatch) ||
ContainsException(error, StoreErrors.ErrStoreEOF) ||
ContainsException(error, ErrFirstSequenceMismatch) ||
ContainsException(error, ErrCatchupAbortedNoLeader) ||
ContainsException(error, ErrCatchupTooManyRetries);
public static string BytesToString(byte[]? bytes)
=> bytes is not { Length: > 0 } ? string.Empty : Encoding.Latin1.GetString(bytes);
public static byte[]? StringToBytes(string text)
=> string.IsNullOrEmpty(text) ? null : Encoding.Latin1.GetBytes(text);
public static string CopyString(string text)
{
if (string.IsNullOrEmpty(text))
return string.Empty;
return new string(text.AsSpan());
}
public static bool IsPermissionError(Exception? error)
=> AnyException(error, static ex => ex is UnauthorizedAccessException);
private static bool TryReadUVarInt(ReadOnlySpan<byte> source, ref int index, out ulong value)
{
if ((uint)index >= (uint)source.Length)
{
value = 0;
index = -1;
return false;
}
value = 0;
var shift = 0;
for (var i = 0; i < MaxVarIntLength; i++)
{
if ((uint)index >= (uint)source.Length)
{
value = 0;
index = -1;
return false;
}
var b = source[index++];
if (b < 0x80)
{
if (i == MaxVarIntLength - 1 && b > 1)
{
value = 0;
index = -1;
return false;
}
value |= (ulong)b << shift;
return true;
}
value |= (ulong)(b & 0x7F) << shift;
shift += 7;
}
value = 0;
index = -1;
return false;
}
private static void WriteUVarInt(byte[] buffer, ref int offset, ulong value)
{
while (value >= 0x80)
{
buffer[offset++] = (byte)(value | 0x80);
value >>= 7;
}
buffer[offset++] = (byte)value;
}
private static void WriteVarInt(byte[] buffer, ref int offset, long value)
{
var encoded = (ulong)value << 1;
if (value < 0)
encoded = ~encoded;
WriteUVarInt(buffer, ref offset, encoded);
}
private static bool ContainsException(Exception? source, Exception target)
=> AnyException(source, ex => ReferenceEquals(ex, target));
private static bool AnyException(Exception? source, Func<Exception, bool> matcher)
{
if (source == null)
return false;
if (matcher(source))
return true;
if (source is AggregateException aggregate)
{
foreach (var inner in aggregate.InnerExceptions)
{
if (AnyException(inner, matcher))
return true;
}
}
return source.InnerException != null && AnyException(source.InnerException, matcher);
}
private sealed class SequenceSetDeleteBlock(SequenceSet set) : IDeleteBlock
{
private readonly SequenceSet _set = set;
public (ulong First, ulong Last, ulong Num) GetState()
{
var (min, max, count) = _set.State();
return (min, max, count);
}
public void Range(Func<ulong, bool> f)
=> _set.Range(f);
}
}

View File

@@ -97,17 +97,47 @@ public sealed class StoreMsg
public ulong Seq { get; set; }
public long Ts { get; set; }
/// <summary>Copy this message's fields into <paramref name="dst"/>.</summary>
public void Copy(StoreMsg dst)
{
ArgumentNullException.ThrowIfNull(dst);
if (Buf.Length > 0)
{
var copiedBuffer = new byte[Buf.Length];
Buffer.BlockCopy(Buf, 0, copiedBuffer, 0, Buf.Length);
dst.Buf = copiedBuffer;
var headerLength = Math.Min(Hdr.Length, copiedBuffer.Length);
dst.Hdr = copiedBuffer[..headerLength];
dst.Msg = copiedBuffer[headerLength..];
}
else
{
var headerCopy = new byte[Hdr.Length];
Buffer.BlockCopy(Hdr, 0, headerCopy, 0, Hdr.Length);
var messageCopy = new byte[Msg.Length];
Buffer.BlockCopy(Msg, 0, messageCopy, 0, Msg.Length);
dst.Hdr = headerCopy;
dst.Msg = messageCopy;
var combined = new byte[headerCopy.Length + messageCopy.Length];
Buffer.BlockCopy(headerCopy, 0, combined, 0, headerCopy.Length);
Buffer.BlockCopy(messageCopy, 0, combined, headerCopy.Length, messageCopy.Length);
dst.Buf = combined;
}
dst.Subject = Subject;
dst.Seq = Seq;
dst.Ts = Ts;
}
/// <summary>Copy fields from another StoreMsg into this one.</summary>
public void CopyFrom(StoreMsg src)
{
var newBuf = new byte[src.Buf.Length];
src.Buf.CopyTo(newBuf, 0);
Buf = newBuf;
Hdr = newBuf[..src.Hdr.Length];
Msg = newBuf[src.Hdr.Length..];
Subject = src.Subject;
Seq = src.Seq;
Ts = src.Ts;
ArgumentNullException.ThrowIfNull(src);
src.Copy(this);
}
/// <summary>Clear all fields, resetting to an empty message.</summary>
@@ -353,6 +383,9 @@ public sealed class DeleteRange : IDeleteBlock
public ulong First { get; set; }
public ulong Num { get; set; }
public (ulong First, ulong Last, ulong Num) State()
=> GetState();
public (ulong First, ulong Last, ulong Num) GetState()
{
var deletesAfterFirst = Num > 0 ? Num - 1 : 0;
@@ -383,6 +416,9 @@ public sealed class DeleteSlice : IDeleteBlock
_seqs = seqs;
}
public (ulong First, ulong Last, ulong Num) State()
=> GetState();
public (ulong First, ulong Last, ulong Num) GetState()
{
if (_seqs.Length == 0)