添加使用多个记录LINQ到SQL(Add Multiple record using Linq-to

2019-09-21 14:28发布

我想使用LINQ到多个行添加到表到SQL

    public static FeedbackDatabaseDataContext context = new FeedbackDatabaseDataContext();
    public static bool Insert_Question_Answer(List<QuestionClass.Tabelfields> AllList)
    {
          Feedback f = new Feedback();
          List<Feedback> fadd = new List<Feedback>();
            for (int i = 0; i < AllList.Count; i++)
            {
                f.Email = AllList[i].Email;
                f.QuestionID = AllList[i].QuestionID;
                f.Answer = AllList[i].SelectedOption;
                fadd.Add(f);
            }
            context.Feedbacks.InsertAllOnSubmit(fadd);
            context.SubmitChanges();
        return true;            
    }

当我记录添加到列表对象即FADD记录是AllList的最后的值将覆盖

Answer 1:

我迟到了,但我想你可能想知道的是,for循环是不必要的。 更好地利用的foreach(你不需要索引)。

当您使用LINQ(为清楚起见改名法)它会变得更加有趣:

public static void InsertFeedbacks(IEnumerable<QuestionClass.Tabelfields> allList)
{
    var fadd = from field in allList
               select new Feedback
                          {
                              Email = field.Email,
                              QuestionID = field.QuestionID,
                              Answer = field.SelectedOption
                          };
    context.Feedbacks.InsertAllOnSubmit(fadd);
    context.SubmitChanges();
}

顺便说一句,你不应该保留您访问所有的时间一个数据上下文; 最好是在本地创建一个 ,using语句,将妥善处理数据库断开内部。



Answer 2:

你应该在for循环范围之内创建反馈的对象,所以改变你的方法:

public static bool Insert_Question_Answer(List<QuestionClass.Tabelfields> AllList)
{
      List<Feedback> fadd = new List<Feedback>();
        for (int i = 0; i < AllList.Count; i++)
        {
            Feedback f = new Feedback();
            f.Email = AllList[i].Email;
            f.QuestionID = AllList[i].QuestionID;
            f.Answer = AllList[i].SelectedOption;
            fadd.Add(f);
        }
        context.Feedbacks.InsertAllOnSubmit(fadd);
        context.SubmitChanges();
    return true;            
}


文章来源: Add Multiple record using Linq-to-SQL