 
                            Wiki Markup equals()}}.   Furthermore,   this   method   must   follow   the   general   contract   for  {{equals()}} , as   specified   by  the _The Java   Language  Specification_ \[[JLS 2005|AA. References#JLS 05]\Specification (JLS) [JLS 2015].
An object is characterized both by its identity (location in memory) and by its state (actual data). The == operator compares only the identities of two objects (to check whether the references refer to the same object); the equals() method defined in java.lang.Object can be overridden to compare the state as well. When a class defines an equals() method, it implies that the method compares state. When the class lacks a customized equals() method (either locally declared or inherited from a parent class), it uses the default Object.equals() implementation inherited from Object. The default Object.equals() implementation compares only the references and may produce unexpected results.
The equals() method applies only to objects, not to primitives.
Enumerated types have a fixed set of distinct values that may be compared using == rather than the equals() method. Note that enumerated types provide an equals() implementation that uses == internally; this default cannot be overridden. More generally, subclasses that both inherit an implementation of equals() from a superclass and lack a requirement for additional functionality need not override the equals() method.
The general usage contract for equals(), as specified by the Java Language Specification JLS, establishes five requirements:
- It is reflexive: For any reference value x,x.equals(x)must return true.
- It is symmetric: For any reference values xandy,x.equals(y)must return true if and only ify.equals(x)returns true.
- It is transitive: For any reference values x,y, andz, ifx.equals(y)returns true andy.equals(z)returns true, thenx.equals(z)must return true.
- It is consistent: For any reference values xandy, multiple invocations ofx.equals(y)consistently return true or consistently return false, provided no information used inequals()comparisons on the object is modified.
- For any non-null reference value x,x.equals(null)must return false.
Never violate any of these requirements when overriding the equals() method.
Noncompliant Code Example (Symmetry)
This noncompliant code example defines a CaseInsensitiveString class that includes a String and overrides the equals() method. The CaseInsensitiveString class knows about ordinary strings, but the String class has no knowledge of case-insensitive strings. Consequently, the CaseInsensitiveString.equals() method should not attempt to interoperate with objects of the String class.
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public final class CaseInsensitiveString {
  private String s;
  public CaseInsensitiveString(String s) {
    if (s == null) {
      throw new NullPointerException();
    }
    this.s = s;
  }
  // This method violates symmetry
  public boolean equals(Object o) {
    if (o instanceof CaseInsensitiveString) {
      return s.equalsIgnoreCase(((CaseInsensitiveString)o).s);
    }
    if (o instanceof String) {
      return s.equalsIgnoreCase((String)o);
    }
    return false;
  }
  // Comply with MET09-J
  public int hashCode() {/* ... */}
  public static void main(String[] args) {
    CaseInsensitiveString cis = new CaseInsensitiveString("Java");
    String s = "java";
    System.out.println(cis.equals(s)); // Returns true
    System.out.println(s.equals(cis)); // Returns false
  }
}
 | 
By operating on String objects, the CaseInsensitiveString.equals() method violates the second contract requirement (symmetry). Because of the asymmetry, given a String object s and a CaseInsensitiveString object cis that differ only in case, cis.equals(s)) returns true, while s.equals(cis) returns false.
Compliant Solution
In this compliant solution, the CaseInsensitiveString.equals() method is simplified to operate only on instances of the CaseInsensitiveString class, consequently preserving symmetry.:
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public final class CaseInsensitiveString {
  private String s;
  public CaseInsensitiveString(String s) {
    if (s == null) {
      throw new NullPointerException();
    }
    this.s = s;
  }
  public boolean equals(Object o) {
    return o instanceof CaseInsensitiveString &&
        ((CaseInsensitiveString)o).s.equalsIgnoreCase(s);
  }
  public int hashCode() {/* ... */}
  public static void main(String[] args) {
    CaseInsensitiveString cis = new CaseInsensitiveString("Java");
    String s = "java";
    System.out.println(cis.equals(s)); // Returns false now
    System.out.println(s.equals(cis)); // Returns false now
  }
}
 | 
Noncompliant Code Example (Transitivity)
This noncompliant code example defines an XCard class that extends the Card class.
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public class Card {
  private final int number;
  public Card(int number) {
    this.number = number;
  }
  public boolean equals(Object o) {
    if (!(o instanceof Card)) {
      return false;
    }
    Card c = (Card)o;
    return c.number == number;
  }
  public int hashCode() {/* ... */}
}
class XCard extends Card {
  private String type;
  public XCard(int number, String type) {
    super(number);
    this.type = type;
  }
  public boolean equals(Object o) {
    if (!(o instanceof Card)) {
      return false;
    }
    // Normal Card, do not compare type
    if (!(o instanceof XCard)) {
      return o.equals(this);
    }
    // It is an XCard, compare type as well
    XCard xc = (XCard)o;
    return super.equals(o) && xc.type == type;
  }
  public int hashCode() {/* ... */}
  public static void main(String[] args) {
    XCard p1 = new XCard(1, "type1");
    Card p2 = new Card(1);
    XCard p3 = new XCard(1, "type2");
    System.out.println(p1.equals(p2)); // Returns true
    System.out.println(p2.equals(p3)); // Returns true
    System.out.println(p1.equals(p3)); // Returns false
                                       // violating transitivity
  }
}
 | 
In the noncompliant code example, p1 and p2 compare equal and p2 and p3 compare equal, but p1 and p3 compare unequal, violating the transitivity requirement. The problem is that the Card class has no knowledge of the XCard class and consequently cannot determine that p2 and p3 have different values for the field type.
Compliant Solution
...
(Delegation)
Wiki Markup Card class by adding a value or field in the subclass while preserving the Java equals() contract. This problem is not specific to the Card class but applies to any class hierarchy that can consider equal instances of distinct subclasses of some superclass. For such cases, use composition rather than inheritance to achieve the desired effect [Bloch 2008], [Liskov 1994], [Cline, C++ Super-FAQ]. It is fundamentally impossible to have a class that both allows arbitrary subclass extensions and permits an equals() method that is reflexive, symmetric, and transitive, as is required by Object.equals(). In the interests of consistency and security, we forgo arbitrary subclass extensions, and assume that {{Card.equals()}} may impose certain restrictions on its subclasses.
This compliant solution adopts this approach by adding a private card field to the XCard class and providing a public viewCard() method.
| Code Block | ||
|---|---|---|
| 
 | ||
| Code Block | ||
| 
 | ||
| 
class XCard {
  private String type;
  private Card card; // Composition
  public XCard(int number, String type) {
    card = new Card(number);
    this.type = type;
  }
  public Card viewCard() {
    return card;
  }
  public boolean equals(Object o) {
    if (!(o instanceof XCard)) {
      return false;
    }
    XCard cp = (XCard)o;
    return cp.card.equals(card) && cp.type.equals(type);
  }
  public int hashCode() {/* ... */}
  public static void main(String[] args) {
    XCard p1 = new XCard(1, "type1");
    Card p2 = new Card(1);
    XCard p3 = new XCard(1, "type2");
    XCard p4 = new XCard(1, "type1");
    System.out.println(p1.equals(p2)); // Prints false
    System.out.println(p2.equals(p3)); // Prints false
    System.out.println(p1.equals(p3)); // Prints false
    System.out.println(p1.equals(p4)); // Prints true
  }
}
 | 
Noncompliant Code Example (Consistency)
| Wiki Markup | 
|---|
| A uniform resource locator (URL) specifies both the location of a resource and also a method to access it. According to the Java API documentation for class {{URL}} \[[API 2006|AA. References#API 06]\]: | 
Two URL objects are equal if they have the same protocol, reference equivalent hosts, have the same port number on the host, and the same file and fragment of the file.
Two hosts are considered equivalent if both host names can be resolved into the same IP addresses; else if either host name can't be resolved, the host names must be equal without regard to case; or both host names equal to null.
The defined behavior for the equals() method is known to be inconsistent with virtual hosting in HTTP.
Virtual hosting allows a web server to host multiple websites on the same computer, sometimes sharing the same IP address. Unfortunately, this technique was unanticipated when the URL class was designed. Consequently, when two completely different URLs resolve to the same IP address, the URL class considers them to be equal.
Compliant Solution (Class Comparison)
If the Card.equals() method could unilaterally assume that two objects with distinct classes were not equal, it could be used in an inheritance hierarchy while preserving transitivity:
| Code Block | ||
|---|---|---|
| 
 | ||
| public class Card {
  private final int number;
  public Card(int number) {
    this.number = number;
  }
  public boolean equals(Object o) {
    if (!(o.getClass() == this.getClass())) {
      return false;
    }
    Card c = (Card)o;
    return c.number == number;
  }
  public int hashCode() {/* ... */}
} | 
Noncompliant Code Example (Consistency)
A uniform resource locator (URL) specifies both the location of a resource and a method to access it. According to the Java API documentation for Class URL [API 2014]:
Two URL objects are equal if they have the same protocol, reference equivalent hosts, have the same port number on the host, and the same file and fragment of the file.
Two hosts are considered equivalent if both host names can be resolved into the same IP addresses; else if either host name can't be resolved, the host names must be equal without regard to case; or both host names equal to null.
The defined behavior for the equals() method is known to be inconsistent with virtual hosting in HTTP.
Virtual hosting allows a web server to host multiple websites on the same computer, sometimes sharing the same IP address. Unfortunately, this technique was unanticipated when the URL class was designed. Consequently, when two completely different URLs resolve to the same IP address, the URL class considers them to be equal.
Another risk associated with the equals() method for URL objects is that the logic it uses when connected to the Internet differs from that used when disconnected. When connected to the Internet, the equals() method follows the steps described in the Java API; when disconnected, it performs a string compare on the two URLs. Consequently, the URL.Another risk associated with the equals() method for URL objects is that the logic it uses when connected to the Internet differs from that used when disconnected. When connected to the Internet, the equals() method follows the steps described in the Java API; when disconnected, it performs a string compare on the two URLs. Consequently, the URL.equals() method violates the consistency requirement for equals().
Consider an application that allows an organization's employees to access an external mail service via http://mailwebsite.com. The application is designed to deny access to other websites by behaving as a makeshift firewall. However, a crafty or malicious user could nevertheless access an illegitimate website http://illegitimatewebsite.com if it were hosted on the same computer as the legitimate website and consequently shared the same IP address. Even worse, if the legitimate website were hosted on a server in a commercial pool of servers, an attacker could register multiple websites in the pool (for phishing purposes) until one was registered on the same computer as the legitimate website, consequently defeating the firewall.
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public class Filter {
  public static void main(String[] args) throws MalformedURLException {
    final URL allowed = new URL("http://mailwebsite.com");
    if (!allowed.equals(new URL(args[0]))) {
      throw new SecurityException("Access Denied");
    }
    // Else proceed
  }
}
 | 
Compliant Solution (Strings)
This compliant solution compares the string representations of two URLs' string representations, thereby avoiding the pitfalls of URL.equals().:
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public class Filter {
  public static void main(String[] args) throws MalformedURLException {
    final URL allowed = new URL("http://mailwebsite.com");
    if (!allowed.toString().equals(new URL(args[0]).toString())) {
      throw new SecurityException("Access Denied");
    }
    // Else proceed
  }
}
 | 
This solution still has problems. Two URLs with different string representation can still refer to the same resource. However, the solution fails safely in this case because the equals() contract is preserved, and the system will never allow a malicious URL to be accepted by mistake.
Compliant Solution (URI.equals())
Wiki Markup java.net.URI}}  class   provides   string-based  {{equals()}}  and  {{hashCode()}}  methods   that   satisfy   the   general   contracts   for  {{Object.equals()}} and {{Object and Object.hashCode()}};   they   do   not   invoke   hostname   resolution   and   are   unaffected   by   network   connectivity.  {{URI}}  also   provides   methods   for   normalization   and  canonicalization  that  {{URL}}  lacks.   Finally,   the  {{URL.toURI()}}  and  {{URI.toURL()}}  methods   provide   easy   conversion   between   the   two   classes.   Programs   should   use   URIs   instead   of   URLs   whenever   possible.   According   to   the   Java   API  \ Class URI documentation [[API 2006|AA. References#API 06]\] {{URI}} class documentationAPI 2014]:
A
URImay be either absolute or relative. AURIstring is parsed according to the generic syntax without regard to the scheme, if any, that it specifies. No lookup of the host, if any, is performed, and no scheme-dependent stream handler is constructed.
This compliant solution uses a URI object instead of a URL. The filter appropriately blocks the website when presented with any string other than http://mailwebsite.com because the comparison fails.
| Code Block | ||
|---|---|---|
| 
 | ||
| 
public class Filter {
  public static void main(String[] args)
                     throws MalformedURLException, URISyntaxException {
    final URI allowed = new URI("http://mailwebsite.com");
    if (!allowed.equals(new URI(args[0]))) {
      throw new SecurityException("Access Denied");
    }
    // Else proceed
  }
}
 | 
...
Additionally,   the  {{URI}}  class   performs   normalization   (removing   extraneous   path  segments like 'segments such as "..'")   and   relativization   of   paths  \ [[API 2006|AA. References#API 06]\] and \[[Darwin 2004|AA. References#Darwin 04]\API 2014], [Darwin 2004].
Noncompliant Code Example (java.security.Key)
The method java.lang.Object.equals() by default is unable to compare composite objects such as cryptographic keys. Most Key classes lack an equals() implementation that would override Object's default implementation. In such cases, the components of the composite object must be compared individually to ensure correctness.
This noncompliant code example compares two keys using the equals() method. The comparison may return false even when the key instances represent the same logical key.
| Code Block | ||
|---|---|---|
| 
 | ||
| 
private static boolean keysEqual(Key key1, Key key2) {
  if (key1.equals(key2)) {
    return true;
  }
  return false;
}
 | 
Compliant Solution (java.security.Key)
Wiki Markup equals()}}  method   as   a   first   test   and   then   compares   the   encoded   version   of   the   keys   to   facilitate   provider-independent   behavior.   For   example,   this   code   can   determine   whether   a  {{RSAPrivateKey}}  and  {{RSAPrivateCrtKey}}  represent   equivalent   private   keys  \ [[Sun   2006|AA. References#Sun 06]\].
| Code Block | ||
|---|---|---|
| 
 | ||
| 
private static boolean keysEqual(Key key1, Key key2) {
  if (key1.equals(key2)) {
    return true;
  }
  if (Arrays.equals(key1.getEncoded(), key2.getEncoded())) {
    return true;
  }
  // More code for different types of keys here.
  // For example, the following code can check if
  // an RSAPrivateKey and an RSAPrivateCrtKey are equal:
  if ((key1 instanceof RSAPrivateKey) &&
      (key2 instanceof RSAPrivateKey)) {
  
    if ((((RSAKey)key1).getModulus().equals(
         ((RSAKey)key2).getModulus())) &&
       (((RSAPrivateKey) key1).getPrivateExponent().equals(
        ((RSAPrivateKey) key2).getPrivateExponent()))) {
      return true;
    }
  }
  return false;
}
 | 
Exceptions
unmigratedMET08-wikiJ-markup*MET08-EX0:*  Requirements   of   this   rule   may   be   violated   provided   that   the   incompatible   types   are   never   compared.   There   are   classes   in   the   Java   platform   libraries   (and   elsewhere)   that   extend   an   instantiable   class   by   adding   a   value   component.   For   example,  {{java.sql.Timestamp}}  extends  {{java.util.Date}}  and   adds   a   nanoseconds   field.   The  {{equals()}}  implementation   for  {{Timestamp}}  violates   symmetry   and   can   cause   erratic   behavior   when  {{Timestamp}}  and  {{Date}}  objects   are   used   in   the   same   collection   or   are   otherwise   intermixed  \ [[Bloch   2008|AA. References#Bloch 08]\].
Risk Assessment
Violating the general contract when overriding the equals() method can lead to unexpected results.
| Rule | Severity | Likelihood | 
|---|
| Detectable | Repairable | Priority | Level | 
|---|---|---|---|
| MET08-J | 
| Low | 
| Unlikely | 
| No | 
| No | P1 | L3 | 
Related Guidelines
Bibliography
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="5ac47ade-a949-4822-b170-1474386be7b5"><ac:plain-text-body><![CDATA[ | [[API 2006 | AA. References#API 06]] |  [Method  | http://download.oracle.com/javase/6/docs/api/java/lang/Object.html#equals(java.lang.Object)] | ]]></ac:plain-text-body></ac:structured-macro> | 
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="58bc46b2-3312-4ce4-a907-9337736a9d20"><ac:plain-text-body><![CDATA[ | [[Bloch 2008 | AA. References#Bloch 08]] | Item 8. Obey the general contract when overriding equals | ]]></ac:plain-text-body></ac:structured-macro> | |
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="6265118a-7d82-42fd-a136-7a1828a4a24c"><ac:plain-text-body><![CDATA[ | [[Darwin 2004 | AA. References#Darwin 04]] |  9.2, Overriding the  | ]]></ac:plain-text-body></ac:structured-macro> | |
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="80f9a76c-c5a8-4c9b-9085-7d2c432b64e9"><ac:plain-text-body><![CDATA[ | [[Harold 1997 | AA. References#Harold 97]] | Chapter 3, Classes, Strings, and Arrays, The Object Class (Equality) | ]]></ac:plain-text-body></ac:structured-macro> | |
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="c267ee64-8788-4876-895e-065202591ded"><ac:plain-text-body><![CDATA[ | [[Sun 2006 | AA. References#Sun 06]] | [Determining If Two Keys Are Equal | http://java.sun.com/javase/6/docs/technotes/guides/security/crypto/CryptoSpec.html#Determining%20If%20Two%20Keys%20Are%20Equal] (JCA Reference Guide) | ]]></ac:plain-text-body></ac:structured-macro> | 
| <ac:structured-macro ac:name="unmigrated-wiki-markup" ac:schema-version="1" ac:macro-id="454682d9-5b24-4744-b2e1-70c663c89487"><ac:plain-text-body><![CDATA[ | [[Techtalk 2007 | AA. References#Techtalk 07]] | More Joy of Sets | ]]></ac:plain-text-body></ac:structured-macro> | 
Automated Detection
| Tool | Version | Checker | Description | ||||||
|---|---|---|---|---|---|---|---|---|---|
| CodeSonar | 
 | JAVA.COMPARE.CTO.ASSYM | Asymmetric compareTo (Java) | ||||||
| Parasoft Jtest | 
 | CERT.MET08.EQREFL | Make sure implementation of Object.equals(Object) is reflexive | ||||||
| SonarQube | 
 | S2162 | "equals" methods should be symmetric and work for subclasses | 
Related Guidelines
Bibliography
| [API 2014] | Class URIClass URL(methodequals()) | 
| Item 8, "Obey the General Contract When Overriding  | |
| [Cline, C++ Super-FAQ] | |
| Section 9.2, "Overriding the  | |
| Chapter 3, "Classes, Strings, and Arrays," section "The Object Class (Equality)" | |
| [Liskov 1994] | Liskov, B. H.; Wing, J. M. (November 1994). A behavioral notion of subtyping. ACM Trans. Program. Lang. Syst.16 (6). pp. 1811–1841. doi:10.1145/197320.197383. An updated version appeared as CMU technical report: Liskov, Barbara; Wing, Jeannette (July 1999). "Behavioral Subtyping Using Invariants and Constraints" (PS). | 
| [Sun 2006] | Determining If Two Keys Are Equal (JCA Reference Guide) | 
| "More Joy of Sets" | 
...
05. Methods (MET) MET09-J. Classes that define an equals() method must also define a hashCode() method