Object.Equals Méthode
Définition
Détermine si les deux instances d'objet sont égales.Determines whether two object instances are equal.
Surcharges
Equals(Object) |
Détermine si l'objet spécifié est égal à l'objet actuel.Determines whether the specified object is equal to the current object. |
Equals(Object, Object) |
Détermine si les instances d'objet spécifiées sont considérées comme égales.Determines whether the specified object instances are considered equal. |
Equals(Object)
Détermine si l'objet spécifié est égal à l'objet actuel.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
Paramètres
- obj
- Object
Objet à comparer à l'objet actuel.The object to compare with the current object.
Retours
true
si l’objet spécifié est égal à l’objet actuel ; sinon, false
.true
if the specified object is equal to the current object; otherwise, false
.
Exemples
L’exemple suivant illustre une Point
classe qui substitue la Equals méthode pour fournir l’égalité des valeurs et une Point3D
classe dérivée de 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
. Étant donné que Point
substitue Object.Equals(Object) pour tester l’égalité des valeurs, la Object.Equals(Object) méthode n’est pas appelée.Because Point
overrides Object.Equals(Object) to test for value equality, the Object.Equals(Object) method is not called. Toutefois, Point3D.Equals
appelle, Point.Equals
car Point
implémente Object.Equals(Object) de manière à fournir l’égalité des valeurs.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
La Point.Equals
méthode vérifie que l' obj
argument n’a pas la valeur null et qu’il fait référence à une instance du même type que cet objet.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. Si l’une des vérifications échoue, la méthode retourne false
.If either check fails, the method returns false
.
La Point.Equals
méthode appelle la GetType méthode pour déterminer si les types au moment de l’exécution des deux objets sont identiques.The Point.Equals
method calls the GetType method to determine whether the run-time types of the two objects are identical. Si la méthode a utilisé une vérification du formulaire obj is Point
en C# ou TryCast(obj, Point)
dans Visual Basic, le contrôle retourne true
dans les cas où obj
est une instance d’une classe dérivée de Point
, même si obj
et l’instance actuelle ne sont pas du même type au moment de l’exécution.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. Après avoir vérifié que les deux objets sont du même type, la méthode effectue un cast obj
en type Point
et retourne le résultat de la comparaison des champs d’instance des deux objets.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.
Dans Point3D.Equals
, la méthode héritée Point.Equals
, qui remplace Object.Equals(Object) , est appelée avant toute autre opération.In Point3D.Equals
, the inherited Point.Equals
method, which overrides Object.Equals(Object), is invoked before anything else is done. Étant donné que Point3D
est une classe sealed ( NotInheritable
dans Visual Basic), une vérification dans le formulaire obj is Point
en C# ou TryCast(obj, Point)
dans Visual Basic est appropriée pour s’assurer qu' obj
il s’agit d’un Point3D
objet.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. S’il s’agit d’un Point3D
objet, il est casté en un Point
objet et passé à l’implémentation de la classe de base de Equals .If it is a Point3D
object, it is cast to a Point
object and passed to the base class implementation of Equals. Point.Equals
true
La méthode compare les z
champs d’instance introduits dans la classe dérivée uniquement lorsque la méthode héritée retourne la valeur.Only when the inherited Point.Equals
method returns true
does the method compare the z
instance fields introduced in the derived class.
L’exemple suivant définit une Rectangle
classe qui implémente en interne un rectangle sous la forme de deux Point
objets.The following example defines a Rectangle
class that internally implements a rectangle as two Point
objects. La Rectangle
classe substitue également Object.Equals(Object) pour fournir l’égalité des valeurs.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
Certains langages, tels que C# et Visual Basic prennent en charge la surcharge d’opérateur.Some languages such as C# and Visual Basic support operator overloading. Lorsqu’un type surcharge l’opérateur d’égalité, il doit également substituer la Equals(Object) méthode pour fournir les mêmes fonctionnalités.When a type overloads the equality operator, it must also override the Equals(Object) method to provide the same functionality. Pour ce faire, vous devez généralement écrire la Equals(Object) méthode en fonction de l’opérateur d’égalité surchargé, comme dans l’exemple suivant.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
Étant donné que Complex
est un type valeur, il ne peut pas être dérivé de.Because Complex
is a value type, it cannot be derived from. Par conséquent, la substitution de la Equals(Object) méthode n’a pas besoin GetType d’appeler pour déterminer le type d’exécution précis de chaque objet, mais peut utiliser l' is
opérateur en C# ou l' TypeOf
opérateur dans Visual Basic pour vérifier le type du obj
paramètre.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.
Remarques
Le type de comparaison entre l’instance actuelle et le obj
paramètre varie selon que l’instance actuelle est un type référence ou un type valeur.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.
Si l’instance actuelle est un type référence, la Equals(Object) méthode teste l’égalité des références et un appel à la Equals(Object) méthode équivaut à un appel à la ReferenceEquals méthode.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’égalité des références signifie que les variables objets qui sont comparées font référence au même objet.Reference equality means that the object variables that are compared refer to the same object. L’exemple suivant illustre le résultat d’une telle comparaison.The following example illustrates the result of such a comparison. Il définit une
Person
classe, qui est un type référence, et appelle lePerson
constructeur de classe pour instancier deux nouveauxPerson
objets,person1a
etperson2
, qui ont la même valeur.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. Elle est également assignéeperson1a
à une autre variable objet,person1b
.It also assignsperson1a
to another object variable,person1b
. Comme le montre la sortie de l’exemple,person1a
etperson1b
sont égaux parce qu’ils font référence au même objet.As the output from the example shows,person1a
andperson1b
are equal because they reference the same object. Toutefois,person1a
et neperson2
sont pas égaux, bien qu’ils aient la même valeur.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
Si l’instance actuelle est un type valeur, la Equals(Object) méthode teste l’égalité des valeurs.If the current instance is a value type, the Equals(Object) method tests for value equality. L’égalité des valeurs signifie ce qui suit :Value equality means the following:
Les deux objets sont du même type.The two objects are of the same type. Comme le montre l’exemple suivant, un Byte objet qui a une valeur de 12 n’est pas égal à un objet ayant la Int32 valeur 12, car les deux objets ont des types d’exécution différents.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
Les valeurs des champs public et privé des deux objets sont égales.The values of the public and private fields of the two objects are equal. L’exemple suivant teste l’égalité des valeurs.The following example tests for value equality. Il définit une
Person
structure, qui est un type valeur, et appelle lePerson
constructeur de classe pour instancier deux nouveauxPerson
objets,person1
etperson2
, qui ont la même valeur.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. Comme le montre la sortie de l’exemple, bien que les deux variables objets fassent référence à des objets différents,person1
etperson2
sont égaux parce qu’ils ont la même valeur pour lepersonName
champ privé.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
Étant donné que la Object classe est la classe de base pour tous les types dans le .NET Framework, la Object.Equals(Object) méthode fournit la comparaison d’égalité par défaut pour tous les autres types.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. Toutefois, les types substituent souvent la Equals méthode pour implémenter l’égalité des valeurs.However, types often override the Equals method to implement value equality. Pour plus d’informations, consultez les sections Remarques relatives aux appelants et aux notes pour les héritiers.For more information, see the Notes for Callers and Notes for Inheritors sections.
Notes pour le Windows RuntimeWindows RuntimeNotes for the Windows RuntimeWindows Runtime
Quand vous appelez la Equals(Object) surcharge de méthode sur une classe dans Windows RuntimeWindows Runtime , elle fournit le comportement par défaut pour les classes qui ne remplacent pas 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). Il s’agit d’une partie de la prise en charge fournie par le .NET Framework pour Windows RuntimeWindows Runtime (consultez .NET Framework prise en charge des applications et Windows Runtime du Windows Store).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). Les classes du Windows RuntimeWindows Runtime ne sont pas héritées Object et n’implémentent pas de méthode pour le moment Equals(Object) .Classes in the Windows RuntimeWindows Runtime don't inherit Object, and currently don't implement an Equals(Object) method. Toutefois, ils semblent avoir des ToString Equals(Object) méthodes, et GetHashCode lorsque vous les utilisez dans votre code C# ou Visual Basic, et le .NET Framework fournit le comportement par défaut pour ces méthodes.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.
Notes
Windows RuntimeWindows Runtime les classes écrites en C# ou Visual Basic peuvent substituer la Equals(Object) surcharge de méthode.classes that are written in C# or Visual Basic can override the Equals(Object) method overload.
Notes pour les appelantsNotes for Callers
Les classes dérivées se substituent fréquemment Object.Equals(Object) à la méthode pour implémenter l’égalité des valeurs.Derived classes frequently override the Object.Equals(Object) method to implement value equality. En outre, les types fournissent souvent une surcharge fortement typée supplémentaire à la Equals
méthode, généralement en implémentant l' IEquatable<T> interface.In addition, types also frequently provide an additional strongly typed overload to the Equals
method, typically by implementing the IEquatable<T> interface. Quand vous appelez la Equals
méthode pour tester l’égalité, vous devez savoir si l’instance actuelle se substitue à Object.Equals et comprendre comment un appel particulier à une Equals
méthode est résolu.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. Dans le cas contraire, vous pouvez effectuer un test d’égalité différent de ce que vous avez prévu, et la méthode peut retourner une valeur inattendue.Otherwise, you may be performing a test for equality that is different from what you intended, and the method may return an unexpected value.
L'exemple suivant illustre cette situation.The following example provides an illustration. Il instancie trois StringBuilder objets avec des chaînes identiques, puis effectue quatre appels aux Equals
méthodes.It instantiates three StringBuilder objects with identical strings, and then makes four calls to Equals
methods. Le premier appel de méthode retourne true
, et les trois autres retournés false
.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
Dans le premier cas, la surcharge de méthode fortement typée StringBuilder.Equals(StringBuilder) , qui teste l’égalité des valeurs, est appelée.In the first case, the strongly typed StringBuilder.Equals(StringBuilder) method overload, which tests for value equality, is called. Étant donné que les chaînes assignées aux deux StringBuilder objets sont égales, la méthode retourne true
.Because the strings assigned to the two StringBuilder objects are equal, the method returns true
. Toutefois, StringBuilder ne remplace pas Object.Equals(Object) .However, StringBuilder does not override Object.Equals(Object). Pour cette raison, lorsque l' StringBuilder objet est casté en Object , lorsqu’une StringBuilder instance est assignée à une variable de type Object et lorsque Object.Equals(Object, Object) deux objets sont passés à la méthode StringBuilder , la méthode par défaut Object.Equals(Object) est appelée.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. Étant donné que StringBuilder est un type référence, cela équivaut à passer les deux StringBuilder objets à la ReferenceEquals méthode.Because StringBuilder is a reference type, this is equivalent to passing the two StringBuilder objects to the ReferenceEquals method. Bien que les trois StringBuilder objets contiennent des chaînes identiques, ils font référence à trois objets distincts.Although all three StringBuilder objects contain identical strings, they refer to three distinct objects. Par conséquent, ces trois appels de méthode retournent false
.As a result, these three method calls return false
.
Vous pouvez comparer l’objet en cours à un autre objet pour déterminer l’égalité des références en appelant la ReferenceEquals méthode.You can compare the current object to another object for reference equality by calling the ReferenceEquals method. Dans Visual Basic, vous pouvez également utiliser le is
mot clé (par exemple, If Me Is otherObject Then ...
).In Visual Basic, you can also use the is
keyword (for example, If Me Is otherObject Then ...
).
Notes pour les héritiersNotes for Inheritors
Quand vous définissez votre propre type, ce type hérite des fonctionnalités définies par la Equals
méthode de son type de base.When you define your own type, that type inherits the functionality defined by the Equals
method of its base type. Le tableau suivant répertorie l’implémentation par défaut de la Equals
méthode pour les principales catégories de types dans la .NET Framework.The following table lists the default implementation of the Equals
method for the major categories of types in the .NET Framework.
Catégorie de typeType category | Égalité définie parEquality defined by | CommentairesComments |
---|---|---|
Classe dérivée directement de ObjectClass derived directly from Object | Object.Equals(Object) | Égalité de référence ; équivalent à l’appel de Object.ReferenceEquals .Reference equality; equivalent to calling Object.ReferenceEquals. |
StructureStructure | ValueType.Equals | Égalité des valeurs ; comparaison directe octet par octet ou comparaison champ par champ à l’aide de la réflexion.Value equality; either direct byte-by-byte comparison or field-by-field comparison using reflection. |
ÉnumérationEnumeration | Enum.Equals | Les valeurs doivent avoir le même type d’énumération et la même valeur sous-jacente.Values must have the same enumeration type and the same underlying value. |
DéléguéDelegate | MulticastDelegate.Equals | Les délégués doivent avoir le même type avec des listes d’appel identiques.Delegates must have the same type with identical invocation lists. |
InterfaceInterface | Object.Equals(Object) | Égalité de référence.Reference equality. |
Pour un type valeur, vous devez toujours remplacer Equals , car les tests d’égalité qui reposent sur la réflexion offrent des performances médiocres.For a value type, you should always override Equals, because tests for equality that rely on reflection offer poor performance. Vous pouvez également substituer l’implémentation par défaut de Equals pour les types référence afin de tester l’égalité des valeurs au lieu de l’égalité des références et de définir la signification précise de l’égalité des valeurs.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. Ces implémentations de Equals retournent true
si les deux objets ont la même valeur, même s’ils ne sont pas la même instance.Such implementations of Equals return true
if the two objects have the same value, even if they are not the same instance. L’implémenteur du type détermine ce qui constitue la valeur d’un objet, mais il s’agit généralement d’une partie ou de la totalité des données stockées dans les variables d’instance de l’objet.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. Par exemple, la valeur d’un String objet est basée sur les caractères de la chaîne ; la String.Equals(Object) méthode remplace la Object.Equals(Object) méthode pour retourner les true
deux instances de chaîne qui contiennent les mêmes caractères dans le même ordre.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.
L’exemple suivant montre comment substituer la Object.Equals(Object) méthode pour tester l’égalité des valeurs.The following example shows how to override the Object.Equals(Object) method to test for value equality. Elle remplace la Equals méthode pour la Person
classe.It overrides the Equals method for the Person
class. Si Person
son implémentation de la classe de base est acceptée, deux Person
objets sont égaux uniquement s’ils font référence à un seul objet.If Person
accepted its base class implementation of equality, two Person
objects would be equal only if they referenced a single object. Toutefois, dans ce cas, deux Person
objets sont égaux s’ils ont la même valeur pour la Person.Id
propriété.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
En plus de remplacer Equals , vous pouvez implémenter l' IEquatable<T> interface pour fournir un test fortement typé pour l’égalité.In addition to overriding Equals, you can implement the IEquatable<T> interface to provide a strongly typed test for equality.
Les instructions suivantes doivent avoir la valeur true pour toutes les implémentations de la Equals(Object) méthode.The following statements must be true for all implementations of the Equals(Object) method. Dans la liste, x
, y
et z
représentent des références d’objet qui ne sont pas null.In the list, x
, y
, and z
represent object references that are not null.
x.Equals(x)
retournetrue
, sauf dans les cas qui impliquent des types à virgule flottante.x.Equals(x)
returnstrue
, except in cases that involve floating-point types. Voir ISO/IEC/IEEE 60559:2011, technologies de l’information--microprocesseur Systems--Floating-Point arithmétique.See ISO/IEC/IEEE 60559:2011, Information technology -- Microprocessor Systems -- Floating-Point arithmetic.x.Equals(y)
retourne la même valeur quey.Equals(x)
.x.Equals(y)
returns the same value asy.Equals(x)
.x.Equals(y)
retournetrue
six
ety
sontNaN
.x.Equals(y)
returnstrue
if bothx
andy
areNaN
.Si
(x.Equals(y) && y.Equals(z))
retourne la valeurtrue
,x.Equals(z)
retournetrue
.If(x.Equals(y) && y.Equals(z))
returnstrue
, thenx.Equals(z)
returnstrue
.Les appels successifs de
x.Equals(y)
retournent la même valeur tant que les objets référencés parx
et ney
sont pas modifiés.Successive calls tox.Equals(y)
return the same value as long as the objects referenced byx
andy
are not modified.x.Equals(null)
retournefalse
.x.Equals(null)
returnsfalse
.
Les implémentations de ne Equals doivent pas lever d’exceptions ; elles doivent toujours retourner une valeur.Implementations of Equals must not throw exceptions; they should always return a value. Par exemple, si obj
est null
, la Equals méthode doit retourner false
au lieu de lever un ArgumentNullException .For example, if obj
is null
, the Equals method should return false
instead of throwing an ArgumentNullException.
Suivez ces instructions lors du remplacement de Equals(Object) :Follow these guidelines when overriding Equals(Object):
Les types qui implémentent IComparable doivent être substitués Equals(Object) .Types that implement IComparable must override Equals(Object).
Les types qui remplacent Equals(Object) doivent également être substitués GetHashCode ; sinon, les tables de hachage peuvent ne pas fonctionner correctement.Types that override Equals(Object) must also override GetHashCode; otherwise, hash tables might not work correctly.
Vous devez envisager d’implémenter l' IEquatable<T> interface pour prendre en charge les tests d’égalité fortement typés.You should consider implementing the IEquatable<T> interface to support strongly typed tests for equality. Votre IEquatable<T>.Equals implémentation de doit retourner des résultats cohérents avec Equals .Your IEquatable<T>.Equals implementation should return results that are consistent with Equals.
Si votre langage de programmation prend en charge la surcharge d’opérateur et que vous surchargez l’opérateur d’égalité pour un type donné, vous devez également substituer la Equals(Object) méthode pour retourner le même résultat que l’opérateur d’égalité.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. Cela permet de garantir que le code de bibliothèque de classes qui utilise Equals (tel que ArrayList et Hashtable ) se comporte de manière cohérente avec la façon dont l’opérateur d’égalité est utilisé par le code d’application.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.
Instructions pour les types référenceGuidelines for Reference Types
Les indications suivantes s’appliquent à la substitution Equals(Object) pour un type référence :The following guidelines apply to overriding Equals(Object) for a reference type:
Envisagez Equals de substituer si la sémantique du type est basée sur le fait que le type représente une ou plusieurs valeurs.Consider overriding Equals if the semantics of the type are based on the fact that the type represents some value(s).
La plupart des types de référence ne doivent pas surcharger l’opérateur d’égalité, même s’ils substituent Equals .Most reference types must not overload the equality operator, even if they override Equals. Toutefois, si vous implémentez un type référence qui est destiné à avoir une sémantique de valeur, tel qu’un type nombre complexe, vous devez substituer l’opérateur d’égalité.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.
Vous ne devez pas substituer Equals sur un type référence mutable.You should not override Equals on a mutable reference type. Cela est dû au fait que Equals la substitution requiert également la substitution de la GetHashCode méthode, comme indiqué dans la section précédente.This is because overriding Equals requires that you also override the GetHashCode method, as discussed in the previous section. Cela signifie que le code de hachage d’une instance d’un type référence mutable peut changer pendant sa durée de vie, ce qui peut entraîner la perte de l’objet dans une table de hachage.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.
Indications pour les types valeurGuidelines for Value Types
Les indications suivantes s’appliquent à la substitution Equals(Object) d’un type valeur :The following guidelines apply to overriding Equals(Object) for a value type:
Si vous définissez un type valeur qui comprend un ou plusieurs champs dont les valeurs sont des types référence, vous devez substituer 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' Equals(Object) implémentation fournie par ValueType effectue une comparaison octet par octet pour les types valeur dont les champs sont tous des types valeur, mais utilise la réflexion pour effectuer une comparaison champ par champ des types valeur dont les champs incluent des types référence.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.
Si vous substituez Equals et que votre langage de développement prend en charge la surcharge d’opérateur, vous devez surcharger l’opérateur d’égalité.If you override Equals and your development language supports operator overloading, you must overload the equality operator.
Vous devez implémenter l' IEquatable<T> interface.You should implement the IEquatable<T> interface. L’appel de la méthode fortement typée IEquatable<T>.Equals évite la conversion boxing de l'
obj
argument.Calling the strongly typed IEquatable<T>.Equals method avoids boxing theobj
argument.
Voir aussi
S’applique à
Equals(Object, Object)
Détermine si les instances d'objet spécifiées sont considérées comme égales.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
Paramètres
- objA
- Object
Premier objet à comparer.The first object to compare.
- objB
- Object
Deuxième objet à comparer.The second object to compare.
Retours
true
si les objets sont considérés comme identiques ; sinon, false
.true
if the objects are considered equal; otherwise, false
. Si objA
et objB
ont tous deux la valeur null, la méthode retourne true
.If both objA
and objB
are null, the method returns true
.
Exemples
L’exemple suivant illustre la Equals(Object, Object) méthode et la compare à la ReferenceEquals méthode.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
Remarques
La Equals(Object, Object) méthode statique indique si deux objets, objA
et objB
, sont égaux.The static Equals(Object, Object) method indicates whether two objects, objA
and objB
, are equal. Elle vous permet également de tester l’égalité des objets dont la valeur est null .It also enables you to test objects whose value is null for equality. Il compare objA
et objB
pour l’égalité comme suit :It compares objA
and objB
for equality as follows:
Elle détermine si les deux objets représentent la même référence d’objet.It determines whether the two objects represent the same object reference. Si c’est le cas, la méthode retourne
true
.If they do, the method returnstrue
. Ce test équivaut à appeler la ReferenceEquals méthode.This test is equivalent to calling the ReferenceEquals method. En outre, siobjA
et ont tous deuxobjB
la valeur null, la méthode retournetrue
.In addition, if bothobjA
andobjB
are null, the method returnstrue
.Elle détermine si
objA
ouobjB
a la valeur null.It determines whether eitherobjA
orobjB
is null. Si c’est le cas, elle retournefalse
.If so, it returnsfalse
.Si les deux objets ne représentent pas la même référence d’objet et qu’aucun n’a la valeur null, il appelle
objA
.Equals
(objB
) et retourne le résultat.If the two objects do not represent the same object reference and neither is null, it callsobjA
.Equals
(objB
) and returns the result. Cela signifie que siobjA
substitue la Object.Equals(Object) méthode, cette substitution est appelée.This means that ifobjA
overrides the Object.Equals(Object) method, this override is called.