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.