ASP.NET MVC Controllers and Actions

简介: 原文:ASP.NET MVC Controllers and ActionsMVC应用程序里的URL请求是通过控制器Controller处理的,不管是请求视图页面的GET请求,还是传递数据到服务端处理的Post请求都是通过Controller来处理的,先看一个简单的Controlller: ...
原文: ASP.NET MVC Controllers and Actions

MVC应用程序里的URL请求是通过控制器Controller处理的,不管是请求视图页面的GET请求,还是传递数据到服务端处理的Post请求都是通过Controller来处理的,先看一个简单的Controlller:

public class DerivedController : Controller
{
    public ActionResult Index()
    {
        ViewBag.Message = "Hello from the DerivedController Index method";   //动态数据
        return View("MyView");   //指定返回的View
    }
}

是个DerivedController,那么对应处理的URL就是这样的:localhost:1042/Derived/Index,并且Index这个Action指定了返回的视图是MyView,而不是同名的Index视图,那么就需要新建一个视图MyView。在Index这个Action方法内右键 - 添加视图 - MyView,或者在解决方案的Views目录下新建一个Derived目录,再右键 - 新建视图 - MyView:

@{
    ViewBag.Title = "MyView";
}
<h2>
    MyView</h2>
Message: @ViewBag.Message

直接Ctrl+F5运行程序浏览器定位到的url是:localhost:1042,看看路由的定义:

routes.MapRoute(
    "Default", // 路由名称
    "{controller}/{action}/{id}", // 带有参数的 URL
    new { controller = "Home", action = "Index", id = UrlParameter.Optional } // 参数默认值
);

注意路由的最后一行:new { controller = "Home", action = "Index", id = UrlParameter.Optional }
都给默认值了,那么URL:localhost:1042 其实就是:localhost:1042/Home/Index id是可选参数。
localhost:1042/Home/Index这个Url找的Controller自然是HomeController,Index对应的是HomeController下的Index这个Action,显然没有HoomeController,自然会报404错。
解决方法:
1.把路由的默认值修改成:

new { controller = "Derived", action = "Index", id = UrlParameter.Optional }

2.在浏览器的url栏里手动输入:localhost:1042/Derived/index

可以通过上下文对象Context取一些参数:

string userName = User.Identity.Name;
string serverName = Server.MachineName;
string clientIP = Request.UserHostAddress;
DateTime dateStamp = HttpContext.Timestamp;

跟普通的WebForm里一样,可以通过Request.Form接收传递过来的参数:

string oldProductName = Request.Form["OldName"];
string newProductName = Request.Form["NewName"];

取URL里/路由的参数:

string city = RouteData.Values["city"].ToString();

给Controller传参:

public ActionResult ShowWeatherForecast(string city, DateTime forDate)
{
    ViewBag.City = city;
    ViewBag.ForDate = forDate;
    return View();
}

对应的a标签是这样的:
@Html.ActionLink("查看天气(传参)", "ShowWeatherForecast", new { city = "北京", forDate = @DateTime.Now })
再添加对应的视图:

@{
    Layout = null;
}
要查询的是:@ViewBag.City 的天气,查询的时间是:@ViewBag.ForDate

运行下程序ShowWeatherForecast视图就显示了:
要查询的是:北京 的天气,查询的时间是:2013/11/25 21:08:04

当然也可以不传参但是提供默认值:

@Html.ActionLink("查看天气(默认值) ", "ShowWeatherForecast", new { forDate = @DateTime.Now })

没有传city,看Controller:

public ActionResult ShowWeatherForecast(DateTime forDate, string city = "合肥")
{
    ViewBag.City = city;
    ViewBag.ForDate = forDate;
    return View();
}

视图显示:
要查询的是:合肥 的天气,查询的时间是:2013/11/25 21:16:35
默认值已经起作用了。

控制器里获取路由数据:

public string Index()
{
    string controller = (string)RouteData.Values["controller"];
    string action = (string)RouteData.Values["action"];

    return string.Format("Controller: {0}, Action: {1}", controller, action);
}

自然浏览器就会显示:Controller: Derived, Action: index
Action里实现跳转:

public void Index()
{
    Response.Redirect("/Derived/ShowWeatherForecast");
}

使用Response.Redirect实现跳转还比较偏WebForm化,MVC里更应该这么跳转:

public ActionResult Index()
{
    return new RedirectResult("/Derived/ShowWeatherForecast");
}

之前都是类似的Action都是Return的View这里却Return的却是RedirectResult,这就得看方法的返回值了,方法的返回值是ActionResult,并不仅仅是ViewResult,可以理解为ActionResult是ViewResult和RedirectResult等等的基类。
这里甚至可以直接返回视图文件的物理路径:

return View("~/Views/Derived/ShowWeatherForecast.cshtml");

常用的Action返回值类型有:

跳转到别的Action:

public RedirectToRouteResult Redirect() { 
    return RedirectToAction("Index"); 
} 

上面的方法是跳转到当前Controller下的另外一个Action,如果要跳转到别的Controller里的Action:

return RedirectToAction("Index", "MyController"); 

返回普通的Text数据:

public ContentResult Index() { 
    string message = "This is plain text"; 
    return Content(message, "text/plain", Encoding.Default); 
} 

返回XML格式的数据:

public ContentResult XMLData() { 
 
    StoryLink[] stories = GetAllStories(); 
 
    XElement data = new XElement("StoryList", stories.Select(e => { 
        return new XElement("Story", 
            new XAttribute("title", e.Title), 
            new XAttribute("description", e.Description), 
            new XAttribute("link", e.Url)); 
    })); 
 
    return Content(data.ToString(), "text/xml"); 
} 

返回JSON格式的数据(常用):

[HttpPost] 
public JsonResult JsonData() { 
 
    StoryLink[] stories = GetAllStories(); 
    return Json(stories); 
} 

文件下载:

public FileResult AnnualReport() { 
    string filename = @"c:\AnnualReport.pdf"; 
    string contentType = "application/pdf"; 
    string downloadName = "AnnualReport2011.pdf"; 
 
    return File(filename, contentType, downloadName); 
} 

触发这个Action就会返回一个文件下载提示:

返回HTTP状态码:

//404找不到文件
public HttpStatusCodeResult StatusCode() { 
    return new HttpStatusCodeResult(404, "URL cannot be serviced"); 
}

//404找不到文件
public HttpStatusCodeResult StatusCode() { 
    return HttpNotFound(); 
}

//401未授权
public HttpStatusCodeResult StatusCode() { 
    return new HttpUnauthorizedResult(); 
}

返回RSS订阅内容:

public RssActionResult RSS() { 
    StoryLink[] stories = GetAllStories(); 
    return new RssActionResult<StoryLink>("My Stories", stories, e => { 
        return new XElement("item", 
            new XAttribute("title", e.Title), 
            new XAttribute("description", e.Description), 
            new XAttribute("link", e.Url)); 
    }); 
} 

触发这个Action就会浏览器机会显示:

 

本文源码

系列文章导航

目录
相关文章
|
3月前
|
开发框架 前端开发 JavaScript
ASP.NET MVC 教程
ASP.NET 是一个使用 HTML、CSS、JavaScript 和服务器脚本创建网页和网站的开发框架。
51 7
|
3月前
|
存储 开发框架 前端开发
ASP.NET MVC 迅速集成 SignalR
ASP.NET MVC 迅速集成 SignalR
82 0
|
4月前
|
Java Spring 传感器
AI 浪潮席卷,Spring 框架配置文件管理与环境感知,为软件稳定护航,你还在等什么?
【8月更文挑战第31天】在软件开发中,配置文件管理至关重要。Spring框架提供强大支持,便于应对不同环境需求,如电商项目的开发、测试与生产环境。它支持多种格式的配置文件(如properties和YAML),并能根据环境加载不同配置,如数据库连接信息。通过`@Profile`注解可指定特定环境下的配置生效,同时支持通过命令行参数或环境变量覆盖配置值,确保应用稳定性和可靠性。
73 0
|
4月前
|
Devops 持续交付 开发者
.NET自动化之旅:是Azure DevOps还是GitHub Actions能够打造完美的CI/CD流水线?
【8月更文挑战第28天】在现代软件开发中,持续集成(CI)与持续部署(CD)是提升代码质量和加速交付的关键实践。对于 .NET 应用,Azure DevOps 和 GitHub Actions 等工具可高效构建 CI/CD 流水线,提升开发效率并确保软件稳定可靠。Azure DevOps 提供一站式全流程管理,支持 YAML 定义的自动化构建、测试和部署;GitHub Actions 则以简洁灵活著称,适用于 .NET 项目的自动化流程。选择合适的工具可显著提高开发效率并确保高质量标准。
29 0
|
4月前
|
开发框架 前端开发 .NET
ASP.NET MVC WebApi 接口返回 JOSN 日期格式化 date format
ASP.NET MVC WebApi 接口返回 JOSN 日期格式化 date format
60 0
|
4月前
|
开发框架 前端开发 安全
ASP.NET MVC 如何使用 Form Authentication?
ASP.NET MVC 如何使用 Form Authentication?
|
4月前
|
开发框架 .NET
Asp.Net Core 使用X.PagedList.Mvc.Core分页 & 搜索
Asp.Net Core 使用X.PagedList.Mvc.Core分页 & 搜索
151 0
|
7月前
|
开发框架 前端开发 JavaScript
JavaScript云LIS系统源码ASP.NET CORE 3.1 MVC + SQLserver + Redis医院实验室信息系统源码 医院云LIS系统源码
实验室信息系统(Laboratory Information System,缩写LIS)是一类用来处理实验室过程信息的软件,云LIS系统围绕临床,云LIS系统将与云HIS系统建立起高度的业务整合,以体现“以病人为中心”的设计理念,优化就诊流程,方便患者就医。
87 0
|
7月前
|
开发框架 前端开发 .NET
ASP.NET CORE 3.1 MVC“指定的网络名不再可用\企图在不存在的网络连接上进行操作”的问题解决过程
ASP.NET CORE 3.1 MVC“指定的网络名不再可用\企图在不存在的网络连接上进行操作”的问题解决过程
214 0
|
存储 开发框架 前端开发
[回馈]ASP.NET Core MVC开发实战之商城系统(五)
经过一段时间的准备,新的一期【ASP.NET Core MVC开发实战之商城系统】已经开始,在之前的文章中,讲解了商城系统的整体功能设计,页面布局设计,环境搭建,系统配置,及首页【商品类型,banner条,友情链接,降价促销,新品爆款】,商品列表页面,商品详情等功能的开发,今天继续讲解购物车功能开发,仅供学习分享使用,如有不足之处,还请指正。
176 0