6

其中两个类属性具有以下注释:

    [Key]
    [Column]
    [Required]
    [DatabaseGenerated(DatabaseGeneratedOption.Identity)]
    public int Id { get; set; }


    [MaxLength(25)]
    public string Name { get; set; }

我知道测试 Key、Column 和 Required 属性不再是一个单元测试,它是一个集成测试,因为它取决于底层数据库,但是你如何测试 MaxLength(25) 属性?

我能想到的替代方案之一是将代码合同添加到属性中。

更新

按照建议,我编写了以下帮助程序:

    public class AttributeHelper <T> where T : class
    {
        private Type GivenClass 
        { 
            get { return typeof (T); }
        }

        public bool HasAnnotation(Type annotation)
        {
            return GivenClass.GetCustomAttributes(annotation, true).Single() != null;
        }

        public bool MethodHasAttribute(Type attribute, string target)
        {
           return GivenClass.GetMethod(target).GetCustomAttributes(attribute, true).Count() == 1;
        }

        public bool PropertyHasAttribute(Type attribute, string target)
        {
            return GivenClass.GetProperty(target).GetCustomAttributes(attribute, true).Count() == 1;
        }

    }

然后我测试了我的助手:

    [TestMethod]
    public void ThisMethod_Has_TestMethod_Attribute()
    {
        // Arrange
        var helper = new AttributeHelper<AttributeHelperTests>();

        // Act
        var result = helper.MethodHasAttribute(typeof (TestMethodAttribute), "ThisMethod_Has_TestMethod_Attribute");

        // Assert
        Assert.IsTrue(result);
    }

一切都很好,除了方法和属性必须是公共的才能让我使用反射。我想不出我必须向私有属性/方法添加属性的任何情况。

然后测试 EF 注释:

        public void IdProperty_Has_KeyAttribute()
        {
            // Arrange
            var helper = new AttributeHelper<Player>();

            // Act
            var result = helper.PropertyHasAttribute(typeof (KeyAttribute), "Id");

            // Assert
            Assert.IsTrue(result);
        }
4

1 回答 1

9

我了解测试 Key、Column 和 Required 属性不再是单元测试,而是集成测试,因为它取决于底层数据库

怎么会这样?您可以测试Id属性是否标记有所有这些属性就好了。它属于单元测试类别。

[Test]
public void Id_IsMarkedWithKeyAttribute()
{
    var propertyInfo = typeof(MyClass).GetProperty("Id");

    var attribute = propertyInfo.GetCustomAttributes(typeof(KeyAttribute), true)
        .Cast<KeyAttribute>()
        .FirstOrDefault();

    Assert.That(attribute, Is.Not.Null);
}

通过这种方式,您可以确保您的属性标有您能想到的任何属性。当然,这涉及一些反射工作,但这就是您测试属性标记的方式。

于 2012-04-21T14:52:25.787 回答