Demonstrating string comparison with Java

女生的网名这么多〃 提交于 2019-12-17 14:45:56

问题


I want to demonstrate with a few line of code that in Java, that to compare two strings (String), you have to use equals() instead of the operator ==.

Here is something I tried :

public static void main(String Args[]) {
   String s1 = "Hello";
   String s2 = "Hello";

   if (s1 == s2)
      System.out.println("same strings");
   else
      System.out.println("different strings");
}

I was expecting this output : different strings, because with the test s1 == s2 I'm actually comparing two references (i.e. addresses) instead of the objet's content.

But I actually got this output : same strings !

Browsing the internet I found that some Java implementation will optimize the above code so that s1and s2 will actually reference the same string.

Well, how can I demonstrate the problem using the == operator when comparing Strings (or Objects) in Java ?


回答1:


The compiler does some optimizations in your case so that s1 and s2 are really the same object. You can work around that by using

String s1 = new String( "Hello" );
String s2 = new String( "Hello" );

Then you have two distinct objects with the same text content.




回答2:


Well, how can I demonstrate the problem using the == operator when comparing Strings (or Objects) in Java ?

Here a way:

String s = "ab";
String t = new String("ab");
System.out.println(s == t); // false

Also be careful when comparing primitive wrappers and using auto-boxing: Integer (and Long) for instance caches (and re-uses!) the values -128..127. So:

Integer s = -128;
Integer t = -128;
System.out.println(s == t);

will print true, while:

Integer s = -129;
Integer t = -129;
System.out.println(s == t);

prints false!




回答3:


JAVA maintains a String Pool in the heap space, where it tries to have multiple references for same values if possible.

Had you written :

   String s1 = new String ("Hello");
   String s2 = new String ("Hello");

it would have given you the output : "different strings".'new' keyword creates a new object reference while not giving new will first check the string pool for its existence.



来源:https://stackoverflow.com/questions/3612659/demonstrating-string-comparison-with-java

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!