我有一个ASP.NET MVC 5项目,我想用.tsv文件中的信息填充数据库中的某个表。
这些是文件的前3行:
CAE_Num CAE_Description
01111 Description 1
01112 Description 2
所以我创建了一个如下所示的模型/类:
namespace project.Models
{
public class CAE
{
public int Id { get; set; } // id
public int CAE_Num { get; set; }
public string CAE_Description { get; set; }
public static CAE FromTsv(string tsvLine)
{
string[] values = tsvLine.Split('\t');
CAE cae = new CAE();
cae.CAE_Num = Convert.ToInt32(values[0]);
cae.CAE_Description = Convert.ToString(values[1]);
return cae;
}
}
}
该模型包括一个分割字符串并根据它创建CAE对象的函数。
为了在运行时之前填充数据库,我决定使用在启用数据库迁移时创建的Configuration类中的Seed方法。我之前在一个不同的项目中使用过这个,对于用户角色,所以我知道这是我能够达到我想要的最合适的地方之一。 所以这就是我所做的:
namespace project.Migrations
{
using System;
using System.Data.Entity;
using System.Data.Entity.Migrations;
using System.Linq;
using project.Models;
using System.IO;
using System.Collections.Generic;
using System.Web;
internal sealed class Configuration : DbMigrationsConfiguration<ApplicationDbContext>
{
public Configuration()
{
AutomaticMigrationsEnabled = false;
}
protected override void Seed(ApplicationDbContext context)
{
List<CAE> listCAEs = File.ReadAllLines(HttpContext.Current.Server.MapPath("~/App_Data/CAE.tsv")) // reads all lines into a string array
.Skip(1) // skip header line
.Select(f => CAE.FromTsv(f)) // uses Linq to select each line and create a new Cae instance using the FromTsv method.
.ToList(); // converts to type List
listCAEs.ForEach(s => context.CAEs.Add(s));
context.SaveChanges();
}
}
}
当我运行update-database
时,我收到错误/警告:
对象引用未设置为对象的实例。
,当我转到localhost:xxxx/CAEs
时,我的模型根本没有填充,也没有任何信息添加到服务器资源管理器中的dbo.CAEs [Data]
表。
我想知道我的问题是否与.tsv文件的路径有关。我用谷歌搜索,我读到在App_Data文件夹中有文件可以省去硬编码文件路径的麻烦。
答案 0 :(得分:0)
对于将来阅读本文的人,我将SteveGreene's link中的函数放在Configuration类中,高于所有其他方法。在此功能中,我只将AbsolutePath
更改为LocalPath
。
然后在Seed方法上我改变了行
List<CAE> listCAEs = File.ReadAllLines(HttpContext.Current.Server.MapPath("~/App_Data/CAE.tsv"))
到
List<CAE> listCAEs = File.ReadAllLines(MapPath("~/App_Data/CAE.tsv"))