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);