How to lazy load of images in ListView or LazyList?

Lazy List is lazy loading of images from sd-card or from server using urls. It is like on demand loading images.
Images can be cached to local sd-card or phone memory. Url is considered the key. If the key is present in sd-card, display images from sd-card else display image by downloading from server and cache the same to location of your choice. The cache limit can set. You can also choose your own location to cache images. Cache can also be cleared.
Instead of user waiting to download large images and then displaying lazy list, loads images on demand. Since images are cached you can display images offline.
A simple library to display images in Android ListView. Images are being downloaded asynchronously in the background. Images are being cached on SD card and in memory. Can also be used for GridView and just to display images into an ImageView.
other examples:
James A Wilson give the best examles of highest vote on stackover.
package com.wilson.android.library;


import java.io.IOException;

public class DrawableManager {
private final Map<String, Drawable> drawableMap;

public DrawableManager() {
drawableMap
= new HashMap<String, Drawable>();
}

public Drawable fetchDrawable(String urlString) {
if (drawableMap.containsKey(urlString)) {
return drawableMap.get(urlString);
}

Log.d(this.getClass().getSimpleName(), "image url:" + urlString);
try {
InputStream is = fetch(urlString);
Drawable drawable = Drawable.createFromStream(is, "src");


if (drawable != null) {
drawableMap
.put(urlString, drawable);
Log.d(this.getClass().getSimpleName(), "got a thumbnail drawable: " + drawable.getBounds() + ", "
+ drawable.getIntrinsicHeight() + "," + drawable.getIntrinsicWidth() + ", "
+ drawable.getMinimumHeight() + "," + drawable.getMinimumWidth());
} else {
Log.w(this.getClass().getSimpleName(), "could not get thumbnail");
}

return drawable;
} catch (MalformedURLException e) {
Log.e(this.getClass().getSimpleName(), "fetchDrawable failed", e);
return null;
} catch (IOException e) {
Log.e(this.getClass().getSimpleName(), "fetchDrawable failed", e);
return null;
}
}

public void fetchDrawableOnThread(final String urlString, final ImageView imageView) {
if (drawableMap.containsKey(urlString)) {
imageView
.setImageDrawable(drawableMap.get(urlString));
}

final Handler handler = new Handler() {
@Override
public void handleMessage(Message message) {
imageView
.setImageDrawable((Drawable) message.obj);
}
};

Thread thread = new Thread() {
@Override
public void run() {
//TODO : set imageView to a "pending" image
Drawable drawable = fetchDrawable(urlString);
Message message = handler.obtainMessage(1, drawable);
handler
.sendMessage(message);
}
};
thread
.start();
}

private InputStream fetch(String urlString) throws MalformedURLException, IOException {
DefaultHttpClient httpClient = new DefaultHttpClient();
HttpGet request = new HttpGet(urlString);
HttpResponse response = httpClient.execute(request);
return response.getEntity().getContent();
}
}
Alternative of LazyList is:

open source instrument Universal Image Loader. It is originally based on Fedor Vlasov's project LazyList and has been vastly improved since then.
  • Multithread image loading
  • Possibility of wide tuning ImageLoader's configuration (thread executors, downlaoder, decoder, memory and disc cache, display image options, and others)
  • Possibility of image caching in memory and/or on device's file sysytem (or SD card)
  • Possibility to "listen" loading process
  • Possibility to customize every display image call with separated options
  • Widget support
  • Android 2.0+ support
Finally, you may use this also,this is also best tutoiral for lazylist image loader.
I have followed this Android Training and I think it does an excellent job at downloading images without blocking the main UI. It also handles caching and dealing with scrolling through many images: Loading Large Bitmaps Efficiently

All sources from statckover.

Happy Coding!!!

Share in social media or email or message in android


Here is the simple tutorials for all android application developer who want to
made share your data on social media, or message to your friend even you can save
in memo.

You can also share in social app like, viber, whatsapp, chaton, facebook, twitter, google plus.

Here is the tips or code:

first you have to create share menu.
res/menu/main.xml
-----------------
<menu xmlns:android="http://schemas.android.com/apk/res/android" >

     <item
        android:id="@+id/refresh"
        android:alphabeticShortcut="r"
        android:icon="@drawable/ic_action_refresh"
        android:orderInCategory="100"
        android:showAsAction="always"/>
    <item
        android:id="@+id/share"
        android:actionProviderClass="android.widget.ShareActionProvider"
        android:icon="@drawable/ic_action_share"
        android:orderInCategory="1"
        android:showAsAction="collapseActionView"
        android:title="@string/share"/>
 

</menu>

-----------
Information that you want to share
res/layout/share.xml
------------
<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent" >
    <EditText
        android:id="@+id/editText1"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_centerHorizontal="true"
        android:ems="10"
        android:inputType="textPersonName" >

        <requestFocus />
    </EditText>

    <EditText
        android:id="@+id/editText2"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_below="@+id/editText1"
        android:layout_centerHorizontal="true"
        android:ems="10"
        android:inputType="number" />

    <EditText
        android:id="@+id/editText3"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_below="@+id/editText2"
        android:layout_centerHorizontal="true"
        android:ems="10"
        android:inputType="textEmailAddress" />

</RelativeLayout>

----------------------
Main Source Code:
src/MainActivity.java
----------------
public class MainActivity extends Activity {

private String shareBody;
String name, phone, email;
EditText et_name, et_phone, et_email;
private Menu optionsMenu;

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

private void setupviews() {
// TODO Auto-generated method stub
et_name = (EditText) findViewById(R.id.editText1);
et_phone = (EditText) findViewById(R.id.editText2);
et_email = (EditText) findViewById(R.id.editText3);
}
@TargetApi(Build.VERSION_CODES.HONEYCOMB)
@SuppressLint("NewApi")
public void setRefreshActionButtonState(final boolean refreshing) {
if (optionsMenu != null) {
final MenuItem refreshItem = optionsMenu.findItem(R.id.refresh);
if (refreshItem != null) {
if (refreshing) {
refreshItem
.setActionView(R.layout.actionbar_indeterminate_progress);
} else {
refreshItem.setActionView(null);
}
}
}
}

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

// handle click events for action bar items
@SuppressLint("NewApi")
@Override
public boolean onOptionsItemSelected(MenuItem item) {

switch (item.getItemId()) {

case R.id.share:
// showToast("Share was clicked.");

name = et_name.getText().toString();
phone = et_phone.getText().toString();
email = et_email.getText().toString();

shareBody = "\"" + "Sharing Messsage: " + "\"    " + "Name:-"
+ "-->>" + name + ", " + "Phone:- " + "-->>" + phone + ", "
+ "Email:- " + "-->>" + email;
ShareActionProvider myShareActionProvider = (ShareActionProvider) item
.getActionProvider();

Intent myIntent = new Intent();
myIntent.setAction(Intent.ACTION_SEND);
myIntent.putExtra(Intent.EXTRA_TEXT, shareBody);
myIntent.setType("text/plain");

myShareActionProvider.setShareIntent(myIntent);

return true;

default:
return super.onOptionsItemSelected(item);
}
}
}


-----------------
Output Looks Like:

Happy Coding   :)

Android App publish in app store free and paid


Are you ready to publish your android app. Here some paid and free option and Operating system-native platforms or Third-party platforms.


Operating system-native platforms

-----------------------------------------------------
Established October 22, 2008
Status : Live
Owner : Google
Available apps : 1,000,000(Jul 24, 2013)
Download count: 50 billion 
Installed base : 500 million(June 2012)
Allows individual developers to publish : Yes 
Developer's cut per sale:  70%
Developer fees:  US$25
Development tool(s):  Android SDK, Android Studio
Free of charge IDE?:  Yes


Established September 14, 2009
Status : Live 
Owner : Samsung, Handmark
Available apps : 13,000 (March 24, 2011)
Download count: 100 million Bada Apps (March 2011)
Installed base : 20 million Samsung Smart TV Apps ,5 million (March 2011)  Multiple
Allows individual developers to publish : Yes 
Developer's cut per sale:  70% 
Developer fees:  Free
Development tool(s):  Android SDK,Samsung Mobile SDK, Samsung Smart TV SDK,bada SDK (bada is discontinued) 
Free of charge IDE?:  Yes

Third-party platforms
-----------------------------


Eclipse - Failed to create the java virtual machine

Mostly eclipse user developer stick this error sometimes or many times during on his developing careers. So lets find out some solution, how to fix "failed to create the java virtual machine".

I have found some fine solution in stackoverflow and borrowing some answers here.

Solutions 1
------------
1. Open the eclipse.ini file from your eclipse folder,see the picture below.
eclipse.ini
2. Open eclipse.ini in Notepad or any other text-editor application, Find the line -Xmx256m (or -Xmx1024m). Now change the default value 256m (or 1024m) to 512m. You also need to give the exact java installed version (1.6 or 1.7 or other).
max size
Like This:
-Xmx512m
-Dosgi.requiredJavaVersion=1.6
OR
-Xmx512m
-Dosgi.requiredJavaVersion=1.7
Then it works .

Solutions 2.
-----------

if solutions 1 is not working then try this:
Try removing the -vm P:\Programs\jdk1.6\bin lines.

Also, a general recommendation: set -Dosgi.requiredJavaVersion=1.6, not 1.5.

Solution 3
--------------
There are two place in eclipse.ini that includes
--launcher.XXMaxPermSize
256m
make it
--launcher.XXMaxPermSize
128m

Solution 4.
-------------------
if all the above solutions is not working then, try this:

Try to add



-vm D:\Java\jdk1.6.0_29\bin\javaw.exe
FYI: Refer sunblog
Source:http://stackoverflow.com/questions/7302604/eclipse-error-failed-to-create-the-java-virtual-machine
HappY CodinG

If WiFi state is not enabling ? How to enable.

If your application wifi state not enable please do something fro enabling the wifi state. this answers taken from stackoverflow.

First you need to declare the following in your manifest file

<uses-permission android:name="android.permission.ACCESS_WIFI_STATE"></uses-permission>
<uses-permission android:name="android.permission.UPDATE_DEVICE_STATS"></uses-permission>
<uses-permission android:name="android.permission.CHANGE_WIFI_STATE"></uses-permission>
<uses-permission android:name="android.permission.WAKE_LOCK"></uses-permission>

After doing it that on your Activity class

private WifiManager wifiManager;
@Override
public void onCreate(Bundle icicle) {
....................
wifiManager
= (WifiManager) this.getSystemService(Context.WIFI_SERVICE);
if(wifiManager.isWifiEnabled()){
wifiManager
.setWifiEnabled(false);
}else{
wifiManager
.setWifiEnabled(true);
}
}

Explanation
Get the Wifi service from our system
wifiManager = (WifiManager) this.getSystemService(Context.WIFI_SERVICE);
Check the our wifi is currently turned on or turned off
if(wifiManager.isWifiEnabled()){
Turn on/off our wifi wifiManager.setWifiEnabled();


Reference
WifiEnabler
http://google-androidlovers.blogspot.com/2012/01/scan-for-wireless-networks-in-android.html

http://www.java2s.com/Open-Source/Android/android-platform-apps/Settings/com/android/settings/wifi/WifiApEnabler.java.htm


Happy Coding !!!

Convert String to Code at runtime in Java

In many case if you god string and that doesnot work fro checking logical condition then you may have to convert to code and use it.

One option is using BeanShell: BeanShell Offical key class is bsh.Interpreter.

Download BeanShell ->> http://www.beanshell.org/download.html

if you download successfully  above bsh jar file. then import it>

1. Right Click to Project
2. Go to Java Build Path
3. Click Library tab
4. Click External Library file and select bash.jar  and refresh project.

import bsh.EvalError;
import bsh.Interpreter;

public class Ohs {

public static void main(String[] args) {
String log1 = "10>=7";
String log2 = "10<=7";
Interpreter interpreter = new Interpreter();
try{
Object res = interpreter.eval(log1);
System.out.println("Output1---"+log1+"-->>"+res.toString());

Object res1 = interpreter.eval(log2);
System.out.println("Output2---"+log2+"-->"+res1.toString());
}catch (EvalError e1){
// TODO Auto-generated catch block
e1.printStackTrace();
}
}


}


Output Looks Like:

Output1---10>=7-->>true
Output2---10<=7-->false

Others methods of Converting String to Code in Java:

Split same pattern String in java

This is simple but useful tutorials for begainers and intermediate .

If you have same pattern string then you can split and store in string array. like this

String strtest1="software android developer job software java developer job software web developer job";

others may be in user when you get logical condition string from database like this:

first method:

              String s  = "if x=7 else if x=6 else if x>5 else";
String[] parts = test.replaceAll("\\s*(?:if|else)\\s*", "").split("(?<=\\d)");
System.out.println(Arrays.toString(parts));


Output:
[x=7, x=6, x>5]

         String strtest2="if x==7 then y=4 else if x<6 then y=12else if x>5 then y=0 else";

                ArrayList<String> list_array = new ArrayList<String>();
   String[] string_array = test.split("else");
  
   for(int i = 0; i < string_array.length; i++){
        list_array.add((string_array[i].replace("if"," ")).trim());
   }
   System.out.println("Method 2= "+list_array);

Output Looks Like:
Method 2= [x==7 then y=4, x<6 then y=12, x>5 then y=0]
Happy Coding!!!

Filling an adapter view with data in android

Filling an adapter view with data in android have two methods.

You can populate an AdapterView such as ListView or GridView by binding the AdapterView instance to an Adapter, which retrieves data from an external source and creates a View that represents each data entry.

Android provides several subclasses of Adapter that are useful for retrieving different kinds of data and building views for an AdapterView. T

1. ArrayAdapter
2. SimpleCursorAdapter

1. ArrayAdapter


Use this adapter when your data source is an array. By default, ArrayAdapter creates a view for each array item by calling toString() on each item and placing the contents in a TextView.
For example, if you have an array of strings you want to display in a ListView, initialize a new ArrayAdapter using a constructor to specify the layout for each string and the string array:
ArrayAdapter adapter = new ArrayAdapter<String>(this, 
        android
.R.layout.simple_list_item_1, myStringArray);
The arguments for this constructor are:
  • Your app Context
  • The layout that contains a TextView for each string in the array
  • The string array
Then simply call setAdapter() on your ListView:
ListView listView = (ListView) findViewById(R.id.listview);
listView
.setAdapter(adapter);

To customize the appearance of each item you can override the toString() method for the objects in your array. Or, to create a view for each item that's something other than a TextView (for example, if you want an ImageView for each array item), extend the ArrayAdapter class and override getView() to return the type of view you want for each item.

Example 1  Example 2  Example 3


2. SimpleCursorAdapter
Use this adapter when your data comes from a Cursor. When using SimpleCursorAdapter, you must specify a layout to use for each row in the Cursor and which columns in the Cursorshould be inserted into which views of the layout. For example, if you want to create a list of people's names and phone numbers, you can perform a query that returns a Cursor containing a row for each person and columns for the names and numbers. You then create a string array specifying which columns from the Cursor you want in the layout for each result and an integer array specifying the corresponding views that each column should be placed:
String[] fromColumns = {ContactsContract.Data.DISPLAY_NAME, 
                       
ContactsContract.CommonDataKinds.Phone.NUMBER};
int[] toViews = {R.id.display_name, R.id.phone_number};
When you instantiate the SimpleCursorAdapter, pass the layout to use for each result, the Cursor containing the results, and these two arrays:
SimpleCursorAdapter adapter = new SimpleCursorAdapter(this, 
        R
.layout.person_name_and_number, cursor, fromColumns, toViews, 0);
ListView listView = getListView();
listView
.setAdapter(adapter);
The SimpleCursorAdapter then creates a view for each row in the Cursor using the provided layout by inserting each fromColumns item into the corresponding toViews view.
.
If, during the course of your application's life, you change the underlying data that is read by your adapter, you should call notifyDataSetChanged(). This will notify the attached view that the data has been changed and it should refresh itself.

Example 1  Example 2  Example 3

Handling click events

You can respond to click events on each item in an AdapterView by implementing the AdapterView.OnItemClickListener interface. For example:

// Create a message handling object as an anonymous class.
private OnItemClickListener mMessageClickedHandler = new OnItemClickListener() {
   
public void onItemClick(AdapterView parent, View v, int position, long id) {
       
// Do something in response to the click
   
}
};

listView
.setOnItemClickListener(mMessageClickedHandler);



Sources: http://developer.android.com/guide/topics/ui/declaring-layout.html

Creating table layout dynamically in android

In first(Creating table layout from xml layout) , table layout creating with xml layout, Now creating table layout from programmatically in android.

public class MainActivity extends Activity {
@Override
public void onCreate(Bundle savedInstanceState) {
   super.onCreate(savedInstanceState);
   
   String[] row = { "ROW1", "ROW2", "Row3", "Row4", "Row 5", "Row 6",
"Row 7" };
        String[] column = { "COLUMN1", "COLUMN2", "COLUMN3", "COLUMN4",
"COLUMN5", "COLUMN6" };
  int rl=row.length; int cl=column.length;
   
   Log.d("--", "R-Lenght--"+rl+"   "+"C-Lenght--"+cl);
   
ScrollView sv = new ScrollView(this);
   TableLayout tableLayout = createTableLayout(row, column,rl, cl);
   HorizontalScrollView hsv = new HorizontalScrollView(this);
   
   hsv.addView(tableLayout);
sv.addView(hsv);
setContentView(sv);

}

public void makeCellEmpty(TableLayout tableLayout, int rowIndex, int columnIndex) {
   // get row from table with rowIndex
   TableRow tableRow = (TableRow) tableLayout.getChildAt(rowIndex);

   // get cell from row with columnIndex
   TextView textView = (TextView)tableRow.getChildAt(columnIndex);

   // make it black
   textView.setBackgroundColor(Color.BLACK);
}
public void setHeaderTitle(TableLayout tableLayout, int rowIndex, int columnIndex){
   // get row from table with rowIndex
   TableRow tableRow = (TableRow) tableLayout.getChildAt(rowIndex);

   // get cell from row with columnIndex
   TextView textView = (TextView)tableRow.getChildAt(columnIndex);
   
   textView.setText("Hello");
}

private TableLayout createTableLayout(String [] rv, String [] cv,int rowCount, int columnCount) {
   // 1) Create a tableLayout and its params
   TableLayout.LayoutParams tableLayoutParams = new TableLayout.LayoutParams();
   TableLayout tableLayout = new TableLayout(this);
   tableLayout.setBackgroundColor(Color.BLACK);

   // 2) create tableRow params
   TableRow.LayoutParams tableRowParams = new TableRow.LayoutParams();
   tableRowParams.setMargins(1, 1, 1, 1);
   tableRowParams.weight = 1;

   for (int i = 0; i < rowCount; i++) {
       // 3) create tableRow
       TableRow tableRow = new TableRow(this);
       tableRow.setBackgroundColor(Color.BLACK);

       for (int j= 0; j < columnCount; j++) {
           // 4) create textView
           TextView textView = new TextView(this);
         //  textView.setText(String.valueOf(j));
           textView.setBackgroundColor(Color.WHITE);
           textView.setGravity(Gravity.CENTER);
           
           String s1 = Integer.toString(i);
String s2 = Integer.toString(j);
String s3 = s1 + s2;
int id = Integer.parseInt(s3);
Log.d("TAG", "-___>"+id);
            if (i ==0 && j==0){
            textView.setText("0==0");
            } else if(i==0){
            Log.d("TAAG", "set Column Headers");
            textView.setText(cv[j-1]);
            }else if( j==0){
            Log.d("TAAG", "Set Row Headers");
            textView.setText(rv[i-1]);
            }else {
            textView.setText(""+id);
            // check id=23
            if(id==23){
            textView.setText("ID=23");
             
            }
            }

           // 5) add textView to tableRow
           tableRow.addView(textView, tableRowParams);
       }

       // 6) add tableRow to tableLayout
       tableLayout.addView(tableRow, tableLayoutParams);
   }

   return tableLayout;
}
}

Out put looks like this:
Happy Coding!!!

Creating table layout from xml layout in android

Here some basic tutorials how to creating table layout in android. This is first part creating table layout from xml layout next tutorials from programmatically . keep visiting .

<?xml version="1.0" encoding="utf-8"?>
<TableLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@+id/tableLayout1"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:shrinkColumns="*"
    android:stretchColumns="*" >

    <TableRow
        android:id="@+id/tableRow1"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:gravity="center_horizontal" >

        <TextView
            android:id="@+id/textView11"
            android:layout_width="match_parent"
            android:layout_height="wrap_content"
            android:layout_span="6"
            android:gravity="center"
            android:text="Weather Report"
            android:textSize="18dp"
            android:textStyle="bold" >
        </TextView>
    </TableRow>

    <TableRow
        android:id="@+id/tableRow2"
        android:layout_width="match_parent"
        android:layout_height="wrap_content" >

        <TextView
            android:id="@+id/TextView21"
            android:text="" >
        </TextView>

        <TextView
            android:id="@+id/TextView22"
            android:gravity="center"
            android:text="M"
            android:textStyle="bold"
            android:typeface="serif" >
        </TextView>

        <TextView
            android:id="@+id/TextView23"
            android:gravity="center"
            android:text="T"
            android:textStyle="bold"
            android:typeface="serif" >
        </TextView>

        <TextView
            android:id="@+id/TextView24"
            android:gravity="center"
            android:text="W"
            android:textStyle="bold"
            android:typeface="serif" >
        </TextView>

        <TextView
            android:id="@+id/TextView25"
            android:gravity="center"
            android:text="T"
            android:textStyle="bold"
            android:typeface="serif" >
        </TextView>

        <TextView
            android:id="@+id/textView26"
            android:gravity="center"
            android:text="F"
            android:textStyle="bold"
            android:typeface="serif" >
        </TextView>
    </TableRow>

    <TableRow
        android:id="@+id/tableRow3"
        android:layout_width="match_parent"
        android:layout_height="wrap_content" >

        <TextView
            android:id="@+id/textView31"
            android:text="Day High"
            android:textStyle="bold" >
        </TextView>

        <TextView
            android:id="@+id/textView32"
            android:gravity="center_horizontal"
            android:text="34°C" >
        </TextView>

        <TextView
            android:id="@+id/textView33"
            android:gravity="center_horizontal"
            android:text="35°C" >
        </TextView>

        <TextView
            android:id="@+id/textView34"
            android:gravity="center_horizontal"
            android:text="34°C" >
        </TextView>

        <TextView
            android:id="@+id/textView35"
            android:gravity="center_horizontal"
            android:text="35°C" >
        </TextView>

        <TextView
            android:id="@+id/textView36"
            android:gravity="center_horizontal"
            android:text="33°C" >
        </TextView>
    </TableRow>

    <TableRow
        android:id="@+id/tableRow4"
        android:layout_width="match_parent"
        android:layout_height="wrap_content" >

        <TextView
            android:id="@+id/textView41"
            android:text="Day Low"
            android:textStyle="bold" >
        </TextView>

        <TextView
            android:id="@+id/textView42"
            android:gravity="center_horizontal"
            android:text="28°C" >
        </TextView>

        <TextView
            android:id="@+id/textView43"
            android:gravity="center_horizontal"
            android:text="27°C" >
        </TextView>

        <TextView
            android:id="@+id/textView44"
            android:gravity="center_horizontal"
            android:text="29°C" >
        </TextView>

        <TextView
            android:id="@+id/textView45"
            android:gravity="center_horizontal"
            android:text="26°C" >
        </TextView>

        <TextView
            android:id="@+id/textView46"
            android:gravity="center_horizontal"
            android:text="29°C" >
        </TextView>
    </TableRow>

    <TableRow
        android:id="@+id/tableRow5"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:gravity="center" >

        <TextView
            android:id="@+id/textView8"
            android:text="Conditions"
            android:textStyle="bold" >
        </TextView>

        <ImageView
            android:id="@+id/imageView1"
            android:src="@drawable/monday" >
        </ImageView>

        <ImageView
            android:id="@+id/imageView2"
            android:src="@drawable/tuesday" >
        </ImageView>

        <ImageView
            android:id="@+id/imageView3"
            android:src="@drawable/wednesday" >
        </ImageView>

        <ImageView
            android:id="@+id/imageView4"
            android:src="@drawable/thursday" >
        </ImageView>

        <ImageView
            android:id="@+id/imageView5"
            android:src="@drawable/friday" >
        </ImageView>
    </TableRow>

</TableLayout>

How to call in java file in Activity is simple, Like this:
public class TableLayoutExampleActivity extends Activity {
    /** Called when the activity is first created. */
    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
    }
}


Output Looks Like:


Thank you , for visiting.

Happy Coding!!!

How to split integer and decimal part in java

This is simple tutorials but frequently useful when you developing application in android and software in java.

                                 double d= 234.12413;
String text = Double.toString(Math.abs(d));
int integerPlaces = text.indexOf('.');
int decimalPlaces = text.length() - integerPlaces - 1;
System.out.println("----integerPlaces +integerPlaces+"===decimalPlaces=="+decimalPlaces);