TcpPeer.cs 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071
  1. using System.Buffers;
  2. using System.Net.Sockets;
  3. using Microsoft.AspNetCore.Connections;
  4. using PCC.App.BinaryFormatter;
  5. namespace PCC.App.Networking;
  6. public class TcpPeer(ConnectionContext context, Socket? sck)
  7. {
  8. public async Task SendBlockAsync(ReadOnlyMemory<byte> block)
  9. {
  10. context.Transport.Output.WriteBlock(block);
  11. await context.Transport.Output.FlushAsync();
  12. }
  13. public async Task SendBlockAsync(byte[] block)
  14. {
  15. context.Transport.Output.WriteBlock(block);
  16. await context.Transport.Output.FlushAsync();
  17. }
  18. public async Task<byte[]?> RxBlockAsync(CancellationToken? timeOut = null)
  19. {
  20. while (true)
  21. {
  22. var result = await context.Transport.Input.ReadAsync(timeOut ?? CancellationToken.None);
  23. if (result.IsCanceled) break;
  24. var block = ReadBlock(result.Buffer);
  25. if (block != null) return block;
  26. if (result.IsCompleted) break;
  27. }
  28. return null;
  29. }
  30. private byte[]? ReadBlock(ReadOnlySequence<byte> rx)
  31. {
  32. var reader = new SequenceReader<byte>(rx);
  33. var lenR = reader.TryRead7BitEncodedInt(out var len);
  34. if (lenR.HasValue == false)
  35. {
  36. context.Transport.Input.AdvanceTo(rx.Start, reader.Position);
  37. return null;
  38. }
  39. if (lenR == false) throw new InvalidDataException("Invalid 7Bit Encoded Int");
  40. var requestLen = (int)reader.Consumed + len;
  41. if (rx.Length < requestLen)
  42. {
  43. context.Transport.Input.AdvanceTo(rx.Start, rx.End);
  44. return null;
  45. }
  46. reader.TryReadExact(len, out var seq);
  47. var block = seq.ToArray();
  48. context.Transport.Input.AdvanceTo(reader.Position);
  49. return block;
  50. }
  51. public void Disconnect()
  52. {
  53. if (sck != null) sck.Disconnect(false);
  54. else context.Abort(new ConnectionAbortedException("Disconnect"));
  55. }
  56. }