devxlogo

iPhone Network Programming

iPhone Network Programming

n my previous article on iPhone programming, you saw how to consume Web services from within an iPhone application and how to parse the returning XML result. While Web services are very common nowadays, the payload needed for consuming Web services is pretty high, especially if you are simply fetching small amounts of data — the SOAP packet itself takes up quite a number of bytes. A better way to communicate is to use sockets, where information could be sent and received without the additional XML payload. In addition, socket allows you to maintain a connection to the server, which allows your application to run asynchronously, and receive incoming data as and when needed.

In this article, you will learn how to communicate with a server using TCP/IP. You will also learn how to build a simple chat application using the concepts covered in one of my earlier articles.

For the sample project discussed in this article, you will use Xcode and create a new View-based Application project and name it as Network.

Using Streams for Network Communications

The easiest way to communicate over the network using sockets is to use the NSStream class. The NSStream class is an abstract class representing streams, where you can use it to read and write data. It can be used on memory, files, or networks. Using the NSStream class, you can communicate with a server simply by writing data to it and receive data from it by reading from an NSStream object.

On the Mac OS X, you can establish a connection to a server via the use of an NSHost and NSStream objects, like this:

            NSInputStream *iStream;            NSOutputStream *oStream;            uint portNo = 500;            NSURL *website = [NSURL URLWithString:urlStr];            NSHost *host = [NSHost hostWithName:[website host]];            [NSStream getStreamsToHost:host                                   port:portNo                            inputStream:&iStream                          outputStream:&oStream];

As you observed, the NSStream class has a class method named getStreamsToHost:port:inputStream:outputStream:, which creates an input stream and an output stream to a server where you can read and write data to it. However, the problem is that the getStreamsToHost:port:inputStream:outputStream: method is not supported on the iPhone OS. Hence, the above code will not work in your iPhone application.

To resolve this problem, you can add a category to the existing NSStream class to replace the functionality provided by the getStreamsToHost:port:inputStream:outputStream: method. To do so, right-click on the Classes group in Xcode and add a new file and name it as NSStreamAdditions.m. In the NSStreamAdditions.h file, add in the following:

#import @interface NSStream (MyAdditions)+ (void)getStreamsToHostNamed:(NSString *)hostName                          port:(NSInteger)port                   inputStream:(NSInputStream **)inputStreamPtr                  outputStream:(NSOutputStream **)outputStreamPtr;@end

In the NSStreamAdditions.m file, add in the following (see Listing 1).

The above code adds the class method named getStreamsToHostNamed:port:inputStream:outputStream: to the NSStream class. You can now use this method in your iPhone application to connect to a server using TCP.

Author's Note: The code for the category outlined here are based on Apple’s Technical Q&A1652.

In the NetworkViewController.m file, insert the following statements in bold:

#import "NetworkViewController.h"#import "NSStreamAdditions.h"@implementation NetworkViewControllerNSMutableData *data;NSInputStream *iStream;NSOutputStream *oStream;

Define the connectToServerUsingStream:portNo: method so that you can connect to a server and then create an input and output stream objects:

-(void) connectToServerUsingStream:(NSString *)urlStr                             portNo: (uint) portNo {    if (![urlStr isEqualToString:@""]) {        NSURL *website = [NSURL URLWithString:urlStr];        if (!website) {            NSLog(@"%@ is not a valid URL");            return;        } else {            [NSStream getStreamsToHostNamed:urlStr                                        port:portNo                                 inputStream:&iStream                               outputStream:&oStream];                        [iStream retain];            [oStream retain];                        [iStream setDelegate:self];            [oStream setDelegate:self];                        [iStream scheduleInRunLoop:[NSRunLoop currentRunLoop]                               forMode:NSDefaultRunLoopMode];            [oStream scheduleInRunLoop:[NSRunLoop currentRunLoop]                               forMode:NSDefaultRunLoopMode];                        [oStream open];            [iStream open];                    }}    }

You scheduled both the input and output streams to receive events on a run loop. Doing so prevents your code from blocking when there is no data available on the stream. The delegates for both stream objects are also set to self as you will implement the method for receiving data on the stream in this same class.

Using CFNetwork for Network Communication

Another way to establish a connection to a server using TCP is through the CFNetwork framework. The CFNetwork is a framework in the Core Services Framework (C libraries), which provides abstractions for network protocols, such as HTTP, FTP, and BSD sockets.

To see how to use the various classes in the CFNetwork framework, add the following statements in bold to the NetworkViewController.m file:

#import "NetworkViewController.h"#import "NSStreamAdditions.h"#import @implementation NetworkViewControllerNSMutableData *data;NSInputStream *iStream;NSOutputStream *oStream;CFReadStreamRef readStream = NULL;CFWriteStreamRef writeStream = NULL;

Define the following connectToServerUsingCFStream:portNo: method as follows (see Listing 2).

You first use the CFStreamCreatePairWithSocketToHost() method to create a readable and writable stream connected to a server via TCP/IP. This method returns a reference to a readable stream (readStream) and a writable stream (writeStream). They are then type-casted to their respective equivalent in Objective C -- NSInputStream and NSOutputStream. You then do the same as you did previously -- set their delegates as well as their run loop.

Sending Data

To send data to a server, you simply use the NSOutputStream object, like this:

-(void) writeToServer:(const uint8_t *) buf {    [oStream write:buf maxLength:strlen((char*)buf)];    }

The above method writes an array of unsigned integer bytes to the server.

Reading Data

When data are received from the server, the stream:handleEvent: method will be fired. Hence, you will read all incoming data in this method. Implement this method as shown below:

- (void)stream:(NSStream *)stream handleEvent:(NSStreamEvent)eventCode {        switch(eventCode) {        case NSStreamEventHasBytesAvailable:        {            if (data == nil) {                data = [[NSMutableData alloc] init];            }            uint8_t buf[1024];            unsigned int len = 0;            len = [(NSInputStream *)stream read:buf maxLength:1024];            if(len) {                    [data appendBytes:(const void *)buf length:len];                int bytesRead;                bytesRead += len;            } else {                NSLog(@"No data.");            }                        NSString *str = [[NSString alloc] initWithData:data                                 encoding:NSUTF8StringEncoding];            NSLog(str);            UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"From server"                                                             message:str                                                            delegate:self                                                   cancelButtonTitle:@"OK"                                                   otherButtonTitles:nil];            [alert show];            [alert release];                                    [str release];            [data release];                    data = nil;        } break;    }}

This method contains two parameters -- an NSStream instance, and an NSStreamEvent constant. The NSStreamEvent constant can be one of the following:

  • NSStreamEventNone -- No event has occurred.
  • NSStreamEventOpenCompleted -- The open has completed successfully.
  • NSStreamEventHasBytesAvailable -- The stream has bytes to be read.
  • NSStreamEventHasSpaceAvailable -- The stream can accept bytes for writing.
  • NSStreamEventErrorOccurred -- An error has occurred on the stream.
  • NSStreamEventEndEncountered -- The end of the stream has been reached.

For reading incoming data, you would check for the NSStreamEventHasBytesAvailable constant. What you did in this method was to read from the incoming stream and then display the received data using an UIAlertView object.

The stream:handleEvent: method is also a good place to check for connection error. For example, if the connectToServerUsingStream:portNo: method fails to connect to the server, the error will be notified via the stream:handleEvent: method, with the NSStreamEvent constant set to NSStreamEventErrorOccurred.

Disconnecting

To disconnect from the server, define the disconnect method as shown below:

-(void) disconnect {    [iStream close];    [oStream close];}

Also, add in the following lines in bold to the dealloc method:

- (void)dealloc {    [self disconnect];        [iStream release];    [oStream release];        if (readStream) CFRelease(readStream);    if (writeStream) CFRelease(writeStream);            [super dealloc];}

Testing the Application


Figure 1. Populate: Populate the View window with views.
 
Figure 2. Verify: Verify the connections on the File’s Owner item.
 
Figure 3. View: Add more views.

You are now ready to put all the pieces together and test the code against a server. In the NetworkViewController.h file, declare the following outlet and action:

#import @interface NetworkViewController : UIViewController {    IBOutlet UITextField *txtMessage;}@property (nonatomic, retain) UITextField *txtMessage;-(IBAction) btnSend: (id) sender;@end

Double-click on the NetworkViewController.xib file to edit it in Interface Builder. In the View window, populate it with the following views (see also Figure 1):

  • Text Field
  • Round Rect Button

Perform the following actions:

  • Control-click on the File’s Owner item and drag and drop it over the Text Field view. Select txtMessage.
  • Control-click on the Round Rect Button view and drag and drop it over the File’s Owner item. Select btnSend:.

Right-click on the File’s Owner item to verify its connections (see Figure 2).

Back in the NetworkViewController.m file, add the following lines of code in bold to the viewDidLoad method:

- (void)viewDidLoad {[self connectToServerUsingStream:@"192.168.1.102" portNo:500];//---OR---    //[self connectToServerUsingCFStream:@"192.168.1.102" portNo:500];        [super viewDidLoad];}

The above code assumes you are connecting to a server of IP address 192.168.1.102, at port 500. You will see how to write the server code shortly.

Implement the btnSend: method as follows:

-(IBAction) btnSend: (id) sender {    const uint8_t *str =         (uint8_t *) [txtMessage.text cStringUsingEncoding:NSASCIIStringEncoding];    [self writeToServer:str];    txtMessage.text = @"";}

Release the txtMessage outlet in the dealloc method:

- (void)dealloc {[txtMessage release];    [self disconnect];        [iStream release];    [oStream release];        if (readStream) CFRelease(readStream);if (writeStream) CFRelease(writeStream);            [super dealloc];}

Building the Server

Up till this point, you have built a client on the iPhone that is ready to send some text over to a server. So what about the server? To test this application, I have built a very simple console server using C#. Here is the code for the Program.cs file (see Listing 3).

The server program performs the following:

  • It assumes that the IP address of the server is 192.168.1.102. When testing on your end, replace this IP address with the IP address of your computer running this server application.
  • It sends back to the client whatever data it receives.
  • Once the data is received, the server no longer listens for incoming data. In order for the client to send data to it again, the client needs to reconnect to the server.
Author's Note: Download the accompanying source code for all the examples illustrated in this article.
Figure 4. Change is good: Change the font size of the Text View view.

With the server code explained, you can now test your iPhone application. Type some text into the Text Field view and click the Send button. If the connection is established, you should see the Alert View displaying the data received.

A More Interesting Example

In one of my earlier articles for DevX.com, I wrote about how to build your own instant messenger application (see “Home-brew Your Own Instant Messenger App with Visual Studio .NET"> using .NET. In that article, I wrote about how to write a server and a client application to allow chat messages to be sent between multiple users. Using the code in that article, you could actually modify your iPhone application as a chat client and communicate with other users on other platforms.

Using the same project created earlier, add the following views to the View window (see also Figure 3):

  • Label
  • Text Field
  • Round Rect Button
  • Text View

Select the Text View, press Command-T and change its font size to 9 (see Figure 4).

In the NetworkViewController.h file, add the following statements in bold:

#import @interface NetworkViewController : UIViewController {    IBOutlet UITextField *txtMessage;        IBOutlet UITextField *txtNickName;    IBOutlet UITextView  *txtMessages;}@property (nonatomic, retain) UITextField *txtMessage;@property (nonatomic, retain) UITextField *txtNickName;@property (nonatomic, retain) UITextView *txtMessages;-(IBAction) btnSend:(id) sender; 
Figure 5. Connections: Verify the connections.
-(IBAction) btnLogin:(id) sender;@end

Perform the following actions:

  • Control-click on the File’s Owner item and drag and drop it over the top Text Field view. Select txtNickName.
  • Control-click on the File’s Owner item and drag and drop it over the top Text View view. Select txtMessages.
  • Control-click on the Round Rect Button view and drag and drop it over the File’s Owner item. Select btnLogin:.

Right-click on the File’s Owner item to verify its connections (see Figure 5). In the NetworkViewController.m file, add the following statements in bold (see Listing 4).

Figure 6. Chat: Start chatting on your iPhone.

That’s all! Press Command-R to test the application. First, enter a nickname for yourself and tap the Login button (see Figure 6). You can now start chatting by typing a message and tapping the Send button.

Author's Note: For your convenience, I have provided the C# version of the chat server in the download package for this article.

Summary

In this article, you have seen how to communicate with another server using TCP/IP. Knowing how to communicate with the outside world allows you to build very interesting applications. In the next article, I will talk about Bluetooth programming on the iPhone.

devxblackblue

About Our Editorial Process

At DevX, we’re dedicated to tech entrepreneurship. Our team closely follows industry shifts, new products, AI breakthroughs, technology trends, and funding announcements. Articles undergo thorough editing to ensure accuracy and clarity, reflecting DevX’s style and supporting entrepreneurs in the tech sphere.

See our full editorial policy.

About Our Journalist