Click here to Skip to main content
15,867,308 members
Articles / Mobile Apps / Android

App Inventor communicating with WCF Service using TinyWebDb interface

Rate me:
Please Sign up or sign in to vote.
5.00/5 (5 votes)
2 Sep 2014CPOL4 min read 31.4K   196   14   2
Implement TinyWebDb interface on WCF Service to communicate with Android application developed with App Inventor

Introduction

MIT App Inventor (previously known as Google App Inventor) is a RAD tool for developing Android applications. It has many useful features, but it has very limited support of web service communications.

Android applications developed with App Inventor can only communicate with web service using TinyWebDb interface. Basically, TinyWebDb is an interface for simple web-based key-value database with only 2 methods: StoreValue(tag, value) and GetValue(tag).

The following article describes the implementation of TinyWebDb interface using WCF service, which allows communication between Android application and .Net code.

Background

WCF (Windows Communications Foundation) is a technology created by Microsoft in the .NET Framework for building connected, service-oriented applications. For introduction into creating web services using WCF, please use this article: A Beginner's Tutorial for Understanding Windows Communication Foundation (WCF)

App Inventor is a very simple web-based tool for visual programming for Android, which doesn’t require any Java skills or Android application lifecycle knowledge. For introduction into App Inventor, please use this article: Google App Inventor

TinyWebDb API

TinyWebDb if a RESTful interface, which means it uses basic HTTP requests like GET or POST (alternatively to more complex protocols like SOAP or CORBA, where protocol-specific request formats are used).

There are 2 methods in TinyWebDb interface: StoreValue and GetValue.

StoreValue is called with HTTP POST request with 2 text parameters “tag” and “value”.

URL: {ServiceURL}/storeavalue

Request format is XML with content type “application/x-www-form-urlencoded”. This is a default value for WCF service, so it shouldn’t be specifically stated in the method definition.

Response format is JSON: ["STORED", "{tag}", {value}], i.e. ["STORED", "testValue", "\"Hello World!\""]

GetValue is called with HTTP POST request with 1 text parameter “tag”.

URL: {ServiceURL}/getvalue

Just like with StoreValue, request format is XML with default content type.

Response format is JSON: ["VALUE","{tag}", {value}], i.e. ["VALUE", "testValue", "\"Hello World!\""]

Implementing TinyWebDb API in WCF Service

  1. Open VS 2010. Select new Project, then select WCF -> WCF Service Application.
  2. Right click the project, select Add->New item->WCF Service. 2 files will be added: Interface (starts with I, ends with .cs, i.e. IMyService.sc) and service (ends with .svc, i.e. MyService.svc).
  3. Open interface file. Here we need to define operation contracts for methods StoreValue and GetValue. Following code does the trick:
C#
[ServiceContract]
public interface IMyService
{
    [OperationContract(Name = "getvalue")]
    [WebInvoke(Method = "POST",
        ResponseFormat = WebMessageFormat.Json,
     UriTemplate = "getvalue")]
    string[] getvalue(Stream data);

    [OperationContract(Name = "storeavalue")]
    [WebInvoke(Method = "POST",
        ResponseFormat = WebMessageFormat.Json,
     UriTemplate = "storeavalue")]
    string[] storeavalue(Stream data);

}

Here we explicitly specify HTTP request type (POST in both cases), response format (JSON), and returning type (array of string, which will be automatically converted to JSON format [“string1”, “string2”,…]).

  1. Open service file, and implement the interface described above. For the sake of simplicity, I hard-coded returned values. In real life, some meaningful business logic has to be implemented inside these 2 procedures:
C#
public class MyService : IMyService
    {
        
        public string[] getvalue(Stream data)
        {
            StreamReader sr = new StreamReader(data);
            string stringData = sr.ReadToEnd();

            string tag = stringData.Substring(4);

            string[] resultStringArray = new string[3];
            resultStringArray[0] = "VALUE";
            resultStringArray[1] = "testValue";
            resultStringArray[2] = "Hello World!";

            return resultStringArray;
        }

        public string[] storeavalue(Stream data)
        {
            StreamReader sr = new StreamReader(data);
            string stringData = sr.ReadToEnd();

            string tag = stringData.Substring(4, stringData.IndexOf("&value=") - 4);
            string value = stringData.Substring(stringData.IndexOf("&value=") + 7);

            string[] resultStringArray = new string[3];
            resultStringArray[0] = "STORED";
            resultStringArray[1] = "testValue";
            resultStringArray[2] = "Hello World!";
            return resultStringArray;
        }

    }
  1. Open Web.config file, and apply some changes necessary for RESTful JSON to work. It means we need to define webHttpBinding & mexHttpBinding, and define httpGetEnabled="true" for service and webHttp for endpoint:
XML
<?xml version="1.0"?>
<configuration>

  <system.web>
    <compilation debug="true" targetFramework="4.0" />
  </system.web>
  <system.serviceModel>
    <behaviors>
      <serviceBehaviors>
        <behavior name="myServiceBehavior" >
          <serviceMetadata httpGetEnabled="true"/>
          <serviceDebug includeExceptionDetailInFaults="false" />
        </behavior>
        <behavior>
          <!-- To avoid disclosing metadata information, 
        set the value below to false and remove the metadata endpoint 
        above before deployment -->
          <serviceMetadata httpGetEnabled="true"/>
          <!-- To receive exception details in faults for debugging purposes, 
        set the value below to true. Set to false before deployment 
        to avoid disclosing exception information -->
          <serviceDebug includeExceptionDetailInFaults="false"/>
        </behavior>
      </serviceBehaviors>
      <endpointBehaviors>
        <behavior name="webHttp">
          <webHttp/>
        </behavior>
      </endpointBehaviors>
    </behaviors>
    <services>
      <service name="WcfRestBased.MyService"
    behaviorConfiguration="myServiceBehavior" >
        <endpoint name="webHttpBinding"
                  address="" binding="webHttpBinding"
                  contract="WcfRestBased.IMyService"
                  behaviorConfiguration="webHttp"
                  >
        </endpoint>
        <endpoint name="mexHttpBinding"
                  address="mex"
                  binding="mexHttpBinding"
                  contract="IMetadataExchange"
                  />
      </service>
    </services>
    <serviceHostingEnvironment multipleSiteBindingsEnabled="true" />
  </system.serviceModel>
 <system.webServer>
    <modules runAllManagedModulesForAllRequests="true"/>
  </system.webServer>
  
</configuration>

In order to specify correct Service Name, right click the service & select ViewMarkup option.

Now build the project and deploy it to host. If you are going to use local Wi-Fi to access the web server, you can use localhost IIS hosting, like described here: A Beginner's Tutorial on How to Host a WCF Service (IIS Hosting and Self Hosting)

Accessing WCF Service from App Inventor application

  1. Go to http://appinventor.mit.edu/, click “Create” to create new project. You will be prompted to sign up if it is your first visit to App Inventor. You will see an empty project like this:

  1. Drag 2 labels and 2 buttons to the screen

  1. Open “Storage” category in Palette, drag “TinyWebDb” component to the screen. It will be added to “Non-visible components” list
  2. In properties of TinyWebDb component, change ServiceURL to the address of your newly created service, i.e. http://192.168.1.38/MyService.svc If you don’t know the IP address of your computer, click Start, type “cmd” in search textbox, and type “ipconfig”.
  3. Click “Blocks” button in top right corner of App Inventor editor. This will open your project code. Drag code components from the “Blocks” category until your application looks like this:

Now you need to test your application on real Android device.

  1. First, install application “MIT AI2 Companion” from Google Play store to your Android device.
  2. Next, on your project page in App Inventor, click “Connect”->”AI companion”. Connect your Android device to your project using QR code or text code shown on screen
  3. When your newly created application opens on Android device, click “Store value” and “Get value” buttons. You should see that the application received response from web server

Conclusion

This simple example demonstrates, how to connect Android application to WCF service. Once connected, we can implement any custom logic we want: create a chat, request and send values from database, and so on. With this technique, you can turn Android device into remote controller for virtually any .Net application of your choice.

Credits

Following articles and blog posts provided valuable insights:

A Beginner's Tutorial on How to Host a WCF Service (IIS Hosting and Self Hosting)

Developing WCF Restful Services with GET and POST Methods

A Beginner's Tutorial for Understanding Windows Communication Foundation (WCF)

Google App Inventor

TinyWebDB PHP Web Service

License

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


Written By
Belarus Belarus
T-SQL developer, SSIS developer, C# developer. Have experience in .Net development, minor experience in web development (ASP.NET, Sharepoint).
Microsoft certification in MS SQL Server 2008 development.
Most recent experience with MS SQL Server 2012, SSIS 2012.

Comments and Discussions

 
QuestionGreat Job!!! Pin
mcontrerasg29-Dec-18 11:18
mcontrerasg29-Dec-18 11:18 
GeneralThanks for the entry! Pin
Kevin Priddle24-Sep-14 8:11
professionalKevin Priddle24-Sep-14 8:11 

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.