Повторная миграция после копирования db с моего хоста в asp. net core 3.1 - PullRequest
0 голосов
/ 19 июня 2020

Я попытался скопировать свою базу данных с хоста сервера с его строками и всеми данными. после того, как я это сделал, я сначала попытался перенести свой код, миграция создала другие таблицы с такими же именами, как вы видите на этом изображении

, поэтому может ли кто-нибудь объяснить, что происходит и зачем создавать другие таблицы? и как я использую свои старые столбцы с его данными?

я пытался выполнить миграцию с пустым файлом миграции вверх / вниз

enter image description here

это моя локальная строка подключения

Data Source=.;Initial Catalog=gasdwa7d;Integrated Security=True

и мой Startup.cs

public class Startup
{
    public Startup(IConfiguration configuration)
    {
        Configuration = configuration;
    }

    public IConfiguration Configuration { get; }

    // This method gets called by the runtime. Use this method to add services to the container.
    public void ConfigureServices(IServiceCollection services)
    {
        services.AddDbContext<ApplicationDbContext>(options =>
        {
            options.UseSqlServer(
                Configuration.GetConnectionString("DefaultDbConnection"));
            options.UseQueryTrackingBehavior(QueryTrackingBehavior.NoTracking);
        });



        services.AddIdentity<ApplicationUser, IdentityRole>(options =>
        {
            options.Password.RequireNonAlphanumeric = false;
            options.Password.RequireDigit = false;
            options.Password.RequireLowercase = false;
            options.Password.RequireUppercase = false;
            options.Password.RequiredLength = 6;
        })
            .AddEntityFrameworkStores<ApplicationDbContext>()
            .AddDefaultUI()
            .AddDefaultTokenProviders();
        services.AddControllersWithViews();
        services.AddMvc(options => options.EnableEndpointRouting = false);
        services.AddRazorPages();
        services.AddScoped<IUserClaimsPrincipalFactory<ApplicationUser>
            , ApplicationUserClaimsPrincipalFactory>();
        services.AddSignalR();

        services.Configure<ForwardedHeadersOptions>(options =>
        {
            options.KnownProxies.Add(IPAddress.Parse("192.168.1.220"));
        });

        services.Configure<TwilioVerifySettings>(Configuration.GetSection("Twilio"));

        //JWT Generate Token

        var appSettingsSection = Configuration.GetSection("AppSettings");
        services.Configure<AppSettings>(appSettingsSection);

        var appSettings = appSettingsSection.Get<AppSettings>();
        var key = Encoding.ASCII.GetBytes(appSettings.Secret);
        services.AddAuthentication(x =>
        {
            x.DefaultChallengeScheme = JwtBearerDefaults.AuthenticationScheme;
        })
        .AddJwtBearer(x =>
        {
            x.RequireHttpsMetadata = false;
            x.SaveToken = true;
            x.TokenValidationParameters = new TokenValidationParameters
            {
                ValidateIssuerSigningKey = true,
                IssuerSigningKey = new SymmetricSecurityKey(key),
                ValidateIssuer = false,
                ValidateAudience = false
            };
        });

        // configure DI for application services
        services.AddScoped<IUserService, UserService>();
    }

    // This method gets called by the runtime. Use this method to configure the HTTP request pipeline.
    public void Configure(IApplicationBuilder app, IWebHostEnvironment env)
    {
        if (env.IsDevelopment())
        {
            app.UseDeveloperExceptionPage();
            app.UseDatabaseErrorPage();
        }
        else
        {
            app.UseExceptionHandler("/Home/Error");
            // The default HSTS value is 30 days. You may want to change this for production scenarios, see https://aka.ms/aspnetcore-hsts.
            app.UseHsts();
        }
        app.UseHttpsRedirection();
        app.UseStaticFiles();

        app.UseRouting();

        app.UseForwardedHeaders(new ForwardedHeadersOptions
        {
            ForwardedHeaders = ForwardedHeaders.XForwardedFor | ForwardedHeaders.XForwardedProto
        });

        app.UseAuthentication();
        app.UseAuthorization();

        app.UseEndpoints(endpoints =>
        {
            endpoints.MapControllerRoute(
                name: "default",
                pattern: "{controller=Home}/{action=Index}/{id?}");
            endpoints.MapRazorPages();
            endpoints.MapHub<ChatHub>("/ChatHub");
        });
    }
}

1 Ответ

2 голосов
/ 19 июня 2020

Проблема в том, что у вас разные имена схем, как вы можете видеть на предоставленном рисунке.

Вы указываете другое имя схемы в ModelBuilder ядра ef 3. Вы можете сделать это, используя modelBuilder.ToTable("Table_Name", "Schema_Name"); , или вы можете сделать это с помощью аннотации данных.

В любом случае вы можете прочитать эту статью на Microsoft https://docs.microsoft.com/en-us/ef/core/modeling/entity-types?tabs=data-annotations#table -schema

или указать схему по умолчанию для все модели, которые я предлагаю вам сделать.

public class SchoolContext: DbContext 
{
    public SchoolDBContext(): base() 
    {
    }

    public DbSet<Student> Students { get; set; }
    public DbSet<Standard> Standards { get; set; }

    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        //Configure default schema
        modelBuilder.HasDefaultSchema("Admin");
    }
}

Подробнее об этом здесь: https://www.entityframeworktutorial.net/code-first/configure-entity-mappings-using-fluent-api.aspx

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...