appcompat-v7:21.0.0': No resource found that matches the given name: attr 'android:actionModeShareDrawable' in Android

If you faced appcompat-v7:21.0.0': No resource found that matches the given name: attr 'android:actionModeShareDrawable' error on during developing android application.

Here is the solution in Android studio, Eclipse and  IntelliJ IDEA.

Prerequirements
Make sure that you've downloaded the latest extras as well as the Android 5.0 SDK via the SDK-Manager.
Picture of the SDK Manager


Android Studio:

Open the build.gradle file of your app-module and change your compileSdkVersion to 21. It's basically not necessary to change the targetSdkVersion SDK-Version to 21 but it's recommended since you should always target the latest android Build-Version.
In the end you gradle-file will look like this:
android {
    compileSdkVersion 21
    // ...

    defaultConfig {
        // ...
        targetSdkVersion 21
    }
}
Be sure to sync your project afterwards.
Android Studio Gradle Sync reminder


Eclipse:

The only thing you have to do is to open the project.properties file of the android-support-v7-appcompat and change the target from target=android-19 to target=android-21.
Afterwards just do a Project --> Clean... so that the changes take effect.


IntelliJ IDEA:

Right click on appcompat module --> Open Module Settings (F4) --> [Dependency Tab] Select Android API 21 Platform from the dropdown --> Apply
Select API 21 Platform
Then just rebuild the project (Build --> Rebuild Project) and you're good to go.

Sometimes , If above solution doesnot work then try this
Haven't set compileSdkVersion to 21 in your build.gradle file and change targetSdkVersion to 21.
android {
    //...
    compileSdkVersion 21

    defaultConfig {
        targetSdkVersion 21
    }
    //...
}
This requires you to have downloaded the latest SDK updates to begin with.
Android Studio SDK Manager
Once  downloaded all the updates (don't forget to also update the Android Support Library/Repository, too!) and updated your compileSdkVersion, re-sync Gradle project.
Edit: For Eclipse or general IntelliJ users


Happy Coding!!!

How to save, retrieve and remove in android using SharedPreferences

Interface for accessing and modifying preference data returned by getSharedPreferences(String, int). For any particular set of preferences, there is a single instance of this class that all clients share. Modifications to the preferences must go through an SharedPreferences.Editor object to ensure the preference values remain in a consistent state and control when they are committed to storage. Objects that are returned from the various get methods must be treated as immutable by the application.

Save on SharedPreferences

 // Saving Data on Shared preference for offline storage, here store json string in private mode, ie accessiable to only this application  
      public void saveDataOnSharedPreference(Context applicationContext,String JsonSting) {  
           // TODO Auto-generated method stub  
           SharedPreferences settings;  
           Editor editor;  
           settings = applicationContext.getSharedPreferences("JSONPREFERENCES", Context.MODE_PRIVATE); // 1  
           editor = settings.edit(); // 2  
           editor.putString(JSONPPREFSTOREKEY, JsonSting); // 3  
           editor.commit(); // 4  
      }  


Retrieve on SharedPreferences

 // Getting saved data on sharedpreference in android  
      public String getDataFromSharedPreference(Context context) {  
           SharedPreferences settings;  
           String jsonString;  
           settings = context.getSharedPreferences(JSONPREFERENCES, Context.MODE_PRIVATE); // 1  
           jsonString = settings.getString("JSONPREFERENCES", null); // 2  
           return jsonString;  
      }  

Remove on SharedPreferences



      // remove or clear json data from the shared preference, when internet connection is aviable  
      public void removeDataFromSharedPreference(Context applicationContext) {  
           SharedPreferences settings;  
           Editor editor;  
           settings = applicationContext.getSharedPreferences("JSONPREFERENCES", Context.MODE_PRIVATE); // 1  
           editor = settings.edit(); // 2  
           editor.remove("JSONPPREFSTOREKEY"); // 3  
           editor.commit(); // 4  
      }  


Happy Coding !!!

Auto Realizable or Auto Fit TextView in android or android studio

Displays text to the user and optionally allows them to edit it. A TextView is a complete text editor, however the basic class is configured to not allow editing; see EditText for a subclass that configures the text view for editing.

Sometimes, we need auto fit textview, as required input value, Here is the simple tutorials for this.

First method, you have to define layout file,

 <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"  
   android:layout_width="wrap_content"  
   android:layout_height="wrap_content"  
   android:orientation="vertical"  
   android:padding="16dp" >  
   <com.example.autoresizetextview.AutoResizeTextView  
     android:layout_width="match_parent"  
     android:layout_height="100dp"  
     android:ellipsize="none"  
     android:maxLines="2"  
     android:text="Auto Resized Text, maximum 2 lines"  
     android:textSize="100sp" />  
    <com.example.autoresizetextview.AutoResizeTextView  
     android:layout_width="match_parent"  
     android:layout_height="100dp"  
     android:ellipsize="none"  
     android:gravity="center"  
     android:maxLines="1"  
     android:text="Auto Resized Text, maximum 1 line"  
     android:textSize="100sp" />  
  <com.example.autoresizetextview.AutoResizeTextView  
     android:layout_width="match_parent"  
     android:layout_height="100dp"  
     android:ellipsize="none"  
     android:gravity="center"  
     android:maxLines="1"  
     android:text=" maximum 1 line maximum 1 line maximum 1 line maximum 1 line"  
     android:textSize="100sp" />  
   <com.example.autoresizetextview.AutoResizeTextView  
     android:layout_width="match_parent"  
     android:layout_height="wrap_content"  
     android:text="Test Auto Resized Text Any Line"  
     android:textSize="500sp" />  
 </LinearLayout>  


Next Method, you have to create dynamically AutoResizeTextView and add text on that particular Textview .

Now, we create class AutoResizeTextView and put these code

 import android.annotation.TargetApi;  
 import android.content.Context;  
 import android.content.res.Resources;  
 import android.graphics.RectF;  
 import android.os.Build;  
 import android.text.Layout.Alignment;  
 import android.text.StaticLayout;  
 import android.text.TextPaint;  
 import android.util.AttributeSet;  
 import android.util.SparseIntArray;  
 import android.util.TypedValue;  
 import android.widget.TextView;  
 public class AutoResizeTextView extends TextView {  
      private interface SizeTester {  
           /**  
            *   
            * @param suggestedSize  
            *      Size of text to be tested  
            * @param availableSpace  
            *      available space in which text must fit  
            * @return an integer < 0 if after applying {@code suggestedSize} to  
            *     text, it takes less space than {@code availableSpace}, > 0  
            *     otherwise  
            */  
           public int onTestSize(int suggestedSize, RectF availableSpace);  
      }  
      private RectF mTextRect = new RectF();  
      private RectF mAvailableSpaceRect;  
      private SparseIntArray mTextCachedSizes;  
      private TextPaint mPaint;  
      private float mMaxTextSize;  
      private float mSpacingMult = 1.0f;  
      private float mSpacingAdd = 0.0f;  
      private float mMinTextSize = 20;  
      private int mWidthLimit;  
      private static final int NO_LINE_LIMIT = -1;  
      private int mMaxLines;  
      private boolean mEnableSizeCache = true;  
      private boolean mInitiallized;  
      public AutoResizeTextView(Context context) {  
           super(context);  
           initialize();  
      }  
      public AutoResizeTextView(Context context, AttributeSet attrs) {  
           super(context, attrs);  
           initialize();  
      }  
      public AutoResizeTextView(Context context, AttributeSet attrs, int defStyle) {  
           super(context, attrs, defStyle);  
           initialize();  
      }  
      private void initialize() {  
           mPaint = new TextPaint(getPaint());  
           mMaxTextSize = getTextSize();  
           mAvailableSpaceRect = new RectF();  
           mTextCachedSizes = new SparseIntArray();  
           if (mMaxLines == 0) {  
                // no value was assigned during construction  
                mMaxLines = NO_LINE_LIMIT;  
           }  
           mInitiallized = true;  
      }  
      @Override  
      public void setText(final CharSequence text, BufferType type) {  
           super.setText(text, type);  
           adjustTextSize(text.toString());  
      }  
      @Override  
      public void setTextSize(float size) {  
           mMaxTextSize = size;  
           mTextCachedSizes.clear();  
           adjustTextSize(getText().toString());  
      }  
      @Override  
      public void setMaxLines(int maxlines) {  
           super.setMaxLines(maxlines);  
           mMaxLines = maxlines;  
           reAdjust();  
      }  
      public int getMaxLines() {  
           return mMaxLines;  
      }  
      @Override  
      public void setSingleLine() {  
           super.setSingleLine();  
           mMaxLines = 1;  
           reAdjust();  
      }  
      @Override  
      public void setSingleLine(boolean singleLine) {  
           super.setSingleLine(singleLine);  
           if (singleLine) {  
                mMaxLines = 1;  
           } else {  
                mMaxLines = NO_LINE_LIMIT;  
           }  
           reAdjust();  
      }  
      @Override  
      public void setLines(int lines) {  
           super.setLines(lines);  
           mMaxLines = lines;  
           reAdjust();  
      }  
      @Override  
      public void setTextSize(int unit, float size) {  
           Context c = getContext();  
           Resources r;  
           if (c == null)  
                r = Resources.getSystem();  
           else  
                r = c.getResources();  
           mMaxTextSize = TypedValue.applyDimension(unit, size, r.getDisplayMetrics());  
           mTextCachedSizes.clear();  
           adjustTextSize(getText().toString());  
      }  
      @Override  
      public void setLineSpacing(float add, float mult) {  
           super.setLineSpacing(add, mult);  
           mSpacingMult = mult;  
           mSpacingAdd = add;  
      }  
      /**  
       * Set the lower text size limit and invalidate the view  
       *   
       * @param minTextSize  
       */  
      public void setMinTextSize(float minTextSize) {  
           mMinTextSize = minTextSize;  
           reAdjust();  
      }  
      private void reAdjust() {  
           adjustTextSize(getText().toString());  
      }  
      private void adjustTextSize(String string) {  
           if (!mInitiallized) {  
                return;  
           }  
           int startSize = (int) mMinTextSize;  
           int heightLimit = getMeasuredHeight() - getCompoundPaddingBottom() - getCompoundPaddingTop();  
           mWidthLimit = getMeasuredWidth() - getCompoundPaddingLeft() - getCompoundPaddingRight();  
           mAvailableSpaceRect.right = mWidthLimit;  
           mAvailableSpaceRect.bottom = heightLimit;  
           super.setTextSize(TypedValue.COMPLEX_UNIT_PX, efficientTextSizeSearch(startSize, (int) mMaxTextSize, mSizeTester, mAvailableSpaceRect));  
      }  
      private final SizeTester mSizeTester = new SizeTester() {  
           @TargetApi(Build.VERSION_CODES.JELLY_BEAN)  
           @Override  
           public int onTestSize(int suggestedSize, RectF availableSPace) {  
                mPaint.setTextSize(suggestedSize);  
                String text = getText().toString();  
                boolean singleline = getMaxLines() == 1;  
                if (singleline) {  
                     mTextRect.bottom = mPaint.getFontSpacing();  
                     mTextRect.right = mPaint.measureText(text);  
                } else {  
                     StaticLayout layout = new StaticLayout(text, mPaint, mWidthLimit, Alignment.ALIGN_NORMAL, mSpacingMult, mSpacingAdd, true);  
                     // return early if we have more lines  
                     if (getMaxLines() != NO_LINE_LIMIT && layout.getLineCount() > getMaxLines()) {  
                          return 1;  
                     }  
                     mTextRect.bottom = layout.getHeight();  
                     int maxWidth = -1;  
                     for (int i = 0; i < layout.getLineCount(); i++) {  
                          if (maxWidth < layout.getLineWidth(i)) {  
                               maxWidth = (int) layout.getLineWidth(i);  
                          }  
                     }  
                     mTextRect.right = maxWidth;  
                }  
                mTextRect.offsetTo(0, 0);  
                if (availableSPace.contains(mTextRect)) {  
                     // may be too small, don't worry we will find the best match  
                     return -1;  
                } else {  
                     // too big  
                     return 1;  
                }  
           }  
      };  
      /**  
       * Enables or disables size caching, enabling it will improve performance  
       * where you are animating a value inside TextView. This stores the font  
       * size against getText().length() Be careful though while enabling it as 0  
       * takes more space than 1 on some fonts and so on.  
       *   
       * @param enable  
       *      enable font size caching  
       */  
      public void enableSizeCache(boolean enable) {  
           mEnableSizeCache = enable;  
           mTextCachedSizes.clear();  
           adjustTextSize(getText().toString());  
      }  
      private int efficientTextSizeSearch(int start, int end, SizeTester sizeTester, RectF availableSpace) {  
           if (!mEnableSizeCache) {  
                return binarySearch(start, end, sizeTester, availableSpace);  
           }  
           String text = getText().toString();  
           int key = text == null ? 0 : text.length();  
           int size = mTextCachedSizes.get(key);  
           if (size != 0) {  
                return size;  
           }  
           size = binarySearch(start, end, sizeTester, availableSpace);  
           mTextCachedSizes.put(key, size);  
           return size;  
      }  
      private static int binarySearch(int start, int end, SizeTester sizeTester, RectF availableSpace) {  
           int lastBest = start;  
           int lo = start;  
           int hi = end - 1;  
           int mid = 0;  
           while (lo <= hi) {  
                mid = (lo + hi) >>> 1;  
                int midValCmp = sizeTester.onTestSize(mid, availableSpace);  
                if (midValCmp < 0) {  
                     lastBest = lo;  
                     lo = mid + 1;  
                } else if (midValCmp > 0) {  
                     hi = mid - 1;  
                     lastBest = hi;  
                } else {  
                     return mid;  
                }  
           }  
           // make sure to return last best  
           // this is what should always be returned  
           return lastBest;  
      }  
      @Override  
      protected void onTextChanged(final CharSequence text, final int start, final int before, final int after) {  
           super.onTextChanged(text, start, before, after);  
           reAdjust();  
      }  
      @Override  
      protected void onSizeChanged(int width, int height, int oldwidth, int oldheight) {  
           mTextCachedSizes.clear();  
           super.onSizeChanged(width, height, oldwidth, oldheight);  
           if (width != oldwidth || height != oldheight) {  
                reAdjust();  
           }  
      }  
 }  


If you create layout only, then you don;t need any more, just call xml file, but if you want dynamically text then set which line and string on textview.

Output looks like:



Happy Coding !!!


ERROR: In MenuView, unable to find attribute android:preserveIconSpacing in Android

Are you struggling with ERROR: In <declare-styleable> MenuView, unable to find attribute android:preserveIconSpacing in Android using eclipse , this error comes in R.Java files, you clearly see on you project, then don't worry , we have solution for this error.

Steps:
1. Right Click on Project
2. Go to Properties
3. Choose Android
4. Change Below API version then previous(eg. if 5.1.1 then 4.1.2 or other below 5.1.1)
5.and finally clean the project.

However, if above solution did not solve your problem, try next method,
This error comes sometimes because you are using an old Appcompat version .. update Appcompat, to the newer version which is compatible with API 22, then click on fix project properties .

Happy Coding !!!

Dynamic add and remove item on listview in android or android studio

Progammatically add new item and delete existing item on listview, basically apply in when you add item on cart, when making to do list, or any thing important date, person, books, location add or delete of your own list.

First you have to create layout file(activity_main.xml):

 <LinearLayout 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:orientation="vertical"  
   android:padding="10dp"  
   tools:context="com.dynamiclistview.MainActivity" >  
   <LinearLayout  
     android:layout_width="match_parent"  
     android:layout_height="wrap_content"  
     android:orientation="horizontal" >  
     <EditText  
       android:id="@+id/editTextView"  
       android:layout_width="match_parent"  
       android:layout_height="wrap_content"  
       android:layout_weight="1"  
       android:hint="@string/EnterHint" />  
     <ImageView  
       android:id="@+id/imgViewAdd"  
       android:layout_width="wrap_content"  
       android:layout_height="wrap_content"  
       android:onClick="addValue"  
       android:background="@drawable/add"  
        />  
   </LinearLayout>  
   <ListView  
     android:id="@+id/listview"  
     android:layout_width="match_parent"  
     android:layout_height="match_parent"  
     android:layout_weight="1"  
     android:dividerHeight="2dp" >  
   </ListView>  
 </LinearLayout>  

Custom listItem layout file(item.xml),

 <?xml version="1.0" encoding="utf-8"?>  
 <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"  
   android:layout_width="match_parent"  
   android:layout_height="match_parent"  
   android:orientation="horizontal" >  
   <TextView  
     android:id="@+id/tvName"  
     android:layout_width="match_parent"  
     android:layout_height="wrap_content"  
     android:layout_weight="1"  
     android:gravity="left"  
     android:padding="8dp"  
     android:textColor="#000000"  
     android:textSize="18sp" />  
   <ImageView  
     android:id="@+id/imgRemove"  
     android:layout_width="wrap_content"  
     android:layout_height="wrap_content"  
     android:focusable="false"  
     android:background="@drawable/remove" />  
 </LinearLayout>  


Here add and remove ,image you can put in drawable folder, as your required color and size.

Now, In MainActivity, we have write code about to click event of add imageview, whenever you want to add item,MainActivity.Java

 public class MainActivity extends Activity {  
  ListView listView;  
  EditText editTextView;  
  ArrayList<Model> ItemModelList;  
  CustomAdapter customAdapter;  
  @Override  
  protected void onCreate(Bundle savedInstanceState) {  
  super.onCreate(savedInstanceState);  
  setContentView(R.layout.activity_main);  
  listView = (ListView) findViewById(R.id.listview);  
  editTextView = (EditText) findViewById(R.id.editTextView);  
  ItemModelList = new ArrayList<Model>();  
  customAdapter = new CustomAdapter(getApplicationContext(), ItemModelList);  
         listView.setEmptyView(findViewById(R.id.empty));  
  listView.setAdapter(customAdapter);  
  }  
  @SuppressLint("NewApi")  
  public void addValue(View v) {  
  String name = editTextView.getText().toString();  
  if (name.isEmpty()) {  
   Toast.makeText(getApplicationContext(), "Plz enter Values",  
    Toast.LENGTH_SHORT).show();  
  } else {  
   Model md = new Model(name);  
   ItemModelList.add(md);  
   customAdapter.notifyDataSetChanged();  
   editTextView.setText("");  
  }  
  }  
 }  


Now, More details of CustomAdater, where wen define the how to remove and listitem populated style,CustomAdapter .Java

 public class CustomAdapter extends BaseAdapter {  
  Context context;  
  ArrayList<Model> itemModelList;  
  public CustomAdapter(Context context, ArrayList<Model> modelList) {  
  this.context = context;  
  this.itemModelList = modelList;  
  }  
  @Override  
  public int getCount() {  
  return itemModelList.size();  
  }  
  @Override  
  public Object getItem(int position) {  
  return itemModelList.get(position);  
  }  
  @Override  
  public long getItemId(int position) {  
  return position;  
  }  
  @Override  
  public View getView(final int position, View convertView, ViewGroup parent) {  
  convertView = null;  
  if (convertView == null) {  
   LayoutInflater mInflater = (LayoutInflater) context  
    .getSystemService(Activity.LAYOUT_INFLATER_SERVICE);  
   convertView = mInflater.inflate(R.layout.items, null);  
   TextView tvName = (TextView) convertView.findViewById(R.id.tvName);  
   ImageView imgRemove = (ImageView) convertView.findViewById(R.id.imgRemove);  
   Model m = itemModelList.get(position);  
   tvName.setText(m.getName());  
   // click listiner for remove button  
   imgRemove.setOnClickListener(new OnClickListener() {  
   @Override  
   public void onClick(View v) {  
    itemModelList.remove(position);  
    notifyDataSetChanged();  
   }  
   });  
  }  
  return convertView;  
  }  
 }  

Then finally, don;t forget to create model class, Model.java, where you can set getter and setter, but simply we don;t need any more getter and setter, we just create constructor method and assign .
 public class Model {  
  String name;  
  public Model(String name) {  
  this.name = name;  
  }  
 }  


and Last we can see out out like this,






Happy Coding!!!



Convert Dp to Px and Px to Dp in Android or Android Studio

In Android documentation ,

dp( Density-independent Pixels) - An abstract unit that is based on the physical density of the screen.These units are relative to a 160 dpi (dots per inch) screen, on which 1dp is roughly equal to 1px. When running on a higher density screen, the number of pixels used to draw 1dp is scaled up by a factor appropriate for the screen's dpi.

px(Pixels) - Corresponds to actual pixels on the screen. This unit of measure is not recommended because the actual representation can vary across devices; each devices may have a different number of pixels per inch and may have more or fewer total pixels available on the screen.

Here, we discussed about how to convert px to dp and dp to px,

public static int convertPixelToDp(int pixel, Context mContext) {
float pixels = pixel;
// Get the screen's density scale
final float scale = mContext.getResources().getDisplayMetrics().density;
// Convert the dps to pixels, based on density scale
return (int) (pixels * scale + 0.5f);
    }

    public static int convertPixelsToDp(int px, Context context) {
Resources resources = context.getResources();
float dp = px * context.getResources().getDisplayMetrics().density;
return (Math.round(dp));
    }
or
    public static int pxToDp(int px) {
return (int) (px / Resources.getSystem().getDisplayMetrics().density);
    }


More you can learn about pixel and dp from https://www.google.com/design/spec/layout/units-measurements.html#units-measurements-density-independent-pixels-dp-
and
directly convent and see the values: http://labs.rampinteractive.co.uk/android_dp_px_calculator/

Happy Coding !!!

Android N Developer Preview release

Android N Developer Preview, a program that gives you everything you need to test and optimize your apps for the next version of Android. It's free, and you can get started right away just by downloading the N Developer Preview tools.


   The N Developer Preview runs from 9 March 2016 until the final Android N public release to AOSP and OEMs, planned for Q3 2016.
At key development milestones, we’ll deliver updates for your development and testing environment. In general you can expect an update each month (4 to 6 week interval). The milestones are listed below.
  • Preview 1 (initial release, alpha)
  • Preview 2 (incremental update, beta)
  • Preview 3 (incremental update, beta)
  • Preview 4 (final APIs and official SDK, Play publishing)
  • Preview 5 (near-final system images for final testing)
  • Final release to AOSP and ecosystem

How to setup

To develop apps for the Android N Preview, you need to make some updates to your developer environmen


More: http://developer.android.com/intl/vi/preview/index.html

Error parsing data org.json.JSONException: Expected ':' after n in Android or Android Studio

Last time, i got error when trying to parse a JSONObject , then i have found simple mistake during parsing.

It's because i append an "n" at the end of each line here:

        while((line = reader.readLine()) != null) {
            sb.append(line + "n");
        }

then I change to a newline character "\n":

    while((line = reader.readLine()) != null) {
        sb.append(line + "\n");
    }

finally, I solve the problem, hope this may helpful.

Happy Coding !!!

Load Image From Web url in Android or Android Studio

Here, is the tutorial for image url in to the your mobile app.
There are two method, you can choose as your requirement ,  Aquey or direct image load,

1. Image load using direct url

First you have defined , imageview and then load image url in that imageview.

private Bitmap bitmapImage;
private ImageView imageView;
private ProgressDialog pdDialog;

private String imageUrl=""https://www.....png";

In onCreate:

imageView= (ImageView)findViewById(R.id.imgView);
new LoadImageFromUrl ().execute(imageUrl);

now defined LoadImageFromUrl, outsite the onCreate:


 private class LoadImageFromUrl extends AsyncTask<String, String, Bitmap> {
        @Override
        protected void onPreExecute() {
            super.onPreExecute();
            pdDialog = new ProgressDialog(MainActivity.this);
            pdDialog.setMessage("Loading Image From URL ....");
            pdDialog.show();

        }
         protected Bitmap doInBackground(String... args) {
             try {
                   bitmap = BitmapFactory.decodeStream((InputStream)new URL(args[0]).getContent());

            } catch (Exception e) {
                  e.printStackTrace();
            }
            return bitmap;
         }

         protected void onPostExecute(Bitmap image) {

             if(image != null){
             imageView.setImageBitmap(image);
             pDialog.dismiss();

             }else{

             pDialog.dismiss();
             Toast.makeText(MainActivity.this, "Image Does Not exist in such url or Network Error", Toast.LENGTH_SHORT).show();

             }
         }
     }


2. Image Load using Aquery


import com.androidquery.AQuery;

public class AQueryImageLoading extends Activity {
     private AQuery aq;
    ProgressDialog pDialog;
private String imageUrl=""https://www.....png";
    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
     
        aq = new AQuery(this);
               aq.id(R.id.loadProgressDialogBtn).text("Load Image with progress dialog bar").clicked(this, "loadImageFromInternetWithProgressDialogBar");
     
    }
 
    // Call back method for Button - R.id.loadProgressDialogBtn click
    public void loadImageFromInternetWithProgressDialogBar(View image) {
        pDialog= new ProgressDialog(this);
        pDialog.setMessage("Downloading Image from Internet. Please wait...");
        pDialog.setIndeterminate(false);
        pDialog.setMax(100);
        pDialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL);
        pDialog.setCancelable(false);
        Toast.makeText(aq.getContext(), "Download initiated...",Toast.LENGTH_SHORT).show();
        // Display Progress Dialog Bar by invoking progress method
        aq.id(R.id.loadProgressDialogImg).progress(prgDialog).image(imageUrl,false,false);
    }

}



Happy Coding !!!

Scan or read for wireless networks in Android WiFi

This class provides the primary API for managing all aspects of Wi-Fi connectivity. Get an instance of this class by calling Context.getSystemService(Context.WIFI_SERVICE). It deals with several categories of items:

  • The list of configured networks. The list can be viewed and updated, and attributes of individual entries can be modified.
  • The currently active Wi-Fi network, if any. Connectivity can be established or torn down, and dynamic information about the state of the network can be queried.
  • Results of access point scans, containing enough information to make decisions about what access point to connect to.
  • It defines the names of various Intent actions that are broadcast upon any sort of change in Wi-Fi state.
This is the API to use when performing Wi-Fi specific operations. To perform operations that pertain to network connectivity at an abstract level, use ConnectivityManager. Scan for wireless networks in the current area:


import java.util.List;
import android.app.Activity;
import android.content.BroadcastReceiver;
import android.content.Context;
import android.content.Intent;
import android.content.IntentFilter;
import android.net.wifi.ScanResult;
import android.net.wifi.WifiManager;
import android.os.Bundle;
import android.view.Menu;
import android.view.MenuItem;
import android.widget.TextView;

public class WifiTester extends Activity {
  TextView mainText;
  WifiManager mainWifi;
  WifiReceiver receiverWifi;
  List<ScanResult> wifiList;
  StringBuilder sb = new StringBuilder();
  
  public void onCreate(Bundle savedInstanceState) {
   super.onCreate(savedInstanceState);
   setContentView(R.layout.main);
   mainText = (TextView) findViewById(R.id.mainText);
   mainWifi = (WifiManager) getSystemService(Context.WIFI_SERVICE);
   receiverWifi = new WifiReceiver();
   registerReceiver(receiverWifi, new IntentFilter(
      WifiManager.SCAN_RESULTS_AVAILABLE_ACTION));
   mainWifi.startScan();
   mainText.setText("\nStarting Scan...\n");
  }

  public boolean onCreateOptionsMenu(Menu menu) {
    menu.add(0, 0, 0, "Refresh");
    return super.onCreateOptionsMenu(menu);
  }

  public boolean onMenuItemSelected(int featureId, MenuItem item) {
    mainWifi.startScan();
    mainText.setText("Starting Scan");
    return super.onMenuItemSelected(featureId, item);
  }

  protected void onPause() {
    unregisterReceiver(receiverWifi);
    super.onPause();
  }

  protected void onResume() {
    registerReceiver(receiverWifi, new IntentFilter(
       WifiManager.SCAN_RESULTS_AVAILABLE_ACTION));
    super.onResume();
  }
  
  class WifiReceiver extends BroadcastReceiver {
    public void onReceive(Context c, Intent intent) {
    sb = new StringBuilder();
    wifiList = mainWifi.getScanResults();
    for(int i = 0; i < wifiList.size(); i++){
      sb.append(new Integer(i+1).toString() + ".");
      sb.append((wifiList.get(i)).toString());
      sb.append("\n");
    }
    mainText.setText(sb);
    }
  } 
}


More info:
.http://stackoverflow.com/questions/2981751/android-scan-for-wifi-networks
.http://stackoverflow.com/questions/3640981/android-scan-for-wifi-network

How to make ScrollView in Android or Android Studio

The ScrollView class can be used to contain one View that might be to big too fit on one screen. ScrollView will is this case display a scroll bar to scroll the context.

Of course this View can be a layout which can then contain other elements.

Create an android project  with the activity "ScrollView". Create the following layout and class.
 
<?xml version="1.0" encoding="utf-8"?>
<ScrollView xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:fillViewport="true"
    android:orientation="vertical" >

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

        <TextView
            android:id="@+id/TextView01"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content"
            android:paddingLeft="8dip"
            android:paddingRight="8dip"
            android:paddingTop="8dip"
            android:text="This is a header"
            android:textAppearance="?android:attr/textAppearanceLarge" >
        </TextView>

        <TextView
            android:id="@+id/TextView02"
            android:layout_width="wrap_content"
            android:layout_height="match_parent"
            android:layout_weight="1.0"
            android:text="@+id/TextView02" >
        </TextView>

        <LinearLayout
            android:id="@+id/LinearLayout02"
            android:layout_width="wrap_content"
            android:layout_height="wrap_content" >

            <Button
                android:id="@+id/Button01"
                android:layout_width="wrap_content"
                android:layout_height="wrap_content"
                android:layout_weight="1.0"
                android:text="Submit" >
            </Button>

            <Button
                android:id="@+id/Button02"
                android:layout_width="wrap_content"
                android:layout_height="wrap_content"
                android:layout_weight="1.0"
                android:text="Cancel" >
            </Button>
        </LinearLayout>
    </LinearLayout>

</ScrollView> 
 

Now, in Main Class there should be, 
 
public class ScrollView extends Activity {
    

    @Override
    public void onCreate(Bundle savedInstanceState)
       {
         super.onCreate(savedInstanceState);
         setContentView(R.layout.main);
        TextView textView = (TextView) findViewById(R.id.TextView02);
        String string="";
          for (int i=0; i < 100; i++)
           {
                  string += "PrAndroid,com ";
          }
         textView .setText(string);
        }
   }
 

The attribute "android:fillViewport="true" ensures that the scrollview
 is set to the full screen even if the elements are smaller  then one
 screen and the "layout_weight" tell the android system thatthese 
elements should be extended. 
            

Download Samsung Galaxy S2 USB driver for Android

For Android development on real device like Samsung Galaxy S2, you need to install Samsung OEM driver or USB driver. This Android OEM driver documentation will guide you where to download it… but the guide is not easy to follow.

Actually, the “Samsung USB driver” is included in the software called “Samsung Kies or PC Sync“. The following guide will show you how and where to get it.
P.S This example is using Windows 7 and Samsung Galaxy S2.


1. Samsung Phone Model

Most Samsung websites ask about what’s your phone model to download the software. The phone model number is available on the back of your phone, see figure below :
samsung phone model
P.S Picture above is captured from Samsung website.
Note
The phone model number of my Samsung galaxy s2 is “GT-19100“.

2. Samsung Website

Go to Samsung official website : http://www.samsung.com, it will redirect to your local Samsung website automatically. Find “Support” –> “Download“, or something similar.

3. Download Samsung Kies (USB Driver)



Type your phone model number or phone name to find suitable “Samsung Kies” to download. See figure below :
samsung usb driver download
Get “Samsung Kies” and install on your Windows, the “Samsung USB driver” will be installed together.
Done. Now you can debug your Android application on Samsung Galaxy S2.

Sources:- http://www.mkyong.com

Solution: INSTALL_FAILED_INSUFFICIENT_STORAGE error in Android or Android Studio

Update Nov 2024

The INSTALL_FAILED_INSUFFICIENT_STORAGE error in Android or Android Studio typically occurs when your device or emulator runs out of available storage space to install the app. This can happen on both physical devices and Android emulators.

Common Causes:

  1. Device/Emulator Storage Full: If there is not enough free storage space on the device or emulator, this error will occur.

    • Check the device's available storage by going to Settings > Storage.
    • For emulators, you can increase the storage capacity by modifying the AVD (Android Virtual Device) settings.
  2. Large App Size: If your app's APK or bundle size is large and the device has limited storage, it may fail to install.

  3. Cache or Temporary Files: Accumulated cache or temporary files can reduce available storage, especially if the device is heavily used.

  4. App Data/Other Apps Using Space: Other apps on the device, or data from previous app installations, may be consuming space.

Solutions:

  1. Free Up Storage:

    • Uninstall unused apps from the device or emulator.
    • Delete unnecessary files, such as images or videos, from the device storage.
  2. Check Emulator Storage:

    • If you are using an emulator, increase the storage size in the AVD configuration.
      • Open Android Studio.
      • Go to Tools > AVD Manager.
      • Select your emulator and click Edit.
      • Increase the Internal Storage size and apply the changes.
  3. Clean and Rebuild:

    • In Android Studio, try cleaning the project and rebuilding the APK:
      • Go to Build > Clean Project and then Build > Rebuild Project.
  4. Check APK Size:

    • If your APK or app bundle is too large, consider optimizing your app by reducing its size.
      • Use Android App Bundles (AAB) instead of APK for smaller app sizes.
      • Compress images and assets to reduce the overall size.
  5. Clear Cache and Data:

    • Clear the cache and data of the Google Play Store or other relevant apps on the device.
    • On the device, go to Settings > Apps > Google Play Store > Storage and select Clear Cache and Clear Data.
  6. Use a Physical Device:

    • Sometimes emulators may not provide enough storage. If possible, test on a physical device with sufficient free storage.

Additional Debugging Tips:

  • Logcat Output: Check Logcat in Android Studio for any additional error messages that can help diagnose storage issues.
  • Check Disk Usage: Use adb shell or the Android Device Monitor to see disk usage in detail, especially if you're working with an emulator.

By following these solutions, you should be able to resolve the INSTALL_FAILED_INSUFFICIENT_STORAGE error.

 --------------------------------------------------------------------------------------------
Eclipse will sometimes say this:
[2010-11-20 11:41:57 - My Cool Ass Application] Installation error: INSTALL_FAILED_INSUFFICIENT_STORAGE 
[2010-11-20 11:41:57 - My Cool Ass Application] Please check logcat output for more details. 
[2010-11-20 11:41:57 - My Cool Ass Application] Launch canceled!

This is cute and utterly annoying. In fact, this has caused me to completely give up on coding boated Android/Java for the day on a few occasions. waiting for the AVD to reboot – sucks

This Google Groups post says to restart the emulator. Yeah, thanks Google. At first I gave the emulator the benefit of the doubt and thought, “hey, my app has an mp3 compiled into it making it rather big (12MB), maybe I should move the mp3 to the SD Card upon installation or put the mp3 somewhere online and stream it to the system. 

 Then I clicked on     Settings->Applications->Manage Applications and the Android AVD said this:

You do not have any third party applications installed.

After hours of research, I figured out that this error means nothing at all. If you reattempt to upload your project (CTRL+F11) it will not solve the non-existent error. This means that you need to either restart the AVD (Android virtual machine you are testing the project on), or sometimes it gets so bad you need to restart the emulator too. If you still get it, you need to delete the AVD and create a new instance:

  Window->Android SDK AVD Manager->Delete->New...

Sometimes the Error console will say that it just brought the old version to the front screen! This is AFTER you tell the IDE to upload and install a new version. How disrespectful! Speed is another thing to consider. I use CTRL+F11 to hurry up and upload the app to the device and run it. If you edit your XML file to say wrap the contents of the LinearLayout tag in ScrollView tags, this causes Eclipse to slow down to a crawl. Not only that, the project will be loaded into the emulator AVD and you will see a nasty red X next time you go back to the XML to view it and not know why it’s there. – Take your time with this gigantic Cthulhuian slow IDE.

Or 


You need to increase the Android emulator's memory capacity, there are 2 ways for that: 1- Right click the root of your Android Project, go to "Run As" then go to "Run Configurations..." locate the "Android Application" node in the tree at the left, then select your project and go to the "Target" tab on the right side of the window look down for the "Additional Emulator Command Line Options" field (sometimes you'll need to make the window larger) and finally paste "-partition-size 1024" there. Click Apply and then Run to use your emulator. 2- Go to Eclipse's Preferences, then Select “Launch” Add “-partition-size 1024” on the “Default emulator option” field, then click “Apply” and use your emulator as usual.

  Want to see more details about this problem click these links 

 1.http://stackoverflow.com/questions/6788996/installation-error-install-failed-insufficient-storage-during-runing-emulator  

2.http://stackoverflow.com/questions/4709137/solution-android-install-failed-insufficient-storage-error

3. http://stackoverflow.com/questions/5359766/i-have-enough-memory-but-am-getting-the-install-failed-insufficient-storage-erro 

4. http://stackoverflow.com/questions/2239330/how-to-increase-storage-for-android-emulator-install-failed-insufficient-stora 

5. http://groups.google.com/group/android-developers/browse_thread/thread/920db96745cff96f?pli=1   

Sources;- http://google-androidlovers.blogspot.com/

Setting up the Android Studio Proxy

To support running Android Studio behind a firewall, set the proxy settings for the Android Studio IDE and the SDK Manager. Use the Android Studio IDE HTTP Proxy settings page to set the HTTP proxy settings for Android Studio. The SDK Manager has a separate HTTP Proxy settings page.
Android Studio supports HTTP proxy settings so you can run Android Studio behind a firewall or secure network. To set the HTTP proxy settings in Android Studio:
  1. From the main menu choose File > Settings > Appearance & Behavior -- System Settings -- HTTP Proxy.
  2. In Android Studio, open the IDE Settings dialog.
    • On Windows and Linux, choose File > Settings > IDE Setting -- HTTP Proxy.
    • On Mac, choose Android Studio > Preferences > IDE Setting -- HTTP Proxy.
    The HTTP Proxy page appears.
  3. Select auto-detection to use an auto-configuration URL to configure the proxy settings or manual to enter each of the settings. For a detailed explanation of these settings, see HTTP Proxy.
  4. Click Apply to enable the proxy settings.
Android Plugin for Gradle HTTP proxy settings
For application-specific HTTP proxy settings, set the proxy settings in the build.gradle file as required for each application module.
apply plugin: 'com.android.application'

android {
    ...

    defaultConfig {
        ...
        systemProp.http.proxyHost=proxy.company.com
        systemProp.http.proxyPort=443
        systemProp.http.proxyUser=userid
        systemProp.http.proxyPassword=password
        systemProp.http.auth.ntlm.domain=domain
    }
    ...
}

Credit: Official Android Website