ASP.NET MVCアプリケーション のモデルの1つに[Required]
データ注釈を追加しました。移行を作成した後、Update-Database
コマンドを実行すると、次のエラーが発生します。
NULL値を列 'Director'、テーブル 'MOVIES_cf7bad808fa94f89afa2e5dae1161e78.dbo.Movies'に挿入できません。列はヌルを許可しません。更新は失敗します。ステートメントは終了されました。
これは、Director
列にNULLを含む一部のレコードが原因です。これらの値をデフォルト(「John Doe」など)のディレクターに自動的に変更するにはどうすればよいですか?
ここに私のモデルがあります:
public class Movie
{
public int ID { get; set; }
[Required]
public string Title { get; set; }
[DataType(DataType.Date)]
public DateTime ReleaseDate { get; set; }
[Required]
public string Genre { get; set; }
[Range(1,100)]
[DataType(DataType.Currency)]
public decimal Price { get; set; }
[StringLength(5)]
public string Rating { get; set; }
[Required] /// <--- NEW
public string Director { get; set; }
}
これが私の最新の移行です:
public partial class AddDataAnnotationsMig : DbMigration
{
public override void Up()
{
AlterColumn("dbo.Movies", "Title", c => c.String(nullable: false));
AlterColumn("dbo.Movies", "Genre", c => c.String(nullable: false));
AlterColumn("dbo.Movies", "Rating", c => c.String(maxLength: 5));
AlterColumn("dbo.Movies", "Director", c => c.String(nullable: false));
}
public override void Down()
{
AlterColumn("dbo.Movies", "Director", c => c.String());
AlterColumn("dbo.Movies", "Rating", c => c.String());
AlterColumn("dbo.Movies", "Genre", c => c.String());
AlterColumn("dbo.Movies", "Title", c => c.String());
}
}
私の記憶が正しければ、次のようになります:
AlterColumn("dbo.Movies", "Director", c => c.String(nullable: false, defaultValueSql: "John Doe"));
@webdeveloperと@Pushpendraからの答えに加えて、既存の行を更新するには、移行に更新を手動で追加する必要があります。例えば:
public override void Up()
{
Sql("UPDATE [dbo].[Movies] SET Title = 'No Title' WHERE Title IS NULL");
AlterColumn("dbo.Movies", "Title", c => c.String(nullable: false,defaultValue:"MyTitle"));
}
これは、AlterColumn
がDDLを生成して、列のデフォルトをテーブル仕様の特定の値に設定するためです。 DDLはデータベース内の既存の行には影響しません。
実際には2つの変更を同時に行って(デフォルトを設定し、列をNOT NULLにします)、それぞれが個別に有効ですが、2つを同時に行っているため、システムが「インテリジェントに 'あなたの意図を実現し、すべてのNULL
値をデフォルト値に設定しますが、これは常に予想されるものではありません。
カラムのデフォルト値のみを設定し、NOT NULLにしないと仮定します。明らかに、すべてのNULLレコードが、指定したデフォルトで更新されるとは期待していません。
したがって、私の意見では、これはバグではなく、EFに明示的に指示しない方法でデータを更新することは望ましくありません。開発者は、データをどうするかについてシステムに指示する責任があります。
public partial class AddDataAnnotationsMig : DbMigration
{
public override void Up()
{
AlterColumn("dbo.Movies", "Title", c => c.String(nullable: false,defaultValue:"MyTitle"));
AlterColumn("dbo.Movies", "Genre", c => c.String(nullable: false,defaultValue:"Genre"));
AlterColumn("dbo.Movies", "Rating", c => c.String(maxLength: 5));
AlterColumn("dbo.Movies", "Director", c => c.String(nullable: false,defaultValue:"Director"));
}
public override void Down()
{
AlterColumn("dbo.Movies", "Director", c => c.String());
AlterColumn("dbo.Movies", "Rating", c => c.String());
AlterColumn("dbo.Movies", "Genre", c => c.String());
AlterColumn("dbo.Movies", "Title", c => c.String());
}
}
このオプションが常に存在するかどうかはわかりませんが、同様の問題に遭遇しただけで、次を使用して手動更新を実行せずにデフォルト値を設定できることがわかりました
defaultValueSql: "'NY'"
提供された値が"NY"
のときにエラーが発生し、"GETDATE()"
のようなSQL値を期待していることに気づいたので、"'NY'"
を試してみました。
行全体は次のようになります
AddColumn("TABLE_NAME", "State", c => c.String(maxLength: 2, nullable: false, defaultValueSql: "'NY'"));
この回答 のおかげで、私は正しい軌道に乗った
エンティティプロパティでAuto-Property Initializerを使用するだけで、仕事を完了するのに十分であることがわかりました。
例えば:
public class Thing {
public bool IsBigThing { get; set; } = false;
}
EF Core 2.1以降では、 MigrationBuilder.UpdateData
を使用して、列を変更する前に値を変更できます(生のSQLを使用するよりもクリーンです)。
protected override void Up(MigrationBuilder migrationBuilder)
{
// Change existing NULL values to NOT NULL values
migrationBuilder.UpdateData(
table: tableName,
column: columnName,
value: valueInsteadOfNull,
keyColumn: columnName,
keyValue: null);
// Change column type to NOT NULL
migrationBuilder.AlterColumn<ColumnType>(
table: tableName,
name: columnName,
nullable: false,
oldClrType: typeof(ColumnType),
oldNullable: true);
}
他の回答の多くは、これらの問題が発生したときに手動で介入する方法に焦点を当てています。
移行を生成した後、移行に対して次の変更のいずれかを実行します。
列定義を変更して、defaultValueまたはdefaultSqlステートメントを含めます。
AlterColumn("dbo.Movies", "Director", c => c.String(nullable: false, default: ""));
AlterColumnの前に、既存の列に事前入力するSQLステートメントを挿入します。
Sql("UPDATE dbo.Movies SET Director = '' WHERE Director IS NULL");
移行を再設定すると、移行スクリプトに適用された手動の変更が上書きされることに注意してください。最初のソリューションでは、EFを拡張して、移行生成の一部としてフィールドのデフォルト値を自動的に定義するのは非常に簡単です。
注:デフォルト値の実装はRDBMSプロバイダーごとに異なるため、EFは自動的にこれを行いませんが、各行の挿入が各プロパティの現在の値を提供するため、純粋なEFランタイムではデフォルト値の意味が少ないため、 nullであっても、デフォルト値の制約は評価されません。
デフォルトの制約が適用されるのはこのAlterColumnステートメントだけです。これは、SQL Server Migration Implementationを設計したチームにとって優先度が低くなると思います。
次のソリューションは、属性表記法、モデル構成規則、および列注釈を組み合わせて、メタデータをカスタム移行コードジェネレーターに渡します。属性表記を使用していない場合は、手順1と2を影響を受ける各フィールドの流notな表記に置き換えることができます。
ここには多くのテクニックがあります。自由に一部または全部を使用してください。ここにいるすべての人に価値があることを願っています
デフォルト値の宣言
既存の属性を作成または再利用して、使用するデフォルト値を定義します。この例では、使用方法が直感的であり、可能性があるため、ComponentModel.DefaultValueAttributeから継承するDefaultValueという新しい属性を作成します。既存のコードベースはすでにこの属性を実装しています。この実装では、この特定の属性を使用してDefaultValueSqlにアクセスするだけでよく、日付やその他のカスタムシナリオに役立ちます。
実装
[DefaultValue("Insert DefaultValue Here")]
[Required] /// <--- NEW
public string Director { get; set; }
// Example of default value sql
[DefaultValue(DefaultValueSql: "GetDate()")]
[Required]
public string LastModified { get; set; }
属性定義
namespace EFExtensions
{
/// <summary>
/// Specifies the default value for a property but allows a custom SQL statement to be provided as well. <see cref="MiniTuber.Database.Conventions.DefaultValueConvention"/>
/// </summary>
public class DefaultValueAttribute : System.ComponentModel.DefaultValueAttribute
{
/// <summary>
/// Specifies the default value for a property but allows a custom SQL statement to be provided as well. <see cref="MiniTuber.Database.Conventions.DefaultValueConvention"/>
/// </summary>
public DefaultValueAttribute() : base("")
{
}
/// <i
/// <summary>
/// Optional SQL to use to specify the default value.
/// </summary>
public string DefaultSql { get; set; }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a Unicode character.
/// </summary>
/// <param name="value">
/// A Unicode character that is the default value.
/// </param>
public DefaultValueAttribute(char value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using an 8-bit unsigned integer.
/// </summary>
/// <param name="value">
/// An 8-bit unsigned integer that is the default value.
/// </param>
public DefaultValueAttribute(byte value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a 16-bit signed integer.
/// </summary>
/// <param name="value">
/// A 16-bit signed integer that is the default value.
/// </param>
public DefaultValueAttribute(short value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a 32-bit signed integer.
/// </summary>
/// <param name="value">
/// A 32-bit signed integer that is the default value.
/// </param>
public DefaultValueAttribute(int value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a 64-bit signed integer.
/// </summary>
/// <param name="value">
/// A 64-bit signed integer that is the default value.
/// </param>
public DefaultValueAttribute(long value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a single-precision floating point number.
/// </summary>
/// <param name="value">
/// A single-precision floating point number that is the default value.
/// </param>
public DefaultValueAttribute(float value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a double-precision floating point number.
/// </summary>
/// <param name="value">
/// A double-precision floating point number that is the default value.
/// </param>
public DefaultValueAttribute(double value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a System.Boolean value.
/// </summary>
/// <param name="value">
/// A System.Boolean that is the default value.
/// </param>
public DefaultValueAttribute(bool value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class using a System.String.
/// </summary>
/// <param name="value">
/// A System.String that is the default value.
/// </param>
public DefaultValueAttribute(string value) : base(value) { }
/// <summary>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class.
/// </summary>
/// <param name="value">
/// An System.Object that represents the default value.
/// </param>
public DefaultValueAttribute(object value) : base(value) { }
/// /// <inheritdoc/>
/// Initializes a new instance of the System.ComponentModel.DefaultValueAttribute
/// class, converting the specified value to the specified type, and using an invariant
/// culture as the translation context.
/// </summary>
/// <param name="type">
/// A System.Type that represents the type to convert the value to.
/// </param>
/// <param name="value">
/// A System.String that can be converted to the type using the System.ComponentModel.TypeConverter
/// for the type and the U.S. English culture.
/// </param>
public DefaultValueAttribute(Type type, string value) : base(value) { }
}
}
列注釈にデフォルト値を挿入する規則を作成します
列注釈は、列に関するカスタムメタデータを移行スクリプトジェネレーターに渡すために使用されます。
これを行うための規則を使用すると、フィールドごとに個別に指定するのではなく、多くのプロパティに対して流れるようなメタデータを定義および操作する方法を簡素化する属性表記の背後にある力を示します。
namespace EFExtensions
{
/// <summary>
/// Implement SQL Default Values from System.ComponentModel.DefaultValueAttribute
/// </summary>
public class DefaultValueConvention : Convention
{
/// <summary>
/// Annotation Key to use for Default Values specified directly as an object
/// </summary>
public const string DirectValueAnnotationKey = "DefaultValue";
/// <summary>
/// Annotation Key to use for Default Values specified as SQL Strings
/// </summary>
public const string SqlValueAnnotationKey = "DefaultSql";
/// <summary>
/// Implement SQL Default Values from System.ComponentModel.DefaultValueAttribute
/// </summary>
public DefaultValueConvention()
{
// Implement SO Default Value Attributes first
this.Properties()
.Where(x => x.HasAttribute<EFExtensions.DefaultValueAttribute>())
.Configure(c => c.HasColumnAnnotation(
c.GetAttribute<EFExtensions.DefaultValueAttribute>().GetDefaultValueAttributeKey(),
c.GetAttribute<EFExtensions.DefaultValueAttribute>().GetDefaultValueAttributeValue()
));
// Implement Component Model Default Value Attributes, but only if it is not the SO implementation
this.Properties()
.Where(x => x.HasAttribute<System.ComponentModel.DefaultValueAttribute>())
.Where(x => !x.HasAttribute<MiniTuber.DataAnnotations.DefaultValueAttribute>())
.Configure(c => c.HasColumnAnnotation(
DefaultValueConvention.DirectValueAnnotationKey,
c.GetAttribute<System.ComponentModel.DefaultValueAttribute>().Value
));
}
}
/// <summary>
/// Extension Methods to simplify the logic for building column annotations for Default Value processing
/// </summary>
public static partial class PropertyInfoAttributeExtensions
{
/// <summary>
/// Wrapper to simplify the lookup for a specific attribute on a property info.
/// </summary>
/// <typeparam name="T">Type of attribute to lookup</typeparam>
/// <param name="self">PropertyInfo to inspect</param>
/// <returns>True if an attribute of the requested type exists</returns>
public static bool HasAttribute<T>(this PropertyInfo self) where T : Attribute
{
return self.GetCustomAttributes(false).OfType<T>().Any();
}
/// <summary>
/// Wrapper to return the first attribute of the specified type
/// </summary>
/// <typeparam name="T">Type of attribute to return</typeparam>
/// <param name="self">PropertyInfo to inspect</param>
/// <returns>First attribuite that matches the requested type</returns>
public static T GetAttribute<T>(this System.Data.Entity.ModelConfiguration.Configuration.ConventionPrimitivePropertyConfiguration self) where T : Attribute
{
return self.ClrPropertyInfo.GetCustomAttributes(false).OfType<T>().First();
}
/// <summary>
/// Helper to select the correct DefaultValue annotation key based on the attribute values
/// </summary>
/// <param name="self"></param>
/// <returns></returns>
public static string GetDefaultValueAttributeKey(this EFExtensions.DefaultValueAttribute self)
{
return String.IsNullOrWhiteSpace(self.DefaultSql) ? DefaultValueConvention.DirectValueAnnotationKey : DefaultValueConvention.SqlValueAnnotationKey;
}
/// <summary>
/// Helper to select the correct attribute property to send as a DefaultValue annotation value
/// </summary>
/// <param name="self"></param>
/// <returns></returns>
public static object GetDefaultValueAttributeValue(this EFExtensions.DefaultValueAttribute self)
{
return String.IsNullOrWhiteSpace(self.DefaultSql) ? self.Value : self.DefaultSql;
}
}
}
DbContextに規約を追加します
これを実現する方法はたくさんあります。ModelCreationロジックの最初のカスタムステップとして、この規則を宣言するのが好きです。これはDbContextクラスにあります。
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
base.OnModelCreating(modelBuilder);
// Use our new DefaultValueConvention
modelBuilder.Conventions.Add<EFExtensions.DefaultValueConvention>();
// My personal favourites ;)
modelBuilder.Conventions.Remove<PluralizingTableNameConvention>();
modelBuilder.Conventions.Remove<OneToManyCascadeDeleteConvention>();
}
MigrationCodeGeneratorをオーバーライドします
これらの注釈がモデル内の列定義に適用されたので、移行スクリプトジェネレーターを変更してそれらの注釈を使用する必要があります。このためには、System.Data.Entity.Migrations.Design.CSharpMigrationCodeGenerator
から継承します。これは、最小限の変更のみを注入する必要があるためです。
カスタムアノテーションを処理したら、最終的な出力にシリアル化されないように、カラム定義から削除する必要があります。
他の使用法を調べるには、基本クラスコードを参照してください。 http://entityframework.codeplex.com/sourcecontrol/latest#src/EntityFramework/Migrations/Design/CSharpMigrationCodeGenerator.cs
namespace EFExtensions
{
/// <summary>
/// Implement DefaultValue constraint definition in Migration Scripts.
/// </summary>
/// <remarks>
/// Original guide that provided inspiration for this https://romiller.com/2012/11/30/code-first-migrations-customizing-scaffolded-code/
/// </remarks>
public class CustomCodeGenerator : System.Data.Entity.Migrations.Design.CSharpMigrationCodeGenerator
{
/// <summary>
/// Inject Default values from the DefaultValue attribute, if the DefaultValueConvention has been enabled.
/// </summary>
/// <seealso cref="DefaultValueConvention"/>
/// <param name="column"></param>
/// <param name="writer"></param>
/// <param name="emitName"></param>
protected override void Generate(ColumnModel column, IndentedTextWriter writer, bool emitName = false)
{
var annotations = column.Annotations?.ToList();
if (annotations != null && annotations.Any())
{
for (int index = 0; index < annotations.Count; index ++)
{
var annotation = annotations[index];
bool handled = true;
try
{
switch (annotation.Key)
{
case DefaultValueConvention.SqlValueAnnotationKey:
if (annotation.Value?.NewValue != null)
{
column.DefaultValueSql = $"{annotation.Value.NewValue}";
}
break;
case DefaultValueConvention.DirectValueAnnotationKey:
if (annotation.Value?.NewValue != null)
{
column.DefaultValue = Convert.ChangeType(annotation.Value.NewValue, column.ClrType);
}
break;
default:
handled = false;
break;
}
}
catch(Exception ex)
{
// re-throw with specific debug information
throw new ApplicationException($"Failed to Implement Column Annotation for column: {column.Name} with key: {annotation.Key} and new value: {annotation.Value.NewValue}", ex);
}
if(handled)
{
// remove the annotation, it has been applied
column.Annotations.Remove(annotation.Key);
}
}
}
base.Generate(column, writer, emitName);
}
/// <summary>
/// Generates class summary comments and default attributes
/// </summary>
/// <param name="writer"> Text writer to add the generated code to. </param>
/// <param name="designer"> A value indicating if this class is being generated for a code-behind file. </param>
protected override void WriteClassAttributes(IndentedTextWriter writer, bool designer)
{
writer.WriteLine("/// <summary>");
writer.WriteLine("/// Definition of the Migration: {0}", this.ClassName);
writer.WriteLine("/// </summary>");
writer.WriteLine("/// <remarks>");
writer.WriteLine("/// Generated Time: {0}", DateTime.Now);
writer.WriteLine("/// Generated By: {0}", Environment.UserName);
writer.WriteLine("/// </remarks>");
base.WriteClassAttributes(writer, designer);
}
}
}
CustomCodeGeneratorの登録
最後のステップ、DbMigration構成ファイルで、使用するコードジェネレーターを指定する必要があります。デフォルトでは、MigrationフォルダーでConfiguration.csを探します...
internal sealed class Configuration : DbMigrationsConfiguration<YourApplication.Database.Context>
{
public Configuration()
{
// I recommend that auto-migrations be disabled so that we control
// the migrations explicitly
AutomaticMigrationsEnabled = false;
CodeGenerator = new EFExtensions.CustomCodeGenerator();
}
protected override void Seed(YourApplication.Database.Context context)
{
// Your custom seed logic here
}
}
何らかの理由で、承認された回答が自分にとってうまくいかないことを自分で説明できなかったこと。
別のアプリで動作しましたが、私が動作しているアプリでは動作しません。
そのため、quite inefficientの代替案は、以下に示すようにSaveChanges()メソッドをオーバーライドすることです。このメソッドはContextクラスにある必要があります。
public override int SaveChanges()
{
foreach (var entry in ChangeTracker.Entries().Where(entry => entry.Entity.GetType().GetProperty("ColumnName") != null))
{
if (entry.State == EntityState.Added)
{
entry.Property("ColumnName").CurrentValue = "DefaultValue";
}
}