2

我是使用 MVC 的新手,所以我想我会尝试一下。

我的 ActionLink 有问题:

foreach (var item in areaList)
{
    using (Html.BeginForm())
    {
        <p>
         @Html.ActionLink(item.AreaName, "GetSoftware","Area", new { id = 0 },null);
        </p>
    }
}

GetSoftware 是我的行动,Area 是我的控制器。

我的错误:

The parameters dictionary contains a null entry for parameter 'AreaID' of non-nullable type 'System.Int32' for method 'System.Web.Mvc.ActionResult GetSoftware(Int32)

我的行动:

public ActionResult GetSoftware(int AreaID)
{
    return View();
}

我在这里检查了相同的问题,并且我遵循了响应但仍然是相同的错误。任何人都知道出了什么问题

4

6 回答 6

1

操作的参数名称不匹配。只需使用这个:

@Html.ActionLink(item.AreaName, "GetSoftware", "Area", new { AreaID = 0 }, null);
于 2013-07-20T13:51:42.853 回答
0

您作为 ActionLink 帮助程序的第四个参数发送的匿名类型必须具有与您的操作方法参数同名的成员。

@Html.ActionLink("LinkText", "Action","Controller", routeValues: new { id = 0 }, htmlAttributes: null);

控制器类中的操作方法:

public ActionResult Action(int id)
{
     // Do something. . .

     return View();
}
于 2013-07-20T15:41:41.823 回答
0
 @Html.ActionLink(item.AreaName, "GetSoftware","Area", new {AreaID = 0 },null);
于 2013-07-20T13:51:53.060 回答
0

尝试这个

 foreach (var item in areaList)
{
  using (Html.BeginForm())
  {
     <p>
        @Html.ActionLink(item.AreaName, //Title
                  "GetSoftware",        //ActionName
                    "Area",             // Controller name
                     new { AreaID= 0 }, //Route arguments
                        null           //htmlArguments,  which are none. You need this value
                                       //     otherwise you call the WRONG method ...
           );
    </p>
  }
}
于 2013-07-30T06:35:41.747 回答
0
@Html.ActionLink(item.AreaName, "GetSoftware","Area", new {AreaID = 0 },null);

我认为这对你有用。

于 2013-07-20T13:57:12.837 回答
0

您只需要更改您的操作方法的参数。正如你ActionLink()的那样:

@Html.ActionLink(item.AreaName, "GetSoftware", "Area", 
    routeValues: new { id = 0 }, htmlAttributes: null)

您应该将控制器更改如下:

public ActionResult GetSoftware(int id)
{
    return View();
}

这是默认的路由行为。如果您坚持使用AreaID作为参数,则应在 中声明一个路由RouteConfig.cs并将其放在默认路由之前:

public static void RegisterRoutes(RouteCollection routes)
    {
        routes.IgnoreRoute("{resource}.axd/{*pathInfo}");            

        // some routes ...

        routes.MapRoute(
            name: "GetSoftware",
            url: "Area/GetSoftware/{AreaID}",
            defaults: new { controller = "Area", action = "GetSoftware", AreaID = UrlParameter.Optional }
        );

        // some other routes ...

        // default route

        routes.MapRoute(
            name: "Default",
            url: "{controller}/{action}/{id}",
            defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }
        );  
于 2013-07-30T06:33:19.567 回答