Click here to Skip to main content
15,861,125 members
Articles / Mobile Apps / Android

Android: How to communicate with .NET application via TCP

Rate me:
Please Sign up or sign in to vote.
4.89/5 (89 votes)
13 Mar 2016CPOL4 min read 657.1K   12.2K   273   259
Simple example showing how to communicate between Android and .NET application.

Related articles:

Introduction

The example bellow implements a simple request-response communication between Android and .NET application. The Android application is a simple client using the .NET application as a service to calculate length of the text message.

The example bellow uses Eneter Messaging Framework making the whole communication very simple. (The framework is free for noncommercial use and can be downloaded from http://www.eneter.net. You need to download Eneter for.NET and Eneter for Android. More detailed technical info can be found at technical info.)

340714/CommunicationBetweenAndroidandNET.png

To Run Example

If you use Android Studio:

  1. Download the example for Android Studio (It contains the client project for Android Studio and the service project for Visual Studio).
  2. Open NetService solution in Visual Studio.
  3. If your Visual Stusio supports NuGet packages then just try to build the solution and the Eneter library will be downloaded automatically from NuGet.org server.
    If your Visual Studio does not support NuGet packages then you need to download Eneter Messaging Framework for .NET and unzip it. Then add the reference to the Eneter library. (Right click on 'References' then choose 'Add Reference ...' and navigate to the path where you have unzipped Eneter for .NET and choose the library for .NET 4.0)
  4. Open AndroidNetCommunicationClientActivity in Android Studio.
  5. Download Eneter Messaging Framework for Java and unzip it.
  6. Copy eneter-messaging-android library to AndroidNetCommunicationClientActivity\app\libs.
  7. Right click on the Eneter library and (from the bottom part of the context menu) choose 'Add As Library...'
  8. Start Netervice from Visual Studio.
  9. Start Android client from in Android Studio.

In addition if you use Android Studio 2.3 or higher you need to turn off the 'Instant Run' feature. (The problem is that this feature "secretly" adds the field with the name $change into classes which then causes problems to XmlSerializer.):

  1. Open the Settings or Preferences dialog.
  2. Navigate to Build, Execution, Deployment > Instant Run.
  3. Uncheck the box next to Enable Instant Run.

If you use Eclipse:

  1. Download the example for Eclipse (It contains the client project for Eclipse and the service project for Visual Studio).
  2. Open NetService solution in Visual Studio.
  3. If your Visual Stusio supports NuGet packages then just try to build the solution and the Eneter library will be downloaded automatically from NuGet.org server.
    If your Visual Studio does not support NuGet packages then you need to download Eneter Messaging Framework for .NET and add the reference to the Eneter library. (Right click on 'References' then choose 'Add Reference ...' and navigate to the path where you have unzipped Eneter for .NET and choose the library for .NET 4.0)
  4. Open AndroidNetCommunicationClient in Eclipse.
  5. Download Eneter Messaging Framework for Java and unzip it.
  6. Right click on 'libs' and choose 'Import...' -> 'General/File System' -> 'Next'.
  7. Then click 'Browser' button for 'From directory' and navigate to directory with the Eneter library.
  8. Select the check box and press 'Finish'.
  9. Start Netervice from Visual Studio.
  10. Start Android client from in Android Studio.

TCP on Android

When you implement the communication via TCP on Android, you must count with two specifics:

If the permission is not set, the application is not allowed to communicate across the network. To set the INTERNET permission you must add the following line to AndroidManifest.xml.

XML
<uses-permission android:name="android.permission.INTERNET"/>

An example of AndroidManifest.xml allowing communication across the network:

XML
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
    package="net.client"
    android:versionCode="1"
    android:versionName="1.0" >

    <uses-sdk android:minSdkVersion="7" />
    <uses-permission android:name="android.permission.INTERNET"/>

    <application
        android:icon="@drawable/ic_launcher"
        android:label="@string/app_name" >
        <activity
            android:name=".AndroidNetCommunicationClientActivity"
            android:label="@string/app_name" >
            <intent-filter>
                <action android:name="android.intent.action.MAIN" />

                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>
        </activity>
    </application>

</manifest>

The emulator acts as a separate device. Therefore, the IP address 127.0.0.1 is the loopback of that device and cannot be used for the communication with other applications running on the same computer as the emulator.

Instead of that you must use a real IP address of the computer or the emulator can use the special address 10.0.2.2 that is routed to 127.0.0.1 (loopback) on the computer. In my example, the Android emulator uses 10.0.2.2 and the .NET service is listening to 127.0.0.1.

  1. You must set INTERNET permission for your Android application!
  2. The IP address 127.0.0.1 (loopback) cannot be set on the Android emulator to communicate with the .NET application!

Android Client Application

The Android client is a very simple application allowing user to put some text message and send the request to the service to get back the length of the text. When the response message is received it must be marshalled to the UI thread to display the result. Also please do not forget to set android.permission.INTERNET.

The whole implementation is very simple with using the Eneter framework:

Java
package net.client;

import eneter.messaging.diagnostic.EneterTrace;
import eneter.messaging.endpoints.typedmessages.*;
import eneter.messaging.messagingsystems.messagingsystembase.*;
import eneter.messaging.messagingsystems.tcpmessagingsystem.TcpMessagingSystemFactory;
import eneter.net.system.EventHandler;
import android.app.Activity;
import android.os.Bundle;
import android.os.Handler;
import android.view.View;
import android.view.View.OnClickListener;
import android.widget.*;

public class AndroidNetCommunicationClientActivity extends Activity
{
    // Request message type
    // The message must have the same name as declared in the service.
    // Also, if the message is the inner class, then it must be static.
    public static class MyRequest
    {
        public String Text;
    }

    // Response message type
    // The message must have the same name as declared in the service.
    // Also, if the message is the inner class, then it must be static.
    public static class MyResponse
    {
        public int Length;
    }
    
    // UI controls
    private Handler myRefresh = new Handler();
    private EditText myMessageTextEditText;
    private EditText myResponseEditText;
    private Button mySendRequestBtn;
    
    
    // Sender sending MyRequest and as a response receiving MyResponse.
    private IDuplexTypedMessageSender<MyResponse, MyRequest> mySender;
    
    /** Called when the activity is first created. */
    @Override
    public void onCreate(Bundle savedInstanceState)
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
        
        // Get UI widgets.
        myMessageTextEditText = (EditText) findViewById(R.id.messageTextEditText);
        myResponseEditText = (EditText) findViewById(R.id.messageLengthEditText);
        mySendRequestBtn = (Button) findViewById(R.id.sendRequestBtn);
        
        // Subscribe to handle the button click.
        mySendRequestBtn.setOnClickListener(myOnSendRequestClickHandler);
        
        // Open the connection in another thread.
        // Note: From Android 3.1 (Honeycomb) or higher
        //       it is not possible to open TCP connection
        //       from the main thread.
        Thread anOpenConnectionThread = new Thread(new Runnable()
            {
                @Override
                public void run()
                {
                    try
                    {
                        openConnection();
                    }
                    catch (Exception err)
                    {
                        EneterTrace.error("Open connection failed.", err);
                    }
                }
            });
        anOpenConnectionThread.start();
    }
    
    @Override
    public void onDestroy()
    {
        // Stop listening to response messages.
        mySender.detachDuplexOutputChannel();
        
        super.onDestroy();
    } 
    
    private void openConnection() throws Exception
    {
        // Create sender sending MyRequest and as a response receiving MyResponse
        IDuplexTypedMessagesFactory aSenderFactory =
           new DuplexTypedMessagesFactory();
        mySender = aSenderFactory.createDuplexTypedMessageSender(MyResponse.class, MyRequest.class);
        
        // Subscribe to receive response messages.
        mySender.responseReceived().subscribe(myOnResponseHandler);
        
        // Create TCP messaging for the communication.
        // Note: 10.0.2.2 is a special alias to the loopback (127.0.0.1)
        //       on the development machine
        IMessagingSystemFactory aMessaging = new TcpMessagingSystemFactory();
        IDuplexOutputChannel anOutputChannel = 
           aMessaging.createDuplexOutputChannel("tcp://10.0.2.2:8060/");
        
        // Attach the output channel to the sender and be able to send
        // messages and receive responses.
        mySender.attachDuplexOutputChannel(anOutputChannel);
    }
    
    private void onSendRequest(View v)
    {
        // Create the request message.
        MyRequest aRequestMsg = new MyRequest();
        aRequestMsg.Text = myMessageTextEditText.getText().toString();
        
        // Send the request message.
        try
        {
            mySender.sendRequestMessage(aRequestMsg);
        }
        catch (Exception err)
        {
            EneterTrace.error("Sending the message failed.", err);
        }
    }
    
    private void onResponseReceived(Object sender, final TypedResponseReceivedEventArgs<MyResponse> e)
    {
        // Display the result - returned number of characters.
        // Note: Marshal displaying to the correct UI thread.
        myRefresh.post(new Runnable()
            {
                @Override
                public void run()
                {
                    myResponseEditText.setText(Integer.toString(e.getResponseMessage().Length));
                }
            });
    }
    
    private EventHandler<TypedResponseReceivedEventArgs<MyResponse>> myOnResponseHandler
            
         = new EventHandler<TypedResponseReceivedEventArgs<MyResponse>>()
    {
        @Override
        public void onEvent(Object sender,
                            TypedResponseReceivedEventArgs<MyResponse> e)
        {
            onResponseReceived(sender, e);
        }
    };
    
    private OnClickListener myOnSendRequestClickHandler = new OnClickListener()
    {
        @Override
        public void onClick(View v)
        {
            onSendRequest(v);
        }
    };
}

.NET Service Application

The .NET service is a simple console application listening to TCP and receiving requests to calculate the length of a given text.

The implementation of the service is very simple:

C#
using System;
using Eneter.Messaging.EndPoints.TypedMessages;
using Eneter.Messaging.MessagingSystems.MessagingSystemBase;
using Eneter.Messaging.MessagingSystems.TcpMessagingSystem;

namespace ServiceExample
{
    // Request message type
    public class MyRequest
    {
        public string Text { get; set; }
    }

    // Response message type
    public class MyResponse
    {
        public int Length { get; set; }
    }

    class Program
    {
        private static IDuplexTypedMessageReceiver<MyResponse, MyRequest> myReceiver;

        static void Main(string[] args)
        {
            // Create message receiver receiving 'MyRequest' and receiving 'MyResponse'.
            IDuplexTypedMessagesFactory aReceiverFactory = new DuplexTypedMessagesFactory();
            myReceiver = aReceiverFactory.CreateDuplexTypedMessageReceiver<MyResponse, MyRequest>();

            // Subscribe to handle messages.
            myReceiver.MessageReceived += OnMessageReceived;

            // Create TCP messaging.
            IMessagingSystemFactory aMessaging = new TcpMessagingSystemFactory();
            IDuplexInputChannel anInputChannel = 
               aMessaging.CreateDuplexInputChannel("tcp://127.0.0.1:8060/");

            // Attach the input channel and start to listen to messages.
            myReceiver.AttachDuplexInputChannel(anInputChannel);

            Console.WriteLine("The service is running. To stop press enter.");
            Console.ReadLine();

            // Detach the input channel and stop listening.
            // It releases the thread listening to messages.
            myReceiver.DetachDuplexInputChannel();
        }

        // It is called when a message is received.
        private static void OnMessageReceived(object sender, 
              TypedRequestReceivedEventArgs<MyRequest> e)
        {
            Console.WriteLine("Received: " + e.RequestMessage.Text);

            // Create the response message.
            MyResponse aResponse = new MyResponse();
            aResponse.Length = e.RequestMessage.Text.Length;

            // Send the response message back to the client.
            myReceiver.SendResponseMessage(e.ResponseReceiverId, aResponse);
        }
    }
}

And here are applications communicating together:

340714/AndroidCommunicatesWithNetUI.jpg

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect
Slovakia Slovakia
My programming path started in 1987 when I got my first computer Sharp MZ-800.
It came with 8 bit CPU Z80, 64Kb RAM and the tape recorder. It was a great machine. I think I still have it somewhere.
I was fascinated and I started to write first programs. Eventually I became developer and software architect. I like innovations and clean nice solutions.

Comments and Discussions

 
GeneralRe: Error: Pin
Ondrej_Uzovic30-Apr-12 7:34
Ondrej_Uzovic30-Apr-12 7:34 
GeneralRe: Error: Pin
mitnick9022-May-12 12:22
mitnick9022-May-12 12:22 
AnswerRe: Error: Pin
Ondrej_Uzovic30-Apr-12 7:39
Ondrej_Uzovic30-Apr-12 7:39 
AnswerRe: Error: Pin
Member 896983911-Jul-12 6:47
Member 896983911-Jul-12 6:47 
GeneralRe: Error: Pin
Ondrej_Uzovic11-Jul-12 8:53
Ondrej_Uzovic11-Jul-12 8:53 
Questionexample Project SimpleTcp Pin
roberto.reff12-Apr-12 5:39
roberto.reff12-Apr-12 5:39 
AnswerRe: example Project SimpleTcp Pin
Ondrej_Uzovic13-Apr-12 3:54
Ondrej_Uzovic13-Apr-12 3:54 
GeneralRe: example Project SimpleTcp Pin
roberto.reff13-Apr-12 10:26
roberto.reff13-Apr-12 10:26 
Hi Ondrej.


Ok. I will check this ans think about.

Will come back later, sure with some new questions Wink | ;-)


Regards
Roberto
QuestionReal situation Pin
jirkaM15-Mar-12 0:40
jirkaM15-Mar-12 0:40 
AnswerRe: Real situation Pin
Ondrej_Uzovic16-Mar-12 21:48
Ondrej_Uzovic16-Mar-12 21:48 
QuestionRe: Real situation Pin
dragpre21-Aug-12 2:21
dragpre21-Aug-12 2:21 
AnswerRe: Real situation Pin
Ondrej_Uzovic21-Aug-12 10:53
Ondrej_Uzovic21-Aug-12 10:53 
QuestionAndroid Sync'd to PC apps and viceversa Pin
chaq6868-Mar-12 10:03
professionalchaq6868-Mar-12 10:03 
AnswerRe: Android Sync'd to PC apps and viceversa Pin
Ondrej_Uzovic8-Mar-12 10:45
Ondrej_Uzovic8-Mar-12 10:45 
GeneralRe: Android Sync'd to PC apps and viceversa Pin
chaq6869-Mar-12 13:14
professionalchaq6869-Mar-12 13:14 
GeneralRe: Android Sync'd to PC apps and viceversa Pin
Ondrej_Uzovic16-Mar-12 21:55
Ondrej_Uzovic16-Mar-12 21:55 
Questionwake locks and stuff... Pin
Selvin5-Mar-12 21:30
Selvin5-Mar-12 21:30 
AnswerRe: wake locks and stuff... Pin
Ondrej_Uzovic6-Mar-12 10:08
Ondrej_Uzovic6-Mar-12 10:08 
Questionlicense Pin
smalltide5-Mar-12 16:57
smalltide5-Mar-12 16:57 
AnswerRe: license Pin
Ondrej_Uzovic5-Mar-12 20:46
Ondrej_Uzovic5-Mar-12 20:46 
QuestionQuestion Pin
Patrick Harris5-Mar-12 16:36
Patrick Harris5-Mar-12 16:36 
AnswerRe: Question Pin
Ondrej_Uzovic5-Mar-12 20:39
Ondrej_Uzovic5-Mar-12 20:39 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.