I'm writing a C# application that connects to a websocket server, and receives a JSON response of unknown size. I'm using the ClientWebSocket
class for this purpose.
The only way to receive data from the client seems to be with the ReceiveAsync
method, which takes an ArraySegment<byte>
as an argument:
var client = new ClientWebSocket();
client.ConnectAsync(new Uri($"ws://localhost:{port}"), token).Wait();
var result = new ArraySegment<byte>(new byte[1000]);
client.ReceiveAsync(result, token).Wait();
The problem is, since I don't know how big the JSON response will be, I don't know how big to make the buffer backing that ArraySegment. In this case I've specified 1000 bytes, which is far too small, and the response is truncated. However I'm worried that if I set the buffer size to be arbitrarily large, (1,000,000 bytes?), I'll be using up more memory than I need.
How do I choose a buffer size without knowing the size of the response?
If I understand the API correctly it will give you the websocket message in multiple parts if necessary.
That means if the message sent from the server is 2048 bytes and you use a 1000 bytes buffer and do:
Then in this first call
result.Count
will be set to 1000 andresult.EndOfMessage
will be set tofalse
. This means you need to continue reading untilEndOfMessage
is set to true, which means 3 reads for this example.If you need everything in one buffer and can't live with processing the message fragments individually you could start with a small buffer and resize the receive buffer if the result tells you that more data is coming in. Thereby you can also check that if a maximum size is exceeded the reception is stopped.
And of course you should also check the other fields in the receive result, like
MessageType
.