1. inetmgr 进入IIS
  2. ViewBag和ViewData在run-time的时候检查错误,View中的用法如下:
  3.    @*ViewBag传递的是动态对象*@
    @foreach (string item in ViewBag.listData)
    {
    <li>@item</li>
    }
    -----------------------------------------
    @*ViewData传递的是Object,所以要转换类型*@
    @foreach (string item in (List<string>)ViewData["Countries"])
    {
    <li>@item</li>
    }
  4. web.config中连接字符串名称需要和DbContext的类名称一致:
  5. public class EmployeeContext : DbContext
    {
    //定义对应到数据库表的对象集合
    public DbSet<Employee> Employees { get; set; }
    } <add name="EmployeeContext"
    providerName="System.Data.SqlClient"
    connectionString="Data Source=.;Initial Catalog=MVCSample;User ID= ;Password= ; " />
  6. Global.ashx 程序运行初始化配置:
  7. //DBFirst从数据读取数据,程序运行的时候EmployeeContext初始化为Null
    Database.SetInitializer<MVCBlog.Models.EmployeeContext>(null);
  8. View需要List数组对象,则强类型直接定义为IEnumerable; View中@using引用需要用到的类
  9. @model IEnumerable<MVCBlog.Models.Employee>
    @using MVCBlog.Models @{
    ViewBag.Title = "Index";
    Layout = "~/Views/Shared/_Layout.cshtml";
    } <h2>Index</h2> @*Controller 传递过来的是List对象,所以强类型定义为List<MVCBlog.Models.Employee>*@
    <ul>
    @foreach (Employee employee in @Model)
    {
    <li> @Html.ActionLink(employee.Name, "Details", new { @id = @employee.EmployeeID }) </li>
    }
    </ul>
  10. 业务逻辑层获取数据
  11. public IEnumerable<Employee> employees
    {
    get
    {
    string connectionString = ConfigurationManager.ConnectionStrings["DBCS"].ConnectionString; List<Employee> employees = new List<Employee>(); using (SqlConnection con = new SqlConnection(connectionString))
    { SqlCommand cmd = new SqlCommand("sp_GetAllEmployee", con);
    cmd.CommandType = CommandType.StoredProcedure;
    con.Open();
    SqlDataReader sdr = cmd.ExecuteReader();
    while (sdr.Read())
    {
    Employee employee = new Employee();
    employee.EmployeeID = Convert.ToInt32(sdr["EmployeeID"]);
    employee.Name = sdr["Name"].ToString();
    employee.City = sdr["City"].ToString();
    employee.Gender = Convert.ToChar(sdr["Gender"]); employees.Add(employee);
    }
    return employees;
    }
    }
    }
  12. Razor中构建DropList:
  13.   @Html.DropDownList("Gender", new List<SelectListItem> {
    new SelectListItem { Text="男",Value="M"},
    new SelectListItem{ Text="女",Value="F"}
    }, "Select Gender", htmlAttributes: new { @class = "control-label col-md-2" })
    //或者是在Controller中构建SelectList后,Razor中Render
      ViewBag.DepartID = new SelectList(db.Department, "ID", "Name", employee.DepartID);    @Html.DropDownList("DepartID", null, "Select Department",htmlAttributes: new { @class = "form-control" })
  14. Procedure AddEmployee
  15. CREATE PROCEDURE sp_AddEmployee
    @Name nvarchar()=null,
    @Gender char()=null,
    @City nvarchar()=null,
    @DateOfBirth DateTime=null
    AS
    BEGIN
    -- SET NOCOUNT ON added to prevent extra result sets from
    -- interfering with SELECT statements.
    Insert Into Employee(Name,Gender,City,DateOfBirth)
    values(@Name,@Gender,@City,@DateOfBirth)
    END
    GO
  16. Controller搜集从View页面Post过来的数据,有三种方法:
    1. FormCollection 中包含了所有表单数据的键值对集合,通过FromCollection[Key] 访问到View Post 过来的 Data
      1.  [HttpPost]
        public ActionResult Create(FormCollection formCollection)
        {
        //foreach (string key in formCollection.AllKeys)
        //{
        // Response.Write(key + " ");
        // Response.Write(formCollection[key] + "<br/>");
        //} Employee employee = new Employee();
        employee.Name = formCollection["Name"];
        employee.Gender = Convert.ToChar(formCollection["Gender"]);
        employee.City = formCollection["City"];
        employee.DateOfBirth = Convert.ToDateTime(formCollection["DateOfBirth"]); EmployeeService employeeService = new EmployeeService();
        int numSucc = employeeService.AddEmployee(employee); if (numSucc > )
        {
        return RedirectToAction("Index");
        }
        else
        {
        return View();
        }
        }
    2. 直接以参数的形式接收数据
      1.  [HttpPost]
        public ActionResult Create(string Name,char Gender,string City,string DateOfBirth)
        {
        Employee employee = new Employee();
        employee.Name = Name;
        employee.Gender = Gender;
        employee.City = City;
        employee.DateOfBirth = Convert.ToDateTime(DateOfBirth); EmployeeService employeeService = new EmployeeService();
        int numSucc = employeeService.AddEmployee(employee); if (numSucc > )
        {
        return RedirectToAction("Index");
        }
        else
        {
        return View();
        }
        }
    3. Controller中UpdaetModel 更新 Model,获得提交过来的数据 
      1.  [HttpPost]
        [ActionName("Create")]
        public ActionResult Create_Post()
        {
        Employee employee = new Employee();
        UpdateModel<Employee>(employee); int numSucc = ;
        if (ModelState.IsValid)
        {
        EmployeeService employeeService = new EmployeeService();
        numSucc = employeeService.AddEmployee(employee);
        } if (numSucc > )
        {
        return RedirectToAction("Index");
        }
        else
        {
        return View();
        }
        }
  17. Service  新增数据服务:
    1. public int AddEmployee(Employee employee)
      {
      int numSucc = ;
      using (SqlConnection conn = new SqlConnection(connectionString))
      {
      SqlCommand cmd = new SqlCommand("sp_AddEmployee", conn);
      cmd.CommandType = CommandType.StoredProcedure;
      SqlParameter[] paras = new SqlParameter[] {
      new SqlParameter("Name",employee.Name),
      new SqlParameter("Gender",employee.Gender),
      new SqlParameter("City",employee.City),
      new SqlParameter("DateOfBirth",employee.DateOfBirth)
      };
      cmd.Parameters.AddRange(paras); conn.Open();
      numSucc = cmd.ExecuteNonQuery();
      } return numSucc;
      }
  18. 解决方案中的Nuget包管理器对解决方案中的Nuget包进行管理。
  19. Controller中模型绑定的两种方法:
    1,Bind 制定需要进行模型绑定传递到Controller中的数据。

    public ActionResult Edit_Post([Bind(Include = "Gender , City,DateOfBirth")]Employee employee)

    2,在UpdateModel中,传递需要更新或者是不需要更新的参数

    UpdateModel<Employee>(employee, null, null, new string[] { "Name" });

    3,定义IEmployee接口,Employee继承自IEmployee.

    UpdateModel<IEmployee>(employee);
  20. 进行数据的Delete动作必须在Post数据中执行
    1.   @foreach (var item in Model)
      {
      using (Html.BeginForm("Delete", "Employee", new { id = item.ID }))
      {
      <tr>
      <td>
      @Html.DisplayFor(modelItem => item.Name)
      </td>
      <td>
      @Html.DisplayFor(modelItem => item.Gender)
      </td>
      <td>
      @Html.DisplayFor(modelItem => item.City)
      </td>
      <td>
      @Html.DisplayFor(modelItem => item.DateOfBirth)
      </td>
      <td>
      @Html.ActionLink("Edit", "Edit", new { id = item.ID }) |
      @Html.ActionLink("Details", "Details", new { id = item.ID }) |
      <input type="submit" value="Delete" onclick="return confirm('确定删除 @item.Name 吗 ')" />
      </td>
      </tr>
      }
      }
  21. EF中字段属性的控制,如:[Required]、[Display(Name="")]  需在partial class中进行处理
    1. [MetadataType(typeof(EmployeeMetaData))]
      public partial class Employee
      { }
      public class EmployeeMetaData
      {
      [Required]
      [Display(Name = "姓名")]
      public string Name { get; set; } [Required]
      [Display(Name = "性别")]
      public char Gender { get; set; } [Required]
      [Display(Name = "所在城市")]
      public string City { get; set; } [Required]
      [Display(Name = "生日")]
      public DateTime DateOfBirth { get; set; } [Required]
      [Display(Name = "部门")]
      public int DepartID { get; set; }
      }
  22. Edit信息的时候不需要更新字段的处理,如不需要更新Name。
    1. partial class 中 去掉 [Required]
    2. Edit方法中用 查出来的实体来存储更新后的数据
    3.  [HttpPost]
      [ValidateAntiForgeryToken]
      public ActionResult Edit([Bind(Include = "ID,Gender,City,DateOfBirth,DepartID")] Employee employee)
      {
      Employee employeeFromDB = db.Employee.Find(employee.ID); //须要用你查出来的实体来存储更新后的数据,不更新Name字段
      employeeFromDB.City = employee.City;
      employeeFromDB.Gender = employee.Gender;
      employeeFromDB.DepartID = employee.DepartID;
      employeeFromDB.DateOfBirth = employee.DateOfBirth; if (ModelState.IsValid)
      {
      db.Entry(employeeFromDB).State = EntityState.Modified;
      db.SaveChanges();
      return RedirectToAction("Index");
      }
      ViewBag.DepartID = new SelectList(db.Department, "ID", "Name", employee.DepartID);
      return View(employee);
      }
    4. Controller的Create方法中必需的字段,添加验证检查处理
    5.  if (string.IsNullOrEmpty(employee.Name))
      {
      ModelState.AddModelError("Name", "姓名为必需字段");
      }
  23. Lambda表达式,统计Department下Employee数量
    1.  [HttpGet]
      public ActionResult EmployeeByDepartment()
      {
      var departmentTotals = db.Employee.Include("Department")
      .GroupBy(d => d.Department.Name)
      .Select(y => new DepartmentTotals
      {
      Name = y.Key,
      Total = y.Count()
      }).ToList().OrderByDescending(y => y.Total); return View(departmentTotals);
      }
  24. Controller中Return View()中如果指定带有后缀的View,如index.cshtml,则需要传递完整路径:
    1.  public ActionResult Index()
      {
      var employee = db.Employee.Include(e => e.Department);
      return View("~/Views/Employee/Index.cshtml",employee.ToList());
      }

ASP.NET MVC Notes - 01的更多相关文章

  1. ASP.NET MVC 5 01 - ASP.NET概述

    本篇目录: ASP.NET 概述 .NET Framework 与 ASP.NET ASP.NET MVC简介 ASP.NET的特色和优势 典型案例 ▁▃▅ ASP.NET概述 ▅▃▁ 目前开发B/S ...

  2. ASP.NET MVC 基础(01)

    [ASP.NET MVC ]系列文章大致会包含这样一些内容: 1.ASP.NET MVC 的一些高级知识点: 2.ASP.NET MVC 的一些最新技术: 3.ASP.NET MVC 网站安全方面的知 ...

  3. ASP.NET MVC:01理解MVC模式

    ASP.NET MVC是ASP.NET Web应用程序框架,以MVC模式为基础. MVC:Model View Controller 模型-视图-控制器Model(模型):负责对数据库的存取View( ...

  4. ASP.NET MVC 5 系列 学习笔记 目录 (持续更新...)

    前言: 记得当初培训的时候,学习的还是ASP.NET,现在回想一下,图片水印.统计人数.过滤器....HttpHandler是多么的经典! 不过后来接触到了MVC,便立马爱上了它.Model-View ...

  5. Asp.Net MVC 实用视频教程

    [北盟学习BaMn.Cn] Asp.Net MVC 第01课--创建第一个项目.avi [北盟学习BaMn.Cn] Asp.Net MVC 第02课--自己建一个controller view.avi ...

  6. [asp.net mvc 奇淫巧技] 01 - 封装上下文 - 在View中获取自定义的上下文

    我们在asp.net 开发中已经封装了最强大的HttpContext,我们可以在HttpContext中可以获取到几乎任何想获取的东西,也可以在HttpContext写入需要返回客户端的信息.但是这些 ...

  7. [ASP.NET MVC 小牛之路]01 - 理解MVC模式

    本人博客已转移至:http://www.exblr.com/liam  PS:MVC出来很久了,工作上一直没机会用.出于兴趣,工作之余我将展开对MVC的深入学习,通过博文来记录所学所得,并希望能得到各 ...

  8. [ASP.NET MVC 大牛之路]01 - 开篇

    匆匆2014,转眼就到末尾了.在这一年,你还有哪事情些想做而没有做? 2014年在我身上发生了两件意义重大的事,一是正月初一宝宝出生,我升级成为了爸爸:二是进入了一家创业公司,成为了技术负责人. 去年 ...

  9. 笨鸟先飞之ASP.NET MVC系列之过滤器(01过滤器简介)

    过滤器 什么是过滤器? 过滤器(Filter) 主要的作用大致可以理解为把我们的附加逻辑注入到MVC框架的请求处理. 在ASP.NET MVC的请求处理中一种有19个管道事件分别是 BeginRequ ...

随机推荐

  1. ASP.Net MVC开发基础学习笔记:四、校验、AJAX与过滤器

    一.校验 — 表单不是你想提想提就能提 1.1 DataAnnotations(数据注解) 位于 System.ComponentModel.DataAnnotations 命名空间中的特性指定对数据 ...

  2. mysql 截取身份证出生日期

    ,) ,) as date), '%m-%d') as 生日 from t_person

  3. java stopwatch 功能

    C#中有一个stopwatch的功能,主要是用来监测程序执行时间的.java之前一直都在用如下方式完成: public static void main(String[] args) { long s ...

  4. [Hadoop大数据]——Hive初识

    Hive出现的背景 Hadoop提供了大数据的通用解决方案,比如存储提供了Hdfs,计算提供了MapReduce思想.但是想要写出MapReduce算法还是比较繁琐的,对于开发者来说,需要了解底层的h ...

  5. iOS---runtime介绍

    本文目录 1.Runtime简介 2.Runtime相关的头文件 3.技术点和应用场景 3_1.获取属性\成员变量列表 3_2.交换方法实现 3_3.类\对象的关联对象,假属性 3_4.动态添加方法, ...

  6. MyBatis-Exception:org.apache.ibatis.exceptions.PersistenceException

    错误信息如下: HTTP Status 500 - org.mybatis.spring.MyBatisSystemException: nested exception is org.apache. ...

  7. LINQ系列:LINQ to ADO.NET概述

    LINQ to ADO.NET 包括两种独立的技术: LINQ to DataSet 和 LINQ to SQL. 使用 LINQ to DataSet 可以对DataSet 执行丰富而优化的查询,而 ...

  8. C#设计模式系列:开闭原则(Open Close Principle)

    1.开闭原则简介 开闭原则对扩展开放,对修改关闭,开闭原则是面向对象设计中可复用设计的基石. 2.开闭原则的实现 实现开闭原则的关键就在于抽象,把系统的所有可能的行为抽象成一个抽象底层,这个抽象底层规 ...

  9. 【WP 8.1开发】How to 图像处理

    在今天的吹牛节目开始之前,先交代一件事: 关于玩WP 8.1开发所使用的VS版本问题.对版本的要求是2013的Update2,这是最低要求,只要是这个版本或以上都可以,而update3,update4 ...

  10. Wireshark图解教程(简介、抓包、过滤器)

    开篇语 Wireshark是世界上最流行的网络分析工具.这个强大的工具可以捕捉网络中的数据,并为用户提供关于网络和上层协议的各种信息.与很多其他网络工具一样,Wireshark也使用pcap netw ...