且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

有没有一种方法可以使用ReSharper自动生成GetHashCode和Equals?

更新时间:2022-12-17 12:11:26

是的,Resharper可以做到.将光标放在类型中,打开"Generate code"菜单( Alt + Ins 取决于设置,或按 Resharper-> Edit-> Generate Code ),然后选择平等成员":

Yes, Resharper can do that. With cursor inside your type, open the "Generate code" menu (Alt+Ins depending on settings or Resharper -> Edit -> Generate Code), and select "Equality members":

这将打开一个窗口,您可以在其中选择用于相等性的成员以及有关所生成代码的一些选项(例如,您的类型是否应实现IEquatable<T>):

This opens a window where you can select which members are used for equality, along with some options about the generated code (e.g. should your type implement IEquatable<T>):

如果从具有两个属性的简单类型开始:

If you start with a simple type with two properties:

class Person
{
    public string FirstName { get; private set; }
    public string LastName { get; private set; }
}

然后生成的代码可能类似于:

Then the generated code may look something like:

class Person : IEquatable<Person>
{
    public string FirstName { get; private set; }
    public string LastName { get; private set; }

    public bool Equals(Person other)
    {
        if (ReferenceEquals(null, other))
            return false;
        if (ReferenceEquals(this, other))
            return true;
        return string.Equals(FirstName, other.FirstName) && string.Equals(LastName, other.LastName);
    }

    public override bool Equals(object obj)
    {
        if (ReferenceEquals(null, obj))
            return false;
        if (ReferenceEquals(this, obj))
            return true;
        if (obj.GetType() != this.GetType())
            return false;
        return Equals((Person)obj);
    }

    public override int GetHashCode()
    {
        unchecked
        {
            return ((FirstName != null ? FirstName.GetHashCode() : 0) * 397) ^ (LastName != null ? LastName.GetHashCode() : 0);
        }
    }
}