struct equality

Object Identity vs. Value Equality

To compare two struct values, use the ValueType.Equals method. Because all structs implicitly inherit from System.ValueType. You call the method directly on your object:


using System;/*from   w w w.ja v a2 s .c om*/

public struct Person
{
    public string Name;
    public int Age;
    public Person(string name, int age)
    {
        Name = name;
        Age = age;
    }
}

public class Application
{
    static void Main()
    {

        Person p1 = new Person("Jack", 75);
        Person p2;
        p2.Name = "Jack";
        p2.Age = 75;

        if (p2.Equals(p1))
            Console.WriteLine("p2 and p1 have the same values.");

    }
}

The output:

Value type equality (default behavior)


using System;//from   ww w.j  a v a 2  s  . c  o m
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.Text;
using System.Security.Cryptography;

struct Car
{
    public string Make;
    public string Model;
    public uint Year;

    public Car(string make, string model, uint year)
    {
        Make = make;
        Model = model;
        Year = year;
    }
}

public class MainClass
{
    public static void Main()
    {
        Car c1 = new Car("BMW", "330Ci", 2001);
        Car c2 = new Car("BMW", "330Ci", 2001);
        Console.WriteLine(c1.Equals(c2)); // Prints 'true'

    }

}

The code above generates the following result.

override Equals method


using System;// w  ww . j  a v a 2  s  .co m
using System.Collections.Generic;
using System.Globalization;
using System.IO;
using System.Text;
using System.Security.Cryptography;

struct Car
{
    public string Make;
    public string Model;
    public uint Year;

    public Car(string make, string model, uint year)
    {
        Make = make;
        Model = model;
        Year = year;
    }

    public bool Equals(Car c)
    {
        return c.Make == this.Make &&
            c.Model == this.Model &&
            c.Year == this.Year;
    }

    public override bool Equals(object obj)
    {
        if (obj is Car)
            return Equals((Car)obj);
        return false;
    }
}

public class MainClass
{
    public static void Main()
    {
        Car c1 = new Car("A", "4", 2005);
        Car c2 = new Car("A", "4", 2005);
        Console.WriteLine(c1.Equals(c2)); // Prints 'true'
    }

}

The code above generates the following result.





















Home »
  C# Tutorial »
    Custom Types »




C# Class
C# Struct
C# Interface
C# Inheritance
C# Namespace
C# Object
C# Delegate
C# Lambda
C# Event
C# Enum
C# Attribute
C# Generics
C# Preprocessor