Простой пример использования маршрутизации в ASP.NET
- Создать пустое веб-приложение
- Добавить первую форму - Default.aspx
- Добавить вторую форму - Second.aspx
- Добавить третью форму - Third.aspx
Добавить в default.aspx 3 кнопки -
protected void Button1_Click(object sender, EventArgs e)
{
Response.Redirect("Second.aspx");
}
protected void Button2_Click(object sender, EventArgs e)
{
Response.Redirect("Third.aspx?Name=Pants");
}
protected void Button3_Click(object sender, EventArgs e)
{
Response.Redirect("Third.aspx?Name=Shoes");
}
Чтение строки запроса на третьей странице
protected void Page_Load(object sender, EventArgs e)
{
Response.Write(Request.QueryString["Name"]);
}
Теперь, если вы запустите программу, вы сможете перейти ко второй и третьей форме.
Так было раньше.
Давайте добавим маршрутизацию.
Добавить новый предмет - Global.aspx
использование System.Web.Routing;
protected void Application_Start(object sender, EventArgs e)
{
RegisterRoutes(RouteTable.Routes);
}
void RegisterRoutes(RouteCollection routes)
{
routes.MapPageRoute(
"HomeRoute",
"Home",
"~/Default.aspx"
);
routes.MapPageRoute(
"SecondRoute",
"Second",
"~/Second.aspx"
);
routes.MapPageRoute(
"ThirdRoute",
"Third/{Name}",
"~/Third.aspx"
);
}
В default.aspx изменить
защищенный void Button1_Click (отправитель объекта, EventArgs e)
{
// Response.Redirect ("Second.aspx");
Response.Redirect (GetRouteUrl ("SecondRoute", null));
}
protected void Button2_Click(object sender, EventArgs e)
{
//Response.Redirect("Third.aspx?Name=Pants");
Response.Redirect(GetRouteUrl("ThirdRoute", new {Name = "Pants"}));
}
protected void Button3_Click(object sender, EventArgs e)
{
// Response.Redirect("Third.aspx?Name=Shoes");
Response.Redirect(GetRouteUrl("ThirdRoute", new { Name = "Shoes" }));
}
Изменить загрузку страницы в Third.aspx
protected void Page_Load(object sender, EventArgs e)
{
//Response.Write(Request.QueryString["Name"]);
Response.Write(RouteData.Values["Name"]);
}
Запустите программу. Обратите внимание, что URL выглядит намного чище - в нем нет расширений (Second.aspx становится просто Second)
Для передачи более одного аргумента
добавить новую кнопку в default.aspx со следующим кодом:
protected void Button4_Click(object sender, EventArgs e)
{
Response.Redirect(GetRouteUrl("FourthRoute", new { Name = "Shoes" , Gender = "Male"}));
}
добавить следующий код в global.asax
routes.MapPageRoute(
"FourthRoute",
"Fourth/{Name}-{Gender}",
"~/Fourth.aspx"
);
создать страницу Fourth.aspx со следующей загрузкой страницы:
protected void Page_Load(object sender, EventArgs e)
{
Response.Write("Name is: " + RouteData.Values["Name"] + " and Gender is " + RouteData.Values["Gender"]);
}