Skip to main content

Access MySQL from Android through RESTful Web Service

https://www.javahelps.com/2018/12/access-mysql-from-android-through.html

Finally, I found some time to write about accessing MySQL or any database that you can think about from an Android application. Android offers a built-in database known as SQLite which is supposed to be used for local data storage. For example, if you want to store your recent transactions locally in the device, you have to go with SQLite. I have already written a few articles on how to use SQLite database in Android. However, enterprise mobile applications often depend on client/server databases such as MySQL, Oracle DB or MongoDB. Whatever the database, you have chosen, the way to access them from an Android application is pretty same. In this article, I explain how to access a MySQL database from an Android application written in Kotlin.

I will use Kotlin for all upcoming Android tutorials because it is the future of Android programming. Kotlin is a JVM based language and you can easily convert a Kotlin project into Java and vice versa.

An Android application is not supposed to directly access a database deployed in a server. I do not recommend implementing JDBC connections in an Android application due to the tight coupling introduced between the application and the database. The industrial best practice requires you to implement a web service between the database and the Android application. Having a web service layer reduces the complexity of the Android application and also reduces the dependency on database specific operations. Therefore, the problem of accessing a client/server database like MySQL from an Android application can be defined as the problem of consuming a web service hosted somewhere.

Having said that, as an Android developer, you don't need to care about what is behind the web service. It may be a MySQL database, MongoDB database, a Social Media network or even a Weather Network API. What you need is the API endpoints exposed by the web service. In this article, I only explain how to connect to a web service hosted on your local machine from an Android application. However, the sample web service used in this article provides API endpoints to CRUD operations on a MySQL database. Please follow the RESTful CRUD With Java and MySQL in Minutes article and develop the web service to access a MySQL database. In the following section, you will learn how to access the web service you have created for accessing a database.
 
Step 1:
I am repeating again! Follow the RESTful CRUD With Java and MySQL in Minutes article and start the web service you have developed. Please make sure that your web service is up and running as expected using Postman.

As you can see in Step 12 of the above article, this web service offers the following API endpoints:
HTTP MethodURLInputDescription
POSThttp://localhost:8080/usersapplication/json
{
 "username": "admin",
 "password": "password",
 "name": "Gobinath",
 "email": "admin@javahelps.com"
}
Create a new user admin
GEThttp://localhost:8080/usersN/ARead all users
GEThttp://localhost:8080/users/adminPath parameter (Note the URL ending with admin)Read the user with username 'admin'
PUThttp://localhost:8080/users/adminPath parameter (Note the URL ending with admin)
application/json
{
 "username": "admin",
 "password": "admin",
 "name": "Gobinath",
 "email": "newemail@gmail.com"
}
Update the user admin
DELETEhttp://localhost:8080/users/adminPath parameter (Note the URL ending with admin)Delete the user with username 'admin'
In the following steps, we will develop an Android application in Kotlin to access these endpoints using Retrofit HTTP Clientand ReactiveX Asynchronous Library.

Step 2:
Create an Android application with an Empty Activity. Use the application name: "User Management" and the company domain: com.javahelps. Do not forget to check "Include Kotlin support".

Step 3:
As I mentioned in Step 1, we depend on some external libraries in order to access the web service. Add these dependencies to your app.gradle file.
implementation 'com.squareup.retrofit2:retrofit:2.5.0'
implementation 'com.squareup.retrofit2:converter-gson:2.5.0'
implementation 'com.squareup.retrofit2:adapter-rxjava2:2.5.0'
implementation 'io.reactivex.rxjava2:rxandroid:2.1.0'
The app.gradle file should look like the following after the changes. Once you have made the changes, Sync the Project with Gradle Files.
apply plugin: 'com.android.application'

apply plugin: 'kotlin-android'

apply plugin: 'kotlin-android-extensions'

android {
    compileSdkVersion 28
    defaultConfig {
        applicationId "com.javahelps.usermanagement"
        minSdkVersion 15
        targetSdkVersion 28
        versionCode 1
        versionName "1.0"
        testInstrumentationRunner "android.support.test.runner.AndroidJUnitRunner"
    }
    buildTypes {
        release {
            minifyEnabled false
            proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
        }
    }
}

dependencies {
    implementation fileTree(dir: 'libs', include: ['*.jar'])
    implementation "org.jetbrains.kotlin:kotlin-stdlib-jdk7:$kotlin_version"
    implementation 'com.android.support:appcompat-v7:28.0.0'
    implementation 'com.android.support.constraint:constraint-layout:1.1.3'
    implementation 'com.squareup.retrofit2:retrofit:2.5.0'
    implementation 'com.squareup.retrofit2:converter-gson:2.5.0'
    implementation 'com.squareup.retrofit2:adapter-rxjava2:2.5.0'
    implementation 'io.reactivex.rxjava2:rxandroid:2.1.0'
    testImplementation 'junit:junit:4.12'
    androidTestImplementation 'com.android.support.test:runner:1.0.2'
    androidTestImplementation 'com.android.support.test.espresso:espresso-core:3.0.2'
}

Step 4:
We are developing an application to access web services through the Internet. Therefore, we need android.permission.INTERNETpermission to be added to the AndroidManifest.xml file. The AndroidManifest.xml file should look like the following code after the modification.
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
          package="com.javahelps.usermanagement">

    <application
            android:allowBackup="true"
            android:icon="@mipmap/ic_launcher"
            android:label="@string/app_name"
            android:roundIcon="@mipmap/ic_launcher_round"
            android:supportsRtl="true"
            android:theme="@style/AppTheme">
        <activity android:name=".MainActivity">
            <intent-filter>
                <action android:name="android.intent.action.MAIN"/>

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

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

</manifest>

Step 5:
Open the activity_main.xml file and modify the content as given below. The following code creates four text fields for Username, Password, Name, and Email address along with four buttons to Create, Read, Update and Delete users. You will get error notifications under every android:onClick="deleteUser" statements. It will be gone once we create those methods in MainActivity.kt.
<?xml version="1.0" encoding="utf-8"?>
<android.support.constraint.ConstraintLayout
        xmlns:android="http://schemas.android.com/apk/res/android"
        xmlns:tools="http://schemas.android.com/tools"
        xmlns:app="http://schemas.android.com/apk/res-auto"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        tools:context=".MainActivity">

    <TableLayout
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:layout_margin="5dp"
            app:layout_constraintTop_toTopOf="parent">

        <TableRow
                android:layout_width="match_parent"
                android:layout_height="match_parent">

            <TextView
                    android:text="Username"
                    android:layout_width="0dp"
                    android:layout_weight="1"
                    android:layout_height="wrap_content"
                    android:id="@+id/txtUsername"/>

            <EditText
                    android:layout_width="0dp"
                    android:layout_weight="3"
                    android:layout_height="wrap_content"
                    android:hint="Username"
                    android:textAllCaps="false"
                    android:ems="10"
                    android:id="@+id/etUsername"/>
        </TableRow>

        <TableRow
                android:layout_width="match_parent"
                android:layout_height="match_parent">

            <TextView
                    android:text="Password"
                    android:layout_width="0dp"
                    android:layout_weight="1"
                    android:layout_height="wrap_content"
                    android:id="@+id/txtPassword"/>

            <EditText
                    android:layout_width="0dp"
                    android:layout_weight="3"
                    android:layout_height="wrap_content"
                    android:inputType="textPassword"
                    android:ems="10"
                    android:hint="Password"
                    android:id="@+id/etPassword"/>
        </TableRow>

        <TableRow
                android:layout_width="match_parent"
                android:layout_height="match_parent">

            <TextView
                    android:text="Name"
                    android:layout_width="0dp"
                    android:layout_weight="1"
                    android:layout_height="wrap_content"
                    android:id="@+id/txtName"/>

            <EditText
                    android:layout_width="0dp"
                    android:layout_weight="3"
                    android:layout_height="wrap_content"
                    android:inputType="textPersonName"
                    android:hint="Name"
                    android:ems="10"
                    android:id="@+id/etName"/>
        </TableRow>

        <TableRow
                android:layout_width="match_parent"
                android:layout_height="match_parent">

            <TextView
                    android:text="Email"
                    android:layout_width="0dp"
                    android:hint="Email"
                    android:layout_weight="1"
                    android:layout_height="wrap_content"
                    android:id="@+id/txtEmail"/>

            <EditText
                    android:layout_width="0dp"
                    android:layout_weight="3"
                    android:layout_height="wrap_content"
                    android:inputType="textEmailAddress"
                    android:ems="10"
                    android:id="@+id/etEmail"/>
        </TableRow>
    </TableLayout>

    <LinearLayout
            android:layout_width="match_parent"
            android:layout_margin="5dp"
            app:layout_constraintBottom_toBottomOf="parent"
            android:layout_height="wrap_content">

        <Button
                android:text="Create"
                android:layout_width="0dp"
                android:layout_weight="1"
                android:layout_height="wrap_content"
                android:onClick="createUser"
                android:id="@+id/btnCreate"/>

        <Button
                android:text="Read"
                android:layout_width="0dp"
                android:layout_weight="1"
                android:layout_height="wrap_content"
                android:onClick="readUser"
                android:id="@+id/btnRead"/>

        <Button
                android:text="Update"
                android:layout_width="0dp"
                android:layout_weight="1"
                android:layout_height="wrap_content"
                android:onClick="updateUser"
                android:id="@+id/btnUpdate"/>

        <Button
                android:text="Delete"
                android:layout_width="0dp"
                android:layout_weight="1"
                android:layout_height="wrap_content"
                android:onClick="deleteUser"
                android:id="@+id/btnDelete"/>
    </LinearLayout>
</android.support.constraint.ConstraintLayout>

Access MySQL from Android through RESTful Web Service

Step 6:
Create a new package service under the com.javahelps.usermanagement package.

Step 7:
Create a new Object named Model inside the com.javahelps.usermanagement.service package with the following code:
package com.javahelps.usermanagement.service

object Model {
    data class User(val username: String, val password: String, val name: String, val email: String)
}
The Model object has a data class User which is equivalent to the Plain Old Java Object (POJO) class User. Thanks to Kotlin for creating all those getter and setter methods. Attributes of the User class must match with the JSON properties expected in the web service API (See the table in Step 1).

Step 8:
Create UserService.kt interface in the same package with the following code:
package com.javahelps.usermanagement.service

import com.javahelps.usermanagement.service.Model.User
import io.reactivex.Observable
import retrofit2.Response
import retrofit2.http.*

interface UserService {

    @POST("users")
    fun create(@Body user: User): Observable<User>

    @GET("users/{username}")
    fun read(@Path("username") username: String): Observable<User>

    @PUT("users/{username}")
    fun update(@Path("username") username: String, @Body user: User): Observable<User>

    @DELETE("users/{username}")
    fun delete(@Path("username") username: String): Observable<Response<Void>>
}
This interface is the boilerplate for the HTTP Client implementation. As you can see, we have created four methods and annotated them using HTTP method names. The HTTP method annotation, URL passed as annotation value, and method parameters along with their annotation should match with the web service API. For example, in the Step 1 Table, we have a POST HTTP method at http://localhost:8080/users to create new users which expects a JSON User object in the body of an HTTP request. Ignoring the base URL (http://localhost:8080/), we have defined a function create annotated to be a POST method pointing to the URL "users" along with a body User. Converting a User object into JSON format is handled by the Retrofit library. If the new User is successfully created in the database, the web service will return the same User back to the caller. We want to receive it asynchronously using ReactiveX Observable object. Similarly, compare other functions with the web service API provided in Step 1.

Step 9:
Create ServiceFactory.kt class in the same package. If you followed the Step 13 in the RESTful CRUD With Java and MySQL in Minutes article and implemented the Basic authentication, modify the class as given below.
package com.javahelps.usermanagement.service

import okhttp3.Credentials
import okhttp3.Interceptor
import okhttp3.OkHttpClient
import retrofit2.Retrofit
import retrofit2.adapter.rxjava2.RxJava2CallAdapterFactory
import retrofit2.converter.gson.GsonConverterFactory


class ServiceFactory private constructor(private val retrofit: Retrofit) {

    companion object {
        @Volatile
        private var INSTANCE: ServiceFactory? = null

        /**
         * Returns a singleton ServiceFactory.
         */
        fun getInstance(baseUrl: String, username: String, password: String): ServiceFactory =
            INSTANCE ?: synchronized(this) {

                INSTANCE ?: build(baseUrl, username, password).also { INSTANCE = it }
            }

        /**
         * Build a ServiceFactory object.
         */
        private fun build(baseUrl: String, username: String, password: String): ServiceFactory {
            // Required only if using Basic authentication
            val clientBuilder = OkHttpClient.Builder()
            val headerAuthorizationInterceptor = Interceptor { chain ->
                var request = chain.request()
                val headers = request.headers()
                    .newBuilder()
                    .add("Authorization", Credentials.basic(username, password))
                    .build()
                request = request.newBuilder().headers(headers).build()
                chain.proceed(request)
            }
            val okHttpClient = clientBuilder.addInterceptor(headerAuthorizationInterceptor)
                .build()

            // Create a Retrofit object `.client(okHttpClient)` is required only if using Basic authentication
            val retrofit = Retrofit.Builder()
                .client(okHttpClient)
                .addCallAdapterFactory(RxJava2CallAdapterFactory.create())
                .addConverterFactory(GsonConverterFactory.create())
                .baseUrl(baseUrl)
                .build()
            return ServiceFactory(retrofit)
        }

    }

    /**
     * Return the given service object.
     */
    fun <T> build(service: Class<T>): T {
        return retrofit.create(service)
    }
}
If you stopped with Step 12, you don't need the authentication part in the above code. Therefore, you code to consume a web service without authentication should look like this.
package com.javahelps.usermanagement.service

import retrofit2.Retrofit
import retrofit2.adapter.rxjava2.RxJava2CallAdapterFactory
import retrofit2.converter.gson.GsonConverterFactory


class ServiceFactory private constructor(private val retrofit: Retrofit) {

    companion object {
        @Volatile
        private var INSTANCE: ServiceFactory? = null

        /**
         * Returns a singleton ServiceFactory.
         */
        fun getInstance(baseUrl: String): ServiceFactory =
            INSTANCE ?: synchronized(this) {

                INSTANCE ?: build(baseUrl).also { INSTANCE = it }
            }

        /**
         * Build a ServiceFactory object.
         */
        private fun build(baseUrl: String): ServiceFactory {
            val retrofit = Retrofit.Builder()
                .addCallAdapterFactory(RxJava2CallAdapterFactory.create())
                .addConverterFactory(GsonConverterFactory.create())
                .baseUrl(baseUrl)
                .build()
            return ServiceFactory(retrofit)
        }

    }

    /**
     * Return the given service object.
     */
    fun <T> build(service: Class<T>): T {
        return retrofit.create(service)
    }
}
In this code, we create a Singleton class ServiceFactory using combined object feature of Kotlin. The Retrofit builder requires the base URL (to build the complete URL. Note that we didn't provide the complete URL in Step 8), Converter Factory (to convert Objects to JSON and vice versa), and the Call Adapter Factory (to execute HTTP request asynchronously). The OkHttpClient built in the first code segment is required only if you are using the Basic Authentication to access the service. As you can see, the Interceptor object is used to intercept an outgoing request and to inject "Authorization" HTTP header into the request.

The build method is used to build a service client using the interface we created in Step 8. I created such a generic method assuming we may have several service interfaces. However, we will call this method only once with the UserService class in the next step.

Step 10:
Create a service reference in the MainActivity.kt class and lazily initialize it as shown below. Also, create the disposable variable which we will use later.
package com.javahelps.usermanagement

import android.os.Bundle
import android.support.v7.app.AppCompatActivity
import com.javahelps.usermanagement.service.ServiceFactory
import com.javahelps.usermanagement.service.UserService
import io.reactivex.disposables.Disposable


class MainActivity : AppCompatActivity() {

    private val service by lazy {
        val factory = ServiceFactory.getInstance("http://10.0.2.2:8080", "admin", "admin")
        factory.build(UserService::class.java)
    }
    private var disposable: Disposable? = null

    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        setContentView(R.layout.activity_main)
    }
}
In the above code, I am using the IP address 10.0.2.2 assuming that the web service is running on your computer and you test this application in an emulator running on the same machine. If you are testing this application using an actual Android device, connect both your mobile device and the computer to the same WiFi which does not prevent inter-device communication (some public WiFi hosts do not allow inter-device communication) and change the IP address to the IP address of your computer (You can use ipconfig or ifconfig command to get the IP address). If you do not use Basic Authentication, username and password "admin", "admin" are not necessary for the getInstance method.

Step 11:
We are almost set. Now we need to create Button click event handlers for all the buttons we have created in Step 5. First of all, create a helper function named showResult as given below to display a given message in Toast:
private fun showResult(message: String) {
    Toast.makeText(this, message, Toast.LENGTH_SHORT).show()
}
Create the first method readUser as given below:
fun readUser(view: View) {
    val username = etUsername.text.toString()

    this.disposable = this.service.read(username)
        .subscribeOn(Schedulers.io())
        .observeOn(AndroidSchedulers.mainThread())
        .subscribe({ user ->
            run {
                etUsername.setText(user.username)
                etPassword.setText(user.password)
                etName.setText(user.name)
                etEmail.setText(user.email)
            }
        },
            { showResult("Failed to read the user $username") })
}
Above function reads the username from etUsername and call the service.read method. Since the read method returns a ReactiveX Observable object, we ask to run it asynchronously using IO threads (.subscribeOn(Schedulers.io())) and to show the response using Android Main thread (.observeOn(AndroidSchedulers.mainThread())). If we get the result, we show it to the user. If we get an error, we show a message to the user.

Similarly, create the createUser function, updateUser function, and deleteUser function as given below.
fun createUser(view: View) {
    // Construct a user object
    val user = Model.User(
        etUsername.text.toString(),
        etPassword.text.toString(),
        etName.text.toString(),
        etEmail.text.toString()
    )

    this.disposable = this.service.create(user)
        .subscribeOn(Schedulers.io())
        .observeOn(AndroidSchedulers.mainThread())
        .subscribe({ showResult("Successfully created the new user ${user.username}") },
            { showResult("Failed to create the new user!") })
}
fun updateUser(view: View) {
    val username = etUsername.text.toString()

    // Construct a user object
    val user = Model.User(
        etUsername.text.toString(),
        etPassword.text.toString(),
        etName.text.toString(),
        etEmail.text.toString()
    )

    this.disposable = this.service.update(username, user)
        .subscribeOn(Schedulers.io())
        .observeOn(AndroidSchedulers.mainThread())
        .subscribe({ showResult("Successfully updated the user $username") },
            { showResult("Failed to update the user $username") })
}
fun deleteUser(view: View) {
    val username = etUsername.text.toString()

    // Prevent from accidentally deleting the admin user
    if ("admin" == username) {
        showResult("Cannot delete admin!")
        return
    }

    this.disposable = this.service.delete(username)
        .subscribeOn(Schedulers.io())
        .observeOn(AndroidSchedulers.mainThread())
        .subscribe({ showResult("Successfully deleted the user $username") },
            { showResult("Failed to delete the user $username") })
}
Please note that I didn't validate any user input to keep the code easy to understand which is not a best practice. In an actual project, you must validate every user input before sending them to a web service. In the deleteUser method, I have an if condition to prevent accidentally deleting admin user. It should be actually handled in the web service.

Step 12:
You may have noticed that all our CRUD functions in Step 11, assign their last statement to the disposable variable. Note that we call the service asynchronously in a fire and forget manner. The user may exit the application immediately after clicking a button. In such a scenario, we should stop waiting for the result. Therefore, override the onPause function and call the disposable.dispose function.
override fun onPause() {
    super.onPause()
    disposable?.dispose()
}
After all these changes, your final MainActivity.kt should look like this:
package com.javahelps.usermanagement

import android.os.Bundle
import android.support.v7.app.AppCompatActivity
import android.view.View
import android.widget.Toast
import com.javahelps.usermanagement.service.Model
import com.javahelps.usermanagement.service.ServiceFactory
import com.javahelps.usermanagement.service.UserService
import io.reactivex.android.schedulers.AndroidSchedulers
import io.reactivex.disposables.Disposable
import io.reactivex.schedulers.Schedulers
import kotlinx.android.synthetic.main.activity_main.*


class MainActivity : AppCompatActivity() {

    private val service by lazy {
        val factory = ServiceFactory.getInstance("http://10.0.2.2:8080", "admin", "admin")
        factory.build(UserService::class.java)
    }
    private var disposable: Disposable? = null

    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        setContentView(R.layout.activity_main)
    }

    fun createUser(view: View) {
        // Construct a user object
        val user = Model.User(
            etUsername.text.toString(),
            etPassword.text.toString(),
            etName.text.toString(),
            etEmail.text.toString()
        )

        this.disposable = this.service.create(user)
            .subscribeOn(Schedulers.io())
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe({ showResult("Successfully created the new user ${user.username}") },
                { showResult("Failed to create the new user!") })
    }

    fun readUser(view: View) {
        val username = etUsername.text.toString()

        this.disposable = this.service.read(username)
            .subscribeOn(Schedulers.io())
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe({ user ->
                run {
                    etUsername.setText(user.username)
                    etPassword.setText(user.password)
                    etName.setText(user.name)
                    etEmail.setText(user.email)
                }
            },
                { showResult("Failed to read the user $username") })
    }

    fun updateUser(view: View) {
        val username = etUsername.text.toString()

        // Construct a user object
        val user = Model.User(
            etUsername.text.toString(),
            etPassword.text.toString(),
            etName.text.toString(),
            etEmail.text.toString()
        )

        this.disposable = this.service.update(username, user)
            .subscribeOn(Schedulers.io())
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe({ showResult("Successfully updated the user $username") },
                { showResult("Failed to update the user $username") })
    }

    fun deleteUser(view: View) {
        val username = etUsername.text.toString()

        // Prevent from accidentally deleting the admin user
        if ("admin" == username) {
            showResult("Cannot delete admin!")
            return
        }

        this.disposable = this.service.delete(username)
            .subscribeOn(Schedulers.io())
            .observeOn(AndroidSchedulers.mainThread())
            .subscribe({ showResult("Successfully deleted the user $username") },
                { showResult("Failed to delete the user $username") })
    }

    private fun showResult(message: String) {
        Toast.makeText(this, message, Toast.LENGTH_SHORT).show()
    }

    override fun onPause() {
        super.onPause()
        disposable?.dispose()
    }
}

Access MySQL from Android through RESTful Web Service

Step 13:
Time to test your application! Save all changes; Make sure that the web service is up and running; Run the Android application. Once your application is running, enter the username admin and try to read the complete user information.

Access MySQL from Android through RESTful Web Service

If everything works as expected, congratulations! You have successfully accessed a MySQL database through a REST web service. You can apply the same logic for any web service access from an Android application. If you have any issues, feel free to comment below.

Find the project @ Git Hub.

Comments

Popular posts from this blog

web2apk

http://web2apk.com/create.aspx Create App   Intro   About   Changes   MalWare ?   Contact   Privacy Useful Links Bluetooth Mini Keyboards Android Mini PC Reset Android URL App Title Icon or

how to retrieve image from sqlite database in android and display in listview

 Android platform provides several ways to store data in our application. 1. SQLite database 2. SharedPreferences etc For our post, we will only work with SQLite database. First and foremost, we need to understand what an SQLite database is? SQLite database  is an open source SQL database that stores data to a text file on a device. It executes SQL Commands to perform a set of functions, that is, create, read, update and delete operations. On my previous post, I showed how to  store data in SQLite database from edit text, retrieve and populate it in a listview . For this post, I will show the SQLite CRUD operations with images from gallery and text from EditText. We need to understand this; images are stored in SQLite database as BLOB data type. A BLOB is a large binary object that can hold a variable amount of data.  Note, we can only store images in the database as BLOB data type. We need to convert our image path to a bitmap then to bytes. Also

Android Bar Chart Using MpAndroidChart Library Tutorial

https://www.numetriclabz.com/android-bar-chart-using-mpandroidchart-library-tutorial/ Android Bar Chart Using MpAndroidChart Library Tutorial Objective In this tutorial we learn how to implement Bar Chart using MpAndroidChart Library in your Android App. Download Source Code       Step 1 Contents ·        1  Introduction ·        2  Creating Bar chart o    2.1  Create a new Project o    2.2  Adding library in Project o    2.3  Create Layout o    2.4  To Plot Bar Chart §   2.4.1  Initialize the graph id §   2.4.2  Creating a Dataset §   2.4.3  Defining X-axis labels §   2.4.4  Set the data §   2.4.5  Add the description to the chart §   2.4.6  Run your App §   2.4.7  Set the color §   2.4.8  Adding Animations o    2.5  To plot grouped bar chart §   2.5.1  Creating Dataset o    2.6  Get the best of Android plus exclusive deals and freebies in your inbox!