本文整理汇总了C#中System.IEquatable<T>.Equals方法的典型用法代码示例。如果您正苦于以下问题:C# IEquatable<T>.Equals方法的具体用法?C# IEquatable<T>.Equals怎么用?C# IEquatable<T>.Equals使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。
在下文中一共展示了IEquatable<T>.Equals方法的2个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C#代码示例。
示例1: Person
//引入命名空间
using System;
using System.Collections.Generic;
using System.Text.RegularExpressions;
public class Person : IEquatable<Person>
{
private string uniqueSsn;
private string lName;
public Person(string lastName, string ssn)
{
if (Regex.IsMatch(ssn, @"\d{9}"))
uniqueSsn = $"{ssn.Substring(0, 3)}-{ssn.Substring(3, 2)}-{ssn.Substring(5, 4)}";
else if (Regex.IsMatch(ssn, @"\d{3}-\d{2}-\d{4}"))
uniqueSsn = ssn;
else
throw new FormatException("The social security number has an invalid format.");
this.LastName = lastName;
}
public string SSN
{
get { return this.uniqueSsn; }
}
public string LastName
{
get { return this.lName; }
set {
if (String.IsNullOrEmpty(value))
throw new ArgumentException("The last name cannot be null or empty.");
else
this.lName = value;
}
}
public bool Equals(Person other)
{
if (other == null)
return false;
if (this.uniqueSsn == other.uniqueSsn)
return true;
else
return false;
}
public override bool Equals(Object obj)
{
if (obj == null)
return false;
Person personObj = obj as Person;
if (personObj == null)
return false;
else
return Equals(personObj);
}
public override int GetHashCode()
{
return this.SSN.GetHashCode();
}
public static bool operator == (Person person1, Person person2)
{
if (((object)person1) == null || ((object)person2) == null)
return Object.Equals(person1, person2);
return person1.Equals(person2);
}
public static bool operator != (Person person1, Person person2)
{
if (((object)person1) == null || ((object)person2) == null)
return ! Object.Equals(person1, person2);
return ! (person1.Equals(person2));
}
}
示例2: Main
public class TestIEquatable
{
public static void Main()
{
// Create a Person object for each job applicant.
Person applicant1 = new Person("Jones", "099-29-4999");
Person applicant2 = new Person("Jones", "199-29-3999");
Person applicant3 = new Person("Jones", "299-49-6999");
// Add applicants to a List object.
List<Person> applicants = new List<Person>();
applicants.Add(applicant1);
applicants.Add(applicant2);
applicants.Add(applicant3);
// Create a Person object for the final candidate.
Person candidate = new Person("Jones", "199-29-3999");
if (applicants.Contains(candidate))
Console.WriteLine("Found {0} (SSN {1}).",
candidate.LastName, candidate.SSN);
else
Console.WriteLine("Applicant {0} not found.", candidate.SSN);
// Call the shared inherited Equals(Object, Object) method.
// It will in turn call the IEquatable(Of T).Equals implementation.
Console.WriteLine("{0}({1}) already on file: {2}.",
applicant2.LastName,
applicant2.SSN,
Person.Equals(applicant2, candidate));
}
}
输出:
Found Jones (SSN 199-29-3999). Jones(199-29-3999) already on file: True.