在此程序中,您將學習比較Java中的兩個字符串。
public class CompareStrings { public static void main(String[] args) { String style = "Bold"; String style2 = "Bold"; if(style == style2) System.out.println("Equal"); else System.out.println("Not Equal"); } }
運行該程序時,輸出為:
Equal
在上面的程序中,我們有兩個字符串style和style2。我們僅使用相等運算符(==)比較兩個字符串,該字符串將值Bold與Bold進行比較并輸出Equal。
public class CompareStrings { public static void main(String[] args) { String style = new String("Bold"); String style2 = new String("Bold"); if(style.equals(style2)) System.out.println("Equal"); else System.out.println("Not Equal"); } }
運行該程序時,輸出為:
Equal
在上面的程序中,我們有兩個字符串樣式style和style2,它們都包含相同的Bold。
但是,我們使用String構造函數(shù)來創(chuàng)建字符串。 要在Java中比較這些字符串,我們需要使用字符串的equals()方法
您不應該使用==(等號運算符)來比較這些字符串,因為它們會比較字符串的引用,即它們是否是同一對象
另一方面,equals()方法比較的是字符串的值是否相等,而不是對象本身。
如果改為將程序更改為使用相等運算符,則將得到不等于,如下面的程序所示。
public class CompareStrings { public static void main(String[] args) { String style = new String("Bold"); String style2 = new String("Bold"); if(style == style2) System.out.println("Equal"); else System.out.println("Not Equal"); } }
運行該程序時,輸出為:
Not Equal
這是在Java中可能進行的字符串比較。
public class CompareStrings { public static void main(String[] args) { String style = new String("Bold"); String style2 = new String("Bold"); boolean result = style.equals("Bold"); // true System.out.println(result); result = style2 == "Bold"; // false System.out.println(result); result = style == style2; // false System.out.println(result); result = "Bold" == "Bold"; // true System.out.println(result); } }
運行該程序時,輸出為:
true false false true