Pregunta

Dados dos objetaron que no contienen bucles de referencia dentro de ellos, sabes un método que pone a prueba su igualdad de un modo "genérico" (a través de la reflexión)?

Básicamente quiero la misma semántica que la equivalencia estructura, sólo en las clases.

¿Fue útil?

Solución

Creo que no hay tal método disponible en el marco, pero está escrito con bastante facilidad. Tal vez no sea la aplicación más corto, pero se parece a hacer el trabajo:

private bool AreEqual(object x, object y)
{
    // if both are null, they are equal
    if (x == null && y == null)
    {
        return true;
    }
    // if one of them are null, they are not equal
    else if (x == null || y == null)
    {
        return false;
    }

    // if they are of different types, they can't be compared
    if (x.GetType() != y.GetType())
    {
        throw new InvalidOperationException("x and y must be of the same type");
    }

    Type type = x.GetType();
    PropertyInfo[] properties = type.GetProperties();

    for (int i = 0; i < properties.Length; i++)
    {
        // compare only properties that requires no parameters
        if (properties[i].GetGetMethod().GetParameters().Length == 0)
        {
            object xValue = properties[i].GetValue(x, null);
            object yValue = properties[i].GetValue(y, null);

            if (properties[i].PropertyType.IsValueType && !xValue.Equals(yValue))
            {
                return false;
            }
            else if (!properties[i].PropertyType.IsValueType)
            {
                if (!AreEqual(xValue, yValue))
                {
                    return false;
                }
            } // if
        } // if
    } // for

    return true;

}

Otros consejos

Si quieres hacer esto sin haciendo reflexión sobre cada llamada, es posible que desee considerar la construcción de un DynamicMethod en la primera invocación y utilizando en su lugar. (Tuve un enlace al artículo que hace esto, pero lo perdí - lo siento -. Tratar de buscar en Google si está interesado)

BTW

 Expression.Lambda<Func<T,T,bool>> Compile()

puede ser utilizado como un constructor método dinámico.

todavía tiene que utilizar la reflexión, mientras que la construcción de la Expresison

Aquí está una versión actualizada de la respuesta de Fredrik Mörk que tenga en cuenta Nullable y referencias recursivas:

public static bool AreEqual<T>(T x, T y) =>
    AreEqual(x, y, new HashSet<object>(new IdentityEqualityComparer<object>()));

private static bool AreEqual(object x, object y, ISet<object> visited)
{
    // if both are null, they are equal
    if (x == null && y == null) return true;

    // if one of them are null, they are not equal
    if (x == null || y == null) return false;

    // if they are of different types, they can't be compared
    if (x.GetType() != y.GetType())
    {
        throw new InvalidOperationException("x and y must be of the same type");
    }

    // check for recursive references
    if (visited.Contains(x)) return true;
    if (visited.Contains(y)) return true;
    visited.Add(x);
    visited.Add(y);

    var type = x.GetType();
    var properties = type.GetProperties();

    foreach (var property in properties)
    {
        // compare only properties that requires no parameters
        if (property.GetGetMethod().GetParameters().Length == 0)
        {
            object xValue = property.GetValue(x, null);
            object yValue = property.GetValue(y, null);

            if (property.PropertyType.IsValueType)
            {
                // check for Nullable
                if (xValue == null && yValue == null) continue;
                if (xValue == null || yValue == null) return false;
                if (!xValue.Equals(yValue)) return false;
            }

            if (!property.PropertyType.IsValueType)
            {
                if (!AreEqual(xValue, yValue, visited)) return false;
            }
        }
    }

    return true;
}

private class IdentityEqualityComparer<T> : IEqualityComparer<T> where T : class
{
    public int GetHashCode(T value) => RuntimeHelpers.GetHashCode(value);
    public bool Equals(T left, T right) => left == right;
}
Licenciado bajo: CC-BY-SA con atribución
No afiliado a StackOverflow
scroll top