• facebook
  • twitter
  • google+
  • pinterest
  • rss

Thursday, June 5, 2014

Android Background Service, IntentService Example

Android IntentService sample img
In this post I'll try to make a simple android app that uses an IntentService to execute a task in the background, the UI thread call the IntentService and then give it a task to be executed in the background service. When the task is complete, the IntentService (Background Service) will send the result back to the caller (UI thread).

What exactly IntentService is? check this link to find out more about IntentService and Service in Android.

In this sample app I used the IntentService to perform a reading operation in the background Service. First, user will choose a text file from the android storages, and then the file will be sent to the IntentService to be read (reading operation is executed in the background service). When the task or operation is complete, the content of the file will be shown as a final result through a TextView on UI thread and the IntentService will stop itself.

The sample app was built using eclipse, java 1.7, and can run on Android 2.1 Eclair (API 7) - Android 4.4 KitKat (API 19).


Note:
  • > The sample app uses a support library (android-support-v7-appcompat), see how to set up a support library on eclipse.
  • > The sample app needs a third-party app to select a text file from the android storages, such as a File Manager.

Download: IntentServiceSample.zip (source), IntentServiceSample.apk (Apk).

src/com.me.intentservicesample/MainActivity.java
package com.me.intentservicesample;

import java.net.URISyntaxException;

import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.content.IntentFilter;
import android.database.Cursor;
import android.net.Uri;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.support.v4.content.LocalBroadcastManager;
import android.support.v7.app.ActionBarActivity;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.widget.TextView;
import android.widget.Toast;

public class MainActivity extends ActionBarActivity {

	private static final int REQ_CODE = 0;
	//private ResponseReciever mResponseReciever = new ResponseReciever();
	
	private BroadcastReceiver reciever = new BroadcastReceiver() {
		
		@Override
		public void onReceive(Context context, Intent intent) {
			// TODO Auto-generated method stub
			Bundle bundle = intent.getExtras();
			if (bundle != null) {
				String data = bundle.getString(Services.DATA);
				int status = bundle.getInt(Services.STATUS);
				if (status == RESULT_OK) {
					//MainActivity mainActivity = new MainActivity();
					Toast.makeText(MainActivity.this, "Finished",
							Toast.LENGTH_LONG).show();
					updateTextView(data);
				}
			}
		}
	};

	@Override
	protected void onCreate(Bundle savedInstanceState) {
		super.onCreate(savedInstanceState);

		setContentView(R.layout.activity_main);

		if (savedInstanceState == null) {
			getSupportFragmentManager().beginTransaction()
					.add(R.id.container, new PlaceholderFragment()).commit();
		}
	}

	@Override
	protected void onResume() {
		super.onResume();
		IntentFilter intentFilter = new IntentFilter(Services.ACTION_BROADCAST);
		//intentFilter.addDataScheme("text/plain");
		
		LocalBroadcastManager.getInstance(MainActivity.this).registerReceiver(
				reciever, intentFilter);
	}

	@Override
	protected void onPause() {
		super.onPause();
		LocalBroadcastManager.getInstance(MainActivity.this)
				.unregisterReceiver(reciever);
	}
	
	/**
	private class ResponseReciever extends BroadcastReceiver {

		@Override
		public void onReceive(Context ctx, Intent intent) {
			// TODO Auto-generated method stub
			Bundle bundle = intent.getExtras();
			if (bundle != null) {
				String data = bundle.getString(Services.DATA);
				int status = bundle.getInt(Services.STATUS);
				if (status == RESULT_OK) {
					//MainActivity mainActivity = new MainActivity();
					Toast.makeText(MainActivity.this, "Finished",
							Toast.LENGTH_LONG).show();
					//mainActivity.updateTextView(data);
				}
			}

		}

	}
	*/

	protected void updateTextView(String data) {
		TextView tv = (TextView) findViewById(R.id.textView);
		tv.setText(data.toString());
	}

	/** called when button "Open a File" clicked */
	public void openFile(View v) {

		// use implicit Intent to open a file
		Intent intent = new Intent(Intent.ACTION_GET_CONTENT);
		intent.setType("*/.txt");
		intent.addCategory(Intent.CATEGORY_OPENABLE);

		try {
			startActivityForResult(
					Intent.createChooser(intent, "Select a file txt"), REQ_CODE);
		} catch (android.content.ActivityNotFoundException ex) {
			Toast.makeText(getBaseContext(), "You a need a File Manager",
					Toast.LENGTH_LONG).show();
			ex.printStackTrace();
		}
	}

	@Override
	protected void onActivityResult(int reqCode, int resultCode, Intent data) {

		// check activity result base on reqCode
		// reqCode must be same as REQ_CODE
		switch (reqCode) {
		case REQ_CODE:
			if (resultCode == RESULT_OK) {

				// get Uri data from intent
				Uri uri = data.getData();

				String path = null;
				try {

					// convert Uri to file path (String)
					path = getPath(getBaseContext(), uri);

					// send the file path to Service
					this.sendToService(path);
				} catch (URISyntaxException e) {
					// TODO Auto-generated catch block
					e.printStackTrace();
				}
			}
		}
	}

	/** called to start the Service */
	private void sendToService(String s) {

		// create an explicit Intent for the Service
		Intent intentService = new Intent(MainActivity.this, Services.class);
		intentService.putExtra(Services.PATH, s);
		startService(intentService);
	}

	public static String getPath(Context context, Uri uri)
			throws URISyntaxException {
		if ("content".equalsIgnoreCase(uri.getScheme())) {
			String[] projection = { "_data" };
			Cursor cursor = null;

			try {
				cursor = context.getContentResolver().query(uri, projection,
						null, null, null);
				int column_index = cursor.getColumnIndexOrThrow("_data");
				if (cursor.moveToFirst()) {
					return cursor.getString(column_index);
				}
			} catch (Exception e) {
				e.printStackTrace();
			}
		} else if ("file".equalsIgnoreCase(uri.getScheme())) {
			return uri.getPath();
		}

		return null;
	}

	@Override
	public boolean onCreateOptionsMenu(Menu menu) {

		// Inflate the menu; this adds items to the action bar if it is present.
		getMenuInflater().inflate(R.menu.main, menu);
		return true;
	}

	@Override
	public boolean onOptionsItemSelected(MenuItem item) {
		// Handle action bar item clicks here. The action bar will
		// automatically handle clicks on the Home/Up button, so long
		// as you specify a parent activity in AndroidManifest.xml.
		int id = item.getItemId();
		if (id == R.id.action_settings) {
			return true;
		}
		return super.onOptionsItemSelected(item);
	}

	/**
	 * A placeholder fragment containing a simple view.
	 */
	public static class PlaceholderFragment extends Fragment {

		public PlaceholderFragment() {
		}

		@Override
		public View onCreateView(LayoutInflater inflater, ViewGroup container,
				Bundle savedInstanceState) {
			View rootView = inflater.inflate(R.layout.fragment_main, container,
					false);
			return rootView;
		}
	}

}


src/com.me.intentservicesample/Services.java
package com.me.intentservicesample;

import java.io.BufferedInputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.InputStream;

import android.app.Activity;
import android.app.IntentService;
import android.content.Intent;
import android.support.v4.content.LocalBroadcastManager;

public class Services extends IntentService {

	private static int mStatus = Activity.RESULT_CANCELED;
	public static final String PATH = "com.me.intentservicesample.PATH";
	public static final String ACTION_BROADCAST = "com.me.intentservicesample.BROADCAST";
	public static final String STATUS = "com.me.intentservicesample.STATUS";
	public static final String DATA = "com.me.intentservicesample.DATA";

	public Services() {
		super("Services");
		// TODO Auto-generated constructor stub
	}

	@Override
	protected void onHandleIntent(Intent intent) {
		// TODO Auto-generated method stub

		// get data from incoming intent
		String filePath = intent.getStringExtra(PATH);

		String fileContent = this.readFile(filePath);
		if (fileContent != null) {

			// report the work status to registered components
			publishResult(mStatus, fileContent);

		}
	}

	private void publishResult(int status, String data) {
		Intent localIntent = new Intent(Services.ACTION_BROADCAST);
		localIntent.putExtra(Services.STATUS, status);
		localIntent.putExtra(Services.DATA, data);
		LocalBroadcastManager.getInstance(Services.this).sendBroadcast(
				localIntent);
	}

	/** read the incoming file to get the file content as String */
	private String readFile(String path) {
		File file = new File(path);
		int i, j = 0;
		byte[] data = new byte[(int) file.length()];
		String string = null;
		InputStream in = null;
		try {
			in = new BufferedInputStream(new FileInputStream(file));
			while ((i = in.read()) != -1) {
				data[j++] = (byte) i;
			}
			string = byteToString(data).toString();
			mStatus = Activity.RESULT_OK;
			return string;
		} catch (FileNotFoundException ex) {
			ex.printStackTrace();
		} catch (IOException ex) {
			// TODO Auto-generated catch block
			ex.printStackTrace();
		} finally {
			if (in != null) {
				try {
					in.close();
				} catch (IOException e) {
					// TODO Auto-generated catch block
					e.printStackTrace();
				}
			}
		}
		return string;

	}

	/** called to cast byte array to String */
	private static String byteToString(byte[] b) {
		char[] c = new char[b.length];
		StringBuilder sb = new StringBuilder();

		for (int i = 0; i < c.length; i++) {
			c[i] = (char) b[i];
			sb.append(c[i]);
		}

		return sb.toString();
	}
}


res/layout/activity_main.xml
<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:id="@+id/container"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context="com.me.intentservicesample.MainActivity"
    tools:ignore="MergeRootFrame" />



res/layout/fragment_main.xml
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:paddingBottom="@dimen/activity_vertical_margin"
    android:paddingLeft="@dimen/activity_horizontal_margin"
    android:paddingRight="@dimen/activity_horizontal_margin"
    android:paddingTop="@dimen/activity_vertical_margin"
    tools:context="com.me.intentservicesample.MainActivity$PlaceholderFragment" >

    <Button
        android:id="@+id/button"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_alignParentTop="true"
        android:onClick="openFile"
        android:text="Open a File" />

    <LinearLayout
        android:id="@+id/linear"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:layout_below="@id/button"
        android:orientation="vertical" >

        <TextView
            android:id="@+id/textView"
            android:layout_width="match_parent"
            android:layout_height="match_parent"
            android:layout_marginTop="10dp"
            android:singleLine="false"
            android:text="@string/hello_world" />
    </LinearLayout>

</RelativeLayout>


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

    <uses-sdk
        android:minSdkVersion="7"
        android:targetSdkVersion="19" />

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

    <application
        android:allowBackup="true"
        android:icon="@drawable/ic_launcher"
        android:label="@string/app_name"
        android:theme="@style/AppTheme" >
        <service
            android:name="com.me.intentservicesample.Services"
            android:exported="false" >
        </service>

        <activity
            android:name="com.me.intentservicesample.MainActivity"
            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>


When you launch the sample app:

Android IntentService sample img


When the button "Open a File" was clicked:

Android IntentService sample img


After completing the operation, show the final result to the user:



Source: Android Developer (Background Service).
READ MORE →

Wednesday, June 4, 2014

Android AsyncTask and Progress Bar example

Android AsyncTask ProgressBar sample img
In this post I'll try to make a simple android app that uses AsyncTask to perform background operations and update the result on the UI through a Progress Bar.

For a better understanding of what exactly they are, you should read the AsyncTask explanations in here, and the progressBar in here

In this sample app I just made the app to read a file. First, user will choose a file from the android storages, then the file will be sent to the AsyncTask to be read (reading operation is executed in the background). When the file is being read, AsyncTask will send the operation progress to the UI thread and show its progress on a ProgressBar, when the background operations is complete or the task has been cancelled, the progressBar will disappear (invisible). Finally, the result of the background operations will be shown through the TextViews.

The sample app was built using eclipse, java 1.7, and can run on Android 2.1 Eclair (API 7) - Android 4.4 KitKat (API 19).

Note:
  • > The sample app uses a support library (android-support-v7-appcompat), see how to set up a support library on eclipse.
  • > The sample app uses an implicit intent to choose an image or a video from the built in gallery app directly, to choose another file format (e.g .txt, .apk, and so on), then you need a third-party app such as a File Manager.


src/com.me.asynctaskprogressbarsample/MainActivity.java
package com.me.asynctaskprogressbarsample;

import java.io.BufferedInputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.IOException;
import java.io.InputStream;
import java.net.URISyntaxException;

import android.content.Context;
import android.content.Intent;
import android.database.Cursor;
import android.net.Uri;
import android.os.AsyncTask;
import android.os.Bundle;
import android.support.v4.app.Fragment;
import android.support.v7.app.ActionBarActivity;
import android.view.LayoutInflater;
import android.view.Menu;
import android.view.MenuItem;
import android.view.View;
import android.view.ViewGroup;
import android.widget.Button;
import android.widget.ProgressBar;
import android.widget.TextView;
import android.widget.Toast;

public class MainActivity extends ActionBarActivity {

 private static final int REQ_CODE = 0;
 private ReadTask tasker;

 @Override
 protected void onCreate(Bundle savedInstanceState) {
  super.onCreate(savedInstanceState);
  setContentView(R.layout.activity_main);

  if (savedInstanceState == null) {
   getSupportFragmentManager().beginTransaction()
     .add(R.id.container, new PlaceholderFragment()).commit();
  }
 }

 /**
  * called when "Cancel button" is clicked it should abort the Asynctask
  * process
  */
 public void cancelButton(View v) {

  // check is there any task that can be aborted
  if (tasker.getStatus() == AsyncTask.Status.RUNNING
    || tasker.getStatus() == AsyncTask.Status.PENDING) {

   // abort the task
   tasker.cancel(true);
  }
 }

 /** AsyncTask class used for reading a file <Params, Progress, Result> */
 private class ReadTask extends AsyncTask<String, Integer, String> {

  // private String data;
  private String time;
  private int progressStatus;
  ProgressBar bar;
  TextView barPercent;
  Button openButton;
  Button cancelButton;
  TextView tv1;
  TextView tv2;

  @Override
  protected void onPreExecute() {
   super.onPreExecute();

   // initial the Views
   bar = (ProgressBar) findViewById(R.id.progressbar);
   barPercent = (TextView) findViewById(R.id.barPercent);
   openButton = (Button) findViewById(R.id.openButton);
   cancelButton = (Button) findViewById(R.id.cancelButton);
   tv1 = (TextView) findViewById(R.id.textView1);
   tv1.setText("Elapsed: ");
   tv2 = (TextView) findViewById(R.id.textView2);
   tv2.setText("Status: ");

   // disable openButton
   openButton.setEnabled(false);

   // show the Views
   bar.setVisibility(View.VISIBLE);
   barPercent.setVisibility(View.VISIBLE);
   cancelButton.setVisibility(View.VISIBLE);

   progressStatus = 0;
   bar.setProgress(progressStatus);
   barPercent.setText("Reading... 0%");
  }

  @Override
  protected String doInBackground(String... params) {
   // TODO Auto-generated method stub
   File file = new File(params[0]);
   int length = (int) file.length();
   int i = 0;

   // j = 0;
   // byte[] temp = new byte[length];

   InputStream in = null;
   byte[] buffer = new byte[8192];
   try {
    in = new BufferedInputStream(new FileInputStream(file));
    long start = System.currentTimeMillis();
    while ((i = in.read(buffer)) != -1) {

     // temp[j++] = (byte) i;

     progressStatus += i;

     // update the progressbar
     publishProgress((int) ((progressStatus / (float) length) * 100));

     // Escape early if cancel() is called
     if (isCancelled())
      break;

    }
    // data = byteToString(temp).toString();
    time = ((System.currentTimeMillis() - start) + "ms").toString();

   } catch (FileNotFoundException ex) {
    ex.printStackTrace();
    time = ex.getMessage();
   } catch (IOException ex) {
    // TODO Auto-generated catch block
    ex.printStackTrace();
    time = ex.getMessage();
   } finally {
    if (in != null) {
     try {
      in.close();
     } catch (IOException e) {
      // TODO Auto-generated catch block
      e.printStackTrace();
      time = e.getMessage();
     }
    }
   }
   return time;
  }

  @Override
  protected void onProgressUpdate(Integer... progress) {
   super.onProgressUpdate(progress);

   // bar.incrementProgressBy(progress[0]);

   bar.setProgress(progress[0]);
   barPercent.setText("Reading... " + progress[0] + "%");
  }

  @Override
  protected void onCancelled() {
   super.onCancelled();

   // the task was cancelled
   // it's time to release resources
   results("-", "Cancelled");
  }

  @Override
  protected void onPostExecute(String result) {
   super.onPostExecute(result);

   results(result, "Finished");
  }

  void results(String e, String s) {

   // clean up the Tasker
   tasker = null;

   // enable the openButton
   openButton.setEnabled(true);

   // close the Views
   bar.setVisibility(View.GONE);
   barPercent.setVisibility(View.GONE);
   cancelButton.setVisibility(View.GONE);

   // update the TextView1 and TextView2
   tv1.setText("Elapsed: " + e);
   tv2.setText("Status: " + s);
  }

  /**
   * called to cast byte array to String private String
   * byteToString(byte[] b) { char[] c = new char[b.length]; StringBuilder
   * sb = new StringBuilder();
   * 
   * for (int i = 0; i < c.length; i++) { c[i] = (char) b[i];
   * sb.append(c[i]); }
   * 
   * return sb.toString(); }
   */

 }

 /**
  * check the AsyncTask status to make sure that the Tasker is ready to do
  * some task
  * 
  * @return
  */
 boolean gotStatus() {

  if (tasker == null || tasker.getStatus() == AsyncTask.Status.PENDING
    || tasker.getStatus() == AsyncTask.Status.FINISHED) {

   // initial the Tasker
   tasker = new ReadTask();

   return true;
  }
  if (tasker.getStatus() == AsyncTask.Status.RUNNING) {

   // Tasker is still running
   // so we can't give it another task at the time
   return false;
  }

  return false;
 }

 /** called when button "Open a File" clicked */
 public void openFile(View v) {

  // check the Tasker status
  // if true, it means Tasker ready to recieve a new task
  if (gotStatus()) {

   // we use implicit intent to get a file from the system (image,
   // video)
   // to select another file format (e.g .txt, .apk, and so on)
   // we need a third-party app such as a File Manager
   Intent intent = new Intent(Intent.ACTION_GET_CONTENT);
   intent.setType("*/*");
   intent.addCategory(Intent.CATEGORY_OPENABLE);

   try {
    startActivityForResult(
      Intent.createChooser(intent, "Select a file"), REQ_CODE);
   } catch (android.content.ActivityNotFoundException ex) {
    Toast.makeText(getBaseContext(), "You a need a File Manager",
      Toast.LENGTH_LONG).show();
    ex.printStackTrace();
   }
  } else {
   Toast.makeText(MainActivity.this, "Task is still Running",
     Toast.LENGTH_LONG).show();
  }
 }

 @Override
 protected void onActivityResult(int reqCode, int resultCode, Intent data) {

  // check activity result base on reqCode
  // reqCode must be same as REQ_CODE
  switch (reqCode) {
  case REQ_CODE:
   if (resultCode == RESULT_OK) {

    // get Uri data from intent
    Uri uri = data.getData();

    String path = null;
    try {

     // convert Uri to file path (String)
     path = getPath(getBaseContext(), uri);

     // send the task to the AsyncTask
     tasker.execute(path);

    } catch (URISyntaxException e) {
     // TODO Auto-generated catch block
     e.printStackTrace();
    }
   }
  }
 }

 private static String getPath(Context context, Uri uri)
   throws URISyntaxException {
  if ("content".equalsIgnoreCase(uri.getScheme())) {
   String[] projection = { "_data" };
   Cursor cursor = null;

   try {
    cursor = context.getContentResolver().query(uri, projection,
      null, null, null);
    int column_index = cursor.getColumnIndexOrThrow("_data");
    if (cursor.moveToFirst()) {
     return cursor.getString(column_index);
    }
   } catch (Exception e) {
    e.printStackTrace();
   }
  } else if ("file".equalsIgnoreCase(uri.getScheme())) {
   return uri.getPath();
  }

  return null;
 }

 @Override
 public boolean onCreateOptionsMenu(Menu menu) {

  // Inflate the menu; this adds items to the action bar if it is present.
  getMenuInflater().inflate(R.menu.main, menu);
  return true;
 }

 @Override
 public boolean onOptionsItemSelected(MenuItem item) {
  // Handle action bar item clicks here. The action bar will
  // automatically handle clicks on the Home/Up button, so long
  // as you specify a parent activity in AndroidManifest.xml.
  int id = item.getItemId();
  if (id == R.id.action_settings) {
   return true;
  }
  return super.onOptionsItemSelected(item);
 }

 /**
  * A placeholder fragment containing a simple view.
  */
 public static class PlaceholderFragment extends Fragment {

  public PlaceholderFragment() {
  }

  @Override
  public View onCreateView(LayoutInflater inflater, ViewGroup container,
    Bundle savedInstanceState) {
   View rootView = inflater.inflate(R.layout.fragment_main, container,
     false);
   return rootView;
  }
 }

}


res/layout/activity_main.xml
<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:id="@+id/container"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    tools:context="com.me.asynctaskprogressbarsample.MainActivity"
    tools:ignore="MergeRootFrame" />


res/layout/fragment_main.xml
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:paddingBottom="@dimen/activity_vertical_margin"
    android:paddingLeft="@dimen/activity_horizontal_margin"
    android:paddingRight="@dimen/activity_horizontal_margin"
    android:paddingTop="@dimen/activity_vertical_margin"
    tools:context="com.me.asynctaskprogressbarsample.MainActivity$PlaceholderFragment" >

    <Button
        android:id="@+id/openButton"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_alignParentTop="true"
        android:onClick="openFile"
        android:text="Open a File" />

    <LinearLayout
        android:id="@+id/linear"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_below="@id/openButton"
        android:orientation="vertical" >

        <TextView
            android:id="@+id/textView1"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:layout_marginTop="10dp"
            android:text="Elapsed: " />

        <TextView
            android:id="@+id/textView2"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:layout_marginTop="10dp"
            android:text="Status: " />
    </LinearLayout>

    <ProgressBar
        android:id="@+id/progressbar"
        style="@android:style/Widget.ProgressBar.Horizontal"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:layout_alignLeft="@id/linear"
        android:layout_below="@id/linear"
        android:visibility="invisible" />

    <TextView
        android:id="@+id/barPercent"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignLeft="@id/linear"
        android:layout_below="@id/progressbar"
        android:visibility="invisible" />

    <Button
        android:id="@+id/cancelButton"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_below="@id/barPercent"
        android:layout_centerHorizontal="true"
        android:onClick="cancelButton"
        android:text="Cancel"
        android:visibility="invisible" />

    <TextView
        android:id="@+id/attrs"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_alignParentBottom="true"
        android:layout_alignParentRight="true"
        android:layout_marginBottom="15dp"
        android:text="@string/attrs"
        android:textStyle="bold" />

</RelativeLayout>


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

    <uses-sdk
        android:minSdkVersion="7"
        android:targetSdkVersion="19" />

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

    <application
        android:allowBackup="true"
        android:icon="@drawable/ic_launcher"
        android:label="@string/app_name"
        android:theme="@style/AppTheme" >
        <activity
            android:name="com.me.asynctaskprogressbarsample.MainActivity"
            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>


When you launch the sample app:

Android AsyncTask ProgressBar sample img


When the button "Open a File" was clicked:

when the button "Open a File" was clicked


When a file is being read in the background:

Android AsyncTask ProgressBar sample img


After completing the operation, show the final result to the user.


Android AsyncTask ProgressBar sample img



When the operation has been cancelled, show the final result to the user.


Android AsyncTask ProgressBar sample img



READ MORE →

Friday, April 25, 2014

Android LinearLayout Example

android linear
If we use more than 1 widget on android programming we should use layout management to managae the UI (user interface) of all widgets. Layout management also called viewgroup, and widgets placed in layout management called view. LinearLayout is one of the layout managements of android programming, it displays every widget as horizontal or vertical position, LinearLayout has 5 base configurations, Orientation, Fill Model, Weight, Gravity, and Padding.

Orientation, used to display the layout as horizontal or vertical position, syntax:

android:orientation="value [horizontal | vertical]"

Fill Model, used to set view of widget elements against available space of layout, it has 3 options:

  1. specific dimension, like 125dp.
  2. wrap_content,  natural space concept.
  3. fill_parent, widget will use a whole available space.


Weightused to set width and height of layout

Gravityby default LinearLayout is set to "Left and top aligned". Use the following values to use different gravity.
  • left 
  • center_horizontal
  • right for left-aligned
  • centered
  • right-aligned


Paddingit has 4 base values, paddingleft, paddingright, paddingtop, and paddingbottom.

Here's the sample code to use LinearLayout in android programming.
  • XML layout (/res/layout/{file}.xml)
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:id="@+id/LinearLayout1"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:orientation="vertical"
    android:paddingBottom="@dimen/activity_vertical_margin"
    android:paddingLeft="@dimen/activity_horizontal_margin"
    android:paddingRight="@dimen/activity_horizontal_margin"
    android:paddingTop="@dimen/activity_vertical_margin"
    tools:context=".MainActivity" >
    
    <RadioGroup 
        android:id="@+id/orientation"
        android:orientation="horizontal"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:padding="5dp">
        
        <RadioButton 
            android:id="@+id/horizontal"
            android:text="@string/rb1"/>
        <RadioButton 
            android:id="@+id/vertical"
            android:text="@string/rb2"/>
    </RadioGroup>
    
    <RadioGroup 
        android:id="@+id/gravity"
        android:orientation="vertical"
        android:layout_width="fill_parent"
        android:layout_height="wrap_content"
        android:padding="5dp">
        
        <RadioButton 
            android:id="@+id/left"
            android:text="@string/rb3"/>
        <RadioButton 
            android:id="@+id/center"
            android:text="@string/rb4"/>
        <RadioButton 
            android:id="@+id/right"
            android:text="@string/rb5"/>
    </RadioGroup>

</LinearLayout>

  • XML values (/res/values/strings.xml)
<?xml version="1.0" encoding="utf-8"?>
<resources>

    <string name="app_name">Linear layout</string>
    <string name="action_settings">Settings</string>
    <string name="rb1">Horizontal</string>
    <string name="rb2">Vertical</string>
    <string name="rb3">Left</string>
    <string name="rb4">Center</string>
    <string name="rb5">Right</string>

</resources>

  • Java file (/src/{package}/{file}.java)
package first.linear_layout;

import android.os.Bundle;
import android.app.Activity;
import android.view.Menu;
import android.view.Gravity;
import android.widget.LinearLayout;
import android.widget.RadioGroup;
import android.widget.RadioGroup.OnCheckedChangeListener;

public class MainActivity extends Activity implements OnCheckedChangeListener {

 private RadioGroup orientation, gravity;
 
 @Override
 protected void onCreate(Bundle savedInstanceState) {
  super.onCreate(savedInstanceState);
  setContentView(R.layout.activity_main);
  
  orientation = (RadioGroup)findViewById(R.id.orientation);
  orientation.setOnCheckedChangeListener(this);
  gravity = (RadioGroup)findViewById(R.id.gravity);
  gravity.setOnCheckedChangeListener(this);
 }

 @Override
 public boolean onCreateOptionsMenu(Menu menu) {
  // Inflate the menu; this adds items to the action bar if it is present.
  getMenuInflater().inflate(R.menu.main, menu);
  return true;
 }

 @Override
 public void onCheckedChanged(RadioGroup group, int checkedId) {
  // TODO Auto-generated method stub
  switch(checkedId){
  case R.id.horizontal:
   orientation.setOrientation(LinearLayout.HORIZONTAL);
   break;
  case R.id.vertical:
   orientation.setOrientation(LinearLayout.VERTICAL);
   break;
  case R.id.left:
   gravity.setGravity(Gravity.LEFT);
   break;
  case R.id.center:
   gravity.setGravity(Gravity.CENTER_HORIZONTAL);
   break;
  case R.id.right:
   gravity.setGravity(Gravity.RIGHT);
   break;
  }
  
 }

}

Here's one of the output examples:

android linear
READ MORE →

How To Tether Your Android Smartphone In Linux

Android Tether
in this post we will talk about how to tether android device in linux operating system. Android has a feature for sharing internet connection with other device that connecting with android, such as via USB cable. In this tutorial I use Samsung GT-S7500 device (android 2.3.6 Gingerbread) and debian 6 (squeeze) as operating system on my computer. 

Here's step by step how to tether android device in Linux/debian via USB cable.


Activate data packet on android device:
  1. go to Settings >> Wireless and Network >> Mobile Networks
  2. tick option Use packet data to activate it
And now the android device has been connected to the internet

Activate USB Tethering on android device:
  1. connect android device to the computer using USB cable
  2. go to Settings >> Wireless and Network >> Tethering and portable hotspot
  3. tick USB Tethering to activate it

Finally, now the computer got connection to the internet.

Linux issue:
I was using debian squeeze as main operating system on my computer. When I was online there's something that make me had to shut down the USB Tethering for a while, I had to disconnect the USB cable from the computer because I had to do something else. When I was done and I tried to reconnect the USB Tethering, but something wrong happened. The computer couldn't receive internet access from android device, whereas computer and android device had been connected via USB cable and I also activated the USB Tethering from android device. Finally I had to restart my computer to get the connection back from USB Tethering. If you are facing the same problem, actually we just have to restart the network-manager on computer to get the connection back. Here's what you should do:
  1. make sure the computer is connected to the android device via USB cable
  2. activate the USB Tethering
  3. on computer, open terminal
  4. login as superuser (root)
  5. in my system network-manager placed on /etc/init.d/, so I used this command to get access to the network-manager "/etc/init.d/network-manager restart" to restart the network-manager
  6. and now everything should be working fine

android tethering
READ MORE →

Framaroot, a One Click Apk to Root Android Devices

framaroot
Would you like to have a root/ superuser access on your android device, but you don't expect an complicated step for make it happen? as we known if we want to root the android device, we have to follow complicated steps just to make your android get the root access. For some people maybe it's not a problem to do a traditional ways for rooting android, but for the others it's like find an impasse. Finally, their android had never got root access. Then they said "is not any easier way for rooting my android?"

Right now please stop asking like that, because an app that can root some android devices easier than before has been released, it called Framaroot.

Before we continue, first you should check if your android supported by Framaroot. "Hey what are you talking about? I think this app can work on all devices!". Remember, no-application's perfect. So check your device here.

If your device is supported by Framaroot, then you can download the apk file from here (Framaroot-1.9.1.apk is the latest version of Framaroot when this article posted). After the app successfully downloaded, save it into external SD card, then install the app on your device.

How to use Framaroot on android device?

  1. Open the Framaroot app
  2. Choose Superuser or SuperSU
  3. Tap Aragorn or Gandalf

Framaroot

Then wait until Framaroot shows the message like this "Superuser and su binary installed. You have to reboot your device". once you got the message it means your device has successfully rooted and now you have to reboot your device to finish the pocess.

In addition to root, Framaroot can be used to unroot android device with the same way for rooting. The different is you have to choose unroot in step 2, not Superuser or SuperSU.

Framaroot

Check all versions and more info about Framaroot on XDA


*Note: On Android is not responsible for any damages caused directly or indirectly by a rooting method. Any action for rooting your device is done it only under your responsibility.

More post about Android Root:
READ MORE →