String Literal
String str = “java”;
This is string literal. When you declare string like this, you are actually calling intern() method on String. This method references internal pool of string objects. If there already exists a string value “Edureka”, then str will reference of that string and no new String object will be created. Please refer Initialize and Compare Strings in Java for details.
String Object
String str = new String(“Edureka”);
This is a string object. In this method, JVM is forced to create a new string reference, even if “Edureka” is in the reference pool.
Therefore, if we compare the performance of string literal and string object, a string object will always take more time to execute than a string literal because it will construct a new string every time it is executed.
Note: Execution time is compiler dependent.
Below is the Java program to compare their performances.
filter_none
edit
play_arrow
brightness_4
// Java program to compare performance
// of string literal and string object
class ComparePerformance {
public static void main(String args[])
{
// Initialization time for String
// Literal
long start1 = System.currentTimeMillis();
for (int i = 0; i < 10000; i++)
{
String s1 = "Edureka";
String s2 = "Welcome";
}
long end1 = System.currentTimeMillis();
long total_time = end1 - start1;
System.out.println("Time taken to execute"+
" string literal = " + total_time);
// Initialization time for String
// object
long start2 = System.currentTimeMillis();
for (int i = 0; i < 10000; i++)
{
String s3 = new String("Edureka");
String s4 = new String("Welcome");
}
long end2 = System.currentTimeMillis();
long total_time1 = end2 - start2;
System.out.println("Time taken to execute"+
" string object=" + total_time1);
}
} |
Output:
Time is taken to execute string literal = 0
Time taken to execute string object = 2