2

我有以下课程:

public class Person
{
    public String FirstName { set; get; }
    public String LastName { set; get; }
    public Role Role { set; get; }
}

public class Role
{
    public String Description { set; get; }
    public Double Salary { set; get; }
    public Boolean HasBonus { set; get; }
}

我希望能够自动提取 Person1 和 Person2 之间的属性值差异,示例如下:

public static List<String> DiffObjectsProperties(T a, T b)
{
    List<String> differences = new List<String>();
    foreach (var p in a.GetType().GetProperties())
    {
        var v1 = p.GetValue(a, null);
        var v2 = b.GetType().GetProperty(p.Name).GetValue(b, null);

        /* What happens if property type is a class e.g. Role???
         * How do we extract property values of Role?
         * Need to come up a better way than using .Namespace != "System"
         */
        if (!v1.GetType()
            .Namespace
            .Equals("System", StringComparison.OrdinalIgnoreCase))
            continue;

        //add values to differences List
    }

    return differences;
}

如何提取 Role in Person 的属性值???

4

3 回答 3

2
public static List<String> DiffObjectsProperties(object a, object b)
{
    Type type = a.GetType();
    List<String> differences = new List<String>();
    foreach (PropertyInfo p in type.GetProperties())
    {
        object aValue = p.GetValue(a, null);
        object bValue = p.GetValue(b, null);

        if (p.PropertyType.IsPrimitive || p.PropertyType == typeof(string))
        {
            if (!aValue.Equals(bValue))
                differences.Add(
                    String.Format("{0}:{1}!={2}",p.Name, aValue, bValue)
                );
        }
        else
            differences.AddRange(DiffObjectsProperties(aValue, bValue));
    }

    return differences;
}
于 2009-01-08T03:55:22.023 回答
1

如果属性不是值类型,为什么不递归地调用 DiffObjectProperties 并将结果附加到当前列表?据推测,您需要遍历它们并以点符号表示属性的名称,以便您可以看到有什么不同 - 或者知道如果列表非空当前属性不同就足够了.

于 2009-01-08T03:40:20.040 回答
0

因为我不知道如何判断:

var v1 = p.GetValue(a, null);

是字符串名字或角色角色。我一直在尝试找出如何判断 v1 是字符串,例如 FirstName 还是类角色。因此,我不知道何时将对象属性 (Role) 递归传递回 DiffObjectsProperties 以迭代其属性值。

于 2009-01-08T03:45:09.970 回答