Object.Equals Metodo
Definizione
Determina se due istanze di un oggetto sono uguali.Determines whether two object instances are equal.
Overload
Equals(Object) |
Determina se l'oggetto specificato è uguale all'oggetto corrente.Determines whether the specified object is equal to the current object. |
Equals(Object, Object) |
Determina se le istanze dell'oggetto specificate sono considerate uguali.Determines whether the specified object instances are considered equal. |
Equals(Object)
Determina se l'oggetto specificato è uguale all'oggetto corrente.Determines whether the specified object is equal to the current object.
public:
virtual bool Equals(System::Object ^ obj);
public virtual bool Equals (object obj);
abstract member Equals : obj -> bool
override this.Equals : obj -> bool
Public Overridable Function Equals (obj As Object) As Boolean
Parametri
- obj
- Object
Oggetto da confrontare con l'oggetto corrente.The object to compare with the current object.
Restituisce
true
se l'oggetto specificato è uguale all'oggetto corrente; in caso contrario, false
.true
if the specified object is equal to the current object; otherwise, false
.
Esempi
Nell'esempio seguente viene illustrata una classe Point
che esegue l'override del metodo Equals per fornire l'uguaglianza di valori e una classe Point3D
derivata da Point
.The following example shows a Point
class that overrides the Equals method to provide value equality, and a Point3D
class that is derived from Point
. Poiché Point
esegue l'override di Object.Equals(Object) per verificare l'uguaglianza dei valori, il metodo Object.Equals(Object) non viene chiamato.Because Point
overrides Object.Equals(Object) to test for value equality, the Object.Equals(Object) method is not called. Tuttavia, Point3D.Equals
chiama Point.Equals
perché Point
implementa Object.Equals(Object) in modo da fornire l'uguaglianza di valori.However, Point3D.Equals
calls Point.Equals
because Point
implements Object.Equals(Object) in a manner that provides value equality.
using System;
class Point
{
protected int x, y;
public Point() : this(0, 0)
{ }
public Point(int x, int y)
{
this.x = x;
this.y = y;
}
public override bool Equals(Object obj)
{
//Check for null and compare run-time types.
if ((obj == null) || ! this.GetType().Equals(obj.GetType()))
{
return false;
}
else {
Point p = (Point) obj;
return (x == p.x) && (y == p.y);
}
}
public override int GetHashCode()
{
return (x << 2) ^ y;
}
public override string ToString()
{
return String.Format("Point({0}, {1})", x, y);
}
}
sealed class Point3D: Point
{
int z;
public Point3D(int x, int y, int z) : base(x, y)
{
this.z = z;
}
public override bool Equals(Object obj)
{
Point3D pt3 = obj as Point3D;
if (pt3 == null)
return false;
else
return base.Equals((Point)obj) && z == pt3.z;
}
public override int GetHashCode()
{
return (base.GetHashCode() << 2) ^ z;
}
public override String ToString()
{
return String.Format("Point({0}, {1}, {2})", x, y, z);
}
}
class Example
{
public static void Main()
{
Point point2D = new Point(5, 5);
Point3D point3Da = new Point3D(5, 5, 2);
Point3D point3Db = new Point3D(5, 5, 2);
Point3D point3Dc = new Point3D(5, 5, -1);
Console.WriteLine("{0} = {1}: {2}",
point2D, point3Da, point2D.Equals(point3Da));
Console.WriteLine("{0} = {1}: {2}",
point2D, point3Db, point2D.Equals(point3Db));
Console.WriteLine("{0} = {1}: {2}",
point3Da, point3Db, point3Da.Equals(point3Db));
Console.WriteLine("{0} = {1}: {2}",
point3Da, point3Dc, point3Da.Equals(point3Dc));
}
}
// The example displays the following output:
// Point(5, 5) = Point(5, 5, 2): False
// Point(5, 5) = Point(5, 5, 2): False
// Point(5, 5, 2) = Point(5, 5, 2): True
// Point(5, 5, 2) = Point(5, 5, -1): False
Class Point
Protected x, y As Integer
Public Sub New()
Me.x = 0
Me.y = 0
End Sub
Public Sub New(x As Integer, y As Integer)
Me.x = x
Me.y = y
End Sub
Public Overrides Function Equals(obj As Object) As Boolean
' Check for null and compare run-time types.
If obj Is Nothing OrElse Not Me.GetType().Equals(obj.GetType()) Then
Return False
Else
Dim p As Point = DirectCast(obj, Point)
Return x = p.x AndAlso y = p.y
End If
End Function
Public Overrides Function GetHashCode() As Integer
Return (x << 2) XOr y
End Function
Public Overrides Function ToString() As String
Return String.Format("Point({0}, {1})", x, y)
End Function
End Class
Class Point3D : Inherits Point
Private z As Integer
Public Sub New(ByVal x As Integer, ByVal y As Integer, ByVal z As Integer)
MyBase.New(x, y)
Me.z = Z
End Sub
Public Overrides Function Equals(ByVal obj As Object) As Boolean
Dim pt3 As Point3D = TryCast(obj, Point3D)
If pt3 Is Nothing Then
Return False
Else
Return MyBase.Equals(CType(pt3, Point)) AndAlso z = pt3.Z
End If
End Function
Public Overrides Function GetHashCode() As Integer
Return (MyBase.GetHashCode() << 2) XOr z
End Function
Public Overrides Function ToString() As String
Return String.Format("Point({0}, {1}, {2})", x, y, z)
End Function
End Class
Module Example
Public Sub Main()
Dim point2D As New Point(5, 5)
Dim point3Da As New Point3D(5, 5, 2)
Dim point3Db As New Point3D(5, 5, 2)
Dim point3Dc As New Point3D(5, 5, -1)
Console.WriteLine("{0} = {1}: {2}",
point2D, point3Da, point2D.Equals(point3Da))
Console.WriteLine("{0} = {1}: {2}",
point2D, point3Db, point2D.Equals(point3Db))
Console.WriteLine("{0} = {1}: {2}",
point3Da, point3Db, point3Da.Equals(point3Db))
Console.WriteLine("{0} = {1}: {2}",
point3Da, point3Dc, point3Da.Equals(point3Dc))
End Sub
End Module
' The example displays the following output
' Point(5, 5) = Point(5, 5, 2): False
' Point(5, 5) = Point(5, 5, 2): False
' Point(5, 5, 2) = Point(5, 5, 2): True
' Point(5, 5, 2) = Point(5, 5, -1): False
Il metodo Point.Equals
controlla per assicurarsi che l'argomento di obj
non sia null e che faccia riferimento a un'istanza dello stesso tipo di questo oggetto.The Point.Equals
method checks to make sure that the obj
argument is not null and that it references an instance of the same type as this object. Se il controllo ha esito negativo, il metodo restituisce false
.If either check fails, the method returns false
.
Il metodo Point.Equals
chiama il metodo GetType per determinare se i tipi in fase di esecuzione dei due oggetti sono identici.The Point.Equals
method calls the GetType method to determine whether the run-time types of the two objects are identical. Se il metodo utilizza un controllo del form obj is Point
in C# o TryCast(obj, Point)
Visual Basic, il controllo restituisce true
nei casi in cui obj
è un'istanza di una classe derivata di Point
, anche se obj
e l'istanza corrente non sono dello stesso tipo di Runtime.If the method used a check of the form obj is Point
in C# or TryCast(obj, Point)
in Visual Basic, the check would return true
in cases where obj
is an instance of a derived class of Point
, even though obj
and the current instance are not of the same run-time type. Verificando che entrambi gli oggetti siano dello stesso tipo, il metodo esegue il cast obj
al tipo Point
e restituisce il risultato del confronto dei campi di istanza dei due oggetti.Having verified that both objects are of the same type, the method casts obj
to type Point
and returns the result of comparing the instance fields of the two objects.
In Point3D.Equals
, il metodo Point.Equals
ereditato, che esegue l'override Object.Equals(Object), viene richiamato prima che venga eseguita qualsiasi altra operazione.In Point3D.Equals
, the inherited Point.Equals
method, which overrides Object.Equals(Object), is invoked before anything else is done. Poiché Point3D
è una classe sealed (NotInheritable
in Visual Basic), una verifica nel formato obj is Point
in C# o TryCast(obj, Point)
in Visual Basic è adeguata per garantire che obj
sia un oggetto Point3D
.Because Point3D
is a sealed class (NotInheritable
in Visual Basic), a check in the form obj is Point
in C# or TryCast(obj, Point)
in Visual Basic is adequate to ensure that obj
is a Point3D
object. Se è un oggetto Point3D
, viene eseguito il cast a un oggetto Point
e passato all'implementazione della classe di base di Equals.If it is a Point3D
object, it is cast to a Point
object and passed to the base class implementation of Equals. Solo quando il metodo Point.Equals
ereditato restituisce true
il metodo confronta i campi dell'istanza z
introdotti nella classe derivata.Only when the inherited Point.Equals
method returns true
does the method compare the z
instance fields introduced in the derived class.
Nell'esempio seguente viene definita una classe Rectangle
che implementa internamente un rettangolo come due oggetti Point
.The following example defines a Rectangle
class that internally implements a rectangle as two Point
objects. Anche la classe Rectangle
esegue l'override di Object.Equals(Object) per fornire l'uguaglianza dei valori.The Rectangle
class also overrides Object.Equals(Object) to provide for value equality.
using System;
class Rectangle
{
private Point a, b;
public Rectangle(int upLeftX, int upLeftY, int downRightX, int downRightY)
{
this.a = new Point(upLeftX, upLeftY);
this.b = new Point(downRightX, downRightY);
}
public override bool Equals(Object obj)
{
// Perform an equality check on two rectangles (Point object pairs).
if (obj == null || GetType() != obj.GetType())
return false;
Rectangle r = (Rectangle)obj;
return a.Equals(r.a) && b.Equals(r.b);
}
public override int GetHashCode()
{
return Tuple.Create(a, b).GetHashCode();
}
public override String ToString()
{
return String.Format("Rectangle({0}, {1}, {2}, {3})",
a.x, a.y, b.x, b.y);
}
}
class Point
{
internal int x;
internal int y;
public Point(int X, int Y)
{
this.x = X;
this.y = Y;
}
public override bool Equals (Object obj)
{
// Performs an equality check on two points (integer pairs).
if (obj == null || GetType() != obj.GetType()) return false;
Point p = (Point)obj;
return (x == p.x) && (y == p.y);
}
public override int GetHashCode()
{
return Tuple.Create(x, y).GetHashCode();
}
}
class Example
{
public static void Main()
{
Rectangle r1 = new Rectangle(0, 0, 100, 200);
Rectangle r2 = new Rectangle(0, 0, 100, 200);
Rectangle r3 = new Rectangle(0, 0, 150, 200);
Console.WriteLine("{0} = {1}: {2}", r1, r2, r1.Equals(r2));
Console.WriteLine("{0} = {1}: {2}", r1, r3, r1.Equals(r3));
Console.WriteLine("{0} = {1}: {2}", r2, r3, r2.Equals(r3));
}
}
// The example displays the following output:
// Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 100, 200): True
// Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 150, 200): False
// Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 150, 200): False
Class Rectangle
Private a, b As Point
Public Sub New(ByVal upLeftX As Integer, ByVal upLeftY As Integer, _
ByVal downRightX As Integer, ByVal downRightY As Integer)
Me.a = New Point(upLeftX, upLeftY)
Me.b = New Point(downRightX, downRightY)
End Sub
Public Overrides Function Equals(ByVal obj As [Object]) As Boolean
' Performs an equality check on two rectangles (Point object pairs).
If obj Is Nothing OrElse Not [GetType]().Equals(obj.GetType()) Then
Return False
End If
Dim r As Rectangle = CType(obj, Rectangle)
Return a.Equals(r.a) AndAlso b.Equals(r.b)
End Function
Public Overrides Function GetHashCode() As Integer
Return Tuple.Create(a, b).GetHashCode()
End Function
Public Overrides Function ToString() As String
Return String.Format("Rectangle({0}, {1}, {2}, {3})",
a.x, a.y, b.x, b.y)
End Function
End Class
Class Point
Friend x As Integer
Friend y As Integer
Public Sub New(ByVal X As Integer, ByVal Y As Integer)
Me.x = X
Me.y = Y
End Sub
Public Overrides Function Equals(ByVal obj As [Object]) As Boolean
' Performs an equality check on two points (integer pairs).
If obj Is Nothing OrElse Not [GetType]().Equals(obj.GetType()) Then
Return False
Else
Dim p As Point = CType(obj, Point)
Return x = p.x AndAlso y = p.y
End If
End Function
Public Overrides Function GetHashCode() As Integer
Return Tuple.Create(x, y).GetHashCode()
End Function
End Class
Class Example
Public Shared Sub Main()
Dim r1 As New Rectangle(0, 0, 100, 200)
Dim r2 As New Rectangle(0, 0, 100, 200)
Dim r3 As New Rectangle(0, 0, 150, 200)
Console.WriteLine("{0} = {1}: {2}", r1, r2, r1.Equals(r2))
Console.WriteLine("{0} = {1}: {2}", r1, r3, r1.Equals(r3))
Console.WriteLine("{0} = {1}: {2}", r2, r3, r2.Equals(r3))
End Sub
End Class
' The example displays the following output:
' Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 100, 200): True
' Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 150, 200): False
' Rectangle(0, 0, 100, 200) = Rectangle(0, 0, 150, 200): False
Alcuni linguaggi, ad C# esempio e Visual Basic supportano l'overload degli operatori.Some languages such as C# and Visual Basic support operator overloading. Quando un tipo esegue l'overload dell'operatore di uguaglianza, deve anche eseguire l'override del metodo Equals(Object) per fornire la stessa funzionalità.When a type overloads the equality operator, it must also override the Equals(Object) method to provide the same functionality. Questa operazione viene in genere eseguita scrivendo il metodo Equals(Object) in termini di operatore di uguaglianza di overload, come nell'esempio seguente.This is typically accomplished by writing the Equals(Object) method in terms of the overloaded equality operator, as in the following example.
using System;
public struct Complex
{
public double re, im;
public override bool Equals(Object obj)
{
return obj is Complex && this == (Complex)obj;
}
public override int GetHashCode()
{
return Tuple.Create(re, im).GetHashCode();
}
public static bool operator ==(Complex x, Complex y)
{
return x.re == y.re && x.im == y.im;
}
public static bool operator !=(Complex x, Complex y)
{
return !(x == y);
}
public override String ToString()
{
return String.Format("({0}, {1})", re, im);
}
}
class MyClass
{
public static void Main()
{
Complex cmplx1, cmplx2;
cmplx1.re = 4.0;
cmplx1.im = 1.0;
cmplx2.re = 2.0;
cmplx2.im = 1.0;
Console.WriteLine("{0} <> {1}: {2}", cmplx1, cmplx2, cmplx1 != cmplx2);
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1.Equals(cmplx2));
cmplx2.re = 4.0;
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1 == cmplx2);
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1.Equals(cmplx2));
}
}
// The example displays the following output:
// (4, 1) <> (2, 1): True
// (4, 1) = (2, 1): False
// (4, 1) = (4, 1): True
// (4, 1) = (4, 1): True
Public Structure Complex
Public re, im As Double
Public Overrides Function Equals(ByVal obj As [Object]) As Boolean
Return TypeOf obj Is Complex AndAlso Me = CType(obj, Complex)
End Function
Public Overrides Function GetHashCode() As Integer
Return Tuple.Create(re, im).GetHashCode()
End Function
Public Shared Operator = (x As Complex, y As Complex) As Boolean
Return x.re = y.re AndAlso x.im = y.im
End Operator
Public Shared Operator <> (x As Complex, y As Complex) As Boolean
Return Not (x = y)
End Operator
Public Overrides Function ToString() As String
Return String.Format("({0}, {1})", re, im)
End Function
End Structure
Class Example
Public Shared Sub Main()
Dim cmplx1, cmplx2 As Complex
cmplx1.re = 4.0
cmplx1.im = 1.0
cmplx2.re = 2.0
cmplx2.im = 1.0
Console.WriteLine("{0} <> {1}: {2}", cmplx1, cmplx2, cmplx1 <> cmplx2)
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1.Equals(cmplx2))
cmplx2.re = 4.0
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1 = cmplx2)
Console.WriteLine("{0} = {1}: {2}", cmplx1, cmplx2, cmplx1.Equals(cmplx2))
End Sub
End Class
' The example displays the following output:
' (4, 1) <> (2, 1): True
' (4, 1) = (2, 1): False
' (4, 1) = (4, 1): True
' (4, 1) = (4, 1): True
Poiché Complex
è un tipo di valore, non può essere derivato da.Because Complex
is a value type, it cannot be derived from. Pertanto, l'override per Equals(Object) metodo non deve chiamare GetType per determinare il tipo di runtime preciso di ogni oggetto, ma può invece usare l'operatore is
in C# o l'operatore TypeOf
in Visual Basic per verificare il tipo del parametro obj
.Therefore, the override to Equals(Object) method need not call GetType to determine the precise run-time type of each object, but can instead use the is
operator in C# or the TypeOf
operator in Visual Basic to check the type of the obj
parameter.
Commenti
Il tipo di confronto tra l'istanza corrente e il obj
parametro varia a seconda che l'istanza corrente sia un tipo di riferimento o un tipo valore.The type of comparison between the current instance and the obj
parameter depends on whether the current instance is a reference type or a value type.
Se l'istanza corrente è un tipo di riferimento, il metodo Equals(Object) verifica l'uguaglianza dei riferimenti e una chiamata al metodo Equals(Object) è equivalente a una chiamata al metodo ReferenceEquals.If the current instance is a reference type, the Equals(Object) method tests for reference equality, and a call to the Equals(Object) method is equivalent to a call to the ReferenceEquals method. L'uguaglianza dei riferimenti indica che le variabili oggetto confrontate fanno riferimento allo stesso oggetto.Reference equality means that the object variables that are compared refer to the same object. Nell'esempio seguente viene illustrato il risultato di tale confronto.The following example illustrates the result of such a comparison. Definisce una classe
Person
, che è un tipo riferimento, e chiama il costruttore della classePerson
per creare un'istanza di due nuovi oggettiPerson
,person1a
eperson2
, che hanno lo stesso valore.It defines aPerson
class, which is a reference type, and calls thePerson
class constructor to instantiate two newPerson
objects,person1a
andperson2
, which have the same value. Assegna ancheperson1a
a un'altra variabile oggetto,person1b
.It also assignsperson1a
to another object variable,person1b
. Come illustrato nell'output dell'esempio,person1a
eperson1b
sono uguali perché fanno riferimento allo stesso oggetto.As the output from the example shows,person1a
andperson1b
are equal because they reference the same object. Tuttavia,person1a
eperson2
non sono uguali, anche se hanno lo stesso valore.However,person1a
andperson2
are not equal, although they have the same value.using System; // Define a reference type that does not override Equals. public class Person { private string personName; public Person(string name) { this.personName = name; } public override string ToString() { return this.personName; } } public class Example { public static void Main() { Person person1a = new Person("John"); Person person1b = person1a; Person person2 = new Person(person1a.ToString()); Console.WriteLine("Calling Equals:"); Console.WriteLine("person1a and person1b: {0}", person1a.Equals(person1b)); Console.WriteLine("person1a and person2: {0}", person1a.Equals(person2)); Console.WriteLine("\nCasting to an Object and calling Equals:"); Console.WriteLine("person1a and person1b: {0}", ((object) person1a).Equals((object) person1b)); Console.WriteLine("person1a and person2: {0}", ((object) person1a).Equals((object) person2)); } } // The example displays the following output: // person1a and person1b: True // person1a and person2: False // // Casting to an Object and calling Equals: // person1a and person1b: True // person1a and person2: False
' Define a reference type that does not override Equals. Public Class Person Private personName As String Public Sub New(name As String) Me.personName = name End Sub Public Overrides Function ToString() As String Return Me.personName End Function End Class Module Example Public Sub Main() Dim person1a As New Person("John") Dim person1b As Person = person1a Dim person2 As New Person(person1a.ToString()) Console.WriteLine("Calling Equals:") Console.WriteLine("person1a and person1b: {0}", person1a.Equals(person1b)) Console.WriteLine("person1a and person2: {0}", person1a.Equals(person2)) Console.WriteLine() Console.WriteLine("Casting to an Object and calling Equals:") Console.WriteLine("person1a and person1b: {0}", CObj(person1a).Equals(CObj(person1b))) Console.WriteLine("person1a and person2: {0}", CObj(person1a).Equals(CObj(person2))) End Sub End Module ' The example displays the following output: ' Calling Equals: ' person1a and person1b: True ' person1a and person2: False ' ' Casting to an Object and calling Equals: ' person1a and person1b: True ' person1a and person2: False
Se l'istanza corrente è un tipo di valore, il metodo Equals(Object) verifica l'uguaglianza dei valori.If the current instance is a value type, the Equals(Object) method tests for value equality. L'uguaglianza di valori indica quanto segue:Value equality means the following:
I due oggetti sono dello stesso tipo.The two objects are of the same type. Come illustrato nell'esempio seguente, un oggetto Byte con un valore pari a 12 non equivale a un oggetto Int32 con valore 12, perché i due oggetti hanno tipi di runtime diversi.As the following example shows, a Byte object that has a value of 12 does not equal an Int32 object that has a value of 12, because the two objects have different run-time types.
byte value1 = 12; int value2 = 12; object object1 = value1; object object2 = value2; Console.WriteLine("{0} ({1}) = {2} ({3}): {4}", object1, object1.GetType().Name, object2, object2.GetType().Name, object1.Equals(object2)); // The example displays the following output: // 12 (Byte) = 12 (Int32): False
Module Example Public Sub Main() Dim value1 As Byte = 12 Dim value2 As Integer = 12 Dim object1 As Object = value1 Dim object2 As Object = value2 Console.WriteLine("{0} ({1}) = {2} ({3}): {4}", object1, object1.GetType().Name, object2, object2.GetType().Name, object1.Equals(object2)) End Sub End Module ' The example displays the following output: ' 12 (Byte) = 12 (Int32): False
I valori dei campi Public e private dei due oggetti sono uguali.The values of the public and private fields of the two objects are equal. Nell'esempio seguente viene verificata l'uguaglianza dei valori.The following example tests for value equality. Definisce una struttura di
Person
, ovvero un tipo di valore, e chiama il costruttore della classePerson
per creare un'istanza di due nuovi oggettiPerson
,person1
eperson2
, che hanno lo stesso valore.It defines aPerson
structure, which is a value type, and calls thePerson
class constructor to instantiate two newPerson
objects,person1
andperson2
, which have the same value. Come illustrato nell'output dell'esempio, anche se le due variabili oggetto fanno riferimento a oggetti diversi,person1
eperson2
sono uguali perché hanno lo stesso valore per il campopersonName
privato.As the output from the example shows, although the two object variables refer to different objects,person1
andperson2
are equal because they have the same value for the privatepersonName
field.using System; // Define a value type that does not override Equals. public struct Person { private string personName; public Person(string name) { this.personName = name; } public override string ToString() { return this.personName; } } public struct Example { public static void Main() { Person person1 = new Person("John"); Person person2 = new Person("John"); Console.WriteLine("Calling Equals:"); Console.WriteLine(person1.Equals(person2)); Console.WriteLine("\nCasting to an Object and calling Equals:"); Console.WriteLine(((object) person1).Equals((object) person2)); } } // The example displays the following output: // Calling Equals: // True // // Casting to an Object and calling Equals: // True
' Define a value type that does not override Equals. Public Structure Person Private personName As String Public Sub New(name As String) Me.personName = name End Sub Public Overrides Function ToString() As String Return Me.personName End Function End Structure Module Example Public Sub Main() Dim p1 As New Person("John") Dim p2 As New Person("John") Console.WriteLine("Calling Equals:") Console.WriteLine(p1.Equals(p2)) Console.WriteLine() Console.WriteLine("Casting to an Object and calling Equals:") Console.WriteLine(CObj(p1).Equals(p2)) End Sub End Module ' The example displays the following output: ' Calling Equals: ' True ' ' Casting to an Object and calling Equals: ' True
Poiché la classe Object è la classe base per tutti i tipi nella .NET Framework, il metodo Object.Equals(Object) fornisce il confronto di uguaglianza predefinito per tutti gli altri tipi.Because the Object class is the base class for all types in the .NET Framework, the Object.Equals(Object) method provides the default equality comparison for all other types. Tuttavia, i tipi spesso eseguono l'override del metodo Equals per implementare l'uguaglianza dei valori.However, types often override the Equals method to implement value equality. Per ulteriori informazioni, vedere le sezioni Note per i chiamanti e note per gli eredi.For more information, see the Notes for Callers and Notes for Inheritors sections.
Note per il Windows RuntimeWindows RuntimeNotes for the Windows RuntimeWindows Runtime
Quando si chiama l'overload del metodo Equals(Object) su una classe nell'Windows RuntimeWindows Runtime, fornisce il comportamento predefinito per le classi che non eseguono l'override Equals(Object).When you call the Equals(Object) method overload on a class in the Windows RuntimeWindows Runtime, it provides the default behavior for classes that don't override Equals(Object). Questo è parte del supporto fornito dal .NET Framework per la Windows RuntimeWindows Runtime (vedere .NET Framework supporto per le app di Windows Store e Windows Runtime).This is part of the support that the .NET Framework provides for the Windows RuntimeWindows Runtime (see .NET Framework Support for Windows Store Apps and Windows Runtime). Le classi nella Windows RuntimeWindows Runtime non ereditano Objecte attualmente non implementano un metodo di Equals(Object).Classes in the Windows RuntimeWindows Runtime don't inherit Object, and currently don't implement an Equals(Object) method. Tuttavia, sembrano avere metodi ToString, Equals(Object)e GetHashCode quando vengono usati nel codice C# o Visual Basic e il .NET Framework fornisce il comportamento predefinito per questi metodi.However, they appear to have ToString, Equals(Object), and GetHashCode methods when you use them in your C# or Visual Basic code, and the .NET Framework provides the default behavior for these methods.
Nota
Windows RuntimeWindows Runtime classi scritte in C# o Visual Basic possono eseguire l'override dell'overload del metodo Equals(Object).classes that are written in C# or Visual Basic can override the Equals(Object) method overload.
Note per i chiamantiNotes for Callers
Spesso le classi derivate eseguono l'override del metodo Object.Equals(Object) per implementare l'uguaglianza dei valori.Derived classes frequently override the Object.Equals(Object) method to implement value equality. Inoltre, i tipi forniscono spesso un overload fortemente tipizzato aggiuntivo al metodo Equals
, in genere implementando l'interfaccia IEquatable<T>.In addition, types also frequently provide an additional strongly typed overload to the Equals
method, typically by implementing the IEquatable<T> interface. Quando si chiama il metodo Equals
per verificare l'uguaglianza, è necessario sapere se l'istanza corrente esegue l'override di Object.Equals e comprendere il modo in cui viene risolta una particolare chiamata a un metodo di Equals
.When you call the Equals
method to test for equality, you should know whether the current instance overrides Object.Equals and understand how a particular call to an Equals
method is resolved. In caso contrario, è possibile eseguire un test di uguaglianza diverso da quello previsto e il metodo può restituire un valore imprevisto.Otherwise, you may be performing a test for equality that is different from what you intended, and the method may return an unexpected value.
Nell'esempio seguente viene illustrato questo concetto.The following example provides an illustration. Crea un'istanza di tre oggetti StringBuilder con stringhe identiche e quindi effettua quattro chiamate a metodi di Equals
.It instantiates three StringBuilder objects with identical strings, and then makes four calls to Equals
methods. La prima chiamata al metodo restituisce true
e i tre false
restituiti rimanenti.The first method call returns true
, and the remaining three return false
.
using System;
using System.Text;
public class Example
{
public static void Main()
{
StringBuilder sb1 = new StringBuilder("building a string...");
StringBuilder sb2 = new StringBuilder("building a string...");
Console.WriteLine("sb1.Equals(sb2): {0}", sb1.Equals(sb2));
Console.WriteLine("((Object) sb1).Equals(sb2): {0}",
((Object) sb1).Equals(sb2));
Console.WriteLine("Object.Equals(sb1, sb2): {0}",
Object.Equals(sb1, sb2));
Object sb3 = new StringBuilder("building a string...");
Console.WriteLine("\nsb3.Equals(sb2): {0}", sb3.Equals(sb2));
}
}
// The example displays the following output:
// sb1.Equals(sb2): True
// ((Object) sb1).Equals(sb2): False
// Object.Equals(sb1, sb2): False
//
// sb3.Equals(sb2): False
Imports System.Text
Module Example
Public Sub Main()
Dim sb1 As New StringBuilder("building a string...")
Dim sb2 As New StringBuilder("building a string...")
Console.WriteLine("sb1.Equals(sb2): {0}", sb1.Equals(sb2))
Console.WriteLine("CObj(sb1).Equals(sb2): {0}",
CObj(sb1).Equals(sb2))
Console.WriteLine("Object.Equals(sb1, sb2): {0}",
Object.Equals(sb1, sb2))
Console.WriteLine()
Dim sb3 As Object = New StringBuilder("building a string...")
Console.WriteLine("sb3.Equals(sb2): {0}", sb3.Equals(sb2))
End Sub
End Module
' The example displays the following output:
' sb1.Equals(sb2): True
' CObj(sb1).Equals(sb2): False
' Object.Equals(sb1, sb2): False
'
' sb3.Equals(sb2): False
Nel primo caso, viene chiamato l'overload del metodo di StringBuilder.Equals(StringBuilder) fortemente tipizzato, che verifica l'uguaglianza dei valori.In the first case, the strongly typed StringBuilder.Equals(StringBuilder) method overload, which tests for value equality, is called. Poiché le stringhe assegnate ai due oggetti StringBuilder sono uguali, il metodo restituisce true
.Because the strings assigned to the two StringBuilder objects are equal, the method returns true
. Tuttavia, StringBuilder non esegue l'override di Object.Equals(Object).However, StringBuilder does not override Object.Equals(Object). Per questo motivo, quando viene eseguito il cast dell'oggetto StringBuilder a un Object, quando un'istanza di StringBuilder viene assegnata a una variabile di tipo Objecte quando al metodo Object.Equals(Object, Object) vengono passati due oggetti StringBuilder, viene chiamato il metodo di Object.Equals(Object) predefinito.Because of this, when the StringBuilder object is cast to an Object, when a StringBuilder instance is assigned to a variable of type Object, and when the Object.Equals(Object, Object) method is passed two StringBuilder objects, the default Object.Equals(Object) method is called. Poiché StringBuilder è un tipo di riferimento, equivale a passare i due oggetti StringBuilder al metodo ReferenceEquals.Because StringBuilder is a reference type, this is equivalent to passing the two StringBuilder objects to the ReferenceEquals method. Sebbene tutti e tre gli oggetti StringBuilder contengano stringhe identiche, fanno riferimento a tre oggetti distinti.Although all three StringBuilder objects contain identical strings, they refer to three distinct objects. Di conseguenza, queste tre chiamate al metodo restituiscono false
.As a result, these three method calls return false
.
È possibile confrontare l'oggetto corrente con un altro oggetto per l'uguaglianza dei riferimenti chiamando il metodo ReferenceEquals.You can compare the current object to another object for reference equality by calling the ReferenceEquals method. In Visual Basic è anche possibile usare la parola chiave is
, ad esempio If Me Is otherObject Then ...
.In Visual Basic, you can also use the is
keyword (for example, If Me Is otherObject Then ...
).
Note per gli erediNotes for Inheritors
Quando si definisce un tipo personalizzato, tale tipo eredita la funzionalità definita dal metodo Equals
del relativo tipo di base.When you define your own type, that type inherits the functionality defined by the Equals
method of its base type. Nella tabella seguente è elencata l'implementazione predefinita del metodo Equals
per le categorie principali di tipi nel .NET Framework.The following table lists the default implementation of the Equals
method for the major categories of types in the .NET Framework.
Categoria di tipiType category | Uguaglianza definita daEquality defined by | CommentsComments |
---|---|---|
Classe derivata direttamente da ObjectClass derived directly from Object | Object.Equals(Object) | Uguaglianza di riferimento; equivale a chiamare Object.ReferenceEquals.Reference equality; equivalent to calling Object.ReferenceEquals. |
StrutturaStructure | ValueType.Equals | Uguaglianza di valori; confronto diretto tra byte per byte o confronto campo per campo mediante reflection.Value equality; either direct byte-by-byte comparison or field-by-field comparison using reflection. |
EnumerazioneEnumeration | Enum.Equals | I valori devono avere lo stesso tipo di enumerazione e lo stesso valore sottostante.Values must have the same enumeration type and the same underlying value. |
DelegatoDelegate | MulticastDelegate.Equals | I delegati devono avere lo stesso tipo con elenchi di chiamate identici.Delegates must have the same type with identical invocation lists. |
InterfacciaInterface | Object.Equals(Object) | Uguaglianza di riferimenti.Reference equality. |
Per un tipo di valore, è sempre necessario eseguire l'override di Equals, perché i test di uguaglianza basati sulla reflection offrono prestazioni insoddisfacenti.For a value type, you should always override Equals, because tests for equality that rely on reflection offer poor performance. È anche possibile eseguire l'override dell'implementazione predefinita di Equals per i tipi di riferimento per verificare l'uguaglianza di valori anziché l'uguaglianza dei riferimenti e per definire il significato preciso dell'uguaglianza dei valori.You can also override the default implementation of Equals for reference types to test for value equality instead of reference equality and to define the precise meaning of value equality. Queste implementazioni di Equals restituiscono true
se i due oggetti hanno lo stesso valore, anche se non sono la stessa istanza.Such implementations of Equals return true
if the two objects have the same value, even if they are not the same instance. L'implementatore del tipo decide che cosa costituisce il valore di un oggetto, ma in genere è costituito da alcuni o tutti i dati archiviati nelle variabili di istanza dell'oggetto.The type's implementer decides what constitutes an object's value, but it is typically some or all the data stored in the instance variables of the object. Ad esempio, il valore di un oggetto String è basato sui caratteri della stringa. il metodo String.Equals(Object) esegue l'override del metodo Object.Equals(Object) per restituire true
per due istanze di stringa che contengono gli stessi caratteri nello stesso ordine.For example, the value of a String object is based on the characters of the string; the String.Equals(Object) method overrides the Object.Equals(Object) method to return true
for any two string instances that contain the same characters in the same order.
Nell'esempio seguente viene illustrato come eseguire l'override del metodo Object.Equals(Object) per verificare l'uguaglianza dei valori.The following example shows how to override the Object.Equals(Object) method to test for value equality. Esegue l'override del metodo Equals per la classe Person
.It overrides the Equals method for the Person
class. Se Person
accetta la relativa implementazione della classe di base di uguaglianza, due oggetti Person
saranno uguali solo se fanno riferimento a un singolo oggetto.If Person
accepted its base class implementation of equality, two Person
objects would be equal only if they referenced a single object. Tuttavia, in questo caso, due oggetti Person
sono uguali se hanno lo stesso valore per la proprietà Person.Id
.However, in this case, two Person
objects are equal if they have the same value for the Person.Id
property.
public class Person
{
private string idNumber;
private string personName;
public Person(string name, string id)
{
this.personName = name;
this.idNumber = id;
}
public override bool Equals(Object obj)
{
Person personObj = obj as Person;
if (personObj == null)
return false;
else
return idNumber.Equals(personObj.idNumber);
}
public override int GetHashCode()
{
return this.idNumber.GetHashCode();
}
}
public class Example
{
public static void Main()
{
Person p1 = new Person("John", "63412895");
Person p2 = new Person("Jack", "63412895");
Console.WriteLine(p1.Equals(p2));
Console.WriteLine(Object.Equals(p1, p2));
}
}
// The example displays the following output:
// True
// True
Public Class Person
Private idNumber As String
Private personName As String
Public Sub New(name As String, id As String)
Me.personName = name
Me.idNumber = id
End Sub
Public Overrides Function Equals(obj As Object) As Boolean
Dim personObj As Person = TryCast(obj, Person)
If personObj Is Nothing Then
Return False
Else
Return idNumber.Equals(personObj.idNumber)
End If
End Function
Public Overrides Function GetHashCode() As Integer
Return Me.idNumber.GetHashCode()
End Function
End Class
Module Example
Public Sub Main()
Dim p1 As New Person("John", "63412895")
Dim p2 As New Person("Jack", "63412895")
Console.WriteLine(p1.Equals(p2))
Console.WriteLine(Object.Equals(p1, p2))
End Sub
End Module
' The example displays the following output:
' True
' True
Oltre a eseguire l'override di Equals, è possibile implementare l'interfaccia IEquatable<T> per fornire un test fortemente tipizzato per l'uguaglianza.In addition to overriding Equals, you can implement the IEquatable<T> interface to provide a strongly typed test for equality.
Le istruzioni seguenti devono essere soddisfatte per tutte le implementazioni del metodo Equals(Object).The following statements must be true for all implementations of the Equals(Object) method. Nell'elenco x
, y
e z
rappresentano riferimenti a oggetti che non sono null.In the list, x
, y
, and z
represent object references that are not null.
x.Equals(x)
restituiscetrue
, tranne nei casi che coinvolgono tipi a virgola mobile.x.Equals(x)
returnstrue
, except in cases that involve floating-point types. Vedere ISO/IEC/IEEE 60559:2011, Information Technology--sistemi del microprocessore--aritmetica a virgola mobile.See ISO/IEC/IEEE 60559:2011, Information technology -- Microprocessor Systems -- Floating-Point arithmetic.x.Equals(y)
restituisce lo stesso valore diy.Equals(x)
.x.Equals(y)
returns the same value asy.Equals(x)
.x.Equals(y)
restituiscetrue
sex
ey
sonoNaN
.x.Equals(y)
returnstrue
if bothx
andy
areNaN
.Se
(x.Equals(y) && y.Equals(z))
restituiscetrue
,x.Equals(z)
restituiscetrue
.If(x.Equals(y) && y.Equals(z))
returnstrue
, thenx.Equals(z)
returnstrue
.Le chiamate successive a
x.Equals(y)
restituiscono lo stesso valore purché gli oggetti a cui fanno riferimentox
ey
non vengano modificati.Successive calls tox.Equals(y)
return the same value as long as the objects referenced byx
andy
are not modified.x.Equals(null)
restituiscefalse
.x.Equals(null)
returnsfalse
.
Le implementazioni di Equals non devono generare eccezioni. devono sempre restituire un valore.Implementations of Equals must not throw exceptions; they should always return a value. Se, ad esempio, obj
è null
, il metodo Equals restituisce false
anziché generare un ArgumentNullException.For example, if obj
is null
, the Equals method should return false
instead of throwing an ArgumentNullException.
Quando si esegue l'override di Equals(Object), attenersi alle seguenti linee guida:Follow these guidelines when overriding Equals(Object):
I tipi che implementano IComparable devono eseguire l'override di Equals(Object).Types that implement IComparable must override Equals(Object).
Anche i tipi che eseguono l'override di Equals(Object) devono eseguire l'override di GetHashCode; in caso contrario, le tabelle hash potrebbero non funzionare correttamente.Types that override Equals(Object) must also override GetHashCode; otherwise, hash tables might not work correctly.
È consigliabile implementare l'interfaccia IEquatable<T> per supportare test fortemente tipizzati per verificarne l'uguaglianza.You should consider implementing the IEquatable<T> interface to support strongly typed tests for equality. L'implementazione di IEquatable<T>.Equals deve restituire risultati coerenti con Equals.Your IEquatable<T>.Equals implementation should return results that are consistent with Equals.
Se il linguaggio di programmazione supporta l'overload degli operatori e si esegue l'overload dell'operatore di uguaglianza per un determinato tipo, è necessario eseguire l'override anche del metodo Equals(Object) per restituire lo stesso risultato dell'operatore di uguaglianza.If your programming language supports operator overloading and you overload the equality operator for a given type, you must also override the Equals(Object) method to return the same result as the equality operator. Ciò consente di garantire che il codice della libreria di classi che utilizza Equals (ad esempio ArrayList e Hashtable) si comportano in modo coerente con il modo in cui l'operatore di uguaglianza viene utilizzato dal codice dell'applicazione.This helps ensure that class library code that uses Equals (such as ArrayList and Hashtable) behaves in a manner that is consistent with the way the equality operator is used by application code.
Linee guida per i tipi di riferimentoGuidelines for Reference Types
Le linee guida seguenti si applicano all'override Equals(Object) per un tipo di riferimento:The following guidelines apply to overriding Equals(Object) for a reference type:
Si consiglia di eseguire l'override di Equals se la semantica del tipo è basata sul fatto che il tipo rappresenta alcuni valori.Consider overriding Equals if the semantics of the type are based on the fact that the type represents some value(s).
La maggior parte dei tipi di riferimento non deve eseguire l'overload dell'operatore di uguaglianza, anche se esegue l'override Equals.Most reference types must not overload the equality operator, even if they override Equals. Tuttavia, se si implementa un tipo di riferimento che deve avere una semantica dei valori, ad esempio un tipo di numero complesso, è necessario eseguire l'override dell'operatore di uguaglianza.However, if you are implementing a reference type that is intended to have value semantics, such as a complex number type, you must override the equality operator.
Non eseguire l'override di Equals su un tipo di riferimento modificabile.You should not override Equals on a mutable reference type. Questo è dovuto al fatto che l'override di Equals richiede anche l'override del metodo GetHashCode, come illustrato nella sezione precedente.This is because overriding Equals requires that you also override the GetHashCode method, as discussed in the previous section. Ciò significa che il codice hash di un'istanza di un tipo di riferimento modificabile può cambiare durante la sua durata, che può causare la perdita dell'oggetto in una tabella hash.This means that the hash code of an instance of a mutable reference type can change during its lifetime, which can cause the object to be lost in a hash table.
Linee guida per i tipi di valoreGuidelines for Value Types
Le linee guida seguenti si applicano all'override Equals(Object) per un tipo di valore:The following guidelines apply to overriding Equals(Object) for a value type:
Se si definisce un tipo di valore che include uno o più campi i cui valori sono tipi di riferimento, è necessario eseguire l'override di Equals(Object).If you are defining a value type that includes one or more fields whose values are reference types, you should override Equals(Object). L'implementazione Equals(Object) fornita da ValueType esegue un confronto byte per byte per i tipi di valore i cui campi sono tutti tipi valore, ma usa la reflection per eseguire un confronto campo per campo di tipi di valore i cui campi includono i tipi di riferimento.The Equals(Object) implementation provided by ValueType performs a byte-by-byte comparison for value types whose fields are all value types, but it uses reflection to perform a field-by-field comparison of value types whose fields include reference types.
Se si esegue l'override di Equals e il linguaggio di sviluppo supporta l'overload degli operatori, è necessario eseguire l'overload dell'operatore di uguaglianza.If you override Equals and your development language supports operator overloading, you must overload the equality operator.
È necessario implementare l'interfaccia IEquatable<T>.You should implement the IEquatable<T> interface. La chiamata al metodo di IEquatable<T>.Equals fortemente tipizzato evita la conversione boxing dell'argomento
obj
.Calling the strongly typed IEquatable<T>.Equals method avoids boxing theobj
argument.
Vedi anche
Equals(Object, Object)
Determina se le istanze dell'oggetto specificate sono considerate uguali.Determines whether the specified object instances are considered equal.
public:
static bool Equals(System::Object ^ objA, System::Object ^ objB);
public static bool Equals (object objA, object objB);
static member Equals : obj * obj -> bool
Public Shared Function Equals (objA As Object, objB As Object) As Boolean
Parametri
- objA
- Object
Primo oggetto da confrontare.The first object to compare.
- objB
- Object
Secondo oggetto da confrontare.The second object to compare.
Restituisce
true
se gli oggetti sono considerati uguali; in caso contrario, false
.true
if the objects are considered equal; otherwise, false
. Se entrambi i parametri objA
e objB
sono null, il metodo restituisce true
.If both objA
and objB
are null, the method returns true
.
Esempi
Nell'esempio seguente viene illustrato il metodo Equals(Object, Object) e viene confrontato con il metodo ReferenceEquals.The following example illustrates the Equals(Object, Object) method and compares it with the ReferenceEquals method.
using System;
public class Example
{
public static void Main()
{
Dog m1 = new Dog("Alaskan Malamute");
Dog m2 = new Dog("Alaskan Malamute");
Dog g1 = new Dog("Great Pyrenees");
Dog g2 = g1;
Dog d1 = new Dog("Dalmation");
Dog n1 = null;
Dog n2 = null;
Console.WriteLine("null = null: {0}", Object.Equals(n1, n2));
Console.WriteLine("null Reference Equals null: {0}\n", Object.ReferenceEquals(n1, n2));
Console.WriteLine("{0} = {1}: {2}", g1, g2, Object.Equals(g1, g2));
Console.WriteLine("{0} Reference Equals {1}: {2}\n", g1, g2, Object.ReferenceEquals(g1, g2));
Console.WriteLine("{0} = {1}: {2}", m1, m2, Object.Equals(m1, m2));
Console.WriteLine("{0} Reference Equals {1}: {2}\n", m1, m2, Object.ReferenceEquals(m1, m2));
Console.WriteLine("{0} = {1}: {2}", m1, d1, Object.Equals(m1, d1));
Console.WriteLine("{0} Reference Equals {1}: {2}", m1, d1, Object.ReferenceEquals(m1, d1));
}
}
public class Dog
{
// Public field.
public string Breed;
// Class constructor.
public Dog(string dogBreed)
{
this.Breed = dogBreed;
}
public override bool Equals(Object obj)
{
if (obj == null || !(obj is Dog))
return false;
else
return this.Breed == ((Dog) obj).Breed;
}
public override int GetHashCode()
{
return this.Breed.GetHashCode();
}
public override string ToString()
{
return this.Breed;
}
}
// The example displays the following output:
// null = null: True
// null Reference Equals null: True
//
// Great Pyrenees = Great Pyrenees: True
// Great Pyrenees Reference Equals Great Pyrenees: True
//
// Alaskan Malamute = Alaskan Malamute: True
// Alaskan Malamute Reference Equals Alaskan Malamute: False
//
// Alaskan Malamute = Dalmation: False
// Alaskan Malamute Reference Equals Dalmation: False
Module Example
Public Sub Main()
Dim m1 As New Dog("Alaskan Malamute")
Dim m2 As New Dog("Alaskan Malamute")
Dim g1 As New Dog("Great Pyrenees")
Dim g2 As Dog = g1
Dim d1 As New Dog("Dalmation")
Dim n1 As Dog = Nothing
Dim n2 As Dog = Nothing
Console.WriteLine("null = null: {0}", Object.Equals(n1, n2))
Console.WriteLine("null Reference Equals null: {0}", Object.ReferenceEquals(n1, n2))
Console.WriteLine()
Console.WriteLine("{0} = {1}: {2}", g1, g2, Object.Equals(g1, g2))
Console.WriteLine("{0} Reference Equals {1}: {2}", g1, g2, Object.ReferenceEquals(g1, g2))
Console.WriteLine()
Console.WriteLine("{0} = {1}: {2}", m1, m2, Object.Equals(m1, m2))
Console.WriteLine("{0} Reference Equals {1}: {2}", m1, m2, Object.ReferenceEquals(m1, m2))
Console.WriteLine()
Console.WriteLine("{0} = {1}: {2}", m1, d1, Object.Equals(m1, d1))
Console.WriteLine("{0} Reference Equals {1}: {2}", m1, d1, Object.ReferenceEquals(m1, d1))
End Sub
End Module
Public Class Dog
' Public field.
Public Breed As String
' Class constructor.
Public Sub New(dogBreed As String)
Me.Breed = dogBreed
End Sub
Public Overrides Function Equals(obj As Object) As Boolean
If obj Is Nothing OrElse Not typeof obj Is Dog Then
Return False
Else
Return Me.Breed = CType(obj, Dog).Breed
End If
End Function
Public Overrides Function GetHashCode() As Integer
Return Me.Breed.GetHashCode()
End Function
Public Overrides Function ToString() As String
Return Me.Breed
End Function
End Class
' The example displays the following output:
' null = null: True
' null Reference Equals null: True
'
' Great Pyrenees = Great Pyrenees: True
' Great Pyrenees Reference Equals Great Pyrenees: True
'
' Alaskan Malamute = Alaskan Malamute: True
' Alaskan Malamute Reference Equals Alaskan Malamute: False
'
' Alaskan Malamute = Dalmation: False
' Alaskan Malamute Reference Equals Dalmation: False
Commenti
Il metodo statico Equals(Object, Object) indica se due oggetti, objA
e objB
, sono uguali.The static Equals(Object, Object) method indicates whether two objects, objA
and objB
, are equal. Consente inoltre di testare oggetti il cui valore è null per verificarne l'uguaglianza.It also enables you to test objects whose value is null for equality. Confronta objA
e objB
per verificarne l'uguaglianza, come indicato di seguito:It compares objA
and objB
for equality as follows:
Determina se i due oggetti rappresentano lo stesso riferimento a un oggetto.It determines whether the two objects represent the same object reference. In caso affermativo, il metodo restituisce
true
.If they do, the method returnstrue
. Questo test equivale a chiamare il metodo ReferenceEquals.This test is equivalent to calling the ReferenceEquals method. Se, inoltre,objA
eobjB
sono null, il metodo restituiscetrue
.In addition, if bothobjA
andobjB
are null, the method returnstrue
.Determina se
objA
oobjB
è null.It determines whether eitherobjA
orobjB
is null. In caso affermativo, restituiscefalse
.If so, it returnsfalse
.Se i due oggetti non rappresentano lo stesso riferimento all'oggetto e nessuno dei due è null, viene chiamato
objA
.Equals
(objB
) e restituisce il risultato.If the two objects do not represent the same object reference and neither is null, it callsobjA
.Equals
(objB
) and returns the result. Ciò significa che seobjA
esegue l'override del metodo Object.Equals(Object), viene chiamato questo override.This means that ifobjA
overrides the Object.Equals(Object) method, this override is called.