java - 如何在 Java 中比较字符串?

标签 java string equality

我一直在使用 ==我的程序中的运算符来比较到目前为止我的所有字符串。 然而,我遇到了一个错误,将其中一个更改为 .equals()相反,它修复了错误。

==坏的?什么时候应该使用它,什么时候不应该使用它?有什么区别?

最佳答案

== 测试引用相等性(它们是否是同一个对象)。

.equals() 测试值是否相等(它们是否包含相同的数据)。

Objects.equals()在调用 .equals() 之前检查 null,这样您就不必这样做(从 JDK7 开始可用,也可在 Guava 中使用)。

因此,如果您想测试两个字符串是否具有相同的值,您可能需要使用 Objects.equals()

// These two have the same value
new String("test").equals("test") // --> true 

// ... but they are not the same object
new String("test") == "test" // --> false 

// ... neither are these
new String("test") == new String("test") // --> false 

// ... but these are because literals are interned by 
// the compiler and thus refer to the same object
"test" == "test" // --> true 

// ... string literals are concatenated by the compiler
// and the results are interned.
"test" == "te" + "st" // --> true

// ... but you should really just call Objects.equals()
Objects.equals("test", new String("test")) // --> true
Objects.equals(null, "test") // --> false
Objects.equals(null, null) // --> true

您几乎总是想要使用Objects.equals()。在罕见情况下,您知道您正在处理interned字符串,您可以使用==

来自JLS 3.10.5. String Literals :

Moreover, a string literal always refers to the same instance of class String. This is because string literals - or, more generally, strings that are the values of constant expressions (§15.28) - are "interned" so as to share unique instances, using the method String.intern.

类似的例子也可以在JLS 3.10.5-1中找到。 .

其他要考虑的方法

String.equalsIgnoreCase()忽略大小写的值相等。但请注意,此方法在各种与区域设置相关的情况下可能会产生意外结果,请参阅 this question .

String.contentEquals()String 的内容与任何 CharSequence 的内容进行比较(自 Java 1.5 起可用)。使您不必在进行相等比较之前将 StringBuffer 等转换为 String,但将 null 检查留给您。

关于java - 如何在 Java 中比较字符串?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/28922750/

相关文章:

java - 如何修复 "InvalidImageSize","message":"Image size is too small."

java - ProcessBuilder 找不到 perl

javascript - 传递带有连字符的字符串被评估为整数(减法!)js

string - 如何将两个字符串字段与另一个字符串连接起来?

arrays - 为什么 `Array(0,1,2) == Array(0,1,2)`没有返回预期结果?

java - 如何在hibernate环境中查询RevisionEntity

java - Spring-Boot:依赖注入(inject)取决于配置(和使用接口(interface))

c - 将具有固定长度字符串的数组传递给 C 中的函数

kotlin - 为什么 Kotlin '===' 引用相等运算符对相同的对象引用返回 false?

c - 在 C 中,是否有一种快速方法来检查单个数组值与任何另一个数组值之间的相等性?