Spring MVC Tutorial - Step 1 (Getting Started & Setting up IDE)

Q. What is Spring MVC
A : The Spring Web model-view-controller (MVC) framework is designed around a DispatcherServlet that dispatches requests to handlers, with configurable handler mappings, view resolution, locale, time zone and theme resolution as well as support for uploading files. The default handler is based on the @Controller and@RequestMapping annotations, offering a wide range of flexible handling methods. With the introduction of Spring 3.0, the @Controller mechanism also allows you to create RESTful Web sites and applications, through the @PathVariable annotation and other features.

Q. How to Start Happy Coding with Spring MVC
A: At first we need to download Eclipse, you can also use another but in this tutorial we are using eclipse IDE, And download the Spring Core from this link : Click here here we are using the 4.2.0 module for spring

Q. I am bored can we lets get directly in the code?
A: :) offcourse lets dive into it lets first create the project in the eclipse. and then just follow the steps:

1. Create a project under the web -> dynamic web project 

2. Name your project then click next and again yes next :) then click the check box called : Generate web.xml deployment descriptor and then click finish.
3. Oh yes the project folder is created now. Now unzip the spring core and copy and paste all the libs material in the project libs folder. (Web-Content -> WEB-INF -> Libs).
4. Now again download the zip file from here extract it and copy the common-logging-1.2.jar to the pevious libs folder.
5. Last but not the least we need a web server like Apache Tomcat, JBoss etc. Here I am using Apache Tomcat server - link

in the text step we will intregate Apache with eclipse fell free to comment if you are stuck anywhere happy Coding :)

    

Jobs: Android Developer in Amazon

Are you looking for big job in big company, here is the amazon have an android developer jobs in different area.



There are many vacany in amazon, but recently there are

 Android Developer,  Sr.Android Developer  , Software Development Engineer, Amazon Flex Android App and many more,

More Jobs Click   Amazon Android Developer Jobs


How to make Round or Circle ImageView in Android or Android studio

Rounded or Circle ImageView in android or andorid studio making some tips and code,

First you have to create RoundedImageView in you app or src folder..
public class RoundedImageView extends ImageView {

    public RoundedImageView(Context context) {
        super(context);
        // TODO Auto-generated constructor stub    }

    public RoundedImageView(Context context, AttributeSet attrs) {
        super(context, attrs);
    }

    public RoundedImageView(Context context, AttributeSet attrs, int defStyle) {
        super(context, attrs, defStyle);
    }

    @Override    protected void onDraw(Canvas canvas) {

        Drawable drawable = getDrawable();

        if (drawable == null) {
            return;
        }

        if (getWidth() == 0 || getHeight() == 0) {
            return;
        }
        Bitmap b =  ((BitmapDrawable)drawable).getBitmap() ;
        Bitmap bitmap = b.copy(Bitmap.Config.ARGB_8888, true);

        int w = getWidth(), h = getHeight();


        Bitmap roundBitmap =  getCroppedBitmap(bitmap, w);
        canvas.drawBitmap(roundBitmap, 0,0, null);

    }

    public static Bitmap getCroppedBitmap(Bitmap bmp, int radius) {
        Bitmap sbmp;
        if(bmp.getWidth() != radius || bmp.getHeight() != radius)
            sbmp = Bitmap.createScaledBitmap(bmp, radius, radius, false);
        else            sbmp = bmp;
        Bitmap output = Bitmap.createBitmap(sbmp.getWidth(),
                sbmp.getHeight(), Config.ARGB_8888);
        Canvas canvas = new Canvas(output);

        final int color = 0xffa19774;
        final Paint paint = new Paint();
        final Rect rect = new Rect(0, 0, sbmp.getWidth(), sbmp.getHeight());

        paint.setAntiAlias(true);
        paint.setFilterBitmap(true);
        paint.setDither(true);
        canvas.drawARGB(0, 0, 0, 0);
        paint.setColor(Color.parseColor("#BAB399"));
        canvas.drawCircle(sbmp.getWidth() / 2+0.7f, sbmp.getHeight() / 2+0.7f,
                sbmp.getWidth() / 2+0.1f, paint);
        paint.setXfermode(new PorterDuffXfermode(Mode.SRC_IN));
        canvas.drawBitmap(sbmp, rect, rect, paint);


        return output;
    }

}
you have to call this java file in your xml to make rounded  or circular image view ,

<co.roundedimageview.RoundedImageView    android:layout_width="200dp"    android:layout_height="200dp"    android:src="@drawable/android"     />

Just like that, you don't need any more.However, if you need to make clickable that image you need this

RoundedImageView riv= new RoundedImageView(this);

and make riv on click just like ImageView.

Initially Image like this;


Output RoundedImageVIew looks like,


Happy Coding !!!

Json parse from webserver in android or android studio

First you have to aware about this, reads a JSON (RFC 4627) encoded value as a stream of tokens. This stream includes both literal values (strings, numbers, booleans, and nulls) as well as the begin and end delimiters of objects and arrays. The tokens are traversed in depth-first order, the same order that they appear in the JSON document. Within JSON objects, name/value pairs are represented by a single token.

Now , How to parse json getting from webserver.

DefaultHttpClient   httpclient = new DefaultHttpClient(new BasicHttpParams());
HttpPost httppost = new HttpPost("http://192.168.1.100/response.php");
httppost.setHeader("Content-type", "application/json");

InputStream inputStream = null;
String result = null;
try {
    HttpResponse response = httpclient.execute(httppost);           
    HttpEntity entity = response.getEntity();

    inputStream = entity.getContent();
    // json is UTF-8 by default
    BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream, "UTF-8"), 8);
    StringBuilder sb = new StringBuilder();

    String line = null;
    while ((line = reader.readLine()) != null)
    {
        sb.append(line + "\n");
    }
    result = sb.toString();
} catch (Exception e) { 
    e.printStack();
}
finally {
    try{
if(inputStream != null)
inputStream.close();
}catch(Exception e){
e.printStack();
}
}

Now you have to create JsonObject


Create a JSONObject like this:

JSONObject jObject = new JSONObject(result);

and parse your requirement.


Happy Coding !!!

Failed to install *.apk on device *: timeout in Android

I faced many times Failed to install *.apk on device *: timeout in Android. So, i have to decided, I tries to clean project many times but unable to solve ,but now how to solve this problem in android.


First you have do this  , change the ADB connection timeout. I think it defaults that to 5000ms and I changed mine to 10000ms to get rid of that problem.

If you are in Eclipse, you can do this by going through

Window -> Preferences -> Android -> DDMS -> ADB Connection Timeout (ms)

If the above solution is working in case your eclipse, do this

Restart the adb server by typing in the cmd:

adb kill-server

adb start-server

Or
simple go to DDMS Perspective and click on Reset adb.

and

There is many way to slove such kind of problem, sometimes it work when you do this

Reboot the phone and completely power down and power up.

Happy Coding !!!

Load or get json from assets and parse in android studio

Basically, when developing app there is data getting from web server, however , here json getting from assets, which is sometimes helpful when static data used in application.

First you have create Assets folder in main.
Right click on app, then select New and go to Folder and click finally you can see assets folder and click, like this



then put json file in assets folder in your app.
Now, in MainActivity,

public class MainActivity extends AppCompatActivity {

    @Override    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);
        Toolbar toolbar = (Toolbar) findViewById(R.id.toolbar);
        setSupportActionBar(toolbar);

        FloatingActionButton fab = (FloatingActionButton) findViewById(R.id.fab);
        fab.setOnClickListener(new View.OnClickListener() {
            @Override            public void onClick(View view) {
//                Snackbar.make(view, "Replace with your own action", Snackbar.LENGTH_LONG)//                        .setAction("Action", null).show();                String jsonString=loadJSONFromAsset();
                Toast.makeText(getApplicationContext(),""+jsonString,Toast.LENGTH_SHORT).show();

            }
        });
    }

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

    public String loadJSONFromAsset() {
        String json = null;
        try {

            InputStream is = getAssets().open("emp.json");

            int size = is.available();

            byte[] buffer = new byte[size];

            is.read(buffer);

            is.close();

            json = new String(buffer, "UTF-8");

        } catch (IOException ex) {
            ex.printStackTrace();
            return null;
        }
        return json;

    }

    @Override    public boolean onOptionsItemSelected(MenuItem item) {
        // Handle action bar item clicks here. The action bar will        // automatically handle clicks on the Home/Up button, so long        // as you specify a parent activity in AndroidManifest.xml.        int id = item.getItemId();

        //noinspection SimplifiableIfStatement        if (id == R.id.action_settings) {
            return true;
        }

        return super.onOptionsItemSelected(item);
    }

and Click FloatAction button you will see json in String.


After you got json as a string, then you have parse as your required.
first you have to convert string in jsonobject.

JSONObject  jsonObject = new JSONObject(jsonString);

In last, you have to parse jsonOject as your preset tag in jsonString, here you have to remember that it will be necessary exactly same inside the "".

JSONObject emp_obj = jsonObject .getJSONObject("employees");

Happy Coding !!!

Top 25 Software jobs Salaries

According to Robert Half Technology,  the 20 positions expected to see the largest salary gains, percentage-wise, between 2015 and 2016 are:


1. Wireless network engineer
2015 salary range: $99,000-$137,500
2016 salary range: $108,750-$150,750
9.7% increase

2. Big data engineer
2015 salary range: $119,250-$168,250
2016 salary range: $129,500-$183,500
8.9% increase

3. Data scientist
2015 salary range: $103,000-$138,250
2016 salary range: $109,000-$153,750
8.9% increase

4. Mobile applications developer
2015 salary range: $107,500-$161,500
2016 salary range: $115,250-$175,750
8.2% increase

5. Data security analyst
2015 salary range: $106,250-$149,000
2016 salary range: $113,500-$160,000
7.1% increase

6. Chief security officer
2015 salary range: $134,250-$204,750
2016 salary range: $140,250-$222,500
7.0% increase

7. Developer/programmer analyst
2015 salary range: $74,250-$129,000
2016 salary range: $80,000-$137,000
6.8% increase

8. Lead applications developer
2015 salary range: $106,250-$148,250
2016 salary range: $110,750-$160,750
6.7% increase

9. Network security engineer
2015 salary range: $105,000-$141,500
2016 salary range: $110,250-$152,750
6.7% increase

10. Senior web developer
2015 salary range: $104,500-$144,250
2016 salary range: $111,250-$154,000
6.6% increase

11. Software engineer
2015 salary range: $96,000-$147,250
2016 salary range: $103,000-$156,250
6.6% increase

12. Software developer
2015 salary range: $85,500-$136,250
2016 salary range: $91,000-$145,250
6.5% increase

13. Data architect
2015 salary range: $119,750-$164,750
2016 salary range: $127,250-$175,500
6.4% increase

14. Applications architect
2015 salary range: $115,750-$159,500
2016 salary range: $121,250-$171,750
6.4% increase

15. Web developer
2015 salary range: $73,500-$122,000
2016 salary range: $78,500-$129,500
6.4% increase

16. Network administrator
2015 salary range: $71,250-$105,750
2016 salary range: $76,250-$112,000
6.4% increase

17. Information systems security manager
2015 salary range: $122,250-$171,250
2016 salary range: $129,750-$182,000
6.2% increase

18. Business intelligence analyst
2015 salary range: $108,500-$153,000
2016 salary range: $113,750-$164,000
6.2% increase

19. Data modeler
2015 salary range: $101,750-$145,250
2016 salary range: $106,750-$155,500
6.2% increase

20. Help desk tier 3
2015 salary range: $55,250-$74,000
2016 salary range: $59,500-$77,750
6.2% increase

No resource found that matches the given name after upgrading to AppCompat v23 in android studio

I have stocked in many times of by taking this No resource found that matches the given name after upgrading to AppCompat v23 in android studio. So, here i have decided to post, it solution for everyone, which is helpful who faced such kind of problem in android studio.

Solution:

Your compile SDK version must match the support library's major version.
Since you are using version 23 of the support library, you need to compile against version 23 of the Android SDK.
Alternatively you can continue compiling against version 22 of the Android SDK by switching to the latest support library v22. (solution from stackoverflow)

Sometime, if not working above solution  please try this,

replace:
          compile 'com.google.android.gms:play-services:+'
to:
          compile 'com.google.android.gms:play-services:8.3.0'

and vice versa.

Then you can continue full targeting API 22

If it still doesn't compile, sometimes is useful to set compileSdkVersion API to 23 and targetSdkVersion to 22.

How to implement CSS file in Android App

Here is the simplest way to implement your CSS file in android application.

WebViews in your native Android app, to display HTML which is packaged with the app, then you can use CSS like in any HTML site.

WebVie webView=(WebView) findViewById(R.id.webViewDetials);
//webView.setBackgroundColor(0x00000000);
webView.getSettings().setJavaScriptEnabled(true);

StringBuilder sb = new StringBuilder();
sb.append("<HTML><HEAD><LINK href=\"http://google.com/css/attribute.css\" type=\"text/css\" rel=\"stylesheet\"/></HEAD><body>");
sb.append(attributes.toString());
sb.append("</body></HTML>");
webView.loadDataWithBaseURL(null, sb.toString(), "text/html", "utf-8", null);

Happy Coding!!!

Programmatically set height and width of Relative and Linear Layout in android

Are you faced to set height and width of Relative layout and Linear layout programmtically in android, here is the simple solution to set height and width of layouts.

First, we have to get height and width of screen and then do these things
 // getting screen size of mobile or tablet devices
 Display display = getWindowManager().getDefaultDisplay();
        Point size = new Point();
        display.getSize(size);
        int width = size.x;
        int height = size.y;
Or

      Display display = getWindowManager().getDefaultDisplay();
      int width = display.getWidth();
      int height = display.getHeight();

Or

     DisplayMetrics metrics = new DisplayMetrics();
     getWindowManager().getDefaultDisplay().getMetrics(metrics);

     metrics.heightPixels;
     metrics.widthPixels;



Linear Layout:
--------------

    final LinearLayout linearLeft = (LinearLayout) findViewById(R.id.left);
    LayoutParams params = linearLeft .getLayoutParams();
// Changes the height and width to the specified *pixels*
    params.width = screenWidth / 2;
 
 
Relative Layout
---------------------
    final RelativeLayout relavtiveLeft = (RelativeLayout) findViewById(R.id.right);
    LayoutParams homeLayoutsparams = relavtiveLeft .getLayoutParams();
    homeLayoutsparams.width = screenWidth / 2;

Happy coding !!!

How to make RATE APP in android

Here is the how to rate app in andorid, are you already publish app on google play then, do this in your app,

first you have to define this RateThisApp.java file in your app folder.

package co.happybirthday;

import android.app.AlertDialog;
import android.content.Context;
import android.content.DialogInterface;
import android.content.DialogInterface.OnCancelListener;
import android.content.DialogInterface.OnClickListener;
import android.content.Intent;
import android.content.SharedPreferences;
import android.content.SharedPreferences.Editor;
import android.net.Uri;
import android.util.Log;

import java.util.Date;


public class RateThisApp {

    private static final String TAG = RateThisApp.class.getSimpleName();

    private static final String PREF_NAME = "RateThisApp";
    private static final String KEY_INSTALL_DATE = "rta_install_date";
    private static final String KEY_LAUNCH_TIMES = "rta_launch_times";
    private static final String KEY_OPT_OUT = "rta_opt_out";

    private static Date mInstallDate = new Date();
    private static int mLaunchTimes = 0;
    private static boolean mOptOut = false;

    private static Config sConfig = new Config();

    public static final boolean DEBUG = false;

    public static void init(Config config) {
        sConfig = config;
    }

    public static void onStart(Context context) {
        SharedPreferences pref = context.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
        Editor editor = pref.edit();
        // If it is the first launch, save the date in shared preference.        if (pref.getLong(KEY_INSTALL_DATE, 0) == 0L) {
            Date now = new Date();
            editor.putLong(KEY_INSTALL_DATE, now.getTime());
            log("First install: " + now.toString());
        }
        // Increment launch times        int launchTimes = pref.getInt(KEY_LAUNCH_TIMES, 0);
        launchTimes++;
        editor.putInt(KEY_LAUNCH_TIMES, launchTimes);
        log("Launch times; " + launchTimes);

        editor.commit();

        mInstallDate = new Date(pref.getLong(KEY_INSTALL_DATE, 0));
        mLaunchTimes = pref.getInt(KEY_LAUNCH_TIMES, 0);
        mOptOut = pref.getBoolean(KEY_OPT_OUT, false);

        printStatus(context);
    }

   
    public static boolean showRateDialogIfNeeded(final Context context) {
        if (shouldShowRateDialog()) {
            showRateDialog(context);
            return true;
        } else {
            return false;
        }
    }

    
    private static boolean shouldShowRateDialog() {
        if (mOptOut) {
            return false;
        } else {
            if (mLaunchTimes >= sConfig.mCriteriaLaunchTimes) {
                return true;
            }
            long threshold = sConfig.mCriteriaInstallDays * 24 * 60 * 60 * 1000L;  // msec            if (new Date().getTime() - mInstallDate.getTime() >= threshold) {
                return true;
            }
            return false;
        }
    }

    public static void showRateDialog(final Context context) {
        AlertDialog.Builder builder = new AlertDialog.Builder(context);
        int titleId = sConfig.mTitleId != 0 ? sConfig.mTitleId : R.string.rta_dialog_title;
        int messageId = sConfig.mMessageId != 0 ? sConfig.mMessageId : R.string.rta_dialog_message;
        builder.setTitle(titleId);
        builder.setMessage(messageId);
        builder.setPositiveButton(R.string.rta_dialog_ok, new OnClickListener() {
            @Override            public void onClick(DialogInterface dialog, int which) {
                String appPackage = context.getPackageName();
                Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse("https://play.google.com/store/apps/details?id=" + appPackage));
                context.startActivity(intent);
                setOptOut(context, true);
            }
        });
        builder.setNeutralButton(R.string.rta_dialog_cancel, new OnClickListener() {
            @Override            public void onClick(DialogInterface dialog, int which) {
                clearSharedPreferences(context);
            }
        });
        builder.setNegativeButton(R.string.rta_dialog_no, new OnClickListener() {
            @Override            public void onClick(DialogInterface dialog, int which) {
                setOptOut(context, true);
            }
        });
        builder.setOnCancelListener(new OnCancelListener() {
            @Override            public void onCancel(DialogInterface dialog) {
                clearSharedPreferences(context);
            }
        });
        builder.create().show();
    }

    private static void clearSharedPreferences(Context context) {
        SharedPreferences pref = context.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
        Editor editor = pref.edit();
        editor.remove(KEY_INSTALL_DATE);
        editor.remove(KEY_LAUNCH_TIMES);
        editor.commit();
    }

   
    private static void setOptOut(final Context context, boolean optOut) {
        SharedPreferences pref = context.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
        Editor editor = pref.edit();
        editor.putBoolean(KEY_OPT_OUT, optOut);
        editor.commit();
    }

    
    private static void printStatus(final Context context) {
        SharedPreferences pref = context.getSharedPreferences(PREF_NAME, Context.MODE_PRIVATE);
        log("*** RateThisApp Status ***");
        log("Install Date: " + new Date(pref.getLong(KEY_INSTALL_DATE, 0)));
        log("Launch Times: " + pref.getInt(KEY_LAUNCH_TIMES, 0));
        log("Opt out: " + pref.getBoolean(KEY_OPT_OUT, false));
    }

   
    private static void log(String message) {
        if (DEBUG) {
            Log.v(TAG, message);
        }
    }

    
    public static class Config {
        private int mCriteriaInstallDays;
        private int mCriteriaLaunchTimes;
        private int mTitleId = 0;
        private int mMessageId = 0;

        public Config() {
            this(7, 10);
        }

       
        public Config(int criteriaInstallDays, int criteriaLaunchTimes) {
            this.mCriteriaInstallDays = criteriaInstallDays;
            this.mCriteriaLaunchTimes = criteriaLaunchTimes;
        }

        
        public void setTitle(int stringId) {
            this.mTitleId = stringId;
        }

        public void setMessage(int stringId) {
            this.mMessageId = stringId;
        }
    }
}

Now you defined required string file in string.xml file.

<string name="rta_dialog_title">Rate this app</string>
<string name="rta_dialog_message">If you enjoy using this app, would you mind taking a moment to rate it? It won\'t take more than a minute. Thank you for your support!</string>
<string name="rta_dialog_ok">Rate now</string>
<string name="rta_dialog_cancel">Later</string>
<string name="rta_dialog_no">No, thanks</string>

Finally, defined in you MainActivity.java file, when click RateApp button.

RateThisApp.showRateDialog(MainActivity.this);

then you have got like this output.

Happy Coding!!!

How to create a Cordova Project

Here is the cordova tutorials in android, how to make make full application.

Steps

  1. Make sure you have an up-to-date version of Node.js installed on your system.
  2. Open Terminal (Mac) or a Command window (Windows), and type the following command to install the Cordova CLI:
    npm install -g cordova
    
    or on a Mac:
    sudo npm install -g cordova
    
    If you already have Cordova installed on your computer, make sure you upgrade to the latest version:
    npm update -g cordova
    
    or
    sudo npm update -g cordova
    
  3. Navigate (cd) to a directory where you store projects on your file system.
  4. Using the Cordova CLI, create a Cordova project named Workshop in a directory named workshop:
    cordova create workshop com.yourname.workshop Workshop
    
  5. Navigate to the project directory:
    cd workshop
    
  6. Add support for the iOS platform (optional)
    To be able to build for the iOS platform, the iOS SDK must be installed on your system. If it's not, you can skip this step and add support for another platform, or simply run the tutorial application in your browser.
    1. Make sure the iOS SDK is available on your system.
    2. On the command line, make sure you are in the workshop directory and type:
      cordova platforms add ios
      
  7. Add support for the Android platform (optional)
    To be able to build for the Android platform, the Android SDK must be installed on your system. If it's not, you can skip this step and add support for another platform, or simply run the tutorial application in your browser.
    1. Make sure the Android SDK and the ant build tool are available on your system. The Android SDK is available here. Both the android and ant tools must be available in your path.
    2. On the command line, make sure you are in the workshop directory and type:
      cordova platforms add android
      
  8. Make sure you are in the workshop directory, and add basic plugins to your projects:
    cordova plugin add org.apache.cordova.device
    cordova plugin add org.apache.cordova.console
    
  9. Examine the directory structure under workshop.
    • The www folder is where you will code your HTML / JavaScript application. Open the index.html file in a browser to see the default application created by the Cordova CLI.
    • The platforms folder is where Cordova will build your application for different platforms (iOS, Android, etc). The contents of this folder will be automatically generated by the Cordova CLI, and you should never edit code in that directory.
    • Plugins are installed in the plugins directory.
    • Application parameters (name, author, etc) are stored in config.xml
More Cordova-tutorial

MediaPlayer stutters at start of mp3 playback in android


     A Local HTTP Streaming Server (LocalHTTPServer) for Android. This version was specifically made to stream encrypted MP3 files using a CipherInputStream to MediaPlayer but should be easily modified to work on ordinary files. It has been tested on API 9+ and works fine on large files (tested on up to 20MB files).

 Here is the simple example,


import java.io.BufferedOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.OutputStream;
import java.net.InetAddress;
import java.net.ServerSocket;
import java.net.Socket;
import java.net.SocketException;
import java.net.SocketTimeoutException;
import java.net.UnknownHostException;
import android.os.AsyncTask;
import android.os.Looper;
import android.util.Log;

public class StreamProxy implements Runnable {

    private static final int SERVER_PORT=8888;

    private Thread thread;
    private boolean isRunning;
    private ServerSocket socket;
    private int port;

    public StreamProxy() {

        // Create listening socket
        try {
          socket = new ServerSocket(SERVER_PORT, 0, InetAddress.getByAddress(new byte[] {127,0,0,1}));
          socket.setSoTimeout(5000);
          port = socket.getLocalPort();
        } catch (UnknownHostException e) { // impossible
        } catch (IOException e) {
          Log.e(TAG, "IOException initializing server", e);
        }

    }

    public void start() {
        thread = new Thread(this);
        thread.start();
    }

    public void stop() {
        isRunning = false;
        thread.interrupt();
        try {
            thread.join(5000);
        } catch (InterruptedException e) {
          e.printStackTrace();
        }
    }

    @Override
      public void run() {
        Looper.prepare();
        isRunning = true;
        while (isRunning) {
          try {
            Socket client = socket.accept();
            if (client == null) {
              continue;
            }
            Log.d(TAG, "client connected");

            StreamToMediaPlayerTask task = new StreamToMediaPlayerTask(client);
            if (task.processRequest()) {
                task.execute();
            }

          } catch (SocketTimeoutException e) {
            // Do nothing
          } catch (IOException e) {
            Log.e(TAG, "Error connecting to client", e);
          }
        }
        Log.d(TAG, "Proxy interrupted. Shutting down.");
      }




    private class StreamToMediaPlayerTask extends AsyncTask<String, Void, Integer> {

        String localPath;
        Socket client;
        int cbSkip;

        public StreamToMediaPlayerTask(Socket client) {
            this.client = client;
        }

        public boolean processRequest() {
            // Read HTTP headers
            String headers = "";
            try {
              headers = Utils.readTextStreamAvailable(client.getInputStream());
            } catch (IOException e) {
              Log.e(TAG, "Error reading HTTP request header from stream:", e);
              return false;
            }

            // Get the important bits from the headers
            String[] headerLines = headers.split("\n");
            String urlLine = headerLines[0];
            if (!urlLine.startsWith("GET ")) {
                Log.e(TAG, "Only GET is supported");
                return false;               
            }
            urlLine = urlLine.substring(4);
            int charPos = urlLine.indexOf(' ');
            if (charPos != -1) {
                urlLine = urlLine.substring(1, charPos);
            }
            localPath = urlLine;

            // See if there's a "Range:" header
            for (int i=0 ; i<headerLines.length ; i++) {
                String headerLine = headerLines[i];
                if (headerLine.startsWith("Range: bytes=")) {
                    headerLine = headerLine.substring(13);
                    charPos = headerLine.indexOf('-');
                    if (charPos>0) {
                        headerLine = headerLine.substring(0,charPos);
                    }
                    cbSkip = Integer.parseInt(headerLine);
                }
            }
            return true;
        }

        @Override
        protected Integer doInBackground(String... params) {

                        long fileSize = GET CONTENT LENGTH HERE;

            // Create HTTP header
            String headers = "HTTP/1.0 200 OK\r\n";
            headers += "Content-Type: " + MIME TYPE HERE + "\r\n";
            headers += "Content-Length: " + fileSize  + "\r\n";
            headers += "Connection: close\r\n";
            headers += "\r\n";

            // Begin with HTTP header
            int fc = 0;
            long cbToSend = fileSize - cbSkip;
            OutputStream output = null;
            byte[] buff = new byte[64 * 1024];
            try {
                output = new BufferedOutputStream(client.getOutputStream(), 32*1024);                           
                output.write(headers.getBytes());

                // Loop as long as there's stuff to send
                while (isRunning && cbToSend>0 && !client.isClosed()) {

                    // See if there's more to send
                    File file = new File(localPath);
                    fc++;
                    int cbSentThisBatch = 0;
                    if (file.exists()) {
                        FileInputStream input = new FileInputStream(file);
                        input.skip(cbSkip);
                        int cbToSendThisBatch = input.available();
                        while (cbToSendThisBatch > 0) {
                            int cbToRead = Math.min(cbToSendThisBatch, buff.length);
                            int cbRead = input.read(buff, 0, cbToRead);
                            if (cbRead == -1) {
                                break;
                            }
                            cbToSendThisBatch -= cbRead;
                            cbToSend -= cbRead;
                            output.write(buff, 0, cbRead);
                            output.flush();
                            cbSkip += cbRead;
                            cbSentThisBatch += cbRead;
                        }
                        input.close();
                    }

                    // If we did nothing this batch, block for a second
                    if (cbSentThisBatch == 0) {
                        Log.d(TAG, "Blocking until more data appears");
                        Thread.sleep(1000);
                    }
                }
            }
            catch (SocketException socketException) {
                Log.e(TAG, "SocketException() thrown, proxy client has probably closed. This can exit harmlessly");
            }
            catch (Exception e) {
                Log.e(TAG, "Exception thrown from streaming task:");
                Log.e(TAG, e.getClass().getName() + " : " + e.getLocalizedMessage());
                e.printStackTrace();                
            }

            // Cleanup
            try {
                if (output != null) {
                    output.close();
                }
                client.close();
            }
            catch (IOException e) {
                Log.e(TAG, "IOException while cleaning up streaming task:");                
                Log.e(TAG, e.getClass().getName() + " : " + e.getLocalizedMessage());
                e.printStackTrace();                
            }

            return 1;
        }

    }
}

Enjoy and make app appropriate for you desire.
Happy Coding!!!

Toast tutorial in Android

Basically , toast is important when you want to display some message to user or to give some notify message whenever user going to wrong direction or going to right direction too. It is also used for when task is completed or done or something getting error.

Lets discuss first , what is the structure in toast.There are two method we can display toast in android, one is programmatically or other is making custom layout.

1. Programmatically display toast method

Toast.makeText(getActivity(), "This is  the Toast message!",    Toast.LENGTH_LONG).show();

 in toast there is two time duration when can toast display in android;

int LENGTH_LONG Show the view or text notification for a long period of time.
int LENGTH_SHORT Show the view or text notification for a short period of time.This is the default.

2.Customize your toast

showToast(getActivity(), "Done");

and function like

public static void showToast(Activity acivity,  String stringToast) {
// TODO Auto-generated method stub

// TODO Auto-generated method stub

// get the LayoutInflater and inflate the custom_toast layout
LayoutInflater inflater = acivity.getLayoutInflater();
View layout = inflater.inflate(R.layout.customtoast, (ViewGroup) acivity.findViewById(R.id.toast_layout_root));

// get the TextView from the custom_toast layout
TextView text = (TextView) layout.findViewById(R.id.custom_toast_message);
text.setText(stringToast);

// create the toast object, set display duration,
// set the view as layout that's inflated above and then call show()
Toast toast = new Toast(acivity);
toast.setDuration(Toast.LENGTH_SHORT);
toast.setGravity(Gravity.CENTER, 0, 0);
toast.setView(layout);
toast.show();

}


Layout looks like
<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@+id/toast_layout_root"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:background="@color/appcolor"
    android:orientation="vertical" >

    <ImageView
        android:id="@+id/custom_toast_image"
        android:layout_width="60dp"
        android:layout_height="40dp"
        android:layout_centerHorizontal="true"
        android:contentDescription="@string/app_name"
        android:src="@drawable/icon" />

    <TextView
        android:id="@+id/custom_toast_message"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_below="@+id/custom_toast_image"
        android:layout_centerHorizontal="true"
        android:layout_margin="10dp"
        android:contentDescription="content display"
        android:text=""
        android:textSize="15sp"
        android:textColor="@color/white" />

</RelativeLayout>

and are you want to more cusomize and learn more about toast , please go to http://developer.android.com/reference/android/widget/Toast.html

Happy Coding :)


Free Developing Android Apps Course



Udacity offers the first course in the Android Developer Nanodegree, Developing Android Apps is the foundation of our advanced Android curriculum. This course blends theory and practice to help you build great apps the right way. In this course, you'll work with instructors step-by-step to build a cloud-connected Android app, and learn best practices of mobile development, and Android development in particular.

Syllabus