Object.Equals Yöntem

Tanım

İki nesne örneğinin eşit olup olmadığını belirler.

Aşırı Yüklemeler

Equals(Object)

Belirtilen nesnenin geçerli nesneye eşit olup olmadığını belirler.

Equals(Object, Object)

Belirtilen nesne örneklerinin eşit kabul edilip edilmeyeceğini belirler.

Equals(Object)

Belirtilen nesnenin geçerli nesneye eşit olup olmadığını belirler.

public:
 virtual bool Equals(System::Object ^ obj);
public virtual bool Equals (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

Parametreler

obj
Object

Geçerli nesneyle karşılaştırılacak nesne.

Döndürülenler

Boolean

true belirtilen nesne geçerli nesneye eşitse; aksi takdirde , false.

Örnekler

Aşağıdaki örnekte, değer eşitliği sağlamak için yöntemini geçersiz kılan Equals bir sınıf ve öğesinden Pointtüretilen bir Point3D sınıf gösterilmektedirPoint. Point Değer eşitliğini test etmek için geçersiz kılmalar Object.Equals(Object) olduğundan, Object.Equals(Object) yöntemi çağrılmıyor. Ancak, Point3D.Equals çağrısı Point.Equals çünkü Point değer eşitliği sağlayan bir şekilde uygular Object.Equals(Object) .

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
type Point(x, y) =
    new () = Point(0, 0)
    member _.X = x
    member _.Y = y

    override _.Equals(obj) =
        //Check for null and compare run-time types.
        match obj with
        | :? Point as p ->
            x = p.X && y = p.Y
        | _ -> 
            false

    override _.GetHashCode() =
        (x <<< 2) ^^^ y

    override _.ToString() =
        $"Point({x}, {y})"

type Point3D(x, y, z) =
    inherit Point(x, y)
    member _.Z = z

    override _.Equals(obj) =
        match obj with
        | :? Point3D as pt3 ->
            base.Equals(pt3 :> Point) && z = pt3.Z
        | _ -> 
            false

    override _.GetHashCode() =
        (base.GetHashCode() <<< 2) ^^^ z

    override _.ToString() =
        $"Point({x}, {y}, {z})"

let point2D = Point(5, 5)
let point3Da = Point3D(5, 5, 2)
let point3Db = Point3D(5, 5, 2)
let point3Dc = Point3D(5, 5, -1)

printfn $"{point2D} = {point3Da}: {point2D.Equals point3Da}"
printfn $"{point2D} = {point3Db}: {point2D.Equals point3Db}"
printfn $"{point3Da} = {point3Db}: {point3Da.Equals point3Db}"
printfn $"{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

yöntemi bağımsız Point.Equals değişkenin objnull olmadığından ve bu nesneyle aynı türde bir örneğe başvurduğunu denetler. Denetimlerden biri başarısız olursa yöntemi döndürür false.

yöntemi, Point.Equals iki nesnenin GetType çalışma zamanı türlerinin özdeş olup olmadığını belirlemek için yöntemini çağırır. Yöntem, C# veya Visual Basic'te formun obj is Point denetimini kullandıysa, denetim, türü türetilmiş bir sınıfın Pointörneği olmasına obj rağmen obj geçerli örneğin aynı çalışma zamanı türünde olmadığı durumlarda döndürülürtrue.TryCast(obj, Point) Her iki nesnenin de aynı türde olduğunu doğruladıktan sonra, yöntem türüne Point yazar obj ve iki nesnenin örnek alanlarını karşılaştırmanın sonucunu döndürür.

içindePoint3D.Equals, öğesini geçersiz kılan Object.Equals(Object)devralınan Point.Equals yöntem, başka bir işlem yapılmadan önce çağrılır. Korumalı bir sınıf (Point3DNotInheritableVisual Basic'te) olduğundan, C# veya TryCast(obj, Point) Visual Basic'te formdaki obj is Point bir denetim, nesne Point3D olduğundan obj emin olmak için yeterlidir. Nesneyse Point3D , bir Point nesnesine yayınlanır ve temel sınıf uygulamasına Equalsgeçirilir. Yalnızca devralınan Point.Equals yöntem döndürdüğünde true yöntemi türetilmiş sınıfta tanıtılan örnek alanlarını karşılaştırır z .

Aşağıdaki örnek, bir Rectangle dikdörtgeni dahili olarak iki Point nesne olarak uygulayan bir sınıfı tanımlar. sınıfı Rectangle da değer eşitliği sağlamak için geçersiz kılar Object.Equals(Object) .

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
type Point(x, y) =
    member _.X = x
    member _.Y = y

    override _.Equals(obj) =
        // Performs an equality check on two points (integer pairs).
        match obj with
        | :? Point as p ->
            x = p.X && y = p.Y
        | _ ->
            false
    
    override _.GetHashCode() =
        (x, y).GetHashCode()

type Rectangle(upLeftX, upLeftY, downRightX, downRightY) =
    let a = Point(upLeftX, upLeftY)
    let b = Point(downRightX, downRightY)
    
    member _.UpLeft = a
    member _.DownRight = b

    override _.Equals(obj) =
        // Perform an equality check on two rectangles (Point object pairs).
        match obj with
        | :? Rectangle as r ->
            a.Equals(r.UpLeft) && b.Equals(r.DownRight)
        | _ -> 
            false
        
    override _.GetHashCode() =
        (a, b).GetHashCode()

    override _.ToString() =
       $"Rectangle({a.X}, {a.Y}, {b.X}, {b.Y})"

let r1 = Rectangle(0, 0, 100, 200)
let r2 = Rectangle(0, 0, 100, 200)
let r3 = Rectangle(0, 0, 150, 200)

printfn $"{r1} = {r2}: {r1.Equals r2}"
printfn $"{r1} = {r3}: {r1.Equals r3}"
printfn $"{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

C# ve Visual Basic gibi bazı diller işleci aşırı yüklemeyi destekler. Bir tür eşitlik işlecini aşırı yüklediğinde, aynı işlevselliği sağlamak için yöntemini de geçersiz kılmalıdır Equals(Object) . Bu genellikle aşağıdaki örnekte olduğu gibi aşırı yüklenmiş eşitlik işleci açısından yöntemini yazarak Equals(Object) gerçekleştirilir.

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
[<Struct; CustomEquality; NoComparison>]
type Complex =
    val mutable re: double
    val mutable im: double

    override this.Equals(obj) =
        match obj with 
        | :? Complex as c when c = this -> true
        | _ -> false 

    override this.GetHashCode() =
        (this.re, this.im).GetHashCode()

    override this.ToString() =
        $"({this.re}, {this.im})"

    static member op_Equality (x: Complex, y: Complex) =
        x.re = y.re && x.im = y.im

    static member op_Inequality (x: Complex, y: Complex) =
        x = y |> not

let mutable cmplx1 = Complex()
let mutable cmplx2 = Complex()

cmplx1.re <- 4.0
cmplx1.im <- 1.0

cmplx2.re <- 2.0
cmplx2.im <- 1.0

printfn $"{cmplx1} <> {cmplx2}: {cmplx1 <> cmplx2}"
printfn $"{cmplx1} = {cmplx2}: {cmplx1.Equals cmplx2}"

cmplx2.re <- 4.0

printfn $"{cmplx1} = {cmplx2}: {cmplx1 = cmplx2}"
printfn $"{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

Complex Bir değer türü olduğundan türetilemez. Bu nedenle, yöntemine Equals(Object) geçersiz kılmanın her nesnenin tam çalışma zamanı türünü belirlemek için çağrısına GetType gerek yoktur, bunun yerine C# dilinde işlecini veya TypeOf Visual Basic'teki işlecini kullanarak is parametrenin obj türünü denetleyebilir.

Açıklamalar

Geçerli örnek ile obj parametre arasındaki karşılaştırma türü, geçerli örneğin bir başvuru türü mü yoksa bir değer türü mü olduğuna bağlıdır.

  • Geçerli örnek bir başvuru türüyse, Equals(Object) yöntem başvuru eşitliğini sınar ve yöntemine yapılan Equals(Object) çağrı yöntemine yapılan çağrıya ReferenceEquals eşdeğerdir. Başvuru eşitliği, karşılaştırılan nesne değişkenlerinin aynı nesneye başvurduğunu gösterir. Aşağıdaki örnek, böyle bir karşılaştırmanın sonucunu göstermektedir. Bir başvuru türü olan bir Person sınıfı tanımlar ve aynı değere sahip olan ve person2olmak üzere iki yeni Person nesnenin person1a örneğini oluşturmak için sınıf oluşturucuyu çağırırPerson. Ayrıca başka bir nesne değişkenine atar person1a : person1b. Örnekteki çıktının gösterdiği person1a gibi ve person1b aynı nesneye başvurdıkları için eşittir. Ancak, person1a aynı person2 değere sahip olsalar da eşit değildirler.

    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.
    type Person(name) =
        override _.ToString() =
            name
    
    let person1a = Person "John"
    let person1b = person1a
    let person2 = Person(string person1a)
    
    printfn "Calling Equals:"
    printfn $"person1a and person1b: {person1a.Equals person1b}"
    printfn $"person1a and person2: {person1a.Equals person2}"
    
    printfn "\nCasting to an Object and calling Equals:"
    printfn $"person1a and person1b: {(person1a :> obj).Equals(person1b :> obj)}"
    printfn $"person1a and person2: {(person1a :> obj).Equals(person2 :> obj)}"
    // 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
    
  • Geçerli örnek bir değer türüyse, Equals(Object) yöntem değer eşitliğini sınar. Değer eşitliği şu anlama gelir:

    • İki nesne aynı türdedir. Aşağıdaki örnekte gösterildiği gibi, değeri 12 olan bir Byte nesne, 12 değerine sahip bir Int32 nesneye eşit değildir, çünkü iki nesne farklı çalışma zamanı türlerine sahiptir.

      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
      
      let value1 = 12uy
      let value2 = 12
      
      let object1 = value1 :> obj
      let object2 = value2 :> obj
      
      printfn $"{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
      
    • İki nesnenin ortak ve özel alanlarının değerleri eşittir. Aşağıdaki örnek değer eşitliğini sınar. Bir değer türü olan bir Person yapı tanımlar ve aynı değere sahip olan ve person2olmak üzere iki yeni Person nesnenin person1 örneğini oluşturmak için sınıf oluşturucuyu çağırırPerson. Örnekteki çıktının gösterdiği gibi, iki nesne değişkeni farklı nesnelere person1 başvuruda bulunur ve person2 özel personName alan için aynı değere sahip oldukları için eşittir.

      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.
      [<Struct>]
      type Person(personName: string) =
          override _.ToString() =
              personName
      
      let person1 = Person "John"
      let person2 = Person "John"
      
      printfn "Calling Equals:"
      printfn $"{person1.Equals person2}"
      
      printfn $"\nCasting to an Object and calling Equals:"
      printfn $"{(person1 :> obj).Equals(person2 :> obj)}"
      // 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
      

Object sınıfı .NET Framework içindeki tüm türler için temel sınıf olduğundan, Object.Equals(Object) yöntemi diğer tüm türler için varsayılan eşitlik karşılaştırmasını sağlar. Ancak türler genellikle değer eşitliğini uygulamak için yöntemini geçersiz kılar Equals . Daha fazla bilgi için Arayanlar için Notlar ve Devralanlar için Notlar bölümlerine bakın.

Windows Çalışma Zamanı notları

Windows Çalışma Zamanı bir sınıfta yöntem aşırı yüklemesini çağırdığınızdaEquals(Object), geçersiz kılmayan Equals(Object)sınıflar için varsayılan davranışı sağlar. Bu, .NET Framework Windows Çalışma Zamanı için sağladığı desteğin bir parçasıdır (bkz. Windows Mağazası Uygulamaları ve Windows Çalışma Zamanı için .NET Framework Desteği). Windows Çalışma Zamanı sınıfları devralmaz Objectve şu anda bir Equals(Object) yöntem uygulamaz. Ancak, C# veya Visual Basic kodunuzda kullandığınızda , Equals(Object)ve GetHashCode yöntemlerine sahip ToStringgibi görünürler ve .NET Framework bu yöntemler için varsayılan davranışı sağlar.

Not

C# veya Visual Basic'te yazılan Windows Çalışma Zamanı sınıfları yöntem aşırı yüklemesini Equals(Object) geçersiz kılabilir.

Arayanlar İçin Notlar

Türetilmiş sınıflar genellikle değer eşitliğini uygulamak için yöntemini geçersiz kılar Object.Equals(Object) . Ayrıca, türler genellikle arabirimini uygulayarak IEquatable<T> yöntemine Equals sık sık ek olarak kesin olarak belirlenmiş bir aşırı yükleme sağlar. Eşitliği test etmek için yöntemini çağırdığınızda Equals , geçerli örneğin geçersiz kılıp geçersiz kılınmadığını Object.Equals bilmeniz ve bir Equals yönteme yapılan belirli bir çağrının nasıl çözüldüğünü anlamanız gerekir. Aksi takdirde, hedeflediğinizden farklı bir eşitlik testi gerçekleştiriyor olabilirsiniz ve yöntem beklenmeyen bir değer döndürebilir.

Aşağıdaki örnek, bir gösterim sağlar. Aynı dizelere sahip üç StringBuilder nesnenin örneğini oluşturur ve ardından yöntemlere Equals dört çağrı yapar. İlk yöntem çağrısı döndürür trueve kalan üç dönüş döndürür 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
open System
open System.Text

let sb1 = StringBuilder "building a string..."
let sb2 = StringBuilder "building a string..."

printfn $"sb1.Equals(sb2): {sb1.Equals sb2}"
printfn $"((Object) sb1).Equals(sb2): {(sb1 :> obj).Equals sb2}"
                  
printfn $"Object.Equals(sb1, sb2): {Object.Equals(sb1, sb2)}"

let sb3 = StringBuilder "building a string..."
printfn $"\nsb3.Equals(sb2): {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

İlk durumda, değer eşitliğini test eden kesin türe sahip StringBuilder.Equals(StringBuilder) yöntem aşırı yüklemesi çağrılır. İki StringBuilder nesneye atanan dizeler eşit olduğundan, yöntemi döndürür true. Ancak, StringBuilder geçersiz kılmaz Object.Equals(Object). Bu nedenle, nesnesi bir öğesine atandığındaStringBuilder, türündeki Objectbir değişkene bir StringBuilder örnek atandığında ve yönteme iki StringBuilder nesne geçirildiğinde Object.Equals(Object, Object) varsayılan Object.Equals(Object) yöntem çağrılır.Object Bir StringBuilder başvuru türü olduğundan, bu iki StringBuilder nesneyi yöntemine ReferenceEquals geçirmeye eşdeğerdir. Her üç StringBuilder nesne de aynı dizeleri içerse de, üç ayrı nesneye başvurur. Sonuç olarak, bu üç yöntem çağrısı döndürür false.

yöntemini çağırarak başvuru eşitliği için geçerli nesneyi başka bir nesneyle ReferenceEquals karşılaştırabilirsiniz. Visual Basic'te anahtar sözcüğünü is de kullanabilirsiniz (örneğin, If Me Is otherObject Then ...).

Devralanlar İçin Notlar

Kendi türünüzü tanımladığınızda, bu tür temel türünün yöntemi tarafından Equals tanımlanan işlevselliği devralır. Aşağıdaki tabloda, .NET Framework türlerin ana kategorileri için yönteminin varsayılan uygulaması Equals listelenmiştir.

Tür kategorisi Tarafından tanımlanan eşitlik Yorumlar
Doğrudan öğesinden türetilen sınıf Object Object.Equals(Object) Başvuru eşitliği; çağrısıyla Object.ReferenceEqualseşdeğerdir.
Yapı ValueType.Equals Değer eşitliği; yansıma kullanarak doğrudan bayt bayt karşılaştırması veya alan ölçütü karşılaştırması.
Sabit Listesi Enum.Equals Değerler aynı numaralandırma türüne ve aynı temel değere sahip olmalıdır.
Temsilci MulticastDelegate.Equals Temsilciler aynı çağrı listeleriyle aynı türe sahip olmalıdır.
Arabirim Object.Equals(Object) Başvuru eşitliği.

Değer türü için her zaman değerini geçersiz kılmalısınız Equalsçünkü yansımaya dayanan eşitlik testleri düşük performans sunar. Başvuru türlerinin varsayılan uygulamasını Equals , başvuru eşitliği yerine değer eşitliğini test etmek ve değer eşitliğinin tam anlamını tanımlamak için geçersiz kılabilirsiniz. bu tür uygulamaları Equals , iki nesne aynı örneğe sahip olmasalar bile aynı değere sahipse döndürür true . Nesnenin değerinin ne olduğuna türün uygulayıcısı karar verir, ancak genellikle nesnenin örnek değişkenlerinde depolanan verilerin bir kısmı veya tümüdür. Örneğin, bir String nesnenin değeri dizenin karakterlerini temel alır; String.Equals(Object) yöntemi, aynı sırada aynı karakterleri içeren iki dize örneği için döndürülecek true yöntemi geçersiz kılarObject.Equals(Object).

Aşağıdaki örnekte, değer eşitliğini test etmek için yönteminin Object.Equals(Object) nasıl geçersiz kılınacakları gösterilmektedir. sınıfı için Person yöntemini geçersiz kılarEquals. Eşitlik temel sınıfı uygulaması kabul edilirse Person , yalnızca tek bir nesneye başvuruda bulunduklarında iki Person nesne eşit olur. Ancak, bu durumda, özelliği için Person.Id aynı değere sahipse iki Person nesne eşittir.

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
open System

type Person(name, id) =
    member _.Name = name
    member _.Id = id

    override _.Equals(obj) =
        match obj with
        | :? Person as personObj ->
            id.Equals personObj.Id
        | _ -> 
            false

    override _.GetHashCode() =
        id.GetHashCode()

let p1 = Person("John", "63412895")
let p2 = Person("Jack", "63412895")
printfn $"{p1.Equals p2}"
printfn $"{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

geçersiz kılmaya Equalsek olarak, eşitlik için kesin olarak belirlenmiş bir test sağlamak üzere arabirimini uygulayabilirsiniz IEquatable<T> .

Aşağıdaki deyimler, yönteminin Equals(Object) tüm uygulamaları için true olmalıdır. Listesinde, x, yve znull olmayan nesne başvurularını temsil eder.

  • x.Equals(x) döndürür true.

  • x.Equals(y) ile aynı değeri y.Equals(x)döndürür.

  • x.Equals(y)ve yNaNher ikisi x ise döndürürtrue.

  • döndürürse (x.Equals(y) && y.Equals(z))true, döndürür x.Equals(z)true.

  • ve tarafından xy başvuruda bulunan nesneler değiştirilmediği sürece aynı değeri döndürmek için x.Equals(y) ardışık çağrılar.

  • x.Equals(null) döndürür false.

uygulamaları Equals özel durumlar oluşturmamalıdır; her zaman bir değer döndürmelidir. Örneğin, ise objnullEquals yöntemi bir ArgumentNullExceptionatmak yerine döndürmelidir.false

geçersiz kılma Equals(Object)sırasında şu yönergeleri izleyin:

  • Uygulayan IComparable türlerin geçersiz kılmalıdır Equals(Object).

  • Geçersiz kılan Equals(Object) türlerin de geçersiz kılınması GetHashCodegerekir; aksi takdirde karma tablolar düzgün çalışmayabilir.

  • Eşitlik için kesin olarak belirlenmiş testleri desteklemek için arabirimini uygulamayı IEquatable<T> düşünmelisiniz. Uygulamanız IEquatable<T>.Equals ile Equalstutarlı sonuçlar döndürmelidir.

  • Programlama diliniz işleç aşırı yüklemesini destekliyorsa ve belirli bir tür için eşitlik işlecini aşırı yüklerseniz, eşitlik işleciyle aynı sonucu döndürmek için yöntemini de geçersiz kılmanız Equals(Object) gerekir. Bu, (ve gibi ArrayListHashtable) kullanan Equals sınıf kitaplığı kodunun, eşitlik işlecinin uygulama kodu tarafından kullanılma biçimiyle tutarlı bir şekilde davranmasını sağlamaya yardımcı olur.

Başvuru Türlerine İlişkin Yönergeler

Aşağıdaki yönergeler bir başvuru türü için geçersiz kılma Equals(Object) için geçerlidir:

  • Türün semantiğinin, türün bazı değerleri temsil ettiğini temel alarak geçersiz kılmayı Equals göz önünde bulundurun.

  • Çoğu başvuru türü, geçersiz kılsalar Equalsbile eşitlik işlecini aşırı yüklememelidir. Ancak, karmaşık bir sayı türü gibi değer semantiğine sahip olması amaçlanan bir başvuru türü uyguluyorsanız, eşitlik işlecini geçersiz kılmanız gerekir.

  • Değiştirilebilir başvuru türünde geçersiz kılmamalısınız Equals . Bunun nedeni geçersiz kılma Equals , önceki bölümde açıklandığı gibi yöntemini de geçersiz kılmanızı GetHashCode gerektirir. Bu, değiştirilebilir başvuru türünün bir örneğinin karma kodunun yaşam süresi boyunca değişebileceği ve bu da nesnenin karma tabloda kaybolmasına neden olabileceği anlamına gelir.

Değer Türlerine İlişkin Yönergeler

Aşağıdaki yönergeler bir değer türü için geçersiz kılma Equals(Object) için geçerlidir:

  • Değerleri başvuru türü olan bir veya daha fazla alan içeren bir değer türü tanımlıyorsanız, öğesini geçersiz kılmanız Equals(Object)gerekir. Equals(Object) tarafından ValueType sağlanan uygulama, tüm alanları değer türleri olan değer türleri için bayt bayt karşılaştırması gerçekleştirir, ancak alanları başvuru türlerini içeren değer türlerinin alan ölçütü karşılaştırmasını yapmak için yansıma kullanır.

  • Geçersiz kılarsanız Equals ve geliştirme diliniz işleç aşırı yüklemeyi destekliyorsa, eşitlik işlecini aşırı yüklemelisiniz.

  • arabirimini IEquatable<T> uygulamanız gerekir. Kesin olarak yazılan IEquatable<T>.Equals yöntemin çağrılması, bağımsız değişkenin obj kutulanmasından kaçınılır.

Ayrıca bkz.

Şunlara uygulanır

Equals(Object, Object)

Belirtilen nesne örneklerinin eşit kabul edilip edilmeyeceğini belirler.

public:
 static bool Equals(System::Object ^ objA, System::Object ^ objB);
public static bool Equals (object objA, 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

Parametreler

objA
Object

Karşılaştırma yapılacak ilk nesne.

objB
Object

Karşılaştırma yapılacak ikinci nesne.

Döndürülenler

Boolean

true nesneler eşit kabul edilirse; aksi takdirde , false. Hem hem de objAobjBnull ise yöntemi döndürür true.

Örnekler

Aşağıdaki örnek yöntemini gösterir Equals(Object, Object) ve yöntemiyle ReferenceEquals karşılaştırır.

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
open System

// Class constructor
type Dog(dogBreed) =
    // Public property.
    member _.Breed = dogBreed

    override this.Equals(obj) =
        match obj with
        | :? Dog as dog when dog.Breed = this.Breed -> true
        | _ -> false

    override _.GetHashCode() =
        dogBreed.GetHashCode()

    override _.ToString() =
        dogBreed

let m1 = Dog "Alaskan Malamute"
let m2 = Dog "Alaskan Malamute"
let g1 = Dog "Great Pyrenees"
let g2 = g1
let d1 = Dog "Dalmation"
let n1 = Unchecked.defaultof<Dog>
let n2 = Unchecked.defaultof<Dog>

printfn $"null = null: {Object.Equals(n1, n2)}"
printfn $"null Reference Equals null: {Object.ReferenceEquals(n1, n2)}\n"

printfn $"{g1} = {g2}: {Object.Equals(g1, g2)}"
printfn $"{g1} Reference Equals {g2}: {Object.ReferenceEquals(g1, g2)}\n"

printfn $"{m1} = {m2}: {Object.Equals(m1, m2)}"
printfn $"{m1} Reference Equals {m2}: {Object.ReferenceEquals(m1, m2)}\n"

printfn $"{m1} = {d1}: {Object.Equals(m1, d1)}"
printfn $"{m1} Reference Equals {d1}: {Object.ReferenceEquals(m1, d1)}"

// 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

Açıklamalar

Statik Equals(Object, Object) yöntem, ve objBadlı iki nesnenin objA eşit olup olmadığını gösterir. Ayrıca değeri eşitlik için null olan nesneleri test etmenizi sağlar. Eşitlik için ve objB değerlerini aşağıdaki gibi karşılaştırırobjA:

  • İki nesnenin aynı nesne başvuruyu temsil edip etmediğini belirler. Bunu yaparlarsa, yöntemi döndürür true. Bu test, yöntemini çağırmaya ReferenceEquals eşdeğerdir. Ayrıca, hem objB hem de objAnull ise yöntemi döndürürtrue.

  • veya null olup olmadığını objAobjB belirler. Bu durumda döndürür false.

  • İki nesne aynı nesne başvuruyu göstermiyorsa ve hiçbiri null değilse çağrısı yapar objA.Equals (objB) ve sonucu döndürür. Bu, yöntemi geçersiz kılarsa objA bu geçersiz kılmanın Object.Equals(Object) çağrıldığını gösterir.

Ayrıca bkz.

Şunlara uygulanır