调试程序包管理器控制台更新-数据库种子方法


106

Seed()当我Update-Database从程序包管理器控制台运行但不知道如何操作时,我想在Entity Framework数据库配置类中调试该方法。我想与其他人分享解决方案,以防他们遇到相同的问题。

Answers:


158

这是一个非常有效的解决方案的类似问题
它不需要Thread.Sleep
只需使用此代码启动调试器。

从答案中剪下来

if (!System.Diagnostics.Debugger.IsAttached) 
    System.Diagnostics.Debugger.Launch();

您可以migrate.exe从控制台调用@tchelidze 来附加当前正在运行的Visual Studio。此答案中的信息:stackoverflow.com/a/52700520/350384
Mariusz Pawelski

20

我解决此问题的方法是打开一个Visual Studio的新实例,然后在这个Visual Studio的新实例中打开相同的解决方案。然后,在运行update-database命令时,将这个新实例中的调试器附加到旧实例(devenv.exe)。这使我可以调试Seed方法。

只是为了确保我不会错过及时断点,所以我在断点之前添加了Thread.Sleep。

我希望这可以帮助别人。


12

如果您需要获取特定变量的值,可以快速抛出一个异常:

throw new Exception(variable);

3
快速又肮脏:)
DanKodi

5

恕我直言,更干净的解决方案(我想这需要EF 6)是从代码中调用update-base:

var configuration = new DbMigrationsConfiguration<TContext>();
var databaseMigrator = new DbMigrator(configuration);
databaseMigrator.Update();

这使您可以调试Seed方法。

您可以更进一步,并构建一个单元测试(或更准确地说,是一个集成测试),该单元测试将创建一个空的测试数据库,应用所有EF迁移,运行Seed方法,然后再次删除该测试数据库:

var configuration = new DbMigrationsConfiguration<TContext>();
Database.Delete("TestDatabaseNameOrConnectionString");

var databaseMigrator = new DbMigrator(configuration);
databaseMigrator.Update();

Database.Delete("TestDatabaseNameOrConnectionString");

但是请注意不要对您的开发数据库运行此命令!


1
在EF Core中,由于没有DbMigrationsConfiguration类,请使用myDbContext.Database.GetPendingMigrations()。
stevie_c

3

我知道这是一个古老的问题,但是如果您只想要消息,并且您不希望在项目中包含对WinForms的引用,我会创建一个简单的调试窗口,在其中可以发送Trace事件。

为了进行更认真,更逐步的调试,我将打开另一个Visual Studio实例,但是对于简单的东西来说并不必要。

这是整个代码:

SeedApplicationContext.cs

using System;
using System.Data.Entity;
using System.Diagnostics;
using System.Drawing;
using System.Windows.Forms;

namespace Data.Persistence.Migrations.SeedDebug
{
  public class SeedApplicationContext<T> : ApplicationContext
    where T : DbContext
  {
    private class SeedTraceListener : TraceListener
    {
      private readonly SeedApplicationContext<T> _appContext;

      public SeedTraceListener(SeedApplicationContext<T> appContext)
      {
        _appContext = appContext;
      }

      public override void Write(string message)
      {
        _appContext.WriteDebugText(message);
      }

      public override void WriteLine(string message)
      {
        _appContext.WriteDebugLine(message);
      }
    }

    private Form _debugForm;
    private TextBox _debugTextBox;
    private TraceListener _traceListener;

    private readonly Action<T> _seedAction;
    private readonly T _dbcontext;

    public Exception Exception { get; private set; }
    public bool WaitBeforeExit { get; private set; }

    public SeedApplicationContext(Action<T> seedAction, T dbcontext, bool waitBeforeExit = false)
    {
      _dbcontext = dbcontext;
      _seedAction = seedAction;
      WaitBeforeExit = waitBeforeExit;
      _traceListener = new SeedTraceListener(this);
      CreateDebugForm();
      MainForm = _debugForm;
      Trace.Listeners.Add(_traceListener);
    }

    private void CreateDebugForm()
    {
      var textbox = new TextBox {Multiline = true, Dock = DockStyle.Fill, ScrollBars = ScrollBars.Both, WordWrap = false};
      var form = new Form {Font = new Font(@"Lucida Console", 8), Text = "Seed Trace"};
      form.Controls.Add(tb);
      form.Shown += OnFormShown;
      _debugForm = form;
      _debugTextBox = textbox;
    }

    private void OnFormShown(object sender, EventArgs eventArgs)
    {
      WriteDebugLine("Initializing seed...");
      try
      {
        _seedAction(_dbcontext);
        if(!WaitBeforeExit)
          _debugForm.Close();
        else
          WriteDebugLine("Finished seed. Close this window to continue");
      }
      catch (Exception e)
      {
        Exception = e;
        var einner = e;
        while (einner != null)
        {
          WriteDebugLine(string.Format("[Exception {0}] {1}", einner.GetType(), einner.Message));
          WriteDebugLine(einner.StackTrace);
          einner = einner.InnerException;
          if (einner != null)
            WriteDebugLine("------- Inner Exception -------");
        }
      }
    }

    protected override void Dispose(bool disposing)
    {
      if (disposing && _traceListener != null)
      {
        Trace.Listeners.Remove(_traceListener);
        _traceListener.Dispose();
        _traceListener = null;
      }
      base.Dispose(disposing);
    }

    private void WriteDebugText(string message)
    {
      _debugTextBox.Text += message;
      Application.DoEvents();
    }

    private void WriteDebugLine(string message)
    {
      WriteDebugText(message + Environment.NewLine);
    }
  }
}

并在您的标准Configuration.cs上

// ...
using System.Windows.Forms;
using Data.Persistence.Migrations.SeedDebug;
// ...

namespace Data.Persistence.Migrations
{
  internal sealed class Configuration : DbMigrationsConfiguration<MyContext>
  {
    public Configuration()
    {
      // Migrations configuration here
    }

    protected override void Seed(MyContext context)
    {
      // Create our application context which will host our debug window and message loop
      var appContext = new SeedApplicationContext<MyContext>(SeedInternal, context, false);
      Application.Run(appContext);
      var e = appContext.Exception;
      Application.Exit();
      // Rethrow the exception to the package manager console
      if (e != null)
        throw e;
    }

    // Our original Seed method, now with Trace support!
    private void SeedInternal(MyContext context)
    {
      // ...
      Trace.WriteLine("I'm seeding!")
      // ...
    }
  }
}

1
当然,调试窗口可以根据您的需要进行复杂设置(您甚至可以使用设计器来创建完整的表单并将其传递给周围,以便该SeedInternal方法可以使用它)
Jcl 2014年


0

我有2个解决方法(没有,Debugger.Launch()因为它对我不起作用):

  1. 要在程序包管理器控制台中打印消息,请使用例外:
    throw new Exception("Your message");

  2. 另一种方法是通过创建cmd进程来在文件中打印消息:


    // Logs to file {solution folder}\seed.log data from Seed method (for DEBUG only)
    private void Log(string msg)
    {
        string echoCmd = $"/C echo {DateTime.Now} - {msg} >> seed.log";
        System.Diagnostics.Process.Start("cmd.exe", echoCmd);
    }
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.