我的大多数字符串列都设置在50左右。
不是将DataAnnotation [StringLength(50)]
添加到每个字符串属性,而是可以将默认字符串生成设置为50,并且只在需要时才指定DataAnnotation与默认值不同?
E.g
[StringLength(200)]
public string Thing1 { get; set; }
public string Thing2 { get; set; }
public string Thing3 { get; set; }
[MaxLength]
public string Thing4 { get; set; }
在这个例子中,Thing2和Thing3默认是varchar(50),Thing1和Thing2会有所不同,因为我特意设置了它们
许多实体和列,这样不仅可以节省我的时间,还可以使我的实体类看起来更清晰
澄清(为了可能的重复问题): - 我不介意如何设置默认长度(FluentAPI或其他任何东西) - 我很清楚如何设置覆盖长度。我想使用DataAnnotations覆盖
答案 0 :(得分:4)
您可以使用自定义代码优先约定。尝试将此添加到您的上下文类:
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Properties<string>()
.Configure(c => c.HasMaxLength(500));
}
点击此链接,了解有关Custom Code First Conventions
的更多信息答案 1 :(得分:1)
是的,您可以使用自定义代码优先约定,但您还需要有一种方法可以将nvarchar(max)数据类型指定为字符串属性。所以,我提出了以下解决方案。
/// <summary>
/// Set this attribute to string property to have nvarchar(max) type for db table column.
/// </summary>
[AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
public sealed class TextAttribute : Attribute
{
}
/// <summary>
/// Changes all string properties without System.ComponentModel.DataAnnotations.StringLength or
/// Text attributes to use string length 16 (i.e nvarchar(16) instead of nvarchar(max) by default).
/// Use TextAttribute to a property to have nvarchar(max) data type.
/// </summary>
public class StringLength16Convention : Convention
{
public StringLength16Convention()
{
Properties<string>()
.Where(p => !p.GetCustomAttributes(false).OfType<DatabaseGeneratedAttribute>().Any())
.Configure(p => p.HasMaxLength(16));
Properties()
.Where(p => p.GetCustomAttributes(false).OfType<TextAttribute>().Any())
.Configure(p => p.IsMaxLength());
}
}
public class MyDbContext : DbContext
{
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
//Change string length default behavior.
modelBuilder.Conventions.Add(new StringLength16Convention());
}
}
public class LogMessage
{
[Key]
public Guid Id { get; set; }
[StringLength(25)] // Explicit data length. Result data type is nvarchar(25)
public string Computer { get; set; }
//[StringLength(25)] // Implicit data length. Result data type is nvarchar(16)
public string AgencyName { get; set; }
[Text] // Explicit max data length. Result data type is nvarchar(max)
public string Message { get; set; }
}