1. For this example I am using php server side code to gather the data from the data base and return it as a Json format. For this we can use the buid in code for php i.e.
json_encode($data);

for eg: (using Codeigniter model)

                $check_sql = "Select * from user where about_status = 1"; //status is flag for the active user
$check = $ci->db->query($check_sql);
$row = $check->result();

echo json_encode($row);

which gives output as:

{
"records": [
  {
    "Name" : "Yubraj Pokharel",
    "City" : "Kathmandu",
    "Country" : "NP"
  },
  {
    "Name" : "Chitra Shrestha",
    "City" : "Pokhara",
    "Country" : "NP"
  },
  {
    "Name" : "Prayag Upd",
    "City" : "California",
    "Country" : "US"
  },
  {
    "Name" : "Sudhan Pokharel",
    "City" : "Nepalgunj",
    "Country" : "NP"
  },
  {
    "Name" : "Mr Tom Cruise",
    "City" : "California",
    "Country" : "US"
  }
]
}

2. calling it from the angular page:

<html>
<head>
<title>Json Data</title>
        call angular js here
</head>
<body>
<div class="container">
<div class="row">
<div class="col-lg-12" ng-app="myApp" ng-controller="customersCtrl"> 
<table class="table">
<tr>
<th>Name</th>
<th>country</th>
</tr>
<tr  ng-repeat="x in names">
     <td>{{ x.Name }} </td>
     <td>{{ x.Country }}</td>
   </tr>
</table>
</div>
</div>
</div>

<script>
var app = angular.module('myApp', []);
app.controller('customersCtrl', function($scope, $http) {
    $http.get("http://localhost/angular/news.php")
    .success(function(response) {$scope.names = response.records;});
});
</script>
</body>
</html>

3. Here it is done enjoy happy coding :)

Single page Web App using Angular JS

Single page Web App using Angular JS



index.html
This is the simple part. We’re using Bootstrap and Font Awesome. Open up your index.html file and we’ll add a simple layout with a navigation bar.

<!doctype html>
<html lang="en">
<head>
  <meta charset="UTF-8">
  <title>Single page web app using Angularjs</title>


<script src="//ajax.googleapis.com/ajax/libs/angularjs/1.3.3/angular.min.js"></script>
 <script src="//cdnjs.cloudflare.com/ajax/libs/angular.js/1.3.3/angular-route.min.js"></script>
  <script src="//ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
  <link rel="stylesheet" href="http://maxcdn.bootstrapcdn.com/bootstrap/3.3.1/css/bootstrap.min.css">
  <script src="//maxcdn.bootstrapcdn.com/bootstrap/3.3.1/js/bootstrap.min.js"></script>
  <script src="script.js"></script>


</head>
<body ng-app="shaharma">

  <div>
      <div>
          <nav class="navbar navbar-inverse" role="navigation" style="padding-left:130px;">
             <ul class="nav navbar-nav">
                <li class="active"><a href="#/">Home<span class="sr-only">(current)</span></a></li>
                <li><a href="#/about">About us</a></li>
                <li><a href="#/about">Read tutorial</a></li>
              </ul>
          </nav>
      </div>

      <br/>

      <div ng-view class="jumbotron"></div> <!-- div where the dynamic page view will be loaded -->

  </div>
</body>

</html>

Injecting Pages into the Main Layout

ng-view is an Angular directive that will include the template of the current route (/home, /about, or /contact) in the main layout file. In plain words, it takes the file we want based on the route and injects it into our main layout (index.html).
We will add the ng-view code to our site in the div#maito tell Angular where to place our rendered pages.

Configure Routes and Views

Since we are making a single page application and we don’t want any page refreshes, we’ll use Angular’s routing capabilities.
Let’s look in our Angular file and add to our application. We will be using $routeProvider in Angular to handle our routing. This way, Angular will handle all of the magic required to go get a new file and inject it into our layout.
For linking to pages, we’ll use the #. We don’t want the browser to think we are actually travelling to about.html or home.html
First, we have to create our module and controller in javascript. We will do that now in script.js.

script.js.
var app = angular.module('shaharma',['ngRoute']);

app.config(function($routeProvider){

      $routeProvider
          .when('/',{
                templateUrl: 'home.html'
          })
          .when('/about',{
                templateUrl: 'about.html',
                controller:'yubrajcontroller'
          });


});

app.controller('yubrajcontroller', ['$scope', '$http', function($scope, $http){   ---[A]
   $scope.message = 'Welcome to Inspire';
   $http.get("http://www.w3schools.com/website/Customers_JSON.php")
.success(function(response) {$scope.names = response;});
}]);


--[A]- description
here we are fetching the json data from the http server which will be shown in the about.html file



about.html.

<div style="padding-left:130px;padding-right:200px;">

<h1>About us page2. {{message}} </h1>

 <p><input type="text" ng-model="searchresult"></p>
<table class="table">
<tr>
<th>Name</th>
<th>City</th>
<th>Country</th>
</tr>
<tr ng-repeat="x in names | filter:searchresult">

<!-- here names comes from the yubrajcontroller which is returning the json data to the about us page -->

<td>{{ x.Name | uppercase }}</td>
<td>{{ x.City | uppercase }}</td>
<td>{{ x.Country | uppercase }}</td>
</tr>

   </table>

 </div>


home.html

 <div style="padding-left:130px;padding-right:200px;">
   <h1>Hello, world!</h1>
  <p>This is simple angular ng-view and ng-route tutorial to demonstrate single page web app development.</p>
  <p>
    This is executed because of this code.
    <pre>
      <code>
        .when('/',{
              templateURl: 'home.html'
        })
      </code>
    </pre>
  </p>
  <p><a class="btn btn-primary btn-lg" href="#" role="button">Read tutorial</a></p>
</div>

--Enjoy

Intregating Polymer With Angular JS Routing

Step 1:
install polymer form its official site polymer-project.org, best way to download polymer is by using
bower : bower install --save Polymer/polymer#^1.0.0

Step 2:
set up your site's main page i.e index.html using the components what you like. You can see the code of my index.html file here

Step 3:
Now add the angular js plugins in the end of header in index page as below
<script src="//ajax.googleapis.com/ajax/libs/angularjs/1.3.3/angular.min.js"></script>
<script src="//cdnjs.cloudflare.com/ajax/libs/angular.js/1.3.3/angular-route.min.js"></script>

Step 4:
Now create angular app by initiating it by using ng-app="shaharma"in the body tag
<body  unresolved class="fullbleed layout vertical" ng-app="shaharma">

Step 5:
We are going to do route by using the hash(#) routing technique. Now update the link tag with # link tag as below:

     <paper-menu class="list" >
          <a href="#/">
            <iron-icon icon="home"></iron-icon>
            <span>Home</span>
          </a>
          <a href="#/about">
            <iron-icon icon="info"></iron-icon>
            <span>Users</span>
          </a>
          <a href="#/contact">
            <iron-icon icon="mail"></iron-icon>
            <span>Contact</span>
          </a>
        </paper-menu>
Now create a file named angular.js where we are going to add the route technique for our website. The final code is here

Step 6:
define a content area where the view are tobe loaded by using  ng-view
<div class="content" ng-view></div>

Step 7:
Now lets create a webelements which are going to be displayed inthe content section during the routing:
inside the elements folder we can see the web components for the different view which can be view here
example : for contact-form view

<dom-module id="contact-form">
  <style is="custom-style">
      paper-card {width: 100%-20px;margin: 10px;}
      #heading{color: #313131;font-size: 16px;font-weight: bold;
      .content.paper-button {padding: 0; }
  </style>
  <template is="dom-bind">
    <h4>Character counter</h4>
    <div class="vertical-section">
      <paper-input label="label" char-counter></paper-input>
      <paper-input label="at most 10 letters" char-counter auto-validate pattern="[a-zA-Z]*" maxlength="10" error-message="letters only!"></paper-input>
      <paper-textarea label="textarea" char-counter></paper-textarea>
      <paper-textarea label="textarea with maxlength" char-counter maxlength="10"></paper-textarea>
      <paper-textarea label="text area with rows and max-rows" rows="3" max-rows="4"><paper-textarea>
    </div>
  </template>

<script>
(function() {
  Polymer({
    is: 'contact-form'
  });
})();
</script>
</dom-module>

Step 8: register all the elements in the single elements.html page
 elements/elements.html
Full working code can be found here and demo can be viewd here

Most Important things you need to know about Mobile Apps

Before getting start to develop or marketing mobile application, you should know about this most important things, which may helpful further.


  1.  An app may be overkill, In some cases, a mobile-optimized website will do the job just fine.
  2. You can't go it alone ! It's only by cultivating partnerships and alliances that you can effectively  create a network of support to help market you app.
  3. Make your device platform choice carefully.
  4. Build relationships , not just apps.
  5. App marketing must be a constant focus, so keep your eye on the prize - always.
  6. Know you audience. Mobile devices are fiercely personal and people expect customized experiences.
  7. Personal privacy is paramount. You must tell your users up front what kind of data about them is being collected.
  8. Be aware of billing solutions,You should choose your payment methods and mechanisms wisely.
  9. Post lunch problems abound, and a multitude of variables can affect how your app performs.
  10. Think big and be useful. Apps server people, so expect the next wave of innovation to focus on utility, not novelty.
Credit: Book "Everything guide to mobile Apps" by Peggy Anne salz and Jennifer moranz

                                               By Online from Amazon


How to open PDF file in Android or Android Studio

Are you making app open pdf file ,here is the sample code that you can integrate in your app make great.

First create PDFTools.java file in Src folder, and paste this code

public class PDFTools {
private static final String GOOGLE_DRIVE_PDF_READER_PREFIX = "http://drive.google.com/viewer?url=";
private static final String PDF_MIME_TYPE = "application/pdf";
private static final String HTML_MIME_TYPE = "text/html";
static Context mcontext;

/**
* If a PDF reader is installed, download the PDF file and open it in a
* reader. Otherwise ask the user if he/she wants to view it in the Google
* Drive online PDF reader.<br />
* <br />
* <b>BEWARE:</b> This method
* @param context
* @param pdfUrl
* @return
*/
public static void showPDFUrl(final Context context, final String pdfUrl) {
mcontext=context;
if (isPDFSupported(mcontext)) {
downloadAndOpenPDF(mcontext, pdfUrl);
} else {
askToOpenPDFThroughGoogleDrive(mcontext, pdfUrl);
}
}

/**
* Downloads a PDF with the Android DownloadManager and opens it with an
* installed PDF reader app.
* @param context
* @param pdfUrl
*/
@TargetApi(Build.VERSION_CODES.GINGERBREAD)
public static void downloadAndOpenPDF(final Context context, final String pdfUrl) {
// Get filename
final String filename = pdfUrl.substring(pdfUrl.lastIndexOf("/") + 1);
// The place where the downloaded PDF file will be put
final File tempFile = new File(context.getExternalFilesDir(Environment.DIRECTORY_DOWNLOADS), filename);
if (tempFile.exists()) {
// If we have downloaded the file before, just go ahead and show it.
openPDF(context, Uri.fromFile(tempFile));
return;
}

// Show progress dialog while downloading
final ProgressDialog progress = ProgressDialog.show(context, context.getString(R.string.pdf_show_local_progress_title),
context.getString(R.string.pdf_show_local_progress_content), true);

// Create the download request
DownloadManager.Request r = new DownloadManager.Request(Uri.parse(pdfUrl));
r.setDestinationInExternalFilesDir(context, Environment.DIRECTORY_DOWNLOADS, filename);
final DownloadManager dm = (DownloadManager) context.getSystemService(Context.DOWNLOAD_SERVICE);
BroadcastReceiver onComplete = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
if (!progress.isShowing()) {
return;
}
context.unregisterReceiver(this);

progress.dismiss();
long downloadId = intent.getLongExtra(DownloadManager.EXTRA_DOWNLOAD_ID, -1);
Cursor c = dm.query(new DownloadManager.Query().setFilterById(downloadId));

if (c.moveToFirst()) {
int status = c.getInt(c.getColumnIndex(DownloadManager.COLUMN_STATUS));
if (status == DownloadManager.STATUS_SUCCESSFUL) {
openPDF(context, Uri.fromFile(tempFile));
}
}
c.close();
}
};
context.registerReceiver(onComplete, new IntentFilter(DownloadManager.ACTION_DOWNLOAD_COMPLETE));

// Enqueue the request
dm.enqueue(r);
}

/**
* Show a dialog asking the user if he wants to open the PDF through Google
* Drive
* @param context
* @param pdfUrl
*/
public static void askToOpenPDFThroughGoogleDrive(final Context context, final String pdfUrl) {
new AlertDialog.Builder(context).setTitle(R.string.pdf_show_online_dialog_title).setMessage(R.string.pdf_show_online_dialog_question)
.setNegativeButton(R.string.pdf_show_online_dialog_button_no, null).setPositiveButton(R.string.pdf_show_online_dialog_button_yes, new OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
openPDFThroughGoogleDrive(context, pdfUrl);
}
}).show();
}

/**
* Launches a browser to view the PDF through Google Drive
* @param context
* @param pdfUrl
*/
public static void openPDFThroughGoogleDrive(final Context context, final String pdfUrl) {
Intent i = new Intent(Intent.ACTION_VIEW);
i.setDataAndType(Uri.parse(GOOGLE_DRIVE_PDF_READER_PREFIX + pdfUrl), HTML_MIME_TYPE);
context.startActivity(i);
}

/**
* Open a local PDF file with an installed reader
* @param context
* @param localUri
*/
public static final void openPDF(Context context, Uri localUri) {
Intent i = new Intent(Intent.ACTION_VIEW);
i.setDataAndType(localUri, PDF_MIME_TYPE);
context.startActivity(i);
}

/**
* Checks if any apps are installed that supports reading of PDF files.
* @param context
* @return
*/
public static boolean isPDFSupported(Context context) {
Intent i = new Intent(Intent.ACTION_VIEW);
final File tempFile = new File(context.getExternalFilesDir(Environment.DIRECTORY_DOWNLOADS), "test.pdf");
i.setDataAndType(Uri.fromFile(tempFile), PDF_MIME_TYPE);
return context.getPackageManager().queryIntentActivities(i, PackageManager.MATCH_DEFAULT_ONLY).size() > 0;
}

}

Now, wherever you want to open pdf file onclick of button or images, make like this


btnPDF.setOnClickListener(new OnClickListener() {

@Override
public void onClick(View v) {

String pdfUrl = "pdfurl";
if (PDFTools.isPDFSupported(context)) {
PDFTools.showPDFUrl(context, pdfUrl);
} else {
                                  Toast.makeText(context, "Please Download PDF Reader",Toast.LENGTH_SHORT).show();

}

}
});

Finally, your pdf will be open.

How to make TextView Blink in android

Sometimes , you should be need the textview blink like a digital clock. here is the simple code for you should make blink textview in android. I have discussed here , mainly 3 methods,

Method 1:

private void blinkTextView(){
    final Handler handler = new Handler();
    new Thread(new Runnable() {
        @Override
        public void run() {
        int timeToBlink = 1000;    //in milissegunds
        try{Thread.sleep(timeToBlink);}catch (Exception e) {}
            handler.post(new Runnable() {
                @Override
                    public void run() {
                    TextView tvBlink = (TextView) findViewById(R.id.textViewBlink);
                    if(tvBlink .getVisibility() == View.VISIBLE){
                        tvBlink .setVisibility(View.INVISIBLE);
                    }else{
                        tvBlink .setVisibility(View.VISIBLE);
                    }
                    blinkTextView();
                }
                });
            }
        }).start();
    }

call the blinkTextView in onCreate, if you want blink textview whenever load application.

Method 2:


TextView tvBlink = (TextView) findViewById(R.id.textViewBlink);

Animation anim = new AlphaAnimation(0.0f, 1.0f);
anim.setDuration(50); //You can manage the blinking time with this parameter
anim.setStartOffset(20);
anim.setRepeatMode(Animation.REVERSE);
anim.setRepeatCount(Animation.INFINITE);
tvBlink .startAnimation(anim);


Method 3:

final ObjectAnimator textColorAnim;

and in onCreate, there should be

TextView blinkText = (TextView) findViewById(R.id.blinkTextView);
blinkTextView(blinkText );

Now definition of above function:

private void blinkTextView(TextView blinkTextView){
       textColorAnim = ObjectAnimator.ofInt(blinkTextView, "textColor", Color.BLACK, Color.TRANSPARENT);
                textColorAnim.setDuration(1000);
                textColorAnim.setEvaluator(new ArgbEvaluator());  
                textColorAnim.setRepeatCount(ValueAnimator.INFINITE);
                textColorAnim.setRepeatMode(ValueAnimator.REVERSE);
                textColorAnim.start();
}


How to validate email address in Android or Android Studio

Email address validation simple the check the given address match of pattern or not. Here is the simple example to validate email,

public final static Pattern EMAIL_ADDRESS_PATTERN = Pattern.compile(
            "[a-zA-Z0-9+._%-+]{1,256}" +
            "@" +
            "[a-zA-Z0-9][a-zA-Z0-9-]{0,64}" +
            "(" +
            "." +
            "[a-zA-Z0-9][a-zA-Z0-9-]{0,25}" +
            ")+"
        );

public static boolean checkEmail(String email) {
        return EMAIL_ADDRESS_PATTERN.matcher(email).matches();
    }

Here checkEmail Address take parameter email and it return true or false, if email address valid then true otherwise it return false boolean value.

----------------------------------------------------------------------------

There are another method, Java Regex : Validate Email Address

String regex = "^(.+)@(.+)$";
//or
//String regex = "^[A-Za-z0-9+_.-]+@(.+)$";
//or
//String regex = "^[a-zA-Z0-9_!#$%&'*+/=?`{|}~^.-]+@[a-zA-Z0-9.-]+$";
//or
//String regex = "^[a-zA-Z0-9_!#$%&'*+/=?`{|}~^-]+(?:\\.[a-zA-Z0-9_!#$%&'*+/=?`{|}~^-]+)*@[a-zA-Z0-9-]+(?:\\.[a-zA-Z0-9-]+)*$";
//or
// personally, i recommend this.
//String regex = "^[\\w!#$%&'*+/=?`{|}~^-]+(?:\\.[\\w!#$%&'*+/=?`{|}~^-]+)*@(?:[a-zA-Z0-9-]+\\.)+[a-zA-Z]{2,6}$";
Pattern pattern = Pattern.compile(regex);

public static boolean checkEmail(String email) {
         Matcher matcher = pattern.matcher(email);
        return matcher.matches();
    }

---------------------------------------------------------------------------
You can use this ,

public static boolean isValidEmailAddress(String email) {
   boolean result = true;
   try {
      InternetAddress emailAddr = new InternetAddress(email);
      emailAddr.validate();
   } catch (AddressException ex) {
      result = false;
   }
   return result;
}


you can use this plugin also for email suggester: https://github.com/Fewlaps/quitnow-email-suggester

validation in UI, here is the simple tutorials, https://android-arsenal.com/details/1/1605

Samsung Galaxy S7 and Galaxy S7 Edge Features, Prices and Specification

The Galaxy S7 and Galaxy S7 Edge both accept MicroSD cards, allowing their storage to be expanded, and can also be submerged underwater.

In addition, they feature new gaming tech and a rear camera that should cope better in low-light conditions.

The Galaxy S7 display is a 5.1-inch QHD unit with QHD resolution (2,560 x 1440 pixels). It's a real beast – easily one of the brightest screens in the Android world, and eye-wateringly so on the highest setting.

specifications of Galaxy S7

Model Name Galaxy S7
Display 5.1 inch Display (1440 X 2560 Resolution)
(Super AMOLED, Force Touch with  TouchWIZ UI)
Processor Octa Core Snapdragon 820,
Exynos 8890, 64 bit Chipset
Dimensions 142.4 X 69.6 X 7.9 mm, 152 grams
SIM Nano SIM, Samsung Pay
Protection Corning Gorilla Glass 5,
IP68 Water & Dust Resistance
GPU Adreno 530, Mali-T880 MP12
~577 ppi pixel density
OS Android v6.0 (Marshmallow OS)
RAM 4 GB
Memory 32 and 64 GB,
Micro SD up to 200 GB
Camera 12 MP f/1.7 primary camera, 26 mm
5 MP Front facing camera with Dual Video call
Networking 2G, 3G, 4G LTE, HSPA, GSM support
v4.2 Bluetooth, NFC, Wi-Fi, A-GPS, GLONASS
Sensors Fingerprint, Retina Scanner, Auto HDR, Gyro, OIS,
Accelerometer, Barometer, Proximity, Heart Rate etc.
Battery 3000 mAh Non-Removable Battery
Colors Black, Silver, Gold, White
Release date February 21, 2016

Samsung Galaxy S7 Edge specifications

  • 5.5 inch SUPER AMOLED
  • 1440 X 2560 pixels, ~534 ppi
  • 150.9 X 72.6 X 7.7 mm, 157 grams
  • Android v6.0 Marshmallow
  • Curved Edge display
  • Snapdragon 820, Exynos 8890 Octa
  • 4GB RAM, 32 / 64 GB, micro SD up to 200 GB
  • 12 MP primary camera
  • 5 MP front camera
  • 3600 mAh non-removable battery

Battery Life:
Stop waiting for your phone to charge. With fast wireless charging2, the Galaxy S7 powers up from 0 to 100% in no time. And with our biggest battery yet3, the Galaxy S7 gives you the power to keep going.

Operating System:

Things just got sweeter. The Galaxy S7 edge & Galaxy S7 are now powered by the latest Android Marshmallow OS. So you have the power to do more.

Expandable Memory:

Running out of memory shouldn't be a thing. So if 32GB4 isn't already enough, you can add an additional 200GB with a microSD card.5 No clouds, no hard drives.

Enhanced camera:

The first smartphone with dual-pixel technology has a fast autofocus for less blur and a new advanced sensor for catching details in low light. Capture moments as you actually see them.

Water -resistance:

You can't live without water or your smartphone, which is why the Galaxy S7 edge & Galaxy S7 has an IP68 rating. That means it repels spills, splashes and even dunks so you can save the rice for cooking.


Prices:
It was  revealed that the Samsung Pay smart wallet service would be expanded to the UK, Australia, Brazil, Canada, China, Singapore and Spain this year.

Australia: AU $ 1,245
Germany: €840
Belgium: €840
US: $999
UK: $999
Canada: $999
Italy: €840
Denmark: 6240 Danish Krone
South Africa: 11,145 South African Rand
Indonesia: 11,542,264 Indonesian Rupiah
Malaysia: 3,652 Malaysian Ringgit
India: Rs 68,500




More Details: 
http://www.samsung.com/us/explore/galaxy-s7-features-and-specs/
http://www.igalaxys7.com/


Image Convert to Bitmap, ByteArray, Drawable in Android or Android studio

Sometimes we stocked during image processing in android in to ImageView, if will be be through exception.

Here is the some image convert in to bitmap and reverse process.

Convert Drawable image in to bitmap:

Bitmap profimeBitmap = BitmapFactory.decodeResource(getResources(), R.drawable.profile);

Another methods, if above not working

public Bitmap convertToBitmap(Drawable profile, int widthPixels, int heightPixels) {
     Bitmap profileBitmap = Bitmap.createBitmap(widthPixels, heightPixels, Bitmap.Config.ARGB_8888);
    Canvas canvas = new Canvas(profileBitmap);
    profile.setBounds(0, 0, widthPixels, heightPixels);
    profile.draw(canvas);

    return profileBitmap;
}

Getting Bitmap from image url

public static Bitmap getBitmapFromURL(String src) {
    try {
        URL url = new URL(src);
        HttpURLConnection connection = (HttpURLConnection) url.openConnection();
        connection.setDoInput(true);
        connection.connect();
        InputStream input = connection.getInputStream();
        Bitmap myBitmap = BitmapFactory.decodeStream(input);
        return myBitmap;
    } catch (IOException e) {
        e.printStackTrace();
        return null;
    }
}

Convert Bitmap type image to Drawable,

Drawable drawableProfile = new BitmapDrawable(getResources(), bitmapProfile);


Covert Bitmap to BitmapDrawable

BitmapDrawable bdProfile= new BitmapDrawable(bitmapProfile);


Retrive Bitmap when you set bitmap image on imageview,

imageView.setImageBitmap(profileBitmap);

Now, getting bitmap from imageView ,

Bitmap bitmapProfile = ((BitmapDrawable)imageView.getDrawable()).getBitmap();


Convert from bitmap to byte array:

public byte[] getBytesFromBitmap(Bitmap bitmap) {
    ByteArrayOutputStream stream = new ByteArrayOutputStream();
    bitmap.compress(CompressFormat.JPEG, 70, stream);
    return stream.toByteArray();
}

Convert SD Card Image to Bitmap to Byte Array:

String path="/path/images/image.jpg";

public byte[] getBytesFromBitmap(String path) {
    Bitmap bitmap = BitmapFactory.decodeFile(path);
   ByteArrayOutputStream blob = new ByteArrayOutputStream();
   bitmap.compress(CompressFormat.PNG, 0 , blob);
   byte[] bitmapdata = blob.toByteArray();
   return bitmapdata;
}


Convert from byte array to bitmap:

Bitmap bitmapProfile = BitmapFactory.decodeByteArray(bitmapbyteArraydata , 0, bitmapbyteArraydata .length);

OR

public Bitmap ByteArrayToBitmap(byte[] byteArray)
    {
        ByteArrayInputStream arrayInputStream = new ByteArrayInputStream(byteArray);
        Bitmap bitmapProfile = BitmapFactory.decodeStream(arrayInputStream);
        return bitmapProfile;
    }




How to make custom button in android or android studio

Button in android most important part in android application, here is the simple procedure to make custom button in android or android studio, android when click button it will be change its color when onclick, release state .

First step:
In drawable folder you have to make custom button using selector.



------------------------
Blue Button
----------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#449def" />
            <stroke
                android:width="1dp"
                android:color="#2f6699" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#449def"
                android:endColor="#2f6699"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#2f6699" />
            <corners
                android:radius="4dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>

Red Button
-------------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#ef4444" />
            <stroke
                android:width="1dp"
                android:color="#992f2f" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#ef4444"
                android:endColor="#992f2f"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#992f2f" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>

Purpal button
------------------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#a276eb" />
            <stroke
                android:width="1dp"
                android:color="#6a3ab2" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#a276eb"
                android:endColor="#6a3ab2"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#6a3ab2" />
            <corners
                android:radius="4dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>

Green Button
---------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#70c656" />
            <stroke
                android:width="1dp"
                android:color="#53933f" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#70c656"
                android:endColor="#53933f"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#53933f" />
            <corners
                android:radius="4dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>

Yello Button
------------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#f3ae1b" />
            <stroke
                android:width="1dp"
                android:color="#bb6008" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#f3ae1b"
                android:endColor="#bb6008"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#bb6008" />
            <corners
                android:radius="4dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>

Black Button
----------------
<?xml version="1.0" encoding="utf-8"?>
<selector xmlns:android="http://schemas.android.com/apk/res/android">
    <item android:state_pressed="true" >
        <shape>
            <solid
                android:color="#343434" />
            <stroke
                android:width="1dp"
                android:color="#171717" />
            <corners
                android:radius="3dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
    <item>
        <shape>
            <gradient
                android:startColor="#343434"
                android:endColor="#171717"
                android:angle="270" />
            <stroke
                android:width="1dp"
                android:color="#171717" />
            <corners
                android:radius="4dp" />
            <padding
                android:left="10dp"
                android:top="10dp"
                android:right="10dp"
                android:bottom="10dp" />
        </shape>
    </item>
</selector>


Now, you can set button these drawable in two methods,

1. From layout of button
----------------
android:background="@drawable/btn_black

1. Programmatically
-----------
buttonBlack.setBackgroundResource(R.drawable.btn_black);
like other colors.


Output looks like:


Happy Coding !!!

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 !!!