web-dev-qa-db-ja.com

EF Code Firstの10進精度とスケール

このコードファーストアプローチを試していますが、System.Decimal型のプロパティがdecimal(18、0)型のsql列にマップされることがわかりました。

データベース列の精度を設定するにはどうすればよいですか?

204

デイブ・ヴァン・デン・アインデからの答えは時代遅れです。 EF 4.1以降では、ModelBuilderクラスが DbModelBuilder になり、次のシグネチャを持つDecimalPropertyConfiguration.HasPrecisionメソッドが追加されました。

public DecimalPropertyConfiguration HasPrecision(
byte precision,
byte scale )

ここで、精度は、小数点の位置に関係なく、dbが格納する総桁数であり、scaleは格納する小数点以下の桁数です。

したがって、示されているようにプロパティを反復処理する必要はありませんが、

public class EFDbContext : DbContext
{
   protected override void OnModelCreating(System.Data.Entity.DbModelBuilder modelBuilder)
   {
       modelBuilder.Entity<Class>().Property(object => object.property).HasPrecision(12, 10);

       base.OnModelCreating(modelBuilder);
   }
}
234
AlexC

EF6ですべてのdecimalsの精度を設定する場合は、DecimalPropertyConventionで使用されているデフォルトのDbModelBuilder規則を置き換えることができます。

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Conventions.Remove<DecimalPropertyConvention>();
    modelBuilder.Conventions.Add(new DecimalPropertyConvention(38, 18));
}

EF6のデフォルトのDecimalPropertyConventionは、decimalプロパティをdecimal(18,2)列にマップします。

個々のプロパティに指定された精度のみが必要な場合は、DbModelBuilderでエンティティのプロパティの精度を設定できます。

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Entity<MyEntity>().Property(e => e.Value).HasPrecision(38, 18);
}

または、精度を指定するエンティティにEntityTypeConfiguration<>を追加します。

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Configurations.Add(new MyEntityConfiguration());
}

internal class MyEntityConfiguration : EntityTypeConfiguration<MyEntity>
{
    internal MyEntityConfiguration()
    {
        this.Property(e => e.Value).HasPrecision(38, 18);
    }
}
78
kjbartel

このためのカスタム属性を作成する良い時間を過ごしました:

[AttributeUsage(AttributeTargets.Property, Inherited = false, AllowMultiple = false)]
public sealed class DecimalPrecisionAttribute : Attribute
{
    public DecimalPrecisionAttribute(byte precision, byte scale)
    {
        Precision = precision;
        Scale = scale;

    }

    public byte Precision { get; set; }
    public byte Scale { get; set; }

}

このように使用する

[DecimalPrecision(20,10)]
public Nullable<decimal> DeliveryPrice { get; set; }

そして、魔法はモデル作成時にいくつかの反射で起こります

protected override void OnModelCreating(System.Data.Entity.ModelConfiguration.ModelBuilder modelBuilder)
{
    foreach (Type classType in from t in Assembly.GetAssembly(typeof(DecimalPrecisionAttribute)).GetTypes()
                                   where t.IsClass && t.Namespace == "YOURMODELNAMESPACE"
                                   select t)
     {
         foreach (var propAttr in classType.GetProperties(BindingFlags.Public | BindingFlags.Instance).Where(p => p.GetCustomAttribute<DecimalPrecisionAttribute>() != null).Select(
                p => new { prop = p, attr = p.GetCustomAttribute<DecimalPrecisionAttribute>(true) }))
         {

             var entityConfig = modelBuilder.GetType().GetMethod("Entity").MakeGenericMethod(classType).Invoke(modelBuilder, null);
             ParameterExpression param = ParameterExpression.Parameter(classType, "c");
             Expression property = Expression.Property(param, propAttr.prop.Name);
             LambdaExpression lambdaExpression = Expression.Lambda(property, true,
                                                                      new ParameterExpression[]
                                                                          {param});
             DecimalPropertyConfiguration decimalConfig;
             if (propAttr.prop.PropertyType.IsGenericType && propAttr.prop.PropertyType.GetGenericTypeDefinition() == typeof(Nullable<>))
             {
                 MethodInfo methodInfo = entityConfig.GetType().GetMethods().Where(p => p.Name == "Property").ToList()[7];
                 decimalConfig = methodInfo.Invoke(entityConfig, new[] { lambdaExpression }) as DecimalPropertyConfiguration;
             }
             else
             {
                 MethodInfo methodInfo = entityConfig.GetType().GetMethods().Where(p => p.Name == "Property").ToList()[6];
                 decimalConfig = methodInfo.Invoke(entityConfig, new[] { lambdaExpression }) as DecimalPropertyConfiguration;
             }

             decimalConfig.HasPrecision(propAttr.attr.Precision, propAttr.attr.Scale);
        }
    }
}

最初の部分は、モデル内のすべてのクラスを取得することです(カスタム属性はそのアセンブリで定義されているため、モデルを使用してアセンブリを取得するためにそれを使用しました)

2番目のforeachは、そのクラスのすべてのプロパティにカスタム属性と属性自体を取得し、精度とスケールデータを取得できるようにします

その後、私は電話する必要があります

modelBuilder.Entity<MODEL_CLASS>().Property(c=> c.PROPERTY_NAME).HasPrecision(PRECISION,SCALE);

だから私はリフレクションによってmodelBuilder.Entity()を呼び出し、それをentityConfig変数に保存してから、「c => c.PROPERTY_NAME」ラムダ式を構築します

その後、小数がNULL可能であれば、

Property(Expression<Func<TStructuralType, decimal?>> propertyExpression) 

メソッド(私は配列内の位置によってこれを呼び出します、それは私が知っている理想的ではありません、どんな助けも大歓迎です)

そして、それがnull可能でない場合、私は

Property(Expression<Func<TStructuralType, decimal>> propertyExpression)

方法。

DecimalPropertyConfigurationを使用して、HasPrecisionメソッドを呼び出します。

70
KinSlayerUY

どうやら、DbContext.OnModelCreating()メソッドをオーバーライドして、次のように精度を構成できます。

protected override void OnModelCreating(System.Data.Entity.ModelConfiguration.ModelBuilder modelBuilder)
{
    modelBuilder.Entity<Product>().Property(product => product.Price).Precision = 10;
    modelBuilder.Entity<Product>().Property(product => product.Price).Scale = 2;
}

しかし、これはすべての価格関連のプロパティを使用する必要がある場合、非常に退屈なコードなので、私はこれを思いつきました:

    protected override void OnModelCreating(System.Data.Entity.ModelConfiguration.ModelBuilder modelBuilder)
    {
        var properties = new[]
        {
            modelBuilder.Entity<Product>().Property(product => product.Price),
            modelBuilder.Entity<Order>().Property(order => order.OrderTotal),
            modelBuilder.Entity<OrderDetail>().Property(detail => detail.Total),
            modelBuilder.Entity<Option>().Property(option => option.Price)
        };

        properties.ToList().ForEach(property =>
        {
            property.Precision = 10;
            property.Scale = 2;
        });

        base.OnModelCreating(modelBuilder);
    }

基本実装が何も実行しない場合でも、メソッドをオーバーライドするときに基本メソッドを呼び出すことをお勧めします。

更新: この記事 も非常に役に立ちました。

47

KinSlayerUYのDecimalPrecisonAttributeを使用して、EF6では、属性を持つ個々のプロパティを処理する規則を作成できます(すべての10進数プロパティに影響する この回答 のようなDecimalPropertyConventionの設定とは対照的です)。

[AttributeUsage(AttributeTargets.Property, Inherited = false, AllowMultiple = false)]
public sealed class DecimalPrecisionAttribute : Attribute
{
    public DecimalPrecisionAttribute(byte precision, byte scale)
    {
        Precision = precision;
        Scale = scale;
    }
    public byte Precision { get; set; }
    public byte Scale { get; set; }
}

public class DecimalPrecisionAttributeConvention
    : PrimitivePropertyAttributeConfigurationConvention<DecimalPrecisionAttribute>
{
    public override void Apply(ConventionPrimitivePropertyConfiguration configuration, DecimalPrecisionAttribute attribute)
    {
        if (attribute.Precision < 1 || attribute.Precision > 38)
        {
            throw new InvalidOperationException("Precision must be between 1 and 38.");
        }

        if (attribute.Scale > attribute.Precision)
        {
            throw new InvalidOperationException("Scale must be between 0 and the Precision value.");
        }

        configuration.HasPrecision(attribute.Precision, attribute.Scale);
    }
}

次に、DbContextで:

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Conventions.Add(new DecimalPrecisionAttributeConvention());
}
46
kjbartel

Entity Framework Ver 6(Alpha、rc1)にはCustom Conventionsと呼ばれるものがあります。小数精度を設定するには:

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Properties<decimal>().Configure(config => config.HasPrecision(18, 4));
}

参照:

30
mxasim

このコード行は、同じことを達成するためのより簡単な方法です。

 public class ProductConfiguration : EntityTypeConfiguration<Product>
    {
        public ProductConfiguration()
        {
            this.Property(m => m.Price).HasPrecision(10, 2);
        }
    }
13
armadillo.mx
[Column(TypeName = "decimal(18,2)")]

これは here で説明されているように、コードファースト移行で動作します。

12
Elnoor

-FOR EF CORE-withusing System.ComponentModel.DataAnnotations;

使用[ColumnTypeName= "decimalprecisionscale")]

精度=使用される文字の総数

Scale=ドットの後の合計数。 (混乱しやすい)

public class Blog
{
    public int BlogId { get; set; }
    [Column(TypeName = "varchar(200)")]
    public string Url { get; set; }
    [Column(TypeName = "decimal(5, 2)")]
    public decimal Rating { get; set; }
}

詳細はこちら: https://docs.Microsoft.com/en-us/ef/core/modeling/relational/data-types

5
sofsntp

EF6で

modelBuilder.Properties()
    .Where(x => x.GetCustomAttributes(false).OfType<DecimalPrecisionAttribute>().Any())
    .Configure(c => {
        var attr = (DecimalPrecisionAttribute)c.ClrPropertyInfo.GetCustomAttributes(typeof (DecimalPrecisionAttribute), true).FirstOrDefault();

        c.HasPrecision(attr.Precision, attr.Scale);
    });
3
user3332875

次のように、OnModelCreating関数のContextクラスの規則でこれを行うように、EFにいつでも指示できます。

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    // <... other configurations ...>
    // modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
    // modelBuilder.Conventions.Remove<ManyToManyCascadeDeleteConvention>();
    // modelBuilder.Conventions.Remove<OneToManyCascadeDeleteConvention>();

    // Configure Decimal to always have a precision of 18 and a scale of 4
    modelBuilder.Conventions.Remove<DecimalPropertyConvention>();
    modelBuilder.Conventions.Add(new DecimalPropertyConvention(18, 4));

    base.OnModelCreating(modelBuilder);
}

これはCode First EF fyiにのみ適用され、dbにマッピングされるすべての10進タイプに適用されます。

2
Gecko IT

詳細については、MSDN-Entity Data Modelのファセットを参照してください。 http://msdn.Microsoft.com/en-us/library/ee382834.aspx 完全推奨。

1
Jaider

を使用して

System.ComponentModel.DataAnnotations;

モデルにその属性を単純に入れることができます:

[DataType("decimal(18,5)")]
1
VinnyG

KinSlayerUYのカスタム属性はうまく機能しましたが、ComplexTypesに問題がありました。これらは属性コードのエンティティとしてマップされていたため、ComplexTypeとしてマップできませんでした。

したがって、これを可能にするためにコードを拡張しました。

public static void OnModelCreating(DbModelBuilder modelBuilder)
    {
        foreach (Type classType in from t in Assembly.GetAssembly(typeof(DecimalPrecisionAttribute)).GetTypes()
                                   where t.IsClass && t.Namespace == "FA.f1rstval.Data"
                                   select t)
        {
            foreach (var propAttr in classType.GetProperties(BindingFlags.Public | BindingFlags.Instance).Where(p => p.GetCustomAttribute<DecimalPrecisionAttribute>() != null).Select(
                   p => new { prop = p, attr = p.GetCustomAttribute<DecimalPrecisionAttribute>(true) }))
            {

                ParameterExpression param = ParameterExpression.Parameter(classType, "c");
                Expression property = Expression.Property(param, propAttr.prop.Name);
                LambdaExpression lambdaExpression = Expression.Lambda(property, true,
                                                                         new ParameterExpression[] { param });
                DecimalPropertyConfiguration decimalConfig;
                int MethodNum;
                if (propAttr.prop.PropertyType.IsGenericType && propAttr.prop.PropertyType.GetGenericTypeDefinition() == typeof(Nullable<>))
                {
                    MethodNum = 7;
                }
                else
                {
                    MethodNum = 6;
                }

                //check if complextype
                if (classType.GetCustomAttribute<ComplexTypeAttribute>() != null)
                {
                    var complexConfig = modelBuilder.GetType().GetMethod("ComplexType").MakeGenericMethod(classType).Invoke(modelBuilder, null);
                    MethodInfo methodInfo = complexConfig.GetType().GetMethods().Where(p => p.Name == "Property").ToList()[MethodNum];
                    decimalConfig = methodInfo.Invoke(complexConfig, new[] { lambdaExpression }) as DecimalPropertyConfiguration;
                }
                else
                {
                    var entityConfig = modelBuilder.GetType().GetMethod("Entity").MakeGenericMethod(classType).Invoke(modelBuilder, null);
                    MethodInfo methodInfo = entityConfig.GetType().GetMethods().Where(p => p.Name == "Property").ToList()[MethodNum];
                    decimalConfig = methodInfo.Invoke(entityConfig, new[] { lambdaExpression }) as DecimalPropertyConfiguration;
                }

                decimalConfig.HasPrecision(propAttr.attr.Precision, propAttr.attr.Scale);
            }
        }
    }
0
Mark007

@ Mark007、タイプ選択基準を変更して、DbContextのDbSet <>プロパティを変更しました。これはより安全だと思います。なぜなら、与えられた名前空間にクラスがモデル定義の一部であってはならないか、そうではないがエンティティではない場合があるからです。または、エンティティを個別の名前空間または個別のアセンブリに配置し、まとめて一度のコンテキストにすることができます。

また、可能性は低いですが、メソッド定義の順序に依存するのは安全だとは思わないので、パラメータリストを使用してメソッド定義を取り出す方が適切です。 (.GetTypeMethods()は、新しいTypeInfoパラダイムで動作するように作成した拡張メソッドであり、メソッドを検索するときにクラス階層をフラット化できます)。

OnModelCreatingがこのメソッドにデリゲートすることに注意してください。

    private void OnModelCreatingSetDecimalPrecisionFromAttribute(DbModelBuilder modelBuilder)
    {
        foreach (var iSetProp in this.GetType().GetTypeProperties(true))
        {
            if (iSetProp.PropertyType.IsGenericType
                    && (iSetProp.PropertyType.GetGenericTypeDefinition() == typeof(IDbSet<>) || iSetProp.PropertyType.GetGenericTypeDefinition() == typeof(DbSet<>)))
            {
                var entityType = iSetProp.PropertyType.GetGenericArguments()[0];

                foreach (var propAttr in entityType
                                        .GetProperties(BindingFlags.Public | BindingFlags.Instance)
                                        .Select(p => new { prop = p, attr = p.GetCustomAttribute<DecimalPrecisionAttribute>(true) })
                                        .Where(propAttr => propAttr.attr != null))
                {
                    var entityTypeConfigMethod = modelBuilder.GetType().GetTypeInfo().DeclaredMethods.First(m => m.Name == "Entity");
                    var entityTypeConfig = entityTypeConfigMethod.MakeGenericMethod(entityType).Invoke(modelBuilder, null);

                    var param = ParameterExpression.Parameter(entityType, "c");
                    var lambdaExpression = Expression.Lambda(Expression.Property(param, propAttr.prop.Name), true, new ParameterExpression[] { param });

                    var propertyConfigMethod =
                        entityTypeConfig.GetType()
                            .GetTypeMethods(true, false)
                            .First(m =>
                            {
                                if (m.Name != "Property")
                                    return false;

                                var methodParams = m.GetParameters();

                                return methodParams.Length == 1 && methodParams[0].ParameterType == lambdaExpression.GetType();
                            }
                            );

                    var decimalConfig = propertyConfigMethod.Invoke(entityTypeConfig, new[] { lambdaExpression }) as DecimalPropertyConfiguration;

                    decimalConfig.HasPrecision(propAttr.attr.Precision, propAttr.attr.Scale);
                }
            }
        }
    }



    public static IEnumerable<MethodInfo> GetTypeMethods(this Type typeToQuery, bool flattenHierarchy, bool? staticMembers)
    {
        var typeInfo = typeToQuery.GetTypeInfo();

        foreach (var iField in typeInfo.DeclaredMethods.Where(fi => staticMembers == null || fi.IsStatic == staticMembers))
            yield return iField;

        //this bit is just for StaticFields so we pass flag to flattenHierarchy and for the purpose of recursion, restrictStatic = false
        if (flattenHierarchy == true)
        {
            var baseType = typeInfo.BaseType;

            if ((baseType != null) && (baseType != typeof(object)))
            {
                foreach (var iField in baseType.GetTypeMethods(true, staticMembers))
                    yield return iField;
            }
        }
    }
0
Eniola