私はこのコードファーストアプローチを試していますが、System.Decimal型のプロパティがdecimal(18、0)型のsql列にマップされていることがわかりました。
データベース列の精度を設定するにはどうすればよいですか?
私はこのコードファーストアプローチを試していますが、System.Decimal型のプロパティがdecimal(18、0)型のsql列にマップされていることがわかりました。
データベース列の精度を設定するにはどうすればよいですか?
回答:
Dave Van den Eyndeからの回答は現在、古くなっています。EF 4.1以降、2つの重要な変更があります。ModelBuilderクラスはDbModelBuilderになり、次のシグネチャを持つDecimalPropertyConfiguration.HasPrecisionメソッドがあります。
public DecimalPropertyConfiguration HasPrecision(
byte precision,
byte scale )
ここで、precisionは、小数点がどこにあるかに関係なく、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);
}
}
System.Data.Entity.ModelConfiguration.ModelBuilder modelBuilder
base.OnModelCreating(modelBuilder);
。それは、意図的でしたか、IDEではなくオンラインでコードを入力した犠牲者でしたか?
すべての精度を設定する場合 decimals
EF6DecimalPropertyConvention
は、で使用されているデフォルトの規則を置き換えることができますDbModelBuilder
。
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Conventions.Remove<DecimalPropertyConvention>();
modelBuilder.Conventions.Add(new DecimalPropertyConvention(38, 18));
}
デフォルト DecimalPropertyConvention
EF6は、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);
}
}
私はこれのためにカスタム属性を作成する良い時間を過ごしました:
[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)
メソッド(私はこれを配列内の位置で呼びます、それは私が知っている理想的ではありません、どんな助けも大いに感謝されます)
そしてそれがnullableではない場合、私は
Property(Expression<Func<TStructuralType, decimal>> propertyExpression)
方法。
DecimalPropertyConfigurationを使用して、HasPrecisionメソッドを呼び出します。
MethodInfo methodInfo = entityConfig.GetType().GetMethod("Property", new[] { lambdaExpression.GetType() });
正しいオーバーロードを取得するために使用します。これまでのところ機能しているようです。
DecimalPrecisonAttribute
KinSlayerUY のfrom を使用して、EF6で属性を持つ個々のプロパティを処理する規則を作成できます(この回答でDecimalPropertyConvention
同様の設定を行うと、すべての10進数のプロパティに影響します)。
[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());
}
Precision
、上限を28に設定することをお勧めします(つまり> 28
、条件に応じて)。MSDNのドキュメントによると、System.Decimal
表現できるのは最大28〜29桁の精度(msdn.microsoft.com/en-us/library/364x0z75.aspx)のみです。また、属性はScale
として宣言されbyte
ているため、前提条件attribute.Scale < 0
は不要です。
System.Decimal
そうではありません。したがって、上限の前提条件を28よりも大きい値に設定しても意味がありません。System.Decimal
明らかに、それほど大きな数を表すことはできません。また、この属性はSQL Server以外のデータプロバイダーにも役立ちます。たとえば、PostgreSQLのnumeric
型は最大131072桁の精度をサポートしています。
どうやら、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);
}
基本実装が何もしない場合でも、メソッドをオーバーライドするときに基本メソッドを呼び出すことをお勧めします。
更新:この記事も非常に役に立ちました。
base.OnModelCreating(modelBuilder);
は必要ないと思います。VSのDbContextメタデータから: The default implementation of this method does nothing, but it can be overridden in a derived class such that the model can be further configured before it is locked down.
Entity Framework Ver 6(Alpha、rc1)にはCustom Conventionsと呼ばれるものがあります。小数精度を設定するには:
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Properties<decimal>().Configure(config => config.HasPrecision(18, 4));
}
参照:
The store type 'decimal(18,2)' could not be found in the SqlServer provider manifest
このコード行は、同じことを達成するためのより簡単な方法である可能性があります。
public class ProductConfiguration : EntityTypeConfiguration<Product>
{
public ProductConfiguration()
{
this.Property(m => m.Price).HasPrecision(10, 2);
}
}
-EF COREの場合-System.ComponentModel.DataAnnotations を使用。
使用 [Column
(TypeName
= "decimal
(精度、スケール)")]
精度 = 使用される文字の総数
スケール = ドットの後の総数。(混乱しやすい)
例:
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
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);
});
次のように、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進数タイプに適用されます。
Remove<DecimalPropertyConvention>();
前に来るまでそれは働いていませんでしたAdd(new DecimalPropertyConvention(18, 4));
。自動的に上書きされるだけではないのはおかしいと思います。
使用する
System.ComponentModel.DataAnnotations;
あなたは単にあなたのモデルにその属性を置くことができます:
[DataType("decimal(18,5)")]
詳細については、MSDN-Entity Data Modelのファセットをご覧ください。 http://msdn.microsoft.com/en-us/library/ee382834.aspx 完全推奨。
EntityFrameworkCore 3.1.3の実際:
OnModelCreatingのソリューション:
var fixDecimalDatas = new List<Tuple<Type, Type, string>>();
foreach (var entityType in builder.Model.GetEntityTypes())
{
foreach (var property in entityType.GetProperties())
{
if (Type.GetTypeCode(property.ClrType) == TypeCode.Decimal)
{
fixDecimalDatas.Add(new Tuple<Type, Type, string>(entityType.ClrType, property.ClrType, property.GetColumnName()));
}
}
}
foreach (var item in fixDecimalDatas)
{
builder.Entity(item.Item1).Property(item.Item2, item.Item3).HasColumnType("decimal(18,4)");
}
//custom decimal nullable:
builder.Entity<SomePerfectEntity>().Property(x => x.IsBeautiful).HasColumnType("decimal(18,4)");
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);
}
}
}
@ Mark007、タイプ選択基準を変更して、DbContextのDbSet <>プロパティを追加しました。与えられた名前空間に、モデル定義の一部であってはならないクラスや、エンティティではないクラスがある場合があるので、これはより安全だと思います。または、エンティティを別の名前空間または別のアセンブリに常駐させて、1つのコンテキストにまとめることもできます。
また、可能性は低いですが、メソッド定義の順序に依存するのは安全ではないと思うので、パラメーターリストを使用してそれらを引き出す方が良いです。(.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;
}
}
}
[Column(TypeName = "decimal(18,4)")]
、10進数のプロパティに属性を使用することです