ASP.NET MVCとC#を使用して、データベースレコードをビューに渡し、テーブル形式で表示するにはどうすればよいですか?
Foreachを使用してビューにオブジェクトに含まれるすべてのレコードを表示できるように、SqlDataReaderオブジェクトに返されたデータベースからレコードの一部の行を転送/渡す方法を知り、そのオブジェクトをビューに渡す必要があります。
次のコードは、私がやろうとしていることです。しかし、機能していません。
コントローラー:
public ActionResult Students()
{
String connectionString = "<THE CONNECTION STRING HERE>";
String sql = "SELECT * FROM students";
SqlCommand cmd = new SqlCommand(sql, connectionString);
using(SqlConnection connectionString = new SqlConnection(connectionString))
{
connectionString.Open();
SqlDataReader rdr = cmd.ExecuteReader();
}
ViewData.Add("students", rdr);
return View();
}
景色:
<h1>Student</h1>
<table>
<!-- How do I display the records here? -->
</table>
1。最初に、レコードの値を保持するModel
を作成します。たとえば:
public class Student
{
public string FirstName {get;set;}
public string LastName {get;set;}
public string Class {get;set;}
....
}
2。次に、リーダーからリストなどに行をロードします:
public ActionResult Students()
{
String connectionString = "<THE CONNECTION STRING HERE>";
String sql = "SELECT * FROM students";
SqlCommand cmd = new SqlCommand(sql, conn);
var model = new List<Student>();
using(SqlConnection conn = new SqlConnection(connectionString))
{
conn.Open();
SqlDataReader rdr = cmd.ExecuteReader();
while(rdr.Read())
{
var student = new Student();
student.FirstName = rdr["FirstName"];
student.LastName = rdr["LastName"];
student.Class = rdr["Class"];
....
model.Add(student);
}
}
return View(model);
}
。最後にView
で、モデルの種類を宣言します:
@model List<Student>
<h1>Student</h1>
<table>
<tr>
<th>First Name</th>
<th>Last Name</th>
<th>Class</th>
</tr>
@foreach(var student in Model)
{
<tr>
<td>@student.FirstName</td>
<td>@student.LastName</td>
<td>@student.Class</td>
</tr>
}
</table>
SQLリーダーを使用する必要がない場合、このようなコントローラーを使用するのは簡単ではありません。
Controller.cs
private ConnectContext db = new ConnectContext();
public ActionResult Index()
{
return View(db.Tv.ToList());
}
ConnectContext.cs
public class ConnectContext : DbContext
{
public DbSet<Student> Student{ get; set; }
}
これにより、接続文字列がweb.configに含まれ、ビューとモデルは同じままになります。