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

The Best Companies For Internships all over the world

With more than 27,500 open internships across the U.S., according to Glassdoor data, now is the time for college students and young professionals to apply to summer internships. Glassdoor combed through thousands of company reviews shared by interns over the past year to identify the companies that offer the best experience, revealing its fourth annual report of the 25 Highest Rated Companies for Internships in 2015.

See what other companies cracked the top 25:

Sources; GlassDoor

Android Studio - No JVM Installation found

When you try to launch it after installation  you are getting this error:



No JVM Installation found. Please install a 64 bit JDK.

Let us assume, current system specification:

Operating System: Windows 8.0 64 bit version
JDK installed: JDK 1.8.0

Tried setting all kind of paths but nothing worked. So you had to do some dirty fix. The only problem with this is that it opens a blank command line window.

Adding a system variable JDK_HOME with value C:\Program Files\Java2\jdk1.8.0\ worked for me. The latest Java release can be downloaded here.

Additionally, make sure the variable JAVA_HOME is also set with the above location.

OR
Did the following to make it work.
  • goto the AndroidStudio installation folder.
  • goto bin folder and open studio.bat in text editor
  • add set JAVA_HOME=C:\Program Files\Java2\jdk1.8.0//your java path after the ECHO line.
  • goto Start -> All Programmes -> Android Studio ->
  • right click on Android Studio and click on properties.
  • You will see the Target something like <installation path>android-studio\bin\studio64.exe
  • change it to <installation path>android-studio\bin\studio.bat

Now you can access it by clicking it from the menu.


Read String and string array value from string.xml in android?

A string resource provides text strings for your application with optional text styling and formatting. There are three types of resources that can provide your application with strings:
String
XML resource that provides a single string.
String Array
XML resource that provides an array of strings.
Quantity Strings (Plurals)
XML resource that carries different strings for pluralization.

All strings are capable of applying some styling markup and formatting arguments. For information about styling and formatting strings, see the section about Formatting and Styling.

String:

<?xml version="1.0" encoding="utf-8"?>
    <resources>
        <string
            name="string_name">text_string</string>
    </resources>

getting string like this on activity:

String mess = getResources().getString(R.string.string_name);

String Array:


<string-array name="tabs_names"> 
<item>My Tab 1</item>
<item>My Tab 2</item>
</string-array>

getting string array like this on activity:

String[] tab_names = getResources().getStringArray(R.array.tab_names);

Happy Coding!!

How to declare global variables in Android?


Sometimes you have need define or declare most of the variable globally access, in such senario you have define or declare global variable like this which is simple, sooniln define on stackoverflow very simple way:

class MyApp extends Application {

  private String myState;

  public String getState(){
    return myState;
  }
  public void setState(String s){
    myState = s;
  }
}

Now to you have to access above defined variable before you have setStatus.

class Blah extends Activity {

  @Override
  public void onCreate(Bundle b){
    ...
    MyApp appState = ((MyApp)getApplicationContext());
    String state = appState.getState();
    ...
  }
}


Happy Coding!!!


Create Yes/No Dialog Box in Android

Are you wan to  create  Yes/No Dialog Box in Android. Here is the simple example to create yes / no dialog box when button click event.

first you have to defined on xml file:

<?xml version="1.0" encoding="utf-8"?>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="match_parent" >

    <Button
        android:id="@+id/button1"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:layout_centerHorizontal="true"
        android:layout_centerVertical="true"
        android:text="CreateYesNo" />

</RelativeLayout>


Now , Define button and click with  display dialog box .

public class YesNoButton extends Activity {
/* (non-Javadoc)
 * @see android.app.Activity#onCreate(android.os.Bundle)
 */
Button btnYesNo;
@Override
protected void onCreate(Bundle savedInstanceState) {
// TODO Auto-generated method stub
super.onCreate(savedInstanceState);
setContentView(R.layout.yesno);
btnYesNo=(Button) findViewById(R.id.button1);
btnYesNo.setOnClickListener(new View.OnClickListener() {

@Override
public void onClick(View v) {
displayYesNo();

}
});
}

protected void displayYesNo() {
DialogInterface.OnClickListener dialogClickListener = new DialogInterface.OnClickListener() {
   @Override
   public void onClick(DialogInterface dialog, int which) {
       switch (which){
       case DialogInterface.BUTTON_POSITIVE:
           //Yes button clicked
        Toast.makeText(getApplicationContext(), "Yes Button Click", Toast.LENGTH_SHORT).show();
           break;

       case DialogInterface.BUTTON_NEGATIVE:
           //No button clicked
        Toast.makeText(getApplicationContext(), "NO Button Click", Toast.LENGTH_SHORT).show();
           break;
       }
   }
};

AlertDialog.Builder builder = new AlertDialog.Builder(this);
builder.setMessage("Are you sure?").setPositiveButton("Yes", dialogClickListener)
   .setNegativeButton("No", dialogClickListener).show();

}
}

Here is the snapshots of this application:



Happy Coding!!!

Uninstall app from android code

Are you want to uninstall app from you code, here is the snap code.

package com.example.packageName;

public class UninstallApp extends Activity {


private Button btn;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);

btn=(Button) findViewById(R.id.btn_next);
btn.setOnClickListener(new View.OnClickListener() {

@Override
public void onClick(View v) {

Intent intent = new Intent(Intent.ACTION_DELETE);
or 
///Intent intent = new Intent(Intent.ACTION_UNINSTALL_PACKAGE);
intent.setData(Uri.parse("package:com.example.packageName"));
startActivity(intent);

}
});

Here is the snapshots of this app:


 Click Ok for uninstall app and Cancel for cancel dialog box.

Happy Coding!!!

Problem and Solution: Background ListView becomes black when scrolling after populated data on list


I have faced background ListView becomes black when scrolling after populated data on list, after that i have  found easy solution from stackoverflow.


Add an attribute on the ListView Tag

android:cacheColorHint="#00000000"

More details about this problem, go to android blog: http://android-developers.blogspot.com/2009/01/why-is-my-list-black-android.html

or alternate solutions , may be if the above trick not working then try this:

It's very simple just use this line in your layout file :

android:scrollingCache="false"
l
ike this:

<ListView 
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:scrollingCache="false"
/>

finally, both of the above not working try this also:

list.setCacheColorHint(Color.TRANSPARENT);
list.requestFocus(0);


if all the above not working then please visit:  http://developer.android.com/reference/java/util/List.html
and
http://developer.android.com/guide/topics/ui/layout/listview.html

Happy Coding!!!

How to make blink image when click button

Here is the simple way to make blinking image when click button:

public class BlinkImage extends Activity {
private Button btnClick;
private ImageView imgBlink;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.blink);
btnClick=(Button)findViewById(R.id.button1);
imgBlink=(ImageView)findViewById(R.id.imageView1);
btnClick.setOnClickListener(new View.OnClickListener() {

@Override
public void onClick(View v) {
// TODO Auto-generated method stub
blinkblinkImage();
}
});

}
protected void blinkblinkImage() {

Animation animation = new AlphaAnimation(1, 0); // Change alpha
    // from fully
    // visible to
    // invisible
    animation.setDuration(500); // duration - half a second
    animation.setInterpolator(new LinearInterpolator()); // do not alter
    // animation
    // rate
    animation.setRepeatCount(Animation.INFINITE); // Repeat animation
    // infinitely
    animation.setRepeatMode(Animation.REVERSE); // Reverse animation at

    imgBlink.startAnimation(animation);

}
}


Sample outputs:




Happy Coding!!!

Most Common Java Errors or Exceptions


Capitalisation of key words

Since you get into the habit of writing class names in capital letters you will occasionally find yourself writing keywords such as class andint with a capital beginning letter. The compiler will object to this and will issue an error message which depends on which keyword was capitalised. The compiler will issue an error message such as:
Line nn: class or interface declaration expected
when, for example, you capitalise the keyword class.

Writing a string over a new line

Sometimes you will need to write a long string. A common error is to have a new line embedded in the string. The compiler will object to this and will issue an error message such as:
Line nn: ';' expected
When this happens the solution is to split the string into two, making sure that neither string has a new line in it, and concatenate them with +. Thus you might replace:
String s = "A very long string which just happens to go over the end of a 
line and causes a problem with the compiler";
with:
String s = "A very long string which just happens to go over the end "+
"of a line and causes a problem with the compiler"

Missing brackets in a no-argument message

When you use a method which has no arguments you should place brackets after the name of the method. For example, if you have declared a method carryOut with no arguments and you want to send a message corresponding to the method to the object objSend then you should code this as:
objSend.carryOut()
rather than:
objSend.carryOut 
The compiler will usually emit an error message of the form:
Line nn: Invalid expression statement

Forgetting to import a package

This one of the most common errors that inexperienced Java programmers make. If you forget to put the required import statement at the beginning of a program, then the compiler will respond with a message such as:
Line nn: Class xxxx not found in type declaration
Don't forget, though, that java.lang is imported automatically and, hence, does not need an import statement.

Treating a static method as if it were an instance method

Static methods are associated with messages sent to classes rather than objects. A common error is to send static method messages to objects. For example, in order to calculate the absolute value of an int value and place it into the int variable you should write:
int result = Math.abs(value);
rather than:
int result = value.abs();
This gives rise to a variety of syntax errors. The most common one is of the form:
Line nn: Method yyyy not found in class xxxx.
where yyyy is the name of the method and xxxx is the name of the class within which it is called.

Case-sensitive errors with classes

This is another category of error which is very common. Java is case sensitive so, for example, it will not recognise string as a valid type in the language as you should have written String. It will generate an error message of the form:
Line nn: Class xxxx not found in type declaration.
where xxxx is the name of the class which has not been given the correct capitalisation.

Case-sensitive errors with variables

It is also quite easy to miss the fact that variables are case sensitive. For example, you may have declared the variable linkEdit as an int and then tried to refer to linkEdit within a class. This gives rise to error messages of the form
Line nn: Undefined variable: xxxx
where xxxx is the name of the variable which has been mistyped.

Missing } brackets

This is a common programming error in any programming language and can be eradicated by means of a proper indentation scheme.

Missing class brackets

A common bracketing error that you will often make is to omit the final } bracket that delimits the end of a class.

Writing the wrong format for a class method

Class methods have the form:
ClassName.MethodName(Argument(s))
A common error is to forget the class name. If you do, then you will get an error message of the form:
Line nn: '}' expected

Specifying method arguments wrongly

When you define classes you should prefix each argument with the name of a scalar type or the name of an existing class. For example:
public void tryIt(int a, int b, URL c)
A common error that programmers from other languages make is to forget to prefix every argument with its type. For example, an erroneous version of the definition above would be:
public void tryIt(int a, b URL c)
This type of error will give rise to error messages of the form:
Line nn: Identifier expected

Forgetting the fact you should send messages to objects

This is a common error committed by programmers who have only recently changed to object-oriented programming. As an example of this consider the method tryIt, which has two int arguments and which delivers an int value. Assume that this method is involved in sending a message to an object destination. This should be written as:
int newVal = destination. tryIt(arg1, arg2)
where the arguments are ints which have been declared somewhere. A common mistake is to write this as:
int newVal = tryIt(destination, arg1,arg2)
This gives rise to error messages of the form:
Line nn: ')' expected

Assuming that == stands for value equality

== is used with scalars as a means of comparing values. However, when it is applied to objects then it compares addresses. For example, the if statement:
if(newObj1 == newObj2){
...
}
will execute the code denoted by the three dots only if the first object occupies the same address as the second object. If the objects occupied different addresses, but still had the same values for their instance variables, then it would evaluate to false. Unfortunately this does not give rise to any syntax errors, but will show up when any program containing the error is executed.

Omitting void in methods

When a method returns no result, but just carries out some action, you need to use the keyword void in front of the name of the method. If you do not use this keyword, then it will give rise to error messages of the form:
Line nn: Invalid method declaration; return type required

Omitting break from case statements

This is an error which is committed in both object-oriented and procedural languages. If you want the branch of a case statement to just finish and exit to the end of the case statement, then don't forget to include the break statement as the last statement in the branch. If you do not do this, then execution will continue with the next branch underneath the one in which the break statement was omitted.

Omitting the return in a method

When a method returns a value, then the body of the method should include at least one return statement which returns the right type of value. Failing to do this will generate an error message of the form:
Line nn: Return required at end of xxxx
where xxxx is the method which does not contain the return.

Making an instance variable private and then referring to it by name in another class

When you tag an instance variable as private you are not allowed to access it by name outside its class. The only way that you can access such instance variables is through methods which are declared in the class in which the instance variables are defined. This gives rise to error messages of the form:
Line nn: Variable xx in class xxxx not accessible from class yyyy
where xx is the private variable, xxxx is the class in which it is defined and class yyyy is the class in which it is referred to.

Using a variable before it is given a value

Again this is a common error found in both object-oriented and procedural languages. In Java, scalars are intialised to zero or some default value so there will be no error indication and any problems that arise will be signaled by erroneous results or some side effect such as an array going over its bounds. Objects will be initalised to null and any attempt to reference an uninitialised object will be caught at run time.

Assuming the wrong type of value is generated by a message

This is a common error to make when using the Java packages. A typical example is using a method which delivers a string that contains digits and treating it like an integer. For example, the method getInteger within java.lang.Integer delivers an Integer and any attempt to use that value as, say, an int will give rise to an error message of the form:
Line nn: Incompatible type for declaration can't convert xxxx to yyyy

Confusing prefix operators with postfix operators

This is an error that comes with any C-like language. Postfix operators such as ++ and -- deliver the old value of the variable to which they are applied, while prefix operators deliver the new value. Thus, if x is 45 and the statement:
y = ++x 
is executed, then y and x both become 46. If the statement
y = x++
is executed, then y becomes 45, while x becomes 46. These errors will not be signalled at compile time, but will emerge during run time.

Forgetting that arguments are passed by reference to methods if they are objects

When an object is used as an argument to a method, then its address is passed over and not a value. This means that you can assign values to such arguments. If you treat them as values this will not strictly be an error, but will not be making use of the full facilities of an object-oriented programming language.

Forgetting that scalars are passed by value to methods

You cannot treat an argument which is a scalar as if it can be assigned to. This will not be signalled as a syntax error. However, it will show up as a run-time error when you write code which assumes that the scalar has been given a value by a method.

Misusing size when applied to strings and arrays

size is an instance variable associated with arrays and a method when associated with strings. If you mix them up by, for example writing:
arrayVariable.size()  
or
stringVariable.size
then the first would generate an error message of the form:
Line nn: Method size() not found in class java.lang.Object 
and the second would generate an error message of the form:
Line nn: No variable size defined in java.lang.String

Using a constructor which does not exist

You may use a constructor which has not been defined. For example, you may have a class X which has a one int constructor, a two int constructor and a threeint constructor and yet you may have used a four int constructor. This would be picked up at compile time and an error of the form:
Line nn: No constructor matching xxxx found in class yyyy
would be generated, where xxxx is the signature of the constructor that you have tried using and yyyy is the name of the class which it should have been defined in.

Calling a constructor in a constructor with the same name

For example, you may have defined a class X with a two int constructor and a one int constructor and inside the two int constructor there is a reference to X(argument). This will be flagged as an error and will generate an error message of the form:
Line nn: Method xxxx not found in yyyy
where xxxx is the name of the constructor and its arguments and yyyy is the name of the class which it is defined in. The solution is to use the this keyword.

Assuming that two-dimensional arrays are directly implemented in Java

This gives rise to erroneous code such as:
int [,] arrayVariable = new [10,20] int
This is illegal and will give rise to an errors of the form:
Line nn: Missing term
and:
Line nn: ']' expected
You can implement many-dimensional arrays in Java, but they are treated like single-dimension arrays which contain single-dimensional arrays which contain single dimension arrays, etc.

Treating a scalar like an object

Scalars such as int and float are not objects. However, sometimes you want to treat them as such, for example when you want to deposit them in a Vector, as in the code:
Vector vec = new Vector();
vec.addElement(12);
If you write code such as that shown above then it will give rise to syntax errors of the form:
Line nn: No method matching xxxx found in yyyy
where xxxx is the name of the method which is used and yyyy is the name of the class which expects an Object. The solution is to use the object wrapper classes found in java.lang to convert them to objects.

Confusing scalars and their corresponding object types

When you have scalars such as int it is easy to write code which assumes that they can be treated as if they were objects. For example, the code:
int y = 22;
Integer x = y;
will give rise to an error message of the form:
Line nn: Incompatible type for declaration. Can't convert xxxx to yyyy
where xxxx and yyyy are the classes involved.

Mistyping the header for the main method

When you want to execute a Java application you need to declare a method which starts with:
public static void main (String []args){
If you mistype any part of this line or miss out a keyword, then a run-time error will be generated. For example, if you miss out the keyword static then an error message of the form:
Exception in thread main.....



will be generated at run time.


Happy Coding!!!

Read text file from SD card in android programming

Are you planning to read text file from sdcard , and get value in you code. here is the simple example to read text file from sdcard.

Here i defined gps time in text file, getting this time period and using in my application:

public class Test extends Activity {
public static String PACKAGE_NAME;
private TextView tvRead;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.readfile);
       tvRead=(TextView)findViewById(R.id.tv_read);
tvRead.setText("Value from SD Card="+Long.toString(getGpsTimeInterval()));

}
private long getGpsTimeInterval() {
        File sdcard = Environment.getExternalStorageDirectory();

//Get the text file
File file = new File(sdcard,"PRANDROID/GPS Settings/time.txt");

//Read text from file
StringBuilder text = new StringBuilder();

try {
   BufferedReader br = new BufferedReader(new FileReader(file));
   String line;

   while ((line = br.readLine()) != null) {
       text.append(line);
      //text.append('\n'); // commented for one line only
   }
   br.close();
}
catch (IOException e) {
   e.printStackTrace();
}

String timeText=text.toString();
String [] splitTimes=timeText.split("\\=");
long returnTime=Long.parseLong(splitTimes[1]);
Log.i("returnTime", "returnTime="+returnTime);
   return returnTime;
}
}

Here file must be PRANDROID/GPS Settings folder named time.txt.


Output snapshots:


Happy Coding !!!

Record Audio, Video and Save Image in Custom folder on SD CARD in Android


Here is the simple and useful tutorials for using multimedia data in android.

Performing Audio Capture

Audio capture from the device is a bit more complicated than audio and video playback, but still fairly simple:

  1. Create a new instance of android.media.MediaRecorder.
  2. Set the audio source using MediaRecorder.setAudioSource(). You will probably want to use MediaRecorder.AudioSource.MIC.
  3. Set output file format using MediaRecorder.setOutputFormat().
  4. Set output file name using MediaRecorder.setOutputFile().
  5. Set the audio encoder using MediaRecorder.setAudioEncoder().
  6. Call MediaRecorder.prepare() on the MediaRecorder instance.
  7. To start audio capture, call MediaRecorder.start().
  8. To stop audio capture, call MediaRecorder.stop().
  9. When you are done with the MediaRecorder instance, call MediaRecorder.release() on it. Calling MediaRecorder.release() is always recommended to free the resource immediately.

Record a Video with a Camera App

The Android way of delegating actions to other applications is to invoke an Intent that describes what you want done. This process involves three pieces: The Intent itself, a call to start the external Activity, and some code to handle the video when focus returns to your activity.

Take a Photo with the Camera App


The Android way of delegating actions to other applications is to invoke an Intent that describes what you want done. This process involves three pieces: The Intent itself, a call to start the external Activity, and some code to handle the image data when focus returns to your activity.

Here is the output snaps of this app:







Download Full Source Code



Disable landscape mode for some of the views in my Android app


The screen orientation has changed — the user has rotated the device.

Note: If your application targets API level 13 or higher (as declared by the minSdkVersion and targetSdkVersion attributes), then you should also declare the "screenSize"configuration, because it also changes when a device switches between portrait and landscape orientations.     More

You can just put on your activity on manifest file:

             <activity android:name=".MainActivity"
              android:label="@string/app_name"
              android:screenOrientation="portrait">


If you still need to force portrait for some reason, sensorPortrait may be better than portrait for Android 2.3+; this allows for upside-down portrait, which is quite common in tablet usage.

Go to this link may be h elpful: http://code.google.com/android/reference/android/R.styleable.html#AndroidManife‌​stActivity_screenOrientation

Happy Coding!!!