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

Some common HTTP methods and status codes

Some common HTTP methods
Method Description Safe Idempotent
GET
Requests a specific representation of a resource
Yes
Yes
PUT
Create or update a resource with the supplied representation
No
Yes
DELETE
Deletes the specified resource
No
Yes
POST
Submits data to be processed by the identified resource
No
No
HEAD
Similar to GET but only retrieves headers and not the body
Yes
Yes
OPTIONS
Returns the methods supported by the identified resource
Yes
Yes

Some common HTTP status codes
Status Range Description Examples
100
Informational
100 Continue
200
Successful
200 OK
201
Created
202
Accepted
300
Redirection
301 Moved Permanently
304
Not Modified
400
Client error
401 Unauthorized
402
Payment Required
404
Not Found
405
Method Not Allowed
500
Server error
500 Internal Server Error
501
Not Implemented



What is the difference between match_parent and fill_parent?

Matt Ball answered in stackoverflow. which is got more upvoted.
    They're the same thing (in API Level 8+). Use match_parent.

    FILL_PARENT (renamed MATCH_PARENT in API Level 8 and higher), which means that the view wants to be as big as its parent (minus padding)
or
fill_parent (renamed match_parent in API Level 8) tells your view to become as big as its parent view group will allow
    fill_parent: The view should be as big as its parent (minus padding). This constant is deprecated starting from API Level 8 and is replaced by match_parent.

this also defined in official android site: developer.android.com/reference/android/view/ViewGroup.LayoutParams.html

How to communicate WCF webservices in android applications

- First you have to create wcf webserices, then you have defines some necessary thing to communicate with wcf.

You have to recognize the following in your wsdl file:

Method Name and Soap Action:


Namespace:

URL:

Download ksoap 2 and import in libs folder in android:
           

To download a file from there, right click on "View raw file" and select "Save Link as" (this label differs for different browsers) and you will get the full jar downloaded.

The latest release artifact would be available at

with a direct download url of

Now you have to defines following java code in your android application:

import org.ksoap2.SoapEnvelope;
import org.ksoap2.serialization.SoapObject;
import org.ksoap2.serialization.SoapPrimitive;
import org.ksoap2.serialization.SoapSerializationEnvelope;
import org.ksoap2.transport.AndroidHttpTransport;
import android.app.Activity;
import android.app.ProgressDialog;
import android.os.AsyncTask;
import android.os.Bundle;
import android.widget.TextView;

public class Test extends Activity {

public class SoapTask extends AsyncTask<Void, Void, Void> {
private final ProgressDialog dialog = new ProgressDialog(Test.this);
protected void onPreExecute() {

this.dialog.setMessage("Checking in...");
this.dialog.show();

}

@Override
protected Void doInBackground(Void... arg0) {
try{
WebServiceCallExample();
}catch (Exception e){
e.printStackTrace();
}
return null;
}

protected void onPostExecute(Void result) {
TextView tv = (TextView) findViewById(R.id.Result);
tv.setText(test_string);
if (this.dialog.isShowing()){
this.dialog.dismiss();
}
}

}

private String test_string;

@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.test);
new SoapTask().execute();
}

@SuppressWarnings("deprecation")
public void WebServiceCallExample() {
final String NAMESPACE = "http://tempuri.org/";
final String URL = "http://yoururl.com/testService.svc";
final String METHOD_NAME = "SayHello";
final String SOAP_ACTION = "http://tempuri.org/IWFPService/SayHello";

SoapObject Request = new SoapObject(NAMESPACE, METHOD_NAME);

/* Set the web service envelope */
SoapSerializationEnvelope envelope = new SoapSerializationEnvelope(SoapEnvelope.VER11);
envelope.dotNet = true;
envelope.setOutputSoapObject(Request);
System.out.println("Request::" + Request.toString());

AndroidHttpTransport androidHttpTransport = new AndroidHttpTransport(URL);
try{
androidHttpTransport.call(SOAP_ACTION, envelope);
//SoapObject response = (SoapObject) envelope.getResponse();
SoapPrimitive sp = (SoapPrimitive) envelope.getResponse();

SoapObject resultsRequestSOAP = (SoapObject) envelope.bodyIn;
System.out.println("Response::" + resultsRequestSOAP.toString());
test_string = sp.toString();
}catch (Exception e){
e.printStackTrace();
}
}
}


test.xml layout file here:

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="fill_parent"
    android:layout_height="fill_parent"
    android:focusable="true"
    android:focusableInTouchMode="true"
    android:orientation="vertical" >


    <TextView
        android:id="@+id/Result"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_marginLeft="7dip"
        android:layout_marginRight="7dip"
        android:gravity="fill_vertical|fill_horizontal"
        android:layout_gravity="center_horizontal"
         android:textSize="24dip" android:text="test"
        android:textStyle="bold" >
    </TextView>

</LinearLayout>


You have got following output:



If you have any Problem please go to these link, which is more helpful for you:
http://stackoverflow.com/questions/tagged/android+ksoap2
https://code.google.com/p/ksoap2-android/wiki/Links
http://www.wsdl2code.com/pages/Example.aspx
http://code.tutsplus.com/tutorials/consuming-web-services-with-ksoap--mobile-21242
http://easywsdl.com/

Temporarily disable orientation changes in an Activity

I have search on internet and test on my device and emulator. I got solution of how to temporarily disable orientation changes in an Activity. Here is the solution which is get various site, specially Stackoverflow.

setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_NOSENSOR);

and then

setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_SENSOR);

 it really works

Go to more:
http://stackoverflow.com/questions/3821423/background-task-progress-dialog-orientation-change-is-there-any-100-working/3821998#3821998

http://stackoverflow.com/questions/3611457/android-temporarily-disable-orientation-changes-in-an-activity/3611554#3611554

Android Emulator Keyboard Commands


Table 1 summarizes the mappings between the emulator keys and the keys of your keyboard.
Table 1. Emulator keyboard mapping
Emulated Device Key Keyboard Key
Home HOME
Menu (left softkey) F2 or Page-up button
Star (right softkey) Shift-F2 or Page Down
Back ESC
Call/dial button F3
Hangup/end call button F4
Search F5
Power button F7
Audio volume up button KEYPAD_PLUS, Ctrl-F5
Audio volume down button KEYPAD_MINUS, Ctrl-F6
Camera button Ctrl-KEYPAD_5, Ctrl-F3
Switch to previous layout orientation (for example, portrait, landscape) KEYPAD_7, Ctrl-F11
Switch to next layout orientation (for example, portrait, landscape) KEYPAD_9, Ctrl-F12
Toggle cell networking on/off F8
Toggle code profiling F9 (only with -trace startup option)
Toggle fullscreen mode Alt-Enter
Toggle trackball mode F6
Enter trackball mode temporarily (while key is pressed) Delete
DPad left/up/right/down KEYPAD_4/8/6/2
DPad center click KEYPAD_5
Onion alpha increase/decrease KEYPAD_MULTIPLY(*) / KEYPAD_DIVIDE(/)


Command Line Parameters


The emulator supports a variety of options that you can specify when launching the emulator, to control its appearance or behavior. Here's the command-line syntax of the options available to the emulator program:
emulator -avd <avd_name> [-<option> [<value>]] ... [-<qemu args>]
Table 2. Emulator command line parameters
s
Category Option Description Comments
AVD -avd <avd_name> or
@<avd_name>
Required. Specifies the AVD to load for this emulator instance. You must create an AVD configuration before launching the emulator. For information, see Managing AVDs with AVD Manager.
Disk Images -cache <filepath> Use <filepath> as the working cache partition image. An absolute or relative path to the current working directory. If no cache file is specified, the emulator's default behavior is to use a temporary file instead. For more information on disk images, use -help-disk-images.
-data <filepath> Use <filepath> as the working user-data disk image. Optionally, you can specify a path relative to the current working directory. If -data is not used, the emulator looks for a file named userdata-qemu.img in the storage area of the AVD being used (see -avd).
-initdata <filepath> When resetting the user-data image (through -wipe-data), copy the contents of this file to the new user-data disk image. By default, the emulator copies the <system>/userdata.img. Optionally, you can specify a path relative to the current working directory. See also -wipe-data. For more information on disk images, use -help-disk-images.
-nocache Start the emulator without a cache partition. See also -cache <file>.
-ramdisk <filepath> Use <filepath> as the ramdisk image. Default value is <system>/ramdisk.img. Optionally, you can specify a path relative to the current working directory. For more information on disk images, use -help-disk-images.
-sdcard <filepath> Use <file> as the SD card image. Default value is <system>/sdcard.img. Optionally, you can specify a path relative to the current working directory. For more information on disk images, use -help-disk-images.
-wipe-data Reset the current user-data disk image (that is, the file specified by -datadir and -data, or the default file). The emulator deletes all data from the user data image file, then copies the contents of the file at -inidata data to the image file before starting. See also -initdata. For more information on disk images, use -help-disk-images.
Debug -debug <tags> Enable/disable debug messages for the specified debug tags. <tags> is a space/comma/column-separated list of debug component names. Use -help-debug-tags to print a list of debug component names that you can use.
-debug-<tag> Enable/disable debug messages for the specified debug tag. Use -help-debug-tags to print a list of debug component names that you can use in <tag>.
-debug-no-<tag> Disable debug messages for the specified debug tag.
-logcat <logtags> Enable logcat output with given tags. If the environment variable ANDROID_LOG_TAGS is defined and not empty, its value will be used to enable logcat output by default.
-shell Create a root shell console on the current terminal. You can use this command even if the adb daemon in the emulated system is broken. Pressing Ctrl-c from the shell stops the emulator instead of the shell.
-shell-serial <device> Enable the root shell (as in -shell and specify the QEMU character device to use for communication with the shell. <device> must be a QEMU device type. See the documentation for '-serial dev' at http://wiki.qemu.org/download/qemu-doc.html for a list of device types. Here are some examples:
  • -shell-serial stdio is identical to -shell
  • -shell-serial tcp::4444,server,nowait lets you communicate with the shell over TCP port 4444
  • -shell-serial fdpair:3:6 lets a parent process communicate with the shell using fds 3 (in) and 6 (out)
  • -shell-serial fdpair:0:1 uses the normal stdin and stdout fds, except that QEMU won't tty-cook the data.
-show-kernel <name> Display kernel messages.
-trace <name> Enable code profiling (press F9 to start), written to a specified file.
-verbose Enable verbose output. Equivalent to -debug-init. You can define the default verbose output options used by emulator instances in the Android environment variable ANDROID_VERBOSE. Define the options you want to use in a comma-delimited list, specifying only the stem of each option: -debug-<tags>.
Here's an example showing ANDROID_VERBOSE defined with the -debug-init and -debug-modem options:
ANDROID_VERBOSE=init,modem
For more information about debug tags, use <-help-debug-tags>.
Media -audio <backend> Use the specified audio backend.
-audio-in <backend> Use the specified audio-input backend.
-audio-out <backend> Use the specified audio-output backend.
-noaudio Disable audio support in the current emulator instance.
-radio <device> Redirect radio modem interface to a host character device.
-useaudio Enable audio support in the current emulator instance. Enabled by default.
Network -dns-server <servers> Use the specified DNS server(s). The value of <servers> must be a comma-separated list of up to 4 DNS server names or IP addresses.
-http-proxy <proxy> Make all TCP connections through a specified HTTP/HTTPS proxy The value of <proxy> can be one of the following:
http://<server>:<port>
http://<username>:<password>@<server>:<port> The http:// prefix can be omitted. If the -http-proxy <proxy> command is not supplied, the emulator looks up the http_proxy environment variable and automatically uses any value matching the <proxy> format described above.
-netdelay <delay> Set network latency emulation to <delay>. Default value is none. See the table in Network Delay Emulation for supported <delay> values.
-netfast Shortcut for -netspeed full -netdelay none
-netspeed <speed> Set network speed emulation to <speed>. Default value is full. See the table in Network Speed Emulation for supported <speed> values.
-port <port> Set the console port number for this emulator instance to <port>. The console port number must be an even integer between 5554 and 5584, inclusive. <port>+1 must also be free and will be reserved for ADB.
-report-console <socket> Report the assigned console port for this emulator instance to a remote third party before starting the emulation. <socket> must use one of these formats: tcp:<port>[,server][,max=<seconds>]
unix:<port>[,server][,max=<seconds>]
Use -help-report-console
to view more information about this topic.
System -cpu-delay <delay> Slow down emulated CPU speed by <delay> Supported values for <delay> are integers between 0 and 1000. Note that the <delay> does not correlate to clock speed or other absolute metrics — it simply represents an abstract, relative delay factor applied non-deterministically in the emulator. Effective performance does not always scale in direct relationship with <delay> values.
-gps <device> Redirect NMEA GPS to character device. Use this command to emulate an NMEA-compatible GPS unit connected to an external character device or socket. The format of <device> must be QEMU-specific serial device specification. See the documentation for 'serial -dev' at http://wiki.qemu.org/download/qemu-doc.html.
-nojni Disable JNI checks in the Dalvik runtime.
-qemu Pass arguments to the qemu emulator software.
Important: When using this option, make sure it is the last option specified, since all options after it are interpretted as qemu-specific options.
-qemu -enable-kvm Enable KVM acceleration of the emulator virtual machine. This option is only effective when your system is set up to use KVM-based VM acceleration. You can optionally specify a memory size (-m <size>) for the VM, which should match your emulator's memory size:
-qemu -m 512 -enable-kvm
-qemu -m 1024 -enable-kvm
-qemu -h Display qemu help.
-gpu on Turn on graphics acceleration for the emulator. This option is only available for emulators using a system image with API Level 15, revision 3 and higher. For more information, see Using the Android Emulator.
-radio <device> Redirect radio mode to the specified character device. The format of <device> must be QEMU-specific serial device specification. See the documentation for 'serial -dev' at http://wiki.qemu.org/download/qemu-doc.html.
-timezone <timezone> Set the timezone for the emulated device to <timezone>, instead of the host's timezone. <timezone> must be specified in zoneinfo format. For example: "America/Los_Angeles"
"Europe/Paris"
-version Display the emulator's version number.
UI -dpi-device <dpi> Scale the resolution of the emulator to match the screen size of a physical device. The default value is 165. See also -scale.
-no-boot-anim Disable the boot animation during emulator startup. Disabling the boot animation can speed the startup time for the emulator.
-no-window Disable the emulator's graphical window display.
-scale <scale> Scale the emulator window. <scale> is a number between 0.1 and 3 that represents the desired scaling factor. You can also specify scale as a DPI value if you add the suffix "dpi" to the scale value. A value of "auto" tells the emulator to select the best window size.
-raw-keys Disable Unicode keyboard reverse-mapping.
-noskin Don't use any emulator skin.
-keyset <file> Use the specified keyset file instead of the default. The keyset file defines the list of key bindings between the emulator and the host keyboard. For more information, use -help-keyset to print information about this topic.
-onion <image> Use overlay image over screen. No support for JPEG. Only PNG is supported.
-onion-alpha <percent> Specify onion skin translucency value (as percent). Default is 50.
-onion-rotation <position> Specify onion skin rotation. <position> must be one of the values 0, 1, 2, 3.
-skin <skinID> This emulator option is deprecated. Please set skin options using AVDs, rather than by using this emulator option. Using this option may yield unexpected and in some cases misleading results, since the density with which to render the skin may not be defined. AVDs let you associate each skin with a default density and override the default as needed. For more information, see Managing Virtual Devices with AVD Manager.
-skindir <dir> This emulator option is deprecated. See comments for -skin, above.
Help -help Print a list of all emulator options.
-help-all Print help for all startup options.
-help-<option> Print help for a specific startup option.
-help-debug-tags Print a list of all tags for -debug <tags>.
-help-disk-images Print help for using emulator disk images.
-help-environment Print help for emulator environment variables.
-help-keys Print the current mapping of keys.
-help-keyset-file Print help for defining a custom key mappings file.
-help-virtual-device Print help for Android Virtual Device usage.