Reputation: 133
I'm successfully using the following code to send a UDP-message to a server:
GCDAsyncUdpSocket *udpSocket;
udpSocket = [[GCDAsyncUdpSocket alloc] initWithDelegate:self delegateQueue:dispatch_get_main_queue()];
NSData *data = [@"initialize" dataUsingEncoding:NSUTF8StringEncoding];
[udpSocket sendData:data toHost:@"127.0.0.1" port:5000 withTimeout:-1 tag:1];
When the server receives this message it replies with a series of responses. How can I catch and process those? I want my app to listen to server-responses on the same port it sent the outgoing message for 2 minutes and then repeat the initialize-message in an endless loop:
message -> listen -> message -> listen ...
Upvotes: 1
Views: 3571
Reputation: 133
I was able to figure it out myself - was not to hard after all :-)
To start listening in the background I simply used this:
NSError *error = nil;
if (![udpSocket bindToPort:0 error:&error])
{
NSLog(@"Error binding: %@", [error description]);
return;
}
if (![udpSocket beginReceiving:&error])
{
NSLog(@"Error receiving: %@", [error description]);
return;
}
To repeatetly send the initialiszation I used a timer initlilzieServer containes the code above):
timer = [NSTimer scheduledTimerWithTimeInterval:150
target:self
selector:@selector(initializeServer)
userInfo:nil
repeats:YES];
And then I do the processing of the responses in this class:
- (void)udpSocket:(GCDAsyncUdpSocket *)sock didReceiveData:(NSData *)data fromAddress:(NSData *)address withFilterContext:(id)filterContext
{
NSString *msg = [[NSString alloc] initWithData:data encoding:NSASCIIStringEncoding];
if (msg)
{
NSLog(@"%@",msg);
}
else
{
NSString *host = nil;
uint16_t port = 0;
[GCDAsyncUdpSocket getHost:&host port:&port fromAddress:address];
NSLog(@"Unknown Message: %@:%hu", host, port);
}
}
Upvotes: 1