1

我正在试验 ASP.NET MVC 和路由。

似乎 MVC 在我想创建视图的任何时候都强制我向控制器添加一个公共方法。例如:

public class HomeController : Controller
{
    public ActionResult Index()
    {
        return View();
    }

    public ActionResult About()
    {
        return View();
    }

    //... a public method for every view.. :(
}

我不想为每个视图创建一个公共方法。默认情况下,除非另有说明,否则我希望系统中所有视图的“返回 View()”行为。

例如,HTTP GET:

site.com/about
site.com/features
网站.com/
site.com/testimonials
site.com/contact-us

就目前而言,我必须补充:

HomeController.About()
HomeController.Features()
HomeController.Index()
HomeController.Testimonials()
HomeController.ContactUs()

所有结果都是“返回 View()”。这是我的问题,我试图消除为简单视图创建公共操作方法。

对于需要额外处理的视图,例如 HTTP POST 上的“联系我们”页面,用于:

site.com/contact-us

我想专门在控制器中添加一个方法来发送 SMTP 消息。


以下是我正在尝试做的更简洁的示例:

public class HomeController{

   public ActionResult ShowBasicView(){
     //HTTP GET:
     //site.com/about
     //site.com/features
     //site.com/
     //site.com/testimonials

     //All URLs above map to this action

     return View();
   }

   [AcceptVerbs(HttpVerbs.Post)]
   public ActionResult ContactUs(FormCollection data){

     //HTTP POST:
     //site.com/contact-us

     //POST URL maps here.

     SmtpClient.Send(new MailMessage()) //etc...
     return View()
   }

}

谢谢,布赖恩

4

2 回答 2

3

从您的编辑中获得 ShowBasicView 的潜在问题是,由于视图的隐式连接,这些 url 中的每一个都将返回相同的视图,即:

\Views\Home\ShowBasicView.aspx

现在,这可能是您想要的,尽管它可能不太可能。

您可以通过以下路线进行设置:

routes.MapRoute(  
  "ShowBasic",
  "{id}",
  new { controller = "Home", action = "ShowBasicView", id = "home" }
);

并将您的控制器修改为:

public class HomeController: Controller{

  public ActionResult ShowBasicView(string pageName){
    // Do something here to get the page data from the Model, 
    // and pass it into the ViewData
    ViewData.Model = GetContent(pageName);

    // All URLs above map to this action
    return View();
  }
}

或者,如果内容在视图中被硬编码,您可以尝试:

public class HomeController: Controller{

  public ActionResult ShowBasicView(string pageName){
    // All URLs above map to this action
    // Pass the page name to the view method to call that view.        
    return View(pageName);
  }
}

您可能还必须为基本 URL 添加路由,因为 ShowBasic 路由只会针对具有字符串值的 URL。

于 2009-03-22T21:51:37.373 回答
0

您可以在控制器中添加以下方法,它

protected override void HandleUnknownAction(string actionName)
{
    try{
       this.View(actionName).ExecuteResult(this.ControllerContext);
    }catch(Exception ex){
       // log exception...
       base.HandleUnknownAction(actionName);
    }
}
于 2013-02-04T12:18:05.897 回答