In the following snippet, I receive the data until I have completely received all the data from the socket client. I keep on storing the data in a char buffer of size 300.
Rather than passing buffer
to recv()
, pass the address of next element of buffer
to be assigned and accumulate an index, adjusting the size argument of recv()
to account for the data already written:
char buffer[300] ;
ssize_t buffer_index = 0 ;
ssize_t chunk = 0 ;
do
{
chunk = recv( socket_fd,
&buffer[buffer_index],
sizeof(buffer) - buffer_index - 1 ) ;
if( chunk > 0 )
{
buffer_index += chunk ;
buffer[buffer_index] = '\0' ;
}
} while( buffer_index < sizeof(buffer) - 1 &&
chunk > 0 ) ;
If rather then simply filling the buffer or timing out you need to terminate on a delimiter such as \n
then you will need to read and inspect one character at a time:
char buffer[300] ;
ssize_t buffer_index = 0 ;
ssize_t status = 0 ;
do
{
status = recv( socket_fd,
&buffer[buffer_index],
1 ) ;
if( status > 0 )
{
buffer_index++ ;
buffer[buffer_index] = '\0' ;
}
} while( ch != '\n' &&
buffer_index < sizeof(buffer) - 1 &&
status > 0 ) ;
A more complete example of a socket readline()
function can be found at http://man7.org/tlpi/code/online/dist/sockets/read_line.c.html for example.